web-dev-qa-db-ja.com

Map <String、String>、「キー文字列」と「値文字列」の両方を一緒に印刷する方法

Javaが初めてで、Mapsの概念を学ぼうとしています。

以下のコードを思いつきました。ただし、「キー文字列」と「値文字列」を同時に出力したいです。

ProcessBuilder pb1 = new ProcessBuilder();
Map<String, String> mss1 = pb1.environment();
System.out.println(mss1.size());

for (String key: mss1.keySet()){
    System.out.println(key);
}

「キー文字列」のみを出力するメソッドを見つけることができました。

10
Thor

これを実現するにはさまざまな方法があります。ここに3つあります。

    Map<String, String> map = new HashMap<String, String>();
    map.put("key1", "value1");
    map.put("key2", "value2");
    map.put("key3", "value3");

    System.out.println("using entrySet and toString");
    for (Entry<String, String> entry : map.entrySet()) {
        System.out.println(entry);
    }
    System.out.println();

    System.out.println("using entrySet and manual string creation");
    for (Entry<String, String> entry : map.entrySet()) {
        System.out.println(entry.getKey() + "=" + entry.getValue());
    }
    System.out.println();

    System.out.println("using keySet");
    for (String key : map.keySet()) {
        System.out.println(key + "=" + map.get(key));
    }
    System.out.println();

出力

using entrySet and toString
key1=value1
key2=value2
key3=value3

using entrySet and manual string creation
key1=value1
key2=value2
key3=value3

using keySet
key1=value1
key2=value2
key3=value3
23
Stefan Dollase

ループの内部には、Mapから値を取得するために使用できるキーがあります。

for (String key: mss1.keySet()) {
    System.out.println(key + ": " + mss1.get(key));
}
5
blacktide
final Map<String, String> mss1 = new ProcessBuilder().environment();
mss1.entrySet()
        .stream()
        //depending on how you want to join K and V use different delimiter
        .map(entry -> 
        String.join(":", entry.getKey(),entry.getValue()))
        .forEach(System.out::println);
4
dmitryvinn