转自: https://blog.csdn.net/kangweiwang/article/details/81741778
栈
//s.empty(); //如果栈为空则返回true, 否则返回false;
//s.size(); //返回栈中元素的个数
//s.top(); //返回栈顶元素, 但不删除该元素
//s.pop(); //弹出栈顶元素, 但不返回其值
//s.push(); //将元素压入栈顶
队列
//q.empty(); //如果队列为空返回true, 否则返回false
//q.size(); //返回队列中元素的个数
//q.front(); //返回队首元素但不删除该元素
//q.pop(); //弹出队首元素但不返回其值
//q.push(); //将元素压入队列
//q.back(); //返回队尾元素的值但不删除该元素
#include<iostream>
#include<stack>
#include<queue>
using namespace std;
//定义
stack<int>s;
queue<int>q;
//输入一组数,利用栈,输出栈中元素数,并输出
void cstack()
{
int a;
for(int i = 0;i < 10;i++)
{
cin>>a;
s.push(a);
}
cout<<s.size()<<endl;
while(!s.empty())
{
cout<<s.top()<<' ';
s.pop();
}
cout<<endl;
}
//输入一组数,利用队列,输出队列中元素数,并输出
void cqueue()
{
int a;
for(int i = 0;i < 10;i++)
{
cin>>a;
q.push(a);
}
cout<<q.size()<<endl;
while(!q.empty())
{
cout<<q.front()<<' ';
q.pop();
}
cout<<endl;
}
int main()
{
cstack();
cqueue();
return 0;
}