template struct SNode // 结点 { DT data; // 数据域,存储数据元素值 SNode* next; // 指针域,指向下一个结点 }; //【算法3.6】 template bool InitStack(SNode
*& S) // 创建空链栈 { S = NULL; return true; } //【算法3.7】 template void DestroyStack(SNode
* (&S)) // 释放链栈所占内存 { SNode
* p; while (S) //从头结点开始,依次释放结点 { p = S; S = S->next; delete p; } S = NULL; } //【算法3.8】 template bool Push(SNode
*& S, DT e) { SNode
* p; p = new SNode
; if (!p) return false; //创建失败,结束运行 p->data = e; // 新结点赋值 p->next = S; //结点S链接到p结点之后 S = p; return true; // 插入成功,返回true } //【算法3.9】 template bool Pop(SNode
*& S, DT& e) { SNode
* p; if (S == NULL) return false; p = S; e = p->data; S = S->next; delete p; return true; // 删除成功,返回true } //【算法3.10】 template bool GetTop(SNode
* S, DT& e) { SNode
* p; if (S == NULL) return false; p = S; e = p->data; return true; // 删除成功,返回true } //测栈空 template bool StackEmpty(SNode
* S) { if (S == NULL) return true; else return false; } //显示栈内容 template void DispStack(SNode
* S) { SNode
* p; p = S; while (p) { cout << p->data << "\t"; p = p->next; } cout << endl; }