欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

Java高并发BlockingQueue重要的实现类详解

程序员文章站 2022-04-21 09:21:21
arrayblockingqueue有界的阻塞队列,内部是一个数组,有边界的意思是:容量是有限的,必须进行初始化,指定它的容量大小,以先进先出的方式存储数据,最新插入的在对尾,最先移除的对象在头部。p...

arrayblockingqueue

有界的阻塞队列,内部是一个数组,有边界的意思是:容量是有限的,必须进行初始化,指定它的容量大小,以先进先出的方式存储数据,最新插入的在对尾,最先移除的对象在头部。

public class arrayblockingqueue<e> extends abstractqueue<e>
implements blockingqueue<e>, java.io.serializable {
 /** 队列元素 */
 final object[] items;

 /** 下一次读取操作的位置, poll, peek or remove */
 int takeindex;

 /** 下一次写入操作的位置, offer, or add */
 int putindex;

 /** 元素数量 */
 int count;
 
 /*
  * concurrency control uses the classic two-condition algorithm
  * found in any textbook.
  * 它采用一个 reentrantlock 和相应的两个 condition 来实现。
  */

 /** main lock guarding all access */
 final reentrantlock lock;

 /** condition for waiting takes */
 private final condition notempty;

 /** condition for waiting puts */
 private final condition notfull;
 
 /** 指定大小 */
 public arrayblockingqueue(int capacity) {
  this(capacity, false);
 }
 
 /** 
  * 指定容量大小与指定访问策略 
  * @param fair 指定独占锁是公平锁还是非公平锁。非公平锁的吞吐量比较高,公平锁可以保证每次都是等待最久的线程获取到锁;
  */
 public arrayblockingqueue(int capacity, boolean fair) {}
 
 /** 
  * 指定容量大小、指定访问策略与最初包含给定集合中的元素 
  * @param c 将此集合中的元素在构造方法期间就先添加到队列中 
  */
 public arrayblockingqueue(int capacity, boolean fair,
        collection<? extends e> c) {}
}

  • arrayblockingqueue 在生产者放入数据和消费者获取数据,都是共用一个锁对象,由此也意味着两者无法真正并行运行。按照实现原理来分析, arrayblockingqueue 完全可以采用分离锁,从而实现生产者和消费者操作的完全并行运行。然而事实上并没有如此,因为 arrayblockingqueue 的数据写入已经足够轻巧,以至于引入独立的锁机制,除了给代码带来额外的复杂性外,其在性能上完全占不到任何便宜。
  • 通过构造函数得知,参数 fair 控制对象内部是否采用公平锁,默认采用非公平锁。
  • items、takeindex、putindex、count 等属性并没有使用 volatile 修饰,这是因为访问这些变量(通过方法获取)使用都在锁内,并不存在可见性问题,如 size() 。
  • 另外有个独占锁 lock 用来对出入对操作加锁,这导致同时只有一个线程可以访问入队出队。

put 源码分析

/** 进行入队操作 */
public void put(e e) throws interruptedexception {
  //e为null,则抛出nullpointerexception异常
  checknotnull(e);
  //获取独占锁
  final reentrantlock lock = this.lock;
  /**
   * lockinterruptibly()
   * 获取锁定,除非当前线程为interrupted
   * 如果锁没有被另一个线程占用并且立即返回,则将锁定计数设置为1。
   * 如果当前线程已经保存此锁,则保持计数将递增1,该方法立即返回。
   * 如果锁被另一个线程保持,则当前线程将被禁用以进行线程调度,并且处于休眠状态
   * 
   */
  lock.lockinterruptibly();
  try {
   //空队列
   while (count == items.length)
    //进行条件等待处理
    notfull.await();
   //入队操作
   enqueue(e);
  } finally {
   //释放锁
   lock.unlock();
  }
 }
 
 /** 真正的入队 */
 private void enqueue(e x) {
  // assert lock.getholdcount() == 1;
  // assert items[putindex] == null;
  //获取当前元素
  final object[] items = this.items;
  //按下一个插入索引进行元素添加
  items[putindex] = x;
  // 计算下一个元素应该存放的下标,可以理解为循环队列
  if (++putindex == items.length)
   putindex = 0;
  count++;
  //唤起消费者
  notempty.signal();
}

这里由于在操作共享变量前加了锁,所以不存在内存不可见问题,加锁后获取的共享变量都是从主内存中获取的,而不是在cpu缓存或者寄存器里面的值,释放锁后修改的共享变量值会刷新到主内存。

另外这个队列使用循环数组实现,所以在计算下一个元素存放下标时候有些特殊。另外 insert 后调用 notempty.signal() ;是为了激活调用 notempty.await(); 阻塞后放入 notempty 条件队列的线程。

take 源码分析

