javaは文字列の配置の組み合わせの問題を実現します。


本論文では、Javaの文字列配列の組み合わせを実現するための問題を紹介します。参考にしてください。具体的な内容は以下の通りです。

import java.util.ArrayList; 
import java.util.Collections; 
 
/** 
 *        ,                   。       abc,       a,b,c            abc,acb,bac, 
 * bca,cab cba。 
 * 
 * @author pomay 
 * 
 */ 
public class Solution_stringarrange 
{ 
 public ArrayList<String> Permutation(String str) 
 { 
  if (str == null) 
   return null; 
  ArrayList<String> list = new ArrayList<String>(); 
  char[] pStr = str.toCharArray(); 
 
  Permutation(pStr, 0, list); 
  Collections.sort(list); 
  return list; 
 } 
 
 static void Permutation(char[] str, int i, ArrayList<String> list) 
 { 
  //      
  if (str == null) 
   return; 
  //   i          
  if (i == str.length - 1) 
  { 
   if (list.contains(String.valueOf(str))) 
    return; 
   list.add(String.valueOf(str)); 
  } else 
  { 
   // i                      
   for (int j = i; j < str.length; j++) 
   { 
    //                            
    char temp = str[j]; 
    str[j] = str[i]; 
    str[i] = temp; 
    //     i              
    Permutation(str, i + 1, list); 
    //                    
    temp = str[j]; 
    str[j] = str[i]; 
    str[i] = temp; 
   } 
  } 
 
 } 
 
 public static void main(String[] args) 
 { 
  String str = "aab"; 
  Solution_stringarrange changestring = new Solution_stringarrange(); 
  ArrayList<String> list = changestring.Permutation(str); 
  for (int i = 0; i < list.size(); i++) 
  { 
   System.out.print(list.get(i) + " "); 
  } 
 } 
} 
グループ:
nの長さの文字列の最初の文字を選択するか、残りの長さn-1の文字列の中からm-1文字を選択します。
nの長さの文字列の最初の文字を選択しないか、残りの長さn-1の文字列の中からm文字を選択します。

import java.util.ArrayList; 
import java.util.List; 
 
/** 
 *        ,                   。       abc,       a,b,c            a,b,c,ab,ac,bc 
 * ,abc 。  n        m      
 * 
 * @author pomay 
 * 
 */ 
public class Solution_stringcombination 
{ 
 //             abc>a,b,c,ab,ac,bc,abc 
 public static void perm(String s) 
 { 
  List<String> result = new ArrayList<String>(); 
  //       
  for (int i = 1; i <= s.length(); i++) 
  { 
   combination(s, i, result); 
  } 
 } 
 
 //     s   m    
 public static void combination(String s, int m, List<String> result) 
 { 
  //   m==0,     。       
  if (m == 0) 
  { 
   for (int i = 0; i < result.size(); i++) 
   { 
    System.out.print(result.get(i)); 
   } 
   System.out.print("、"); 
   return; 
  } 
 
  if (s.length() != 0) 
  { 
   //        
   result.add(s.charAt(0) + ""); 
   // substring  ,    1   n       
   combination(s.substring(1, s.length()), m - 1, result); 
   result.remove(result.size() - 1); 
   //        
   combination(s.substring(1, s.length()), m, result); 
  } 
 } 
 
 public static void main(String[] args) 
 { 
  String str = "abc"; 
  perm(str); 
 } 
} 
以上が本文の全部です。皆さんの勉強に役に立つように、私たちを応援してください。