当前位置:   article > 正文

数据结构——栈(C语言实现)_栈的c语言实现

栈的c语言实现

1.栈的概念及结构

栈:一种特殊的线性表,其只允许固定的一端插入和删除元素操作。进行数据插入和删除操作的一端称为栈顶,另一端称为栈底。栈中的数据元素遵循后进先出LIFO(Last In First Out)的原则。

压栈:栈的插入操作叫做进栈/压栈/入栈,入数据在栈顶。

出栈:栈的删除操作叫做出栈。出数据也在栈顶。

2.栈的实现

栈的实现一般可以使用数组或者链表实现,相对而言数组的数组的结构实现更优一些,因为在数组上尾插尾删的代价更小。(1.数据操作量少;2.cpu高速缓存命中率更高,具体详情出门左转《顺序表与链表的比较》)

头文件:stack.h

  1. #pragma once
  2. #include <stdio.h>
  3. #include <assert.h>
  4. #include <stdlib.h>
  5. typedef int STDataType;
  6. typedef struct Stack
  7. {
  8. STDataType* a;
  9. int top;//栈顶位置
  10. int capacity;//容量
  11. }ST;
  12. //初始化栈
  13. void StackInit(ST* ps);
  14. //销毁栈
  15. void StackDestroy(ST* ps);
  16. //入栈
  17. void StackPush(ST* ps, STDataType x);
  18. //出栈
  19. void StackPop(ST* ps);
  20. //检测栈是否为空,为空返回1
  21. bool StackEmpty(ST* ps);
  22. //获取栈中有效元素个数
  23. int StackSize(ST* ps);
  24. //获取栈顶元素
  25. STDataType StackTop(ST* ps);

源文件:stack.c

  1. #include"Stack.h"
  2. void StackInit(ST* ps)
  3. {
  4. assert(ps);
  5. ps->a = NULL;
  6. ps->capacity = 0;
  7. ps->top = -1;
  8. }
  9. void StackDestroy(ST* ps)
  10. {
  11. assert(ps);
  12. free(ps->a);
  13. ps->capacity = 0;
  14. ps->top = -1;
  15. }
  16. void StackPush(ST* ps, STDataType x)
  17. {
  18. assert(ps);
  19. if (ps->top + 1 == ps->capacity)
  20. {
  21. int newCapacity = ps->capacity == 0 ? 4 : ps->capacity * 2;
  22. ps->a = (STDataType*)realloc(ps->a, newCapacity * sizeof(STDataType));
  23. if (ps->a == NULL)
  24. {
  25. printf("realloc fail\n");
  26. exit(-1);
  27. }
  28. ps->capacity = newCapacity;
  29. }
  30. ps->top++;
  31. ps->a[ps->top] = x;
  32. }void StackPop(ST* ps)
  33. {
  34. assert(ps);
  35. assert(ps->top >= 0);
  36. ps->top--;
  37. }
  38. bool StackEmpty(ST* ps)
  39. {
  40. assert(ps);
  41. return ps->top == -1;
  42. }
  43. int StackSize(ST* ps)
  44. {
  45. assert(ps);
  46. return ps->top + 1;
  47. }
  48. STDataType StackTop(ST* ps)
  49. {
  50. assert(ps);
  51. assert(ps->top >= 0);
  52. return ps->a[ps->top];
  53. }

测试文件:test.c

  1. #include "Stack.h"
  2. void TestStack()
  3. {
  4. ST st;
  5. StackInit(&st);
  6. StackPush(&st, 1);//入栈
  7. StackPush(&st, 2);
  8. StackPush(&st, 3);
  9. StackPush(&st, 4);
  10. while (!StackEmpty(&st))//出栈并打印出栈元素
  11. {
  12. printf("%d ", StackTop(&st));
  13. StackPop(&st);
  14. }
  15. printf("\n");
  16. StackDestroy(&st);
  17. }
  18. int main()
  19. {
  20. TestStack();
  21. return 0;
  22. }

运行结果

 出栈顺序恰好与入栈顺序相反。

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/我家自动化/article/detail/814163
推荐阅读
相关标签
  

闽ICP备14008679号