Python/maths/segmented_sieve.py

52 lines
1.1 KiB
Python
Raw Normal View History

"""Segmented Sieve."""
2018-10-19 12:48:28 +00:00
import math
2018-10-19 12:48:28 +00:00
def sieve(n):
"""Segmented Sieve."""
2018-10-19 12:48:28 +00:00
in_prime = []
start = 2
end = int(math.sqrt(n)) # Size of every segment
2018-10-19 12:48:28 +00:00
temp = [True] * (end + 1)
prime = []
while start <= end:
if temp[start] is True:
2018-10-19 12:48:28 +00:00
in_prime.append(start)
for i in range(start * start, end + 1, start):
if temp[i] is True:
2018-10-19 12:48:28 +00:00
temp[i] = False
start += 1
prime += in_prime
2018-10-19 12:48:28 +00:00
low = end + 1
high = low + end - 1
if high > n:
high = n
while low <= n:
temp = [True] * (high - low + 1)
2018-10-19 12:48:28 +00:00
for each in in_prime:
2018-10-19 12:48:28 +00:00
t = math.floor(low / each) * each
if t < low:
t += each
for j in range(t, high + 1, each):
2018-10-19 12:48:28 +00:00
temp[j - low] = False
2018-10-19 12:48:28 +00:00
for j in range(len(temp)):
if temp[j] is True:
prime.append(j + low)
2018-10-19 12:48:28 +00:00
low = high + 1
high = low + end - 1
if high > n:
high = n
2018-10-19 12:48:28 +00:00
return prime
2019-10-05 05:14:13 +00:00
print(sieve(10 ** 6))