풀이 과정
처음에는 단순히 1행에서 가장 큰 값 더하고, 그 열을 제외한 2행에서 가장 큰 값 더하고...
이런 식으로 풀었었다. 그러나, 이렇게 풀면 아래와 같은 예외 케이스가 존재했다.
그래서 이 문제는 dp로 해결해야 한다.
0열일 때는 전 행에서 0열을 제외한 1, 2, 3열에서 가장 큰 값
1열일 때는 전 행에서 1열을 제외한 0, 2, 3열에서 가장 큰 값
2열일 때는 전 행에서 2열을 제외한 0, 1, 3열에서 가장 큰 값
3열일 때는 전 행에서 3열을 제외한 0, 1, 2열에서 가장 큰 값
다 더했을 때, 마지막 행에서 가장 큰 값을 구하면 된다.
풀이 1
#include <algorithm>
#include <vector>
using namespace std;
int solution(vector<vector<int> > land)
{
int answer = 0;
for(int i = 0; i < land.size() - 1; i++){
land[i + 1][0] += max({land[i][1], land[i][2], land[i][3]});
land[i + 1][1] += max({land[i][0], land[i][2], land[i][3]});
land[i + 1][2] += max({land[i][0], land[i][1], land[i][3]});
land[i + 1][3] += max({land[i][0], land[i][1], land[i][2]});
}
for(int i = 0; i < 4; i++){
answer = max(answer, land[land.size() - 1][i]);
}
return answer;
}
풀이 2
#include <vector>
using namespace std;
int max(int a, int b){
return a > b ? a : b;
}
int solution(vector<vector<int>> land)
{
int answer = 0;
for(int i = 0; i < land.size() - 1; i++){
land[i + 1][0] += max(max(land[i][1], land[i][2]), land[i][3]);
land[i + 1][1] += max(max(land[i][0], land[i][2]), land[i][3]);
land[i + 1][2] += max(max(land[i][0], land[i][1]), land[i][3]);
land[i + 1][3] += max(max(land[i][0], land[i][1]), land[i][2]);
}
for(int i = 0; i < 4; i++){
answer = max(answer, land[land.size() - 1][i]);
}
return answer;
}
'🍞 Algorithm > Programmers' 카테고리의 다른 글
[프로그래머스][Level2] 전화번호 목록 c++ (0) | 2022.10.21 |
---|---|
[프로그래머스][Level2] 올바른 괄호 c++ (0) | 2022.10.21 |
[프로그래머스][Level2] 기능 개발 c++ (0) | 2022.10.21 |
[프로그래머스][Level2] [3차]파일명 정렬 c++ (0) | 2022.10.21 |
[프로그래머스][Level2] 멀쩡한 사각형 c++ (0) | 2022.10.21 |