Time Limit: 1000MS | Memory Limit: 30000K | |
Total Submissions: 15934 | Accepted: 6413 |
Description
大家知道,给出正整数n,则1到n这n个数可以构成n!种排列,把这些排列按照从小到大的顺序(字典顺序)列出,如n=3时,列出1 2 3,1 3 2,2 1 3,2 3 1,3 1 2,3 2 1六个排列。
任务描述:
给出某个排列,求出这个排列的下k个排列,如果遇到最后一个排列,则下1排列为第1个排列,即排列1 2 3…n。
比如:n = 3,k=2 给出排列2 3 1,则它的下1个排列为3 1 2,下2个排列为3 2 1,因此答案为3 2 1。
Input
Output
Sample Input
3
3 1
2 3 1
3 1
3 2 1
10 2
1 2 3 4 5 6 7 8 9 10
Sample Output
3 1 2
1 2 3
1 2 3 4 5 6 7 9 8 10
Source
#include<iostream>
#include<algorithm>
#include<cstdio>
using namespace std; int main()
{
int k;
while(scanf("%d",&k)!=EOF)
{
int n,s;
for(int i = ; i< k;i++)
{
scanf("%d%d",&n,&s);
int number[];
for(int j = ; j< n;j++)
{
scanf("%d",&number[j]);
}
for(int j = ; j<s; j++)
{
next_permutation(number,number+n);
}
for(int j=;j<n-;j++)
printf("%d ",number[j]);
printf("%d\n",number[n-]);
}
}
return ;
}
自己实现next_permutation功能版本:
#include<iostream>
#include<cstdio>
#include<algorithm>
#include<cstring>
using namespace std; int min(int *number,int length)
{
for(int i=length-;i>=;i--)
{
if(number[i]<=number[i-])
continue;
else
{
return i-;
}
}
return -;
} int cmp(const void *a,const void *b)
{
return *(int *)a - *(int *)b;
} int main()
{
int m;
while(scanf("%d",&m)!=EOF)
{
for(int i = ; i<m;i++)
{
int n,k;
int number[];
memset(number,,sizeof(number));
scanf("%d%d",&n,&k);
for(int j=;j<n;j++)
{
scanf("%d",&number[j]);
}
for(int s = ;s<k;s++) //K次
{
int b=min(number,n); //从右往左找出第一个非递增的数字,b是其位置。
if(b>=)
{
int minMax = ;
int minMaxnumber = ;
for(int j = b+;j<n;j++) //从b开始往后找大于number[b]的最小数
{
if(number[j]>number[b]&&number[j]<minMax)
{
minMaxnumber = j;
}
}
swap(number[minMaxnumber],number[b]);
qsort(number+b+,n-b-,sizeof(int),cmp);
}
else
{
for(int j = ;j<n;j++)
number[j]=j+;
}
}
for(int j = ;j<n-;j++)
printf("%d ",number[j]);
printf("%d\n",number[n-]);
}
}
return ;
}
题目思路:和next_permutation原理一样,先从尾端找到第一个number[i]>number[i-1]的地方,记录i-1,然后从i-1处往右找到大于number[i-1]的最小数字,交换两个数,然后从i-1到尾端的这一部分进行递增排序就OK了。
调试中遇到的问题:qsort之前自己设置排序范围一直错误,导致莫名其妙的问题。
#include<iostream>
#include<cstdio>
#include<algorithm>
#include<cstring>
using namespace std;
int min(int *number,int length)
{
for(int i=length-1;i>=0;i--)
{
if(number[i]<=number[i-1])
continue;
else
{
return i-1;
}
}
return -1;
}
int cmp(const void *a,const void *b)
{
return *(int *)a - *(int *)b;
}
int main()
{
int m;
while(scanf("%d",&m)!=EOF)
{
for(int i =0 ; i<m;i++)
{
int n,k;
int number[1034];
memset(number,0,sizeof(number));
scanf("%d%d",&n,&k);
for(int j=0;j<n;j++)
{
scanf("%d",&number[j]);
}
for(int s = 0;s<k;s++) //K次
{
int b=min(number,n); //从右往左找出第一个非递增的数字,b是其位置。
if(b>=0)
{
int minMax = 9999;
int minMaxnumber = 0;
for(int j = b+1;j<n;j++) //从b开始往后找大于number[b]的最小数
{
if(number[j]>number[b]&&number[j]<minMax)
{
minMaxnumber = j;
}
}
swap(number[minMaxnumber],number[b]);
qsort(number+b+1,n-b-1,sizeof(int),cmp);
}
else
{
for(int j = 0;j<n;j++)
number[j]=j+1;
}
}
for(int j = 0;j<n-1;j++)
printf("%d ",number[j]);
printf("%d\n",number[n-1]);
}
}
return 0;
}