用vector实现通用堆栈的类模板

#include 
#include 
#include 
using namespace std;

//定义一个模板类
template 
class Stack{
public:

	Stack(){};					//构造函数
	~Stack(){};
	bool isEmpty() const;		//判断堆栈是否为空
	T top();					//返回栈顶元素
	void push(T value);			//往堆栈尾部中添加元素
	void pop();					//删除最后一个元素
	int getSize() const;		//获取数据长度
	void printStack() const;	//打印堆栈

private:
	vector c;				//保存数据
};

//模板类实现
template
bool Stack::isEmpty() const{
	return c.empty();
}

template
T Stack::top(){
	if(!isEmpty())
		return c.back();
	else{
		cout << "Stack is empty." << endl;
		return 0;
	}
}

template
void Stack::push(T value){
	c.push_back(value);
}

template
void Stack::pop(){
	if(!isEmpty())
		c.pop_back();
}

template
int Stack::getSize() const{
	return c.size();
}

template
void Stack::printStack() const{
	if(!isEmpty()){
		for(auto &i : c)
			cout << i << " ";
		cout << endl;
	}
}

int main(){
	//Create a stack of int values
	Stack intStack;
	for(int i = 0; i < 100; i++)
		intStack.push(i);
	intStack.pop();
	intStack.printStack();

	//Create a stack of strings
	Stack stringStack;
	stringStack.push("Chicago");
	stringStack.push("Denver");
	stringStack.push("London");
	stringStack.push("California");
	
	cout << stringStack.top() << endl;
	stringStack.printStack();
	return 0;
}

 用vector主要原因的不用自己限定堆栈大小,vector可以自由增长。

转载于:https://www.cnblogs.com/mocuishle/p/8326199.html

你可能感兴趣的:(用vector实现通用堆栈的类模板)