gpt4 book ai didi

java - 有容量的延迟队列

转载 作者:塔克拉玛干 更新时间:2023-11-02 20:16:16 27 4
gpt4 key购买 nike

我正在使用延迟队列。我需要使用它以便仅在延迟过去后才从队列中取出。我还想强制执行一个容量,很像 BlockingQueue。我似乎找不到这个的 Collections 实现。一个存在吗?如果没有,实现它的最佳方式是什么?一个基本的方法是做这样的事情:

public void addSomethingToQueue(Object somethingToAdd){
int capacity = 4;

while(queue.size() >= capacity){
try{
wait();
}catch(InterruptedException e){
e.printStackTrace();
}
}

queue.add(somethingToAdd);
}

这意味着每次删除某些内容时都会调用 notify/notifyAll。这是一个很小的类(class),所以这是可行的。虽然听起来不太好。而且我不确定等待/通知是否会导致进一步的问题?

子类化 DelayQueue 并乱用它的方法会更好吗?感觉有点狡猾...

最佳答案

为什么不组合一个 BlockingQueue 和一个 DelayQueue?例如:

class MyDelayBlockingQueue<T> implements Queue {
private final DelayQueue<T> delayQ = ...
private final BlockingQueue<T> blockingQ = ...

public synchronized void offer(T obj) {
blockingQ.offer(obj); // this will block if the Q is full
delayQ.offer(obj);
}

public synchronized T poll() {
T obj = delayQ.poll(); // This will handle the delay
if (obj != null) {
blockingQ.poll();
}
return obj;
}

// ...
}

编辑

上面的代码会死锁。如果 Q 已满,offer 将阻塞在一个同步块(synchronized block)中,并且以后所有对 poll 的调用都将阻塞以获取 Q 的内在锁 - 从而导致死锁。尝试类似的东西:

public class DelayBlockingQueue<E extends Delayed>
{
private final DelayQueue<E> delayQ = new DelayQueue<E>();
private final Semaphore available;

public DelayBlockingQueue(int capacity)
{
available = new Semaphore(capacity, true);
}

public void offer(E e) throws InterruptedException
{
available.acquire();
delayQ.offer(e);
}

public E poll()
{
E e = delayQ.poll();
if (e != null)
{
available.release();
}
return e;
}
}

关于java - 有容量的延迟队列,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/6746604/

27 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com