ConcurrentHashMap与HashMap有什么区别?
时间: 2024-03-29 20:33:43 浏览: 65
ConcurrentHashMap与HashMap的区别主要体现在并发性和线程安全性方面[^1][^2]。
1. 并发性:ConcurrentHashMap引入了"分段锁"的概念,将一个大的Map拆分成多个小的HashTable,根据key的hashCode()来决定将key放到哪个HashTable中。在ConcurrentHashMap中,将Map分成了多个Segment,put和get操作时,根据key的hashCode()算出放到哪个Segment中。这样,不同的线程可以同时访问不同的Segment,从而提高了并发性能。
2. 线程安全性:ConcurrentHashMap是线程安全的,它通过使用分段锁来保证多线程环境下的数据一致性。在ConcurrentHashMap中,每个Segment都有自己的锁,不同的线程可以同时访问不同的Segment,从而实现了更高的并发性。而HashMap是非线程安全的,多个线程同时对HashMap进行操作可能会导致数据不一致的问题。
示例代码如下:
```java
// 使用HashMap
Map<String, Integer> hashMap = new HashMap<>();
hashMap.put("key1", 1);
hashMap.put("key2", 2);
hashMap.put("key3", 3);
// 使用ConcurrentHashMap
Map<String, Integer> concurrentHashMap = new ConcurrentHashMap<>();
concurrentHashMap.put("key1", 1);
concurrentHashMap.put("key2", 2);
concurrentHashMap.put("key3", 3);
```
阅读全文