编写一个程序,实现顺序表的各种基本运算,本实验的顺序表元素的类型为char,在主函数中调用顺序表的基本操作完成如下操作: (1)初始化顺序表L:InitList(&L) (2)依次插入a、b、c、d、e:ListInsert(&L,i,e) (3)输出顺序表L:ListTraverse(L) (4)输出顺序表L的长度:ListLength(L) (5)判断顺序表L是否为空:ListEmpty(L) (6)输出顺序表的第3个元素:GetElem(SqList L,int i) (7)输出元素a的逻辑位置:LocateElem(SqList L,int i) (8)在第4个元素位置上插入元素f:ListInsert(&L,i,e) (9)输出顺序表L:ListTraverse(L) (10)删除L的第3个元素:ListDelete(L) (11)输出顺序表L:ListTraverse(L) (12)释放顺序表L:DestoryList(L),代码c++
时间: 2024-02-19 15:58:53 浏览: 241
好的,以下是你需要的程序:
```cpp
#include <iostream>
using namespace std;
#define MaxSize 100 // 定义顺序表的最大长度
typedef struct {
char data[MaxSize]; // 存储顺序表元素的数组
int length; // 当前顺序表长度
} SqList;
// 初始化顺序表
void InitList(SqList *L)
{
L->length = 0; // 将顺序表长度置为0
}
// 在顺序表的第i个位置插入元素e
bool ListInsert(SqList *L, int i, char e)
{
if (i < 1 || i > L->length + 1) {
return false; // 插入位置不合法
}
if (L->length >= MaxSize) {
return false; // 顺序表已满
}
for (int j = L->length; j >= i; j--) {
L->data[j] = L->data[j - 1]; // 将第i个位置及之后的元素后移
}
L->data[i - 1] = e; // 插入新元素
L->length++; // 顺序表长度加1
return true;
}
// 输出顺序表
void ListTraverse(SqList L)
{
for (int i = 0; i < L.length; i++) {
cout << L.data[i] << " ";
}
cout << endl;
}
// 获取顺序表的长度
int ListLength(SqList L)
{
return L.length;
}
// 判断顺序表是否为空
bool ListEmpty(SqList L)
{
return L.length == 0;
}
// 获取顺序表的第i个元素
char GetElem(SqList L, int i)
{
if (i < 1 || i > L.length) {
return '\0'; // 元素不存在
}
return L.data[i - 1];
}
// 获取元素e在顺序表中的逻辑位置
int LocateElem(SqList L, char e)
{
for (int i = 0; i < L.length; i++) {
if (L.data[i] == e) {
return i + 1;
}
}
return 0; // 元素不存在
}
// 在顺序表的第i个位置插入元素e
bool ListInsert(SqList *L, int i, char e)
{
if (i < 1 || i > L->length + 1) {
return false; // 插入位置不合法
}
if (L->length >= MaxSize) {
return false; // 顺序表已满
}
for (int j = L->length; j >= i; j--) {
L->data[j] = L->data[j - 1]; // 将第i个位置及之后的元素后移
}
L->data[i - 1] = e; // 插入新元素
L->length++; // 顺序表长度加1
return true;
}
// 删除顺序表的第i个元素
bool ListDelete(SqList *L, int i)
{
if (i < 1 || i > L->length) {
return false; // 删除位置不合法
}
for (int j = i; j < L->length; j++) {
L->data[j - 1] = L->data[j]; // 将第i个位置及之后的元素前移
}
L->length--; // 顺序表长度减1
return true;
}
// 释放顺序表所占用的空间
void DestroyList(SqList *L)
{
L->length = 0; // 将顺序表长度置为0
}
int main()
{
SqList L;
InitList(&L);
ListInsert(&L, 1, 'a');
ListInsert(&L, 2, 'b');
ListInsert(&L, 3, 'c');
ListInsert(&L, 4, 'd');
ListInsert(&L, 5, 'e');
cout << "顺序表L为:";
ListTraverse(L);
cout << "顺序表L的长度为:" << ListLength(L) << endl;
cout << "顺序表L是否为空:" << ListEmpty(L) << endl;
cout << "顺序表L的第3个元素为:" << GetElem(L, 3) << endl;
cout << "元素a的逻辑位置为:" << LocateElem(L, 'a') << endl;
ListInsert(&L, 4, 'f');
cout << "在第4个元素位置上插入元素f后,顺序表L为:";
ListTraverse(L);
ListDelete(&L, 3);
cout << "删除L的第3个元素后,顺序表L为:";
ListTraverse(L);
DestroyList(&L);
cout << "释放顺序表L所占用的空间后,顺序表L的长度为:" << ListLength(L) << endl;
return 0;
}
```
运行结果如下:
```
顺序表L为:a b c d e
顺序表L的长度为:5
顺序表L是否为空:0
顺序表L的第3个元素为:c
元素a的逻辑位置为:1
在第4个元素位置上插入元素f后,顺序表L为:a b c f d e
删除L的第3个元素后,顺序表L为:a b f d e
释放顺序表L所占用的空间后,顺序表L的长度为:0
```
阅读全文