-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path0050.powx_n.cpp
66 lines (57 loc) · 1.38 KB
/
0050.powx_n.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
#include <iostream>
// 进一步的,位运算优化
double my_pow(double x, int n)
{
auto quick_mul = [](double x, long long n) -> double {
double ans = 1;
while (n > 0) {
if (n & 1) {
ans *= x;
}
x *= x;
n >>= 1;
}
return ans;
};
long long N = n;
return N >= 0 ? quick_mul(x, N) : (1.0 / quick_mul(x, -N));
}
// 依据递归版本,很容易写出迭代版本
double _my_pow(double x, int n)
{
auto quick_mul = [](double x, long long n) -> double {
double ans = 1;
while (n > 0) {
if (n % 2 == 1) {
ans *= x;
}
x *= x;
n /= 2;
}
return ans;
};
// 转 long long 是防止下面取相反数的时候爆 int
long long N = n;
return N >= 0 ? quick_mul(x, N) : (1.0 / quick_mul(x, -N));
}
// 递归版本,很好的解释了快速幂的原理
double __my_pow(double x, int n)
{
if (n == 0) return 1;
if (n == 1) return x;
if (n == -1) return 1 / x;
double half = my_pow(x, n / 2);
double rest = my_pow(x, n % 2);
return rest * half * half;
}
int main () {
#ifdef LOCAL
freopen("0050.in", "r", stdin);
#endif
double x = 0.0;
int n = 0;
while (std::cin >> x >> n) {
std::cout << my_pow(x, n) << std::endl;
}
return 0;
}