60. Permutation Sequence
Problem Description
The problem presents a scenario where we are interested in finding a specific permutation of the set [1, 2, 3, ..., n]
, given that the set includes all permutations possible for numbers from 1 to n
. The total number of unique permutations is n!
(factorial of n
). The permutations are ordered in a sequence based on the natural ordering of integers. For example, for n = 3
, the sequence of permutations from the first (1st) to the last (6th) is 123
, 132
, 213
, 231
, 312
, 321
. Given a number n
representing the length of the permutation, and a number k
, the task is to return the kth
permutation in the ordered sequence.
Intuition
To arrive at the solution, we leverage the fact that the permutations are ordered and can be generated in a sequence. The key observation here is to understand how permutations are structured:
-
For any given
n
, the first(n-1)!
permutations begin with1
, the next(n-1)!
permutations begin with2
, and so forth. This holds true for every subsequent digit in the permutation. -
Hence, we can determine the first digit of the
kth
permutation by computing how many blocks of(n-1)!
permutations fit intok
. -
Subtract the number of full blocks from
k
to get the newk
for the next iteration, as we proceed to find the next digit of the permutation. -
We use an array
vis
to keep track of which numbers have already been included in the permutation, since each number can appear only once. -
By repeating the process, selecting one digit at a time for the permutation, we can construct the
kth
permutation without having to generate all the permutations up tok
.
The solution uses this approach iteratively, where for each digit in the permutation, it calculates the appropriate digit given k
's position in the remaining factorial blocks. This results in a direct path to the kth
permutation sequence without unnecessary computations.
Solution Approach
The implementation of the solution is as follows:
- A list
ans
is initialized to hold the characters of the final permutation sequence. - A list
vis
ofn+1
elements is created to keep track of the numbers that have been visited (i.e., already included in the permutation), initialized toFalse
for all elements.
Now, the algorithm enters a for-loop that iterates n
times, once for each position in the permutation string.
-
For each position
i
in the permutation, calculate the factorial of(n - i - 1)
, which is the number of permutations possible for the remaining digits after fixing the firsti
digits. This is done using a nested for-loop to multiply the factorial value up to(n - i - 1)
. -
Another for-loop is used to iterate over the potential digits
j
(from1
ton
) that can go into the current position of the permutation:- For each digit
j
, if it hasn't been used yet (not vis[j]
isTrue
):- Check if the current
k
is greater than the calculated factorial. This would mean thatk
lies beyond the current block of permutations that start with the digitj
. - If
k > fact
, decrementk
by the value offact
, effectively movingk
to the correct block within the permutations sequence. This does not change the currentj
, allowing the loop to continue to the next iteration andj
to be tested for the next factorial block. - If
k <= fact
, we've found the correct digit for this position. Append this digit toans
, mark it as visited invis[j]
, and break from the loop to continue to the next position in the permutation.
- Check if the current
- For each digit
-
The
break
statement exits the inner for-loop early once the correct digit is found for the current position, preventing unnecessary checks on higher numbers. -
After the outer for-loop ends, all the digits are placed correctly in
ans
. The listans
is then joined to form a string, and this string representing thekth
permutation is returned.
By using this approach, the algorithm systematically determines each digit of the kth
permutation sequence by excluding permutations blocks where the kth
sequence would not fall into. This is done calculating the factorial decrement for each position in the sequence, allowing for an efficient and direct construction of the desired sequence. No unnecessary permutations are generated, making the implementation efficient and scalable for larger n
.
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's illustrate the solution approach with n = 3
and k = 4
as an example, which means we want to find the 4th permutation of the set [1, 2, 3]
.
-
Initialization: We create an answer list
ans = []
to hold the characters of the final permutation and a visited listvis = [False, False, False, False]
to track the numbers that have been used. The extra index at the start ofvis
is to align the number positions with their index for easier access (since we don't use0
). -
First Position:
- Calculate factorial of
(3 - 1) = 2! = 2
. This tells us each block starting with a particular number has 2 permutations. - Iterate over digits and find where the 4th permutation would fall. Since
2!
blocks start with1
, and 4 > 2, the first number can't be1
. We then subtract2
fromk
to get the newk = 2
. - Since the second block (numbers starting with
2
) fits ourk
(which is now 2), the first number is2
. We updateans = [2]
andvis = [False, True, False, False]
.
- Calculate factorial of
-
Second Position:
- Calculate new factorial for remaining digits:
1! = 1
. - Now we look for the second digit.
k
is 2, which means within the block starting with2
, we need the second permutation. - We skip
1
becausek > 1!
, but when we reach3
(vis[3]
is False),k
is not greater than1!
, so we select3
. We updateans = [2, 3]
andvis = [False, True, True, False]
.
- Calculate new factorial for remaining digits:
-
Third Position:
- Only one number is left (
1
), and sincevis[1]
is False, it is the only choice.ans = [2, 3, 1]
.
- Only one number is left (
-
Final Result:
- Join all the numbers in
ans
to form the permutation string. So the 4th permutation of the set[1, 2, 3]
is"231"
.
- Join all the numbers in
Following the steps, we have determined that the 4th permutation in the ordered sequence is indeed "231"
. This method efficiently arrived at the answer without exhaustively enumerating all permutations.
Solution Implementation
1class Solution:
2 def getPermutation(self, n: int, k: int) -> str:
3 # This function returns the k-th permutation of the numbers 1 to n
4
5 # Initialize an empty list to store the permutation
6 permutation = []
7
8 # Initialize a list to keep track of used numbers
9 visited = [False] * (n + 1)
10
11 # Iterate through the numbers from 1 to n
12 for i in range(n):
13 # Compute the factorial of (n-i-1) which helps in determining the blocks
14 factorial = 1
15 for j in range(1, n - i):
16 factorial *= j
17
18 # Iterate through the numbers to find the unused numbers
19 for j in range(1, n + 1):
20 if not visited[j]:
21 # If k is greater than the factorial, it means we need to move to the next block
22 if k > factorial:
23 k -= factorial
24 else:
25 # Found the right place for the number 'j' in the permutation
26 permutation.append(str(j)) # Add the number to the permutation
27 visited[j] = True # Mark the number as visited
28 break # Break since we have used one number in the permutation
29
30 # Join the list of strings to form the final permutation string
31 return ''.join(permutation)
32
1class Solution {
2 public String getPermutation(int n, int k) {
3 // StringBuilder to create the resulting permutation string
4 StringBuilder permutation = new StringBuilder();
5 // Visited array keeps track of which numbers have been used
6 boolean[] visited = new boolean[n + 1];
7
8 // Loop through each position in the permutation
9 for (int i = 0; i < n; ++i) {
10 // Calculate the factorial of the numbers left
11 int factorial = 1;
12 for (int j = 1; j < n - i; ++j) {
13 factorial *= j;
14 }
15
16 // Find the number to put in the current position
17 for (int j = 1; j <= n; ++j) {
18 if (!visited[j]) {
19 // If the remaining permutations are more than k,
20 // decrease k and find the next number
21 if (k > factorial) {
22 k -= factorial;
23 } else {
24 // Add the number to the result and mark it as visited
25 permutation.append(j);
26 visited[j] = true;
27 break;
28 }
29 }
30 }
31 }
32
33 // Return the final permutation string
34 return permutation.toString();
35 }
36}
37
1#include <string>
2#include <bitset>
3using namespace std;
4
5class Solution {
6public:
7 // This function returns the kth permutation of the sequence of integers [1, n]
8 string getPermutation(int n, int k) {
9 string permutation; // This will store our resulting permutation
10 bitset<10> visited; // A bitset to keep track of visited numbers
11
12 // Iterate through each position in the permutation
13 for (int i = 0; i < n; ++i) {
14 int factorial = 1;
15 // Calculate the factorial for the remaining numbers
16 for (int j = 1; j < n - i; ++j) factorial *= j;
17
18 // Go through the numbers 1 to n to find the suitable one for current position
19 for (int j = 1; j <= n; ++j) {
20 if (visited[j]) continue; // Skip if the number is already used
21
22 // If there are more than 'factorial' permutations left, skip 'factorial' permutations
23 if (k > factorial) {
24 k -= factorial;
25 } else {
26 // Found the number for the current position, add it to permutation
27 permutation += to_string(j);
28 visited.set(j); // Mark this number as used
29 break; // Break since we found the number for the current position
30 }
31 }
32 }
33
34 return permutation; // Return the resulting permutation
35 }
36};
37
1let visited: boolean[] = new Array(10).fill(false); // An array to keep track of visited numbers
2
3// This function returns the factorial of a given number
4function factorial(n: number): number {
5 let result = 1;
6 for (let i = 1; i <= n; ++i) {
7 result *= i;
8 }
9 return result;
10}
11
12// This function returns the kth permutation of the sequence of integers [1, n]
13function getPermutation(n: number, k: number): string {
14 let permutation: string = ''; // This will store our resulting permutation
15
16 // Iterate through each position in the permutation
17 for (let i = 0; i < n; ++i) {
18 // Calculate the factorial for the remaining numbers
19 let factorialValue = factorial(n - i - 1);
20
21 // Go through the numbers 1 to n to find the suitable one for current position
22 for (let j = 1; j <= n; ++j) {
23 if (visited[j]) {
24 continue; // Skip if the number is already used
25 }
26
27 // If there are more than 'factorialValue' permutations left, skip 'factorialValue' permutations
28 if (k > factorialValue) {
29 k -= factorialValue;
30 } else {
31 // Found the number for the current position, add it to permutation
32 permutation += j.toString();
33 visited[j] = true; // Mark this number as used
34 break; // Break since we found the number for the current position
35 }
36 }
37 }
38
39 return permutation; // Return the resulting permutation
40}
41
Time and Space Complexity
Time Complexity
The given code's primary operation is finding the k
-th permutation out of the possible permutations for a set of n
numbers.
The time complexity can be analyzed as follows:
-
A nested loop structure is employed where the outer loop runs for
n
iterations (wheren
is the number of digits), and the inner loop calculates the factorial (fact
) for the remaining positions and then runs up ton
again in the worst case to find the next digit of the permutation that is not yet visited. -
Within the outer loop, calculating the factorial of
n-i-1
takesO(n-i-1)
time, wherei
is the index of the current iteration of the outer loop, starting with0
. This calculation is performedn
times, leading to a sum of time complexities for factorial calculations given byO((n-1) + (n-2) + ... + 1)
, which simplifies toO(n*(n-1)/2)
, using the formula for the sum of the firstn-1
natural numbers. -
Also within the outer loop, the worst-case scenario for the inner loop to find the next digit is when it runs
n
times for each iteration of the outer loop. This gives usO(n)
time complexity for each of then
iterations of the outer loop, adding up toO(n^2)
for the complete for-loop. -
Therefore, the total time complexity for this nested loop construction is
O(n*(n-1)/2) + O(n^2)
, which simplifies toO(n^2)
sincen^2
dominates(n*(n-1)/2)
.
Space Complexity
The space complexity of the given code can be considered based on the following:
-
An array
vis
of sizen+1
is used to track which numbers have been included in the permutation, leading toO(n)
space. -
An array
ans
is maintained to store the digits of the permutation incrementally, adding up to a maximum ofn
digits, which isO(n)
space.
As a result, the overall space complexity of the code is O(n)
, coming from the space used to store the vis
array and the ans
list.
Learn more about how to find time and space complexity quickly using problem constraints.
In a binary min heap, the maximum element can be found in:
Recommended Readings
Recursion Recursion is one of the most important concepts in computer science Simply speaking recursion is the process of a function calling itself Using a real life analogy imagine a scenario where you invite your friends to lunch https algomonster s3 us east 2 amazonaws com recursion jpg You first
Math for Technical Interviews How much math do I need to know for technical interviews The short answer is about high school level math Computer science is often associated with math and some universities even place their computer science department under the math faculty However the reality is that you
LeetCode Patterns Your Personal Dijkstra's Algorithm to Landing Your Dream Job The goal of AlgoMonster is to help you get a job in the shortest amount of time possible in a data driven way We compiled datasets of tech interview problems and broke them down by patterns This way we
Want a Structured Path to Master System Design Too? Don’t Miss This!