
栈的实现(具体的接口实现)
1.
2.
3.
4.
5.
6.
7.
发布日期:2021-05-04 18:35:57
浏览次数:27
分类:技术文章
本文共 2242 字,大约阅读时间需要 7 分钟。
栈
栈是一种特殊的线性表,其只允许在固定的一端进行插入和删除元素的操作。进行数据插入和删除操作的一端称为栈顶,另一端称为栈底,栈中的数据元素遵守后进先出LIFO(Last In First out)的原则
- 压栈:栈的插入操作叫做压栈,也可称为进栈或入栈,在栈顶入数据。
- 出栈:栈的删除操作叫出栈,出数据也在栈顶。
栈的实现一般可以使用数组或链表实现,但两者相对而言数组的结构更优一些,因为数组在尾上插入数据的时候是直接用下标插入,而链表则需要找到它的尾指针,然后再进行插入(双向链表除外,这里的链表通常都是单链表)。
栈和一样都可分为静态顺序表和动态顺序表。
静态栈
typedef int STDataType;#define N 10typedef struct Stack{ STDataType a[N]; int top; // 栈顶}Stack;
静态的栈,由于长度是固定的,在栈满需要增容时,可能会存在空间浪费,因此在实际中并不实用,所以我们经常使用动态的数组
动态栈
typedef int STDataType;typedef struct Stack{ STDataType* _a; int _top; // 栈顶 int _capacity; // 容量}Stack;
动态栈的接口实现
1. void StackInit(Stack* pst);
描述:对栈进行初始化,为数组a申请4个大小的空间,置top为0,capacity为4.
实现:
void StackInit(Stack* pst) { assert(pst); pst->a = (STDataType*)malloc(sizeof(STDataType)*4); pst->top = 0; pst->capacity = 4; }
2. void StackDestory(Stack* pst);
描述:对申请的空间进行销毁,并将a指针置为NULL,top和capacity置为0。
实现:
void StackDestory(Stack* pst) { assert(pst); free(pst->a); pst->a = NULL; pst->top = pst->capacity = 0; }
3. void StackPush(Stack* pst,STDataType x);
描述:在栈顶插入x
实现:
void StackPush(Stack* pst,STDataType x){ assert(pst); //说明栈已经满了 if(pst->capacity == pst->top){ STDataType* tmp =(STDataType*) realloc(pst,pst->capacity*2*sizeof(STDataType)); if(tmp == NULL) { StackDestory(pst); exit(-1); } pst->capacity *= 2; pst->a = tmp; } pst->a[pst->top] = x; pst->top++;}
4. void StackPop(Stack* pst);
描述:弹出栈顶的值
实现:
void StackPop(Stack* pst){ assert(pst); assert(!StackEmpty(pst)); --pst->top;}
5. int StackSize(Stack* pst);
描述:返回当前栈的大小值
实现:
int StackSize(Stack* pst){ assert(pst); return pst->top;}
6. STDataType StackTop(Stack* pst);
描述:返回当前栈顶的值
实现:
STDataType StackTop(Stack* pst){ assert(pst); assert(!StackEmpty(pst)); return pst->a[pst->top - 1];}
7.int StackEmpty(Stack* pst);
描述:判断当前栈是否为空,若为空则返回1,非空则返回0
实现:
int StackEmpty(Stack* pst){ assert(pst); return pst->top == 0 ? 1 : 0;}
发表评论
最新留言
逛到本站,mark一下
[***.202.152.39]2025年04月06日 18时06分01秒
关于作者

喝酒易醉,品茶养心,人生如梦,品茶悟道,何以解忧?唯有杜康!
-- 愿君每日到此一游!
推荐文章
wxAUI - wxWidgets用户界面框架 - 使用感受
2019-03-03
wxSqlite3 - wxWidgets封装的Sqlite数据库访问类库 - 使用感受
2019-03-03
wxSqlite3 和 wxPropertyGrid 类库的说明
2019-03-03
wxSqlite3类库的使用感受 - 关于乱码的问题
2019-03-03
天涯人脉通讯录 - 设计草图
2019-03-03
秒表计时器(Stopwatch) - V1.1
2019-03-03
★★★男女朋友价格计算器V1.6 - 看看你的朋友值多少钱 :-)
2019-03-03
wxWidgets 最新版2.8.11,终于放出来了
2019-03-03
报表模板更新 - 代码统计工具 - 最新版3.4.1.1 放出
2019-03-03
linux使用yum安装软件报错
2019-03-03
python学习09:暂停一秒后再输出
2019-03-03
python学习12:水仙花
2019-03-03
4、Mysql 主从复制报错[ERROR] [MY-013117] 踩坑
2019-03-03
6、ShardingSphere 之 读写分离
2019-03-03
3 项目范围管理
2019-03-03
布隆过滤器
2019-03-03
线程池体系(二)-- ForkJoinPool
2019-03-03
C++ STL
2019-03-03
拓扑排序
2019-03-03