Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Adding the function isProthNumber(n : int) which returns true if n is… #12399

Open
wants to merge 13 commits into
base: master
Choose a base branch
from
42 changes: 42 additions & 0 deletions maths/special_numbers/proth_number.py
Original file line number Diff line number Diff line change
Expand Up @@ -59,6 +59,40 @@ def proth(number: int) -> int:
return proth_list[number - 1]


def isprothnumber(number: int) -> bool:
"""
:param number: nth number to calculate in the sequence
:return: true if number is a Proth number, false etherwise
>>> isprothnumber(5)
True
>>> isprothnumber(34)
False
>>> isprothnumber(-1)
Traceback (most recent call last):
...
ValueError: Input value of [number=-1] must be > 0
>>> isprothnumber(6.0)
Traceback (most recent call last):
...
TypeError: Input value of [number=6.0] must be an integer
"""
if not isinstance(number, int):
msg = f"Input value of [number={number}] must be an integer"
raise TypeError(msg)

if number < 1:
msg = f"Input value of [number={number}] must be > 0"
raise ValueError(msg)

num = number
num -= 1
n = 0
while num % 2 == 0:
num = num // 2
n += 1
return num < (2**n)


if __name__ == "__main__":
import doctest

Expand All @@ -73,3 +107,11 @@ def proth(number: int) -> int:
continue

print(f"The {number}th Proth number: {value}")

listexe = [3, 5, 9, 13, 49, 57, 193, 241, 163, 201]

for number in listexe:
if isprothnumber(number):
print(f"{number} is a Proth number")
else:
print(f"{number} is not a Proth number")