生成给定字符串的所有置换

xdyibdwo  于 2021-09-13  发布在  Java
关注(0)|答案(30)|浏览(466)

找到字符串的所有排列的优雅方法是什么。e、 g.用于 ba ,将是 baab ,但对于较长的字符串,例如 defgh ? 是否有任何java实现示例?

9avjhtql

9avjhtql16#

让我试着用kotlin解决这个问题:

  1. fun <T> List<T>.permutations(): List<List<T>> {
  2. //escape case
  3. if (this.isEmpty()) return emptyList()
  4. if (this.size == 1) return listOf(this)
  5. if (this.size == 2) return listOf(listOf(this.first(), this.last()), listOf(this.last(), this.first()))
  6. //recursive case
  7. return this.flatMap { lastItem ->
  8. this.minus(lastItem).permutations().map { it.plus(lastItem) }
  9. }
  10. }

核心概念:将长列表分解为更小的列表+递归
用示例列表[1,2,3,4]给出长答案:
即使是一个4个的列表,试图列出你头脑中所有可能的排列也已经有点让人困惑了,我们需要做的就是避免这种情况。我们很容易理解如何对大小为0、1和2的列表进行所有排列,因此我们所需要做的就是将它们分解为这些大小中的任何一个,并将它们正确地组合起来。想象一台jackpot机器:该算法将从右向左旋转,然后写下
当列表大小为0或1时返回空/1的列表
当列表大小为2(例如[3,4])时处理,并生成2个置换([3,4]&[4,3])
对于每个项目,将其标记为“最后一项”中的“最后一项”,并在列表中查找该项目其余部分的所有排列(e、 g.将[4]放在table上,并再次将[1,2,3]放入排列中)
现在所有的排列都是它的子项,把它自己放回列表的末尾(例如:[1,2,3][,4],[1,3,2][,4],[2,3,1][,4],…)

展开查看全部
sr4lhrrt

sr4lhrrt17#

这对我很有用。。

  1. import java.util.Arrays;
  2. public class StringPermutations{
  3. public static void main(String args[]) {
  4. String inputString = "ABC";
  5. permute(inputString.toCharArray(), 0, inputString.length()-1);
  6. }
  7. public static void permute(char[] ary, int startIndex, int endIndex) {
  8. if(startIndex == endIndex){
  9. System.out.println(String.valueOf(ary));
  10. }else{
  11. for(int i=startIndex;i<=endIndex;i++) {
  12. swap(ary, startIndex, i );
  13. permute(ary, startIndex+1, endIndex);
  14. swap(ary, startIndex, i );
  15. }
  16. }
  17. }
  18. public static void swap(char[] ary, int x, int y) {
  19. char temp = ary[x];
  20. ary[x] = ary[y];
  21. ary[y] = temp;
  22. }
  23. }
展开查看全部
t5zmwmid

t5zmwmid18#

这就是我通过对置换和递归函数调用的基本理解所做的。需要一点时间,但这是独立完成的。

  1. public class LexicographicPermutations {
  2. public static void main(String[] args) {
  3. // TODO Auto-generated method stub
  4. String s="abc";
  5. List<String>combinations=new ArrayList<String>();
  6. combinations=permutations(s);
  7. Collections.sort(combinations);
  8. System.out.println(combinations);
  9. }
  10. private static List<String> permutations(String s) {
  11. // TODO Auto-generated method stub
  12. List<String>combinations=new ArrayList<String>();
  13. if(s.length()==1){
  14. combinations.add(s);
  15. }
  16. else{
  17. for(int i=0;i<s.length();i++){
  18. List<String>temp=permutations(s.substring(0, i)+s.substring(i+1));
  19. for (String string : temp) {
  20. combinations.add(s.charAt(i)+string);
  21. }
  22. }
  23. }
  24. return combinations;
  25. }}

它生成的输出为 [, acb, bac, bca, cab, cba] .
其背后的基本逻辑是
对于每个字符,将其视为第一个字符并找到剩余字符的组合。例如 [](Combination of )-> . a->[bc](a x Combination of (bc))->{,acb} b->[ac](b x Combination of (ac))->{bac,bca} c->[ab](c x Combination of (ab))->{cab,cba} 然后递归地调用每个 [bc] , [ac] & [ab] 独立地。

展开查看全部
nsc4cvqm

nsc4cvqm19#

