public class Permutation {
/**
* 以start位置开始的字串的所有排列
* @param s 需要全排列的字符串
* @param start 此时的位置
* @return
*/
public void f(String s,int index,StringBuilder temp){
// 构建一个新的str,将index所在元素从s中抽出来
String str = s.substring(0, index) + s.substring(index + 1);
String stemp = temp.toString();
if(str.length() == 1){
System.out.println(temp.toString() + str);
}else{
for(int i=0;i<str.length();i++){
temp.append(str.charAt(i));
f(str,i,temp);
//将temp恢复到使用前的样子
temp.replace(0, temp.length(), stemp);
}
}
}
/**
* @param args
*/
public static void main(String[] args) {
// TODO Auto-generated method stub
Permutation p = new Permutation();
String s = "abcd";
StringBuilder temp = new StringBuilder(); //存储当前已经计入的字符
for(int i=0;i<s.length();i++){
temp.append(s.charAt(i));
p.f(s, i, temp);
temp.replace(0, s.length(), "");
}
}
}
这里谈一下主要思路,我首先想到的是分治法,加入字符串的长度为L,那么问题可以转化为“将第i(0=<i<=L-1)个字符放在第一位,然后将剩下字符组成字符串,然后将它们全排列。”
其实在这里我特别想谈一谈为什么递归函数有这样三个参数?首先,描述递归的状态变量一般会作为递归函数的参数,就像此处f的前两个参数,s表示此时递归函数处理的字符串,index表示此时第一个字符在s中的索引。那为什么要有temp呢?原因便是,当str.length()==1时,我们要么将这个str存起来,最后在main函数中输出,这样做非常复杂。要么将以前已经确定位置的字符串记录下来,在这里输出,temp的作用便是记录到目前位置已经确定位置的字符串。
此处要注意的是当使用f函数输出一个可能的排列后,必须将temp恢复成原来的样子,这样才不会干扰下一步的运算。