数据结构:栈

文章目录

今天学习一种新的数据结构------栈

1.栈的概念及结构

:一种特殊的线性表,其只允许在固定的一端进行插入和删除元素操作。进行数据插入和删除操作的一端称为栈顶,另一端称为栈底。栈中的数据元素遵守后进先出LIFO(Last In First Out)的原则。
压栈 :栈的插入操作叫做进栈/压栈/入栈,入数据在栈顶。
出栈:栈的删除操作叫做出栈。出数据也在栈顶。

栈的实现一般可以使用数组或者链表实现,相对而言数组的结构实现更优一些。因为数组在尾上插入数据的代价比较小

c 复制代码
typedef int StackDataType;
//动态
typedef struct Stack
{
	StackDataType* arr;//数组实现
	int top;//栈顶,有效元素的下一个
	int capacity;//数组容量
}Stack;

2.栈的实现

栈这种数据结构的特点就是后进先出,由于它的特性,它的使用方法也就不像链表那样麻烦。基本使用如下:

2.1初始化

c 复制代码
//初始化
void StackInit(Stack* ps)
{
	assert(ps);
	ps->arr = NULL;
	ps->capacity = 0;
	ps->top = 0;
}

2.2入栈

入栈前,应检查数组的大小。若数组满了,应进行扩容。

c 复制代码
//入栈
void StackPush(Stack* ps, StackDataType x)
{
	assert(ps);
	//检查容量
	if (ps->top == ps->capacity)
	{
		int newcapacity = ps->capacity == 0 ? 4 : ps->capacity * 2;
		//扩容
		StackDataType* tmp = (StackDataType*)realloc(ps->arr, sizeof(StackDataType) * newcapacity);
		if (!tmp)
		{
			perror("realloc");
			return;
		}
		ps->arr = tmp;
		ps->capacity = newcapacity;
	}
	//数据入栈
	ps->arr[ps->top] = x;
	ps->top++;
}

2.3出栈

由于我们使用的是数组,所以出栈就非常简单,只需将栈顶下移即可。

c 复制代码
//出栈
void StackPop(Stack* ps)
{
	assert(ps);
	//栈中得有元素
	assert(ps->top);
	//出栈
	ps->top--;
}

2.4栈顶元素

c 复制代码
//栈顶元素
StackDataType StackTopElement(Stack* ps)
{
	assert(ps);
	assert(ps->top);
	return ps->arr[ps->top - 1];
}

2.5栈中有效元素个数

由于数组下标从0开始,我们的栈顶指向的是当前元素的下一个位置;因此,直接返回栈顶即可。

c 复制代码
//有效元素个数
int StackSize(Stack* ps)
{
	assert(ps);
	return ps->top;
}

2.6检测栈是否为空

如果为空返回非零结果,如果不为空返回0

c 复制代码
//是否为空,如果为空返回非零结果,如果不为空返回0 
int StackEmpty(Stack* ps)
{
	assert(ps);

	return ps->top == 0;
}

2.7销毁栈

c 复制代码
//销毁栈
void StackDestroy(Stack* ps)
{
	assert(ps);
	free(ps->arr);
	ps->arr = NULL;
	ps->capacity = 0;
	ps->top = 0;
}

2.8栈的打印

由于栈的特性,它的打印方式和数组不同。它是先获取栈顶元素打印,然后出栈。

c 复制代码
int main()
{
	Stack stack;
	StackInit(&stack);
	StackPush(&stack, 1);
	StackPush(&stack, 2);
	StackPush(&stack, 3);
	StackPush(&stack, 4);
	StackPush(&stack, 5);

	while (!StackEmpty(&stack))
	{
		int top = StackTopElement(&stack);
		printf("%d ", top);
		StackPop(&stack);
	}
	return 0;
}
相关推荐
我不会编程55515 小时前
Python Cookbook-5.1 对字典排序
开发语言·数据结构·python
owde16 小时前
顺序容器 -list双向链表
数据结构·c++·链表·list
第404块砖头16 小时前
分享宝藏之List转Markdown
数据结构·list
蒙奇D索大16 小时前
【数据结构】第六章启航:图论入门——从零掌握有向图、无向图与简单图
c语言·数据结构·考研·改行学it
A旧城以西17 小时前
数据结构(JAVA)单向,双向链表
java·开发语言·数据结构·学习·链表·intellij-idea·idea
烂蜻蜓17 小时前
C 语言中的递归:概念、应用与实例解析
c语言·数据结构·算法
守正出琦18 小时前
日期类的实现
数据结构·c++·算法
ゞ 正在缓冲99%…18 小时前
leetcode75.颜色分类
java·数据结构·算法·排序
爱爬山的老虎19 小时前
【面试经典150题】LeetCode121·买卖股票最佳时机
数据结构·算法·leetcode·面试·职场和发展
SweetCode20 小时前
裴蜀定理:整数解的奥秘
数据结构·python·线性代数·算法·机器学习