import java.util.ArrayList;
import java.util.List;
public class Permutations {
    // Function to generate all permutations of length N
    public static List> generatePermutations(int N) {
        List> result = new ArrayList<>();
        boolean[] used = new boolean[N + 1];
        List current = new ArrayList<>();
        backtrack(N, current, used, result);
        return result;
    }
    // Helper function for backtracking
    private static void backtrack(int N, List current, boolean[] used, List> result) {
        // Base case: if the current permutation length is N, add it to the result
        if (current.size() == N) {
            result.add(new ArrayList<>(current));
            return;
        }
        // Recursive case: try each number from 1 to N
        for (int i = 1; i <= N; i++) {
            if (!used[i]) {
                // Mark the number as used and add it to the current permutation
                used[i] = true;
                current.add(i);
                // Recurse
                backtrack(N, current, used, result);
                // Backtrack: remove the number and mark it as unused
                current.remove(current.size() - 1);
                used[i] = false;
            }
        }
    }
    // Main function to test the permutations generation
    public static void main(String[] args) {
        int N = 3;
        List> permutations = generatePermutations(N);
        System.out.println("Permutations of length " + N + ": " + permutations);
    }
}
  
Our interactive tutorials and AI-assisted learning will help you master problem-solving skills and teach you the algorithms to know for coding interviews.
Start Coding for FREE