谁能帮助我将此for循环转换为递归方法: 到目前为止,我添加了这两种方法,但是我仍然想更改第二个循环。 预先谢谢你。
public void makeDesign1() {
int x;
for (int i = 0; i < 5; i++) // For loop is the one creating the rows
{
for (x = 4; x > i; x--) // Nested loop is the one creating the columns
{
System.out.print("*");
}
System.out.println();
}
System.out.println();
}
public static int makeDesign1Recur(int i) {
if (i == 0) {
return 0;
}
System.out.print("*");
return (makeDesign1Recur(i-1));
}
// How to convert this second loop recursive?
public static void makeDesignRow(int i){
for ( int x = i; x>=0; x--){
makeDesign1Recur(x);
System.out.println("");
}
}
答案 0 :(得分:0)
我认为第一步是正确地重新定义makeDesign1()
。我们要为图纸传递尺寸。我们还想稍微改变边界,以使大小为1的只绘制一颗星星,而不是像原来的星星一样:
public static void makeDesign(int n)
{
for (int i = 0; i < n; i++) // For loop is the one creating the rows
{
for (int x = n; x > i; x--) // Nested loop is the one creating the columns
{
System.out.print("*");
}
System.out.println();
}
System.out.println();
}
下一步是让两个循环都递减至1,以简化在时间到时的递归:
public static void makeDesign(int n)
{
for (int i = n; i > 0; i--) // For loop is the one creating the rows
{
for (int x = i; x > 0; x--) // Nested loop is the one creating the columns
{
System.out.print("*");
}
System.out.println();
}
System.out.println();
}
现在,我们可以将每个循环简单地转换成它自己的递归函数,一个调用另一个函数:
public static void makeDesign(int n)
{
if (n > 0)
{
makeDesignRow(n);
makeDesign(n - 1);
}
else
{
System.out.println();
}
}
public static void makeDesignRow(int x)
{
if (x > 0)
{
System.out.print("*");
makeDesignRow(x - 1);
}
else
{
System.out.println();
}
}
输出
将makeDesign()
传递为10,我们得到:
> java Main
**********
*********
********
*******
******
*****
****
***
**
*
>