用C语言创建一个顺序表,编写程序实现顺序表的插入、删除、查找操作。
时间: 2024-10-19 10:03:04 浏览: 42
c语言实现顺序表的基本操作
在C语言中,我们可以使用结构体和动态内存分配来创建一个简单的顺序表。这里是一个基本的实现示例:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义顺序表节点结构体
typedef struct Node {
int data; // 数据域
struct Node* next; // 指向下一个节点的指针
} Node;
// 创建顺序表
Node* createList() {
return NULL;
}
// 插入节点到列表尾部
void insert(Node** head, int value) {
Node* newNode = (Node*)malloc(sizeof(Node));
if (newNode == NULL) {
printf("Memory allocation failed.\n");
return;
}
newNode->data = value;
newNode->next = *head;
*head = newNode;
}
// 删除指定值的节点
void delete(Node** head, int value) {
if (*head == NULL) {
printf("List is empty.\n");
return;
}
Node* current = *head;
if (current->data == value) {
*head = current->next;
free(current);
return;
}
while (current->next != NULL && current->next->data != value) {
current = current->next;
}
if (current->next == NULL) {
printf("Value not found in the list.\n");
} else {
Node* temp = current->next;
current->next = temp->next;
free(temp);
}
}
// 查找指定值的节点并返回其索引(从0开始)
int search(Node* head, int value) {
int index = 0;
Node* current = head;
while (current != NULL) {
if (current->data == value) {
return index;
}
current = current->next;
index++;
}
return -1; // 如果未找到,则返回-1表示不存在
}
int main() {
Node* listHead = createList();
// 插入元素
insert(&listHead, 1);
insert(&listHead, 2);
insert(&listHead, 3);
// 打印列表
printList(listHead);
// 删除元素并打印
delete(&listHead, 2);
printList(listHead);
// 查找元素
int position = search(listHead, 3);
if (position != -1)
printf("Element found at position %d.\n", position);
else
printf("Element not found.\n");
return 0;
}
// 辅助函数:遍历并打印列表
void printList(Node* head) {
Node* temp = head;
while (temp != NULL) {
printf("%d -> ", temp->data);
temp = temp->next;
}
printf("NULL\n");
}
```
这个例子展示了如何创建一个简单的顺序表,并实现了插入、删除和查找操作。请注意,这只是一个基础版本,实际应用中可能需要考虑更多细节,例如处理空指针异常等。
阅读全文