data:image/s3,"s3://crabby-images/f234c/f234c7f3e2abe052215d68fbc093a0251029913a" alt="Screen-Pictures/%E9%A2%98%E7%9B%AE/2020-06-18_10-47-06_%E6%88%AA%E5%B1%8F2020-06-18%20%E4%B8%8A%E5%8D%8810.47.02.png"
https://leetcode-cn.com/problems/burst-balloons/solution/jie-ti-guan-jian-xu-ni-qi-qiu-hui-su-fen-zhi-dong-/
data:image/s3,"s3://crabby-images/4de45/4de450d8a0a25d78b11b2f04203efba9c4fcc0bd" alt="Screen-Pictures/%E6%80%9D%E8%B7%AF/2020-06-18_10-52-51_%E6%88%AA%E5%B1%8F2020-06-18%20%E4%B8%8A%E5%8D%8810.52.47.png"
- DP
通过从最小子问题开始进行简单尝试,可以发现长度为2的子问题的解仅依赖于长度为1子问题的解;长度为3的子问题的解仅依赖于长度为2的子问题的解
# 分治
class Solution:
def maxCoins(self, nums: List[int]) -> int:
memo = {}
return self.helper(memo, nums, 1, 1, 0, len(nums)-1)
def helper(self, memo, nums, left, right, start, end):
if (start, end) not in memo.keys():
if start > end:
memo[(start, end)] = 0
elif start == end:
memo[(start, end)] = nums[start]*left*right
else:
tmp = []
for i in range(start, end+1):
tmp.append(nums[i]*left*right +
self.helper(memo, nums, left, nums[i], start, i-1) +
self.helper(memo, nums, nums[i], right, i+1, end))
memo[(start, end)] = max(tmp)
return memo[(start, end)]
# DP
class Solution:
def maxCoins(self, nums: List[int]) -> int:
# DP
if not nums:
return 0
def fill(nums, dp, start, end):
max_value = 0
for k in range(start, end+1):
left = 1 if start==0 else nums[start-1]
right = 1 if end==len(nums)-1 else nums[end+1]
max_value = max(max_value, nums[k]*left*right + (0 if k==start else dp[start][k-1]) + (0 if k==end else dp[k+1][end]))
dp[start][end] = max_value
dp = [[0 for i in range(len(nums))] for j in range(len(nums))]
for i in range(len(nums)):
for j in range(len(nums)-i):
fill(nums, dp, j, j+i)
return dp[0][len(nums)-1]
# 回溯
超时