编写一个程序 ,采用顺序栈实现栈的下列各种基本运算:
(1). 初始化栈 初始化栈
(2). 入栈
(3). 出栈
(4). 取栈顶元素 取栈顶元素 取栈顶元素
(5). 判栈是否为空 判栈是否为空 判栈是否为空
(6). 遍历栈遍
#include<stdio.h>
#include<stdlib.h>
#define STACK_INIT_SIZE 50//初始分配量
#define STACKINCREMENT 10//分配增量
typedef int SElemType;
typedef struct
{
SElemType *base;
SElemType *top;
int stacksize;
}SqStack;
void InitStack(SqStack &S)//初始化栈
{
S.base=(SElemType *) malloc (STACK_INIT_SIZE * sizeof(SElemType));
if(!S.base)
printf("初始化栈失败!\n");
S.top=S.base;
S.stacksize=STACK_INIT_SIZE;
}
void Push(SqStack &S,SElemType e)//入栈
{
if(S.top-S.base>=S.stacksize)
{
S.base=(SElemType *) realloc (S.base,(STACK_INIT_SIZE+STACKINCREMENT)*sizeof(SElemType));
if(!S.base)
printf("栈不存在!\n");
S.top=S.base+S.stacksize;
S.stacksize+=STACKINCREMENT;
}
*S.top++=e;
}
void Pop(SqStack &S,SElemType &e)//删除栈顶元素并用e返回其值(出栈)
{
if(S.top==S.base)
printf("操作失败!\n");
e=*--S.top;
}
void GetTop(SqStack S,SElemType &e)//取栈顶元素并用e返回其值
{
if(!S.base)
printf("栈不存在,操作失败!\n");
e=*(S.top-1);
}
void StackEmpty(SqStack S)//判断栈是否为空
{
if(!S.base)
printf("栈不存在!\n");
if(S.top==S.base)
printf("\n栈空!\n");
else
printf("\n栈不空!\n");
}
void VisitStack(SqStack S)//遍历栈
{
int i,*p;
if(!S.base)
printf("栈不存在!\n");
for(i=1,p=S.base;p<S.top;p++)
printf("第%d个元素为%d\n",i++,*p);
printf("\n");
}
int main()
{
SqStack S;
int i,n,m;
SElemType e,out,top;
InitStack(S);
printf("请输入入栈元素个数:");
scanf("%d",&n);
printf("\n");
for(i=0;i<n;i++)
{
printf("输入第%d个入栈元素:",i+1);
scanf("%d",&e);
Push(S,e);
}
printf("\n请输入要出栈的元素个数:");
scanf("%d",&m);
printf("\n");
for(i=0;i<m;i++)
{
Pop(S,out);
printf("第%d个出栈元素为:%d\n",i+1,out);
}
GetTop(S,top);
printf("\n当前栈顶元素为%d\n",top);
StackEmpty(S);
printf("\n栈中元素为:\n");
VisitStack(S);
return 0;
}