C语言_循环单链表

循环单链表是一种特殊的数据结构,其中链表的最后一个节点指向第一个节点,形成一个闭环。

#include 
#include 

// 定义节点结构体
typedef struct Node {
    int data;
    struct Node* next;
} Node;

// 创建新节点
Node* createNode(int data) {
    Node* newNode = (Node*)malloc(sizeof(Node));
    if (!newNode) {
        printf("内存分配失败\n");
        exit(0);
    }
    newNode->data = data;
    newNode->next = NULL;
    return newNode;
}

// 在循环单链表末尾添加节点
void appendNode(Node** head, int data) {
    Node* newNode = createNode(data);
    if (*head == NULL) {
        *head = newNode;
        (*head)->next = *head;  // 循环指向自己
    } else {
        Node* temp = *head;
        while (temp->next != *head) {
            temp = temp->next;
        }
        temp->next = newNode;
        newNode->next = *head;
    }
}

// 打印循环单链表
void printList(Node* head) {
    if (head == NULL) {
        printf("列表为空\n");
        return;
    }
    Node* temp = head;
    do {
        printf("%d ", temp->data);
        temp = temp->next;
    } while (temp != head);
    printf("\n");
}

// 释放循环单链表内存
void freeList(Node** head) {
    if (*head == NULL) return;
    Node* temp = *head;
    Node* next;
    do {
        next = temp->next;
        free(temp);
        temp = next;
    } while (temp != *head);
    *head = NULL;
}

int main() {
    Node* head = NULL;
    
    appendNode(&head, 1);
    appendNode(&head, 2);
    appendNode(&head, 3);
    
    printList(head);
    
    freeList(&head);
    
    return 0;
}

你可能感兴趣的:(c语言,算法,数据结构)