如何将此递归解决方案转换为DP解决方案?

时间:2020-03-19 08:07:21

标签: python recursion dynamic-programming

您好,我为LeetCode上的分区等式子集问题(https://leetcode.com/problems/partition-equal-subset-sum/)起草了一个递归解决方案:

class Solution(object):
    def canPartition(self, nums):
        """
        :type nums: List[int]
        :rtype: bool
        """
        if not nums or len(nums) < 2:
            return False
        if sum(nums) % 2 != 0:
            return False
        target = sum(nums) // 2
        # if the maximum number in nums goes larger than target, 
        # then this maximum number cannot be partitioned into any subarray
        # hence there's no solution in this case, return False early
        if max(nums) > target:   
            return False
        nums.sort(reverse = True)
        return self.helper(nums, 0, target, 0)

    def helper(self, nums, index, target, curr):
        # since "target" value is derived from dividing total sum, 
        # we only need to search for one sum that makes target value in the array
        # the rest is guaranteed to sum up to "target" 
        if curr == target:
            return True
        for i in range(index, len(nums)):
            if curr + nums[i] > target:
                continue
            if self.helper(nums, i + 1, target, curr + nums[i]):
                return True
        return False

但是,作为后续措施,实际返回两个子集而不是仅是/否是最好的方法。如果必须更新上述现有代码,则保存的子集的代码将是什么样?我是那些开始使用DP的人之一。提前致谢。

1 个答案:

答案 0 :(得分:0)

找出解决方案:

class Solution(object):
    def canPartition(self, nums):
        """
        :type nums: List[int]
        :rtype: bool
        """
        if not nums or len(nums) < 2:
            return []
        if sum(nums) % 2 != 0:
            return []
        target = sum(nums) // 2
        if max(nums) > target:   
            return []
        nums.sort(reverse = True)
        res = []
        self.helper(nums, 0, target, [], res)
        return res

    def helper(self, nums, index, target, curr, res):
        if sum(curr) == target:
            res.append(list(curr))
            return
        for i in range(index, len(nums)):
            if sum(curr) + nums[i] > target:
                continue
            self.helper(nums, i + 1, target, curr + [nums[i]], res)