일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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
- 연결요소
- correlation coefficient
- 입/출력
- string 메소드
- 시간복잡도
- 프레임워크와 라이브러리의 차이
- iOS14
- vscode
- k-eta
- 표준 입출력
- Django란
- c++
- 매크로
- EOF
- Django Nodejs 차이점
- 장고란
- double ended queue
- 입출력 패턴
- string 함수
- 자료구조
- 2557
- 백준
- 이분그래프
- scanf
- getline
- UI한글변경
- Django의 편의성
- 알고리즘 공부방법
- 엑셀
- 구조체와 클래스의 공통점 및 차이점
Archives
- Today
- Total
Storage Gonie
(10) [C++, Java] 백준 No.2156 : 포도주 시식 본문
반응형
문제
풀이
자세한 풀이 : https://ldgeao99.tistory.com/entry/챕터3-11-DP-문제-풀이10-백준-No2156-포도주-시식
# C++(Bottom-up방식 - 2차원 배열 사용)
#include <iostream>
#include <algorithm>
using namespace std;
int arr[10001];
int d[10001][3];
int main()
{
ios::sync_with_stdio(false);
cin.tie(NULL);
cout.tie(NULL);
int n;
cin >> n;
for (int i = 1; i <= n; i++)
cin >> arr[i];
d[1][1] = arr[1]; // 1잔만 있을 경우 최대 값은 1잔을 마시는 것이므로.
d[2][0] = arr[1]; // 2잔만 있을 경우 2번째 자리의 상태가 S = 0인 경우의 최대값.
d[2][1] = arr[2]; // 2잔만 있을 경우 2번째 자리의 상태가 S = 1인 경우의 최대값.
d[2][2] = arr[1] + arr[2]; // 2잔만 있을 경우 2번째 자리의 상태가 S = 2인 경우의 최대값.
for (int i = 3; i <=n; i++)
{
d[i][0] = max(max(d[i-1][0], d[i-1][1]), d[i-1][2]);
d[i][1] = d[i-1][0] + arr[i];
d[i][2] = d[i-1][1] + arr[i];
}
cout << max(max(d[n][0], d[n][1]), d[n][2]) << "\n";
}
# C++(Bottom-up방식 - 1차원 배열 사용)
#include <iostream>
#include <algorithm>
using namespace std;
int arr[10001];
int d[10001];
int main()
{
ios::sync_with_stdio(false);
cin.tie(NULL);
cout.tie(NULL);
int n;
cin >> n;
for (int i = 1; i <= n; i++)
cin >> arr[i];
d[1] = arr[1]; // 1잔이 있을 때 최대 값은 1잔을 마시는 것임
d[2] = arr[1] + arr[2]; // 2잔이 있을 때 최대 값은 2잔을 모두 마시는 것임
for (int i = 3; i <=n; i++)
d[i] = max(max(d[i-1], d[i-2] + arr[i]), d[i-3] + arr[i-1] + arr[i]);
cout << d[n] << "\n";
}
# Java
import java.util.*;
public class Main {
public static void main(String args[]) {
Scanner sc = new Scanner(System.in);
int n = sc.nextInt();
int[] a = new int[n+1];
for (int i=1; i<=n; i++) {
a[i] = sc.nextInt();
}
int[] d = new int[n+1];
d[1] = a[1];
if (n >= 2) {
d[2] = a[1]+a[2];
}
for (int i=3; i<=n; i++) {
d[i] = d[i-1];
d[i] = Math.max(d[i], d[i-2]+a[i]);
d[i] = Math.max(d[i], d[i-3]+a[i-1]+a[i]);
}
int ans = d[1];
for (int i=2; i<=n; i++) {
ans = Math.max(ans, d[i]);
}
System.out.println(ans);
}
}
반응형
'알고리즘 > 백준풀이6. 다이나믹프로그래밍' 카테고리의 다른 글
(12) [C, C++, Java] 백준 No.11055 : 가장 큰 증가 부분 수열 (0) | 2019.05.15 |
---|---|
(11) [C, C++, Java] 백준 No.11053 : 가장 긴 증가하는 부분 수열 (0) | 2019.05.15 |
(9) [C++, Java] 백준 No.9465 : 스티커 (0) | 2019.05.09 |
(8) [C++, Java] 백준 No.11057 : 오르막 수 (0) | 2019.05.09 |
(7) [C++, Java] 백준 No.10844 : 쉬운 계단 수 (0) | 2019.05.09 |
Comments