读书笔记-《大话数据结构》第三章 线性表之顺序存储结构

线性表的机内表示法(又称存储结构)有2种

  •   顺序存储结构
  •  链式存储结构

顺序存储结构

是在内存中开辟一个连续的空间用来存储数据,因此对于内存的需求和苛刻,必须是连续的空间.在数据查找(特别是不按照规律排列的数据),时间复杂度教少.效率高.

大概看了一眼书,觉得书上的内容不够实用,在网上找个顺序结构的小demo,以便于理解顺序存储结构

#include 
#include 

#define TRUE 1
#define FALSE 0
#define ERROR -1

typedef int Status;
typedef int ElemType;

//------顺序存储结构---------
#define LIST_INIT_SIZE 100             //SqList的初始分配大小
#define LIST_INCREMENT 10              //SqList的增量分配大小

typedef struct{
    ElemType *elem;					
    int length;
    int listsize;
} SqList;

//线性表初始化
Status InitList_Sq(SqList *L){
    //构造空的线性表,开辟对应内存
    L->elem=(ElemType*)malloc(LIST_INIT_SIZE*sizeof(ElemType));
	if(!L->elem) 
		return ERROR;
    
	L->length=0;
    L->listsize=LIST_INIT_SIZE;
    return TRUE;
}//InitList_Sq

//线性表销毁
void DestoryList_Sq(SqList *L){
    //销毁已存在的线性表
    if(L->elem) free(L->elem);
    L->length=0;
}//DestoryList_Sq

//线性表清空
void ClearList_Sq(SqList *L){
    //清空线性表
    L->length=0;
}//ClearList_Sq

Status ListEmpty_Sq(SqList L){
    //线性表为空返回TRUE,否则返回FALSE
    if(!L.elem) return ERROR;
    if(L.length!=0) return TRUE;
    return FALSE;
}//ListEmpty_Sq

Status ListLength_Sq(SqList L){
    //返回线性表的长度
    if(!L.elem) return ERROR;
    return L.length;
}//ListLength_Sq

Status GetElem_Sq(SqList L,int i,ElemType *e){
    //用e返回L的第i个元素值
    if(i>L.length||i<1) return ERROR;
    *e=L.elem[i-1];
    return TRUE;
}//GetElem_Sq

int LocateElem_Sq(SqList L,ElemType e,int (*cmp)(ElemType el,ElemType e)){
    //返回L中第一个与e满足cmp函数的数据元素位序,若不存在则返回0
    int i=0;
    for(i=0;i0) {
        *e=L.elem[loc-1];
        return TRUE;
    }
    else
        return FALSE;
}//PriorElem_Sq

Status NextElem_Sq(SqList L,ElemType cur_e,ElemType *e){
    //若cur_e为L中的元素,返回其后继
    int loc;
    int compareEqual(ElemType a,ElemType b);

    loc=LocateElem_Sq(L,cur_e,compareEqual);
    if(locL->length && L->length!=0) || i<1) 
		return ERROR;//位置不合法

    if(L->length>=L->listsize)
    {
        L->elem=(ElemType*)realloc(L->elem,(LIST_INIT_SIZE+LIST_INCREMENT)*sizeof(ElemType));
        if(!L->elem) return ERROR;//分配失败
        L->listsize+=LIST_INCREMENT;
    }

    for(j=L->length;j>=i;j--){
        L->elem[j]=L->elem[j-1];
    }
    L->elem[j]=e;
    L->length++;
    return TRUE;
}//ListInsert_Sq

Status ListDelete_Sq(SqList *L,int i,ElemType *e){
    //删除L中第i元素,并用e返回
    int j=0;

    if(L->length==0||i<1||i>L->length) return ERROR;
    *e=L->elem[i-1];
    for(j=i-1;jlength-1;j++)
        L->elem[j]=L->elem[j+1];
    L->length--;
    return TRUE;
}//ListDelete_Sq

void ListTraverse_Sq(SqList L,void (*visit)(ElemType e)){
    //遍历L
    int i;
    for(i=0;i








你可能感兴趣的:(#,[,C++,])