在此程序中,您将学习使用和不使用pow()函数来计算数字的幂。
public class Power { public static void main(String[] args) { int base = 3, exponent = 4; long result = 1; while (exponent != 0) { result *= base; --exponent; } System.out.println("Answer = " + result); } }
运行该程序时,输出为:
Answer = 81
在此程序中,分别为base和exponent分配了值3和4。
使用while循环,我们将result乘以base,直到指数(exponent)变为零为止。
在这种情况下,我们result乘以基数总共4次,因此 result= 1 * 3 * 3 * 3 * 3 = 81。
public class Power { public static void main(String[] args) { int base = 3, exponent = 4; long result = 1; for (;exponent != 0; --exponent) { result *= base; } System.out.println("Answer = " + result); } }
运行该程序时,输出为:
Answer = 81
在这里,我们使用了for循环,而不是使用while循环。
每次迭代后,exponent减1,然后result乘以base,exponent次。
如果您的指数为负,则以上两个程序均无效。为此,您需要在Java标准库中使用pow()函数。
public class Power { public static void main(String[] args) { int base = 3, exponent = -4; double result = Math.pow(base, exponent); System.out.println("Answer = " + result); } }
运行该程序时,输出为:
Answer = 0.012345679012345678
在此程序中,我们使用Java的Math.pow()函数来计算给定基数的幂。