Java,定义一个类TestMap要求如下: (1)新建一个字典HashMap对象(使用泛型),然后插入如下键值对,其中key为整型,value为字符串 1 China 2 India 3 USA (2)删除key值为3的元素; (3)再添加一个键值对{4=Canada}; (2)分别用3种不同的方法(for,Iterator,Entry)对此Map对象进行遍历打印输出
时间: 2024-01-19 09:02:56 浏览: 70
下面是 Java 中定义一个类 TestMap 的代码:
```java
import java.util.*;
public class TestMap {
public static void main(String[] args) {
// 新建一个字典HashMap对象(使用泛型)
Map<Integer, String> map = new HashMap<Integer, String>();
// 插入键值对
map.put(1, "China");
map.put(2, "India");
map.put(3, "USA");
// 删除key值为3的元素
map.remove(3);
// 再添加一个键值对{4=Canada}
map.put(4, "Canada");
// 用 for 循环遍历打印输出
System.out.println("用 for 循环遍历打印输出:");
for (Integer key : map.keySet()) {
System.out.println(key + " = " + map.get(key));
}
// 用 Iterator 迭代器遍历打印输出
System.out.println("用 Iterator 迭代器遍历打印输出:");
Iterator<Map.Entry<Integer, String>> iterator = map.entrySet().iterator();
while (iterator.hasNext()) {
Map.Entry<Integer, String> entry = iterator.next();
System.out.println(entry.getKey() + " = " + entry.getValue());
}
// 用 Entry 遍历打印输出
System.out.println("用 Entry 遍历打印输出:");
for (Map.Entry<Integer, String> entry : map.entrySet()) {
System.out.println(entry.getKey() + " = " + entry.getValue());
}
}
}
```
输出结果:
```
用 for 循环遍历打印输出:
1 = China
2 = India
4 = Canada
用 Iterator 迭代器遍历打印输出:
1 = China
2 = India
4 = Canada
用 Entry 遍历打印输出:
1 = China
2 = India
4 = Canada
```
阅读全文