欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

go语言刷题:46. 全排列

程序员文章站 2024-03-23 10:32:10
...

题目

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

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

代码

func permute(nums []int) [][]int {
	//1.初始化结果,用于存放结果
	result := [][]int{}
	//2..判断临界条件,当为空切片时,返回空结果
	if len(nums) == 0 {
		return result
	}
	//3.初始化其他变量
	//创建中间变量,存放临时结果
	temp := []int{}
	//创建bool值,判断该位置数字是否用过
	isvisited := make([]bool, len(nums))
	//4.回溯函数
	BackTrack(isvisited, temp, nums, &result)
	return result
}

func BackTrack(isvisited []bool, temp []int, nums []int, result *[][]int) {
	//5.判断回溯函数结束条件
	//当临时切片长度和所给的数字长度相等时,将该切片加入结果
	if len(temp) == len(nums) {
		//由于go语言的特性如果不特别说明创建的切片本质上都是指向同一个内存空间
		//如果想要赋值的切片与原来切片不相关,需要另外开辟空间,这里用到copy函数,开辟独立空间
		current := make([]int, len(temp))
		copy(current, temp)
		
		*result = append(*result, current)
	}
	
	//6.遍历数组中的数字,进行排列组合
	for i := 0; i < len(nums); i++ {
		//7.减枝,当该位置数字使用过时则跳过
		if isvisited[i] {
			continue
		}
		
		//8.添加数字
		temp = append(temp, nums[i])
		//将该位置数字设置为访问过的状态
		isvisited[i] = true
		//9.继续搜索该支线
		BackTrack(isvisited, temp, nums, result)
		//10.回溯,恢复到之前的状态
		temp = temp[:len(temp)-1]
		isvisited[i] = false
	}
}