1.线性表
线性表(linear list)是n个具有相同特性的数据元素的有限序列。线性表是一种在实际中广泛使用的数据结构,常见的线性表:顺序表、链表、栈、队列、字符串...
线性表在逻辑上是线性结构,也就是说连续的一条直线。但是在物理结构上并不一定是连续的,线性表在物理上存储时,通常以数组和链式结构的形式存储。
2.顺序表
2.1 概念与结构
概念:顺序表是用一段物理地址连续的存储单元依次存储数据元素的线性结构,一般情况下采用数组存储。其底层逻辑其实就是数组,只不过多了增删改查的功能。
2.2 分类
2.2.1 静态顺序表
typedef int SLDataType;
#define N 7
typedef struct SeqList
{
SLDataType arr[N];
int size;//顺序表中有效数据的个数
}SL;
可能不够用或者浪费空间
2.2.2 动态顺序表
struct SeqList
{
int* arr;
int capacity;//顺序表空间大小
int size;//有效数据个数
}
3.演示
//SeqList.h
#pragma once
//定义动态顺序表结构
typedef int SLDataType;
typedef struct SeqList
{
SLDataType* arr;
int capacity;//顺序表空间大小
int size;//记录顺序表的有效数据个数
}SL;
//初始化
void SLInit(SL* ps);
//销毁
void SLDestroy(SL* ps);
//插入数据
void SLPushBack(SL* ps, SLDataType x);
void SLPushFront(SL* ps, SLDataType x);
//打印数据
void SLPrint(SL* ps);
//检查容量
void SLCheckCapacity(SL* ps);
//删除数据
void SLPopBack(SL* ps);
void SLPopFront(SL* ps);
//SeqList.c
#include "SeqList.h"
#include <stdio.h>
#include <stdlib.h>
#include <assert.h>
void SLCheckCapacity(SL* ps)
{
//判断空间是否充足
if (ps->size == ps->capacity)
{
//增容
//连续空间足够,直接扩容
//连续空间不够,重新找一块地址,拷贝,销毁旧地址
//若capacity为0,给个默认值;如果有值,那就*2
int newCapacity = ps->capacity == 0 ? 4 : 2 * ps->capacity;
SLDataType* tmp = (SLDataType*)realloc(ps->arr, newCapacity * sizeof(SLDataType));
if (tmp == NULL)
{
perror("realloc fail!");
exit(1);
}
ps->arr = tmp;
ps->capacity = newCapacity;
}
}
void SLInit(SL* ps)
{
ps->arr = NULL;
ps->size = ps->capacity = 0;
}
void SLDestroy(SL* ps)
{
if (ps->arr)
{
free(ps->arr);
}
ps->arr = NULL;
ps->capacity = ps->size = 0;
}
void SLPushBack(SL* ps, SLDataType x)
{
assert(ps);
SLCheckCapacity(ps);
ps->arr[ps->size++] = x;
}
void SLPushFront(SL* ps, SLDataType x)
{
assert(ps);
SLCheckCapacity(ps);
//数据整体后移一位
for (int i = ps->size; i > 0; i--)
{
ps->arr[i] = ps->arr[i - 1];
}
ps->arr[0] = x;
ps->size++;
}
void SLPrint(SL* ps)
{
for (int i = 0; i < ps->size; i++)
{
printf("%d ", ps->arr[i]);
}
printf("\n");
}
void SLPopBack(SL* ps)
{
assert(ps);
assert(ps->size);
ps->arr[ps->size - 1] = 0;
ps->size--;
}
void SLPopFront(SL* ps)
{
assert(ps);
assert(ps->size);
//数据整体向前挪动一位
for (int i = 0; i < ps->size; i++)
{
ps->arr[i] = ps->arr[i + 1];
}
ps->size--;
}
//test.c
#include "SeqList.h"
void SLtest01()
{
SL s;
SLInit(&s);
//SLPushBack(&s, 1);
//SLPushBack(&s, 2);
//SLPushBack(&s, 3);
//SLPushBack(&s, 4);//1 2 3 4
//SLPushBack(&s, 5);
//SLPushBack(&s, 6);
//SLPushBack(&s, 7);
SLPushFront(&s, 1);
SLPushFront(&s, 2);
SLPushFront(&s, 3);
SLPopBack(&s);
SLPopFront(&s);
//6 5 4 3 2 1
SLPrint(&s);
SLDestroy(&s);
}
int main()
{
SLtest01();
return 0;
}