1

在这里,我试图迭代地反转列表。但问题是列表有多大,说 3->2->4->NULL,最后变成 3->NULL,即只有一个元素的列表。请告诉代码中的问题是什么。

    struct node *reverselist(struct node *head)
{
     struct node *list=head;
     if(head==NULL)
     {
           printf("\nThe list is empty\n");
           return head;
     }
     if(head->next==NULL)
     {
           printf("\nThe list has only one element\n");
           return head;
     }
     struct node *cur=head;
     struct node *new=head->next;
     while(cur->next!=NULL)
     {
           cur->next=new->next;
           new->next=cur;
           new=cur->next;
         }
     return list;
}
4

2 回答 2

1

您的逻辑错误 - 指针new正在正确更新但cur已修复。

而不是试试这个

struct node *reverselist(struct node *head)
{
    struct node *temp;
    struct node *newHead = NULL;
    struct node *curNode = head;

    while(curNode != NULL) {
        temp = curNode->next;
        curNode->next = newHead;
        newHead = curNode;
        curNode = temp;
    }

    return newHead;
}
于 2013-06-10T11:07:41.463 回答
0

你迭代 cur->next 并改变 cur->next。所以首先:你永远不会改变头部,其次你将最后一个元素移动到头部之后的前面。

于 2013-06-10T11:09:04.767 回答