Just to compare strategies for writing to arrays, I put together some code where one thread writes a non-zero value to an array while another reads through the array, spinning on any elements that are still zero. There is no locking, so this should be fast.
The four different approaches are:
1. Writing to a simple int[] array.
2. Writing to a simple int[] array but occasionally reading/writing a volatile field
3. Writing to a simple int[] array but always reading/writing a volatile field
4. Using AtomicIntegerArray.set(...)
5. Using AtomicIntegerArray.lazySet(...)
The test:
1. Starts the producer thread
2. Starts the consumer thread
3. Joins on the producer thread
4. Joins on the consumer thread but times out after 10 seconds. If the reader thread has not finished after this time, we regard the test in error.
The same framework code is used for all approaches. After a few runs, the results look like:
The four different approaches are:
1. Writing to a simple int[] array.
2. Writing to a simple int[] array but occasionally reading/writing a volatile field
3. Writing to a simple int[] array but always reading/writing a volatile field
4. Using AtomicIntegerArray.set(...)
5. Using AtomicIntegerArray.lazySet(...)
The test:
1. Starts the producer thread
2. Starts the consumer thread
3. Joins on the producer thread
4. Joins on the consumer thread but times out after 10 seconds. If the reader thread has not finished after this time, we regard the test in error.
The same framework code is used for all approaches. After a few runs, the results look like:
| Approach | Mean (seconds) | Standard Deviation (seconds) | 
| AtomicIntegerArray.set(...) | 131.2 | 3.6 | 
| Normal Array Access With Constant Volatile Read/Write | 96.6 | 5.1 | 
| AtomicIntegerArray.lazySet(...) | 42.3 | 6.0 | 
| Normal Array Access | 37.4 | 4.7 | 
| Normal Array Access With Occasional Volatile Read/Write | 6.3 | 3.8 | 
So, we can quickly see that the set(...) method is the slowest way of writing to an array on my machine.
Normal array access looks reasonably fast but it is wrong! Occasionally, you will see the timeout in test step #4 being triggered as there is no guarantee that (in the absence of memory semantics) that the reader thread will see what the writer thread puts in the array.
The winner by far is the strategy to read/write to the array as normal but occasionally have the array writer thread write to some volatile field and the reader thread sometimes read from it. How often is a matter of tuning and what your needs are.
So, in summary:
- Avoid reading/writing from arrays with multiple threads with no further memory semantics (and making the reference to the array volatile is not sufficient). You might find one thread never sees the data another thread has put into the array.
- If you want the fastest exchange of data and can tolerate it being somewhat stale, occasionally use memory semantics.
 
 
No comments:
Post a Comment