题目描述
题目描述
给定一堆整数,可能包含相同数,返回其所有不同的全排列。
样例
输入:
[1,1,2]
输出:
[
[1,1,2],
[1,2,1],
[2,1,1]
]
算法1
(DFS枚举) O(n!)
Java 代码
class Solution {
// assume no concurrency
// true,那么这个数字nums[i]已经使用过
boolean[] used = null;
List<List<Integer>> res = new ArrayList<>();
public List<List<Integer>> permuteUnique(int[] nums) {
int n = nums.length;
if (n == 0) {
return res;
}
used = new boolean[n];
Arrays.sort(nums);
dfs(nums, new ArrayList<Integer>());
return res;
}
private void dfs(int[] nums, List<Integer> path) {
if (path.size() == nums.length) {
res.add(new ArrayList<>(path));
return;
}
// 尝试每个数字加入当前位子
for (int i = 0; i < nums.length; i++) {
if (!used[i]) {
// 保证枚举的同一层的位置不会出现相同的排列,下一层不会不能选相同的数字
if (i > 0 && nums[i - 1] == nums[i] && !used[i - 1]) {
continue;
}
used[i] = true;
path.add(nums[i]);
dfs(nums, path);
used[i] = false;
path.remove(path.size() - 1);
}
}
}
}