-
Notifications
You must be signed in to change notification settings - Fork 3
Expand file tree
/
Copy pathpermute_recursive_nonrecursive.cpp
More file actions
77 lines (74 loc) · 2.39 KB
/
permute_recursive_nonrecursive.cpp
File metadata and controls
77 lines (74 loc) · 2.39 KB
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
class Solution {
public:
void helper(vector<vector<int> > &result, vector<int> &nums, vector<int> &path, vector<bool> &visited){
if(path.size() == nums.size()){
result.push_back(path);
return;
}
for(int i = 0; i < nums.size(); i++){
if(visited[i]){
continue;
}
visited[i] = true;
path.push_back(nums[i]);
helper(result, nums, path, visited);
path.pop_back();
visited[i] = false;
}
}
/**
* @param nums: A list of integers.
* @return: A list of permutations.
*/
vector<vector<int> > permute1(vector<int> nums) {
// write your code here
int n = nums.size();
vector<vector<int> > result;
if(n == 0){
return result;
}
vector<int> path;
vector<bool> visited(n, false);
helper(result, nums, path, visited);
return result;
}
// non-recursive
vector<vector<int> > permute(vector<int> nums) {
int n = nums.size();
vector<vector<int> > result;
if(n == 0){
return result;
}
vector<int> list;
list.push_back(-1);// 储存上一次遍历的下标
while(!list.empty()){
int last = list.back();
list.pop_back(); // 去掉最后一次遍历的元素
int next = -1;
for(int i = last+1; i < n; i++){ // 找下一个还没有visited的元素
if(find(list.begin(), list.end(), i) == list.end()){
next = i;
break;
}
}
if(next == -1) { // 没找到
continue;
}
//放入下一个没有visited的元素
list.push_back(next);
//再放入剩下的没有visited的元素
for(int i = 0; i < n; i++){
if(find(list.begin(), list.end(), i) == list.end()){
list.push_back(i);
}
}
// copy to permutation
vector<int> permut;
for(int i = 0; i < list.size(); i++){
permut.push_back(nums[list[i]]);
}
result.push_back(permut);
}
return result;
}
};