基础知识:栈和队列的简单实现
一、栈的简单实现
栈是存放数据对象的一种特殊容器,其中数据元素按线性逻辑次序排列,因此可定义首、末元素。但约定只能对一端进行插入或删除操作,另一端为盲端。一个很形象的比如是:摞椅子可视为栈,对该栈可行的操作只能对最顶端进行,放入或拿走椅子。栈可操作的一端称为栈顶,另一盲端称为栈底。
很显然,栈中元素接收操作的次序必须满足“后进先出”的原则。
1. 定义栈中节点
template<class T>
class Node{
public:
Node(const T& value=0, Node* next=NULL):_value(value),_next(next){}
public:
T _value;
Node* _next;
};
2. 栈的简单实现
template<class T>
class Stack{
public:
Stack(){
_top = NULL;
_size = 0;}//top shall be initialized at the beginning.
Stack(Node<T>* pNode):_top(pNode){}
~Stack(){
while(peek()!=NULL)
delete pop();
}
Node<T>* pop(){//pop node from list and return this node
if(_top!=NULL){
Node<T>* pNode = _top;
_top = _top->_next;
_size--;
return pNode;
}
return NULL;
}
Node<T>* peek(){//read top node
return _top;
}
void push(int d){//push a node with data "d" into the list
Node<T>* pNode = new Node<T>(d);
pNode->_next = _top;
_top = pNode;
_size++;
}
int size(){
return _size;
}
private:
Node<T>* _top;
int _size;
};
二、队列的简单实现
队列中的元素也是按照线性逻辑次序排列,但对元素的插入和删除操作分别被限制于队列的两端。若约定新元素只能从某一端插入,则只能从另一端删除已有元素。允许取出元素的一端称作队头,允许插入元素的另一端称作队尾。
队列结构可以用盛放羽毛球的球桶示例。很显然,队列支持“先进先出”的原则。
template<class T>
class queue{
public:
queue(){
_first = _last = NULL;
}
~queue(){
while(_size)
delete dequeue();
}
void enqueue(int d){//add a node with data "d" into the last of queue
Node<T>* pNode = new Node<T>(d);
if(!_first)
_first = _last = pNode;
else{
_last->_next = pNode;
_last = _last->_next;
}
_size++;
}
Node<T>* dequeue(){//delete the first node of queue
if(_first){
Node<T>* pNode = _first;
_first = _first->_next;
_size--;
return pNode;
}
else
return NULL;
}
int size(){
return _size;
}
private:
Node<T>* _first;
Node<T>* _last;
int _size;
};