【浙大数据结构学习笔记】2.2.3 堆栈的链式结构存储实现

目录

  • 2.2.3 堆栈的链式结构存储实现
    • 代码实现
    • 运行结果

2.2.3 堆栈的链式结构存储实现

定义: 栈的链式存储结构实际上是一个单链表,又称链栈。插入和删除操作只能在栈顶(链表的尾部——表尾)进行。

代码实现

包括了建立空堆栈、入栈出栈和判断堆栈空。

#include "stdio.h"
#include "stdlib.h"
#define ERROR -2

typedef struct SNode *PtrToSNode;//ptr(pointer)指针的缩写 ,PtrToSNode——指向SNode的指针 
struct SNode{
	int data;
	PtrToSNode Next;
};
typedef PtrToSNode Stack;
Stack CreatStack(){
	//建立一个堆栈的头结点,返回头结点的指针 
	Stack S=(Stack)malloc(sizeof(struct SNode));
	S->Next=NULL;
	return S;
} 
bool IsEmpty(Stack S){
	//插入元素后,堆栈 S->Next指向的是第一个元素 
	return (S->Next==NULL);
}
bool Push(Stack S,int X){
	PtrToSNode Tmpcell;
	Tmpcell=(PtrToSNode)malloc(sizeof(struct SNode));
	Tmpcell->data=X;
	Tmpcell->Next=S->Next;
	S->Next=Tmpcell;
	return true;
} 
int Pop(Stack S){
	if(IsEmpty(S)){
		printf("堆栈满!\n");
		return ERROR;
	}
	PtrToSNode Firstcell;
	int TopELem;
	Firstcell=S->Next;
	TopELem=Firstcell->data;
	S->Next=Firstcell->Next;
	free(Firstcell);
	return TopELem;
}
int main(){
	Stack S= CreatStack();
	printf("%d\n",Pop(S));
	Push(S,1);
	Push(S,2);
	Push(S,3);
	printf("%d\n",Pop(S));
	printf("%d\n",Pop(S));
	printf("%d\n",Pop(S));
	return 0;
}

运行结果

【浙大数据结构学习笔记】2.2.3 堆栈的链式结构存储实现_第1张图片

你可能感兴趣的:(数据结构,堆栈,链表,数据结构)