Leetcode -组合总和

题目

给定一个无重复元素的数组 candidates 和一个目标数 target ,找出 candidates 中所有可以使数字和为 target 的组合。

candidates 中的数字可以无限制重复被选取。

说明:

所有数字(包括 target)都是正整数。
解集不能包含重复的组合。
示例 1:

输入: candidates = [2,3,6,7], target = 7,
所求解集为:

[
  [7],
  [2,2,3]
]

示例 2:

输入: candidates = [2,3,5], target = 8,
所求解集为:

[
  [2,2,2,2],
  [2,3,3],
  [3,5]
]

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/combination-sum

解法

回溯 + 剪枝

是一个深度优先遍历问题,为了避免重复,可以先排序做剪枝。

from typing import List


class Solution:
    def combinationSum(self, candidates: List[int], target: int) -> List[List[int]]:
        size = len(candidates)
        if size == 0:
            return []

        # 剪枝是为了提速,在本题非必需
        candidates.sort()
        # 在遍历的过程中记录路径,它是一个栈
        path = []
        res = []
        # 注意要传入 size ,在 range 中, size 取不到
        self.__dfs(candidates, 0, size, path, res, target)
        return res

    def __dfs(self, candidates, begin, size, path, res, target):
        # 先写递归终止的情况
        if target == 0:
            # Python 中可变对象是引用传递,因此需要将当前 path 里的值拷贝出来
            # 或者使用 path.copy()
            print('OK')
            res.append(path[:])
            print('res is {}'.format(res))
            return
        for index in range(begin, size):         
            residue = target - candidates[index]
            print('index is {}  residue is {}'.format(index, residue))
            # “剪枝”操作,不必递归到下一层,并且后面的分支也不必执行
            if residue < 0:
                print('break')
                break
            path.append(candidates[index])
            print('path is {}'.format(path))
            # 因为下一层不能比上一层还小,起始索引还从 index 开始
            self.__dfs(candidates, index, size, path, res, residue)
            print('ready pop')
            path.pop()
            print('after pop path is {}'.format(path))

在这里插入图片描述

你可能感兴趣的:(Python,Leetcode)