2019-07-10 20:09:24 +00:00
|
|
|
"""Segmented Sieve."""
|
|
|
|
|
2018-10-19 12:48:28 +00:00
|
|
|
import math
|
|
|
|
|
2019-07-10 20:09:24 +00:00
|
|
|
|
2022-10-12 16:49:49 +00:00
|
|
|
def sieve(n: int) -> list[int]:
|
2023-10-07 09:09:39 +00:00
|
|
|
"""
|
|
|
|
Segmented Sieve.
|
|
|
|
|
|
|
|
Examples:
|
|
|
|
>>> sieve(8)
|
|
|
|
[2, 3, 5, 7]
|
|
|
|
|
|
|
|
>>> sieve(27)
|
|
|
|
[2, 3, 5, 7, 11, 13, 17, 19, 23]
|
|
|
|
|
|
|
|
>>> sieve(0)
|
|
|
|
Traceback (most recent call last):
|
|
|
|
...
|
|
|
|
ValueError: Number 0 must instead be a positive integer
|
|
|
|
|
|
|
|
>>> sieve(-1)
|
|
|
|
Traceback (most recent call last):
|
|
|
|
...
|
|
|
|
ValueError: Number -1 must instead be a positive integer
|
|
|
|
|
|
|
|
>>> sieve(22.2)
|
|
|
|
Traceback (most recent call last):
|
|
|
|
...
|
|
|
|
ValueError: Number 22.2 must instead be a positive integer
|
|
|
|
"""
|
|
|
|
|
|
|
|
if n <= 0 or isinstance(n, float):
|
|
|
|
msg = f"Number {n} must instead be a positive integer"
|
|
|
|
raise ValueError(msg)
|
|
|
|
|
2018-10-19 12:48:28 +00:00
|
|
|
in_prime = []
|
|
|
|
start = 2
|
2019-07-10 20:09:24 +00:00
|
|
|
end = int(math.sqrt(n)) # Size of every segment
|
2018-10-19 12:48:28 +00:00
|
|
|
temp = [True] * (end + 1)
|
|
|
|
prime = []
|
2019-07-10 20:09:24 +00:00
|
|
|
|
|
|
|
while start <= end:
|
|
|
|
if temp[start] is True:
|
2018-10-19 12:48:28 +00:00
|
|
|
in_prime.append(start)
|
2019-07-10 20:09:24 +00:00
|
|
|
for i in range(start * start, end + 1, start):
|
2022-10-02 16:35:02 +00:00
|
|
|
temp[i] = False
|
2018-10-19 12:48:28 +00:00
|
|
|
start += 1
|
|
|
|
prime += in_prime
|
2019-07-10 20:09:24 +00:00
|
|
|
|
2018-10-19 12:48:28 +00:00
|
|
|
low = end + 1
|
2022-10-02 16:35:02 +00:00
|
|
|
high = min(2 * end, n)
|
2019-07-10 20:09:24 +00:00
|
|
|
|
|
|
|
while low <= n:
|
|
|
|
temp = [True] * (high - low + 1)
|
2018-10-19 12:48:28 +00:00
|
|
|
for each in in_prime:
|
|
|
|
t = math.floor(low / each) * each
|
|
|
|
if t < low:
|
|
|
|
t += each
|
2019-07-10 20:09:24 +00:00
|
|
|
|
|
|
|
for j in range(t, high + 1, each):
|
2018-10-19 12:48:28 +00:00
|
|
|
temp[j - low] = False
|
2019-07-10 20:09:24 +00:00
|
|
|
|
2018-10-19 12:48:28 +00:00
|
|
|
for j in range(len(temp)):
|
2019-07-10 20:09:24 +00:00
|
|
|
if temp[j] is True:
|
|
|
|
prime.append(j + low)
|
|
|
|
|
2018-10-19 12:48:28 +00:00
|
|
|
low = high + 1
|
2022-10-02 16:35:02 +00:00
|
|
|
high = min(high + end, n)
|
2019-07-10 20:09:24 +00:00
|
|
|
|
2018-10-19 12:48:28 +00:00
|
|
|
return prime
|
|
|
|
|
2019-07-10 20:09:24 +00:00
|
|
|
|
2023-10-07 09:09:39 +00:00
|
|
|
if __name__ == "__main__":
|
|
|
|
import doctest
|
|
|
|
|
|
|
|
doctest.testmod()
|
|
|
|
|
|
|
|
print(f"{sieve(10**6) = }")
|