设某银行有A、B两个业务窗口,且处理业务的速度不一样,其中A窗口处理速度是B窗口的2倍 —— 即当A窗口每处理完2个顾客时,B窗口处理完1个顾客。给定到达银行的顾客序列,请按业务完成的顺序输出顾客序列。假定不考虑顾客先后到达的时间间隔,并且当不同窗口同时处理完2个顾客时,A窗口顾客优先输出。
这道题使用STL中的queue容器进行模拟即可。代码如下:
#include <iostream>
#include <queue>
using namespace std;
queue<int> A, B;
int main(){
int n;
cin >> n;
for(int i = 0; i < n; i++){
int _;
cin >> _;
if(_ % 2) A.push(_);
else B.push(_);
}
while(!A.empty() || !B.empty()){
for(int i = 0; i < 2; i++)
if(!A.empty()){
if(n--!=1)
cout << A.front() << ' ';
else cout << A.front();
A.pop();
}
if(!B.empty()){
if(n--!=1)
cout << B.front() << ' ';
else cout << B.front();
B.pop();
}
}
cout << endl;
return 0;
}