diff options
author | terminaldweller <thabogre@gmail.com> | 2022-12-14 05:51:35 +0000 |
---|---|---|
committer | terminaldweller <thabogre@gmail.com> | 2022-12-14 05:51:35 +0000 |
commit | f05a240bb9b9fdc511e95b6e2075a53fbed9dd2e (patch) | |
tree | 1553098516cdb05148d2a0cc1c8c7c63d7e6d869 /198/main.go | |
parent | 931 (diff) | |
download | leetcode-f05a240bb9b9fdc511e95b6e2075a53fbed9dd2e.tar.gz leetcode-f05a240bb9b9fdc511e95b6e2075a53fbed9dd2e.zip |
198
Diffstat (limited to '')
-rw-r--r-- | 198/main.go | 45 |
1 files changed, 45 insertions, 0 deletions
diff --git a/198/main.go b/198/main.go new file mode 100644 index 0000000..d61ec01 --- /dev/null +++ b/198/main.go @@ -0,0 +1,45 @@ +package main + +import "fmt" + +func max(a, b int) int { + if a > b { + return a + } + return b +} + +func rob(nums []int) int { + nlen := len(nums) + + switch nlen { + case 0: + return 0 + case 1: + return nums[0] + case 2: + return max(nums[0], nums[1]) + case 3: + return max(nums[1], nums[0]+nums[2]) + } + + dp := make([]int, nlen) + + dp[0] = nums[0] + dp[1] = nums[1] + dp[2] = nums[0] + nums[2] + + for i := 3; i < nlen; i++ { + dp[i] = max(dp[i-2]+nums[i], dp[i-3]+nums[i]) + } + + return max(dp[len(dp)-1], dp[len(dp)-2]) +} + +func main() { + fmt.Println(rob([]int{1, 100, 5, 4, 100, 1})) + fmt.Println(rob([]int{1, 2, 3, 1})) + fmt.Println(rob([]int{2, 7, 9, 3, 1})) + fmt.Println(rob([]int{2, 3, 2})) + fmt.Println(rob([]int{1, 1, 1, 2})) +} |