初学者难题:1.如何创建这样的一个数组?
2.怎样判断栈的空满?
#include <stdio.h>
#include <stdlib.h>
#define ERROR 1e8
typedef int ElementType;
typedef enum { push, pop, end } Operation;
typedef enum { false, true } bool;
typedef int Position;
struct SNode {
ElementType *Data;
Position Top1, Top2;
int MaxSize;
};
typedef struct SNode *Stack;
Stack CreateStack( int MaxSize );
bool Push( Stack S, ElementType X, int Tag );
ElementType Pop( Stack S, int Tag );
Operation GetOp(); /* details omitted */
void PrintStack( Stack S, int Tag ); /* details omitted */
int main()
{
int N, Tag, X;
Stack S;
int done = 0;
scanf("%d", &N);
S = CreateStack(N);
while ( !done ) {
switch( GetOp() ) {
case push:
scanf("%d %d", &Tag, &X);
if (!Push(S, X, Tag)) printf("Stack %d is Full!\n", Tag);
break;
case pop:
scanf("%d", &Tag);
X = Pop(S, Tag);
if ( X==ERROR ) printf("Stack %d is Empty!\n", Tag);
break;
case end:
PrintStack(S, 1);
PrintStack(S, 2);
done = 1;
break;
}
}
return 0;
}
/* 你的代码将被嵌在这里 */
Stack CreateStack( int MaxSize ){ //怎么创建含有栈的数组?
Stack S;
S= (Stack)malloc(sizeof(struct SNode));
//开辟栈指针空间
S->Data=(int *)malloc(MaxSize*sizeof(int));//开辟栈数据空间(连续的)=》数组,所以不用单独定义数组
S->MaxSize=MaxSize;
S->Top1=-1;//栈1 栈顶“指针”指向-1,这样当栈1 的元素进栈时,Top的值=数组的下标值
S->Top2=MaxSize;// 栈2 的栈顶指针同理
return S;}
bool Push( Stack S, ElementType X, int Tag )//如果堆栈已满,Push函数必须输出“Stack Full”并且返回false
{ if(S->Top2-S->Top1==1)
{ printf("Stack Full\n");
return false; }
else
{ if(Tag==1)
{ S->Data[++(S->Top1)]=X; }
else if (Tag==2)
{ S->Data[--(S->Top2)]=X; }
return true; }}