我正在寻找类似于ConcurrentLinkedQueue
的内容,但有以下行为:
peek()
/ poll()
队列时,它会检索HEAD,不将其删除,然后将HEAD一个节点推向TAIL peek()
/ poll()
时,HEAD将重置为其原始节点(因此为“循环”行为)所以如果我像这样创建队列:
MysteryQueue<String> queue = new MysteryQueue<String>();
queue.add("A"); // The "original" HEAD
queue.add("B");
queue.add("C");
queue.add("D"); // TAIL
String str1 = queue.peek(); // Should be "A"
String str2 = queue.peek(); // Should be "B"
String str3 = queue.peek(); // Should be "C"
String str4 = queue.peek(); // Should be "D"
String str5 = queue.peek(); // Should be "A" again
以这种方式,我可以整天偷看/轮询,队列将一遍又一遍地滚动我的队列。
JRE是否附带此类内容?如果没有,可能是Apache Commons Collections或其他第三方库中的某些东西?提前谢谢!
答案 0 :(得分:5)
我认为它不存在于JRE中。
Google Guava的Iterables.cycle怎么样?
这样的事情:
// items can be any type of java.lang.Iterable<T>
List<String> items = Lists.newArrayList("A", "B", "C", "D");
for(String item : Iterables.cycle(items)) {
System.out.print(item);
}
将输出
A B C D A B C D A B C D ...
答案 1 :(得分:2)
你可以通过使用带有指向HEAD的指针的ArrayList来实现(我不会写出整个类,但这是peek方法):
public T peek() {
if (list.size() == 0)
return null;
T ret = list.get(head);
head++;
if (head == list.size()) {
head = 0;
}
return ret;
}
您没有真正指定添加应该如何正常工作,但您应该能够使用ArrayList中的默认添加。