目录
栈:一种特殊的线性表,其只允许在固定的一端进行插入和删除元素操作。进行数据插入和删除操作的一端称为栈顶,另一端称为栈底。栈中的数据元素遵守后进先出LIFO(Last In First Out)的原则。
压栈:栈的插入操作叫做进栈/压栈/入栈,入数据在栈顶。
出栈:栈的删除操作叫做出栈。出数据也在栈顶。
栈的实现一般可以使用数组或者链表实现,相对而言数组的结构实现更优一些。因为数组在尾上插入数据的代价比较小。
- #pragma once
- #include
- #include
- #include
- #include
-
- //typedef int STDataType;
- //#define N 10
- //typedef struct Stack
- //{
- // STDataType a[N];
- // int top;
- //}ST;
-
- typedef int STDataType;
- typedef struct Stack
- {
- STDataType* a;
- int top;
- int capacity;
-
- }ST;
- void StackInit(ST* ps);
- void StackDestroy(ST* ps);
- void StackPush(ST* ps);
- void StackPop(ST* ps);
- int StackSize(ST* ps);
- bool StackEmpty(ST* ps);
- STDataType StackTop(ST* ps);
- #define _CRT_SECURE_NO_WARNINGS 1
- #include"Stack.h"
- void StackInit(ST* ps)
- {
- assert(ps);
- ps->a = NULL;
- ps->top = 0;
- ps->capacity = 0;
- }
- void StackDestroy(ST* ps)
- {
- assert(ps);
- free(ps->a);
- ps->a = NULL;
- ps->top = ps->capacity = 0;
- }
- void StackPush(ST* ps, STDataType x)
- {
- assert(ps);
- if (ps->top == ps->capacity)
- {
- int newCapacity = ps->capacity == 0 ? 4 : ps->capacity * 2;
- STDataType* tmp =(STDataType*)realloc(ps->a,sizeof(STDataType) * newCapacity);
- if (tmp == NULL)
- {
- printf("realloc fail\n");
- exit(-1);
- }
- ps->a = tmp;
- ps->capacity = newCapacity;
- }
- ps->a[ps->top] = x;
- ps->top++;
- }
- void StackPop(ST* ps)
- {
- assert(ps);
- assert(!StackEmpty(ps));
- ps->top--;
- }
- STDataType StackTop(ST* ps)
- {
- assert(ps);
- assert(!StackEmpty(ps));
- return ps->a[ps->top - 1];
- }
- bool StackEmpty(ST* ps)
- {
- assert(ps);
- return ps->top == 0;
- }
- int StackSize(ST* ps)
- {
- assert(ps);
- return ps->top;
- }
- #define _CRT_SECURE_NO_WARNINGS 1
- #include"Stack.h"
-
- void meau()
- {
- printf("*****************************************\n");
- printf("1、数据入栈 2、数据出栈\n");
- printf("3、查看栈顶数据 4、栈的长度\n");
- printf("5、全部出栈\n");
- printf("*****************************************\n");
- }
- int main()
- {
- ST st;
- StackInit(&st);
- int option;
- int num;
- do {
- meau();
- if (scanf("%d", &option) == EOF)
- {
- printf("scanf输入错误\n");
- exit(0);
- break;
- }
- switch (option)
- {
- case 1:
- {
- printf("请输入你要入栈的数据\n");
- scanf("%d", &num);
- StackPush(&st, num);
- break;
- }
- case 2:
- {
- printf("元素%d完成出栈\n", StackTop(&st));
- StackPop(&st);
- break;
- }
- case 3:
- {
- printf("元素%d在栈顶\n", StackTop(&st));
- break;
- }
- case 4:
- {
- printf("栈的长度为%d\n", StackSize(&st));
- break;
- }
- case 5:
- {
- printf("全部出栈\n");
- while (!StackEmpty(&st))
- {
- printf("%d\n", StackTop(&st));
- StackPop(&st);
- }
- break;
- }
- default:
- exit(-1);
- break;
- }
-
- } while (option != -1);
- StackDestroy(&st);
- return 0;
- }
1.一个栈的初始状态为空。现将元素1、2、3、4、5、A、B、C、D、E依次入栈,然后再依次出栈,则元素出
栈的顺序是( )。
A 12345ABCDE
B EDCBA54321
C ABCDE12345
D 54321EDCBA
2.若进栈序列为 1,2,3,4 ,进栈过程中可以出栈,则下列不可能的一个出栈序列是()
A 1,4,3,2
B 2,3,4,1
C 3,1,4,2
D 3,4,2,1
答案
1.B
2.C