public e take() throws interruptedexception {
  final reentrantlock lock = this.lock;
  lock.lockinterruptibly();
  try {
   while (count == 0)
    notempty.await();
   return dequeue();
  } finally {
   lock.unlock();
  }
 }
 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;
  if (++takeindex == items.length)
   takeindex = 0;
  count--;
  //这里有些特殊
  if (itrs != null)
   //保持队列中的元素和迭代器的元素一致
   itrs.elementdequeued();
  notfull.signal();
  return x;
}

take 操作和 put 操作很类似

//该类的迭代器,所有的迭代器共享数据,队列改变会影响所有的迭代器

transient itrs itrs = null; //其存放了目前所创建的所有迭代器。

/**
* 迭代器和它们的队列之间的共享数据,允许队列元素被删除时更新迭代器的修改。
*/
class itrs {
  void elementdequeued() {
   // assert lock.getholdcount() == 1;
   if (count == 0)
    //队列中数量为0的时候,队列就是空的,会将所有迭代器进行清理并移除
    queueisempty();
   //takeindex的下标是0,意味着队列从尾中取完了,又回到头部获取
   else if (takeindex == 0)
    takeindexwrapped();
  }
  
  /**
   * 当队列为空的时候做的事情
   * 1. 通知所有迭代器队列已经为空
   * 2. 清空所有的弱引用,并且将迭代器置空
   */
  void queueisempty() {}
  
  /**
   * 将takeindex包装成0
   * 并且通知所有的迭代器,并且删除已经过期的任何对象(个人理解是置空对象)
   * 也直接的说就是在blocking队列进行出队的时候,进行迭代器中的数据同步,保持队列中的元素和迭代器的元素是一致的。
   */
  void takeindexwrapped() {}
}

itrs迭代器创建的时机

//从这里知道,在arrayblockingqueue对象中调用此方法,才会生成这个对象
//那么就可以理解为,只要并未调用此方法,则arrayblockingqueue对象中的itrs对象则为空
public iterator<e> iterator() {
  return new itr();
 }
 
 private class itr implements iterator<e> {
  itr() {
   //这里就是生产它的地方
   //count等于0的时候,创建的这个迭代器是个无用的迭代器,可以直接移除,进入detach模式。
   //否则就把当前队列的读取位置给迭代器当做下一个元素,cursor存储下个元素的位置。
   if (count == 0) {
    // assert itrs == null;
    cursor = none;
    nextindex = none;
    prevtakeindex = detached;
   } else {
    final int takeindex = arrayblockingqueue.this.takeindex;
    prevtakeindex = takeindex;
    nextitem = itemat(nextindex = takeindex);
    cursor = inccursor(takeindex);
    if (itrs == null) {
     itrs = new itrs(this);
    } else {
     itrs.register(this); // in this order
     itrs.dosomesweeping(false);
    }
    prevcycles = itrs.cycles;
    // assert takeindex >= 0;
    // assert prevtakeindex == takeindex;
    // assert nextindex >= 0;
    // assert nextitem != null;
    }
  }
}

代码演示

package com.rumenz.task;

import java.util.concurrent.arrayblockingqueue;
import java.util.concurrent.blockingqueue;
import java.util.concurrent.executorservice;
import java.util.concurrent.executors;

/**
 * @classname: blockingququeexample
 * @description: todo 类描述
 * @author: mac
 * @date: 2021/1/20
 **/
public class blockingqueueexample {

 private static volatile boolean flag=false;

 public static void main(string[] args) {

 

  blockingqueue blockingqueue=new arrayblockingqueue(1024);
  executorservice executorservice = executors.newfixedthreadpool(2);

  executorservice.execute(()->{
    try{
     blockingqueue.put(1);
     thread.sleep(2000);
     blockingqueue.put(3);
     flag=true;
    }catch (exception e){
     e.printstacktrace();
    }
  });

  executorservice.execute(()->{
   try {

    while (!flag){
     integer i = (integer) blockingqueue.take();
     system.out.println(i);
    }

   }catch (exception e){
    e.printstacktrace();
   }

  });

  executorservice.shutdown();
 }
}

linkedblockingqueue

基于链表的阻塞队列,通 arrayblockingqueue 类似,其内部也维护这一个数据缓冲队列(该队列由一个链表构成),当生产者往队列放入一个数据时,队列会从生产者手上获取数据,并缓存在队列的内部,而生产者立即返回,只有当队列缓冲区到达最大值容量时(linkedblockingqueue可以通过构造函数指定该值),才会阻塞队列,直到消费者从队列中消费掉一份数据,生产者会被唤醒,反之对于消费者这端的处理也基于同样的原理。

linkedblockingqueue 之所以能够高效的处理并发数据,还因为其对于生产者和消费者端分别采用了独立的锁来控制数据同步,这也意味着在高并发的情况下生产者和消费者可以并行的操作队列中的数据,以调高整个队列的并发能力。

