题目
给定一个可包含重复数字的序列 nums
,按任意顺序 返回所有不重复的全排列。
示例 1:
输入:nums = [1,1,2]
输出:
[[1,1,2],
[1,2,1],
[2,1,1]]
1
2
3
4
5
2
3
4
5
示例 2:
输入:nums = [1,2,3]
输出:[[1,2,3],[1,3,2],[2,1,3],[2,3,1],[3,1,2],[3,2,1]]
1
2
2
提示:
1 <= nums.length <= 8
-10 <= nums[i] <= 10
题解
java
public List<List<Integer>> permuteUnique(int[] nums) {
Set<List<Integer>> result = new HashSet<>();
Consumer<List<Integer>> consumer = new Consumer<List<Integer>>() {
@Override
public void accept(List<Integer> indexes) {
if (indexes.size() == nums.length) {
// 将索引转为数值
result.add(indexes.stream().map(index -> nums[index]).collect(Collectors.toList()));
return;
}
for (int i = 0; i < nums.length; i++) {
// 数值可能会重复 记录索引
if (!indexes.contains(i)) {
indexes.add(i);
this.accept(indexes);
// 回溯
indexes.remove(indexes.size() - 1);
}
}
}
};
// 考虑数组为空的情况
if (nums.length > 0) {
consumer.accept(new ArrayList<>());
}
return new ArrayList<>(result);
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30