zoukankan      html  css  js  c++  java
  • [LeetCode] 46. Int数组全排列 ☆☆☆(回溯)

    描述

    给定一个没有重复数字的序列,返回其所有可能的全排列。

    示例:

    输入: [1,2,3]
    输出:
    [
    [1,2,3],
    [1,3,2],
    [2,1,3],
    [2,3,1],
    [3,1,2],
    [3,2,1]
    ]

    解析

    和以前的字符串全排列一样。

    官方题解:

    回溯法 是一种通过探索所有可能的候选解来找出所有的解的算法。如果候选解被确认 不是 一个解的话(或者至少不是 最后一个 解),回溯算法会通过在上一步进行一些变化抛弃该解,即 回溯 并且再次尝试。

    这里有一个回溯函数,使用第一个整数的索引作为参数 backtrack(first)。

    如果第一个整数有索引 n,意味着当前排列已完成。
    遍历索引 first 到索引 n - 1 的所有整数。Iterate over the integers from index first to index n - 1.
    在排列中放置第 i 个整数, 即 swap(nums[first], nums[i]).
    继续生成从第 i 个整数开始的所有排列: backtrack(first + 1).
    现在回溯,即通过 swap(nums[first], nums[i]) 还原.

    代码

    class Solution {
        public List<List<Integer>> permute(int[] nums) {
         List<List<Integer>> list = new ArrayList<>();
            if (nums == null || nums.length <= 0) {
                return list;
            }
            permuteHelp(nums, list, 0);
            return list;
        }
    
        public void permuteHelp(int[] nums, List<List<Integer>> list, int startIndex) {
            if (startIndex == nums.length) {
                List<Integer> tempList = new ArrayList<>(nums.length);
                for (int num : nums) {
                    tempList.add(num);
                }
                list.add(tempList);
            }
            for (int i = startIndex; i < nums.length; i++) {
                swap(nums, i, startIndex);
                permuteHelp(nums, list, startIndex + 1);
                swap(nums, i, startIndex);
            }
        }
    
        public void swap(int[] nums, int left, int right) {
            if (left == right) {
                return;
            }
            nums[left] = nums[left] ^ nums[right];
            nums[right] = nums[left] ^ nums[right];
            nums[left] = nums[left] ^ nums[right];
        }
    }
  • 相关阅读:
    ul中的li设置等宽高css
    Element组件中组件的使用问题
    换个角度聊效率
    【Leetcode 做题学算法周刊】第七期
    【Leetcode 做题学算法周刊】第六期
    【Leetcode 做题学算法周刊】第五期
    【Leetcode 做题学算法周刊】第四期
    【Leetcode 做题学算法周刊】第三期
    【Leetcode 做题学算法周刊】第二期
    【Leetcode 做题学算法周刊】第一期
  • 原文地址:https://www.cnblogs.com/fanguangdexiaoyuer/p/11199776.html
Copyright © 2011-2022 走看看