能否提供一个线性表数据结构的典型代码实现示例,用c语言?
时间: 2024-11-30 22:17:53 浏览: 0
当然可以。在C语言中,我们可以使用数组来简单地创建一个线性表的数据结构。下面是一个简单的单链表作为线性表的实现示例:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义节点结构体
typedef struct Node {
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* head = NULL;
appendList(&head, 1);
appendList(&head, 2);
appendList(&head, 3);
printf("Linear List:\n");
printList(head);
return 0;
}
```
这个例子展示了如何创建、添加元素以及打印一个简单的单向链表,它符合线性表的基本特性。
阅读全文