很久以前写的代码,和上一个做比较吧!便于以后查看。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
|
import java.util.HashMap; import java.util.Iterator; import java.util.Map; public class TestMap { public static void main(String[] args) { Map<Integer, String> map = new HashMap<Integer, String>(); map.put( 1 , "a" ); map.put( 2 , "b" ); map.put( 3 , "ab" ); map.put( 4 , "ab" ); map.put( 4 , "ab" ); // 和上面相同 , 会自己筛选 System.out.println(map.size()); // 第一种: /* * Set<Integer> set = map.keySet(); //得到所有key的集合 * * for (Integer in : set) { String str = map.get(in); * System.out.println(in + " " + str); } */ for (Integer in : map.keySet()) { //map.keySet()返回的是所有key的值 String str = map.get(in); //得到每个key多对用value的值 System.out.println(in + " " + str); } // 第二种: System.out.println( "第二种:通过Map.entrySet使用iterator遍历key和value:" ); Iterator<Map.Entry<Integer, String>> it = map.entrySet().iterator(); while (it.hasNext()) { Map.Entry<Integer, String> entry = it.next(); System.out.println( "key= " + entry.getKey() + " and value= " + entry.getValue()); } // 第三种:推荐,尤其是容量大时 System.out.println( "第三种:通过Map.entrySet遍历key和value" ); for (Map.Entry<Integer, String> entry : map.entrySet()) { //Map.entry<Integer,String> 映射项(键-值对) 有几个方法:用上面的名字entry //entry.getKey() ;entry.getValue(); entry.setValue(); //map.entrySet() 返回此映射中包含的映射关系的 Set视图。 System.out.println( "key= " + entry.getKey() + " and value= " + entry.getValue()); } // 第四种: System.out.println( "第四种:通过Map.values()遍历所有的value,但不能遍历key" ); for (String v : map.values()) { System.out.println( "value= " + v); } } } |
结果:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
|
4 第一种:通过Map.keySet遍历key和value: 1 a 2 b 3 ab 4 ab 第二种:通过Map.entrySet使用iterator遍历key和value: key= 1 and value= a key= 2 and value= b key= 3 and value= ab key= 4 and value= ab 第三种:通过Map.entrySet遍历key和value key= 1 and value= a key= 2 and value= b key= 3 and value= ab key= 4 and value= ab 第四种:通过Map.values()遍历所有的value,但不能遍历key value= a value= b value= ab value= ab |
总结
以上就是本文关于Map集合的四种遍历方式代码示例的全部内容,希望对大家有所帮助。温故而知新,可以为师矣。。。map集合的遍历属于老话题了,有什么问题直接留言吧,小编会及时回复大家的。感谢朋友们对本站的支持。
原文链接:http://www.cnblogs.com/blest-future/p/4628871.html