我正在尝试制作双链表。函数push(int x)应该将一个节点添加到列表中并生成正确的链接。我用:
class Node {
public:
int value;
Node* next;
Node* prev;
public:
Node() {}
void set_value(int x) { value = x; }
void set_next(Node* x) { next = x; }
void set_prev(Node* x) { prev = x; }
Node* get_next() { return next; }
Node* get_prev() { return prev; }
};
class deque {
public:
Node* head;
Node* tail;
public:
deque() { head = NULL; tail = NULL; }
void push(int x) {
Node* n = new Node();
n->set_value(x);
n->set_next(NULL);
n->set_prev(NULL);
Node* t = head; //link to the next node
if (t == NULL) {
head = n;
} else {
while (t->get_next() != NULL) {
t = t->get_next();
}
t->set_next(n);
}
}
};
正如我已经测试过将节点连接到下一个节点的部分工作正常,但是我遇到了将节点连接到前一节点的麻烦。想到的是第一个的变体:
Node* t = tail;
if (t == NULL) {
tail = n;
} else {
while (t->get_prev() != NULL) {
t = t->get_prev();
}
t->set_prev(n);
}
但是通过使用它,如果只有节点n是队列中唯一的节点,那么尾节点总是当前的n节点......我该怎么办?非常感谢
答案 0 :(得分:4)
绘图总是有助于这些数据结构。你现在有什么:
您使用t
正确设置了next
' t->set_next(n);
。缺少的是它下面的箭头,它是n->set_prev(t)
。
一般情况下,在处理双向链接列表时,应始终(大部分时间)拨打set_next
,同时拨打set_prev
{39} set_next
的论点。这是因为双重链接列表的属性:
x->next == y
暗示 y->prev == x
,而y->prev == x
暗示 x->next == y
。