用C语言编写程序,顺序表建立、插入、删除、查找
时间: 2024-09-21 08:01:09 浏览: 35
C语言实现顺序的建立、查找、插入、删除等基本操作
5星 · 资源好评率100%
在C语言中,我们可以使用结构体来创建顺序表,以下是基本的操作步骤:
1. **建立顺序表**:
首先,我们需要定义一个结构体表示列表项,包含数据元素和指向下一个元素的指针:
```c
typedef struct {
int data; // 数据域
struct Node* next; // 指向下一个节点的指针
} Node;
```
然后,我们创建一个函数来初始化一个空的顺序表:
```c
Node* createList() {
Node* head = NULL;
return head;
}
```
2. **插入操作**:
插入一个新元素到指定位置通常需要遍历列表,找到插入点:
```c
void insertNode(Node** head, int data, int position) {
if (position <= 0) {
// 如果插入位置无效,通常插入到头部
Node* newNode = (Node*)malloc(sizeof(Node));
newNode->data = data;
newNode->next = *head;
*head = newNode;
return;
}
Node* current = *head;
for (int i = 0; i < position - 1 && current != NULL; ++i) {
current = current->next;
}
if (current == NULL) {
printf("Position out of range.\n");
return;
}
Node* newNode = (Node*)malloc(sizeof(Node));
newNode->data = data;
newNode->next = current->next;
current->next = newNode;
}
```
3. **删除操作**:
删除某个特定值或位置的元素也涉及遍历列表:
```c
void deleteNode(Node** head, int data) {
if (*head == NULL) {
return;
}
if ((*head)->data == data) {
Node* temp = *head;
*head = (*head)->next;
free(temp);
return;
}
Node* current = *head;
while (current->next != NULL && current->next->data != data) {
current = current->next;
}
if (current->next == NULL) {
return; // 没有找到要删除的元素
}
Node* temp = current->next;
current->next = current->next->next;
free(temp);
}
```
4. **查找操作**:
查找特定值的操作相对简单,只需遍历直到找到匹配值或列表结束:
```c
Node* searchNode(Node* head, int data) {
Node* current = head;
while (current != NULL) {
if (current->data == data) {
return current;
}
current = current->next;
}
return NULL; // 没找到
}
```
以上就是基本的顺序表操作,需要注意内存管理,特别是在动态分配和释放内存时。
阅读全文