HDU 5945 Fxx and game【BFS】

题意:

给出一个数$n$,有两种操作可进行选择,问最少经过多少次操作能使$n$变为1。

  • 操作1:n = n / k (n % k == 0).
  • 操作2:n = n - x (0 ≤ x ≤ t).

思路:

从$n$开始往1搜,利用vis数组减少重复访问操作。

【注】看似从1开始往$n​$搜结果好像是一样的,但其实并不是这样子,从1开始会有很多访问到的无用的数。

MyCode:

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
51
52
#include <cstdio>
#include <iostream>
#include <cstring>
#include <algorithm>
#include <cmath>
#include <queue>
using namespace std;
const int N = 1000010;
typedef pair<int, int> pii;

bool vis[N];
int t, n, x, k;
int BFS()
{
vis[x] = 1;
for(int i = 1; i < x; ++i)
vis[i] = 0;

pii now;
queue<pii> Q;
Q.push({x, 0});

while(!Q.empty())
{
now = Q.front();
if(now.first == 1)
return now.second;

Q.pop();
if(now.first % k == 0 && !vis[now.first / k])
{
vis[now.first / k] = 1;
Q.push({now.first / k, now.second + 1});
}

for(int i = min(t, now.first - 1); i >= 1 && !vis[now.first - i]; --i)
{
vis[now.first - i] = 1;
Q.push({now.first - i, now.second + 1});
}
}
}
int main()
{
scanf("%d", &n);
while(n--)
{
scanf("%d%d%d", &x, &k, &t);
printf("%d\n", BFS());
}
return 0;
}
Donate comment here
0%