以下是使用 compareAndSet(Java 中)的无锁队列中的一些代码:
public void enq(T value) {
Node newNode = new Node(value);
while(true) {
Node last = tail.get();
Node next = last.next.get();
if(last != tail.get())
continue; //???
if (next != null) { //improve tail
tail.compareAndSet(last, next);
continue;
}
if (last.next.compareAndSet(null, newNode)) { //update last node
tail.compareAndSet(last, newNode); //update tail
return;
}
}
}
public T deq() throws EmptyException {
while(true) {
Node first = head.get();
Node last = tail.get();
Node next = first.next.get();
if(first != head.get())
continue; //???
if(first == last) {
if (next == null)
throw new EmptyException();
tail.compareAndSet(last, next);
continue;
}
T value = next.value;
if (head.compareAnsdSet(first, next)) {
return value;
}
}
}
(head 和 tail 是队列的成员)
在 deq 和 enq 函数中,第一次检查对我来说似乎是不必要的。(那些用“???”评论的)我怀疑它只是为了某种优化。
我在这里错过了什么吗?这些检查会影响代码的正确性吗?
(代码取自“多处理器编程艺术”,尽管我确实重构了代码样式以减少嵌套的 if 和 else,同时保持代码等效)