在循环链表中的开头插入

时间:2018-02-23 23:56:04

标签: c pointers linked-list

我最近一直致力于循环链表,大多数人编写代码的方式如下:

#include<stdio.h>
#include<stdlib.h>

/* structure for a node */
struct Node
{
    int data;
    struct Node *next;
};

/* Function to insert a node at the begining of a Circular
   linked list */
void push(struct Node **head_ref, int data)
{
    struct Node *ptr1 = (struct Node *)malloc(sizeof(struct Node));
    struct Node *temp = *head_ref;
    ptr1->data = data;
    ptr1->next = *head_ref;

    /* If linked list is not NULL then set the next of last node */
    if (*head_ref != NULL)
    {
        while (temp->next != *head_ref)
            temp = temp->next;
        temp->next = ptr1;
    }
    else
        ptr1->next = ptr1; /*For the first node */

    *head_ref = ptr1;
}

/* Function to print nodes in a given Circular linked list */
void printList(struct Node *head)
{
    struct Node *temp = head;
    if (head != NULL)
    {
        do
        {
            printf("%d ", temp->data);
            temp = temp->next;
        }
        while (temp != head);
    }
}

/* Driver program to test above functions */
int main()
{
    /* Initialize lists as empty */
    struct Node *head = NULL;

    /* Created linked list will be 11->2->56->12 */
    push(&head, 12);
    push(&head, 56);
    push(&head, 2);
    push(&head, 11);

    printf("Contents of Circular Linked List\n ");
    printList(head);

    return 0;
}

然而,在循环链表的开头插入时,有一件事是永远不会理解的。如果我们的最后一个节点总是指向第一个节点,也就是说最后一个节点*下一个指针与*第一个指针具有相同的地址,那么为什么在第一个节点之后插入项目,我们必须去旅行整个列表并更新最后一个节点的*下一个指针,以指向新添加的节点。而不是while循环为什么我们不能这样做:

Node * newadded newadded-&gt; next = first-&gt; next first = newadded

因为*第一个指针具有第一个节点的地址,所以如果我们更新*第一个指针,那么已经指向第一个指针的最后一个指针也应该自行更新。 为什么要旅行整个清单?

1 个答案:

答案 0 :(得分:4)

由于列表是循环的,列表的最后一个元素需要指向列表的第一个元素。将新元素插入列表的开头时,列表的第一个元素已更改为不同的元素。要保持圆度,必须找到最后一个元素并使其指向新的第一个元素。

使操作更有效的一种方法是维护循环链表的尾部,而不是头部。然后插入尾部和头部都可以在恒定的时间内完成。

Demo