땅따먹기 게임을 하려고 합니다. 땅따먹기 게임의 땅(land)은 총 N행 4열로 이루어져 있고, 모든 칸에는 점수가 쓰여 있습니다. 1행부터 땅을 밟으며 한 행씩 내려올 때, 각 행의 4칸 중 한 칸만 밟으면서 내려와야 합니다. 단, 땅따먹기 게임에는 한 행씩 내려올 때, 같은 열을 연속해서 밟을 수 없는 특수 규칙이 있습니다.
예를 들면,
| 1 | 2 | 3 | 5 |
| 5 | 6 | 7 | 8 |
| 4 | 3 | 2 | 1 |
로 땅이 주어졌다면, 1행에서 네번째 칸 (5)를 밟았으면, 2행의 네번째 칸 (8)은 밟을 수 없습니다.
마지막 행까지 모두 내려왔을 때, 얻을 수 있는 점수의 최대값을 return하는 solution 함수를 완성해 주세요. 위 예의 경우, 1행의 네번째 칸 (5), 2행의 세번째 칸 (7), 3행의 첫번째 칸 (4) 땅을 밟아 16점이 최고점이 되므로 16을 return 하면 됩니다.
제한사항
행의 개수 N : 100,000 이하의 자연수
열의 개수는 4개이고, 땅(land)은 2차원 배열로 주어집니다.
점수 : 100 이하의 자연수
입출력 예
land | answer |
---|---|
[[1,2,3,5],[5,6,7,8],[4,3,2,1]] | 16 |
https://school.programmers.co.kr/learn/courses/30/lessons/12913
class Solution {
public int solution(int[][] land) {
int n = land.length;
for (int i = 1; i < n; i++) {
land[i][0] += Math.max(Math.max(land[i - 1][1], land[i - 1][2]), land[i - 1][3]);
land[i][1] += Math.max(Math.max(land[i - 1][0], land[i - 1][2]), land[i - 1][3]);
land[i][2] += Math.max(Math.max(land[i - 1][1], land[i - 1][0]), land[i - 1][3]);
land[i][3] += Math.max(Math.max(land[i - 1][1], land[i - 1][2]), land[i - 1][0]);
}
return Math.max(Math.max(land[n - 1][0], land[n - 1][1]),
Math.max(land[n - 1][2], land[n - 1][3]));
}
}
N : 100,000 이하의 자연수
이기 때문에 시간 초과가 나서 사용하지는 못했으나, 연습삼아 DFS로도 푼 풀이를 기록한다class Solution {
public int maxScore = 0;
int solution(int[][] land) {
DFS(0, 0, -1, land);
return maxScore;
}
public void DFS(int L, int sum, int beforeCol, int[][] land){
if (L == land.length){
maxScore = Math.max(sum, maxScore);
} else {
for (int i = 0; i < 4; i++){
if (i != beforeCol){
DFS(L+1, sum + land[L][i], i, land);
}
}
}
}
}
class Solution {
public int solution(int[][] land) {
int result = 0;
int max = 0;
for(int i=0; i<land.length-1; i++){
int temp [] = new int[4];
for(int j=0; j<4; j++){//i+1번째행에서 j를밟는게
max = 0;
for(int k=0; k<4; k++){//가장 max인 K를 찾아라 i행에서
if(j==k){
continue;
}
max = Math.max(max, land[i][k] + land[i+1][j]);
}
temp[j] = max;
}
land[i+1] = temp;
temp = null;
}
for(int i=0; i<4; i++){
result = Math.max(result, land[land.length-1][i]);
}
return result;
}
}