在C語言中,創建鏈表通常需要定義一個結構體來表示鏈表的節點,然后通過動態內存分配來動態創建節點,并通過指針將節點連接起來形成鏈表。
以下是一個簡單的示例代碼,演示了如何使用C語言創建一個單向鏈表:
#include <stdio.h>
#include <stdlib.h>
// 定義鏈表節點結構體
struct Node {
int data;
struct Node *next;
};
// 創建新節點
struct Node* createNode(int data) {
struct Node* newNode = (struct Node*)malloc(sizeof(struct Node));
newNode->data = data;
newNode->next = NULL;
return newNode;
}
// 在鏈表末尾插入新節點
void insertNode(struct Node** head, int data) {
struct Node* newNode = createNode(data);
if (*head == NULL) {
*head = newNode;
} else {
struct Node* current = *head;
while (current->next != NULL) {
current = current->next;
}
current->next = newNode;
}
}
// 打印鏈表
void printList(struct Node* head) {
struct Node* current = head;
while (current != NULL) {
printf("%d -> ", current->data);
current = current->next;
}
printf("NULL\n");
}
int main() {
struct Node* head = NULL;
insertNode(&head, 1);
insertNode(&head, 2);
insertNode(&head, 3);
printf("Linked list: ");
printList(head);
return 0;
}
上述代碼定義了一個包含數據和指向下一個節點的指針的鏈表節點結構體Node
,并實現了創建新節點、在鏈表末尾插入新節點和打印鏈表的函數。最后,在main
函數中演示了如何創建一個包含數據1、2和3的鏈表,并打印出鏈表的內容。