使用HashMap的增、删、改、查操作 以HashMap建立一个地图名册,使用HashMap的增、删、改、查完成下列操作: 1、创建Hash Map 2、使用put方法插入如下键-值: 3、HashMap的删除:使用remove方法删除键(Key)为4的元素 4、Hash Map的修改:使用put方法将键(Key)为3的值(Value)修改为:“武汉“ 5、HashMap的查询:使用get方法输出键(Key)为“2” 的值(Value) 6、使用遍历的方法依次输出键-值;
时间: 2023-12-17 17:04:30 浏览: 95
下面是使用HashMap的增、删、改、查操作的示例代码:
```java
import java.util.HashMap;
import java.util.Map;
public class HashMapExample {
public static void main(String[] args) {
// 创建Hash Map
Map<Integer, String> map = new HashMap<>();
// 使用put方法插入键-值
map.put(1, "北京");
map.put(2, "上海");
map.put(3, "广州");
map.put(4, "深圳");
// HashMap的删除:使用remove方法删除键(Key)为4的元素
map.remove(4);
// Hash Map的修改:使用put方法将键(Key)为3的值(Value)修改为:“武汉“
map.put(3, "武汉");
// HashMap的查询:使用get方法输出键(Key)为“2” 的值(Value)
System.out.println(map.get(2));
// 遍历HashMap并输出键-值
for (Map.Entry<Integer, String> entry : map.entrySet()) {
System.out.println("Key = " + entry.getKey() + ", Value = " + entry.getValue());
}
}
}
```
输出结果为:
```
上海
Key = 1, Value = 北京
Key = 2, Value = 上海
Key = 3, Value = 武汉
```
阅读全文