• 背景
  • 实现方式
  • wait()/notify()
    • blockingQueue方式

    背景

    生产者消费者模式是通过一个容器来解决生产者和消费者的强耦合问题。生产者和消费者彼此之间不直接通讯,而通过阻塞队列来进行通讯,所以生产者生产完数据之后不用等待消费者处理,直接扔给阻塞队列,消费者不找生产者要数据,而是直接从阻塞队列里取,阻塞队列就相当于一个缓冲区,平衡了生产者和消费者的处理能力。解决生产者/消费者问题的方法可分为两类:
    (1)采用某种机制保护生产者和消费者之间的同步;
    (2)在生产者和消费者之间建立一个管道。第一种方式有较高的效率,并且易于实现,代码的可控制性较好,属于常用的模式。第二种管道缓冲区不易控制,被传输数据对象不易于封装等,实用性不强。因此本文只介绍同步机制实现的生产者/消费者问题。

    实现方式

    在Java中一共有四种方法支持同步,其中前三个是同步方法,一个是管道方法。
    1) wait() / notify()方法
    2) await() / signal()方法
    3) BlockingQueue阻塞队列方法
    4) PipedInputStream / PipedOutputStream

    wait()/notify()

    blockingQueue方式

    1. public class ProducerConsumer<T> {
    2. static class MsgQueueManager<T> {
    3. /**
    4. * 消息总队列
    5. */
    6. public final BlockingQueue<T> messageQueue;
    7. MsgQueueManager(BlockingQueue<T> messageQueue) {
    8. this.messageQueue = messageQueue;
    9. }
    10. MsgQueueManager() {
    11. this.messageQueue = new LinkedBlockingQueue<T>();
    12. }
    13. public void put(T msg) {
    14. try {
    15. messageQueue.put(msg);
    16. } catch (InterruptedException e) {
    17. Thread.currentThread().interrupt();
    18. }
    19. }
    20. public T take() {
    21. try {
    22. return messageQueue.take();
    23. } catch (InterruptedException e) {
    24. Thread.currentThread().interrupt();
    25. }
    26. return null;
    27. }
    28. }
    29. static class Producer extends Thread {
    30. private MsgQueueManager msgQueueManager;
    31. public Producer(MsgQueueManager msgQueueManager) {
    32. this.msgQueueManager = msgQueueManager;
    33. }
    34. @Override
    35. public void run() {
    36. msgQueueManager.put(new Object());
    37. }
    38. }
    39. static class Consumer extends Thread{
    40. private MsgQueueManager msgQueueManager;
    41. public Consumer(MsgQueueManager msgQueueManager) {
    42. this.msgQueueManager = msgQueueManager;
    43. }
    44. @Override
    45. public void run() {
    46. Object o = msgQueueManager.take();
    47. }
    48. }
    49. public static void main(String[] args) {
    50. MsgQueueManager<String> msgQueueManager = new MsgQueueManager<String>();
    51. for(int i = 0; i < 100; i ++) {
    52. new Producer(msgQueueManager).start();
    53. }
    54. for(int i = 0; i < 100; i ++) {
    55. new Consumer(msgQueueManager).start();
    56. }
    57. }
    58. }

    http://www.infoq.com/cn/articles/producers-and-consumers-mode/
    http://blog.csdn.net/monkey_d_meng/article/details/6251879