我正在寻找可以同时访问的java.util.Queue
实现,其中元素随机地added
和/或removed
。也就是说,我正在寻找不遵循FIFO约束的实现,但确保在当前包含的条目中随机播放新条目。
请注意according to the java.util.Queue
contract,“通常排队,但不一定,以FIFO(先入先出)方式排序元素。”
答案 0 :(得分:2)
我认为您可以基于java.util.concurrent.PriorityBlockingQueue实现自己的版本,就像这样
class ConcurrenRandomizingQueue<E> extends AbstractQueue<E> {
static Random r = new Random();
Queue<Entry> q = new PriorityBlockingQueue<Entry>();
static class Entry implements Comparable<Entry> {
Object e;
int p;
Entry(Object e) {
this.e = e;
this.p = r.nextInt();
}
public int compareTo(Entry e) {
return Integer.compare(p, e.p);
}
}
public boolean offer(E e) {
return q.offer(new Entry(e));
}
public E poll() {
Entry e = q.poll();
if (e == null)
return null;
return (E) e.e;
}
public E peek() {
Entry e = q.peek();
if (e == null)
return null;
return (E) e.e;
}
public int size() {
return q.size();
}
public Iterator<E> iterator() {
return null; // TODO
}
}