这个栈是带有表头的栈。实现栈的一些规范操作,初始化,插入,删除等。包括两个头文件Stack.h,fatal.h,库函数Stack.c,测试函数TestStack.c。头文件放的都是函数声明,库函数Stack.c放的的函数的定义。
Stack.h
typedef int ElementType; #ifndef _Stack_H #include<stdbool.h> struct Node; typedef struct Node *PtrToNode; typedef PtrToNode Stack; bool IsEmpty(Stack S);//判断栈是否为空 Stack CreatStack(void);//初始化一个栈 void Pop(Stack S);//对栈进行删除工作,只能弹出栈顶元素 void MakeEmpty(Stack S);//使得一个栈制空 void Push(ElementType X, Stack S); ElementType Top(Stack S); void DisposeStack(Stack S); void PrintStake(Stack S); #endif // !_Stack_H
fatal.h
#include<stdio.h> #include<stdlib.h> #define Error(Str) FatalError(Str) #define FatalError(Str) fprintf(stderr, "%s\n", Str), exit(1);
Stack.c
#include "Stack.h" #include<stdlib.h> #include<stdio.h> #include"fatal.h" //结构体定义 struct Node { ElementType Element; PtrToNode Next; }; bool IsEmpty(Stack S) { return S->Next == NULL; } //初始化一个栈 Stack CreatStack(void) { Stack S; S = malloc(sizeof(struct Node)); if (S == NULL) FatalError("Out of Space!") S->Next = NULL; MakeEmpty(S);//保证栈是个空栈 return S; } //对栈进行删除工作,只能删除顶部元素 void Pop(Stack S) { PtrToNode FirstCell; if (IsEmpty(S)) Error("Empty Stack!") else { FirstCell = S->Next; S->Next = S->Next->Next; free(FirstCell); } } //使得一个栈制空 void MakeEmpty(Stack S) { if (S==NULL) Error("Must use CreatStake first") else { while (!IsEmpty(S)) Pop(S); } } //往栈S添加一个元素X void Push(ElementType X, Stack S) { PtrToNode TmpCell; TmpCell = malloc(sizeof(struct Node)); if (TmpCell==NULL) FatalError("Out of Space!") else { TmpCell->Element = X; TmpCell->Next = S->Next; S->Next = TmpCell; } } ElementType Top(Stack S) { if (!IsEmpty(S)) return S->Next->Element; Error("Empty Space"); return 0;/*Return value used to avoid warning*/ } void DisposeStack(Stack S) { MakeEmpty(S); free(S); } //打印栈,栈也没了 void PrintStake(Stack S) { while (!IsEmpty(S)) { printf("%d ", Top(S)); Pop(S); } }
TestStack.c
#include "Stack.h" #include<stdio.h> #include<time.h> #include<stdlib.h> int main() { Stack S; S = CreatStack(); printf("随机生成多少位数:"); long amount; scanf_s("%d", &amount); srand((unsigned)time(NULL)); for (long i = 0; i < amount; i++) Push(rand() % 1000,S);//插入元素 PrintStake(S); DisposeStack(S);//释放栈 }
时间: 2024-10-19 06:30:35