Movatterモバイル変換


[0]ホーム

URL:


Jump to content
WikipediaThe Free Encyclopedia
Search

Java ConcurrentMap

From Wikipedia, the free encyclopedia
This articlepossibly containsoriginal research. Pleaseimprove it byverifying the claims made and addinginline citations. Statements consisting only of original research should be removed.(December 2017) (Learn how and when to remove this message)

The Java programming language'sJava Collections Framework version 1.5 and later defines and implements the original regular single-threaded Maps, and also new thread-safe Maps implementing thejava.util.concurrent.ConcurrentMap interface among other concurrent interfaces.[1]In Java 1.6, thejava.util.NavigableMap interface was added, extendingjava.util.SortedMap,and thejava.util.concurrent.ConcurrentNavigableMap interface was added as a subinterface combination.

Java Map Interfaces

[edit]

The version 1.8 Map interface diagram has the shape below. Sets can be considered sub-cases of corresponding Maps in which the values are always a particular constant which can be ignored, although the Set API uses corresponding but differently named methods. At the bottom is thejava.util.concurrent.ConcurrentNavigableMap, which is a multiple-inheritance.

Implementations

[edit]

ConcurrentHashMap

[edit]

For unordered access as defined in thejava.util.Map interface, thejava.util.concurrent.ConcurrentHashMap implementsjava.util.concurrent.ConcurrentMap.[2] The mechanism is a hash access to a hash table with lists of entries, each entry holding a key, a value, the hash, and a next reference. Previous to Java 8, there were multiple locks each serializing access to a 'segment' of the table. In Java 8, native synchronization is used on the heads of the lists themselves, and the lists can mutate into small trees when they threaten to grow too large due to unfortunate hash collisions. Also, Java 8 uses the compare-and-set primitive optimistically to place the initial heads in the table, which is very fast. Performance isO(n), but there are delays occasionally when rehashing is necessary. After the hash table expands, it never shrinks, possibly leading to a memory 'leak' after entries are removed.

ConcurrentSkipListMap

[edit]

For ordered access as defined by thejava.util.NavigableMap interface,java.util.concurrent.ConcurrentSkipListMap was added in Java 1.6,[1] and implementsjava.util.concurrent.ConcurrentMap and alsojava.util.concurrent.ConcurrentNavigableMap. It is aSkip list which uses Lock-free techniques to make a tree. Performance isO(log(n)).

Ctrie

[edit]

Concurrent modification problem

[edit]

One problem solved by the Java 1.5java.util.concurrent package is that of concurrent modification. The collection classes it provides may be reliably used by multiple Threads.

All Thread-shared non-concurrent Maps and other collections need to use some form of explicit locking such as native synchronization in order to prevent concurrent modification, or else there must be a way to prove from the program logic that concurrent modification cannot occur. Concurrent modification of aMap by multiple Threads will sometimes destroy the internal consistency of the data structures inside theMap, leading to bugs which manifest rarely or unpredictably, and which are difficult to detect and fix. Also, concurrent modification by one Thread with read access by another Thread or Threads will sometimes give unpredictable results to the reader, although the Map's internal consistency will not be destroyed. Using external program logic to prevent concurrent modification increases code complexity and creates an unpredictable risk of errors in existing and future code, although it enables non-concurrent Collections to be used. However, either locks or program logic cannot coordinate external threads which may come in contact with theCollection.

Modification counters

[edit]

In order to help with the concurrent modification problem, the non-concurrentMap implementations and otherCollections use internal modification counters which are consulted before and after a read to watch for changes: the writers increment the modification counters. A concurrent modification is supposed to be detected by this mechanism, throwing ajava.util.ConcurrentModificationException,[3] but it is not guaranteed to occur in all cases and should not be relied on. The counter maintenance is also a performance reducer. For performance reasons, the counters are not volatile, so it is not guaranteed that changes to them will be propagated betweenThreads.

Collections.synchronizedMap()

[edit]

One solution to the concurrent modification problem is using a particular wrapper class provided by a factory injava.util.Collections :public static <K,V> Map<K,V> synchronizedMap(Map<K,V> m) which wraps an existing non-thread-safeMap with methods that synchronize on an internal mutex.[4] There are also wrappers for the other kinds of Collections. This is a partial solution, because it is still possible that the underlyingMap can be inadvertently accessed byThreads which keep or obtain unwrapped references. Also, all Collections implement thejava.lang.Iterable but the synchronized-wrapped Maps and other wrappedCollections do not provide synchronized iterators, so the synchronization is left to the client code, which is slow and error prone and not possible to expect to be duplicated by other consumers of the synchronizedMap. The entire duration of the iteration must be protected as well. Furthermore, aMap which is wrapped twice in different places will have different internal mutex Objects on which the synchronizations operate, allowing overlap. The delegation is a performance reducer, but modern Just-in-Time compilers often inline heavily, limiting the performance reduction. Here is how the wrapping works inside the wrapper - the mutex is just a finalObject and m is the final wrappedMap:

