请参阅下面的更改+评论:
QUEUE(x):
if L.head == NIL:
x.prev = x.next = NIL // otherwise you never set up next
L.head = x
else
cur = L.head
while cur.next != NIL
cur = cur.next
cur.next = x
x.prev = cur
x.next = NIL
DEQUEUE():
// handle empty queue
if L.head == NIL:
ERROR! // or something
else
x = L.head
L.head = x.next
if x.next != NIL: // handle empty queue
x.next.prev = L.head NIL // otherwise it points to itself
return x
要制作QUEUE(x)
O(1),您需要保留指向尾部的指针。
QUEUE(x):
if L.head == NIL:
x.prev = NIL
L.head = L.tail = x
else
cur = L.tail
cur.next = L.tail = x
x.prev = cur
x.next = NIL
DEQUEUE():
if L.head == NIL:
ERROR! // or something
else
x = L.head
L.head = x.next
if x.next != NIL:
x.next.prev = NIL
else
L.tail = NIL
return x
此外,您实际上并不需要双链表。单链表应该可以正常工作(除非您还想支持其他操作)。