原始题目
题目大意
桌上有n(n≤50) 张牌,从顶面开始,从上往下编号1到n。当至少剩下两张牌时进行以下操作: - 把第一张牌扔掉,然后把新的第一张牌放到整叠牌的最后。
输入每行一个n,输出每次扔掉的牌以及最后剩下的牌。
解题思路
- 利用queue模拟操作,注意只有1张牌的时候特判。
解题代码
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50
| #include <cstdio> #include <cstring> #include <iostream> #include <iomanip> #include <cmath> #include <set> #include <vector> #include <string> #include <algorithm> #include <map> #include <sstream> #include <bits/stdc++.h> #define rep(i,a,n) for(int i=a;i<n;++i) #define per(i,a,n) for(int i=n-a;i>=a;--i) #define cl(x,a) memset(x,a,sizeof(x)) #define all(x) x.begin(),x.end() #define pb push_back #define np next_permutation #define mp make_pair #define INF 0x3f3f3f3f #define eps 1e-8 #define K 1001 #define fi first #define se second using namespace std; const int maxn=1e5+5;
int n; int main(){ ios::sync_with_stdio(false); while(cin>>n &&n){ if(n==1){ cout<<"Discarded cards:"<<endl; cout<<"Remaining card: 1"<<endl; continue; } cout<<"Discarded cards: "; queue <int> q; rep(i,1,n+1) q.push(i); while(q.size()>2){ int top=q.front(); q.pop(); cout<<top<<", "; top=q.front();q.pop(); q.push(top); } int top=q.front();q.pop(); cout<<top<<endl<<"Remaining card: "<<q.front()<<endl; } }
|