从长度为n的整数序列中删除指定位序的m个元素,按照原顺序输出剩余的元素。其中,1≤m≤n≤1000,原整数序列为a;要删除的元素位序按照严格单调递增的方式存储在序列b中,其中元素b[i]表示要从a中删除的元素的位序,用c语言链表实现
时间: 2024-04-17 20:24:50 浏览: 99
c语言实现链表的基本操作,链表是一种物理存储单元上非连续、非顺序的存储结构,数据元素的逻辑顺序是通过链表中的指针链接次序实现的。
下面是一个使用链表实现删除指定位序的程序示例:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义链表节点结构体
typedef struct Node {
int data;
struct Node* next;
} Node;
// 创建链表
Node* createList(int n) {
Node* head = NULL; // 头节点
Node* tail = NULL; // 尾节点
printf("输入整数序列的值:\n");
for (int i = 0; i < n; i++) {
int num;
scanf("%d", &num);
Node* newNode = (Node*)malloc(sizeof(Node));
newNode->data = num;
newNode->next = NULL;
if (head == NULL) {
head = newNode;
tail = newNode;
} else {
tail->next = newNode;
tail = newNode;
}
}
return head;
}
// 删除指定位序的节点
Node* deleteNodes(Node* head, int* b, int m) {
Node* current = head;
Node* prev = NULL;
int count = 0;
for (int i = 0; i < m; i++) {
int position = b[i];
while (count < position && current != NULL) {
prev = current;
current = current->next;
count++;
}
if (count == position && current != NULL) {
if (prev == NULL) {
head = current->next;
free(current);
current = head;
} else {
prev->next = current->next;
free(current);
current = prev->next;
}
}
}
return head;
}
// 打印链表
void printList(Node* head) {
printf("剩余的元素为:");
while (head != NULL) {
printf("%d ", head->data);
head = head->next;
}
printf("\n");
}
// 主函数
int main() {
int n, m;
printf("输入整数序列的长度:\n");
scanf("%d", &n);
printf("输入要删除的元素位序的个数:\n");
scanf("%d", &m);
int* b = (int*)malloc(m * sizeof(int));
printf("输入要删除的元素位序:\n");
for (int i = 0; i < m; i++) {
scanf("%d", &b[i]);
}
Node* head = createList(n);
head = deleteNodes(head, b, m);
printList(head);
return 0;
}
```
这个程序首先会根据用户的输入创建一个整数序列链表,然后根据用户提供的要删除的元素位序,在链表中删除对应的节点,并最后按照原顺序输出剩余的元素。请根据自己的需要进行修改和扩展。希望对你有帮助!
阅读全文