#include <stdio.h> #include <stdlib.h> # include <malloc.h> #define MAXSIZE 100 #define OK 1 #define ERROR 0 #define TRUE 1 #define FALSE 0 typedef int ElemType; typedef int Status; typedef struct { ElemType *pList; int sqSize; int sqLength; }SqList; Status InitList(SqList *L); Status CreateList(SqList *L); Status PrintList(SqList *L); Status InsertList(SqList *L,int i,ElemType e); Status DeleteSqList(SqList *L,int i,ElemType *e); //初始化一个空的线性表 Status InitList(SqList *L) { L->pList = (SqList *)malloc(sizeof(SqList)); //申请内存空间 if(L->pList == NULL) { printf("内存空间分配失败!"); } else { L->sqLength = 0; } return OK; } 请分析这段代码哪里有误
时间: 2024-03-13 15:45:56 浏览: 87
这段代码有几个问题:
1. 在结构体定义中,`pList` 应该是 `ElemType` 类型的指针,而不是 `SqList` 类型的指针;
2. 在 `InitList` 函数中,应该先将 `sqSize` 赋值为 `MAXSIZE`,再分配内存空间;
3. 在 `InitList` 函数中,应该将 `pList` 赋值为一个 `ElemType` 类型的数组,而不是一个 `SqList` 类型的指针;
4. 在 `InitList` 函数中,应该将 `sqLength` 赋值为 0,而不是在 `else` 语句块中赋值;
5. 在 `InsertList` 函数中,应该判断插入位置 `i` 是否合法,即 `i > 0 && i <= L->sqLength + 1`;
6. 在 `InsertList` 函数中,应该判断线性表是否已满,即 `L->sqLength >= MAXSIZE`;
7. 在 `DeleteSqList` 函数中,应该判断删除位置 `i` 是否合法,即 `i > 0 && i <= L->sqLength`。
修正后的代码如下:
```
#include <stdio.h>
#include <stdlib.h>
#include <malloc.h>
#define MAXSIZE 100
#define OK 1
#define ERROR 0
#define TRUE 1
#define FALSE 0
typedef int ElemType;
typedef int Status;
typedef struct {
ElemType *pList;
int sqSize;
int sqLength;
} SqList;
// 初始化一个空的线性表
Status InitList(SqList *L) {
L->pList = (ElemType *)malloc(sizeof(ElemType) * MAXSIZE); //申请内存空间
if (L->pList == NULL) {
printf("内存空间分配失败!");
return ERROR;
} else {
L->sqSize = MAXSIZE;
L->sqLength = 0;
return OK;
}
}
// 创建线性表
Status CreateList(SqList *L) {
printf("请输入线性表的长度:");
scanf("%d", &(L->sqLength));
printf("请输入线性表的元素:");
for (int i = 0; i < L->sqLength; i++) {
scanf("%d", &(L->pList[i]));
}
return OK;
}
// 输出线性表
Status PrintList(SqList *L) {
printf("线性表中的元素为:");
for (int i = 0; i < L->sqLength; i++) {
printf("%d ", L->pList[i]);
}
printf("\n");
return OK;
}
// 在第 i 个位置插入元素 e
Status InsertList(SqList *L, int i, ElemType e) {
if (i < 1 || i > L->sqLength + 1) {
printf("插入位置不合法!");
return ERROR;
}
if (L->sqLength >= MAXSIZE) {
printf("线性表已满,无法插入!");
return ERROR;
}
for (int j = L->sqLength; j >= i; j--) {
L->pList[j] = L->pList[j-1];
}
L->pList[i-1] = e;
L->sqLength++;
return OK;
}
// 删除第 i 个元素,并将其值保存到 e 中
Status DeleteSqList(SqList *L, int i, ElemType *e) {
if (i < 1 || i > L->sqLength) {
printf("删除位置不合法!");
return ERROR;
}
*e = L->pList[i-1];
for (int j = i; j < L->sqLength; j++) {
L->pList[j-1] = L->pList[j];
}
L->sqLength--;
return OK;
}
int main() {
SqList L;
InitList(&L);
CreateList(&L);
PrintList(&L);
InsertList(&L, 3, 99);
PrintList(&L);
ElemType e;
DeleteSqList(&L, 4, &e);
printf("删除的元素为:%d\n", e);
PrintList(&L);
return 0;
}
```
阅读全文