http://acm.hust.edu.cn/vjudge/problem/viewProblem.action?id=25979
题意:
一根木棍上有若干只蚂蚁,他们的爬行速度都为1m/s,0时刻的初始位置(距离木棍左端的距离)和爬行方向已知,当两只蚂蚁相遇时,会立刻掉头朝反方向爬去。问经过t秒之后,按 输入顺序 输出 每只蚂蚁的位置和朝向。
直接模拟超级麻烦.....要注意到2点就非常好做了
1、A往左走,B往右走,A和B两只蚂蚁相遇时,我们可以理解为A继续往左走,B继续往右走, 这样得到的A最终的路程实际是B的最终路程,B的最终路程是A的最终路程.
2、碰撞之后方向会改变, 也就是我们计算得到的A蚂蚁最终的位置 其实本该是B蚂蚁的 ...还有种种关于方向的问题 也很麻烦处理, 但是我们观察发现, 每只蚂蚁的相对位置都是不变的,
因此解决方法就是:
把每只蚂蚁看作能穿过别的蚂蚁的身体(相互不干扰),也就是初始位置为X,向右,T秒后位置为 X+T(向左同理)
而 由于每只蚂蚁的相对位置都是不变的, .
所以我们只要记录下 【按照输入顺序编号】的蚂蚁在0秒时 在木板排在从左到右的位置 【存在order数组】
然后我们把最终的蚂蚁按照最终位置排序;
然后【按照输入顺序编号】输出 第1,2,3...n个输入的蚂蚁时
我们通过order数组 找到她在 【0秒时】在木棒上所处的位置【第i位】
就可以知道 最终 她必然停留在 木棒上的第i位,也就是【按照最终位置排序】的第i个蚂蚁 (相对位置不变)
代码:
<pre name="code" class="cpp">#include <cstdio> #include <cmath> #include <cstring> #include <string> #include <algorithm> #include <iostream> #include <queue> #include <map> #include <set> #include <vector> using namespace std; const int inf= 2147483647; struct node { int pos; int ori_pos; char dir; int num; }; int cmp1(node a,node b) { return a.pos<b.pos; } int cmp3(node a,node b) { return a.ori_pos<b.ori_pos; } node tm[10005]; int order[10005]; int main() { int t,i; char ddir; int poss; cin>>t; int cnt=1; while(t--) { int l,ti,n; scanf("%d%d%d",&l,&ti,&n); int ok=0; for (i=1;i<=n;i++) { scanf("%d %c",&poss,&ddir); tm[i].num=i; tm[i].ori_pos=poss; if (ddir=='L') { if (poss-ti>=0) { tm[i].pos=poss-ti; tm[i].dir='L'; } else { tm[i].dir='F'; tm[i].pos=-1; } } else { if (poss+ti<=l) { tm[i].pos=poss+ti; tm[i].dir='R'; } else { tm[i].dir='F'; tm[i].pos=inf; } } } sort(tm+1,tm+1+n,cmp3); //sort_by_old_pos for (i=1;i<=n;i++) { order[tm[i].num]=i; //初始时,序号为num的蚂蚁排在从左到右第i位 } sort(tm+1,tm+1+n,cmp1);//sort_by_current_pos for (i=1;i<n;i++) { if (tm[i].pos!=-1&&tm[i].pos!=inf) // in the same point if (tm[i].pos==tm[i+1].pos) { tm[i].dir='T'; tm[i+1].dir='T'; } } printf("Case #%d:\n",cnt++); for (i=1;i<=n;i++) { int tt=order[i]; //得到 序号为i的蚂蚁 在从左到右第tt位; if (tm[tt].dir=='F') printf("Fell off\n"); else if (tm[tt].dir=='T') printf("%d Turning\n",tm[tt].pos); else printf("%d %c\n",tm[tt].pos,tm[tt].dir); } printf("\n"); } return 0; }