您好我是编程新手并注册到此论坛:)
所以我创建了一个带有嵌套for循环的小程序,它打印出五个数字的所有组合,它们的值可以是0到5.使用嵌套的for循环,这很好用。但是,有没有更清洁的解决方案?我尝试调用for循环本身,但我的大脑没有得到解决方案.. :(
//my ugly solution
int store1, store2, store3, store4, store5;
for (int count = 0; count <= 5; count++) {
store1 = count;
for (int count2 = 0; count2 <= 5; count2++) {
store2 = count2;
for (int count3 = 0; count3 <= 5; count3++) {
store3 = count3;
for (int count4 = 0; count4 <= 5; count4++) {
store4 = count4;
System.out
.println(store1 + " " + store2 + " " + store4);
}
//I'm trying around with something like this
void method1() {
for (int count = 0; count <= 5; count++) {
list.get(0).value = count;
count++;
method2();
}
}
void method2() {
for (int count = 0; count <= 5; count++) {
list.get(1).value = count;
count++;
method1();
}
}
答案 0 :(得分:3)
通常当人们尝试使用递归或函数时,使用循环更简单或更快。但是,在这种情况下,递归是与循环结合使用的更简单的选项。
public static void method(List<Integer> list, int n, int m) {
if (n < 0)
process(list);
for(int i = 0; i < m; i++) {
list.set(n, m);
method(list, n-1, m);
}
}
答案 1 :(得分:2)
我知道你正在尝试组合,但这可能有所帮助。
重复排列
当你有n个可供选择的东西时...你每次都有n个选择!
当选择r时,排列是:
n×n×...(r次)= n ^ r
//when n and r are known statically
class Permutation
{
public static void main(String[] args)
{
char[] values = {'a', 'b', 'c', 'd'};
int n = values.length;
int r = 2;
int i = 0, j = 0;
for(i=0; i<n; i++)
{
for(j=0; j<n; j++)
{
System.out.println(values[j] + " " + values[i]);
}
}
}
}
//when n and r are known only dynamically
class Permutation
{
public static void main(String[] args)
{
char[] values = {'a', 'b', 'c', 'd'};
int n = values.length;
int r = 2;
int i[] = new int[r];
int rc = 0;
for(int j=0; j<Math.pow(n,r); j++)
{
rc=0;
while(rc<r)
{
System.out.print(values[i[rc]] + " ");
rc++;
}
System.out.println();
rc = 0;
while(rc<r)
{
if(i[rc]<n-1)
{
i[rc]++;
break;
}
else
{
i[rc]=0;
}
rc++;
}
}
}
}
答案 2 :(得分:0)
这样的东西?
// Print all sequences of len(list)+n numbers that start w/ the sequence in list
void method( list, n ) {
if ( list.length == n )
// print list
else for ( int c=0; c<=5; c++ ) {
// add c to end of list
method( list, n );
// remove c from end of list
}
}
初始通话为method( list, 5 )
,其中list
最初为空。
答案 3 :(得分:0)
这里是另一个互动但不太优雅的版本
while (store1 < 6) {
store5++;
if (store5 == 6) {
store5 = 0;
store4++;
}
if (store4 == 6) {
store4 = 0;
store3++;
}
if (store3 == 6) {
store3 = 0;
store2++;
}
if (store2 == 6) {
store2 = 0;
store1++;
}
System.out.println(store1 + " " + store2 + " " + store3 + " " + store4 + " " + store5 + " ");
}
答案 4 :(得分:0)
我能想到的最简单的代码将采用完全不同的方法解决问题:
public class TestA {
public static void main(String[] argv) {
for (int i=0; i<(6 * 6 * 6 * 6 * 6); ++i) {
String permutation = Integer.toString(i, 6);
System.out.println("00000".substring(permutation.length()) + permutation);
}
}
}
从你的文字(不是你的代码)我收集你有5个地方和6个符号,这表明有5到5个电源组合。因此代码只计算这些数字并将数字转换为输出组合。
由于这也可以被视为带有基数6的数字系统,因此它使用了Integer.toString,它已经具有格式化代码(前导零除外)。在缺失的地方添加前导零。