欢迎讨论:在阅读过程中有任何疑问,欢迎在评论区留言,我们一起交流学习!
点赞、收藏与分享:如果你觉得这篇文章对你有帮助,记得点赞、收藏,并分享给更多对数据结构感兴趣的朋友
线性表是n个具有相同特性的数据元素的有限序列,其特点为逻辑上连续,但在物理存储上可分为顺序存储和链式存储。常见实现包括:
顺序表通过地址连续的存储单元依次存储数据元素,底层通常用数组实现。根据容量管理方式分为两类:
// SeqList.h
#pragma once
#include
#include
#include
#define INIT_CAPACITY 4 // 初始容量
typedef int SLDataType;
typedef struct {
SLDataType* data; // 数据存储数组
int size; // 当前元素个数
int capacity; // 当前分配的总容量
} SeqList;
接口函数 | 功能说明 |
---|---|
SeqListInit |
初始化顺序表 |
SeqListDestroy |
释放顺序表内存 |
SeqListPrint |
打印顺序表内容 |
SeqListPushBack |
尾部插入元素 |
SeqListPushFront |
头部插入元素 |
SeqListInsert |
在指定位置插入元素 |
SeqListPopBack |
删除尾部元素 |
SeqListPopFront |
删除头部元素 |
SeqListErase |
删除指定位置元素 |
SeqListFind |
查找元素返回下标 |
// SeqList.c
void SeqListInit(SeqList* ps) {
assert(ps);
ps->data = (SLDataType*)malloc(sizeof(SLDataType) * INIT_CAPACITY);
if (!ps->data) {
perror("[Error] Malloc failed");
exit(EXIT_FAILURE);
}
ps->size = 0;
ps->capacity = INIT_CAPACITY;
}
void SeqListDestroy(SeqList* ps) {
assert(ps);
free(ps->data);
ps->data = NULL;
ps->size = ps->capacity = 0;
}
// 内部扩容函数
static void CheckCapacity(SeqList* ps) {
if (ps->size == ps->capacity) {
SLDataType* new_data = realloc(ps->data,
sizeof(SLDataType) * ps->capacity * 2);
if (!new_data) {
perror("[Error] Realloc failed");
exit(EXIT_FAILURE);
}
ps->data = new_data;
ps->capacity *= 2;
printf("扩容至 %d 容量\n", ps->capacity);
}
}
// 头插法
void SeqListPushFront(SeqList* ps, SLDataType x) {
assert(ps);
CheckCapacity(ps); // 确保容量足够
// 元素后移
for (int i = ps->size; i > 0; i--) {
ps->data[i] = ps->data[i-1];
}
ps->data[0] = x;
ps->size++;
}
// test.c
int main() {
SeqList list;
SeqListInit(&list);
// 插入测试
SeqListPushBack(&list, 10);
SeqListPushFront(&list, 5);
SeqListInsert(&list, 1, 7);
// 打印结果应为:5 7 10
SeqListPrint(&list);
// 删除测试
SeqListPopFront(&list);
SeqListErase(&list, 1);
// 打印结果应为:7
SeqListPrint(&list);
SeqListDestroy(&list);
return 0;
}
操作 | 时间复杂度 | 说明 |
---|---|---|
随机访问 | O(1) | 通过下标直接访问 |
头部插入 | O(n) | 需移动所有元素 |
尾部插入 | 均摊O(1) | 可能触发扩容 |
中间插入 | O(n) | 需移动后续元素 |
删除操作 | O(n) | 与插入类似 |
而这些问题,链表都可以解决、
它们各有各自的优势,更多的是你的使用场景,顺序表与链表是相辅相成的。
下一篇文章我会详细介绍链表。