반응형
https://programmers.co.kr/learn/courses/30/lessons/43105
최상단부터 하단까지 거쳐간 숫자의 합을 누적하면서 비교하는 방식으로 해결할 수 있는 문제입니다.
문제 접근법
- 각 층별로 누적값을 저장하기 위한 배열을 선언한다.
- 맨 좌측과 맨 우측은 위에서 내려올수 있는 방법이 한가지 뿐임을 안다.
- 맨 좌측과 우측을 제외하고는 자신의 왼쪽 위와 오른쪽 위에 누적값이 내려올 수 있다는 것을 인지한다.
아래는 코드입니다.
더보기
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
|
#include <string>
#include <vector>
#include <algorithm>
using namespace std;
int dp[501][501];
int solution(vector<vector<int>> triangle) {
int answer = 0;
int len = triangle.size();
dp[0][0] = triangle[0][0];
for(int i = 1; i < len; i++)
{
for(int j = 0; j <= i; j++)
{
if(j == 0)
dp[i][j] = dp[i - 1][j] + triangle[i][j];
else if (j == i)
dp[i][j] = dp[i - 1][j - 1] + triangle[i][j];
else
dp[i][j] = max(dp[i - 1][j - 1] + triangle[i][j], dp[i - 1][j] + triangle[i][j]);
answer = max(answer, dp[i][j]);
}
}
return answer;
}
|
cs |
반응형
'프로그래머스 문제풀이 > LEVEL 3' 카테고리의 다른 글
[프로그래머스 / Level 3] 입국심사 (C++) (0) | 2021.11.16 |
---|---|
[프로그래머스 / Level 3] 단속카메라 (C++) (0) | 2021.11.05 |
[프로그래머스 / Level 3] 등굣길 (C++) (0) | 2021.11.02 |
[프로그래머스 / Level 3] 네트워크 (C++) (0) | 2021.11.02 |
[프로그래머스 / Level 3] 2 x n 타일링 (0) | 2021.06.22 |