Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- 수학
- 문자열
- 백준
- JUnit 5
- BFS
- 위상정렬
- 완전탐색
- 유니온 파인드
- 시뮬레이션
- java
- dfs
- CS
- 이분탐색
- 에라토스테네스의 체
- Effective Java
- 동적계획법
- mst
- 프로그래머스
- 세그먼트 트리
- 그리디
- Network
- 구현
- Kotlin
- 백트래킹
- 투 포인터
- 알고리즘
- 플로이드-와샬
- 후니의 쉽게 쓴 시스코 네트워킹
- swea
- 스택
Archives
반갑습니다!
[백준] 2096 내려가기 본문
풀이
전형적인 동적계획법 문제이다. 하지만 이 문제는 메모리 초과를 조심해야한다. 일반적인 동적계획법을 풀 때 처럼 dp 배열을 생성하면 메모리 초과로 오답을 받게 된다. 그래서 아래의 코드에서는 입력받을 때마다 최대값, 최소값을 저장하는 dp 배열을 갱신해줘서 해결했다.
코드
C++
#include <iostream>
#include <algorithm>
using namespace std;
int n;
int dp[3][2];
int main() {
cin >> n;
for (int i = 0; i < n; i++) {
int a, b, c;
cin >> a >> b >> c;
int t1 = dp[0][0];
int t2 = dp[1][0];
int t3 = dp[2][0];
int t4 = dp[0][1];
int t5 = dp[1][1];
int t6 = dp[2][1];
dp[0][0] = max(t1, t2) + a;
dp[1][0] = max(max(t1, t2), t3) + b;
dp[2][0] = max(t2, t3) + c;
dp[0][1] = min(t4, t5) + a;
dp[1][1] = min(min(t4, t5), t6) + b;
dp[2][1] = min(t5, t6) + c;
}
int max_value = max(max(dp[0][0], dp[1][0]), dp[2][0]);
int min_value = min(min(dp[0][1], dp[1][1]), dp[2][1]);
cout << max_value << ' ' << min_value << '\n';
return 0;
}
Python3
import sys
n = int(sys.stdin.readline().rstrip())
dp = [[0] * 2 for _ in range(3)]
while n > 0:
a, b, c = map(int, sys.stdin.readline().rstrip().split())
n -= 1
t1 = dp[0][0]
t2 = dp[1][0]
t3 = dp[2][0]
t4 = dp[0][1]
t5 = dp[1][1]
t6 = dp[2][1]
dp[0][0] = max(t1, t2) + a
dp[1][0] = max(max(t1, t2), t3) + b
dp[2][0] = max(t2, t3) + c
dp[0][1] = min(t4, t5) + a
dp[1][1] = min(min(t4, t5), t6) + b
dp[2][1] = min(t5, t6) + c
max_value = max(max(dp[0][0], dp[1][0]), dp[2][0])
min_value = min(min(dp[0][1], dp[1][1]), dp[2][1])
print(max_value, min_value)
'알고리즘 문제 풀이' 카테고리의 다른 글
[백준] 2153 소수 단어 (0) | 2020.10.05 |
---|---|
[백준] 3986 좋은 단어 (0) | 2020.10.05 |
[백준] 11060 점프 점프 (0) | 2020.10.04 |
[백준] 1259 펠린드롬수 (0) | 2020.10.03 |
[백준] 1389 케빈 베이컨의 6단계 법칙 (0) | 2020.10.01 |