给定一个可包含重复数字的序列 nums ,按任意顺序 返回所有不重复的全排列
class Solution {
    public List<List<Integer>> permuteUnique(int[] nums) {
        List<List<Integer>> ans = new ArrayList<>();
        List<Integer> path = new ArrayList<>();
        boolean[] vis = new boolean[nums.length]; 
        Arrays.sort(nums);
        dfs(nums, 0, ans, path, vis);
        return ans;
    }
    private void dfs(int[] nums, int index, List<List<Integer>> ans, List<Integer> path, boolean[] vis) {
        if(index == nums.length) {
            ans.add(new ArrayList<>(path));
            return;
        }
        for(int i = 0; i < nums.length; i++) {
            if(vis[i] || i > 0 && nums[i] == nums[i - 1] && !vis[i -1]) continue;
            path.add(nums[i]);
            vis[i] = true;
            dfs(nums, index + 1, ans, path, vis);
            path.remove(path.size() - 1);
            vis[i] = false;
        }
    }
}
其中的去重剪枝比较难理解:i > 0 && nums[i] == nums[i - 1] && !vis[i - 1] 。
 其中的 !vis[i - 1] 是重点:例如有样例 [1, 1,2],其中第一个1标记为1a,第二个1标记为1b,!vis[i - 1] 保证了只有1a访问了之后才能访问1b,直接访问1b而1a没有被访问则执行 continue 操作(这之前需要 sort 排序)。









