通过键盘读取元素建立一个线性表;指定一个元素,在此元素之前插入一个新元素;指定一个元素,删除此元素,用c语言写一串代码,实现上述内容
时间: 2024-10-11 16:07:17 浏览: 34
固定删除第五个数.rar_第五个
在C语言中,我们可以使用数组或链表作为基础数据结构来实现线性表的操作。这里我们先假设使用动态单链表来演示:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义链表节点结构体
typedef struct Node {
int data;
struct Node* next;
} Node;
// 创建链表头节点
Node* createList() {
Node* head = (Node*)malloc(sizeof(Node));
if (head == NULL) {
printf("Memory allocation failed.\n");
return NULL;
}
head->data = 0; // 初始化为空
head->next = NULL;
return head;
}
// 插入元素
void insertBefore(Node** head, int target, int value) {
Node* newNode = (Node*)malloc(sizeof(Node));
if (newNode == NULL) {
printf("Memory allocation failed.\n");
return;
}
newNode->data = value;
newNode->next = *head;
for (Node* current = *head; current != NULL && current->data != target; current = current->next);
if (current == NULL) {
printf("Target element not found in the list.\n");
} else {
current->next = newNode;
}
}
// 删除元素
void deleteElement(Node** head, int target) {
Node* current = *head;
Node* previous = NULL;
while (current != NULL && current->data != target) {
previous = current;
current = current->next;
}
if (current != NULL) {
if (previous == NULL) {
*head = current->next;
} else {
previous->next = current->next;
}
free(current); // 释放已删除节点的内存
} else {
printf("Target element not found in the list.\n");
}
}
// 打印链表
void printList(Node* head) {
Node* temp = head;
while (temp != NULL) {
printf("%d ", temp->data);
temp = temp->next;
}
printf("\n");
}
int main() {
Node* listHead = createList();
// 示例操作:向列表中添加元素并插入、删除
insertBefore(&listHead, 5, 7); // 在数字5前插入7
printList(listHead);
deleteElement(&listHead, 7); // 删除数字7
printList(listHead);
return 0;
}
```
这段代码首先创建了一个空的链表,然后演示了如何在特定元素之前插入一个新元素以及删除指定元素的功能。`printList`函数用于查看链表的内容。
阅读全文