Semaphore的使用
程序员文章站
2022-06-04 21:49:44
...
Semaphore是信号量也被称为信号灯,主要作用是同种资源可供多个线程并发访问,通过acquire()方法获取共享资源,通过release()方法释放共享资源。其原理是内部维护了一个计数器,他的值是可共享资源的个数。一个线程想获取共享资源,先获取信号量,若信号量的计数器值大于0,则可以获取资源同时计数器-1。计数器值为0时,线程休眠,某个线程使用完共享资源后,则释放信号量,内部计数器加1。之前睡眠的线程则被唤醒使用共享资源。使用场景比如打印机房多个打印机同时使用等。
下面是示例代码:
public class SemaphoreTest {
public static void main(String[] args) {
ExecutorService service = Executors.newCachedThreadPool();
final Semaphore sp = new Semaphore(3);
for(int i = 0; i < 10; i++) {
Runnable runnable = new Runnable() {
@Override
public void run() {
try {
sp.acquire();
} catch (InterruptedException e1) {
e1.printStackTrace();
}
System.out.println("线程" + Thread.currentThread().getName() +
"进入,当前已有" + (3 - sp.availablePermits()));
try {
Thread.sleep((long)(Math.random()*10000));
} catch (InterruptedException e) {
e.printStackTrace();
}
System.out.println("线程" + Thread.currentThread().getName() +
"即将离开");
sp.release();
System.out.println("线程" + Thread.currentThread().getName() +
"已离开,当前已有" + (3 - sp.availablePermits()));
}
};
service.execute(runnable);
}
}
}
下面是运行结果:
线程pool-1-thread-1进入,当前已有3
线程pool-1-thread-3进入,当前已有3
线程pool-1-thread-2进入,当前已有3
线程pool-1-thread-1即将离开
线程pool-1-thread-1已离开,当前已有2
线程pool-1-thread-4进入,当前已有3
线程pool-1-thread-4即将离开
线程pool-1-thread-4已离开,当前已有2
线程pool-1-thread-5进入,当前已有3
线程pool-1-thread-3即将离开
线程pool-1-thread-3已离开,当前已有2
......