Python/maths/binary_exponentiation.py

29 lines
612 B
Python
Raw Normal View History

"""Binary Exponentiation."""
# Author : Junth Basnet
# Time Complexity : O(logn)
2019-05-10 11:03:05 +00:00
def binary_exponentiation(a, n):
2019-10-05 05:14:13 +00:00
if n == 0:
2019-05-10 11:03:05 +00:00
return 1
2019-10-05 05:14:13 +00:00
elif n % 2 == 1:
2019-05-10 11:03:05 +00:00
return binary_exponentiation(a, n - 1) * a
2019-05-10 11:03:05 +00:00
else:
b = binary_exponentiation(a, n / 2)
return b * b
if __name__ == "__main__":
try:
BASE = int(input("Enter Base : ").strip())
POWER = int(input("Enter Power : ").strip())
except ValueError:
print("Invalid literal for integer")
RESULT = binary_exponentiation(BASE, POWER)
print("{}^({}) : {}".format(BASE, POWER, RESULT))