墨守成规的栈

目录

一、基础设置

二、函数实现

1. 初始化

2. 进栈出栈

3. 获取栈顶

4. 销毁栈

5. 判断栈空

6. 栈的大小

三、代码汇总

stack.h

stack.c


一、基础设置

此处用到的是顺序栈,链栈也是可以实现的,可以自行尝试一下

typedef int ElemType;  //定义ElemType为了方便以后修改数据类型

typedef struct stack
{
	ElemType* data;
	int top;
	int capacity;
}ST;

 

二、函数实现

栈要实现的函数相对链表较少,因为栈只能后进先出,且只能从栈顶的一端插入

void STInit(ST* pst);
void STDestroy(ST* pst);

void STPush(ST* pst, ElemType x);
void STPop(ST* pst);

ElemType STTop(ST* pst);
bool STEmpty(ST* pst);
int STSize(ST* pst);

1. 初始化

void STInit(ST* pst)
{
	assert(pst);
	pst->capacity = 0;
	pst->top = 0;
	pst->data = NULL;
}

2. 进栈出栈

注意:要判断栈的大小是否足够再进栈,不够需要进行扩容操作

void STPush(ST* pst, ElemType x)
{
	assert(pst);
	if (pst->top == pst->capacity)
	{
		int newCap = pst->capacity == 0 ? 4 : pst->capacity * 2;
	    ElemType* tmp = (ElemType*)realloc(pst->data, newCap*sizeof(ElemType));
		if (tmp == NULL)
		{
			perror("realloc");
			exit(-1);
		}
		pst->data = tmp;
		pst->capacity = newCap;
	}
	pst->data[pst->top] = x;
	pst->top++;
}

出栈时要保证栈不为空 

void STPop(ST* pst)
{
	assert(pst);
	if (pst->top == 0)
		return;
	
	pst->top--;
}

 

3. 获取栈顶

获取栈顶元素时,要保证栈内有元素

ElemType STTop(ST* pst)
{
	assert(pst);
	assert(pst->top > 0);
	return pst->data[pst->top - 1];
}

4. 销毁栈

void STDestroy(ST* pst)
{
	assert(pst);
	free(pst->data);
	pst->capacity = pst->top = 0;
}

5. 判断栈空

bool STEmpty(ST* pst)
{
	assert(pst);
	return pst->top == 0;
}

6. 栈的大小

int STSize(ST* pst)
{
	assert(pst);
	return pst->top;
}

 

三、代码汇总

stack.h

#include 
#include 
#include 
#include 

typedef int ElemType;

typedef struct stack
{
	ElemType* data;
	int top;
	int capacity;
}ST;

void STInit(ST* pst);
void STDestroy(ST* pst);

void STPush(ST* pst, ElemType x);
void STPop(ST* pst);

ElemType STTop(ST* pst);
bool STEmpty(ST* pst);
int STSize(ST* pst);

stack.c

#include "Stack.h"

void STInit(ST* pst)
{
	assert(pst);
	pst->capacity = 0;
	pst->top = 0;
	pst->data = NULL;
}

void STPush(ST* pst, ElemType x)
{
	assert(pst);
	if (pst->top == pst->capacity)
	{
		int newCap = pst->capacity == 0 ? 4 : pst->capacity * 2;
	    ElemType* tmp = (ElemType*)realloc(pst->data, newCap*sizeof(ElemType));
		if (tmp == NULL)
		{
			perror("realloc");
			exit(-1);
		}
		pst->data = tmp;
		pst->capacity = newCap;
	}
	pst->data[pst->top] = x;
	pst->top++;
}

void STPop(ST* pst)
{
	assert(pst);
	if (pst->top == 0)
		return;
	
	pst->top--;
}

ElemType STTop(ST* pst)
{
	assert(pst);
	assert(pst->top > 0);
	return pst->data[pst->top - 1];
}

void STDestroy(ST* pst)
{
	assert(pst);
	free(pst->data);
	pst->capacity = pst->top = 0;
}


bool STEmpty(ST* pst)
{
	assert(pst);
	return pst->top == 0;
}

int STSize(ST* pst)
{
	assert(pst);
	return pst->top;
}

如果有不理解的内容可以在评论区一起讨论,c语言的知识需要回顾的可以翻我之前的文章

你可能感兴趣的:(数据结构,算法,c语言,c++)