UVa 13190 - Rockabye Tobby

Contents

  1. 1. Problem
  2. 2. Solution
  3. 3. Code

Problem

題目網址

依照 優先度 給出要吃的藥和頻率。當吃完 k 次藥後就會舒服些,請問吃的順序為何?

Solution

記下每個藥該吃的時間,吃過後就記下次要吃的時間。e.g. 20 -> 40 -> 60
利用 priority_queue 每次取出時間最小的(也就是接下來要吃的),如果一樣就取優先度較高的,直到取出 k 次。

Code

UVa 13190
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
#include <cstdio>
#include <queue>
#define N 3000
using namespace std;

struct drug
{
int id, times;
drug() {}
drug(int _id, int _times) : id(_id), times(_times) {}
bool operator<(const drug &a) const
{
if (times != a.times)
return times > a.times;
return id > a.id;
}
};
int main()
{
//freopen("test.out", "w", stdout);
int T;
char name[N][16];
int fre[N];
scanf("%d", &T);
while (T--)
{
priority_queue<drug> PQ;
int n, k;
scanf("%d%d", &n, &k);
for (int i = 0; i < n; ++i)
{
scanf("%s%d", name[i], &fre[i]);
PQ.emplace(i, fre[i]);
}

for (int i = 0; i < k; ++i)
{
drug d = PQ.top();
PQ.pop();
PQ.emplace(d.id, d.times + fre[d.id]);

printf("%d %s\n", d.times, name[d.id]);
}
}

return 0;
}