我有一个Strings的arraylist,希望将所有可能的组合存储到另一个集合中。
例如:
[air,bus,car]
->
[air]
[bus]
[car]
[air,bus]
[air,car]
[bus,air]
[bus,car]
[car,air]
[car,bus]
[air,bus,car]
[air,car,bus]
...
[car,bus,air]
重复并不重要。我现在的代码是:
public ArrayList<String> comb(ArrayList<String> wrds, ArrayList<String> str, int size)
{
ArrayList<String> s = new ArrayList<String>();
s.addAll(str);
if(size != a1.size())
{
Iterator e = a1.iterator();
while(e.hasNext())
{
s.add((String)e.next());
}
size++;
}
}
我试图让它以递归方式调用自身,以便它可以存储组合。我可以获得关于我的代码中缺少哪个或哪个部分的任何帮助吗?
答案 0 :(得分:4)
看到这是作业,我会尽力给你答案的背景。
解决这个问题的关键是使用递归。
首先想象一下你的数组中有两个项目。您可以删除第一个项目,为您提供第一个组合。将剩余项目添加到第一个项目将为您提供第二个组合。删除第二个项目将为您提供第三个组合。添加剩余项目将为您提供第四种组合。如果你有["air", "bus"]
,那就像是:
["air"]
["air", "bus"]
["bus"]
["bus", "air"]
返回的方法可能如下所示:
String[][] combinations(String[] strings)
需要注意的重要事项是,包含单个字符串的数组可以传递给此方法,并且它可以返回包含其中包含单个字符串的数组的数组。
问题很复杂,因为你必须保持字符串组合的记录,所以在我们解决这个问题之前,理解递归是很重要的。
想象一下,你想要编写一个乘法方法,它采用两个数字并将它们相乘,但你只能使用加法和减法。您可以编写一个递归函数,将其中一个数字添加到自身,直到另一个数字达到退出条件,如:
public int multiply(int value1, int value2)
{
if (value1 > 1)
{
int remaining = value1 - 1;
return value2 + multiply(remaining, value2);
}
else
{
return value2;
}
}
你可以对一个数组做同样的事情,而只是当数组包含一个项时,当你输出一个值1
时退出,如:
public String[][] combinations(String[] strings)
{
if (strings.length > 1)
{
...
}
else
{
return new String[][]{strings};
}
}
由于使用Java API的原因,使用java.util.List
而不是数组更容易,因此您需要以下内容:
public List<List<String>> combinations(List<String> strings)
{
if (strings.size()> 1)
{
...
}
else
{
List<List<String>> result = new ArrayList<List<String>>();
result.add(strings);
return result;
}
}
现在是...
这是重要的一点。您需要保留一个列表列表作为结果并迭代strings
。对于每个字符串,您可以将该字符串添加到结果中,然后您需要创建一个减去当前字符串的子列表,用于再次调用combinations
方法迭代结果添加当前字符串它包含的每个列表。在代码中它看起来像:
public List<List<String>> combinations(List<String> strings)
{
if (strings.size() > 1)
{
List<List<String>> result = new ArrayList<List<String>>();
for (String str : strings)
{
List<String> subStrings = new ArrayList<String>(strings);
subStrings.remove(str);
result.add(new ArrayList<String>(Arrays.asList(str)));
for (List<String> combinations : combinations(subStrings))
{
combinations.add(str);
result.add(combinations);
}
}
return result;
}
else
{
List<List<String>> result = new ArrayList<List<String>>();
result.add(new ArrayList<String>(strings));
return result;
}
}
总之,您正在做的是将字符串列表减少到单个项目,然后将其与前面的项目组合以产生所有可能的组合,因为线程会返回调用堆栈。
答案 1 :(得分:4)
public static void combination(Object[] array){
for(int x = 0; x < (1 << array.length); x++){
System.out.print("[");
for(int y = 0; y < array.length; y++){
if(checkIsOn(x, y){
System.out.print(array[y]);
}
}
System.out.println("]");
}
}
public static boolean checkIsOn(int mast, int position){
return (mast & (1 << position) > 0);
}
答案 2 :(得分:0)
使用列表作为递归函数的参数。您可以使用包含除第一项之外的所有内容的新列表从内部调用该函数。