본문 바로가기

ProgramSoliving

백준 : 10653

반응형

www.acmicpc.net/problem/10653

 

10653번: 마라톤 2

젖소 박승원이 2번째 와 4번째 체크포인트를 건너뛸경우 경로는 (0,0) -> (1,1) -> (2,2) 로 4가 된다. 이보다 더 짧게 달릴수는 없다.

www.acmicpc.net

문제 유형 다이나믹 프로그래밍

dp[n][k]는 n번째 위치까지오는데 k개의 개수만큼 가지 않았을때 최소거리

 

dp[n][k] = min(dp[n-1][k-1] + distance[n-1][n] , dp[n-2][k-2] + distance[n-2][n] ....)

점화식을 얻어짐... 

 

모든 경우에 대해 다보는거 같지만 메모이제이션으로 이전에 구햇던 구간에대해서는 값을 구해낼수 있기때문에

O(N^2)시간내에 답을 구할 수 있다.

 

NCK의 조합으로 구하는 것보다 훨씬 작은 경우의수..

package boj;

import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.Arrays;
import java.util.StringTokenizer;

public class boj10653 {
	static int N, K;
	static int vertex[][];
	static int distance[][];
	static int dp[][];

	public static void main(String[] args) throws IOException {
		BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
		StringTokenizer st = new StringTokenizer(br.readLine());

		N = Integer.parseInt(st.nextToken());
		K = Integer.parseInt(st.nextToken());
		vertex = new int[N + 1][2];
		dp = new int[N + 1][K + 1];
		distance = new int[N + 1][N + 1];
		for (int i = 1; i <= N; i++) {
			st = new StringTokenizer(br.readLine());
			int x = Integer.parseInt(st.nextToken());
			int y = Integer.parseInt(st.nextToken());
			vertex[i][0] = x;
			vertex[i][1] = y;
			Arrays.fill(dp[i], -1);
		}

		for (int i = 1; i < N; i++) {
			for (int j = i + 1; j <= N; j++) {
				distance[i][j] = getDistance(vertex[i][0], vertex[i][1], vertex[j][0], vertex[j][1]);
			}
		}
		// 현재 N번째를 순회햇을 때 K개의 수만큼 무시하고 왓을 때 최소의 거리 출력
		System.out.println(getDp(N, K));
	}

	private static int getDp(int n, int k) {
		if (dp[n][k] != -1)
			return dp[n][k];
		if (n == 1)
			return 0;
		int ans = Integer.MAX_VALUE;
		for (int i = 0; i <= k; i++) {
			if (1 <= n - 1 - i)
				ans = Math.min(ans, getDp(n - i - 1, k - i) + distance[n - i - 1][n]);
		}
		return dp[n][k] = ans;
	}

	static int getDistance(int x1, int y1, int x2, int y2) {
		return Math.abs(x1 - x2) + Math.abs(y1 - y2);
	}
}
반응형

'ProgramSoliving' 카테고리의 다른 글

백준 : 8972  (0) 2021.04.23
백준 : 2632 피자판매  (0) 2021.04.18
백준 : 18248 감시피하기  (0) 2021.04.17
백준 : 4256 트리  (0) 2021.04.14
백준 : 17182 우주 탐사선  (0) 2021.04.13