上一节学完了栈的顺序存储,这节学链栈,也就是栈的链式存储结构。与单链表不一样的是,链栈不需要头指针,只需要一个栈顶指针即可。
对于空栈来说,链栈原定义是头指针指向空,那么就是top = null。
链栈的结构代码如下:
//栈的结点
struct StackNode
{
int data;
StackNode* next; // 这个结点指针,next指向下一个Node;
};
//链栈
struct Linkstack
{
StackNode *top = nullptr; //栈顶指针,指向当前栈顶元素
int count=0; //记录栈的长度
};
然后我们来看看入栈的操作:
//进栈操作,s是指针即top
void Push(Linkstack *L)
{
cout << "请输入入栈元素数量: ";
int n; // 入栈的元素数量
int e;
cin >> n;
for (int j = 0; j < n; j++)
{
StackNode* node = new StackNode; //开辟一个新结点
cout << "请输入:";
cin >> e;
node->data = e; // 结点的数据存入
node->next = L->top; // 结点指向当前L链栈top指向的那个结点,也就是入栈
L->count++; // 长度加一
L->top = node; // 链栈指针移动,指向刚刚入栈的那个结点
}
}
接下来是出栈操作:
void Pop(Linkstack* L)
{
StackNode *p = L->top; // 首先创建一个临时的结点,把top指向的结点赋值给p
L->top = p->next; // 链表栈顶指针下移一位,指向后一个结点。
L->count--; // 链表长度减一。
cout << "元素 " << p->data << "已出栈。" << endl;
free(p); // 释放掉.
p = NULL;
}
完整代码
#include<iostream>
using namespace std;
#include<string>
#define MAXSIZE 20
//栈的结点
struct StackNode
{
int data;
StackNode* next;
};
struct Linkstack
{
StackNode *top = nullptr; //栈顶指针,指向当前栈顶元素
int count=0; //记录栈的长度
};
//进栈操作,s是指针即top
void Push(Linkstack *L)
{
cout << "请输入入栈元素数量: ";
int n;
int e;
cin >> n;
for (int j = 0; j < n; j++)
{
StackNode* node = new StackNode;
cout << "请输入:";
cin >> e;
node->data = e;
node->next = L->top;
L->count++;
L->top = node;
}
}
void Pop(Linkstack* L)
{
StackNode *p = L->top;
L->top = p->next;
L->count--;
cout << "元素 " << p->data << "已出栈。" << endl;
free(p);
p = NULL;
}
void Cout(Linkstack L)
{
while (L.top)
{
StackNode* p;
p = L.top;
cout << p->data << " ";
p = p->next;
L.top = p;
}
cout << endl;
cout << "栈中有: " << L.count << " 个元素。" << endl;
}
int main() {
// 新建一个栈链
Linkstack L;
Push(&L);
Cout(L);
Pop(&L);
Cout(L);
system("pause");
return 0;
}