정수 X에 사용할 수 있는 연산은 다음과 같이 세 가지 이다.
1) X가 3으로 나누어 떨어지면, 3으로 나눈다.
2) X가 2로 나누어 떨어지면, 2로 나눈다.
3) 1을 뺀다.
정수 N이 주어졌을 때, 위와 같은 연산 세 개를 적절히 사용해서 1을 만들려고 한다. 연산을 사용하는 횟수의 최솟값을 출력하시오.
10
은 `10->9->3->1'로 3번의 과정을 거치는 것이 가장 연산 횟수가 적다.#include <iostream>
#include <cstring>
using namespace std;
static int n = 0;
static int cache[1000001];
// top-down 방식
int solve(int num) {
if (num == 1) return 0;
if (cache[num] > 0) return cache[num];
cache[num] = solve(num - 1) + 1; // 1) n-1 먼저 구한다.
if (num % 2 == 0) { // 2) 2로 나눠지는 경우
int temp = solve(num / 2) + 1;
if (cache[num] > temp) cache[num] = temp;
}
if (num % 3 == 0) { // 3) 3으로 나눠지는 경우
int temp = solve(num / 3) + 1;
if (cache[num] > temp) cache[num] = temp;
}
return cache[num];
}
int main() {
ios::sync_with_stdio(false); cin.tie(nullptr); cout.tie(nullptr);
cin >> n;
memset(cache, 0, sizeof(cache));
cout << solve(n) << '\n';
}
num = 1
인 경우가 기저사례다.n-1
과 n/2
그리고 n/3
의 비교는 어느것을 먼저하던지 상관없다.#include <iostream>
#include <cstring>
using namespace std;
static int n = 0;
static int cache[1000001];
// bottom-up 방식
int solve(int num) {
cache[1] = 0;
for (int i = 2; i <= num; ++i) {
cache[i] = cache[i - 1] + 1;
if (i % 2 == 0 && cache[i] > cache[i / 2] + 1) cache[i] = cache[i / 2] + 1;
if (i % 3 == 0 && cache[i] > cache[i / 3] + 1) cache[i] = cache[i / 3] + 1;
}
return cache[num];
}
int main() {
ios::sync_with_stdio(false); cin.tie(nullptr); cout.tie(nullptr);
cin >> n;
memset(cache, 0, sizeof(cache));
cout << solve(n) << '\n';
}