publicVput(Kkey,Vvalue){synchronized(mutex){returnm.put(key,value);}}

The synchronization of the iteration is recommended as follows; however, this synchronizes on the wrapper rather than on the internal mutex, allowing overlap:[5]

Map<String,String>wrappedMap=Collections.synchronizedMap(map);...synchronized(wrappedMap){for(finalStrings:wrappedMap.keySet()){// some possibly long operation executed possibly// many times, delaying all other accesses}}

Native synchronization

[edit]

AnyMap can be used safely in a multi-threaded system by ensuring that all accesses to it are handled by the Java synchronization mechanism:

finalMap<String,String>map=newHashMap<>();...// Thread A// Use the map itself as the lock. Any agreed object can be used instead.synchronized(map){map.put("key","value");}..// Thread Bsynchronized(map){Stringresult=map.get("key");...}...// Thread Csynchronized(map){for(finalEntry<String,String>s:map.entrySet()){/*             * Some possibly slow operation, delaying all other supposedly fast operations.             * Synchronization on individual iterations is not possible.             */...}}

ReentrantReadWriteLock

[edit]

The code using ajava.util.concurrent.ReentrantReadWriteLock is similar to that for native synchronization. However, for safety, the locks should be used in a try/finally block so that early exit such asjava.lang.Exception throwing or break/continue will be sure to pass through the unlock. This technique is better than using synchronization[6] because reads can overlap each other, there is a new issue in deciding how to prioritize the writes with respect to the reads. For simplicity ajava.util.concurrent.ReentrantLock can be used instead, which makes no read/write distinction. More operations on the locks are possible than with synchronization, such astryLock() andtryLock(long timeout, TimeUnit unit).

finalReentrantReadWriteLocklock=newReentrantReadWriteLock();finalReadLockreadLock=lock.readLock();finalWriteLockwriteLock=lock.writeLock();..// Thread Atry{writeLock.lock();map.put("key","value");...}finally{writeLock.unlock();}...// Thread Btry{readLock.lock();finalStrings=map.get("key");..}finally{readLock.unlock();}// Thread Ctry{readLock.lock();for(finalEntry<String,String>s:map.entrySet()){/*             * Some possibly slow operation, delaying all other supposedly fast operations.             * Synchronization on individual iterations is not possible.             */...}}finally{readLock.unlock();}

Convoys

[edit]

Mutual exclusion has alock convoy problem, in which threads may pile up on a lock, causing the JVM to need to maintain expensive queues of waiters and to 'park' the waitingThreads. It is expensive to park and unpark aThreads, and a slow context switch may occur. Context switches require from microseconds to milliseconds, while the Map's own basic operations normally take nanoseconds. Performance can drop to a small fraction of a singleThread's throughput as contention increases. When there is no or little contention for the lock, there is little performance impact; however, except for the lock's contention test. Modern JVMs will inline most of the lock code, reducing it to only a few instructions, keeping the no-contention case very fast. Reentrant techniques like native synchronization orjava.util.concurrent.ReentrantReadWriteLock however have extra performance-reducing baggage in the maintenance of the reentrancy depth, affecting the no-contention case as well. The Convoy problem seems to be easing with modern JVMs, but it can be hidden by slow context switching: in this case, latency will increase, but throughput will continue to be acceptable. With hundreds ofThreads , a context switch time of 10ms produces a latency in seconds.

Multiple cores

[edit]

Mutual exclusion solutions fail to take advantage of all of the computing power of a multiple-core system, because only oneThread is allowed inside theMap code at a time. The implementations of the particular concurrent Maps provided by the Java Collections Framework and others sometimes take advantage of multiple cores usinglock free programming techniques. Lock-free techniques use operations like the compareAndSet() intrinsic method available on many of the Java classes such asAtomicReference to do conditional updates of some Map-internal structures atomically. The compareAndSet() primitive is augmented in the JCF classes by native code that can do compareAndSet on special internal parts of some Objects for some algorithms (using 'unsafe' access). The techniques are complex, relying often on the rules of inter-thread communication provided by volatile variables, the happens-before relation, special kinds of lock-free 'retry loops' (which are not like spin locks in that they always produce progress). The compareAndSet() relies on special processor-specific instructions. It is possible for any Java code to use for other purposes the compareAndSet() method on various concurrent classes to achieve Lock-free or even Wait-free concurrency, which provides finite latency. Lock-free techniques are simple in many common cases and with some simple collections like stacks.

The diagram indicates how synchronizing usingCollections.synchronizedMap(java.util.Map)wrapping a regular HashMap (purple) may not scale as well as ConcurrentHashMap (red). The others are the ordered ConcurrentNavigableMaps AirConcurrentMap (blue) and ConcurrentSkipListMap (CSLM green). (The flat spots may be rehashes producing tables that are bigger than the Nursery, and ConcurrentHashMap takes more space. Note y axis should say 'puts K'. System is 8-core i7 2.5 GHz, with -Xms5000m to prevent GC). GC and JVM process expansion change the curves considerably, and some internal lock-Free techniques generate garbage on contention.

The hash tables are both fast
The hash tables are both fast

Only the ordered Maps are scaling, and the synchronized Map is falling backThe synchronized Map has fallen back to be similar to the scaled ordered Maps

Predictable latency

[edit]

Yet another problem with mutual exclusion approaches is that the assumption of complete atomicity made by some single-threaded code creates sporadic unacceptably long inter-Thread delays in a concurrent environment. In particular, Iterators and bulk operations like putAll() and others can take a length of time proportional to the Map size, delaying otherThreads that expect predictably low latency for non-bulk operations. For example, a multi-threaded web server cannot allow some responses to be delayed by long-running iterations of other threads executing other requests that are searching for a particular value. Related to this is the fact thatThreads that lock theMap do not actually have any requirement ever to relinquish the lock, and an infinite loop in the ownerThread may propagate permanent blocking to otherThreads . Slow ownerThreads can sometimes be Interrupted. Hash-based Maps also are subject to spontaneous delays during rehashing.

Weak consistency

[edit]

Thejava.util.concurrent packages' solution to the concurrent modification problem, the convoy problem, the predictable latency problem, and the multi-core problem includes an architectural choice called weak consistency. This choice means that reads likeget(java.lang.Object) will not block even when updates are in progress, and it is allowable even for updates to overlap with themselves and with reads. Weak consistency allows, for example, the contents of aConcurrentMap to change during an iteration of it by a singleThread.[7] The Iterators are designed to be used by oneThread at a time. So, for example, aMap containing two entries that are inter-dependent may be seen in an inconsistent way by a readerThread during modification by anotherThread. An update that is supposed to change the key of an Entry (k1,v) to an Entry (k2,v) atomically would need to do a remove(k1) and then a put(k2, v), while an iteration might miss the entry or see it in two places. Retrievals return the value for a given key that reflectsthe latest previous completed update for that key. Thus there is a 'happens-before' relation.

There is no way forConcurrentMaps to lock the entire table. There is no possibility ofConcurrentModificationException as there is with inadvertent concurrent modification of non-concurrentMaps. Thesize() method may take a long time, as opposed to the corresponding non-concurrentMaps and other collections which usually include a size field for fast access, because they may need to scan the entireMap in some way. When concurrent modifications are occurring, the results reflect the state of theMap at some time, but not necessarily a single consistent state, hencesize(),isEmpty() andcontainsValue(java.lang.Object) may be best used only for monitoring.

ConcurrentMap 1.5 methods

[edit]

There are some operations provided byConcurrentMap that are not inMap - which it extends - to allow atomicity of modifications. The replace(K, v1, v2) will test for the existence ofv1 in the Entry identified byK and only if found, then thev1 is replaced byv2 atomically. The new replace(k,v) will do a put(k,v) only ifk is already in the Map. Also, putIfAbsent(k,v) will do a put(k,v) only ifk is not already in theMap, and remove(k, v) will remove the Entry for v only if v is present. This atomicity can be important for some multi-threaded use cases, but is not related to the weak-consistency constraint.

ForConcurrentMaps, the following are atomic.

m.putIfAbsent(k, v) is atomic but equivalent to:

if(k==null||v==null)thrownewNullPointerException();if(!m.containsKey(k)){returnm.put(k,v);}else{returnm.get(k);}

m.replace(k, v) is atomic but equivalent to:

if(k==null||v==null)thrownewNullPointerException();if(m.containsKey(k)){returnm.put(k,v);}else{returnnull;}

m.replace(k, v1, v2) is atomic but equivalent to:

if(k==null||v1==null||v2==null)thrownewNullPointerException();if(m.containsKey(k)&&Objects.equals(m.get(k),v1)){m.put(k,v2);returntrue;}elsereturnfalse;}

m.remove(k, v) is atomic but equivalent to:

// if Map does not support null keys or values (apparently independently)if(k==null||v==null)thrownewNullPointerException();if(m.containsKey(k)&&Objects.equals(m.get(k),v)){m.remove(k);returntrue;}elsereturnfalse;}

ConcurrentMap 1.8 methods

[edit]

BecauseMap andConcurrentMap are interfaces, new methods cannot be added to them without breaking implementations. However, Java 1.8 added the capability for default interface implementations and it added to theMap interface default implementations of some new methods getOrDefault(Object, V), forEach(BiConsumer), replaceAll(BiFunction), computeIfAbsent(K, Function), computeIfPresent(K, BiFunction), compute(K,BiFunction), and merge(K, V, BiFunction). The default implementations inMap do not guarantee atomicity, but in theConcurrentMap overriding defaults these useLock free techniques to achieve atomicity, and existing ConcurrentMap implementations will automatically be atomic. The lock-free techniques may be slower than overrides in the concrete classes, so concrete classes may choose to implement them atomically or not and document the concurrency properties.

Lock-free atomicity

[edit]

It is possible to uselock-free techniques with ConcurrentMaps because they include methods of asufficiently high consensus number, namely infinity, meaning that any number ofThreads may be coordinated. This example could be implemented with the Java 8 merge() but it shows the overall lock-free pattern, which is more general. This example is not related to the internals of the ConcurrentMap but to the client code's use of the ConcurrentMap. For example, if we want to multiply a value in the Map by a constant C atomically:

staticfinallongC=10;voidatomicMultiply(ConcurrentMap<Long,Long>map,Longkey){for(;;){LongoldValue=map.get(key);// Assuming oldValue is not null. This is the 'payload' operation, and should not have side-effects due to possible re-calculation on conflictLongnewValue=oldValue*C;if(map.replace(key,oldValue,newValue))break;}}

The putIfAbsent(k, v) is also useful when the entry for the key is allowed to be absent. This example could be implemented with the Java 8 compute() but it shows the overall lock-free pattern, which is more general. The replace(k,v1,v2) does not accept null parameters, so sometimes a combination of them is necessary. In other words, ifv1 is null, then putIfAbsent(k, v2) is invoked, otherwise replace(k,v1,v2) is invoked.

voidatomicMultiplyNullable(ConcurrentMap<Long,Long>map,Longkey){for(;;){LongoldValue=map.get(key);// This is the 'payload' operation, and should not have side-effects due to possible re-calculation on conflictLongnewValue=oldValue==null?INITIAL_VALUE:oldValue*C;if(replaceNullable(map,key,oldValue,newValue))break;}}...staticbooleanreplaceNullable(ConcurrentMap<Long,Long>map,Longkey,Longv1,Longv2){returnv1==null?map.putIfAbsent(key,v2)==null:map.replace(key,v1,v2);}

History

[edit]

The Java collections framework was designed and developed primarily byJoshua Bloch, and was introduced inJDK 1.2.[8] The original concurrency classes came fromDoug Lea's[9] collection package.

See also

[edit]

Citations

[edit]
  1. ^abGoetz et al. 2006, pp. 84–85, §5.2 Concurrent collections.
  2. ^Goetz et al. 2006, pp. 85–86, §5.2.1 ConcurrentHashMap.
  3. ^Goetz et al. 2006, pp. 82–83, §5.1.2 Iterators and ConcurrentModificationException.
  4. ^Goetz et al. 2006, pp. 84–85, §5.2.1 ConcurrentHashMap.
  5. ^"java.util.Collections.synchronizedMap". Java / Java SE / 11 / API / java.base.Oracle Help Center. September 19, 2018. Retrieved2020-07-17.
  6. ^Goetz et al. 2006, pp. 95–98, §13.5 Read-write locks.
  7. ^Goetz et al. 2006, pp. 85–86, §5.21 ConcurrentHashMap.
  8. ^Vanhelsuwé, Laurence (January 1, 1999)."The battle of the container frameworks: which should you use?".JavaWorld. Retrieved2020-07-17.
  9. ^Lea, Doug."Overview of package util.concurrent Release 1.3.4". Retrieved2011-01-01.

References

[edit]

External links

[edit]
The WikibookJava Programming has a page on the topic of:Collections
Retrieved from "https://en.wikipedia.org/w/index.php?title=Java_ConcurrentMap&oldid=1221496612"
Categories:
Hidden categories:

[8]ページ先頭

©2009-2025 Movatter.jp