You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

40 lines
622 B

This file contains ambiguous Unicode characters!

This file contains ambiguous Unicode characters that may be confused with others in your current locale. If your use case is intentional and legitimate, you can safely ignore this warning. Use the Escape button to highlight these characters.

package class29;
public class Problem_0050_PowXN {
public static int pow(int a, int n) {
int ans = 1;
int t = a;
while (n != 0) {
if ((n & 1) != 0) {
ans *= t;
}
t *= t;
n >>= 1;
}
return ans;
}
// x的n次方n可能是负数
public static double myPow(double x, int n) {
if (n == 0) {
return 1D;
}
int pow = Math.abs(n == Integer.MIN_VALUE ? n + 1 : n);
double t = x;
double ans = 1D;
while (pow != 0) {
if ((pow & 1) != 0) {
ans *= t;
}
pow >>= 1;
t = t * t;
}
if (n == Integer.MIN_VALUE) {
ans *= x;
}
return n < 0 ? (1D / ans) : ans;
}
}