2019-07-10 16:09:24 -04:00
|
|
|
"""Binary Exponentiation."""
|
|
|
|
|
|
|
|
# Author : Junth Basnet
|
|
|
|
# Time Complexity : O(logn)
|
|
|
|
|
2019-05-10 16:48:05 +05:45
|
|
|
|
2023-10-02 19:59:06 +05:30
|
|
|
def binary_exponentiation(a: int, n: int) -> int:
|
2023-10-19 05:15:23 -07:00
|
|
|
"""
|
2023-10-19 08:21:48 -04:00
|
|
|
Compute a number raised by some quantity
|
|
|
|
>>> binary_exponentiation(-1, 3)
|
|
|
|
-1
|
|
|
|
>>> binary_exponentiation(-1, 4)
|
|
|
|
1
|
|
|
|
>>> binary_exponentiation(2, 2)
|
|
|
|
4
|
2023-10-19 05:15:23 -07:00
|
|
|
>>> binary_exponentiation(3, 5)
|
|
|
|
243
|
|
|
|
>>> binary_exponentiation(10, 3)
|
|
|
|
1000
|
2023-10-19 08:21:48 -04:00
|
|
|
>>> binary_exponentiation(5e3, 1)
|
|
|
|
5000.0
|
|
|
|
>>> binary_exponentiation(-5e3, 1)
|
|
|
|
-5000.0
|
2023-10-19 05:15:23 -07:00
|
|
|
"""
|
2019-10-05 01:14:13 -04:00
|
|
|
if n == 0:
|
2019-05-10 16:48:05 +05:45
|
|
|
return 1
|
2019-07-10 16:09:24 -04:00
|
|
|
|
2019-10-05 01:14:13 -04:00
|
|
|
elif n % 2 == 1:
|
2019-05-10 16:48:05 +05:45
|
|
|
return binary_exponentiation(a, n - 1) * a
|
2019-07-10 16:09:24 -04:00
|
|
|
|
2019-05-10 16:48:05 +05:45
|
|
|
else:
|
2023-10-02 19:59:06 +05:30
|
|
|
b = binary_exponentiation(a, n // 2)
|
2019-05-10 16:48:05 +05:45
|
|
|
return b * b
|
|
|
|
|
2019-07-10 16:09:24 -04:00
|
|
|
|
2019-07-21 08:16:28 +02:00
|
|
|
if __name__ == "__main__":
|
2023-10-19 05:15:23 -07:00
|
|
|
import doctest
|
|
|
|
|
|
|
|
doctest.testmod()
|
|
|
|
|
2019-07-21 08:16:28 +02:00
|
|
|
try:
|
2023-10-19 08:21:48 -04:00
|
|
|
BASE = int(float(input("Enter Base : ").strip()))
|
2019-07-21 08:16:28 +02:00
|
|
|
POWER = int(input("Enter Power : ").strip())
|
|
|
|
except ValueError:
|
|
|
|
print("Invalid literal for integer")
|
|
|
|
|
|
|
|
RESULT = binary_exponentiation(BASE, POWER)
|
2019-12-07 05:39:59 +00:00
|
|
|
print(f"{BASE}^({POWER}) : {RESULT}")
|