目录
数据结构 (Data Structure) 是计算机存储、组织数据的方式,指相互之间存在一种或多种特定关系的数据元素的集合。
数据结构有线性结构与非线性结构,这个文章讲述的就是线性结构中的顺序表
- struct SeqList
- {
- int a[100];
- int size;
- };
这样我们就创建了一个顺序表。
顺序表与数组相似,但是顺序表对数据的主要管理是通过size的。
但是这样创建时与缺陷的:大小固定,我们无法改变顺序表的大小来满足我们的需求。
- struct SeqList
- {
- int *a;
- int size;
- int capacity;
- };
我们可以通过malloc给数组分配一个合适的大小,并通过capacity记录我们分配的大小(即容积)。
为了方便我们改变顺序表储存的数据类型,我们可以如下设计
- typedef int SLDataType;
- struct SeqList
- {
- SLDataType *a;
- int size;
- int capacity;
- };
我们用这个顺序表存储数据同时也通过它来管理数据,也就是对数据进行增删查改。
但我们不能忽略一个点是初始化。
我们通过下面的代码进行初始化
- void SLInit(SL* psl)
- {
- assert(psl);//减少bug
- psl->a = NULL;
- psl->capacity =psl->size= 0;
- }
在给a赋予空间时给它定义为NULL,养成一个好习惯。
同理在使用顺序表前,size与capacity都为0.
- void SLDestory(SL* psl)
- {
- assert(psl);//防止psl为空
- psl->a = NULL;
- psl->capacity = psl->size = 0;
- }
在插入数据前我们要想一个问题,我们的顺序表是否已经满了,若已经满了则会引起越界。
假如一个顺序表确实满了,我们因该怎么将数据继续存进去。答案是扩容(realloc)。
写一个小程序把检查与扩容融合在一起写:
- void SLCheckCapacity(SL* psl)
- {
- assert(psl);
- if (psl->size == psl->capacity)
- {
- int newcapacity = psl->capacity * 2;
- SLDataType* tem = (SLDataType*)realloc(psl->a, newcapacity * sizeof(SLDataType));
- if (tem == NULL)
- {
- perror("realloc fail");
- return;
- }
- psl->a = tem;
- }
-
- }
realloc用法:
尾插法插入数据:
- void SlPushBack(SL* psl, SLDataType x)
- {
- assert(psl);
- SLCheckCapacity(psl);
- psl->a[psl->size] = x;
- psl->size++;
- }
头插法插入数据:
- void SLPushFront(SL* psl, SLDataType x)
- {
- assert(psl);
- SLCheckCapacity(psl);
- int end = psl->size - 1;
- while (end>=0)
- {
- psl->a[end + 1] = psl->a[end];
- --end;
- }
- psl->a[0] = x;
- psl->size++:
- }
尽量在顺序表中少用头插法,这个方法占用资源较大。
在删除前我们要讨论是否为还有元素在表里面
- void SLPopBack(SL* psl)
- {
- assert(psl);
-
- // 温柔的检查
- /*if (psl->size == 0)
- {
- return;
- }*/
-
- // 暴力的检查
- assert(psl->size > 0);
-
- psl->size--;
- }