Game Develop

[Algorithm]Baekjoon 25418번 :: 정수 a를 k로 만들기 본문

Algorithm/Baekjoon

[Algorithm]Baekjoon 25418번 :: 정수 a를 k로 만들기

MaxLevel 2024. 6. 2. 21:17

https://www.acmicpc.net/problem/25418

 

 

 

 무난한 연습용으로 풀만한 문제. Bottom-Up방식으로 풀던가, 규칙을이용해 최적화해서 최대 logN번으로 풀 수 있는 방법이 있다.

 

Bottom-Up

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
#include <iostream>
#include <string>
#include <map>
#include <vector>
#include <algorithm>
#include <math.h>
#include <queue>
#include <functional>
#include <sstream>
#include <memory.h>
#include <deque>
#include <set>
#include <unordered_map>
#include <stack>
#include <numeric>
 
using namespace std;
 
int a, k;
int dp[2000002= { 0 };
 
int main()
{
    ios::sync_with_stdio(false);
    cin.tie(0);
    cout.tie(0);
 
    cin >> a >> k;
     
    memset(dp, 0x3fsizeof(dp));
    dp[a] = 0;
 
    for (int i = a; i <= k; ++i)
    {
        dp[i + 1= min(dp[i + 1], dp[i] + 1);
        dp[i * 2= min(dp[i * 2], dp[i] + 1);
    }
 
    cout << dp[k];
}
 
 
 
cs

 

 

 

규칙풀이

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
53
54
55
56
57
#include <iostream>
#include <string>
#include <map>
#include <vector>
#include <algorithm>
#include <math.h>
#include <queue>
#include <functional>
#include <sstream>
#include <memory.h>
#include <deque>
#include <set>
#include <unordered_map>
#include <stack>
#include <numeric>
 
using namespace std;
 
int a, k;
 
 
int main()
{
    ios::sync_with_stdio(false);
    cin.tie(0);
    cout.tie(0);
 
    cin >> a >> k;
     
    int answer = 0;
 
    while (1)
    {
        if (k % 2 != 0// 짝수아니면
        {
            k -= 1;
            ++answer;
 
            if (a == k) break;
        }
 
        if (k / 2 < a)
        {
            answer += k - a;
            break;
        }
        
        k /= 2;
        ++answer;
        if (a == k) break;
    }
 
    cout << answer;
}
 
 
 
cs

 

k가 a * 2^n 꼴일 경우, logN번으로 바로 정답을 구하는 풀이이다.

k를 a로 만드려고 노력할 때, 무조건 절반으로 나누는 시도를 하는게 이득이기 때문에, 해당 숫자꼴을 맞춰주기 위해 필요할 때만 -1을 통해 짝수로 만들어주는 풀이이다.