mirror of
https://github.com/TheAlgorithms/Python.git
synced 2024-11-24 13:31:07 +00:00
14bcb580d5
* Initial fix for mypy errors in some cipher algorithms * fix(mypy): Update type hints * fix(mypy): Update type hints for enigma_machine2.py * Update as per the suggestion Co-authored-by: Christian Clauss <cclauss@me.com> Co-authored-by: Christian Clauss <cclauss@me.com>
16 lines
429 B
Python
16 lines
429 B
Python
def gcd(a: int, b: int) -> int:
|
|
while a != 0:
|
|
a, b = b % a, a
|
|
return b
|
|
|
|
|
|
def find_mod_inverse(a: int, m: int) -> int:
|
|
if gcd(a, m) != 1:
|
|
raise ValueError(f"mod inverse of {a!r} and {m!r} does not exist")
|
|
u1, u2, u3 = 1, 0, a
|
|
v1, v2, v3 = 0, 1, m
|
|
while v3 != 0:
|
|
q = u3 // v3
|
|
v1, v2, v3, u1, u2, u3 = (u1 - q * v1), (u2 - q * v2), (u3 - q * v3), v1, v2, v3
|
|
return u1 % m
|