栈
- 栈是一种后进先出(LIFO)的数据结构。
- 栈的基本操作包含清空(clear)、获取栈内元素个数(size)、判空(empty)、进栈(push)、出栈(pop)、取栈顶元素(getTop)。
栈的C语言实现
定义数据结构
#include <stdio.h>
#include <stdbool.h>
#define MaxSize 10000
typedef int ElemType;
typedef struct Stack {
ElemType data[MaxSize];
int top;
} Stack;
清空
void clear(Stack *s) {
s->top = -1;
}
判空
bool empty(Stack s) {
return s.top == -1;
}
获取栈内数据元素个数
int size(Stack s) {
return s.top + 1;
}
进栈
bool push(Stack *s, ElemType e) {
if (s->top == MaxSize - 1)
return false;
s->data[++s->top] = e;
return true;
}
出栈
bool pop(Stack *s) {
if (empty(*s))
return false;
s->top--;
return true;
}
取栈顶元素
bool getTop(Stack *s, ElemType *x) {
if (empty(*s))
return false;
*x = s->data[s->top];
return true;
}