|
马上注册,结交更多好友,享用更多功能^_^
您需要 登录 才可以下载或查看,没有账号?立即注册
x
在刷题时,有一个疑问不能解决,望大神们指教
题目要求 给定一个数组 candidates 和一个目标数 target ,找出 candidates 中所有可以使数字和为 target 的组合。
candidates 中的每个数字在每个组合中只能使用一次。
示例 1:
输入: candidates = [10,1,2,7,6,1,5], target = 8,
所求解集为:
[
[1, 7],
[1, 2, 5],
[2, 6],
[1, 1, 6]
]
示例 2:
输入: candidates = [2,5,2,1,2], target = 5,
所求解集为:
[
[1,2,2],
[5]
]
解:
class Solution:
def dfs(self,candidates,start,target,path,ans):
if target == 0:
self.ans.append(path+[])
for i in range(start,len(candidates)):
if i > start and candidates[i] == candidates[i - 1]:
continue
if candidates[i] > target:
break
path.append(candidates[i])
self.dfs(candidates,i+1,target-candidates[i],path,ans)
path.pop()
return ans
def combinationSum2(self, candidates, target):
candidates.sort()
self.ans =[]
self.dfs(candidates, 0, target,[], [])
return self.ans
在 if target == 0:
self.ans.append(path)这里为什么要path+[]? 不加[]返回的self.ans里所有元素都为[],这里不太明白,望大神们指点 |
|