如果构造一个 linkedblockingqueue 对象,而没有指定容量大小, linkedblockingqueue 会默认一个类似无限大小的容量 integer.max_value ,这样的话,如果生产者的速度一旦大于消费者的速度,也许还没有等到队列满阻塞产生,系统内存就有可能已经被消耗殆尽了。

linkedblockingqueue 是一个使用链表完成队列操作的阻塞队列。链表是单向链表,而不是双向链表。

public class linkedblockingqueue<e> extends abstractqueue<e>
implements blockingqueue<e>, java.io.serializable {
 //队列的容量,指定大小或为默认值integer.max_value
 private final int capacity;
 
 //元素的数量
 private final atomicinteger count = new atomicinteger();
 
 //队列头节点,始终满足head.item==null
 transient node<e> head;
 
 //队列的尾节点,始终满足last.next==null
 private transient node<e> last;
 
 /** lock held by take, poll, etc */
 //出队的锁:take, poll, peek 等读操作的方法需要获取到这个锁
 private final reentrantlock takelock = new reentrantlock();

 /** wait queue for waiting takes */
 //当队列为空时,保存执行出队的线程:如果读操作的时候队列是空的,那么等待 notempty 条件
 private final condition notempty = takelock.newcondition();

 /** lock held by put, offer, etc */
 //入队的锁:put, offer 等写操作的方法需要获取到这个锁
 private final reentrantlock putlock = new reentrantlock();

 /** wait queue for waiting puts */
 //当队列满时,保存执行入队的线程:如果写操作的时候队列是满的,那么等待 notfull 条件
 private final condition notfull = putlock.newcondition();
 
 //传说中的*队列
 public linkedblockingqueue() {}
 //传说中的有界队列
 public linkedblockingqueue(int capacity) {
  if (capacity <= 0) throw new illegalargumentexception();
  this.capacity = capacity;
  last = head = new node<e>(null);
 }
 //传说中的*队列
 public linkedblockingqueue(collection<? extends e> c){}
 
 /**
  * 链表节点类
  */
 static class node<e> {
  e item;

  /**
   * one of:
   * - 真正的继任者节点
   * - 这个节点,意味着继任者是head.next
   * - 空,意味着没有后继者(这是最后一个节点)
   */
  node<e> next;

  node(e x) { item = x; }
 }
}

通过其构造函数,得知其可以当做*队列也可以当做有界队列来使用。
这里用了两把锁分别是 takelock 和 putlock ,而 condition 分别是 notempty 和 notfull ,它们是这样搭配的。

takelock
putlock

从上面的构造函数中可以看到,这里会初始化一个空的头结点,那么第一个元素入队的时候,队列中就会有两个元素。读取元素时,也是获取头结点后面的一个元素。count的计数值不包含这个头结点。

put源码分析

public class linkedblockingqueue<e> extends abstractqueue<e>
  implements blockingqueue<e>, java.io.serializable { 
 /**
  * 将指定元素插入到此队列的尾部,如有必要,则等待空间变得可用。
  */
 public void put(e e) throws interruptedexception {
  if (e == null) throw new nullpointerexception();
  // 如果你纠结这里为什么是 -1,可以看看 offer 方法。这就是个标识成功、失败的标志而已。
  int c = -1;
  //包装成node节点
  node<e> node = new node<e>(e);
  final reentrantlock putlock = this.putlock;
  final atomicinteger count = this.count;
  //获取锁定
  putlock.lockinterruptibly();
  try {
   /** 如果队列满,等待 notfull 的条件满足。 */
   while (count.get() == capacity) {
    notfull.await();
   }
   //入队
   enqueue(node);
   //原子性自增
   c = count.getandincrement();
   // 如果这个元素入队后,还有至少一个槽可以使用,调用 notfull.signal() 唤醒等待线程。
   // 哪些线程会等待在 notfull 这个 condition 上呢?
   if (c + 1 < capacity)
    notfull.signal();
  } finally {
  //解锁
   putlock.unlock();
  }
  // 如果 c == 0,那么代表队列在这个元素入队前是空的(不包括head空节点),
  // 那么所有的读线程都在等待 notempty 这个条件,等待唤醒,这里做一次唤醒操作
  if (c == 0)
   signalnotempty();
 }
 
 /** 链接节点在队列末尾 */
 private void enqueue(node<e> node) {
  // assert putlock.isheldbycurrentthread();
  // assert last.next == null;
  // 入队的代码非常简单,就是将 last 属性指向这个新元素,并且让原队尾的 next 指向这个元素
  //last.next = node;
  //last = node;
  // 这里入队没有并发问题,因为只有获取到 putlock 独占锁以后,才可以进行此操作
  last = last.next = node;
 }
 
 /**
  * 等待put信号
  * 仅在 take/poll 中调用
  * 也就是说:元素入队后,如果需要,则会调用这个方法唤醒读线程来读
  */
 private void signalnotfull() {
  final reentrantlock putlock = this.putlock;
  putlock.lock();
  try {
   notfull.signal();//唤醒
  } finally {
   putlock.unlock();
  }
 }
}

