代码实现
// 支持动态增长的栈
typedef int STDataType;
typedef struct stack
{
STDataType* data; //栈空间
int top; //栈顶
int capacity; //容量
}stack;
实现方法
先将栈空间置空,栈顶置为 -1,栈空间容量置为 0。
代码实现
// 初始化栈
void StackInit(stack* ps)
{
assert(ps);
ps->data = NULL; //栈空间置空
ps->top = -1; //栈顶
ps->capacity = 0;
}
代码实现
// 入栈
void StackPush(stack* ps, STDataType data)
{
assert(ps);
if (ps->top + 1 == ps->capacity) //检查栈空间是否需要扩容
{
int newcapacity = ps->capacity == 0 ? 4 : 2 * ps->capacity;
STDataType* tmp =
(STDataType*)realloc(ps->data, sizeof(STDataType) * newcapacity);
if (NULL == tmp)
{
perror("realloc");
exit(-1);
}
ps->data = tmp;
ps->capacity = newcapacity;
}
ps->top++; //栈顶指针指向栈顶之上
ps->data[ps->top] = data; //元素入栈
}
// 出栈
void StackPop(stack* ps)
{
assert(ps);
assert(ps->top > -1); //栈不为空
ps->top--; //栈顶指针 - 1
}
// 获取栈顶元素
STDataType StackTop(stack* ps)
{
assert(ps);
assert(ps->top > -1); //栈不为空
return ps->data[ps->top]; //返回栈顶元素
}
// 获取栈中有效元素个数
int StackSize(stack* ps)
{
assert(ps);
return ps->top + 1;
}
// 检测栈是否为空,如果为空返回非零结果,如果不为空返回0
int StackEmpty(stack* ps)
{
assert(ps);
return -1 == ps->top;
}
// 销毁栈
void StackDestroy(stack* ps)
{
assert(ps);
free(ps->data); //释放栈空间
ps->data = NULL;
ps->top = ps->capacity = 0;
}