0

我有这个生产者消费者示例程序,如下所示

我怎样才能在我的消费者线程类中放置一个条件,这样如果我在 1 分钟内没有从生产者那里收到数据,我需要记录它?

这是我的生产者消费者计划

public class ProducerConsumerTest {
    public static void main(String[] args) {
        CubbyHole c = new CubbyHole();
        Producer p1 = new Producer(c, 1);
        Consumer c1 = new Consumer(c, 1);
        p1.start();
        c1.start();
    }
}

class CubbyHole {
    private int contents;
    private boolean available = false;

    public synchronized int get() {
        while (available == false) {
            try {
                wait();
            } catch (InterruptedException e) {
            }
        }
        available = false;
        notifyAll();
        return contents;
    }

    public synchronized void put(int value) {
        while (available == true) {
            try {
                wait();
            } catch (InterruptedException e) {
            }
        }
        contents = value;
        available = true;
        notifyAll();
    }
}



class Producer extends Thread {
    private CubbyHole cubbyhole;
    private int number;

    public Producer(CubbyHole c, int number) {
        cubbyhole = c;
        this.number = number;
    }

    public void run() {
        while(true)
        {
        for (int i = 0; i < 100000; i++) {
            cubbyhole.put(i);
            System.out.println("Producer #" + this.number + " put: " + i);
            try {
                sleep((int) (Math.random() * 2000));
            } catch (Exception e) {
            }
        }
        }
    }
}


class Consumer extends Thread {
    private CubbyHole cubbyhole;
    private int number;

    public Consumer(CubbyHole c, int number) {
        cubbyhole = c;
        this.number = number;
    }

    public void run() {
        while(true)
        {
        int value = 0;
        for (int i = 0; i < 100000; i++) {
            value = cubbyhole.get();
            System.out.println("Consumer #" + this.number + " got: " + value);
        }
        }
    }
}

有人可以帮忙吗

4

2 回答 2

1

您可以Object#wait(long timeout)get()方法内部使用和记录:

try {
    wait(60 * 1000);
    if (available == false) {
        //log
    }
} catch (InterruptedException e) {
}
于 2013-05-23T13:10:11.687 回答
0

System.currentTimeMilis()在您的Consumer run方法中使用:

long before;
for (int i = 0; i < 100000; i++) {
        before = System.currentTimeMilis();
        value = cubbyhole.get();
        if (System.currentTimeMilis() - before > 1000 * 60) {
            System.out.println("Consumer waited for more than one minute");
        }
        System.out.println("Consumer #" + this.number + " got: " + value);
}
于 2013-05-23T13:30:03.667 回答