-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy path46-permutations.java
78 lines (57 loc) · 2.39 KB
/
46-permutations.java
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
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
class Solution {
// 1st approach
/*
public List<List<Integer>> permute(int[] nums) {
List<List<Integer>> result = new ArrayList<>();
boolean[] map = new boolean[nums.length];
findPermutations(nums, new ArrayList<Integer>(), map, result);
return result;
}
private void findPermutations(int[] nums, List<Integer> templist, boolean[] map, List<List<Integer>> result) {
// when permutation if formed
if (templist.size() == nums.length) {
result.add(new ArrayList<>(templist));
return;
}
for (int i = 0; i < nums.length; i++) {
if (!map[i]) { // if current index is not taken
map[i] = true;
templist.add(nums[i]);
findPermutations(nums, templist, map, result);
// backtrack
templist.remove(templist.size() - 1);
map[i] = false;
}
}
}
*/
// 2nd approach - without extra space
public List<List<Integer>> permute(int[] nums) {
List<List<Integer>> result = new ArrayList<>();
findPermutations2(nums, 0, result);
return result;
}
private void findPermutations2(int[] nums, int index, List<List<Integer>> result) {
if (index == nums.length) {
// permutation is formed, as the result is itself in original array nums, we copy it and store in result
List<Integer> templist = new ArrayList<>();
for (int i = 0; i < nums.length; i++) {
templist.add(nums[i]);
}
// now storing in result array
result.add(new ArrayList<>(templist));
return;
}
// scanning right indexes from current index
for (int i = index; i < nums.length; i++) {
swap(i, index, nums); // swap with yourself and swap with all elements in right indexes from you
findPermutations2(nums, index + 1, result);
swap(i, index, nums); // backtrack and swap previously swapped elements
}
}
private void swap(int i, int j, int[] nums) {
int temp = nums[i];
nums[i] = nums[j];
nums[j] = temp;
}
}