1149번: RGB거리
사용 언어: JAVA
문제
RGB거리에는 집이 N개 있다. 거리는 선분으로 나타낼 수 있고, 1번 집부터 N번 집이 순서대로 있다.
집은 빨강, 초록, 파랑 중 하나의 색으로 칠해야 한다. 각각의 집을 빨강, 초록, 파랑으로 칠하는 비용이 주어졌을 때, 아래 규칙을 만족하면서 모든 집을 칠하는 비용의 최솟값을 구해보자.
- 1번 집의 색은 2번 집의 색과 같지 않아야 한다.
- N번 집의 색은 N-1번 집의 색과 같지 않아야 한다.
- i(2 ≤ i ≤ N-1)번 집의 색은 i-1번, i+1번 집의 색과 같지 않아야 한다.
입력
첫째 줄에 집의 수 N(2 ≤ N ≤ 1,000)이 주어진다. 둘째 줄부터 N개의 줄에는 각 집을 빨강, 초록, 파랑으로 칠하는 비용이 1번 집부터 한 줄에 하나씩 주어진다. 집을 칠하는 비용은 1,000보다 작거나 같은 자연수이다.
출력
첫째 줄에 모든 집을 칠하는 비용의 최솟값을 출력한다.
풀이
// precondition
// 1.two consecutive houses cannot be same color (meaning i, i+1, i+2 can be R, G, R)
// 2.sum of houses must be minimum
// -> num 1 and num 2 must be achieved simultaneously
// solution
// using dynamic programming on each house for first input covers all cases
// -> so compare the three outputs for minimum answer
import java.util.Scanner;
public class Main {
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
int n = scanner.nextInt();
int[][] cost = new int[n][3];
int[][] dp = new int[n][3];
for (int i = 0; i < n; i++) {
cost[i][0] = scanner.nextInt();
cost[i][1] = scanner.nextInt();
cost[i][2] = scanner.nextInt();
}
// initialize dp
dp[0][0] = cost[0][0];
dp[0][1] = cost[0][1];
dp[0][2] = cost[0][2];
// build up dp
for (int i = 1; i < n; i++) {
dp[i][0] = cost[i][0] + Math.min(dp[i-1][1], dp[i-1][2]);
dp[i][1] = cost[i][1] + Math.min(dp[i-1][0], dp[i-1][2]);
dp[i][2] = cost[i][2] + Math.min(dp[i-1][0], dp[i-1][1]);
}
// find the minimum cost of painting all houses
int minCost = Math.min(dp[n-1][0], Math.min(dp[n-1][1], dp[n-1][2]));
System.out.println(minCost);
}
}
'BOJ > 다이내믹 프로그래밍' 카테고리의 다른 글
2096번: 내려가기 (BOJ C++) (0) | 2023.05.04 |
---|---|
11726번: 2×n 타일링 (BOJ C/C++) (0) | 2022.03.09 |
9095번: 1, 2, 3 더하기 (BOJ C/C++) (0) | 2022.02.22 |
1463번: 1로 만들기 (0) | 2022.01.19 |
1003: 피보나치 함수 (0) | 2022.01.06 |