Given a set of distinct integers, nums, return all possible subsets.
Note: The solution set must not contain duplicate subsets.
For example,
If nums = [1,2,3], a solution is:
Solution:Backtracking(DFS)
总结见:http://www.jianshu.com/p/883fdda93a66
其实就是backtrack的simple组合问题,套路ok,没有终止条件,每一步都add到cur_res.
思路:回溯法,类似深度优先进行组合,cur_result数组保持用当前尝试的结果,并按照深度优先次序依次将组合结果加入到result_list中,DFS到底后 step back (通过remove 当前cur_result的最后一位),换下一个尝试组合,后继续DFS重复此过程,实现上采用递归方式。
例:input: [1, 2, 3, 4]
输出:
[]
[1] [12] [123] [1234] [124] [13] [134] [14]
[2] [23] [234] [24]
[3] [34]
[4]
Time Complexity: O(2^n) ? (Not Sure)
Space Complexity(不算result的话): O(2n) : n是递归缓存的cur_result + n是缓存了n层的普通变量O(1) ? (Not Sure)
Solution Code:
class Solution {
public List<List<Integer>> subsets(int[] nums) {
List<List<Integer>> result = new ArrayList<>();
List<Integer> cur_res = new ArrayList<>();
backtrack(nums, 0, cur_res, result);
return result;
}
private void backtrack(int nums[], int start, List<Integer> cur_res, List<List<Integer>> result) {
result.add(new ArrayList<>(cur_res));
for(int i = start; i < nums.length; i++) {
cur_res.add(nums[i]);
backtrack(nums, i + 1, cur_res, result);
cur_res.remove(cur_res.size() - 1);
}
}
}