Subsets II

/*
 本算法答案由上岸科技提供。
 上岸科技是一个专致力于高效培养北美留学生拥有实际面试能力的团体。
 我们采用小班化线上,线下教学让学生更快,更好的学习到想要的知识。
 团队主要由一群怀揣情怀于美国高校毕业的一线IT公司工程师构成。
 我们坚信对于求职者算法并不是全部,合理的技巧加上适当的算法培训能够大大的提升求职成功概率也能大大减少刷题的痛苦。
 正如我们的信仰:我们教的是如何上岸而不仅是算法。
 更多信息请关注官网:https://www.shanganonline.com/
*/
class Solution {
    public List<List<Integer>> subsetsWithDup(int[] nums) {
        List<List<Integer>> result = new ArrayList<>();
        List<Integer> path = new ArrayList<>();
        result.add(path);
        Arrays.sort(nums);
 
        helper(nums, 0, result, path);
        return result;
    }
    
    public void helper(int[]nums, int index, List<List<Integer>> result, List<Integer> path){
        if(path.size() == nums.length){
            return;
        }
        for(int i = index; i < nums.length; i++){
            if( i != index && nums[i] == nums[i - 1]){
                continue;
            }
            path.add(nums[i]);
            result.add(new ArrayList<>(path));
            helper(nums, i + 1, result, path);
            path.remove(path.size() - 1);
        }
    }
}

Last updated