간단한 동적계획법인것 같음.
삼각형의 꼭대기에서 바닥까지 이어지는 경로 중, 거쳐간 숫자의 합이 가장 큰 경우를 찾는것
아래 칸으로 이동할 때는 대각선 방향으로 한 칸 오른쪽 또는 왼쪽으로만 이동 가능합니다.
제한사항
1. 삼각형의 높이는 1 이상 500 이하입니다.
2. 삼각형을 이루고 있는 숫자는 0 이상 9,999 이하의 정수입니다.
입력
출력
방법
public int solution(int[][] triangle) {
int answer = 0;
int n = triangle.length;
int tree[][] = new int[n][n];
tree[0][0] = triangle[0][0];
for (int i = 1; i < n; i++) {
for (int j = 0; j <= i; j++) {
int a = 0;
int b = 0;
if (j - 1 > -1) {
a = tree[i - 1][j - 1] + triangle[i][j];
}
if (j < i) {
b = tree[i - 1][j] + triangle[i][j];
}
tree[i][j] = Math.max(a, b);
answer = Math.max(answer, tree[i][j]);
// System.out.print(tree[i][j]);
// System.out.print(" ");
}
// System.out.println("");
}
return answer;
}