有序順序表的插入 (10 分)
阿新 • • 發佈:2019-01-05
本題要求實現遞增順序表的有序插入函式。L是一個遞增的有序順序表,函式Status ListInsert_SortedSq(SqList &L, ElemType e)用於向順序表中按遞增的順序插入一個數據。 比如:原資料有:2 5,要插入一個元素3,那麼插入後順序表為2 3 5。 要考慮擴容的問題。
函式介面定義:
Status ListInsert_SortedSq(SqList &L, ElemType e);
裁判測試程式樣例:
//庫函式標頭檔案包含 #include<stdio.h> #include<malloc.h> #include<stdlib.h> //函式狀態碼定義 #define TRUE 1 #define FALSE 0 #define OK 1 #define ERROR 0 #define INFEASIBLE -1 #define OVERFLOW -2 typedef int Status; //順序表的儲存結構定義 #define LIST_INIT_SIZE 100 #define LISTINCREMENT 10 typedef int ElemType; //假設線性表中的元素均為整型 typedef struct{ ElemType* elem; //儲存空間基地址 int length; //表中元素的個數 int listsize; //表容量大小 }SqList; //順序表型別定義 //函式宣告 Status ListInsert_SortedSq(SqList &L, ElemType e); //順序表初始化函式 Status InitList_Sq(SqList &L) { //開闢一段空間 L.elem = (ElemType*)malloc(LIST_INIT_SIZE * sizeof(ElemType)); //檢測開闢是否成功 if(!L.elem){ exit(OVERFLOW); } //賦值 L.length = 0; L.listsize = LIST_INIT_SIZE; return OK; } //順序表輸出函式 void ListPrint_Sq(SqList L) { ElemType *p = L.elem;//遍歷元素用的指標 for(int i = 0; i < L.length; ++i){ if(i == L.length - 1){ printf("%d", *(p+i)); } else{ printf("%d ", *(p+i)); } } } int main() { //宣告一個順序表 SqList L; //初始化順序表 InitList_Sq(L); int number = 0; ElemType e; scanf("%d", &number);//插入資料的個數 for(int i = 0; i < number; ++i) { scanf("%d", &e);//輸入資料 ListInsert_SortedSq(L, e); } ListPrint_Sq(L); return 0; } /* 請在這裡填寫答案 */
輸入格式: 第一行輸入接下來要插入的數字的個數 第二行輸入數字 輸出格式: 輸出插入之後的數字
輸入樣例:
5
2 3 9 8 4
輸出樣例:
2 3 4 8 9
Status ListInsert_SortedSq(SqList &L, ElemType e) { ElemType *newbase; if(L.length >= L.listsize) { newbase = (ElemType*)realloc(L.elem,(L.listsize+LISTINCREMENT)*sizeof(ElemType)); if(!newbase) exit(OVERFLOW); L.elem = newbase; L.listsize += LISTINCREMENT; } L.elem[L.length++]=e; for(int i=L.length-1;i>=0;i--){ if(L.elem[i-1]<e||i==0){ L.elem[i]=e; break; } else{ L.elem[i]=L.elem[i-1]; } } return 1; }