我给出了一个整数数组,并尝试定义一个递归方法sum(int [] A,int s,int e)来计算数组A的总和,其中s和e是起始索引和结束索引。我想用给定的数组int [] A = {3,5,8,9,10}来测试它。
我对如何做到这一点感到困惑但是到目前为止这里是我所拥有的(我甚至对这里的代码感到有些困惑,因为我的伙伴帮我写了它,一点点解释会有很多帮助!):
public static int sum(int[]A,int s,int e) {
if (s==e)
return A[e];
else
return A[5] + sum(A,s+1,e);
答案 0 :(得分:1)
你错过了一个角色。 5
在返回行上应为s
:
return A[s] + sum(A,s+1,e);
答案 1 :(得分:1)
在@KlasLindbäck的回答中,5应该是s。
public static int sum(int[]A,int s,int e) {
if (s==e)
return A[e];
else
return A[s] + sum(A,s+1,e);
提供解释:
首先,要调用此方法:
int theSum = sum(myArray, 0, myArray.length-1);
我将为您{3,5,8,9,10}数组执行此操作。
sum(A, 0, 4):
return A[0] + sum(A, 1, 4) //3 + sum(A, 1, 4)
sum(A, 1, 4):
return A[1] + sum(A, 2, 4) //5 + sum(A, 2, 4)
sum(A, 2, 4):
return A[2] + sum(A, 3, 4) //8 + sum(A, 3, 4)
sum(A, 3, 4):
return A[3] + sum(A, 4, 4) //9 + sum(A, 4, 4)
sum(A, 4, 4):
return A[4] //10
Now, we know that sum(A, 4, 4) is 10, so therefore sum(A, 3, 4) is 9 + 10 = 19.
Now, we know that sum(A, 3, 4) is 19, so therefore sum(A, 2, 4) is 8 + 19 = 27.
Now, we know that sum(A, 2, 4) is 27, so therefore sum(A, 1, 4) is 5 + 27 = 32.
Now, we know that sum(A, 1, 4) is 32, so therefore sum(A, 0, 4) is 3 + 32 = 35.
答案 2 :(得分:1)
package com.TTC.Tryfon.AbdulRahman;
public class Doing {
public static void main(String[] args) {
int [] z={3,5,8,9,10};
System.out.println(sum(z,0));
}
public static int sum(int [] a,int index){
if(index<a.length){
return a[index]+sum(a,index+1);
}
return 0;
}
}
上述程序将产生以下结果:
35
为了理解该程序,我们可以执行这一部分:
if(index<a.length){
return a[index]+sum(a,index+1);
}
索引从0开始,a.length = 5:
if(0<5){
return a[0]+sum(a,0+1);
// this means return 3+sum(a,1);
}
if(1<5){
return a[1]+sum(a,1+1);
// this means return 5+sum(a,2);
}
if(2<5){
return a[2]+sum(a,2+1);
// this means return 8+sum(a,3);
}
if(3<5){
return a[3]+sum(a,3+1);
// this means return 9+sum(a,4);
}
if(4<5){
return a[4]+sum(a,4+1);
// this means return 10+sum(a,5);
}
if(5<5){
// 5 is not smaller than 5, so it will return 0;
}
return 0;
因为没有更多的函数调用,我们必须通过函数调用替换返回的数字:
10+0
9+10
8+18
5+27
3+32 =35
这是我的第一个解释,我希望它是好的。
答案 3 :(得分:0)
您还可以在递归调用中包含停止条件:
public static int sum(int[]A,int s,int e) {
return A[s] + (s == e) ? 0 : sum(A, s+1, e);
}