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
- K8S
- 쿠버네티스
- dockerfile
- Python
- EC2
- EKS
- elasticsearch
- 자바스크립트
- docker
- intervals
- asgi
- AZURE
- Django
- Deployment
- ebs
- Network
- Service
- terraform
- asyncio
- DevOps
- leetcode
- WSGI
- Kubernetes
- POD
- event loop
- AZ-900
- AWS
- IAC
- ansible
- FastAPI
Archives
- Today
- Total
궁금한게 많은 개발자 노트
[ leetcode ] 198. House Robber 본문
해당 문제는 n길이의 배열에서 서로 인접한 두 인덱스를 고르지 못하는 제약 조건 내에서 선택한 인덱스에 존재하는 숫자들의 가장 큰 합을 구하는 문제입니다.
Dynamic Programing의 기본적인 문제일 수 있고, 연습에 좋은 문제라고 생각되었습니다.
i번째 index까지의 선택한 숫자들의 합중 가장 큰 값은 i-2까지의 가장 큰 값과 i번째 숫자를 더한 것과 i번째 숫자를 선택하지 않고 i-1까지의 합 중 가장 큰 값을 비교하여 큰 값으로 설정합니다.
dp[i-2] = max(dp[i-1], dp[i-2] + nums[i])로 표현될 수 있습니다.
#define max(a,b)((a) > (b) ? (a) : (b))
class Solution {
public:
int rob(vector<int>& nums) {
int len = nums.size();
if (len == 1) return nums[0];
if (len == 2) max(nums[0], nums[1]);
int *dp = new int[len];
dp[0] = nums[0];
dp[1] = max(nums[0], nums[1]);
for (int i = 2; i < len; i++) {
dp[i] = max(nums[i] + dp[i-2], dp[i-1]);
}
return dp[len-1];
}
};
'Algorithm' 카테고리의 다른 글
[ leetcode ] 334. Increasing Triplet Subsequence (0) | 2023.07.17 |
---|---|
[ leetcode ] 1218. Longest Arithmetic Subsequence of Given Difference (0) | 2023.07.14 |
[ leetcode ] 207. Course Schedule (0) | 2023.07.14 |
[ leetcode ] 209. Minimum Size Subarray Sum (0) | 2023.07.07 |
[ leetcode ] 1493. Longest Subarray of 1's After Deleting One Element (0) | 2023.07.07 |
Comments