标签:style blog http io color ar os sp for
Given a collection of numbers, return all possible permutations.
For example,[1,2,3]
have the following permutations:[1,2,3]
, [1,3,2]
, [2,1,3]
, [2,3,1]
, [3,1,2]
, and [3,2,1]
.
求全排列,根据Next Permutation , 已知某一排列情况下,可以求得下一排列,
因此现将数组排序,并依次求得下一排列,直到数组倒序为止。
1 vector<vector<int> > permute(vector<int> &num) 2 { 3 vector<vector<int> > ret; 4 vector<int> temp; 5 6 sort(num.begin(), num.end()); 7 for (int i = 0; i < num.size(); i++) 8 temp.push_back(num[i]); 9 10 ret.push_back(num); 11 nextPermutation(num); 12 while (!cmpvec(num, temp)) 13 { 14 ret.push_back(num); 15 nextPermutation(num); 16 } 17 18 return ret; 19 }
bool cmpvec(vector<int> &num1, vector<int> &num2)
{
for (int i = 0; i < num1.size(); i++)
if (num1[i] != num2[i])
return false;
return true;
}
根据NextPermutation, 每次求得的序列都比当前序列大,不存在重复的情况。因此
上述代码完全满足Permutations II的要求。
leetcode. Permutations && Permutations II
标签:style blog http io color ar os sp for
原文地址:http://www.cnblogs.com/ym65536/p/4101282.html