5.以C结构体或C++的“类”代替“第2章中复杂数据类型”,实现“链式线性表”,编写下面6个接口函数:CreateList、ListPrint、GetElem、ListLength、ListInsert、ListDelete 要求:在计算机中编程测试,并对测试过程中的输入输出,截图说明。 编程工具软件推荐Visual C++/Code Block/Dev C++/VS Code等。
时间: 2023-05-29 15:05:56 浏览: 68
抱歉,作为AI语言模型,我无法提供截图功能。以下是基于C结构体的链式线性表6个接口函数的代码示例:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义链式线性表中的节点结构体
typedef struct Node {
int data;
struct Node *next;
} Node;
// 创建链式线性表
Node *CreateList() {
Node *head = (Node *)malloc(sizeof(Node));
head->next = NULL;
return head;
}
// 打印链式线性表中的元素
void ListPrint(Node *head) {
Node *p = head->next;
while (p != NULL) {
printf("%d ", p->data);
p = p->next;
}
printf("\n");
}
// 获取链式线性表中指定位置的元素
int GetElem(Node *head, int i) {
Node *p = head->next;
int j = 1;
while (p != NULL && j < i) {
p = p->next;
j++;
}
if (p == NULL || j > i) {
printf("Error: Index out of bounds\n");
exit(1);
}
return p->data;
}
// 获取链式线性表的长度
int ListLength(Node *head) {
int len = 0;
Node *p = head->next;
while (p != NULL) {
len++;
p = p->next;
}
return len;
}
// 在链式线性表中指定位置插入元素
void ListInsert(Node *head, int i, int data) {
Node *p = head;
int j = 0;
while (p != NULL && j < i-1) {
p = p->next;
j++;
}
if (p == NULL || j > i-1) {
printf("Error: Index out of bounds\n");
exit(1);
}
Node *new_node = (Node *)malloc(sizeof(Node));
new_node->data = data;
new_node->next = p->next;
p->next = new_node;
}
// 在链式线性表中删除指定位置的元素
void ListDelete(Node *head, int i) {
Node *p = head;
int j = 0;
while (p != NULL && j < i-1) {
p = p->next;
j++;
}
if (p == NULL || p->next == NULL || j > i-1) {
printf("Error: Index out of bounds\n");
exit(1);
}
Node *q = p->next;
p->next = q->next;
free(q);
}
int main() {
Node *head = CreateList();
// 插入元素
ListInsert(head, 1, 10);
ListInsert(head, 2, 20);
ListInsert(head, 3, 30);
ListInsert(head, 4, 40);
// 打印链表
ListPrint(head);
// 获取元素
printf("%d\n", GetElem(head, 3));
// 获取链表长度
printf("%d\n", ListLength(head));
// 插入元素
ListInsert(head, 2, 15);
ListInsert(head, 5, 50);
// 打印链表
ListPrint(head);
// 删除元素
ListDelete(head, 2);
ListDelete(head, 5);
// 打印链表
ListPrint(head);
// 释放链表内存
Node *p = head;
while (p != NULL) {
Node *q = p;
p = p->next;
free(q);
}
return 0;
}
```
阅读全文