take源码分析

public class linkedblockingqueue<e> extends abstractqueue<e>
  implements blockingqueue<e>, java.io.serializable { 
 public e take() throws interruptedexception {
  e x;
  int c = -1;
  final atomicinteger count = this.count;
  final reentrantlock takelock = this.takelock;
  //首先,需要获取到 takelock 才能进行出队操作
  takelock.lockinterruptibly();
  try {
   // 如果队列为空,等待 notempty 这个条件满足再继续执行
   while (count.get() == 0) {
    notempty.await();
   }
   //// 出队
   x = dequeue();
   //count 进行原子减 1
   c = count.getanddecrement();
   // 如果这次出队后,队列中至少还有一个元素,那么调用 notempty.signal() 唤醒其他的读线程
   if (c > 1)
    notempty.signal();
  } finally {
   takelock.unlock();
  }
  if (c == capacity)
   signalnotfull();
  return x;
 }
 
 /**
  * 出队
  */
 private e dequeue() {
  // assert takelock.isheldbycurrentthread();
  // assert head.item == null;
  node<e> h = head;
  node<e> first = h.next;
  h.next = h; // help gc
  head = first;
  e x = first.item;
  first.item = null;
  return x;
 }
 
 /**
  * signals a waiting put. called only from take/poll.
  */
 private void signalnotfull() {
  final reentrantlock putlock = this.putlock;
  putlock.lock();
  try {
   notfull.signal();
  } finally {
   putlock.unlock();
  }
 }
}

与 arrayblockingqueue 对比

arrayblockingqueue和linkedblockingqueue间还有一个明显的不同之处在于,前者在插入或删除元素时不会产生或销毁任何额外的对象实例,而后者则会生成一个额外的node对象。这在长时间内需要高效并发地处理大批量数据的系统中,其对于gc的影响还是存在一定的区别。

linkedblockingqueue 实现一个线程添加文件对象,四个线程读取文件对象

package concurrent;
import java.io.file;
import java.io.filefilter;
import java.util.concurrent.blockingqueue;
import java.util.concurrent.executorservice;
import java.util.concurrent.executors;
import java.util.concurrent.linkedblockingqueue;
import java.util.concurrent.atomic.atomicinteger;

public class testblockingqueue {
 static long randomtime() {
 return (long) (math.random() * 1000);
 }

 public static void main(string[] args) {
 // 能容纳100个文件
 final blockingqueue<file> queue = new linkedblockingqueue<file>(100);
 // 线程池
 final executorservice exec = executors.newfixedthreadpool(5);
 final file root = new file("f:\\javalib");
 // 完成标志
 final file exitfile = new file("");
 // 读个数
 final atomicinteger rc = new atomicinteger();
 // 写个数
 final atomicinteger wc = new atomicinteger();
 // 读线程
 runnable read = new runnable() {
  public void run() {
  scanfile(root);
  scanfile(exitfile);
  }

  public void scanfile(file file) {
  if (file.isdirectory()) {
   file[] files = file.listfiles(new filefilter() {
   public boolean accept(file pathname) {
    return pathname.isdirectory()
     || pathname.getpath().endswith(".java");
   }
   });
   for (file one : files)
   scanfile(one);
  } else {
   try {
   int index = rc.incrementandget();
   system.out.println("read0: " + index + " "
    + file.getpath());
   queue.put(file);
   } catch (interruptedexception e) {
   }
  }
  }
 };
 exec.submit(read);
 // 四个写线程
 for (int index = 0; index < 4; index++) {
  // write thread
  final int no = index;
  runnable write = new runnable() {
  string threadname = "write" + no;
  public void run() {
   while (true) {
   try {
    thread.sleep(randomtime());
    int index = wc.incrementandget();
    file file = queue.take();
    // 队列已经无对象
    if (file == exitfile) {
    // 再次添加"标志",以让其他线程正常退出
    queue.put(exitfile);
    break;
    }
    system.out.println(threadname + ": " + index + " "
     + file.getpath());
   } catch (interruptedexception e) {
   }
   }
  }
  };
  exec.submit(write);
 }
 exec.shutdown();
 }
}

总结

到此这篇关于java高并发blockingqueue重要实现类的文章就介绍到这了,更多相关java高并发blockingqueue实现类内容请搜索以前的文章或继续浏览下面的相关文章希望大家以后多多支持!