目录

2.26数据结构

链栈的代码

cpp 复制代码
//link_stack.h
#ifndef __LINK_STACK_H__
#define __LINK_STACK_H__
#include <stdio.h>
#include <stdlib.h>
typedef int datatype;
typedef struct link_stack
{
	int data;
	struct link_stack *next;
}link_stack,*link_p;

//栈顶指针类型
typedef struct top_t
{
	int len;
	link_p ptop;
}top_t,*top_p;

//申请栈顶指针
top_p create_top();
//申请结点的函数
link_p create_node(int data);
//入栈/压栈
void push_stack(top_p T,int data);
//判空
int empty_stack(top_p T);
//出栈/弹栈
void pop_stack(top_p T);
//遍历
void show(top_p T);
//销毁
void free_stack(top_p T);


#endif
cpp 复制代码
//link_stack.c
#include "link_stack.h"

//申请栈顶指针
top_p create_top()
{
	top_p top = (top_p)malloc(sizeof(top_t));
	if(top==NULL)
	{
		printf("空间申请失败\n");
		return NULL;
	}
	top->len = 0;
	top->ptop = NULL;  //刚申请栈指针时没有指向元素
	return top;
}
//申请结点的函数
link_p create_node(int data)
{
	link_p new = (link_p)malloc(sizeof(link_stack));
	if(new==NULL)
	{
		printf("申请空间失败\n");
		return NULL;
	}
	new->data = data;
	return new;
}
//入栈/压栈
void push_stack(top_p T,int data)
{
	if(T==NULL)
	{
		printf("入参为空\n");
		return;
	}
	link_p new = create_node(data);
	//入栈
	new->next = T->ptop;
	T->ptop = new;
	T->len++;
}
//判空
int empty_stack(top_p T)
{
	if(T==NULL)
	{
		printf("入参为空\n");
		return -1;
	}
	return T->ptop==NULL?1:0;
}

//出栈/弹栈
void pop_stack(top_p T)
{
	if(T==NULL)
	{
		printf("入参为空\n");
		return;
	}
	if(empty_stack(T))
	{
		printf("链栈为空\n");
		return;
	}
	link_p p = T->ptop;
	int pdata = p->data;
	T->ptop = p->next;
	T->len--;
	printf("出栈的元素:\n");
	printf("%d-->",pdata);
	free(p);
}
//遍历
void show(top_p T)
{

	if(T==NULL)
	{
		printf("入参为空\n");
		return;
	}
	if(empty_stack(T))
	{
		printf("栈为空\n");
		return;
	}
	link_p p = T->ptop;
	while (p != NULL) 
	{  
        printf("%d ", p->data);  
        p = p->next;  
    }  
    printf("\n");  }
//销毁
void free_stack(top_p T)
{
	if(T==NULL)
	{
		printf("入参为空\n");
		return;
	}
	link_p del = T->ptop;
	while(T->ptop)
	{
		T->ptop = T->ptop->next;
		free(del);
		del=T->ptop;
	}
	T->ptop=NULL;
}
cpp 复制代码
//main.c
#include "link_stack.h"

int main()
{
	top_p T = create_top();
	push_stack(T,90);
	push_stack(T,23);
	push_stack(T,45);
	push_stack(T,56);
	show(T);
	pop_stack(T);
	show(T);
	printf("判空函数的返回值为--->%d\n",empty_stack(T));
	free_stack(T);
	show(T);
	return 0;
}

思维导图

本文是转载文章,点击查看原文
如有侵权,请联系 xyy@jishuzhan.net 删除
相关推荐
我不会编程55514 小时前
Python Cookbook-5.1 对字典排序
开发语言·数据结构·python
owde14 小时前
顺序容器 -list双向链表
数据结构·c++·链表·list
第404块砖头14 小时前
分享宝藏之List转Markdown
数据结构·list
蒙奇D索大15 小时前
【数据结构】第六章启航:图论入门——从零掌握有向图、无向图与简单图
c语言·数据结构·考研·改行学it
A旧城以西15 小时前
数据结构(JAVA)单向,双向链表
java·开发语言·数据结构·学习·链表·intellij-idea·idea
烂蜻蜓16 小时前
C 语言中的递归:概念、应用与实例解析
c语言·数据结构·算法
守正出琦16 小时前
日期类的实现
数据结构·c++·算法
ゞ 正在缓冲99%…17 小时前
leetcode75.颜色分类
java·数据结构·算法·排序
爱爬山的老虎18 小时前
【面试经典150题】LeetCode121·买卖股票最佳时机
数据结构·算法·leetcode·面试·职场和发展
SweetCode19 小时前
裴蜀定理:整数解的奥秘
数据结构·python·线性代数·算法·机器学习