使用递归。
当输入为空字符串时,唯一的排列是空字符串。请将字符串中的每个字母作为第一个字母进行尝试,然后使用递归调用查找其余字母的所有排列。

  1. import java.util.ArrayList;
  2. import java.util.List;
  3. class Permutation {
  4. private static List<String> permutation(String prefix, String str) {
  5. List<String> permutations = new ArrayList<>();
  6. int n = str.length();
  7. if (n == 0) {
  8. permutations.add(prefix);
  9. } else {
  10. for (int i = 0; i < n; i++) {
  11. permutations.addAll(permutation(prefix + str.charAt(i), str.substring(i + 1, n) + str.substring(0, i)));
  12. }
  13. }
  14. return permutations;
  15. }
  16. public static void main(String[] args) {
  17. List<String> perms = permutation("", "abcd");
  18. String[] array = new String[perms.size()];
  19. for (int i = 0; i < perms.size(); i++) {
  20. array[i] = perms.get(i);
  21. }
  22. int x = array.length;
  23. for (final String anArray : array) {
  24. System.out.println(anArray);
  25. }
  26. }
  27. }
展开查看全部
xkftehaa

xkftehaa20#

python实现

  1. def getPermutation(s, prefix=''):
  2. if len(s) == 0:
  3. print prefix
  4. for i in range(len(s)):
  5. getPermutation(s[0:i]+s[i+1:len(s)],prefix+s[i] )
  6. getPermutation('abcd','')
qxgroojn

qxgroojn21#

其中一个简单的解决方案就是使用两个指针递归地交换字符。

  1. public static void main(String[] args)
  2. {
  3. String str="abcdefgh";
  4. perm(str);
  5. }
  6. public static void perm(String str)
  7. { char[] char_arr=str.toCharArray();
  8. helper(char_arr,0);
  9. }
  10. public static void helper(char[] char_arr, int i)
  11. {
  12. if(i==char_arr.length-1)
  13. {
  14. // print the shuffled string
  15. String str="";
  16. for(int j=0; j<char_arr.length; j++)
  17. {
  18. str=str+char_arr[j];
  19. }
  20. System.out.println(str);
  21. }
  22. else
  23. {
  24. for(int j=i; j<char_arr.length; j++)
  25. {
  26. char tmp = char_arr[i];
  27. char_arr[i] = char_arr[j];
  28. char_arr[j] = tmp;
  29. helper(char_arr,i+1);
  30. char tmp1 = char_arr[i];
  31. char_arr[i] = char_arr[j];
  32. char_arr[j] = tmp1;
  33. }
  34. }
  35. }
展开查看全部
wtzytmuj

wtzytmuj22#

这是一个优雅的、非递归的o(n!)解决方案:

  1. public static StringBuilder[] permutations(String s) {
  2. if (s.length() == 0)
  3. return null;
  4. int length = fact(s.length());
  5. StringBuilder[] sb = new StringBuilder[length];
  6. for (int i = 0; i < length; i++) {
  7. sb[i] = new StringBuilder();
  8. }
  9. for (int i = 0; i < s.length(); i++) {
  10. char ch = s.charAt(i);
  11. int times = length / (i + 1);
  12. for (int j = 0; j < times; j++) {
  13. for (int k = 0; k < length / times; k++) {
  14. sb[j * length / times + k].insert(k, ch);
  15. }
  16. }
  17. }
  18. return sb;
  19. }
展开查看全部
lbsnaicq

lbsnaicq23#

这个没有递归

  1. public static void permute(String s) {
  2. if(null==s || s.isEmpty()) {
  3. return;
  4. }
  5. // List containing words formed in each iteration
  6. List<String> strings = new LinkedList<String>();
  7. strings.add(String.valueOf(s.charAt(0))); // add the first element to the list
  8. // Temp list that holds the set of strings for
  9. // appending the current character to all position in each word in the original list
  10. List<String> tempList = new LinkedList<String>();
  11. for(int i=1; i< s.length(); i++) {
  12. for(int j=0; j<strings.size(); j++) {
  13. tempList.addAll(merge(s.charAt(i), strings.get(j)));
  14. }
  15. strings.removeAll(strings);
  16. strings.addAll(tempList);
  17. tempList.removeAll(tempList);
  18. }
  19. for(int i=0; i<strings.size(); i++) {
  20. System.out.println(strings.get(i));
  21. }
  22. }
  23. /**
  24. * helper method that appends the given character at each position in the given string
  25. * and returns a set of such modified strings
  26. * - set removes duplicates if any(in case a character is repeated)
  27. */
  28. private static Set<String> merge(Character c, String s) {
  29. if(s==null || s.isEmpty()) {
  30. return null;
  31. }
  32. int len = s.length();
  33. StringBuilder sb = new StringBuilder();
  34. Set<String> list = new HashSet<String>();
  35. for(int i=0; i<= len; i++) {
  36. sb = new StringBuilder();
  37. sb.append(s.substring(0, i) + c + s.substring(i, len));
  38. list.add(sb.toString());
  39. }
  40. return list;
  41. }
