Java Concurrency - Semaphore
Use java.util.concurrent.Semaphore to control concurrent access to a resource in Java.
What is a Semaphore
?
A Semaphore
is a synchronization aid that controls access to a shared resource by maintaining a set number of permits. It can be thought of as a counter that controls how many threads can access a resource at the same time.
Key Concepts:
- Permits: Define how many threads can access a resource concurrently.
- Acquire & Release: Threads acquire permits before proceeding and release them when done.
- Blocking & Non-Blocking: Threads can wait indefinitely for permits or use timeouts.
When to Use a Semaphore
Use Semaphore
when:
- You need to limit access to a shared resource (e.g., database connections, file access).
- Implementing rate limiting or thread pooling.
- Managing fair access to critical sections.
How Semaphore
Works
The basic usage of Semaphore
involves:
- Creating a
Semaphore
with a specified number of permits. - Threads acquiring and releasing permits as needed.
Example: Controlling Access to a Resource
1 | import java.util.concurrent.Semaphore; |
Output (Example Execution)
1 | Thread-1 is trying to acquire a permit... |
Fair vs. Non-Fair Semaphores
By default, Semaphore
is non-fair, meaning it does not guarantee that the longest-waiting thread gets the permit first. You can create a fair semaphore like this:
1 | Semaphore semaphore = new Semaphore(3, true); |
A fair semaphore ensures that permits are granted in FIFO (First-In-First-Out) order. This is useful when strict ordering is needed but may slightly impact performance.
Advanced Use Case: Semaphore for Producer-Consumer
Semaphores can also be used to implement producer-consumer patterns where producers generate items and consumers process them.
1 | import java.util.concurrent.Semaphore; |
tryAcquire()
Acquires a permit from this semaphore, only if one is available at the time of invocation.
This method is often used in scenarios where you want to attempt to acquire a permit without blocking the thread. If a permit is available, it returns true
; otherwise, it returns false
.
Conclusion
Semaphore
is a powerful tool in Java’s concurrency toolkit. It helps manage access to resources, control concurrent execution, and prevent race conditions. Whether you need to limit access to a resource, implement a producer-consumer model, or enforce fairness, Semaphore
provides a flexible and efficient solution.
Key Takeaways:
✅ Use Semaphore
to limit concurrent access to shared resources.
✅ Choose fair or non-fair mode based on performance vs. fairness needs.
✅ Combine Semaphore
with other concurrency tools for more advanced scenarios.
By mastering java.util.concurrent.Semaphore
, you can write more efficient and thread-safe Java applications! 🚀
Would you like any refinements or more advanced examples? 😊