请用C语言定义一个单链表
时间: 2023-10-20 15:05:34 浏览: 94
当定义一个单链表时,我们需要定义一个结构体来表示链表中的节点,每个节点包含两个部分:数据(可以是任意类型的数据)和一个指向下一个节点的指针。
以下是一个示例代码,定义了一个单链表的结构体和一些常用操作函数:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义链表节点结构体
struct Node {
int data;
struct Node* next;
};
// 初始化链表
void initialize(struct Node** head) {
*head = NULL;
}
// 在链表末尾插入节点
void insertAtEnd(struct Node** head, int data) {
struct Node* newNode = (struct Node*)malloc(sizeof(struct Node));
newNode->data = data;
newNode->next = NULL;
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("\n");
}
int main() {
struct Node* head;
initialize(&head);
insertAtEnd(&head, 1);
insertAtEnd(&head, 2);
insertAtEnd(&head, 3);
printf("Linked List: ");
printList(head);
return 0;
}
```
在上述示例中,我们定义了一个`Node`结构体来表示链表节点,包含一个整数类型的`data`成员和一个指向下一个节点的指针`next`。然后,我们定义了一些操作函数,如初始化链表、在链表末尾插入节点和打印链表等。在`main`函数中,我们创建了一个头节点`head`,并通过调用相应的函数来操作链表。
这只是一个简单的例子,你可以根据需要添加其他操作函数,并对链表进行更多的操作。
阅读全文