- 編寫一個方法,肯定某字符串的全部排列組合。給定一個string A和一個int n,表明字符串和其長度,請返回全部該字符串字符的排列,保證字符串長度小於等於11且字符串中字符均爲大寫英文字符,排列中的字符串字典序從大到小排序。(不合並重復字符串)
- 測試樣例:"ABC" 返回:["CBA","CAB","BCA","BAC","ACB","ABC"]
- 首先是第一種方式:
import java.util.*;
public class Permutation {
public ArrayList<String> getPermutation(String A) {
ArrayList<String> res = new ArrayList<>();
char [] arr = A.toCharArray();
permutation(res, arr, 0);
Collections.sort(res);
Collections.reverse(res);
return res;
}
public void permutation(ArrayList<String> res, char[] arr, int index){
if(index == arr.length){
res.add(String.valueOf(arr));
return;
}
for(int i = index; i < arr.length; ++i){
swap(arr, i, index);
permutation(res, arr, index + 1);
swap(arr, i, index);
}
}
public void swap(char [] arr, int p, int q){
char tmp = arr[p];
arr[p] = arr[q];
arr[q] = tmp;
}
}
- 下面這種是書上給出的解答,我的認爲更加的清晰,只是空間複雜度稍微的高一些,還有就是string的連接需呀小號大量的時間:
public class getPerms {
public static ArrayList<String> getPerms(String str){
if(str == null)
return null;
ArrayList<String> res = new ArrayList<>();
if(str.length() == 0) {
res.add("");
return res;//終止條件
}
char first = str.charAt(0);
String next = str.substring(1);
ArrayList<String> words = getPerms(next);
for(String word : words){
for(int i = 0; i <= word.length(); ++i){
String s =insertCharAt(word, i, first);
res.add(s);
}
}
return res;
}
public static String insertCharAt(String s, int index, char c){
String start = s.substring(0, index);
String end = s.substring(index);
return start + c + end;
}
}