用C语言写出整体代码使用链式存储方式实现栈支持以下功能: 初始化栈 判断栈是否为空 入栈操作(压栈) 出栈操作(弹栈) 获取栈顶元素但不删除,显示栈中的元素
时间: 2024-06-15 13:08:40 浏览: 46
用c语言实现的链式栈
5星 · 资源好评率100%
使用链式存储方式实现栈的C语言代码如下:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义链表节点结构体
typedef struct Node {
int data; // 数据域
struct Node* next; // 指针域,指向下一个节点
} Node;
// 定义栈结构体
typedef struct Stack {
Node* top; // 栈顶指针
} Stack;
// 初始化栈
void initStack(Stack* stack) {
stack->top = NULL;
}
// 判断栈是否为空
int isEmpty(Stack* stack) {
return stack->top == NULL;
}
// 入栈操作(压栈)
void push(Stack* stack, int data) {
Node* newNode = (Node*)malloc(sizeof(Node));
newNode->data = data;
newNode->next = stack->top;
stack->top = newNode;
}
// 出栈操作(弹栈)
int pop(Stack* stack) {
if (isEmpty(stack)) {
printf("Stack is empty!\n");
return -1;
}
int data stack->top->data;
Node* temp = stack->top;
stack->top = stack->top->next;
free(temp);
return data;
}
// 获取栈顶元素但不删除
int peek(Stack* stack) {
if (isEmpty(stack)) {
printf("Stack is empty!\n");
return -1;
}
return stack->top->data;
}
// 显示栈中的元素
void display(Stack* stack) {
if (isEmpty(stack)) {
printf("Stack is empty!\n");
return;
}
Node* current = stack->top;
printf("Stack elements: ");
while (current != NULL) {
printf("%d ", current->data);
current = current->next;
}
printf("\n");
}
int main() {
Stack stack;
initStack(&stack);
// 入栈操作
push(&stack, 10);
push(&stack, 20);
push(&stack, 30);
// 判断栈是否为空
printf("Is stack empty? %s\n", isEmpty(&stack) ? "Yes" : "No");
// 获取栈顶元素但不删除
printf("Top element: %d\n", peek(&stack));
// 显示栈中的元素
display(&stack);
// 出栈操作
printf("Popped element: %d\n", pop(&stack));
// 显示栈中的元素
display(&stack);
return 0;
}
```
阅读全文