在此程序中,您將學(xué)習(xí)使用和不使用pow()函數(shù)來計算數(shù)字的冪。
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循環(huán),我們將result乘以base,直到指數(shù)(exponent)變?yōu)榱銥橹埂?/p>
在這種情況下,我們result乘以基數(shù)總共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循環(huán),而不是使用while循環(huán)。
每次迭代后,exponent減1,然后result乘以base,exponent次。
如果您的指數(shù)為負,則以上兩個程序均無效。為此,您需要在Java標準庫中使用pow()函數(shù)。
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()函數(shù)來計算給定基數(shù)的冪。