
Sponsored
Sponsored
This approach uses recursion combined with backtracking to generate all possible permutations of the input array. The algorithm works by swapping elements of the array and recursively building permutations by fixing one element at a time until the entire array is permutated.
Time Complexity: O(n * n!) as there are n! permutations and we copy each permutation.
Space Complexity: O(n!) for storing the permutations, plus additional space used by the recursive stack.
1#include <stdio.h>
2
3void swap(int* a, int* b) {
4 int temp = *a;
5 *a = *b;
6 *b = temp;
7}
8
9void backtrack(int* nums, int numsSize, int start, int** result, int* returnSize, int* returnColumnSizes) {
10 if (start == numsSize) {
11 result[*returnSize] = (int*)malloc(sizeof(int) * numsSize);
12 for (int i = 0; i < numsSize; i++) {
13 result[*returnSize][i] = nums[i];
14 }
15 returnColumnSizes[*returnSize] = numsSize;
16 (*returnSize)++;
17 } else {
18 for (int i = start; i < numsSize; i++) {
19 swap(&nums[start], &nums[i]);
20 backtrack(nums, numsSize, start + 1, result, returnSize, returnColumnSizes);
21 swap(&nums[start], &nums[i]);
22 }
23 }
24}
25
26int** permute(int* nums, int numsSize, int* returnSize, int** returnColumnSizes) {
27 int factorial = 1;
28 for (int i = 2; i <= numsSize; i++) {
29 factorial *= i;
30 }
31 int** result = (int**)malloc(sizeof(int*) * factorial);
32 *returnColumnSizes = (int*)malloc(sizeof(int) * factorial);
33 *returnSize = 0;
34 backtrack(nums, numsSize, 0, result, returnSize, *returnColumnSizes);
35 return result;
36}
37
38int main() {
39 int nums[] = {1, 2, 3};
40 int returnSize;
41 int* returnColumnSizes;
42 int** result = permute(nums, 3, &returnSize, &returnColumnSizes);
43 for (int i = 0; i < returnSize; i++) {
44 for (int j = 0; j < returnColumnSizes[i]; j++) {
45 printf("%d ", result[i][j]);
46 }
47 printf("\n");
48 }
49 for (int i = 0; i < returnSize; i++) {
50 free(result[i]);
51 }
52 free(result);
53 free(returnColumnSizes);
54 return 0;
55}
56This solution provides a C implementation using the backtracking approach. The backtrack function swaps elements to fix positions and calls itself recursively to generate permutations. Whenever a complete permutation is reached (start == numsSize), it is added to the result list. Swapping is undone as part of backtracking when going back up the call stack.
An alternative iterative approach utilizes a queue to generate permutations level by level by inserting each number at every possible position within every possible permutation.
Time Complexity: O(n * n!), iterating through permutations.
Space Complexity: O(n!) for storing permutations, constant space for current permutation array.
1#include
This C implementation illustrates an iterative method for generating permutations using a next permutation generator. Each permutation is based on modifying and reversing array segments to derive the next permutation sequence, iteratively processed.