写一个Java中的全排列方法
时间: 2024-01-25 15:03:47 浏览: 80
以下是一个Java中的全排列方法的示例代码:
```java
import java.util.ArrayList;
import java.util.List;
public class Permutations {
public static void main(String[] args) {
int[] nums = {1, 2, 3};
List<List<Integer>> result = permute(nums);
System.out.println(result);
}
public static List<List<Integer>> permute(int[] nums) {
List<List<Integer>> result = new ArrayList<>();
List<Integer> tempList = new ArrayList<>();
backtrack(result, tempList, nums);
return result;
}
private static void backtrack(List<List<Integer>> result, List<Integer> tempList, int[] nums) {
if (tempList.size() == nums.length) {
result.add(new ArrayList<>(tempList));
} else {
for (int i = 0; i < nums.length; i++) {
if (tempList.contains(nums[i])) {
continue;
}
tempList.add(nums[i]);
backtrack(result, tempList, nums);
tempList.remove(tempList.size() - 1);
}
}
}
}
```
这个方法使用了回溯算法,它将所有可能的排列情况进行了遍历。
阅读全文