?
#include <stdio.h>
#include <stdbool.h>
#include <stdlib.h>
#define MAX_SIZE 100 // 定义栈的最大容量
typedef struct Stack {
int data[MAX_SIZE];
int top; // 栈顶指针
} Stack;
// 初始化栈
void initStack(Stack* stack) {
stack->top = -1;
}
// 判断栈是否为空
bool isEmpty(Stack* stack) {
return stack->top == -1;
}
// 判断栈是否已满
bool isFull(Stack* stack) {
return stack->top == MAX_SIZE - 1;
}
// 入栈操作
bool push(Stack* stack, int value) {
if (isFull(stack)) {
printf("栈已满,无法入栈。\n");
return false;
}
stack->data[++stack->top] = value;
return true;
}
// 出栈操作
bool pop(Stack* stack, int* value) {
if (isEmpty(stack)) {
printf("栈为空,无法出栈。\n");
return false;
}
*value = stack->data[stack->top--];
return true;
}
// 获取栈顶元素
bool getTop(Stack* stack, int* value) {
if (isEmpty(stack)) {
printf("栈为空。\n");
return false;
}
*value = stack->data[stack->top];
return true;
}
int main() {
Stack stack;
initStack(&stack);
push(&stack, 1);
push(&stack, 2);
push(&stack, 3);
int topValue;
getTop(&stack, &topValue);
printf("栈顶元素:%d\n", topValue);
int popValue;
pop(&stack, &popValue);
printf("出栈元素:%d\n", popValue);
return 0;
}