力扣 题目60- 排列序列
作者:互联网
题目
题解
我们只要确定从头确定 在多少位置即可 即
假如n=4 k=9
那么第一位数肯定是 1,2,3,4中的一个 由于k=9 所以根据大小排列以及平分(每个数是6 总排列有24个即4!)可以得到 第一个数应该是2 这样我们将2删掉
后面 继续前面的步骤即可
不过这样看起来很美好 但是根据大小排列以及平分这个地方用代码书写确实一件很难的事情 因为有一些特殊情况需要处理
不过这种思想我们知道了 有没有其他方法得到数(下标)呢?
在力扣评论区有这样一种写法
int index = k / factorials[i];
即用k去 除 少一个长度的所有可能性 可能有不太理解的 其实就是 每一个当前长度可能性 都会带着 少一个长度的可能性 所以利用这点我们可以得到index
最后别忘记 k -= index * factorials[i]; 即减去要当前长度的可能性 得到少一个长度的可能性
代码
1 #include<iostream> 2 #include<string> 3 #include<map> 4 #include<vector> 5 #include<algorithm> 6 using namespace std; 7 8 9 10 class Solution { 11 public: 12 string getPermutation(int n, int k) { 13 string sb; 14 vector<int> candidates; 15 vector<int> factorials(n + 1,0); 16 factorials[0] = 1; 17 int fact = 1; 18 for (int i = 1; i <= n; ++i) { 19 candidates.push_back(i); 20 fact *= i; 21 factorials[i] = fact; 22 } 23 k -= 1; 24 for (int i = n - 1; i >= 0; --i) { 25 int index = k / factorials[i]; 26 sb += to_string(candidates[index]); 27 candidates.erase(candidates.begin()+index); 28 k -= index * factorials[i]; 29 } 30 return sb; 31 } 32 }; 33 34 int main() { 35 Solution sol; 36 string result=sol.getPermutation(4,9); 37 cout << result << endl; 38 }View Code
标签:60,题目,string,index,int,力扣,candidates,factorials,include 来源: https://www.cnblogs.com/zx469321142/p/16305409.html