mirror of
https://github.com/TheAlgorithms/Python.git
synced 2024-11-24 13:31:07 +00:00
5df8aec66c
* GitHub Action formats our code with psf/black @poyea Your review please. * fixup! Format Python code with psf/black push
31 lines
758 B
Python
31 lines
758 B
Python
def factorial(n: int) -> int:
|
|
"""
|
|
Calculate the factorial of specified number
|
|
|
|
>>> factorial(1)
|
|
1
|
|
>>> factorial(6)
|
|
720
|
|
>>> factorial(0)
|
|
1
|
|
>>> factorial(-1)
|
|
Traceback (most recent call last):
|
|
...
|
|
ValueError: factorial() not defined for negative values
|
|
>>> factorial(0.1)
|
|
Traceback (most recent call last):
|
|
...
|
|
ValueError: factorial() only accepts integral values
|
|
"""
|
|
if n < 0:
|
|
raise ValueError("factorial() not defined for negative values")
|
|
if not isinstance(n, int):
|
|
raise ValueError("factorial() only accepts integral values")
|
|
return 1 if n == 0 or n == 1 else n * factorial(n - 1)
|
|
|
|
|
|
if __name__ == "__main__":
|
|
import doctest
|
|
|
|
doctest.testmod()
|