下面是Linklist代码中的删除节点,它将头指针和位置作为参数删除(位置索引从Linklist中的ZERO开始)。删除后,返回指向head的指针。
Node* delete(Node* head, int position)
{
Node *p = head;
if(!position)
{
p = p->next;
}
else
{
while(position--)
{
if(!position) head->next = head->next->next;
head = head->next;
}
}
free(head);
return p;
}
假设清单:20-2-19-7-3-6。并且要删除的位置是2(要删除的节点19,因为索引从零开始)。
删除和打印后,它显示:20-2-0-3-6。(即直接旁边的节点打印0)
但如果我删除该行" free(head)",则打印:20-2-7-3-6(正确)。
请帮助解释原因。
PS:删除头节点或尾节点时没有问题。但中间的任何其他节点在下一个节点中显示为0。
答案 0 :(得分:2)
这是代码的干涸:
20 --> 2 --> 19 --> 7 --> 3 --> 6
^
head
while(position--) // position == 2
{
if(!position) // position == 1, condition is false
head->next = head->next->next;
head = head->next;
}
20 --> 2 --> 19 --> 7 --> 3 --> 6
^
head
while(position--) // position == 1
{
if(!position) // position == 0, condition is true
head->next = head->next->next;
head = head->next;
}
/-----\
20 --> 2 --/ 19 --> 7 --> 3 --> 6 // 2's next is pointing to 7 now
^
head
现在将执行free(head)
,这将删除包含数字7
的节点。现在,当你打印时,你可能会得到:
20 -> 2 -> (reference to deleted node) -> 3 -> 6
我认为这是未定义的行为,您引用已删除的节点并且它正在打印0
。