线性表
线性表是n个具有相同特性的数据元素的有限序列。线性表是一种在实际中广泛使用的数据结构。常见的线性表:顺序表、链表、栈、队列、字符串等等。
线性表在逻辑上是线性结构,也就是说是连续的一条直线。但是在物理结构上并不一定是连续的,线性表在物理上存储时,通常以数组和链式结构的形式存储。
顺序表
顺序表是用一段物理地址连续的存储单元依次存储数据元素的线性结构,数据必须是从左到右连续的,逻辑结构和物理结构是一致的。
缺陷:
1.动态增容有性能消耗,有一定空间的浪费
2.头部插入数据时,需要挪动数据
顺序表的静态存储
#define N 100
typedef int SLDataType;
typedef struct SeqList
{
SLDataType arr[N];
int size;
}SeqList;
顺序表的动态存储
创建结构体
typedef int SLDataType;
typedef struct SeqList
{
SLDataType* data;
int size;
int capacity;
}SeqList;
初始化结构体
void SeqListInit(SeqList* ps)
{
assert(ps);
ps->data = NULL;
ps->size=ps->capacity=0;
}
销毁结构体
void SeqListDestroy(SeqList* ps)
{
assert(ps);
free(ps->data);
ps->size=ps->capacity=0;
}
扩容
void SeqCheckCapacity(SeqList* ps)
{
if(ps->size==ps->capacity)
{
int NewCapacity = ps->capacity == 0 ? 4 : ps->capacity*=2;
SeqDataType* NewData = (SeqDataType*)realloc(ps->data,sizeof(SeqDataType)*NewCapacity);
if(NewData == NULL)
{
perror("realloc fail");
exit(-1);
}
ps->data = NewData;
ps->capacity = NewCapacity;
}
}
尾插
void SeqListPushBack(SeqList* ps, SeqDataType x)
{
assert(ps);
SeqCheckCapacity(ps);
ps->data[ps->size] = x;
ps->size++;
}
尾删
void SeqListPopBack(SeqList* ps)
{
assert(ps);
assert(ps->size > 0);
ps->size--;
}
头插
void SeqListPushFront(SeqList* ps, SeqDataType x)
{
assert(ps);
SeqCheckCapacity(ps);
int end = ps->size - 1;
for(int i=0;i<end;i++)
{
ps->data[end + 1] = ps->data[end];
end--;
}
ps->data[0] = x;
ps->size++;
}
头删
void SeqListPopFront(SeqList* ps)
{
assert(ps);
assert(ps->size > 0);
SeqCheckCapacity(ps);
int start = 0;
for (int i = 0; i < ps->size - 1; i++)
{
ps->data[start] = ps->data[start + 1];
}
ps->size--;
}
查找元素
int SeqListFind(SeqList* ps, SeqDataType x)
{
assert(ps);
for (int i = 0; i < ps->size; i++)
{
if (ps->data[i] == x)
{
return i;
}
}
return -1;
}
pos位置插入元素
void SeqListInsert(SeqList* ps, int pos, SeqDataType x)
{
assert(ps);
assert(pos >= 0 && pos <= ps->size);
SeqCheckCapacity(ps);
int end = ps->size - 1;
while (end >= pos)
{
ps->data[end+1] = ps->data[end];
end--;
}
ps->data[pos] = x;
ps->size++;
}
pos位置删除元素
void SeqListErase(SeqList* ps, int pos)
{
assert(ps);
assert(pos >= 0 && pos <= ps->size);
int start = pos;
for (int i = start; i <= ps->size; i++)
{
ps->data[start] = ps->data[start + 1];
start++;
}
ps->size--;
}
修改元素
void SeqListModify(SeqList* ps, int pos, SeqDataType x)
{
assert(ps);
assert(pos >= 0 && pos < ps->size);
ps->data[pos] = x;
}
改正
前面的头插尾插,头删尾删都可以调用SeqListInsert和SeqListErase这两个函数
完整代码在[这](https: