用C语言编写一个顺序表
时间: 2024-09-21 22:07:31 浏览: 41
在C语言中,我们可以使用结构体和数组来创建一个简单的顺序表(也称作线性表)。下面是一个基本的顺序表实现示例:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义顺序表节点结构体
typedef struct {
int data; // 存储的数据
struct Node* next; // 指向下一个节点的指针
} Node;
// 创建新节点
Node* createNode(int value) {
Node* newNode = (Node*)malloc(sizeof(Node));
if (newNode != NULL) {
newNode->data = value;
newNode->next = NULL;
}
return newNode;
}
// 在列表末尾添加新节点
void appendList(Node** head, int value) {
if (*head == NULL) {
*head = createNode(value);
} else {
Node* current = *head;
while (current->next != NULL) {
current = current->next;
}
current->next = createNode(value);
}
}
// 打印顺序表
void printList(Node* head) {
Node* temp = head;
while (temp != NULL) {
printf("%d ", temp->data);
temp = temp->next;
}
printf("\n");
}
int main() {
Node* listHead = NULL; // 初始化空列表
// 添加元素
appendList(&listHead, 1);
appendList(&listHead, 2);
appendList(&listHead, 3);
// 打印列表
printList(listHead); // 输出: 1 2 3
return 0;
}
```
这个顺序表实现了插入(`appendList`)和打印(`printList`)操作。
阅读全文