题目:
Implement next permutation, which rearranges numbers into the lexicographically next greater permutation of numbers.
If such arrangement is not possible, it must rearrange it as the lowest possible order (ie, sorted in ascending order).
The replacement must be in-place and use only constant extra memory.
Here are some examples. Inputs are in the left-hand column and its corresponding outputs are in the right-hand column.
1,2,3 → 1,3,2
3,2,1 → 1,2,3
1,1,5 → 1,5,1
题目意思:就是求下一个排列,比如1 2 3 的下一个排列是1 3 2 但是如果碰到序列是最后一个排列,那么输出逆序即最开始的序列。
解析:
我们拿一个题目里面的序列说话。
序列: 1 5 8 4 7 6 5 3 1
1: 我们把这个序列从后往前看,就会发现1->3->5->6->7 然后发现到了4 就开始走下坡,我们是要找下一个全排列,所以那么这个位置必须是一个比它大的,这样我们找到了第一个下标 k =3.
2:这时候既然我们的下一个排列在这个位置必然是比它大的,所以又从后往前找,然后找到5,下标l=6,就不用往前找了,因为越往前找,排列必然是越大的。
3: 这时候交换a[l]和a[k]
4:这时候下一个排列的5这个位置确定了,那么在5右边的序列应该满足什么条件才是最小的呢??这时候你看 7 6 5 4 1 其实是个逆序的,所以只需要逆置,就是字典最小序、
那么最后下一个排列就得到了。。
整个过程来自 leetcode官方题解
看一副图就懂了
代码:
class Solution {
public:
void nextPermutation(vector<int>& nums)
{
int k,l;
int len = nums.size();
k = len-1;
while(k>=0)
{
if(nums[k]>nums[k-1])
{
k = k-1;
break;
}
k--;
}
if(k==-1)
{
reverse(nums.begin(),nums.end());
return;
}
for(l=len-1;l>k;l--)
if(nums[l]>nums[k]) break;
cout<<l<<" "<<k<<endl;
swap(nums[k],nums[l]);
reverse(nums.begin()+(k+1),nums.end());
}
};