https://www.acmicpc.net/problem/9095
1. 풀이
DP로 풀려고 노력했지만, 처음엔 규칙을 찾지못했는데, 5를 만드는 1,2,3을 더하는 경우의 수가 13임을 발견하고 규칙을 찾게 되었습니다.
규칙은 다음과 같습니다. D[N] = D[n-1] + D[n-2] + D[n-3]
2. 코드
2.1 Top-Down
import java.util.*;
public class Main {
static int[] memo;
public static int onetwothree(int n) {
if(n < 0)
return 0;
if(n <= 1)
return 1;
if(memo[n] != 0) // 이미 구한 값이라면 구한 값 반환.
return memo[n];
memo[n] = onetwothree(n-1) + onetwothree(n-2) + onetwothree(n-3);
return memo[n];
}
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
int num = sc.nextInt();
memo = new int[12];
int input;
int[] result = new int[num];
for(int i = 0; i < num; i++) {
input = sc.nextInt();
result[i] = onetwothree(input);
}
for(int i = 0; i < num; i++)
System.out.println(result[i]);
sc.close();
return;
}
}
2.2 Bottom-Up
import java.util.*;
public class Main {
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
int num = sc.nextInt();
int[] memo = new int[12];
memo[1] = 1;
memo[2] = 2;
memo[3] = 4;
int n;
int[] result = new int[num];
for(int i = 0 ;i < num; i++) {
n = sc.nextInt();
for(int j = 4; j <= n; j++) {
memo[j] = memo[j-1] + memo[j-2] + memo[j-3];
}
result[i] = memo[n];
}
for(int i = 0; i < result.length; i++)
System.out.println(result[i]);
sc.close();
return;
}
}
'알고리즘 > 백준' 카테고리의 다른 글
[백준 11726] 2xn 타일링 - 자바 (0) | 2020.04.01 |
---|---|
[백준 1003]피보나치 함수 - 자바 (0) | 2020.04.01 |
[백준 1463] 1로 만들기 - 자바 (0) | 2020.04.01 |
[백준 14502]연구소 - 자바 (0) | 2020.03.31 |
[백준 11724]연결 요소의 개수 - 자바 (0) | 2020.03.31 |
댓글