一、栈的基本操作
data:image/s3,"s3://crabby-images/212da/212da335ae451297d925aa3193cd88564847519f" alt="图片"
二、栈的顺序存储结构
data:image/s3,"s3://crabby-images/15786/157861a33ffc6b55b04bb80b8eb41a2abdd6d525" alt="图片"
#define MaxSize 50
#define ElemType int
typedef struct
{
ElemType data[MaxSize];
int top;
}SqStack;
2.1 栈的初始化
void InitStack(SqStack *&s){
s = (SqStack*)malloc(sizeof(SqStack));
s->top=-1;
}
2.2 判断栈空
bool IsEmpty(SqStack *&s){
return s->top == -1;
}
2.3 栈的进栈
bool Push(SqStack *&s, ElemType e){
if(s->top == -1)
return false;
s->data[++s->top] = e;
return true;
}
2.4 栈的出栈
bool Pop(SqStack *&s, ElemType &e){
if(s->top == -1)
return false;
e = s->data[s->top--];
return true;
}
2.5 读出栈顶元素
bool GetTop(SqStack *&s, ElemType &e){
if(s->top==-1)
return false;
e = s->data[s->top];
return true;
}
2.6 共享栈
data:image/s3,"s3://crabby-images/8922b/8922b0aae5dca1f8beda8d93b8621a0258aecd63" alt="图片"
三、栈的链式存储结构
data:image/s3,"s3://crabby-images/3205e/3205ea34298b7ed8d8e6255123293a370a7cba11" alt="图片"
typedef struct LinkNode
{
ElemType data;
struct LinkNode *next;
}LinkStack;