Flashcards for topic Concurrency
Describe the "deadlock scenario" that can occur when an observer tries to unsubscribe using a background thread while being notified.
Deadlock scenario:
observers
while executing notifyElementAdded
added
methodremoveObserver
observers
This demonstrates how using a separate thread to modify a synchronized collection can lead to deadlock, even when trying to avoid ConcurrentModificationException
.
What is an "open call" in concurrent programming, and why should you prefer it?
An open call is a method invocation made outside of a synchronized region.
Benefits:
Implementation pattern:
This is a fundamental principle for achieving high-performance thread-safe code.
What are state-dependent modify operations in concurrent collections, and how do they solve the problem of atomic operations?
State-dependent modify operations are methods that combine multiple collection operations into a single atomic action.
Key characteristics:
java.util.concurrent
and later to standard collections via default methodsExample operations:
// Adds key-value only if key doesn't exist, returns previous or null map.putIfAbsent(key, value); // Removes entry only if key maps to specific value map.remove(key, value); // Replaces value only if key maps to specific old value map.replace(key, oldValue, newValue);
Solve problems like:
// Non-atomic approach (race condition vulnerable) if (!map.containsKey(key)) map.put(key, value); // Race condition possible here // Atomic approach (thread-safe) map.putIfAbsent(key, value);
These operations eliminate the need for external synchronization while maintaining thread safety.
What is a CountDownLatch, and how would you use it to coordinate the start and completion of multiple concurrent tasks?
CountDownLatch is a synchronizer that:
Example usage to coordinate concurrent execution timing:
// Time the execution of an action with multiple threads public static long time(Executor executor, int concurrency, Runnable action) throws InterruptedException { CountDownLatch ready = new CountDownLatch(concurrency); CountDownLatch start = new CountDownLatch(1); CountDownLatch done = new CountDownLatch(concurrency); for (int i = 0; i < concurrency; i++) { executor.execute(() -> { // Signal ready and wait for start signal ready.countDown(); try { start.await(); // Wait until all threads ready action.run(); // Perform the action } catch (InterruptedException e) { Thread.currentThread().interrupt(); } finally { done.countDown(); // Signal completion } }); } ready.await(); // Wait for all workers to be ready long startNanos = System.nanoTime(); start.countDown(); // Start all workers simultaneously done.await(); // Wait for all workers to finish return System.nanoTime() - startNanos; }
This pattern ensures all threads start simultaneously and accurately measures their total execution time.
What is the most dangerous error regarding Java memory model semantics that many programmers make?
The most dangerous error is believing that atomic operations don't require synchronization for inter-thread visibility.
Many programmers incorrectly think:
The critical misunderstanding:
This leads to subtle, non-deterministic bugs that:
Example of the dangerous pattern:
// BROKEN - may never terminate public class StopThread { private static boolean stopRequested; // NOT volatile or synchronized public static void main(String[] args) throws InterruptedException { Thread backgroundThread = new Thread(() -> { int i = 0; while (!stopRequested) // May never see stopRequested change to true i++; }); backgroundThread.start(); TimeUnit.SECONDS.sleep(1); stopRequested = true; // This write may not be visible to the background thread } }
Always use proper synchronization (synchronized or volatile) for inter-thread communication, even for atomic operations.
Describe the Lazy Initialization Holder Class idiom. When is it appropriate to use, and why is it considered efficient?
The Lazy Initialization Holder Class idiom is a thread-safe pattern for initializing static fields:
// Lazy initialization holder class idiom for static fields private static class FieldHolder { static final FieldType field = computeFieldValue(); } private static FieldType getField() { return FieldHolder.field; }
When to use:
Why it's efficient:
This idiom is considered the most elegant approach for lazy initialization of static fields as it combines thread safety with minimal performance impact.
What are the requirements for proper thread safety documentation in Java classes? What should be included and where?
Thread Safety Documentation Requirements:
Class-level documentation:
For conditionally thread-safe classes:
For methods with special thread safety:
For static factories:
For thread-safe collections with iterators:
Example Documentation:
/** * This class is thread-safe. All public methods are * synchronized internally. */ public class ThreadSafeCounter { // Implementation... } /** * This class is conditionally thread-safe. Methods that * modify the internal state are thread-safe, but iteration * requires external synchronization on the instance. */ public class ConditionalCollection<E> { /** * Returns an iterator over elements. The iterator is not * thread-safe and the calling code must synchronize on * this collection instance when using the iterator. */ public Iterator<E> iterator() { // Implementation... } }
What is the proper way to handle InterruptedException in worker threads and why is this pattern important in frameworks like the concurrent timing example?
The proper way to handle InterruptedException in worker threads:
try { // Code that might be interrupted startSignal.await(); performWork(); } catch (InterruptedException e) { // Reassert the interrupt Thread.currentThread().interrupt(); // Return from the current method or task return; }
Key elements:
Thread.currentThread().interrupt()
Why this pattern is important:
In concurrent timing frameworks:
This is an example of cooperative interruption handling, a critical pattern for robust concurrent applications.
What factors determine whether lazy initialization is beneficial or harmful to performance? When should it be considered?
Factors determining lazy initialization benefit/harm:
Initialization frequency ratio:
Initialization cost:
Access frequency:
Thread contention:
**When to
What are the specific problems with busy-waiting in concurrent applications, and how does the SlowCountDownLatch implementation demonstrate these issues compared to proper waiting mechanisms?
Busy-waiting Problems in Concurrent Applications:
Resource Consumption Issues:
Implementation Problems: The SlowCountDownLatch example demonstrates this:
public void await() { while (true) { // Keeps thread unnecessarily RUNNABLE synchronized(this) { // Creates lock contention if (count == 0) return; } } }
Concurrency Inefficiencies:
Proper Alternative Approach:
Showing 10 of 48 cards. Add this deck to your collection to see all cards.