Introduction to Number Theory
Number theory is a branch of mathematics devoted to the study of the properties of integers. It is a rich and ancient discipline that has applications in diverse areas, including cryptography, computer science, and information theory.
Euclid's Algorithm for the Greatest Common Divisor (GCF)
Euclid's algorithm is one of the oldest known algorithms and is used to find the greatest common divisor (GCF) of two integers. This algorithm is based on the property that the GCF of two numbers also divides their difference.
def euclidean(a, b):
while b != 0:
a, b = b, a % b
return a
# Example usage
print(euclidean(48, 18)) # Output: 6
Criba de Eratóstenes
La criba de Eratóstenes es un algoritmo eficiente para encontrar todos los números primos menores que un número dado. Este método elimina iterativamente los múltiplos de cada número primo comenzando desde 2.
def sieve_of_eratosthenes(n):
primes = [True] * (n + 1)
p = 2
while p ** 2 <= n:
if primes[p]:
for i in range(p * p, n + 1, p):
primes[i] = False
p += 1
return [p for p in range(2, n + 1) if primes[p]]
# Example usage
print(sieve_of_eratosthenes(30)) # Output: [2, 3, 5, 7, 11, 13, 17, 19, 23, 29]
Little Fermat's Theorem
Little Fermat's theorem is a fundamental tool in number theory and has applications in cryptography. It states that if \(p\) is a prime number and \(a\) is an integer not divisible by \(p\), then \(a^{(p-1)} \equiv 1 \ (\text{mod} \ p)\).
Modular Exponentiation Algorithm
The modular exponentiation algorithm is used to calculate large powers modulo a number. It is fundamental in cryptographic algorithms, such as RSA. This algorithm reduces the problem to a series of smaller modular multiplications.
def mod_exp(base, exp, mod):
result = 1
base = base % mod
while exp > 0:
if (exp % 2) == 1:
result = (result * base) % mod
exp = exp >> 1
base = (base * base) % mod
return result
# Example usage
print(mod_exp(2, 10, 1000)) # Output: 24
Miller-Rabin Algorithm for Primality Testing
The Miller-Rabin algorithm is a probabilistic test for determining whether a number is prime. It is widely used due to its efficiency and suitability for large numbers.
import random
def is_prime(n, k=5): # Number of tests
if n <= 1:
return False
if n <= 3:
return True
if n % 2 == 0:
return False
def miller_rabin_test(d, n):
a = random.randint(2, n - 2)
x = mod_exp(a, d, n)
if x == 1 or x == n - 1:
return True
while d != n - 1:
x = (x * x) % n
d *= 2
if x == 1:
return False
if x == n - 1:
return True
return False
d = n - 1
while d % 2 == 0:
d //= 2
for _ in range(k):
if not miller_rabin_test(d, n):
return False
return True
# Example usage
print(is_prime(31)) # Output: True
print(is_prime(18)) # Output: False
Conclusion
Number theory algorithms are fundamental in various mathematical and computational applications. Mastering these algorithms in Python provides a solid foundation for tackling complex problems in cryptography, information theory, and other related fields.