semaphore类也是java1.5出现的,位于java.util.concurrent包下
首先看下他的文档解释:
一个计数信号量。从概念上讲,信号量维护了一个许可集。如有必要,在许可可用前会阻塞每一个
acquire()
,然后再获取该许可。每个 release()
添加一个许可,从而可能释放一个正在阻塞的获取者。但是,不使用实际的许可对象,Semaphore
只对可用许可的号码进行计数,并采取相应的行动,他有二个非常重要的方法,一个是acquire,一个是release方法
现在看下这二个方法的介绍
public void acquire() throws InterruptedException
如果没有可用的许可,则在发生以下两种情况之一前,禁止将当前线程用于线程安排目的并使其处于休眠状态:
如果当前线程:
中断
。
则抛出 InterruptedException
,并且清除当前线程的已中断状态。
InterruptedException
- 如果当前线程被中断public void release()
不要求释放许可的线程必须通过调用 acquire()
来获取许可。通过应用程序中的编程约定来建立信号量的正确用法。
面的例子只允许5个线程同时进入执行acquire()和release()之间的代码
package cn.kge.com.thread; import java.util.concurrent.ExecutorService; import java.util.concurrent.Executors; import java.util.concurrent.Semaphore; public class ThreadSemaphoreTest { public static void main(String[] args) { // 线程池 ExecutorService exec = Executors.newCachedThreadPool(); // 只能5个线程同时访问 final Semaphore semp = new Semaphore(5); // 模拟20个客户端访问 for (int index = 0; index < 20; index++) { final int NO = index; Runnable run = new Runnable() { public void run() { try { // 获取许可 semp.acquire(); System.out.println("线程" + Thread.currentThread().getName() + "进入,当前已有" ); Thread.sleep((long) (Math.random() * 10000)); // 访问完后,释放 ,如果屏蔽下面的语句,则在控制台只能打印5条记录,之后线程一直阻塞 System.out.println("线程" + Thread.currentThread().getName() + "即将离开"); semp.release(); } catch (InterruptedException e) { } } }; exec.execute(run); } // 退出线程池 exec.shutdown(); } }
线程pool-1-thread-1进入,当前已有
线程pool-1-thread-2进入,当前已有
线程pool-1-thread-4进入,当前已有
线程pool-1-thread-6进入,当前已有
线程pool-1-thread-5进入,当前已有
线程pool-1-thread-6即将离开
线程pool-1-thread-8进入,当前已有
线程pool-1-thread-4即将离开
线程pool-1-thread-9进入,当前已有
线程pool-1-thread-8即将离开
线程pool-1-thread-10进入,当前已有
线程pool-1-thread-5即将离开
线程pool-1-thread-3进入,当前已有
线程pool-1-thread-1即将离开
线程pool-1-thread-7进入,当前已有
线程pool-1-thread-2即将离开
线程pool-1-thread-13进入,当前已有
线程pool-1-thread-13即将离开
线程pool-1-thread-12进入,当前已有
线程pool-1-thread-10即将离开
线程pool-1-thread-11进入,当前已有
线程pool-1-thread-3即将离开
线程pool-1-thread-14进入,当前已有
线程pool-1-thread-12即将离开
线程pool-1-thread-16进入,当前已有
线程pool-1-thread-7即将离开
线程pool-1-thread-17进入,当前已有
线程pool-1-thread-9即将离开
线程pool-1-thread-18进入,当前已有
线程pool-1-thread-16即将离开
线程pool-1-thread-15进入,当前已有
线程pool-1-thread-14即将离开
线程pool-1-thread-19进入,当前已有
线程pool-1-thread-18即将离开
线程pool-1-thread-20进入,当前已有
线程pool-1-thread-11即将离开
线程pool-1-thread-17即将离开
线程pool-1-thread-15即将离开
线程pool-1-thread-19即将离开
线程pool-1-thread-20即将离开
原文地址:http://blog.csdn.net/coderinchina/article/details/46495437