Synchronizing it like this is not the best choice, as only one thread at a time will be able to access it.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
private Map<String, Integer> map = new HashMap<>(); | |
public Integer getKey(String key) { | |
synchronized (map) { | |
return map.get(key); | |
} | |
} |
Another approach is useful only in a few cases.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
private Map<String, Integer> map = Collections.synchronizedMap(new HashMap<String, Integer>()); |
The better solution is to use ConcurrentMap
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
private ConcurrentMap<String, Integer> map = new ConcurrentHashMap<String, Integer>(); |
Let's imagine a situation that we need to put some value to the map, on a condition that it isn't there already.
Doing it that way is a wrong solution:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
// bad solution | |
public void addEntryIfKeyDoesNotExist(String key, Integer value) { | |
if (!map.containsKey(key)) { | |
map.put(key, value); | |
} | |
} |
So should we add the synchronization? No, the ConcurrentMap provides a method that will make this operation atomic:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
public void addEntryIfKeyDoesNotExist(String key, Integer value) { | |
map.putIfAbsent(key, value); | |
} |
ConcurrentMap provides also other methods that are able to perform atomic replacement or removal of an entry, only if it is mapped to a specified value.
There are also a concurrent implementations of List and Set - CopyOnWriteArrayList and CopyOnWriteArraySet. Every mutative operation on them creates a new copy, so they should be used with a special care.
No comments:
Post a Comment