方法是:
public static zeroCount(int num)
我的教师要求此方法有一个int参数,递归方法必须返回num中的零数。
所以zeroCount(10200)= 3,并且 zeroCount(100300)= 4 等...
我可以很容易地做到这一点,但因为我需要使用递归方法,所以我完全迷失了。
答案 0 :(得分:2)
提示:如果在每个递归步骤中将数字除以10,如果没有余数则返回1,如果有,则返回0,该怎么办?
答案 1 :(得分:0)
如果你可以迭代地处理问题(也就是说,使用某种循环),那么你可以递归地进行。
编写递归方法时需要做的两件事是:
我还注意到你没有指定方法的返回值;理想情况下,它将是int
。让这成为你的暗示。
答案 2 :(得分:0)
您知道 x%10 会为您提供x的最后一位数字,因此您可以使用它来识别零。此外,在检查特定数字是否为零后,您想要取出该数字,如何? 除以10 。
public static int zeroCount(int num)
{
int count = 0;
if(num == 0) return 1; // stop case zeroCount(0)
else if(Math.abs(num) < 9) return 0; // stop case digit between 1..9 or -9..-1
else
{
if (num % 10 == 0) // if the num last digit is zero
count++; // count the zero, take num last digit out
return count + zeroCount(num/10); // take num last digit out, and apply
} // the method recursively to the remaining digits
}
我使用math.Abs来允许负数,你必须导入java.lang.Math;
答案 3 :(得分:0)
尝试以下方法:
public int count0(int n) {
if(n == 0)
return 0;
if(n % 10 == 0)
return 1 + count0(n/10);
return count0(n/10);
}