回溯算法 -- 78. 子集

Posted 沿着路走到底

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了回溯算法 -- 78. 子集相关的知识,希望对你有一定的参考价值。

力扣

给你一个整数数组 nums ,数组中的元素 互不相同 。返回该数组所有可能的子集(幂集)。

解集 不能 包含重复的子集。你可以按 任意顺序 返回解集。

示例 1:

输入:nums = [1,2,3]
输出:[[],[1],[2],[1,2],[3],[1,3],[2,3],[1,2,3]]


示例 2:

输入:nums = [0]
输出:[[],[0]]

回溯算法

解题思路

要求:1、所有子集;2、没有重复元素。

有出路、有死路。

解题步骤

用递归模拟出所有情况。

保证接的数字都是后面的数字。

收集所有到达递归终点的情况,并返回。

1、

/**
 * @param number[] nums
 * @return number[][]
回溯算法
解题思路
要求:1、所有子集;2、没有重复元素。
有出路、有死路。


解题步骤
用递归模拟出所有情况。
保证接的数字都是后面的数字。
收集所有到达递归终点的情况,并返回。
*/
var subsets = function(nums) 
  const res = []

  function backtrack(path, l, start) 
    if (path.length === l) 
      res.push(path)
      return
    
    for(let i = start; i < nums.length; i++) 
      backtrack([...path, nums[i]], l, i+1)
    
  

  for(let i = 0; i <= nums.length; i++) 
    backtrack([], i, 0)
  

  return res
;

2、

/**
 * @param number[] nums
 * @return number[][]
回溯算法
解题思路
要求:1、所有子集;2、没有重复元素。
有出路、有死路。


解题步骤
用递归模拟出所有情况。
保证接的数字都是后面的数字。
收集所有到达递归终点的情况,并返回。
*/
var subsets = function(nums) 
  const res = []

  function backtrack(path) 
    res.push(path)
    if (path.length === nums.length) 
      return
    

    nums.forEach(n => 
      if (path.length && (path.includes(n) || n < path[path.length-1])) return
      backtrack([...path, n])
    )
  

  backtrack([])

  return res
;

1

以上是关于回溯算法 -- 78. 子集的主要内容,如果未能解决你的问题,请参考以下文章

算法 ---- LeetCode回溯系列问题题解

算法 ---- LeetCode回溯系列问题题解

算法 ---- LeetCode回溯系列问题题解

算法 ---- LeetCode回溯系列问题题解

[LeetCode] 78. 子集 ☆☆☆(回溯)

78.子集回溯Normal