写实现顺序表L的定义,顺序表L的初始化,在L中第i个位置前插入新元素e;在L中查找第i个数据元素的值,并返回保存的代码
时间: 2023-04-03 16:03:00 浏览: 116
顺序表L的定义:
typedef struct{
ElemType *elem; //存储空间的基地址
int length; //当前长度
int listsize; //当前分配的存储容量
}SqList;
顺序表L的初始化:
void InitList(SqList &L){
L.elem = (ElemType*)malloc(LIST_INIT_SIZE * sizeof(ElemType));
if(!L.elem) exit(OVERFLOW); //存储分配失败
L.length = 0; //空表长度为0
L.listsize = LIST_INIT_SIZE; //初始存储容量
}
在L中第i个位置前插入新元素e:
Status ListInsert(SqList &L, int i, ElemType e){
if(i < 1 || i > L.length + 1) return ERROR; //i值不合法
if(L.length >= L.listsize){ //当前存储空间已满,增加分配
ElemType *newbase = (ElemType*)realloc(L.elem, (L.listsize + LISTINCREMENT) * sizeof(ElemType));
if(!newbase) exit(OVERFLOW); //存储分配失败
L.elem = newbase; //新基址
L.listsize += LISTINCREMENT; //增加存储容量
}
ElemType *p = &(L.elem[i-1]); //p为插入位置
for(ElemType *q = &(L.elem[L.length-1]); q >= p; --q) *(q+1) = *q; //插入位置及之后的元素后移
*p = e; //插入e
++L.length; //表长增1
return OK;
}
在L中查找第i个数据元素的值,并返回保存的代码:
Status GetElem(SqList L, int i, ElemType &e){
if(i < 1 || i > L.length) return ERROR; //i值不合法
e = L.elem[i-1]; //取第i个元素
return OK;
}
阅读全文