3.3.6-1 ArrayBlockingQueue简单分析
构造方法:public ArrayBlockingQueue(int capacity) {
this(capacity, false);
} public ArrayBlockingQueue(int capacity, boolean fair) {
if (capacity <= 0)
throw new IllegalArgumentException();
this.items = new Object[capacity];
lock = new ReentrantLock(fair);
notEmpty = lock.newCondition();
notFull = lock.newCondition();
} ArrayBlockingQueue的内部元素都放在一个对象数组中 items /** The queued items */ final Object[] items;
添加元素的时候用 offer()和put()方法。用offer方法的时候如果数组已经满了,那么会返回false。但是put方法
如果数组满了的话那么他会一直等待,知道队列中有空闲的位置。
offer方法源码:
public boolean add(E e) {
return super.add(e);
}
public boolean offer(E e) {
checkNotNull(e);
final ReentrantLock lock = this.lock;
lock.lock(); // 一直等到获取锁
try {
if (count == items.length) //假如当前容纳的元素个数已经等于数组长度,那么返回false
return false;
else {
enqueue(e); // 将元素插入到队列中,返回true
return true;
}
} finally {
lock.unlock(); //释放锁
}
}
put方法源码:
public void put(E e) throws InterruptedException {
checkNotNull(e);
final ReentrantLock lock = this.lock;
lock.lockInterruptibly(); //可中断的获取锁
try {
while (count == items.length) //当线程从等待中被唤醒时,会比较当前队列是否已经满了
notFull.await(); //notFull = lock.newCondition 表示队列不满这种状况,假如现场在插入的时候
enqueue(e); //当前队列已经满了时,则需要等到这种情况的发生。
} finally { //可以看出这是一种阻塞式的插入方式
lock.unlock();
}
} 如果我们想要取出元素,那么我们可以采用 poll()和take()方法,如果队列中没有元素了,那么poll会返回null,但是take不会,他会一直等待,直到队列有可用的元素。 poll()方法源码: public E poll() {
final ReentrantLock lock = this.lock;
lock.lock();
try {
return (count == 0) ? null : dequeue(); //假如当前队列中的元素为空,返回null,否则返回出列的元素
} finally {
lock.unlock();
}
} take源码: take方法和put方法相互对应,他一定要拿到一个元素,除非线程被中断。 public E take() throws InterruptedException {
final ReentrantLock lock = this.lock;
lock.lockInterruptibly();
try {
while (count == 0) //线程在刚进入 和 被唤醒时,会查看当前队列是否为空
notEmpty.await(); //notEmpty=lock.newCondition表示队列不为空的这种情况。假如一个线程进行take
return dequeue(); //操作时,队列为空,则会一直等到到这种情况发生。
} finally {
lock.unlock();
}
} peek源码: 如前文所说,peek方法不会真正的从队列中删除元素,实际上只是取出头元素而已。 public E peek() {
final ReentrantLock lock = this.lock;
lock.lock();
try {
return itemAt(takeIndex); // null when queue is empty
// 实际上 itemAt 方法就是 return (E) items[i];
//也就是说 返回 数组中的第i个元素。 } finally { lock.unlock(); }}
remove源码: remove方法实现在Abstract方法中,很容易看懂,里面就是走的poll方法。 public E remove() {
E x = poll();
if (x != null)
return x;
else
throw new NoSuchElementException();
} enqueue源码: 我们再来看看真正得到入队操作,不然光看上面的截图也不明白不是。 private void enqueue(E x) { //因为调用enqueue的方法都已经同步过了,这里就不需要在同步了
// assert lock.getHoldCount() == 1;
// assert items[putIndex] == null;
final Object[] items = this.items;
items[putIndex] = x; //putIndex是下一个放至元素的坐标
if (++putIndex == items.length) //putIndex+1, 并且比较是否与数组长度相同,是的话,则从数组开头
putIndex = 0; //插入元素,这就是循环数组的奥秘了
count++; //当前元素总量+1
notEmpty.signal(); //给等到在数组非空的线程一个信号,唤醒他们。
} dequeue源码: 当然,我们也要看一下出对的操作 private E dequeue() {
// assert lock.getHoldCount() == 1;
// assert items[takeIndex] != null;
final Object[] items = this.items;
@SuppressWarnings("unchecked")
E x = (E) items[takeIndex];
items[takeIndex] = null; //将要取出的元素指向null 表示这个元素已经取出去了
if (++takeIndex == items.length) //takeIndex +1,同样的假如已经取到了数组的末尾,那么就要重新开始取
takeIndex = 0; //这就是循环数组
count--;
if (itrs != null)
itrs.elementDequeued(); //这里实现就比较麻烦,下次单独出一个吧,可以看看源码
notFull.signal(); //同样 需要给 等待数组不满这种情况的线程一个信号,唤醒他们。
return x;
} 练习的例子:
package BlockQueueTEst; import java.util.concurrent.ArrayBlockingQueue;
import java.util.concurrent.BlockingDeque;
import java.util.concurrent.BlockingQueue;
import java.util.concurrent.LinkedBlockingQueue; /**
* Created by zzq on 2018/2/27.
*/
public class BTest {
static ArrayBlockingQueue<String> blockingQueue=new ArrayBlockingQueue<String>(3);
private static class TestT implements Runnable{ public void run() {
try {
System.out.println(blockingQueue.take());
} catch (InterruptedException e) {
e.printStackTrace();
}
;
}
}
private static class TestT2 implements Runnable{ public void run() {
blockingQueue.offer("1");
}
}
// public static void main(String[] args) throws InterruptedException {
// blockingQueue.offer("1");
// blockingQueue.offer("2");
// blockingQueue.offer("3");
// blockingQueue.offer("4");
// blockingQueue.poll();
// blockingQueue.poll();
//
// blockingQueue.offer("5");
// System.out.println(blockingQueue.peek());
//
//// LinkedBlockingQueue linkedBlockingQueue=new LinkedBlockingQueue();
// }
public static void main(String[] args) throws InterruptedException {
Thread t1=new Thread(new TestT());
Thread t2=new Thread(new TestT2());
t1.start();
Thread.sleep(2000);
t2.start();
}
}
3.3.6-1 ArrayBlockingQueue简单分析的更多相关文章
- 简单分析ThreadPoolExecutor回收工作线程的原理
最近阅读了JDK线程池ThreadPoolExecutor的源码,对线程池执行任务的流程有了大体了解,实际上这个流程也十分通俗易懂,就不再赘述了,别人写的比我好多了. 不过,我倒是对线程池是如何回收工 ...
- 简单分析JavaScript中的面向对象
初学JavaScript的时候有人会认为JavaScript不是一门面向对象的语言,因为JS是没有类的概念的,但是这并不代表JavaScript没有对象的存在,而且JavaScript也提供了其它的方 ...
- CSipSimple 简单分析
简介 CSipSimple是一款可以在android手机上使用的支持sip的网络电话软件,可以在上面设置使用callda网络电话.连接使用方式最好是使用wifi,或者3g这样上网速度快,打起电话来效果 ...
- C#中异常:“The type initializer to throw an exception(类型初始值设定项引发异常)”的简单分析与解决方法
对于C#中异常:“The type initializer to throw an exception(类型初始值设定项引发异常)”的简单分析,目前本人分析两种情况,如下: 情况一: 借鉴麒麟.NET ...
- 透过byte数组简单分析Java序列化、Kryo、ProtoBuf序列化
序列化在高性能网络编程.分布式系统开发中是举足轻重的之前有用过Java序列化.ProtocolBuffer等,在这篇文章这里中简单分析序列化后的byte数组观察各种序列化的差异与性能,这里主要分析Ja ...
- 简单分析Java的HashMap.entrySet()的实现
关于Java的HashMap.entrySet(),文档是这样描述的:这个方法返回一个Set,这个Set是HashMap的视图,对Map的操作会在Set上反映出来,反过来也是.原文是 Returns ...
- Ffmpeg解析media容器过程/ ffmpeg 源代码简单分析 : av_read_frame()
ffmpeg 源代码简单分析 : av_read_frame() http://blog.csdn.net/leixiaohua1020/article/details/12678577 ffmpeg ...
- FFmpeg的HEVC解码器源码简单分析:解析器(Parser)部分
===================================================== HEVC源码分析文章列表: [解码 -libavcodec HEVC 解码器] FFmpeg ...
- FFmpeg资料来源简单分析:libswscale的sws_getContext()
===================================================== FFmpeg库函数的源代码的分析文章: [骨架] FFmpeg源码结构图 - 解码 FFmp ...
随机推荐
- STL算法与树结构模板
STL算法 STL 算法是一些模板函数,提供了相当多的有用算法和操作,从简单如for_each(遍历)到复杂如stable_sort(稳定排序),头文件是:#include <algorithm ...
- 转:mysql加锁处理分析
MySQL/InnoDB的加锁分析,一直是一个比较困难的话题.我在工作过程中,经常会有同事咨询这方面的问题.同时,微博上也经常会收到MySQL锁相关的私信,让我帮助解决一些死锁的问题.本文,准备就My ...
- 非常漂亮js动态球型云标签特效代码
<%@ page contentType="text/html;charset=UTF-8" language="java" import="j ...
- 源码安装nginx
#!/bin/bash #安装nginx依赖 apt-get update apt-get install -y make apt-get install -y gcc apt-get install ...
- angularjs之向下一个页面传参
原理: 1.在a标签跳转时,连接后增加一个参数值 2.在路由中接收 3.在控制器中接收 实现: 1.<a href="#/list/{{val.id}}"> 2.在js ...
- C#中StreamReader读取中文出现乱码
转自yhrun原文C#中StreamReader读取中文出现乱码 原因是自Windows 2000之后的操作系统在文件处理时默认编码采用Unicode 所以.NET文件的默认编码也是Unicode.除 ...
- leetcode384
public class Solution { private int[] nums; private Random random; public Solution(int[] nums) { thi ...
- 【开发工具】Jenkins+Gitlab实现自动化部署
我在尝试在容器中安装Jenkins时,初衷是希望使用docker in docker 的模式来实现Jenkins slave容器按需创建.在实现的时候需要在Jenkins 中安装Kubernetes插 ...
- Easyui Datagrid 的Combobox 如何动态修改下拉选项,以及值的转换
我是先将下拉选项的值通过datagrid的url查出来了,在每一行的row中 //项目结果选项卡的列表 $('#project_table').datagrid({ width : ...
- RocketMQ初探(一)
初学RocketMQ,认识一门新技术,还是哪三问:是什么?能干什么?怎么用? 消息中间件主要是实现分布式系统中解耦.异步消息.流量销锋.日志处理等场景. Rocketmq是阿里捐赠给Apache的.3 ...