package java_jianzhioffer_algorithm;
import java.util.ArrayList;
import java.util.Collections;
/**
* 题目:输入一个字符串,按字典序打印出该字符串中字符的所有排列。
* 例如输入字符串abc,则打印出由字符a,b,c所能排列出来的所有字符串
* abc,acb,bac,bca,cab和cba。
* @author hexiaoli
* 思考:
* 求字符串的全排列,可以看成两步:
1)固定第一个字符,递归取得首位后面的各种字符串组合;
2)再把第一个字符与后面每一个字符交换,获得新的字符串组合
*/
public class Permutation {
public static ArrayList<String> permutation(String str) {
ArrayList<String> resultList = new ArrayList<>();
if ( str == null || str.length()==0) {
return resultList;
}
//递归的初始值为(str数组,空的list,初始下标0)
permutationCore(str.toCharArray(),0,resultList);
Collections.sort(resultList);
return resultList;
}
private static void permutationCore(char[] charArray, int i,ArrayList<String> resultList ) {
if(i == charArray.length - 1) {
String val = String.valueOf(charArray);
if(!resultList.contains(val)) {
resultList.add(val);
System.out.println(val);
}
}else {
for (int j = i; j < charArray.length; j++) {
// 字符换位
swap(charArray, i, j);
// 递归选择换位字符
permutationCore(charArray, i + 1, resultList);
// 将字符再换回到上一个状态
swap(charArray, i, j);
}
}
}
//交换数组的两个下标的元素
private static void swap(char[] str, int i, int j) {
if (i != j) {
char t = str[i];
str[i] = str[j];
str[j] = t;
}
}
public static void main(String[] args) {
permutation("abc");
}
}