46.全排列
给定一个不含重复数字的数组 nums
,返回其 所有可能的全排列 。你可以 按任意顺序 返回答案。
示例 1:
输入:nums = [1,2,3]
输出:[[1,2,3],[1,3,2],[2,1,3],[2,3,1],[3,1,2],[3,2,1]]
示例 2:
输入:nums = [0,1]
输出:[[0,1],[1,0]]
示例 3:
输入:nums = [1]
输出:[[1]]
提示:
1 <= nums.length <= 6
-10 <= nums[i] <= 10
nums
中的所有整数 互不相同
**解法:**经典的深搜+回溯提醒,设计递归的时候主要考虑以下几个参数,t(指代当前路径的深度), path(存储路径节点的list)
如上图所示,t代表路径的深度,也就是二叉树对应的层数,path用来收集可走的二叉树的节点。
代码实现如下:
package com.offer.leetcode;import java.util.ArrayList;
import java.util.List;public class _46全排列 {public static void main(String[] args) {int[] nums = new int[]{1, 2, 3};System.out.println(permute(nums));}private static boolean vis[];public static List<List<Integer>> permute(int[] nums) {if (nums == null || nums.length == 0) {return new ArrayList<>();}vis = new boolean[nums.length];List<List<Integer>> list = new ArrayList<>();dfs(0, nums, list, new ArrayList<Integer>());return list;}private static void dfs(int t, int[] nums, List<List<Integer>> res, List<Integer> path) {if (t == nums.length) {res.add(new ArrayList<>(path));return;}for (int i = 0; i < nums.length; i++) {if (!vis[i]) {vis[i] = true;path.add(nums[i]);dfs(t + 1, nums, res, path);// 移除最后一个path.remove(t);vis[i] = false;}}}}