展开查看全部
pkwftd7m

pkwftd7m24#

  1. public static void permutation(String str) {
  2. permutation("", str);
  3. }
  4. private static void permutation(String prefix, String str) {
  5. int n = str.length();
  6. if (n == 0) System.out.println(prefix);
  7. else {
  8. for (int i = 0; i < n; i++)
  9. permutation(prefix + str.charAt(i), str.substring(0, i) + str.substring(i+1, n));
  10. }
  11. }

(通过java编程介绍)

30byixjq

30byixjq25#

让我们使用输入 `` 举个例子。
从最后一个元素开始( c )一组( ["c"] ),然后添加最后一个元素( b 到它的前端,末端和中间的每一个可能的位置,使它 ["bc", "cb"] 然后以同样的方式从后面添加下一个元素( a )对集合中的每个字符串执行以下操作:

  1. "a" + "bc" = ["abc", "bac", "bca"] and "a" + "cb" = ["acb" ,"cab", "cba"]

因此,整个排列:

  1. ["abc", "bac", "bca","acb" ,"cab", "cba"]

代码:

  1. public class Test
  2. {
  3. static Set<String> permutations;
  4. static Set<String> result = new HashSet<String>();
  5. public static Set<String> permutation(String string) {
  6. permutations = new HashSet<String>();
  7. int n = string.length();
  8. for (int i = n - 1; i >= 0; i--)
  9. {
  10. shuffle(string.charAt(i));
  11. }
  12. return permutations;
  13. }
  14. private static void shuffle(char c) {
  15. if (permutations.size() == 0) {
  16. permutations.add(String.valueOf(c));
  17. } else {
  18. Iterator<String> it = permutations.iterator();
  19. for (int i = 0; i < permutations.size(); i++) {
  20. String temp1;
  21. for (; it.hasNext();) {
  22. temp1 = it.next();
  23. for (int k = 0; k < temp1.length() + 1; k += 1) {
  24. StringBuilder sb = new StringBuilder(temp1);
  25. sb.insert(k, c);
  26. result.add(sb.toString());
  27. }
  28. }
  29. }
  30. permutations = result;
  31. //'result' has to be refreshed so that in next run it doesn't contain stale values.
  32. result = new HashSet<String>();
  33. }
  34. }
  35. public static void main(String[] args) {
  36. Set<String> result = permutation("abc");
  37. System.out.println("\nThere are total of " + result.size() + " permutations:");
  38. Iterator<String> it = result.iterator();
  39. while (it.hasNext()) {
  40. System.out.println(it.next());
  41. }
  42. }
  43. }
展开查看全部
a1o7rhls

a1o7rhls26#

以前的所有贡献者都在解释和提供代码方面做得很好。我想我也应该分享这种方法,因为它可能也会帮助别人。该解决方案基于(heaps算法)
两件事:
请注意,excel中描述的最后一项只是为了帮助您更好地可视化逻辑。因此,最后一列中的实际值将是2,1,0(如果我们运行代码,因为我们处理的是数组,数组以0开头)。
交换算法基于当前位置的偶数或奇数值进行。如果您查看swap方法在哪里被调用,这是非常不言自明的。您可以看到发生了什么。
发生的情况如下:

  1. public static void main(String[] args) {
  2. String ourword = "abc";
  3. String[] ourArray = ourword.split("");
  4. permute(ourArray, ourArray.length);
  5. }
  6. private static void swap(String[] ourarray, int right, int left) {
  7. String temp = ourarray[right];
  8. ourarray[right] = ourarray[left];
  9. ourarray[left] = temp;
  10. }
  11. public static void permute(String[] ourArray, int currentPosition) {
  12. if (currentPosition == 1) {
  13. System.out.println(Arrays.toString(ourArray));
  14. } else {
  15. for (int i = 0; i < currentPosition; i++) {
  16. // subtract one from the last position (here is where you are
  17. // selecting the the next last item
  18. permute(ourArray, currentPosition - 1);
  19. // if it's odd position
  20. if (currentPosition % 2 == 1) {
  21. swap(ourArray, 0, currentPosition - 1);
  22. } else {
  23. swap(ourArray, i, currentPosition - 1);
  24. }
  25. }
  26. }
  27. }
展开查看全部
np8igboo

np8igboo27#

java中的一个非常基本的解决方案是,如果要存储和返回解决方案字符串,请使用递归+集合(以避免重复):

  1. public static Set<String> generatePerm(String input)
  2. {
  3. Set<String> set = new HashSet<String>();
  4. if (input == "")
  5. return set;
  6. Character a = input.charAt(0);
  7. if (input.length() > 1)
  8. {
  9. input = input.substring(1);
  10. Set<String> permSet = generatePerm(input);
  11. for (String x : permSet)
  12. {
  13. for (int i = 0; i <= x.length(); i++)
  14. {
  15. set.add(x.substring(0, i) + a + x.substring(i));
  16. }
  17. }
  18. }
  19. else
  20. {
  21. set.add(a + "");
  22. }
  23. return set;
  24. }
展开查看全部
pn9klfpd

pn9klfpd28#

在这里和其他论坛给出的所有解决方案中,我最喜欢马克·拜尔斯。这个描述实际上让我自己思考并编写代码。可惜我不能说出他的解决方案,因为我是新手。
无论如何,这是我对他的描述的实现

  1. public class PermTest {
  2. public static void main(String[] args) throws Exception {
  3. String str = "abcdef";
  4. StringBuffer strBuf = new StringBuffer(str);
  5. doPerm(strBuf,0);
  6. }
  7. private static void doPerm(StringBuffer str, int index){
  8. if(index == str.length())
  9. System.out.println(str);
  10. else { //recursively solve this by placing all other chars at current first pos
  11. doPerm(str, index+1);
  12. for (int i = index+1; i < str.length(); i++) {//start swapping all other chars with current first char
  13. swap(str,index, i);
  14. doPerm(str, index+1);
  15. swap(str,i, index);//restore back my string buffer
  16. }
  17. }
  18. }
  19. private static void swap(StringBuffer str, int pos1, int pos2){
  20. char t1 = str.charAt(pos1);
  21. str.setCharAt(pos1, str.charAt(pos2));
  22. str.setCharAt(pos2, t1);
  23. }
  24. }

我更喜欢这个解决方案,因为这个解决方案使用了stringbuffer。我不会说我的解决方案没有创建任何临时字符串(实际上在 system.out.println 在哪里 toString() 调用stringbuffer的)。但我只是觉得这比第一个解决方案要好,第一个解决方案创建了太多的字符串文本。也许有人可以用“内存”来评估这一点(对于“时间”,由于额外的“交换”,它已经滞后了)

展开查看全部
mdfafbf1

mdfafbf129#

以下是我的解决方案,它基于《破解编码面试》(第54页)一书的思想:

  1. /**
  2. * List permutations of a string.
  3. *
  4. * @param s the input string
  5. * @return the list of permutations
  6. */
  7. public static ArrayList<String> permutation(String s) {
  8. // The result
  9. ArrayList<String> res = new ArrayList<String>();
  10. // If input string's length is 1, return {s}
  11. if (s.length() == 1) {
  12. res.add(s);
  13. } else if (s.length() > 1) {
  14. int lastIndex = s.length() - 1;
  15. // Find out the last character
  16. String last = s.substring(lastIndex);
  17. // Rest of the string
  18. String rest = s.substring(0, lastIndex);
  19. // Perform permutation on the rest string and
  20. // merge with the last character
  21. res = merge(permutation(rest), last);
  22. }
  23. return res;
  24. }
  25. /**
  26. * @param list a result of permutation, e.g. {"ab", "ba"}
  27. * @param c the last character
  28. * @return a merged new list, e.g. {"cab", "acb" ... }
  29. */
  30. public static ArrayList<String> merge(ArrayList<String> list, String c) {
  31. ArrayList<String> res = new ArrayList<>();
  32. // Loop through all the string in the list
  33. for (String s : list) {
  34. // For each string, insert the last character to all possible positions
  35. // and add them to the new list
  36. for (int i = 0; i <= s.length(); ++i) {
  37. String ps = new StringBuffer(s).insert(i, c).toString();
  38. res.add(ps);
  39. }
  40. }
  41. return res;
  42. }

正在运行字符串“d”的输出:
步骤1:合并[a]和[b:[ba,ab]
步骤2:合并[ba,ab]和c:[cba,bca,bac,cab,acb,]
步骤3:合并[cba、bca、bac、cab、acb、]和d:[dcba、cdba、cbda、cbad、dbca、bdca、bcda、bcad、dbac、bdac、badc、bacd、dcab、cdab、cabd、dacb、adcb、acdb、acbd、d、adbc、abdc、d]

展开查看全部
aij0ehis

aij0ehis30#

使用递归。
依次尝试每个字母作为第一个字母,然后使用递归调用查找其余字母的所有排列。
基本情况是当输入为空字符串时,唯一的排列是空字符串。

相关问题