顺序栈
const int MAX_SIZE=100;
template <class T>
class seqStack
{
public:
seqStack ( ) ;
~seqStack ( );
void Push ( T x );
T Pop ( );
T GetTop ( );
bool Empty ( );
private:
T data[MAX_SIZE];
int top;
}
//入栈
template <class T>
void seqStack<T>::Push ( T x)
{
if (top==MAX_SIZE-1) throw “溢出”;
top++;
data[top]=x;
}
//判断是否是空栈
template <class T>
bool seqStack<T>::Empty ()
{
if (top==-1)
return true;
return false;
}
//取栈顶
template <class T>
T seqStack<T>::GetTop ( )
{
if (Empty()) throw ”空栈” ;
return data[top];
}
//出栈
template <class T>
T seqStack<T>:: Pop ( )
{
if (top==-1) throw “溢出”;
x=data[top];
top--;
return x;
}
链栈
template <class T>
class LinkStack
{
public:
LinkStack( ) {top=NULL;};
~LinkStack( );
void Push(T x);
T Pop( );
T GetTop( );
bool Empty( );
private:
Node<T> *top;
}
//入栈
template <class T>
void LinkStack<T>::Push(T x)
{
s=new Node<T>;
s->data=x;
s->next=top;
top=s;
}
//出栈
template <class T>
T LinkStack<T>::Pop( )
{
if (top==NULL)
throw "下溢";
x=top->data;
p=top;
top=top->next;
delete p;
return x;
}
//链栈的析构
template <class T>
LinkStack<T>::~LinkStack( )
{
while (top)
{
Node<T> *p;
p=top->next;
delete top;
top=p;
}
}
循环队列
const int QueueSize=100;
template <class T>
class CirQueue{
public:
CirQueue( );
~ CirQueue( );
void EnQueue(T x);
T DeQueue( );
T GetQueue( );
bool Empty( ){
if (rear==front) return true;
return false;
};
private:
T data[QueueSize];
int front, rear;
};
//入队
template <class T>
void CirQueue<T>::EnQueue(T x)
{
if ((rear+1) % QueueSize ==front) throw "上溢";
rear=(rear+1) % QueueSize;
data[rear]=x;
}
//出队
template <class T>
T CirQueue<T>::DeQueue( )
{
if (rear==front) throw "下溢";
front=(front+1)%QueueSize;
return data[front];
}
//取队头元素
template <class T>
T CirQueue<T>::GetQueue( )
{
if (rear==front) throw "下溢";
i=(front+1) % QueueSize;
return data[i];
}
//求队列长度
template <class T>
int CirQueue<T>::GetLength( )
{
if (rear==front) throw "下溢";
len=(rear-front+ QueueSize) % QueueSize;
return len;
}
链队列
template <class T>
class LinkQueue
{
public:
LinkQueue( );
~LinkQueue( );
void EnQueue(T x);
T DeQueue( );
T GetQueue( );
bool Empty( );
private:
Node<T> *front, *rear;
};
//构造函数
template <class T>
LinkQueue<T>::LinkQueue( )
{
front=new Node<T>;
front->next=NULL;
rear=front;
}
//入队
template <class T>
void LinkQueue<T>::EnQueue(T x)
{
s=new Node<T>;
s->data=x;
s->next=NULL;
rear->next=s;
rear=s;
}
//出队
template <class T>
T LinkQueue<T>::DeQueue( )
{
if (rear==front) throw "下溢";
p=front->next;
x=p->data;
front->next=p->next;
delete p;
if (front->next==NULL) rear=front;
return x;
}