用c语言写一个函数,在单向链表中搜索元素x的算法。如果x在表里,则输出它在表中的序号,否则,将×插在表尾。
时间: 2024-09-12 20:16:32 浏览: 34
在C语言中,单向链表是由一系列节点组成的,每个节点包含两个部分:一个是存储数据的变量,另一个是指向下一个节点的指针。下面是一个简单的算法描述,用来搜索一个元素x在单向链表中的位置,如果找不到该元素,则将元素x插入链表尾部:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义链表节点结构体
typedef struct Node {
int data;
struct Node* next;
} Node;
// 创建新节点的函数
Node* createNode(int data) {
Node* newNode = (Node*)malloc(sizeof(Node));
if (newNode) {
newNode->data = data;
newNode->next = NULL;
}
return newNode;
}
// 向链表尾部插入节点的函数
void insertAtTail(Node** head, int data) {
Node* newNode = createNode(data);
if (!(*head)) {
*head = newNode;
return;
}
Node* temp = *head;
while (temp->next) {
temp = temp->next;
}
temp->next = newNode;
}
// 搜索元素x在链表中的位置的函数
void searchAndInsert(Node** head, int x) {
Node* current = *head;
int index = 1;
while (current) {
if (current->data == x) {
printf("元素 %d 在表中的序号是: %d\n", x, index);
return;
}
current = current->next;
index++;
}
// 如果没有找到x,将x插入链表尾部
insertAtTail(head, x);
printf("元素 %d 没有找到,已被插入链表尾部\n", x);
}
int main() {
Node* head = NULL;
int x = 3;
insertAtTail(&head, 1);
insertAtTail(&head, 2);
searchAndInsert(&head, x);
// 输出链表内容,检查结果
Node* current = head;
while (current) {
printf("%d ", current->data);
current = current->next;
}
return 0;
}
```
这个程序首先定义了一个链表节点的结构体,并提供了创建新节点、向链表尾部插入节点和搜索元素并插入节点的函数。在`main`函数中,我们创建了一个链表,并调用`searchAndInsert`函数来搜索元素x。如果没有找到元素x,则会将x插入链表尾部。
阅读全文