47. 全排列 II - 力扣(LeetCode)

发布时间:2024年01月23日

题目描述
给定一个可包含重复数字的序列 nums ,按任意顺序 返回所有不重复的全排列。

输入示例

nums = [1,1,2]

输出示例

[[1,1,2], [1,2,1], [2,1,1]]

解题思路
在这里插入图片描述

解题代码

class Solution {
    List<List<Integer>> result = new ArrayList<>();
    Deque<Integer> path = new ArrayDeque<>();
    public List<List<Integer>> permuteUnique(int[] nums) {
        int n = nums.length;
        boolean[] used = new boolean[n];
        backtrack(nums, used);
        return result;
    }

    public void backtrack(int[] nums, boolean[] used) {
        if(path.size() == nums.length) {
            result.add(new ArrayList<Integer>(path));
            return;
        }
        Set<Integer> set = new HashSet<>();
        for(int i = 0; i < nums.length; i++) {
            if(used[i] == true || set.contains(nums[i])) {
                continue;
            }
            path.addLast(nums[i]);
            set.add(nums[i]);
            used[i] = true;
            backtrack(nums, used);
            used[i] = false;
            path.removeLast();
        }
    }
}
文章来源:https://blog.csdn.net/weixin_48613005/article/details/135769059
本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。