C语言数据结构学习:栈

C语言 数据结构学习 汇总入口:

C语言数据结构学习:[汇总]

1. 栈

  1. 栈,实际上是一种特殊的线性表。
  2. 这里使用的是链表栈,链表栈的博客:C语言数据结构学习:单链表

2. 栈的特点

  1. 只能在一端进行存取操作,导致存取的元素元素有先进后出的特点
  2. 栈是一种只能在一端进行插入和删除操作的特殊线性表。
  3. 后进先出(Last In First Out,LIFO)
    • 就像往一个桶里放东西再取东西一样,后放进去的东西会先被取出来。
  4. 基本操作
    • 入栈(push):将一个元素压入栈顶。例如,往栈里放一本书,这本书就成为了新的栈顶元素。
    • 出栈(pop):从栈顶取出一个元素。相当于从桌子上拿走最上面的那本书。
    • 读栈顶元素(peek):只查看栈顶元素的值而不取出它。如同看一下最上面那本书是什么,但不拿走它。

3. 代码示例

  1. 定义新的类型:Node,用于创建节点

    /* 定义新的类型Node,用于创建节点 */
    typedef struct Node {
    	int data;
    	struct Node* next;
    }Node;
    
  2. 初始化栈

    /* 初始化栈 */
    Node* initStack() {
    	Node* S = (Node*)malloc(sizeof(Node));
    	S->data = 0;
    	S->next = NULL;
    	return S;
    }
    
  3. 入栈(push)、出栈(pop)、读栈顶元素(peek)

    /* 出栈 */
    //判断栈是否为空
    int isEmpty(Node* S) {
    	if (S->data == 0 || S->next == NULL) {
    		return 1;
    	}
    	else{
    		return 0;
    	}
    }
    //出栈
    int pop(Node* S) {
    	if (isEmpty(S)) {
    		return -1;
    	}
    	else {
    		Node* current = S->next;	//获取第一个元素
    		int data = current->data;	//获取第一个元素的data
    		S->next = current->next;	//把栈头的next指向当前的next
    		free(current);				//释放当前
    		return data;				//返回data
    	}
    }
    
    /* 入栈 */
    void push(Node* S, int data) {
    	Node* node = (Node*)malloc(sizeof(Node));
    	node->data = data;
    	node->next = S->next;
    	S->next = node;
    	S->data++;
    }
    
    /* 读栈顶元素 */
    int peek(Node* S) {
    	if (isEmpty(S)) {
    		return -1;
    	}
    	else {
    		S->data--;
    		return S->next->data;
    	}
    }
    
  4. 打印栈

    /* 打印栈 */
    void printStack(Node* S) {
    	Node* current = S->next;
    	while (current){	//当前不为空则进入
    		printf("%d ", current->data);
    		current = current->next;
    	}
    	printf("NULL\\n");
    }
    
  5. 测试

    /* 测试 */
    int main(void)
    {
    	Node* S = initStack();
    	push(S, 1);
    	printStack(S);
    	push(S, 2);
    	printStack(S);
    	push(S, 3);
    	printStack(S);
    	push(S, 4);
    	printStack(S);
    	push(S, 5);
    	printStack(S);
    	
    	pop(S);
    	printStack(S);
    	pop(S);
    	printStack(S);
    	pop(S);
    	printStack(S);
    	pop(S);
    	printStack(S);
    	return 0;
    }
    
相关推荐
想做白天梦9 小时前
LeetCode(704)的二分查找 (简单)
数据结构·算法·leetcode
大小胖虎10 小时前
数据结构——(第八章:排序)
数据结构·算法·排序算法·归并排序·堆排序·快速排序
少年负剑去11 小时前
数与图的宽度优先遍历 图中数的层次
数据结构·算法
AI小杨11 小时前
【数据结构和算法】三、动态规划原理讲解与实战演练
数据结构·算法·机器学习·动态规划·动态规划解题思路
像污秽一样12 小时前
字节青训-二进制之和
数据结构·c++·python·算法
橘子遇见BUG12 小时前
算法日记 11 day 二叉树
数据结构·算法
双手插兜-装高手13 小时前
数据结构 - 图
数据结构·c++·经验分享·笔记·算法·深度优先·图论
shylyly_13 小时前
string类的模拟实现
开发语言·数据结构·c++·c·string类的模拟实现·手搓
Mcworld85714 小时前
C语言:给定两个数字m,n。求mn之间素数的个数和他们的和
c语言·数据结构·算法
赤瞳&14 小时前
209. 长度最小的子数组 C#实现
数据结构·算法·c#·力扣