Difference between revisions of "Prime numbers"

From HaskellWiki
Jump to navigation Jump to search
m
m (→‎Sieve of Eratosthenes: correct emphasis markdown)
(403 intermediate revisions by 4 users not shown)
Line 1: Line 1:
In mathematics, a <i>prime number</i> (or a <i>prime</i>) is a natural number which has exactly two distinct natural number divisors: 1 and itself. The smallest prime is thus 2.
+
In mathematics, ''amongst the natural numbers greater than 1'', a ''prime number'' (or a ''prime'') is such that has no divisors other than itself (and 1).
   
 
== Prime Number Resources ==
 
== Prime Number Resources ==
Line 8: Line 8:
   
 
* HackageDB packages:
 
* HackageDB packages:
  +
** [http://hackage.haskell.org/package/arithmoi arithmoi]: Various basic number theoretic functions; efficient array-based sieves, Montgomery curve factorization ...
 
** [http://hackage.haskell.org/package/Numbers Numbers]: An assortment of number theoretic functions.
 
** [http://hackage.haskell.org/package/Numbers Numbers]: An assortment of number theoretic functions.
 
** [http://hackage.haskell.org/package/NumberSieves NumberSieves]: Number Theoretic Sieves: primes, factorization, and Euler's Totient.
 
** [http://hackage.haskell.org/package/NumberSieves NumberSieves]: Number Theoretic Sieves: primes, factorization, and Euler's Totient.
 
** [http://hackage.haskell.org/package/primes primes]: Efficient, purely functional generation of prime numbers.
 
** [http://hackage.haskell.org/package/primes primes]: Efficient, purely functional generation of prime numbers.
   
  +
* Papers:
== Finding Primes ==
 
  +
** O'Neill, Melissa E., [http://www.cs.hmc.edu/~oneill/papers/Sieve-JFP.pdf "The Genuine Sieve of Eratosthenes"], Journal of Functional Programming, Published online by Cambridge University Press 9 October 2008 doi:10.1017/S0956796808007004.
   
  +
== Definition ==
Any natural number is representable as a product of powers of its prime factors, and so a prime has no prime divisors other than itself. That means that starting with 2, <i>for each</i> newly found <i>prime</i> we can <i>eliminate</i> from the rest of the numbers <i>all such numbers</i> that have this prime as their divisor, giving us the <i>next available</i> number as next prime. This is known as <i>sieving</i> the natural numbers, so that in the end what we are left with are just primes.
 
   
  +
In mathematics, ''amongst the natural numbers greater than 1'', a ''prime number'' (or a ''prime'') is such that has no divisors other than itself (and 1). The smallest prime is thus 2. Non-prime numbers are known as ''composite'', i.e. those representable as product of two natural numbers greater than 1.
=== The Classic Turner's Sieve ===
 
   
  +
To find out a prime's multiples we can either '''a.''' test each new candidate number for divisibility by that prime, giving rise to a kind of ''trial division'' algorithm; or '''b.''' we can directly generate the multiples of a prime ''p'' by counting up from it in increments of ''p'', resulting in a variant of the ''sieve of Eratosthenes''.
Attributed to David Turner <i>(SASL Language Manual, 1975)</i>, the following is a direct translation of that idea, generating a list of all prime numbers:
 
  +
  +
The set of prime numbers is thus
  +
  +
: &nbsp;&nbsp; '''P''' &nbsp;= {''n'' &isin; '''N'''<sub>2</sub> ''':''' (&forall; ''m'' &isin; '''N'''<sub>2</sub>) ((''m'' | ''n'') &rArr; m = n)}
  +
  +
:: = {''n'' &isin; '''N'''<sub>2</sub> ''':''' (&forall; ''m'' &isin; '''N'''<sub>2</sub>) (''m''&times;''m'' &le; ''n'' &rArr; &not;(''m'' | ''n''))}
  +
  +
:: = '''N'''<sub>2</sub> \ {''n''&times;''m'' ''':''' ''n'',''m'' &isin; '''N'''<sub>2</sub>}
  +
  +
:: = '''N'''<sub>2</sub> \ '''&#8899;''' { {''n''&times;''m'' ''':''' ''m'' &isin; '''N'''<sub>n</sub>} ''':''' ''n'' &isin; '''N'''<sub>2</sub> }
  +
  +
:: = '''N'''<sub>2</sub> \ '''&#8899;''' { {''n''&times;''n'', ''n''&times;''n''+''n'', ''n''&times;''n''+''n''+''n'', ...} ''':''' ''n'' &isin; '''N'''<sub>2</sub> }
  +
  +
:: = '''N'''<sub>2</sub> \ '''&#8899;''' { {''p''&times;''p'', ''p''&times;''p''+''p'', ''p''&times;''p''+''p''+''p'', ...} ''':''' ''p'' &isin; '''P''' }
  +
:::: &nbsp; where &nbsp; &nbsp; '''N'''<sub>k</sub> = {''n'' &isin; '''N''' ''':''' ''n'' &ge; k}
  +
  +
Thus starting with 2, for each newly found prime we can ''eliminate'' from the rest of the numbers ''all the multiples'' of this prime, giving us the next available number as next prime. This is known as ''sieving'' the natural numbers, so that in the end all the composites are eliminated and what we are left with are just primes. <small>(This is what the last formula is describing, though seemingly [http://en.wikipedia.org/wiki/Impredicativity impredicative], because it is self-referential. But because '''N'''<sub>2</sub> is well-ordered (with the order being preserved under addition), the formula is well-defined.)</small>
  +
  +
In ''pseudocode'', this can be written as
   
 
<haskell>
 
<haskell>
primes :: [Integer]
+
primes = [2..] \ [[p*p, p*p+p..] | p <- primes]
primes = sieve [2..]
 
where
 
sieve (p:xs) = p : sieve [x | x<-xs, x `mod` p /= 0]
 
-- or: filter ((/=0).(`mod`p)) xs
 
 
</haskell>
 
</haskell>
   
  +
Having a direct-access mutable arrays indeed enables easy marking off of these multiples on pre-allocated array as it is usually done in imperative languages; but to get an [[#Tree merging with Wheel|efficient ''list''-based code]] we have to be smart about combining those streams of multiples of each prime - which gives us also the memory efficiency in generating the results incrementally, one by one.
This should only be considered a <i>specification</i>, not a <i>code</i>. When run as is, it is <i>extremely inefficient</i> because it starts up the filters prematurely, immediately after each prime, instead of only after the prime's square has been reached. To be admitted as prime, <i>each number</i> will be <i>tested for divisibility</i> here by all its preceding primes, while just those not greater than its square root would suffice. This means that e.g. to find the <b>1001</b>st prime (<code>7927</code>), <b>1000</b> filters are used, when in fact just the first <b>24</b> are needed (up to <code>89</code>'s filter only).
 
   
  +
== Sieve of Eratosthenes ==
So this in effect creates a cascade of nested filters in front of the infinite numbers supply, and in <i>extremely premature</i> fashion at that. One way of fixing that would be to <i>postpone</i> the creation of filters until the right moment, by decoupling the primes supply from the numbers supply.
 
  +
Simplest, bounded, ''very'' inefficient formulation:
  +
<haskell>
  +
import Data.List (\\)
   
  +
primesTo m = sieve [2..m] {- (\\) is set-difference for unordered lists -}
=== Filtering To Keep the Prime Numbers In ===
 
  +
where
  +
sieve (x:xs) = x : sieve (xs \\ [x,x+x..m])
  +
sieve [] = []
  +
</haskell>
   
  +
The (unbounded) sieve of Eratosthenes calculates primes as ''integers above 1 that are not multiples of primes'', i.e. ''not composite'' &mdash; whereas composites are found as enumeration of multiples of each prime, generated by counting up from prime's square in constant increments equal to that prime (or twice that much, for odd primes). This is much more efficient and runs at about <i>n<sup>1.2</sup></i> empirical orders of growth (corresponding to <i>n log n log log n</i> complexity, more or less, in ''n'' primes produced):
The primes list creation with divisibility testing can be reformulated in a few more ways, using the list of primes <i>as it is being built</i> (a la "circular programming").
 
   
==== Postponed Filters Sieve ====
 
 
Here each filter's creation is postponed until the very moment it's needed.
 
 
<haskell>
 
<haskell>
  +
import Data.List.Ordered (minus, union, unionAll)
primes :: [Integer]
 
  +
primes = 2: 3: sieve (tail primes) [5,7..]
 
  +
primes = 2 : 3 : minus [5,7..] (unionAll [[p*p, p*p+2*p..] | p <- tail primes])
where
 
  +
sieve (p:ps) xs = h ++ sieve ps [x | x<-t, x `rem` p /= 0]
 
  +
{- Using `under n = takeWhile (<= n)`, with ordered increasing lists,
-- or: filter ((/=0).(`rem`p)) t
 
  +
`minus`, `union` and `unionAll` satisfy, for any `n` and `m`:
where (h,~(_:t)) = span (< p*p) xs
 
  +
  +
under n (minus a b) == nub . sort $ under n a \\ under n b
  +
under n (union a b) == nub . sort $ under n a ++ under n b
  +
under n . unionAll . take m == under n . foldl union [] . take m
  +
under n . unionAll == nub . sort . concat
  +
. takeWhile (not.null) . map (under n) -}
 
</haskell>
 
</haskell>
   
  +
The definition is primed with 2 and 3 as initial primes, to avoid the vicious circle.
This can be seen as essential framework for all the code to come. It only tests odd numbers, and only by the primes that are needed, for each <i>numbers span</i> between successive squares of primes. To find the <b>1001</b>st prime, the divisibility test is performed by only <b>24</b> nested filters corresponding to the first <b>24</b> odd primes.
 
   
  +
The ''"big union"'' <code>unionAll</code> function could be defined as the folding of <code>(\(x:xs) -> (x:) . union xs)</code>; or it could use a <code>Bool</code> array as a sorting and duplicates-removing device. The processing naturally divides up into the segments between successive squares of primes.
Whereas Turner's sieve exhibits near O(<math>{n^2}</math>) behavior, this one exhibits near O(<math>{n^{1.5}}</math>) behavior, with an orders-of-magnitude speedup.
 
   
  +
Stepwise development follows (the fully developed version is [[#Tree merging with Wheel|here]]).
==== Odd numbers, by Trial Division ====
 
This is also good for generating a few 100,000s primes (when GHC-compiled as well):
 
   
  +
=== Initial definition ===
  +
  +
First of all, working with ''ordered'' increasing lists, the sieve of Eratosthenes can be genuinely represented by
 
<haskell>
 
<haskell>
  +
-- genuine yet wasteful sieve of Eratosthenes
primes :: [Integer]
 
primes = 2: 3: filter isPrime [5,7..]
+
-- primes = eratos [2.. ] -- unbounded
  +
primesTo m = eratos [2..m] -- bounded, up to m
where
 
  +
where
isPrime n = all (notDivs n)
 
  +
eratos [] = []
$ takeWhile (\p-> p*p <= n) (tail primes)
 
notDivs n p = n `mod` p /= 0
+
eratos (p:xs) = p : eratos (xs `minus` [p, p+p..])
  +
-- eratos (p:xs) = p : eratos (xs `minus` map (p*) [1..])
  +
-- eulers (p:xs) = p : eulers (xs `minus` map (p*) (p:xs))
  +
-- turner (p:xs) = p : turner [x | x <- xs, rem x p /= 0]
 
</haskell>
 
</haskell>
   
  +
This should be regarded more like a ''specification'', not a code. It runs at [https://en.wikipedia.org/wiki/Analysis_of_algorithms#Empirical_orders_of_growth empirical orders of growth] worse than quadratic in number of primes produced. But it has the core defining features of the classical formulation of S. of E. as '''''a.''''' being bounded, i.e. having a top limit value, and '''''b.''''' finding out the multiples of a prime directly, by counting up from it in constant increments, equal to that prime.
Instead of relying on nested filters, it tests each odd number by an explicit list of all the needed prime factors. But for each number tested it re-fetches this list <i>anew</i> which will be <i>the same</i> for the increasing spans of numbers between the successive squares of primes.
 
   
  +
The canonical list-difference <code>minus</code> and duplicates-removing <code>union</code> functions (cf. [http://hackage.haskell.org/packages/archive/data-ordlist/latest/doc/html/Data-List-Ordered.html Data.List.Ordered package]) are:
==== Generated Spans, by Nested Filters ====
 
  +
<haskell>
The other way to go instead of concentrating on the numbers supply, is to directly work on the successive spans between the primes squares.
 
  +
-- ordered lists, difference and union
  +
minus (x:xs) (y:ys) = case (compare x y) of
  +
LT -> x : minus xs (y:ys)
  +
EQ -> minus xs ys
  +
GT -> minus (x:xs) ys
  +
minus xs _ = xs
  +
union (x:xs) (y:ys) = case (compare x y) of
  +
LT -> x : union xs (y:ys)
  +
EQ -> x : union xs ys
  +
GT -> y : union (x:xs) ys
  +
union xs [] = xs
  +
union [] ys = ys
  +
</haskell>
   
  +
The name ''merge'' ought to be reserved for duplicates-preserving merging operation of the merge sort.
This version is a bit faster still, creating <i>158,000 primes</i> (again, GHC-compiled) in the same time as the postponed filters does 100,000 primes:
 
   
  +
=== Analysis ===
  +
  +
So for each newly found prime ''p'' the sieve discards its multiples, enumerating them by counting up in steps of ''p''. There are thus <math>O(m/p)</math> multiples generated and eliminated for each prime, and <math>O(m \log \log(m))</math> multiples in total, with duplicates, by virtues of [http://en.wikipedia.org/wiki/Prime_harmonic_series prime harmonic series].
  +
  +
If each multiple is dealt with in <math>O(1)</math> time, this will translate into <math>O(m \log \log(m))</math> RAM machine operations (since we consider addition as an atomic operation). Indeed mutable random-access arrays allow for that. But lists in Haskell are sequential-access, and complexity of <code>minus(a,b)</code> for lists is <math>\textstyle O(|a \cup b|)</math> instead of <math>\textstyle O(|b|)</math> of the direct access destructive array update. The lower the complexity of each ''minus'' step, the better the overall complexity.
  +
  +
So on ''k''-th step the argument list <code>(p:xs)</code> that the <code>eratos</code> function gets, starts with the ''(k+1)''-th prime, and consists of all the numbers &le; ''m'' coprime with all the primes &le; ''p''. According to the M. O'Neill's article (p.10) there are <math>\textstyle\Phi(m,p) \in \Theta(m/\log p)</math> such numbers.
  +
  +
It looks like <math>\textstyle\sum_{i=1}^{n}{1/log(p_i)} = O(n/\log n)</math> for our intents and purposes. Since the number of primes below ''m'' is <math>n = \pi(m) = O(m/\log(m))</math> by the prime number theorem (where <math>\pi(m)</math> is a prime counting function), there will be ''n'' multiples-removing steps in the algorithm; it means total complexity of at least <math>O(m n/\log(n)) = O(m^2/(\log(m))^2)</math>, or <math>O(n^2)</math> in ''n'' primes produced - much much worse than the optimal <math>O(n \log(n) \log\log(n))</math>.
  +
  +
=== From Squares ===
  +
  +
But we can start each elimination step at a prime's square, as its smaller multiples will have been already produced and discarded on previous steps, as multiples of smaller primes. This means we can stop early now, when the prime's square reaches the top value ''m'', and thus cut the total number of steps to around <math>\textstyle n = \pi(m^{0.5}) = \Theta(2m^{0.5}/\log m)</math>. This does not in fact change the complexity of random-access code, but for lists it makes it <math>O(m^{1.5}/(\log m)^2)</math>, or <math>O(n^{1.5}/(\log n)^{0.5})</math> in ''n'' primes produced, a dramatic speedup:
 
<haskell>
 
<haskell>
  +
primesToQ m = eratos [2..m]
primes :: [Integer]
 
  +
where
primes = 2: 3: sieve [] (tail primes) 5
 
  +
eratos [] = []
where
 
notDivsBy d n = n `mod` d /= 0
+
eratos (p:xs) = p : eratos (xs `minus` [p*p, p*p+p..m])
sieve ds (p:ps) x = foldr (filter . notDivsBy) [x, x+2..p*p-2] ds
+
-- eratos (p:xs) = p : eratos (xs `minus` map (p*) [p..div m p])
  +
-- eulers (p:xs) = p : eulers (xs `minus` map (p*) (under (div m p) (p:xs)))
++ sieve (p:ds) ps (p*p+2)
 
  +
-- turner (p:xs) = p : turner [x | x<-xs, x<p*p || rem x p /= 0]
 
</haskell>
 
</haskell>
   
  +
Its empirical complexity is around <math>O(n^{1.45})</math>. This simple optimization works here because this formulation is bounded (by an upper limit). To start late on a bounded sequence is to stop early (starting past end makes an empty sequence &ndash; ''see warning below''<sup><sub> 1</sub></sup>), thus preventing the creation of all the superfluous multiples streams which start above the upper bound anyway <small>(note that Turner's sieve is unaffected by this)</small>. This is acceptably slow now, striking a good balance between clarity, succinctness and efficiency.
This one explicitly maintains the list of primes needed for testing each odds span between successive primes squares, which it also explicitly generates. But it tests with nested <code>filter</code>s, which it repeatedly recreates.
 
   
  +
<sup><sub>1</sub></sup><small>''Warning'': this is predicated on a subtle point of <code>minus xs [] = xs</code> definition being used, as it indeed should be. If the definition <code>minus (x:xs) [] = x:minus xs []</code> is used, the problem is back and the complexity is bad again.</small>
==== Generated Spans, by List of Primes ====
 
The list of primes needed to test each range of odds is actually just the prefix of the primes list itself, of known length, and need not be specifically generated at all. Combined with one-call testing by the explicit list of primes, and direct generation of odds between the successive primes squares, this calculates only the bare essentials and makes no extra recalculations:
 
   
  +
=== Guarded ===
  +
This ought to be ''explicated'' (improving on clarity, though not on time complexity) as in the following, for which it is indeed a minor optimization whether to start from ''p'' or ''p*p'' - because it explicitly ''stops as soon as possible'':
 
<haskell>
 
<haskell>
  +
primesToG m = 2 : sieve [3,5..m]
primes :: [Integer]
 
  +
where
primes = 2: 3: sieve 0 (tail primes) 5
 
  +
sieve (p:xs)
sieve k (p:ps) x = [x | x<-[x,x+2..p*p-2], and [x`rem`p/=0 | p<-fs]]
 
-- or: all ((>0).(x`rem`)) fs
+
| p*p > m = p : xs
++ sieve (k+1) ps (p*p+2)
+
| otherwise = p : sieve (xs `minus` [p*p, p*p+2*p..])
where fs = take k (tail primes)
+
-- p : sieve (xs `minus` map (p*) [p,p+2..])
  +
-- p : eulers (xs `minus` map (p*) (p:xs))
  +
</haskell>
  +
(here we also flatly ignore all evens above 2 a priori.) It is now clear that it ''can't'' be made unbounded just by abolishing the upper bound ''m'', because the guard can not be simply omitted without changing the complexity back for the worst.
  +
  +
=== Accumulating Array ===
  +
  +
So while <code>minus(a,b)</code> takes <math>O(|b|)</math> operations for random-access imperative arrays and about <math>O(|a|)</math> operations here for ordered increasing lists of numbers, using Haskell's immutable array for ''a'' one ''could'' expect the array update time to be nevertheless closer to <math>O(|b|)</math> if destructive update were used implicitly by compiler for an array being passed along as an accumulating parameter:
  +
<haskell>
  +
{-# OPTIONS_GHC -O2 #-}
  +
import Data.Array.Unboxed
  +
  +
primesToA m = sieve 3 (array (3,m) [(i,odd i) | i<-[3..m]]
  +
:: UArray Int Bool)
  +
where
  +
sieve p a
  +
| p*p > m = 2 : [i | (i,True) <- assocs a]
  +
| a!p = sieve (p+2) $ a//[(i,False) | i <- [p*p, p*p+2*p..m]]
  +
| otherwise = sieve (p+2) a
 
</haskell>
 
</haskell>
   
  +
Indeed for unboxed arrays, with the type signature added explicitly <small>(suggested by Daniel Fischer)</small>, the above code runs pretty fast, with empirical complexity of about ''<math>O(n^{1.15..1.45})</math>'' in ''n'' primes produced (for producing from few hundred thousands to few millions primes, memory usage also slowly growing). But it relies on specific compiler optimizations, and indeed if we remove the explicit type signature, the code above turns ''very'' slow.
It produces about <i>222,000 primes</i> in the same amount of time, and is good for creating about a million first primes, compiled.
 
   
  +
How can we write code that we'd be certain about? One way is to use explicitly mutable monadic arrays ([[#Using Mutable Arrays|''see below'']]), but we can also think about it a little bit more on the functional side of things still.
The reason to have <code>sieve</code> function available separately too is that it can also be used to produce primes above a given number, as in
 
   
  +
=== Postponed ===
  +
Going back to ''guarded'' Eratosthenes, first we notice that though it works with minimal number of prime multiples streams, it still starts working with each prematurely. Fixing this with explicit synchronization won't change complexity but will speed it up some more:
 
<haskell>
 
<haskell>
  +
primesPE1 = 2 : sieve [3..] primesPE1
primesFrom m = sieve (length h) ps $ m`div`2*2+1
 
 
where
 
where
(h,(_:ps)) = span (<= (floor.sqrt.fromIntegral) m) primes
+
sieve xs (p:pt) | q <- p*p , (h,t) <- span (< q) xs =
  +
h ++ sieve (t `minus` [q, q+p..]) pt
  +
-- h ++ turner [x | x<-t, rem x p>0] pt
 
</haskell>
 
</haskell>
  +
<!-- primesPE1 = 2 : sieve [3,5..] 9 (tail primesPE1)
  +
where
  +
sieve xs q ~(p:pt) | (h,t) <- span (< q) xs =
  +
h ++ sieve (t `minus` [q, q+2*p..]) (head pt^2) pt
  +
-- h ++ turner [x | x<-t, rem x p>0] ...
  +
-->
  +
Inlining and fusing <code>span</code> and <code>(++)</code> we get:
  +
<haskell>
  +
primesPE = 2 : ops
  +
where
  +
ops = sieve [3,5..] 9 ops -- odd primes
  +
sieve (x:xs) q ps@ ~(p:pt)
  +
| x < q = x : sieve xs q ps
  +
| otherwise = sieve (xs `minus` [q, q+2*p..]) (head pt^2) pt
  +
</haskell>
  +
Since the removal of a prime's multiples here starts at the right moment, and not just from the right place, the code could now finally be made unbounded. Because no multiples-removal process is started ''prematurely'', there are no ''extraneous'' multiples streams, which were the reason for the original formulation's extreme inefficiency.
   
  +
=== Segmented ===
It can thus produce a few primes e.g. above <code>239812076741689</code>, which is a square of the millionth odd prime, without having to compute all the preceding primes (which would number in trillions).
 
  +
With work done segment-wise between the successive squares of primes it becomes
   
  +
<haskell>
=== Getting the Composite Numbers Out ===
 
  +
primesSE = 2 : ops
  +
where
  +
ops = sieve 3 9 ops [] -- odd primes
  +
sieve x q ~(p:pt) fs =
  +
foldr (flip minus) [x,x+2..q-2] -- chain of subtractions
  +
[[y+s, y+2*s..q] | (s,y) <- fs] -- OR,
  +
-- [x,x+2..q-2] `minus` foldl union [] -- subtraction of merged
  +
-- [[y+s, y+2*s..q] | (s,y) <- fs] -- lists
  +
++ sieve (q+2) (head pt^2) pt
  +
((2*p,q):[(s,q-rem (q-y) s) | (s,y) <- fs])
  +
</haskell>
   
  +
This "marks" the odd composites in a given range by generating them - just as a person performing the original sieve of Eratosthenes would do, counting ''one by one'' the multiples of the relevant primes. These composites are independently generated so some will be generated multiple times.
The divisibility testing too should be considered a specification (as in ''no multiples of p''), and not a code per se, because although testing ''composites'' is cheap (as most of them will have small factors, so the test is soon aborted), testing ''prime'' numbers is costly, and is to be avoided.
 
   
  +
The advantage to working in spans explicitly is that this code is easily amendable to using arrays for the composites marking and removal on each ''finite'' span; and memory usage can be kept in check by using fixed sized segments.
==== Euler's Sieve ====
 
With each found prime Euler's sieve removes all its multiples in advance so that at each step the list to process is guaranteed to not have any multiples of all the preceding primes in it (consists only of numbers coprime with all the preceding primes) and thus starts with the next prime:
 
   
  +
====Segmented Tree-merging====
  +
Rearranging the chain of subtractions into a subtraction of merged streams ''([[#Linear merging|see below]])'' and using [[#Tree merging|tree-like folding]] structure, further [http://ideone.com/pfREP speeds up the code] and ''significantly'' improves its asymptotic time behavior (down to about <math>O(n^{1.28} empirically)</math>, space is leaking though):
  +
 
<haskell>
 
<haskell>
  +
primesSTE = 2 : ops
import Data.OrdList (minus)
 
  +
where
 
  +
ops = sieve 3 9 ops [] -- odd primes
euler xs@(p:xt) = p : euler (xt `minus` map (*p) xs)
 
  +
sieve x q ~(p:pt) fs =
primes = euler [2..]
 
  +
([x,x+2..q-2] `minus` joinST [[y+s, y+2*s..q] | (s,y) <- fs])
  +
++ sieve (q+2) (head pt^2) pt
  +
((++ [(2*p,q)]) [(s,q-rem (q-y) s) | (s,y) <- fs])
  +
  +
joinST (xs:t) = (union xs . joinST . pairs) t
  +
where
  +
pairs (xs:ys:t) = union xs ys : pairs t
  +
pairs t = t
  +
joinST [] = []
 
</haskell>
 
</haskell>
   
  +
====Segmented merging via an array====
This code is extremely inefficient, running at about O(<math>{n^{2.4}}</math>) complexity, and should be regarded a ''specification'' only. It works very hard trying to avoid double hits on multiples, which are relatively few and cheap to deal with in the first place. [[Prime_numbers#The Classic Turner.27s Sieve | Turner's sieve]] could also be seen as its rendition, substituting the built-in &nbsp;<code>filter</code>&nbsp; for &nbsp;<code>minus</code> - computationally different but having the same effect.
 
  +
  +
The removal of composites is easy with arrays. Starting points can be calculated directly:
   
But the situation can be improved using a different list representation, generating them not from a last element and an increment, but rather a last span and an increment, which entails a set of helpful equivalences:
 
 
<haskell>
 
<haskell>
  +
import Data.List (inits, tails)
fromSpan (xs,i) = concat $ iterate (map (+ i)) xs
 
  +
import Data.Array.Unboxed
  +
  +
primesSAE = 2 : sieve 2 4 (tail primesSAE) (inits primesSAE)
  +
-- (2:) . (sieve 2 4 . tail <*> inits) $ primesSAE
  +
where
  +
sieve r q ps (fs:ft) = [n | (n,True) <- assocs (
  +
accumArray (\ _ _ -> False) True (r+1,q-1)
  +
[(m,()) | p <- fs, let s = p * div (r+p) p,
  +
m <- [s,s+p..q-1]] :: UArray Int Bool )]
  +
++ sieve q (head ps^2) (tail ps) ft
  +
</haskell>
   
  +
The pattern of iterated calls to <code>tail</code> is captured by a higher-order function <code>tails</code>, which explicitly generates the stream of tails of a stream, making for a bit more readable (even if possibly a bit less efficient) code:
{- map (*p) (fromSpan (xs,i))
 
  +
<haskell>
=== fromSpan (map (*p) xs, i*p)
 
  +
psSAGE = 2 : [n | (r:q:_, fs) <- (zip . tails . (2:) . map (^2) <*> inits) psSAGE,
fromSpan (xs,i) `minus` fromSpan (ys,i)
 
=== fromSpan (xs `minus` ys, i)
+
(n,True) <- assocs (
  +
accumArray (\_ _ -> False) True (r+1, q-1)
fromSpan (p:xt,i) === p : fromSpan (xt ++ [p+i], i)
 
fromSpan (xs,i) === forall (p > 0).
+
[(m,()) | p <- fs, let s = (r+p)`div`p*p,
  +
m <- [s,s+p..q-1]] :: UArray Int Bool )]
fromSpan (concat $ take p $ iterate (map (+ i)) xs, i*p) -}
 
  +
</haskell>
   
  +
=== Linear merging ===
eulerS () = iterate eulerStep ([2],1)
 
  +
But segmentation doesn't add anything substantially, and each multiples stream starts at its prime's square anyway. What does the [[#Postponed|Postponed]] code do, operationally? With each prime's square passed by, there emerges a nested linear ''left-deepening'' structure, '''''(...((xs-a)-b)-...)''''', where '''''xs''''' is the original odds-producing ''[3,5..]'' list, so that each odd it produces must go through more and more <code>minus</code> nodes on its way up - and those odd numbers that eventually emerge on top are prime. Thinking a bit about it, wouldn't another, ''right-deepening'' structure, '''''(xs-(a+(b+...)))''''', be better? This idea is due to Richard Bird, seen in his code presented in M. O'Neill's article, equivalent to:
eulerStep w@(xs@(p:_), i) = w'
 
  +
<haskell>
  +
primesB = 2 : minus [3..] (foldr (\p r-> p*p : union [p*p+p, p*p+2*p..] r)
  +
[] primesB)
  +
</haskell>
  +
or,
  +
  +
<haskell>
  +
primesLME1 = 2 : prs
 
where
 
where
(_:ys) = concat $ take p $ iterate (map (+ i)) xs
+
prs = 3 : minus [5,7..] (joinL [[p*p, p*p+2*p..] | p <- prs])
  +
w' = ( (ys ++ [p+i*p]) `minus` map (*p) xs, i*p)
 
  +
joinL ((x:xs):t) = x : union xs (joinL t)
  +
</haskell>
   
  +
Here, ''xs'' stays near the top, and ''more frequently'' odds-producing streams of multiples of smaller primes are ''above'' those of the bigger primes, that produce ''less frequently'' their multiples which have to pass through ''more'' <code>union</code> nodes on their way up. Plus, no explicit synchronization is necessary anymore because the produced multiples of a prime start at its square anyway - just some care has to be taken to avoid a runaway access to the indefinitely-defined structure, defining <code>joinL</code> (or <code>foldr</code>'s combining function) to produce part of its result ''before'' accessing the rest of its input (thus making it ''productive'').
{- > mapM print $ take 4 $ eulerS ()
 
  +
([2],1)
 
  +
Melissa O'Neill [http://hackage.haskell.org/packages/archive/NumberSieves/0.0/doc/html/src/NumberTheory-Sieve-ONeill.html introduced double primes feed] to prevent unneeded memoization (a memory leak). We can even do multistage. Here's the code, faster still and with radically reduced memory consumption, with empirical orders of growth of around ~ <math>n^{1.40}</math> (initially better, yet worsening for bigger ranges):
([3],2)
 
  +
([5,7],6)
 
  +
<haskell>
([7,11,13,17,19,23,29,31],30) -}
 
  +
primesLME = 2 : _Y ((3:) . minus [5,7..] . joinL . map (\p-> [p*p, p*p+2*p..]))
  +
  +
_Y :: (t -> t) -> t
  +
_Y g = g (_Y g) -- multistage, non-sharing, g (g (g (g ...)))
  +
-- g (let x = g x in x) -- two g stages, sharing
 
</haskell>
 
</haskell>
   
  +
<code>_Y</code> is a non-sharing fixpoint combinator, here arranging for a recursive ''"telescoping"'' multistage primes production (a ''tower'' of producers).
This is where the notion of ''[[Prime_numbers#Prime_Wheels|wheel]]'' comes from, naturally and elegantly. For each wheel specification <code>w@((p:_),_)</code> produced by <code>eulerStep</code>, the numbers in <code>(fromSpan w)</code> up to <math>{p^2}</math> are all primes too, so that
 
   
  +
This allows the <code>primesLME</code> stream to be discarded immediately as it is being consumed by its consumer. For <code>prs</code> from <code>primesLME1</code> definition above it is impossible, as each produced element of <code>prs</code> is needed later as input to the same <code>prs</code> corecursive stream definition. So the <code>prs</code> stream feeds in a loop into itself and is thus retained in memory, being consumed by self much slower than it is produced. With multistage production, each stage feeds into its consumer above it at the square of its current element which can be immediately discarded after it's been consumed. <code>(3:)</code> jump-starts the whole thing.
  +
  +
=== Tree merging ===
  +
Moreover, it can be changed into a '''''tree''''' structure. This idea [http://www.haskell.org/pipermail/haskell-cafe/2007-July/029391.html is due to Dave Bayer] and [[Prime_numbers_miscellaneous#Implicit_Heap|Heinrich Apfelmus]]:
  +
  +
<haskell>
  +
primesTME = 2 : _Y ((3:) . gaps 5 . joinT . map (\p-> [p*p, p*p+2*p..]))
  +
  +
-- joinL ((x:xs):t) = x : union xs (joinL t)
  +
joinT ((x:xs):t) = x : union xs (joinT (pairs t)) -- set union, ~=
  +
where pairs (xs:ys:t) = union xs ys : pairs t -- nub.sort.concat
  +
  +
gaps k s@(x:xs) | k < x = k:gaps (k+2) s -- ~= [k,k+2..]\\s,
  +
| True = gaps (k+2) xs -- when null(s\\[k,k+2..])
  +
</haskell>
  +
  +
This code is [http://ideone.com/p0e81 pretty fast], running at speeds and empirical complexities comparable with the code from Melissa O'Neill's article (about <math>O(n^{1.2})</math> in number of primes ''n'' produced).
  +
  +
As an aside, <code>joinT</code> is equivalent to [[Fold#Tree-like_folds|infinite tree-like folding]] <code>foldi (\(x:xs) ys-> x:union xs ys) []</code>:
  +
  +
[[Image:Tree-like_folding.gif|frameless|center|458px|tree-like folding]]
  +
  +
[https://hackage.haskell.org/package/data-ordlist-0.4.7.0/docs/Data-List-Ordered.html#v:foldt <code>Data.List.Ordered.foldt</code>] of the <i>data-ordlist</i> package builds the same structure, but in a lazier fashion, consuming its input at the slowest pace possible. Here this sophistication is not needed (evidently).
  +
  +
=== Tree merging with Wheel ===
  +
Wheel factorization optimization can be further applied, and another tree structure can be used which is better adjusted for the primes multiples production (effecting about 5%-10% at the top of a total ''2.5x speedup'' w.r.t. the above tree merging on odds only, for first few million primes):
  +
  +
<haskell>
  +
primesTMWE = [2,3,5,7] ++ _Y ((11:) . tail . gapsW 11 wheel
  +
. joinT . hitsW 11 wheel)
  +
  +
gapsW k (d:w) s@(c:cs) | k < c = k : gapsW (k+d) w s -- set difference
  +
| otherwise = gapsW (k+d) w cs -- k==c
  +
hitsW k (d:w) s@(p:ps) | k < p = hitsW (k+d) w s -- intersection
  +
| otherwise = scanl (\c d->c+p*d) (p*p) (d:w)
  +
: hitsW (k+d) w ps -- k==p
  +
  +
wheel = 2:4:2:4:6:2:6:4:2:4:6:6:2:6:4:2:6:4:6:8:4:2:4:2:
  +
4:8:6:4:6:2:4:6:2:6:6:4:2:4:6:2:6:4:2:4:2:10:2:10:wheel
  +
-- cycle $ zipWith (-) =<< tail $ [i | i <- [11..221], gcd i 210 == 1]
  +
</haskell>
  +
  +
The <code>hitsW</code> function is there to find the starting point for rolling the wheel for each prime, but this can be found directly:
  +
  +
<haskell>
  +
primesW = [2,3,5,7] ++ _Y ( (11:) . tail . gapsW 11 wheel . joinT .
  +
map (\p->
  +
map (p*) . dropWhile (< p) $
  +
scanl (+) (p - rem (p-11) 210) wheel) )
  +
</haskell>
  +
  +
Seems to run about 1.4x faster, too.
  +
  +
====Above Limit - Offset Sieve====
  +
Another task is to produce primes above a given value:
 
<haskell>
 
<haskell>
  +
{-# OPTIONS_GHC -O2 -fno-cse #-}
eulerPrimesTo m = if m > 1 then go ([2],1) else []
 
  +
primesFromTMWE primes m = dropWhile (< m) [2,3,5,7,11]
  +
++ gapsW a wh2 (compositesFrom a)
 
where
 
where
go w@((p:_), _)
+
(a,wh2) = rollFrom (snapUp (max 3 m) 3 2)
| m < p*p = takeWhile (<= m) (fromSpan w)
+
(h,p2:t) = span (< z) $ drop 4 primes -- p < z => p*p<=a
| True = p : go (eulerStep w)
+
z = ceiling $ sqrt $ fromIntegral a + 1 -- p2>=z => p2*p2>a
  +
compositesFrom a = joinT (joinST [multsOf p a | p <- h ++ [p2]]
  +
: [multsOf p (p*p) | p <- t] )
  +
  +
snapUp v o step = v + (mod (o-v) step) -- full steps from o
  +
multsOf p from = scanl (\c d->c+p*d) (p*x) wh -- map (p*) $
  +
where -- scanl (+) x wh
  +
(x,wh) = rollFrom (snapUp from p (2*p) `div` p) -- , if p < from
  +
  +
wheelNums = scanl (+) 0 wheel
  +
rollFrom n = go wheelNums wheel
  +
where
  +
m = (n-11) `mod` 210
  +
go (x:xs) ws@(w:ws2) | x < m = go xs ws2
  +
| True = (n+x-m, ws) -- (x >= m)
 
</haskell>
 
</haskell>
   
  +
A certain preprocessing delay makes it worthwhile when producing more than just a few primes, otherwise it degenerates into simple [[#Optimal trial division|trial division]], which is then ought to be used directly:
This runs at about O(<math>{n^{1.5}}</math>) complexity, for <code>n</code> primes produced.
 
   
  +
<haskell>
==== Postponed Multiples Removal ====
 
  +
primesFrom m = filter isPrime [m..]
All the filtering versions thus far try to ''keep the primes'' among all numbers by testing ''each number'' in isolation. Instead, we can just ''remove'' the prime's ''multiples'' in advance. We gain in speed because we now get the primes ''for free'', after all the multiples are removed on a particular span, ''without'' performing any divisibility tests ''at all'', with this simple variation of the [[Prime_numbers#Postponed Filters Sieve | Postponed Filters sieve]]:
 
  +
</haskell>
  +
  +
=== Map-based ===
  +
Runs ~1.7x slower than [[#Tree_merging|TME version]], but with the same empirical time complexity, ~<math>n^{1.2}</math> (in ''n'' primes produced) and same very low (near constant) memory consumption:
   
 
<haskell>
 
<haskell>
  +
import Data.List -- based on http://stackoverflow.com/a/1140100
primes :: [Integer]
 
  +
import qualified Data.Map as M
primes = 2: 3: sieve (tail primes) [5,7..]
 
where
 
sieve (p:ps) xs = h ++ sieve ps (t `minus` tail [q,q+2*p..])
 
where (h,~(_:t)) = span (< q) xs
 
q = p*p
 
</haskell>
 
   
  +
primesMPE :: [Integer]
This is similar to Euler's sieve in that it removes multiples of each prime in advance, but will generate some of the multiples more than once, like e.g. <code>3*15</code> and <code>5*9</code>, unlike the true Euler's sieve.
 
  +
primesMPE = 2:mkPrimes 3 M.empty prs 9 -- postponed addition of primes into map;
  +
where -- decoupled primes loop feed
  +
prs = 3:mkPrimes 5 M.empty prs 9
  +
mkPrimes n m ps@ ~(p:pt) q = case (M.null m, M.findMin m) of
  +
(False, (n2, skips)) | n == n2 ->
  +
mkPrimes (n+2) (addSkips n (M.deleteMin m) skips) ps q
  +
_ -> if n<q
  +
then n : mkPrimes (n+2) m ps q
  +
else mkPrimes (n+2) (addSkip n m (2*p)) pt (head pt^2)
  +
  +
addSkip n m s = M.alter (Just . maybe [s] (s:)) (n+s) m
  +
addSkips = foldl' . addSkip
  +
</haskell>
  +
  +
== Turner's sieve - Trial division ==
  +
  +
David Turner's ''(SASL Language Manual, 1983)'' formulation replaces non-standard <code>minus</code> in the sieve of Eratosthenes by stock list comprehension with <code>rem</code> filtering, turning it into a trial division algorithm, for clarity and simplicity:
   
==== Merged Multiples Removal Sieve ====
 
The construct <code>(...((s-a)-b)-...)</code> in [[Prime_numbers#Postponed Multiples Removal | Postponed Multiples Removal ]] is the same as <code>(s-(a+b+...))</code>, and so we can just remove the ''merged'' infinite primes multiples, each starting at its prime's square, from the ''initial'' numbers supply. This way we needn't explicitly jump to a prime's square because it's where its multiples start anyway:
 
 
<haskell>
 
<haskell>
  +
-- unbounded sieve, premature filters
import Data.OrdList (minus,union)
 
  +
primesT = sieve [2..]
  +
where
  +
sieve (p:xs) = p : sieve [x | x <- xs, rem x p > 0]
   
  +
-- map head
primes :: [Integer]
 
  +
-- $ iterate (\(p:xs) -> [x | x <- xs, rem x p > 0]) [2..]
primes = 2:primes'
 
where
 
primes' = [3] ++ [5,7..] `minus` foldr merge' [] mults
 
mults = map (\p->let q=p*p in (q,tail [q,q+2*p..])) $ primes'
 
merge' (q,qs) xs = q : union qs xs
 
 
</haskell>
 
</haskell>
   
  +
This creates many superfluous implicit filters, because they are created prematurely. To be admitted as prime, ''each number'' will be ''tested for divisibility'' here by all its preceding primes, while just those not greater than its square root would suffice. To find e.g. the '''1001'''st prime (<code>7927</code>), '''1000''' filters are used, when in fact just the first '''24''' are needed (up to <code>89</code>'s filter only). Operational overhead here is huge.
This code is yet faster. Its main deficiency still is that it creates a linear nested merging structure, instead of a tree-like structure. Each multiple produced by a prime has to percolate to the top eventually, so it's better to make its path shorter. It'll have to go through fewer merge nodes this way.
 
   
  +
=== Guarded Filters ===
The linearity is imposed by type asymmetry of our <code>(merge' :: a -> b -> b)</code> function, forcing us into the <code>1+(1+(1+(1+...)))</code> pattern, <code>+</code> standing for <code>merge'</code> (which was defined that way to prevent the run-ahead when folding over the infinite list of lists of multiples).
 
  +
But this really ought to be changed into bounded and guarded variant, [[#From Squares|again achieving]] the ''"miraculous"'' complexity improvement from above quadratic to about <math>O(n^{1.45})</math> empirically (in ''n'' primes produced):
   
  +
<haskell>
We need to turn it into an associative operation of uniform type <code>(:: a -> a -> a)</code> to be able to freely rearrange the combinations into arbitrary tree-like patterns, as in e.g. ((1+1)+(2+2))+(...) etc. The type uniformity is what makes compositionality possible.
 
  +
primesToGT m = sieve [2..m]
  +
where
  +
sieve (p:xs)
  +
| p*p > m = p : xs
  +
| True = p : sieve [x | x <- xs, rem x p > 0]
   
  +
-- (\(a,b:_) -> map head a ++ b) . span ((< m).(^2).head) $
The code in the "Implicit Heap" section below improves on that, and is essentially equivalent to using a treefold instead of a standard linear <code>foldr</code>, as in:
 
  +
-- iterate (\(p:xs) -> [x | x <- xs, rem x p > 0]) [2..m]
  +
</haskell>
   
  +
=== Postponed Filters ===
===== Treefold Merged Multiples Removal =====
 
  +
Or it can remain unbounded, just filters creation must be ''postponed'' until the right moment:
 
<haskell>
 
<haskell>
  +
primesPT1 = 2 : sieve primesPT1 [3..]
primes :: [Integer]
 
  +
where
primes = 2:primes'
 
  +
sieve (p:pt) xs = let (h,t) = span (< p*p) xs
where
 
  +
in h ++ sieve pt [x | x <- t, rem x p > 0]
primes' = [3,5,7,11,13,17] ++ [19,21..] `minus` comps
 
mults = map (\p-> let q=p*p in ([q],tail [q,q+2*p..])) $ primes'
 
comps = fst $ tfold mergeSP (pairwise mergeSP mults)
 
   
  +
-- fix $ concatMap (fst . fst)
pairwise f (x:y:ys) = f x y : pairwise f ys
 
tfold f (a:b:c:xs) = (a `f` (b `f` c)) `f` tfold f (pairwise f xs)
+
-- . iterate (\((_,xs), p:pt) -> let (h,t) = span (< p*p) xs in
  +
-- ((h, [x | x <- t, rem x p > 0]), pt))
mergeSP (a,b) ~(c,d) = let (bc,bd) = spMerge b c d
 
in (a ++ bc, bd)
+
-- . (,) ([2],[3..])
where
 
spMerge b [] d = ([], union b d)
 
spMerge b@(x:xs) c@(y:ys) d = case compare x y of
 
LT -> (x:u,v) where (u,v) = spMerge xs c d
 
EQ -> (x:u,v) where (u,v) = spMerge xs ys d
 
GT -> (y:u,v) where (u,v) = spMerge b ys d
 
 
</haskell>
 
</haskell>
  +
It can be re-written with <code>span</code> and <code>(++)</code> inlined and fused into the <code>sieve</code>:
The fold used here creates a <code>(2+(2+2))+( (4+(4+4)) + ( (8+(8+8)) + ... ))</code> structure, better adjusted for primes multiples production than <code>1+(2+(4+(8+...)))</code>, used by the "Implicit Heap" code, giving it additional 10% speedup.
 
  +
<haskell>
  +
primesPT = 2 : oddprimes
  +
where
  +
oddprimes = sieve [3,5..] 9 oddprimes
  +
sieve (x:xs) q ps@ ~(p:pt)
  +
| x < q = x : sieve xs q ps
  +
| True = sieve [x | x <- xs, rem x p /= 0] (head pt^2) pt
  +
</haskell>
  +
creating here [[#Linear merging |as well]] the linear filtering nested structure at run-time, <code>(...(([3,5..] >>= filterBy [3]) >>= filterBy [5])...)</code>, where <code>filterBy ds n = [n | noDivs n ds]</code> (see <code>noDivs</code> definition below) &thinsp;&ndash;&thinsp; but unlike the original code, each filter being created at its proper moment, not sooner than the prime's square is seen.
   
  +
=== Optimal trial division ===
<code> mergeSP </code> is an associative operation, preserving of the invariant such that for a list of multiples <code>[(a,b),(c,d), ...]</code>, it's always the case that <code> last a < head b && last a < head c</code>. These "split pairs" represent ordered list as a pair of its known and (currently) finite prefix, and the rest of it. Such pairs under <code>mergeSP</code> operation form a <i>monoid</i>, and if we were to declare a <hask>newtype SplitPair a = SP ([a],[a])</hask> a <hask>Monoid</hask> instance, with <code>mergeSP</code> its <hask>mappend</hask> (and <code>tfold</code> its <hask>mconcat</hask>), the above code for <code>comps</code> would just become <hask>SP (comps,_) = mconcat mults</hask>.
 
   
  +
The above is equivalent to the traditional formulation of trial division,
This code exhibits approximately O(<math>{n^{1.20}}</math>)..O(<math>{n^{1.15}}</math>) local asymptotic behavior (tested interpreted, in GHCi, for 10,000 to 300,000 primes produced). When compared with Melissa O'Neill's PQ code from the ZIP package which was modified to work on odds only as well, it is 3.2x times faster, with used memory reported about 2.5x times smaller.
 
  +
<haskell>
  +
ps = 2 : [i | i <- [3..],
  +
and [rem i p > 0 | p <- takeWhile (\p -> p^2 <= i) ps]]
  +
</haskell>
  +
or,
  +
<haskell>
  +
noDivs n fs = foldr (\f r -> f*f > n || (rem n f > 0 && r)) True fs
  +
  +
-- primes = filter (`noDivs`[2..]) [2..]
  +
-- = 2 : filter (`noDivs`[3,5..]) [3,5..]
  +
  +
primesTD = 2 : 3 : filter (`noDivs` tail primesTD) [5,7..]
  +
isPrime n = n > 1 && noDivs n primesTD
  +
</haskell>
  +
except that this code is rechecking for each candidate number which primes to use, whereas for every candidate number in each segment between the successive squares of primes these will just be the same prefix of the primes list being built.
   
  +
Trial division is used as a simple [[Testing primality#Primality Test and Integer Factorization|primality test and prime factorization algorithm]].
It can be further improved with the wheel optimization (as seen in [[Prime_numbers#Euler.27s_Sieve | Euler's Sieve]] and described below in [[Prime_numbers#Prime Wheels | Prime Wheels]] section):
 
   
===== Treefold Merged Multiples, with Wheel =====
+
=== Segmented Generate and Test ===
  +
Next we turn [[#Postponed Filters |the list of filters]] into one filter by an ''explicit'' list, each one in a progression of prefixes of the primes list. This seems to eliminate most recalculations, explicitly filtering composites out from batches of odds between the consecutive squares of primes.
 
<haskell>
 
<haskell>
  +
import Data.List
primes :: [Integer]
 
primes = 2:3:5:7:primes'
 
where
 
primes' = [11,13,17,19,23,29] ++ (rollFrom 31) `minus` comps
 
mults = map (\p-> fromList $ map (p*) $ rollFrom p) $ primes'
 
comps = fst $ tfold mergeSP (pairwise mergeSP mults)
 
fromList (x:xs) = ([x],xs)
 
rollFrom n = let x = (n-11) `mod` 210
 
(y,_) = span (< x) wheelNums
 
in roll n $ drop (length y) wheel
 
   
  +
primesST = 2 : ops
wheelNums = roll 0 wheel
 
  +
where
roll = scanl (+)
 
  +
ops = sieve 3 9 ops (inits ops) -- odd primes
wheel = 2:4:2:4:6:2:6:4:2:4:6:6:2:6:4:2:6:4:6:8:4:2:4:2:
 
  +
-- (sieve 3 9 <*> inits) ops -- [],[3],[3,5],...
4:8:6:4:6:2:4:6:2:6:6:4:2:4:6:2:6:4:2:4:2:10:2:10:wheel
 
  +
sieve x q ~(_:pt) (fs:ft) =
  +
filter ((`all` fs) . ((> 0).) . rem) [x,x+2..q-2]
  +
++ sieve (q+2) (head pt^2) pt ft
 
</haskell>
 
</haskell>
  +
This can also be coded as, arguably more readable,
  +
<haskell>
  +
primesSGT = 2 : ops
  +
where
  +
ops = 3 : [n | (r:q:_, px) <-
  +
(zip . tails . (3:) . map (^2) <*> inits) ops,
  +
n <- [r+2,r+4..q-2], all ((> 0).rem n) px]
   
  +
-- n <- foldl (>>=) [r+2,r+4..q-2] -- chain of filters
This runs about 2.5x times faster than the Priority Queue-based code as present in Melissa O'Neill's ZIP package, with similar local asymptotic behavior of about O(<math>{n^{1.25}}</math>)..O(<math>{n^{1.17}}</math>) (tested interpreted, in GHCi, for 10,000 to 300,000 primes produced), with used memory reported about twice less as well.
 
  +
-- [filterBy [p] | p <- px]]
  +
  +
-- n <- [r+2,r+4..q-2] >>= filterBy px] -- filter by a list
  +
</haskell>
   
  +
==== Generate and Test Above Limit ====
==== Multiples Removal on Generated Spans, or Sieve of Eratosthenes ====
 
   
  +
The following will start the segmented Turner sieve at the right place, using any primes list it's supplied with (e.g. [[#Tree_merging_with_Wheel | TMWE]] etc.) or itself, as shown, demand computing it just up to the square root of any prime it'll produce:
Potponed multiples removal, with work done segment-wise, on the spans of numbers between the successive primes squares, becomes
 
   
 
<haskell>
 
<haskell>
  +
primesFromST m | m <= 2 = 2 : primesFromST 3
import Data.OrdList (minus,union)
 
  +
primesFromST m | m > 2 =
  +
sieve (m`div`2*2+1) (head ps^2) (tail ps) (inits ps)
  +
where
  +
(h,ps) = span (<= (floor.sqrt $ fromIntegral m+1)) ops
  +
sieve x q ps (fs:ft) =
  +
filter ((`all` (h ++ fs)) . ((> 0).) . rem) [x,x+2..q-2]
  +
++ sieve (q+2) (head ps^2) (tail ps) ft
  +
ops = 3 : primesFromST 5 -- odd primes
   
  +
-- ~> take 3 $ primesFromST 100000001234
primes :: [Integer]
 
  +
-- [100000001237,100000001239,100000001249]
primes = 2: 3: sieve [] (tail primes) 5
 
  +
</haskell>
where
 
sieve fs (p:ps) x = [x,x+2..q-2] `minus` foldl union [] mults
 
++ sieve ((2*p,q):fs') ps (q+2)
 
where
 
q = p*p
 
mults = [ [y+s,y+2*s..q] | (s,y)<- fs]
 
fs' = [ (s,last ms) | ((s,_),ms)<- zip fs mults]
 
</haskell>
 
   
  +
This is usually faster than testing candidate numbers for divisibility [[#Optimal trial division|one by one]] which has to re-fetch anew the needed prime factors to test by, for each candidate. Faster is the [[99_questions/Solutions/39#Solution_4.|offset sieve of Eratosthenes on odds]], and yet faster the one [[#Above_Limit_-_Offset_Sieve|w/ wheel optimization]], on this page.
This modifies the [[Prime_numbers#Generated Spans, by List of Primes|Generated Spans]] sieve to "mark" the odd composites in a given range (instead of testing all the odds' divisibility) by generating them - just as a person performing the original sieve of Eratosthenes would do, marking one by one the multiples of the relevant primes. These composites are independently generated so some will be generated multiple times.
 
   
  +
=== Conclusions ===
Interpreted under both GHCi and WinHugs, it runs ''faster'', takes ''less'' memory, and has better asymptotic behavior, its performance approximately the same as in the [[Prime_numbers#Merged Multiples Removal sieve | Merged Multiples Removal sieve]]. The advantage in working with spans explicitly is that this code is easily amendable to using arrays for the composites marking and removal on each <i>finite</i> span.
 
  +
All these variants being variations of trial division, finding out primes by direct divisibility testing of every candidate number by sequential primes below its square root (instead of just by ''its factors'', which is what ''direct generation of multiples'' is doing, essentially), are thus principally of worse complexity than that of Sieve of Eratosthenes.
   
  +
The initial code is just a one-liner that ought to have been regarded as ''executable specification'' in the first place. It can easily be improved quite significantly with a simple use of bounded, guarded formulation to limit the number of filters it creates, or by postponement of filter creation.
=== Using Immutable Arrays ===
 
   
  +
== Euler's Sieve ==
==== Generating Segments of Primes ====
 
  +
=== Unbounded Euler's sieve ===
  +
With each found prime Euler's sieve removes all its multiples ''in advance'' so that at each step the list to process is guaranteed to have ''no multiples'' of any of the preceding primes in it (consists only of numbers ''coprime'' with all the preceding primes) and thus starts with the next prime:
   
The removal of multiples on each segment of odds in the [[Prime_numbers#Multiples Removal on Generated Spans, or Sieve of Eratosthenes | Sieve of Eratosthenes]] can be done by actually marking them in an array, instead of manipulating the ordered lists:
 
 
<haskell>
 
<haskell>
  +
primesEU = 2 : eulers [3,5..]
primes :: [Integer]
 
  +
where
primes = 2: 3: sieve [] (tail primes) 5
 
  +
eulers (p:xs) = p : eulers (xs `minus` map (p*) (p:xs))
where
 
sieve fs (p:ps) x = [i | i<- [x,x+2..q-2], a!i]
+
-- eratos (p:xs) = p : eratos (xs `minus` [p*p, p*p+2*p..])
++ sieve ((2*p,q):fs') ps (q+2)
 
where
 
q = p*p
 
mults = [ [y+s,y+2*s..q] | (s,y)<- fs]
 
fs' = [ (s,last ms) | ((s,_),ms)<- zip fs mults]
 
a = accumArray (\a b->False) True (x,q-2)
 
[(i,()) | ms<- mults, i<- ms]
 
 
</haskell>
 
</haskell>
Apparently, arrays are ''fast'' too. This code, compared with [[Prime_numbers#Treefold Merged Multiples, with Wheel | Treefold Merged with Wheel]] version (itself 2.5x times faster than Melissa O'Neill's PQ version), runs at about the same time and memory usage, but improving slightly with slightly better local asymptotics.
 
   
  +
This code is extremely inefficient, running above <math>O({n^{2}})</math> empirical complexity (and worsening rapidly), and should be regarded a ''specification'' only. Its memory usage is very high, with empirical space complexity just below <math>O({n^{2}})</math>, in ''n'' primes produced.
==== Calculating Primes Upto a Given Value ====
 
   
  +
In the stream-based sieve of Eratosthenes we are able to ''skip'' along the input stream <code>xs</code> directly to the prime's square, consuming the whole prefix at once, thus achieving the results equivalent to the postponement technique, because the generation of the prime's multiples is independent of the rest of the stream.
  +
  +
But here in the Euler's sieve it ''is'' dependent on all <code>xs</code> and we're unable ''in principle'' to skip along it to the prime's square - because all <code>xs</code> are needed for each prime's multiples generation. Thus efficient unbounded stream-based implementation seems to be impossible in principle, under the simple scheme of producing the multiples by multiplication.
  +
  +
=== Wheeled list representation ===
  +
  +
The situation can be somewhat improved using a different list representation, for generating lists not from a last element and an increment, but rather a last span and an increment, which entails a set of helpful equivalences:
 
<haskell>
 
<haskell>
  +
{- fromElt (x,i) = x : fromElt (x + i,i)
primesToN n = 2: [i | i<-[3,5..n], ar!i]
 
  +
=== iterate (+ i) x
where
 
ar = f 5 $ accumArray (\a b->False) True (3,n)
+
[n..] === fromElt (n,1)
[(i,()) | i<- [9,15..n]]
+
=== fromSpan ([n],1)
  +
[n,n+2..] === fromElt (n,2)
  +
=== fromSpan ([n,n+2],4) -}
  +
  +
fromSpan (xs,i) = xs ++ fromSpan (map (+ i) xs,i)
  +
  +
{- === concat $ iterate (map (+ i)) xs
  +
fromSpan (p:xt,i) === p : fromSpan (xt ++ [p + i], i)
  +
fromSpan (xs,i) `minus` fromSpan (ys,i)
  +
=== fromSpan (xs `minus` ys, i)
  +
map (p*) (fromSpan (xs,i))
  +
=== fromSpan (map (p*) xs, p*i)
  +
fromSpan (xs,i) === forall (p > 0).
  +
fromSpan (concat $ take p $ iterate (map (+ i)) xs, p*i) -}
  +
  +
spanSpecs = iterate eulerStep ([2],1)
  +
eulerStep (xs@(p:_), i) =
  +
( (tail . concat . take p . iterate (map (+ i))) xs
  +
`minus` map (p*) xs, p*i )
  +
  +
{- > mapM_ print $ take 4 spanSpecs
  +
([2],1)
  +
([3],2)
  +
([5,7],6)
  +
([7,11,13,17,19,23,29,31],30) -}
  +
</haskell>
  +
  +
Generating a list from a span specification is like rolling a ''[[#Prime_Wheels|wheel]]'' as its pattern gets repeated over and over again. For each span specification <code>w@((p:_),_)</code> produced by <code>eulerStep</code>, the numbers in <code>(fromSpan w)</code> up to <math>{p^2}</math> are all primes too, so that
  +
  +
<haskell>
  +
eulerPrimesTo m = if m > 1 then go ([2],1) else []
  +
where
  +
go w@((p:_), _)
  +
| m < p*p = takeWhile (<= m) (fromSpan w)
  +
| True = p : go (eulerStep w)
  +
</haskell>
  +
  +
This runs at about <math>O(n^{1.5..1.8})</math> complexity, for <code>n</code> primes produced, and also suffers from a severe space leak problem (IOW its memory usage is also very high).
  +
  +
== Using Immutable Arrays ==
  +
  +
=== Generating Segments of Primes ===
  +
  +
The sieve of Eratosthenes' [[#Segmented|removal of multiples on each segment of odds]] can be done by actually marking them in an array, instead of manipulating ordered lists, and can be further sped up more than twice by working with odds only:
  +
  +
<haskell>
  +
import Data.Array.Unboxed
  +
  +
primesSA :: [Int]
  +
primesSA = 2 : oddprimes ()
  +
where
  +
oddprimes = (3 :) . sieve 3 [] . oddprimes
  +
sieve x fs (p:ps) = [i*2 + x | (i,True) <- assocs a]
  +
++ sieve (p*p) ((p,0) :
  +
[(s, rem (y-q) s) | (s,y) <- fs]) ps
  +
where
  +
q = (p*p-x)`div`2
  +
a :: UArray Int Bool
  +
a = accumArray (\ b c -> False) True (1,q-1)
  +
[(i,()) | (s,y) <- fs, i <- [y+s, y+s+s..q]]
  +
</haskell>
  +
  +
Runs significantly faster than [[#Tree merging with Wheel|TMWE]] and with better empirical complexity, of about <math>O(n^{1.10..1.05})</math> in producing first few millions of primes, with constant memory footprint.
  +
  +
=== Calculating Primes Upto a Given Value ===
  +
  +
Equivalent to [[#Accumulating Array|Accumulating Array]] above, running somewhat faster (compiled by GHC with optimizations turned on):
  +
  +
<haskell>
  +
{-# OPTIONS_GHC -O2 #-}
  +
import Data.Array.Unboxed
  +
  +
primesToNA n = 2: [i | i <- [3,5..n], ar ! i]
  +
where
  +
ar = f 5 $ accumArray (\ a b -> False) True (3,n)
  +
[(i,()) | i <- [9,15..n]]
 
f p a | q > n = a
 
f p a | q > n = a
| True = if null x then a' else f (head x) a'
+
| True = if null x then a2 else f (head x) a2
 
where q = p*p
 
where q = p*p
a'= a//[(i,False)|i<-[q,q+2*p..n]]
+
a2 :: UArray Int Bool
x = [i | i<-[p+2,p+4..n], a' !i]
+
a2 = a // [(i,False) | i <- [q, q+2*p..n]]
  +
x = [i | i <- [p+2,p+4..n], a2 ! i]
 
</haskell>
 
</haskell>
   
==== Calculating Primes in a Given Range ====
+
=== Calculating Primes in a Given Range ===
   
 
<haskell>
 
<haskell>
primesFromTo a b = (if a<3 then [2] else [])
+
primesFromToA a b = (if a<3 then [2] else [])
++ [i | i<-[o,o+2..b], ar!i]
+
++ [i | i <- [o,o+2..b], ar ! i]
where
+
where
o = max (if even a then a+1 else a) 3
+
o = max (if even a then a+1 else a) 3 -- first odd in the segment
r = floor.sqrt.fromInteger $ b+1
+
r = floor . sqrt $ fromIntegral b + 1
ar = accumArray (\a b-> False) True (o,b)
+
ar = accumArray (\_ _ -> False) True (o,b) -- initially all True,
 
[(i,()) | p <- [3,5..r]
 
[(i,()) | p <- [3,5..r]
, let q = p*p
+
, let q = p*p -- flip every multiple of an odd
s = 2*p
+
s = 2*p -- to False
 
(n,x) = quotRem (o - q) s
 
(n,x) = quotRem (o - q) s
q' = if o <= q then q
+
q2 = if o <= q then q
 
else q + (n + signum x)*s
 
else q + (n + signum x)*s
, i<- [q',q'+s..b] ]
+
, i <- [q2,q2+s..b] ]
 
</haskell>
 
</haskell>
   
Although testing by odds instead of by primes, the array generation is so fast that it is very much feasible and even preferable for quick generation of some short spans of relatively big primes.
+
Although sieving by odds instead of by primes, the array generation is so fast that it is very much feasible and even preferable for quick generation of some short spans of relatively big primes.
   
=== Using Mutable Arrays ===
+
== Using Mutable Arrays ==
   
Using mutable arrays is the fastest and most memory efficient way to calculate prime numbers in Haskell.
+
Using mutable arrays is the fastest but not the most memory efficient way to calculate prime numbers in Haskell.
   
==== Using ST Array ====
+
=== Using ST Array ===
   
 
This method implements the Sieve of Eratosthenes, similar to how you might do it
 
This method implements the Sieve of Eratosthenes, similar to how you might do it
  +
in C, modified to work on odds only. It is fast, but about linear in memory consumption, allocating one (though apparently packed) sieve array for the whole sequence to process.
in C.
 
   
 
<haskell>
 
<haskell>
 
import Control.Monad
 
import Control.Monad
 
import Control.Monad.ST
 
import Control.Monad.ST
import Data.Array.IArray
 
import Data.Array.MArray
 
 
import Data.Array.ST
 
import Data.Array.ST
 
import Data.Array.Unboxed
 
import Data.Array.Unboxed
   
primesToNA :: Int -> UArray Int Bool
+
sieveUA :: Int -> UArray Int Bool
primesToNA n = runSTUArray sieve where
+
sieveUA top = runSTUArray $ do
  +
let m = (top-1) `div` 2
sieve = do
 
a <- newArray (2,n) True :: ST s (STUArray s Int Bool)
+
r = floor . sqrt $ fromIntegral top + 1
  +
sieve <- newArray (1,m) True -- :: ST s (STUArray s Int Bool)
let sr = floor . (sqrt::Double->Double) . fromIntegral $ n+1
 
forM_ [4,6..n] $ \j -> writeArray a j False
+
forM_ [1..r `div` 2] $ \i -> do
  +
isPrime <- readArray sieve i
forM_ [3,5..sr] $ \i -> do
 
  +
when isPrime $ do -- ((2*i+1)^2-1)`div`2 == 2*i*(i+1)
si <- readArray a i
 
  +
forM_ [2*i*(i+1), 2*i*(i+2)+1..m] $ \j -> do
when si $
 
forM_ [i*i,i*i+i+i..n] $ \j -> writeArray a j False
+
writeArray sieve j False
return a
+
return sieve
  +
 
primesToN :: Int -> [Int]
+
primesToUA :: Int -> [Int]
primesToN n = [i | (i,e) <- assocs . primesToNA $n, e]
+
primesToUA top = 2 : [i*2+1 | (i,True) <- assocs $ sieveUA top]
 
</haskell>
 
</haskell>
   
  +
Its [http://ideone.com/KwZNc empirical time complexity] is improving with ''n'' (number of primes produced) from above <math>O(n^{1.20})</math> towards <math>O(n^{1.16})</math>. The reference [http://ideone.com/FaPOB C++ vector-based implementation] exhibits this improvement in empirical time complexity too, from <math>O(n^{1.5})</math> gradually towards <math>O(n^{1.12})</math>, where tested ''(which might be interpreted as evidence towards the expected [http://en.wikipedia.org/wiki/Computation_time#Linearithmic.2Fquasilinear_time quasilinearithmic] <math>O(n \log(n)\log(\log n))</math> time complexity)''.
==== Bitwise prime sieve with Template Haskell ====
 
  +
  +
=== Bitwise prime sieve with Template Haskell ===
   
 
Count the number of prime below a given 'n'. Shows fast bitwise arrays,
 
Count the number of prime below a given 'n'. Shows fast bitwise arrays,
Line 381: Line 723:
 
e <- unsafeRead a n
 
e <- unsafeRead a n
 
if e then
 
if e then
if n < cutoff then
+
if n < cutoff then
let loop !j
+
let loop !j
| j < m = do
+
| j < m = do
x <- unsafeRead a j
+
x <- unsafeRead a j
when x $ unsafeWrite a j False
+
when x $ unsafeWrite a j False
loop (j+n)
+
loop (j+n)
| otherwise = go a m cutoff (n+2) (c+1)
+
| otherwise = go a m cutoff (n+2) (c+1)
in loop ( if n < 46340 then n * n else n `shiftL` 1)
+
in loop ( if n < 46340 then n * n else n `shiftL` 1)
else go a m cutoff (n+2) (c+1)
+
else go a m cutoff (n+2) (c+1)
 
else go a m cutoff (n+2) c
 
else go a m cutoff (n+2) c
 
</haskell>
 
</haskell>
   
And places in a module:
+
And place in a module:
   
 
<haskell>
 
<haskell>
Line 411: Line 753:
 
</haskell>
 
</haskell>
   
=== Implicit Heap ===
+
== Implicit Heap ==
   
  +
See [[Prime_numbers_miscellaneous#Implicit_Heap | Implicit Heap]].
The following is a more efficient prime generator, implementing the sieve of
 
Eratosthenes.
 
   
  +
== Prime Wheels ==
See also the message threads [http://thread.gmane.org/gmane.comp.lang.haskell.cafe/25270/focus=25312 Re: "no-coding" functional data structures via lazyness] for more about how merging ordered lists amounts to creating an implicit heap and [http://thread.gmane.org/gmane.comp.lang.haskell.cafe/26426/focus=26493 Re: Code and Perf. Data for Prime Finders] for an explanation of the <hask>People a</hask> structure that makes it work when tying a knot.
 
   
  +
See [[Prime_numbers_miscellaneous#Prime_Wheels | Prime Wheels]].
<haskell>
 
data People a = VIP a (People a) | Crowd [a]
 
   
  +
== Using IntSet for a traditional sieve ==
mergeP :: Ord a => People a -> People a -> People a
 
mergeP (VIP x xt) ys = VIP x $ mergeP xt ys
 
mergeP (Crowd xs) (Crowd ys) = Crowd $ merge xs ys
 
mergeP xs@(Crowd (x:xt)) ys@(VIP y yt) = case compare x y of
 
LT -> VIP x $ mergeP (Crowd xt) ys
 
EQ -> VIP x $ mergeP (Crowd xt) yt
 
GT -> VIP y $ mergeP xs yt
 
   
  +
See [[Prime_numbers_miscellaneous#Using_IntSet_for_a_traditional_sieve | Using IntSet for a traditional sieve]].
merge :: Ord a => [a] -> [a] -> [a]
 
merge xs@(x:xt) ys@(y:yt) = case compare x y of
 
LT -> x : merge xt ys
 
EQ -> x : merge xt yt
 
GT -> y : merge xs yt
 
   
  +
== Testing Primality, and Integer Factorization ==
diff xs@(x:xt) ys@(y:yt) = case compare x y of
 
LT -> x : diff xt ys
 
EQ -> diff xt yt
 
GT -> diff xs yt
 
   
  +
See [[Testing_primality | Testing primality]]:
foldTree :: (a -> a -> a) -> [a] -> a
 
foldTree f ~(x:xs) = x `f` foldTree f (pairs xs)
 
where pairs ~(x: ~(y:ys)) = f x y : pairs ys
 
   
  +
* [[Testing_primality#Primality_Test_and_Integer_Factorization | Primality Test and Integer Factorization ]]
primes, nonprimes :: [Integer]
 
  +
* [[Testing_primality#Miller-Rabin_Primality_Test | Miller-Rabin Primality Test]]
primes = 2:3:diff [5,7..] nonprimes
 
nonprimes = serve . foldTree mergeP . map multiples $ tail primes
 
where
 
multiples p = vip [p*p,p*p+2*p..]
 
   
  +
== One-liners ==
vip (x:xs) = VIP x $ Crowd xs
 
  +
See [[Prime_numbers_miscellaneous#One-liners | primes one-liners]].
serve (VIP x xs) = x:serve xs
 
serve (Crowd xs) = xs
 
</haskell>
 
   
  +
== External links ==
<hask>nonprimes</hask> effectively implements a heap, exploiting lazy evaluation.
 
  +
* http://www.cs.hmc.edu/~oneill/code/haskell-primes.zip
  +
: A collection of prime generators; the file "ONeillPrimes.hs" contains one of the fastest pure-Haskell prime generators; code by Melissa O'Neill.
  +
: WARNING: Don't use the priority queue from ''older versions'' of that file for your projects: it's broken and works for primes only by a lucky chance. The ''revised'' version of the file fixes the bug, as pointed out by Eugene Kirpichov on February 24, 2009 on the [http://www.mail-archive.com/haskell-cafe@haskell.org/msg54618.html haskell-cafe] mailing list, and fixed by Bertram Felgenhauer.
   
  +
* [http://ideone.com/willness/primes test entries] for (some of) the above code variants.
=== Prime Wheels ===
 
   
  +
* Speed/memory [http://ideone.com/p0e81 comparison table] for sieve of Eratosthenes variants.
The idea of only testing odd numbers can be extended further. For instance, it is a useful fact that every prime number other than 2 and 3 must be of the form <math>6k+1</math> or <math>6k+5</math>. Thus, we only need to test these numbers:
 
   
  +
* [http://en.wikipedia.org/wiki/Analysis_of_algorithms#Empirical_orders_of_growth Empirical orders of growth] on Wikipedia.
<haskell>
 
primes :: [Integer]
 
primes = 2:3:primes'
 
where
 
1:p:candidates = [6*k+r | k <- [0..], r <- [1,5]]
 
primes' = p : filter isPrime candidates
 
isPrime n = all (not . divides n)
 
$ takeWhile (\p -> p*p <= n) primes'
 
divides n p = n `mod` p == 0
 
</haskell>
 
 
Here, <hask>primes'</hask> is the list of primes greater than 3 and <hask>isPrime</hask> does not test for divisibility by 2 or 3 because the <hask>candidates</hask> by construction don't have these numbers as factors. We also need to exclude 1 from the candidates and mark the next one as prime to start the recursion.
 
 
Such a scheme to generate candidate numbers first that avoid a given set of primes as divisors is called a '''prime wheel'''. Imagine that you had a wheel of circumference 6 to be rolled along the number line. With spikes positioned 1 and 5 units around the circumference, rolling the wheel will prick holes exactly in those positions on the line whose numbers are not divisible by 2 and 3.
 
 
A wheel can be represented by its circumference and the spiked positions.
 
<haskell>
 
data Wheel = Wheel Integer [Integer]
 
</haskell>
 
We prick out numbers by rolling the wheel.
 
<haskell>
 
roll (Wheel n rs) = [n*k+r | k <- [0..], r <- rs]
 
</haskell>
 
The smallest wheel is the unit wheel with one spike, it will prick out every number.
 
<haskell>
 
w0 = Wheel 1 [1]
 
</haskell>
 
We can create a larger wheel by rolling a smaller wheel of circumference <hask>n</hask> along a rim of circumference <hask>p*n</hask> while excluding spike positions at multiples of <hask>p</hask>.
 
<haskell>
 
nextSize (Wheel n rs) p =
 
Wheel (p*n) [r' | k <- [0..(p-1)], r <- rs,
 
let r' = n*k+r, r' `mod` p /= 0]
 
</haskell>
 
Combining both, we can make wheels that prick out numbers that avoid a given list <hask>ds</hask> of divisors.
 
<haskell>
 
mkWheel ds = foldl nextSize w0 ds
 
</haskell>
 
 
Now, we can generate prime numbers with a wheel that for instance avoids all multiples of 2, 3, 5 and 7.
 
<haskell>
 
primes :: [Integer]
 
primes = small ++ large
 
where
 
1:p:candidates = roll $ mkWheel small
 
small = [2,3,5,7]
 
large = p : filter isPrime candidates
 
isPrime n = all (not . divides n)
 
$ takeWhile (\p -> p*p <= n) large
 
divides n p = n `mod` p == 0
 
</haskell>
 
It's a pretty big wheel with a circumference of 210 and allows us to calculate the first 10000 primes in convenient time.
 
 
A fixed size wheel is fine, but how about adapting the wheel size while generating prime numbers? See [[Prime_numbers#Euler.27s_Sieve | Euler's Sieve]] above, or the [[Research papers/Functional pearls|functional pearl]] titled [http://citeseer.ist.psu.edu/runciman97lazy.html Lazy wheel sieves and spirals of primes] for more.
 
 
 
=== Using IntSet for a traditional sieve ===
 
<haskell>
 
 
module Sieve where
 
import qualified Data.IntSet as I
 
 
-- findNext - finds the next member of an IntSet.
 
findNext c is | I.member c is = c
 
| c > I.findMax is = error "Ooops. No next number in set."
 
| otherwise = findNext (c+1) is
 
 
-- mark - delete all multiples of n from n*n to the end of the set
 
mark n is = is I.\\ (I.fromAscList (takeWhile (<=end) (map (n*) [n..])))
 
where
 
end = I.findMax is
 
 
-- primes - gives all primes up to n
 
primes n = worker 2 (I.fromAscList [2..n])
 
where
 
worker x is
 
| (x*x) > n = is
 
| otherwise = worker (findNext (x+1) is) (mark x is)
 
</haskell>
 
 
== Testing Primality ==
 
 
=== Primality Test and Integer Factorization ===
 
 
Given an infinite list of prime numbers, we can implement primality tests and integer factorization:
 
 
<haskell>
 
isPrime n = n > 1 && n == head (primeFactors n)
 
 
primeFactors 1 = []
 
primeFactors n = go n primes
 
where
 
go n ps@(p:pt)
 
| p*p > n = [n]
 
| n `rem` p == 0 = p : go (n `quot` p) ps
 
| otherwise = go n pt
 
</haskell>
 
 
=== Miller-Rabin Primality Test ===
 
<haskell>
 
find2km :: Integral a => a -> (a,a)
 
find2km n = f 0 n
 
where
 
f k m
 
| r == 1 = (k,m)
 
| otherwise = f (k+1) q
 
where (q,r) = quotRem m 2
 
 
millerRabinPrimality :: Integer -> Integer -> Bool
 
millerRabinPrimality n a
 
| a <= 1 || a >= n-1 =
 
error $ "millerRabinPrimality: a out of range ("
 
++ show a ++ " for "++ show n ++ ")"
 
| n < 2 = False
 
| even n = False
 
| b0 == 1 || b0 == n' = True
 
| otherwise = iter (tail b)
 
where
 
n' = n-1
 
(k,m) = find2km n'
 
b0 = powMod n a m
 
b = take (fromIntegral k) $ iterate (squareMod n) b0
 
iter [] = False
 
iter (x:xs)
 
| x == 1 = False
 
| x == n' = True
 
| otherwise = iter xs
 
 
pow' :: (Num a, Integral b) => (a -> a -> a) -> (a -> a) -> a -> b -> a
 
pow' _ _ _ 0 = 1
 
pow' mul sq x' n' = f x' n' 1
 
where
 
f x n y
 
| n == 1 = x `mul` y
 
| r == 0 = f x2 q y
 
| otherwise = f x2 q (x `mul` y)
 
where
 
(q,r) = quotRem n 2
 
x2 = sq x
 
 
mulMod :: Integral a => a -> a -> a -> a
 
mulMod a b c = (b * c) `mod` a
 
squareMod :: Integral a => a -> a -> a
 
squareMod a b = (b * b) `rem` a
 
powMod :: Integral a => a -> a -> a -> a
 
powMod m = pow' (mulMod m) (squareMod m)
 
</haskell>
 
 
== External links ==
 
* http://www.cs.hmc.edu/~oneill/code/haskell-primes.zip
 
: A collection of prime generators; the file "ONeillPrimes.hs" contains one of the fastest pure-Haskell prime generators. WARNING: Don't use the priority queue from that file for your projects: it's broken and works for primes only by a lucky chance.
 
   
 
[[Category:Code]]
 
[[Category:Code]]

Revision as of 08:25, 17 May 2017

In mathematics, amongst the natural numbers greater than 1, a prime number (or a prime) is such that has no divisors other than itself (and 1).

Prime Number Resources

  • HackageDB packages:
    • arithmoi: Various basic number theoretic functions; efficient array-based sieves, Montgomery curve factorization ...
    • Numbers: An assortment of number theoretic functions.
    • NumberSieves: Number Theoretic Sieves: primes, factorization, and Euler's Totient.
    • primes: Efficient, purely functional generation of prime numbers.
  • Papers:
    • O'Neill, Melissa E., "The Genuine Sieve of Eratosthenes", Journal of Functional Programming, Published online by Cambridge University Press 9 October 2008 doi:10.1017/S0956796808007004.

Definition

In mathematics, amongst the natural numbers greater than 1, a prime number (or a prime) is such that has no divisors other than itself (and 1). The smallest prime is thus 2. Non-prime numbers are known as composite, i.e. those representable as product of two natural numbers greater than 1.

To find out a prime's multiples we can either a. test each new candidate number for divisibility by that prime, giving rise to a kind of trial division algorithm; or b. we can directly generate the multiples of a prime p by counting up from it in increments of p, resulting in a variant of the sieve of Eratosthenes.

The set of prime numbers is thus

   P  = {nN2 : (∀ mN2) ((m | n) ⇒ m = n)}
= {nN2 : (∀ mN2) (m×mn ⇒ ¬(m | n))}
= N2 \ {n×m : n,mN2}
= N2 \ { {n×m : mNn} : nN2 }
= N2 \ { {n×n, n×n+n, n×n+n+n, ...} : nN2 }
= N2 \ { {p×p, p×p+p, p×p+p+p, ...} : pP }
  where     Nk = {nN : n ≥ k}

Thus starting with 2, for each newly found prime we can eliminate from the rest of the numbers all the multiples of this prime, giving us the next available number as next prime. This is known as sieving the natural numbers, so that in the end all the composites are eliminated and what we are left with are just primes. (This is what the last formula is describing, though seemingly impredicative, because it is self-referential. But because N2 is well-ordered (with the order being preserved under addition), the formula is well-defined.)

In pseudocode, this can be written as

        primes = [2..] \ [[p*p, p*p+p..] | p <- primes]

Having a direct-access mutable arrays indeed enables easy marking off of these multiples on pre-allocated array as it is usually done in imperative languages; but to get an efficient list-based code we have to be smart about combining those streams of multiples of each prime - which gives us also the memory efficiency in generating the results incrementally, one by one.

Sieve of Eratosthenes

Simplest, bounded, very inefficient formulation:

import Data.List (\\)

primesTo m = sieve [2..m]       {- (\\) is set-difference for unordered lists -}
             where 
             sieve (x:xs) = x : sieve (xs \\ [x,x+x..m])
             sieve [] = []

The (unbounded) sieve of Eratosthenes calculates primes as integers above 1 that are not multiples of primes, i.e. not composite — whereas composites are found as enumeration of multiples of each prime, generated by counting up from prime's square in constant increments equal to that prime (or twice that much, for odd primes). This is much more efficient and runs at about n1.2 empirical orders of growth (corresponding to n log n log log n complexity, more or less, in n primes produced):

import Data.List.Ordered (minus, union, unionAll)

primes = 2 : 3 : minus [5,7..] (unionAll [[p*p, p*p+2*p..] | p <- tail primes])

{- Using `under n = takeWhile (<= n)`, with ordered increasing lists,
   `minus`, `union` and `unionAll` satisfy, for any `n` and `m`:

  under n (minus a b)         == nub . sort $ under n a \\ under n b
  under n (union a b)         == nub . sort $ under n a ++ under n b
  under n . unionAll . take m == under n . foldl union [] . take m
  under n . unionAll          == nub . sort . concat 
                                     . takeWhile (not.null) . map (under n) -}

The definition is primed with 2 and 3 as initial primes, to avoid the vicious circle.

The "big union" unionAll function could be defined as the folding of (\(x:xs) -> (x:) . union xs); or it could use a Bool array as a sorting and duplicates-removing device. The processing naturally divides up into the segments between successive squares of primes.

Stepwise development follows (the fully developed version is here).

Initial definition

First of all, working with ordered increasing lists, the sieve of Eratosthenes can be genuinely represented by

 -- genuine yet wasteful sieve of Eratosthenes
 -- primes = eratos [2.. ]               -- unbounded
primesTo m = eratos [2..m]               -- bounded, up to m
    where
    eratos []     = []
    eratos (p:xs) = p : eratos (xs `minus` [p, p+p..])
 -- eratos (p:xs) = p : eratos (xs `minus` map (p*) [1..])
 -- eulers (p:xs) = p : eulers (xs `minus` map (p*) (p:xs))    
 -- turner (p:xs) = p : turner [x | x <- xs, rem x p /= 0]

This should be regarded more like a specification, not a code. It runs at empirical orders of growth worse than quadratic in number of primes produced. But it has the core defining features of the classical formulation of S. of E. as a. being bounded, i.e. having a top limit value, and b. finding out the multiples of a prime directly, by counting up from it in constant increments, equal to that prime.

The canonical list-difference minus and duplicates-removing union functions (cf. Data.List.Ordered package) are:

 -- ordered lists, difference and union
minus (x:xs) (y:ys) = case (compare x y) of 
           LT -> x : minus  xs  (y:ys)
           EQ ->     minus  xs     ys 
           GT ->     minus (x:xs)  ys
minus  xs     _     = xs
union (x:xs) (y:ys) = case (compare x y) of 
           LT -> x : union  xs  (y:ys)
           EQ -> x : union  xs     ys 
           GT -> y : union (x:xs)  ys
union  xs     []    = xs
union  []     ys    = ys

The name merge ought to be reserved for duplicates-preserving merging operation of the merge sort.

Analysis

So for each newly found prime p the sieve discards its multiples, enumerating them by counting up in steps of p. There are thus multiples generated and eliminated for each prime, and multiples in total, with duplicates, by virtues of prime harmonic series.

If each multiple is dealt with in time, this will translate into RAM machine operations (since we consider addition as an atomic operation). Indeed mutable random-access arrays allow for that. But lists in Haskell are sequential-access, and complexity of minus(a,b) for lists is instead of of the direct access destructive array update. The lower the complexity of each minus step, the better the overall complexity.

So on k-th step the argument list (p:xs) that the eratos function gets, starts with the (k+1)-th prime, and consists of all the numbers ≤ m coprime with all the primes ≤ p. According to the M. O'Neill's article (p.10) there are such numbers.

It looks like for our intents and purposes. Since the number of primes below m is by the prime number theorem (where is a prime counting function), there will be n multiples-removing steps in the algorithm; it means total complexity of at least , or in n primes produced - much much worse than the optimal .

From Squares

But we can start each elimination step at a prime's square, as its smaller multiples will have been already produced and discarded on previous steps, as multiples of smaller primes. This means we can stop early now, when the prime's square reaches the top value m, and thus cut the total number of steps to around . This does not in fact change the complexity of random-access code, but for lists it makes it , or in n primes produced, a dramatic speedup:

primesToQ m = eratos [2..m] 
    where
    eratos []     = []
    eratos (p:xs) = p : eratos (xs `minus` [p*p, p*p+p..m])
 -- eratos (p:xs) = p : eratos (xs `minus` map (p*) [p..div m p])
 -- eulers (p:xs) = p : eulers (xs `minus` map (p*) (under (div m p) (p:xs)))
 -- turner (p:xs) = p : turner [x | x<-xs, x<p*p || rem x p /= 0]

Its empirical complexity is around . This simple optimization works here because this formulation is bounded (by an upper limit). To start late on a bounded sequence is to stop early (starting past end makes an empty sequence – see warning below 1), thus preventing the creation of all the superfluous multiples streams which start above the upper bound anyway (note that Turner's sieve is unaffected by this). This is acceptably slow now, striking a good balance between clarity, succinctness and efficiency.

1Warning: this is predicated on a subtle point of minus xs [] = xs definition being used, as it indeed should be. If the definition minus (x:xs) [] = x:minus xs [] is used, the problem is back and the complexity is bad again.

Guarded

This ought to be explicated (improving on clarity, though not on time complexity) as in the following, for which it is indeed a minor optimization whether to start from p or p*p - because it explicitly stops as soon as possible:

primesToG m = 2 : sieve [3,5..m]
    where
    sieve (p:xs) 
       | p*p > m   = p : xs
       | otherwise = p : sieve (xs `minus` [p*p, p*p+2*p..])
                  -- p : sieve (xs `minus` map (p*) [p,p+2..])
                  -- p : eulers (xs `minus` map (p*) (p:xs))

(here we also flatly ignore all evens above 2 a priori.) It is now clear that it can't be made unbounded just by abolishing the upper bound m, because the guard can not be simply omitted without changing the complexity back for the worst.

Accumulating Array

So while minus(a,b) takes operations for random-access imperative arrays and about operations here for ordered increasing lists of numbers, using Haskell's immutable array for a one could expect the array update time to be nevertheless closer to if destructive update were used implicitly by compiler for an array being passed along as an accumulating parameter:

{-# OPTIONS_GHC -O2 #-}
import Data.Array.Unboxed

primesToA m = sieve 3 (array (3,m) [(i,odd i) | i<-[3..m]]
                        :: UArray Int Bool)
    where
    sieve p a 
       | p*p > m   = 2 : [i | (i,True) <- assocs a]
       | a!p       = sieve (p+2) $ a//[(i,False) | i <- [p*p, p*p+2*p..m]]
       | otherwise = sieve (p+2) a

Indeed for unboxed arrays, with the type signature added explicitly (suggested by Daniel Fischer), the above code runs pretty fast, with empirical complexity of about in n primes produced (for producing from few hundred thousands to few millions primes, memory usage also slowly growing). But it relies on specific compiler optimizations, and indeed if we remove the explicit type signature, the code above turns very slow.

How can we write code that we'd be certain about? One way is to use explicitly mutable monadic arrays (see below), but we can also think about it a little bit more on the functional side of things still.

Postponed

Going back to guarded Eratosthenes, first we notice that though it works with minimal number of prime multiples streams, it still starts working with each prematurely. Fixing this with explicit synchronization won't change complexity but will speed it up some more:

primesPE1 = 2 : sieve [3..] primesPE1 
    where 
    sieve xs (p:pt) | q <- p*p , (h,t) <- span (< q) xs =
                   h ++ sieve (t `minus` [q, q+p..]) pt
                -- h ++ turner [x | x<-t, rem x p>0] pt

Inlining and fusing span and (++) we get:

primesPE = 2 : ops
    where 
    ops = sieve [3,5..] 9 ops                             -- odd primes
    sieve (x:xs) q ps@ ~(p:pt)
       | x < q     = x : sieve xs q ps
       | otherwise =     sieve (xs `minus` [q, q+2*p..]) (head pt^2) pt

Since the removal of a prime's multiples here starts at the right moment, and not just from the right place, the code could now finally be made unbounded. Because no multiples-removal process is started prematurely, there are no extraneous multiples streams, which were the reason for the original formulation's extreme inefficiency.

Segmented

With work done segment-wise between the successive squares of primes it becomes

primesSE = 2 : ops
    where
    ops = sieve 3 9 ops []                                -- odd primes
    sieve x q ~(p:pt) fs = 
        foldr (flip minus) [x,x+2..q-2]                   -- chain of subtractions
                           [[y+s, y+2*s..q] | (s,y) <- fs]     -- OR,
        -- [x,x+2..q-2] `minus` foldl union []            -- subtraction of merged
        --                    [[y+s, y+2*s..q] | (s,y) <- fs]            --  lists
        ++ sieve (q+2) (head pt^2) pt
                ((2*p,q):[(s,q-rem (q-y) s) | (s,y) <- fs])

This "marks" the odd composites in a given range by generating them - just as a person performing the original sieve of Eratosthenes would do, counting one by one the multiples of the relevant primes. These composites are independently generated so some will be generated multiple times.

The advantage to working in spans explicitly is that this code is easily amendable to using arrays for the composites marking and removal on each finite span; and memory usage can be kept in check by using fixed sized segments.

Segmented Tree-merging

Rearranging the chain of subtractions into a subtraction of merged streams (see below) and using tree-like folding structure, further speeds up the code and significantly improves its asymptotic time behavior (down to about , space is leaking though):

primesSTE = 2 : ops
    where                  
    ops = sieve 3 9 ops []                                -- odd primes
    sieve x q ~(p:pt) fs = 
        ([x,x+2..q-2] `minus` joinST [[y+s, y+2*s..q] | (s,y) <- fs])
        ++ sieve (q+2) (head pt^2) pt
                   ((++ [(2*p,q)]) [(s,q-rem (q-y) s) | (s,y) <- fs])
    
joinST (xs:t) = (union xs . joinST . pairs) t
    where
    pairs (xs:ys:t) = union xs ys : pairs t
    pairs t         = t
joinST []     = []

Segmented merging via an array

The removal of composites is easy with arrays. Starting points can be calculated directly:

import Data.List (inits, tails)
import Data.Array.Unboxed
 
primesSAE = 2 : sieve 2 4 (tail primesSAE) (inits primesSAE)
         -- (2:) . (sieve 2 4 . tail <*> inits) $ primesSAE
  where
  sieve r q ps (fs:ft) = [n | (n,True) <- assocs (
         accumArray (\ _ _ -> False) True (r+1,q-1)
                    [(m,()) | p <- fs, let s = p * div (r+p) p,
                              m <- [s,s+p..q-1]] :: UArray Int Bool )]
      ++ sieve q (head ps^2) (tail ps) ft

The pattern of iterated calls to tail is captured by a higher-order function tails, which explicitly generates the stream of tails of a stream, making for a bit more readable (even if possibly a bit less efficient) code:

psSAGE = 2 : [n | (r:q:_, fs) <- (zip . tails . (2:) . map (^2) <*> inits) psSAGE,
                  (n,True)    <- assocs (
                                   accumArray (\_ _ -> False) True (r+1, q-1) 
                        [(m,()) | p <- fs, let s = (r+p)`div`p*p, 
                                  m <- [s,s+p..q-1]] :: UArray Int Bool )]

Linear merging

But segmentation doesn't add anything substantially, and each multiples stream starts at its prime's square anyway. What does the Postponed code do, operationally? With each prime's square passed by, there emerges a nested linear left-deepening structure, (...((xs-a)-b)-...), where xs is the original odds-producing [3,5..] list, so that each odd it produces must go through more and more minus nodes on its way up - and those odd numbers that eventually emerge on top are prime. Thinking a bit about it, wouldn't another, right-deepening structure, (xs-(a+(b+...))), be better? This idea is due to Richard Bird, seen in his code presented in M. O'Neill's article, equivalent to:

primesB = 2 : minus [3..] (foldr (\p r-> p*p : union [p*p+p, p*p+2*p..] r) 
                                 [] primesB)

or,

primesLME1 = 2 : prs
    where
    prs = 3 : minus [5,7..] (joinL [[p*p, p*p+2*p..] | p <- prs])
    
joinL ((x:xs):t) = x : union xs (joinL t)

Here, xs stays near the top, and more frequently odds-producing streams of multiples of smaller primes are above those of the bigger primes, that produce less frequently their multiples which have to pass through more union nodes on their way up. Plus, no explicit synchronization is necessary anymore because the produced multiples of a prime start at its square anyway - just some care has to be taken to avoid a runaway access to the indefinitely-defined structure, defining joinL (or foldr's combining function) to produce part of its result before accessing the rest of its input (thus making it productive).

Melissa O'Neill introduced double primes feed to prevent unneeded memoization (a memory leak). We can even do multistage. Here's the code, faster still and with radically reduced memory consumption, with empirical orders of growth of around ~ (initially better, yet worsening for bigger ranges):

primesLME = 2 : _Y ((3:) . minus [5,7..] . joinL . map (\p-> [p*p, p*p+2*p..]))

_Y   :: (t -> t) -> t
_Y g = g (_Y g)                -- multistage, non-sharing,  g (g (g (g ...)))
    -- g (let x = g x in x)    -- two g stages, sharing

_Y is a non-sharing fixpoint combinator, here arranging for a recursive "telescoping" multistage primes production (a tower of producers).

This allows the primesLME stream to be discarded immediately as it is being consumed by its consumer. For prs from primesLME1 definition above it is impossible, as each produced element of prs is needed later as input to the same prs corecursive stream definition. So the prs stream feeds in a loop into itself and is thus retained in memory, being consumed by self much slower than it is produced. With multistage production, each stage feeds into its consumer above it at the square of its current element which can be immediately discarded after it's been consumed. (3:) jump-starts the whole thing.

Tree merging

Moreover, it can be changed into a tree structure. This idea is due to Dave Bayer and Heinrich Apfelmus:

primesTME = 2 : _Y ((3:) . gaps 5 . joinT . map (\p-> [p*p, p*p+2*p..]))

-- joinL ((x:xs):t) = x : union xs (joinL t) 
joinT ((x:xs):t) = x : union xs (joinT (pairs t))    -- set union, ~=
  where  pairs (xs:ys:t) = union xs ys : pairs t     --    nub.sort.concat

gaps k s@(x:xs) | k < x = k:gaps (k+2) s       -- ~= [k,k+2..]\\s, 
                | True  =   gaps (k+2) xs      --   when null(s\\[k,k+2..])

This code is pretty fast, running at speeds and empirical complexities comparable with the code from Melissa O'Neill's article (about in number of primes n produced).

As an aside, joinT is equivalent to infinite tree-like folding foldi (\(x:xs) ys-> x:union xs ys) []:

tree-like folding

Data.List.Ordered.foldt of the data-ordlist package builds the same structure, but in a lazier fashion, consuming its input at the slowest pace possible. Here this sophistication is not needed (evidently).

Tree merging with Wheel

Wheel factorization optimization can be further applied, and another tree structure can be used which is better adjusted for the primes multiples production (effecting about 5%-10% at the top of a total 2.5x speedup w.r.t. the above tree merging on odds only, for first few million primes):

primesTMWE = [2,3,5,7] ++ _Y ((11:) . tail  . gapsW 11 wheel 
                                    . joinT . hitsW 11 wheel)
    
gapsW k (d:w) s@(c:cs) | k < c     = k : gapsW (k+d) w s    -- set difference
                       | otherwise =     gapsW (k+d) w cs   --   k==c
hitsW k (d:w) s@(p:ps) | k < p     =     hitsW (k+d) w s    -- intersection
                       | otherwise = scanl (\c d->c+p*d) (p*p) (d:w) 
                                       : hitsW (k+d) w ps   --   k==p 

wheel = 2:4:2:4:6:2:6:4:2:4:6:6:2:6:4:2:6:4:6:8:4:2:4:2:
        4:8:6:4:6:2:4:6:2:6:6:4:2:4:6:2:6:4:2:4:2:10:2:10:wheel
  -- cycle $ zipWith (-) =<< tail $ [i | i <- [11..221], gcd i 210 == 1]

The hitsW function is there to find the starting point for rolling the wheel for each prime, but this can be found directly:

primesW = [2,3,5,7] ++ _Y ( (11:) . tail . gapsW 11 wheel . joinT .
                            map (\p->  
                              map (p*) . dropWhile (< p) $
                                scanl (+) (p - rem (p-11) 210) wheel) )

Seems to run about 1.4x faster, too.

Above Limit - Offset Sieve

Another task is to produce primes above a given value:

{-# OPTIONS_GHC -O2 -fno-cse #-}
primesFromTMWE primes m = dropWhile (< m) [2,3,5,7,11] 
                          ++ gapsW a wh2 (compositesFrom a)
    where
    (a,wh2) = rollFrom (snapUp (max 3 m) 3 2)
    (h,p2:t) = span (< z) $ drop 4 primes           -- p < z => p*p<=a
    z = ceiling $ sqrt $ fromIntegral a + 1         -- p2>=z => p2*p2>a
    compositesFrom a = joinT (joinST [multsOf p  a    | p <- h ++ [p2]]
                                   : [multsOf p (p*p) | p <- t] )

snapUp v o step = v + (mod (o-v) step)              -- full steps from o
multsOf p from = scanl (\c d->c+p*d) (p*x) wh       -- map (p*) $
    where                                           --   scanl (+) x wh
    (x,wh) = rollFrom (snapUp from p (2*p) `div` p) --   , if p < from 

wheelNums  = scanl (+) 0 wheel
rollFrom n = go wheelNums wheel 
    where 
    m = (n-11) `mod` 210  
    go (x:xs) ws@(w:ws2) | x < m = go xs ws2
                         | True  = (n+x-m, ws)      -- (x >= m)

A certain preprocessing delay makes it worthwhile when producing more than just a few primes, otherwise it degenerates into simple trial division, which is then ought to be used directly:

primesFrom m = filter isPrime [m..]

Map-based

Runs ~1.7x slower than TME version, but with the same empirical time complexity, ~ (in n primes produced) and same very low (near constant) memory consumption:

import Data.List                  -- based on http://stackoverflow.com/a/1140100
import qualified Data.Map as M

primesMPE :: [Integer]
primesMPE = 2:mkPrimes 3 M.empty prs 9   -- postponed addition of primes into map;
    where                                -- decoupled primes loop feed 
    prs = 3:mkPrimes 5 M.empty prs 9
    mkPrimes n m ps@ ~(p:pt) q = case (M.null m, M.findMin m) of
        (False, (n2, skips)) | n == n2 ->
             mkPrimes (n+2) (addSkips n (M.deleteMin m) skips) ps q
        _ -> if n<q
             then    n : mkPrimes (n+2)  m                  ps q
             else        mkPrimes (n+2) (addSkip n m (2*p)) pt (head pt^2)

    addSkip n m s = M.alter (Just . maybe [s] (s:)) (n+s) m
    addSkips = foldl' . addSkip

Turner's sieve - Trial division

David Turner's (SASL Language Manual, 1983) formulation replaces non-standard minus in the sieve of Eratosthenes by stock list comprehension with rem filtering, turning it into a trial division algorithm, for clarity and simplicity:

  -- unbounded sieve, premature filters
primesT = sieve [2..]
          where
          sieve (p:xs) = p : sieve [x | x <- xs, rem x p > 0]

  -- map head
  --    $ iterate (\(p:xs) -> [x | x <- xs, rem x p > 0]) [2..]

This creates many superfluous implicit filters, because they are created prematurely. To be admitted as prime, each number will be tested for divisibility here by all its preceding primes, while just those not greater than its square root would suffice. To find e.g. the 1001st prime (7927), 1000 filters are used, when in fact just the first 24 are needed (up to 89's filter only). Operational overhead here is huge.

Guarded Filters

But this really ought to be changed into bounded and guarded variant, again achieving the "miraculous" complexity improvement from above quadratic to about empirically (in n primes produced):

primesToGT m = sieve [2..m]
    where
    sieve (p:xs) 
        | p*p > m = p : xs
        | True    = p : sieve [x | x <- xs, rem x p > 0]

  -- (\(a,b:_) -> map head a ++ b) . span ((< m).(^2).head) $
  --     iterate (\(p:xs) -> [x | x <- xs, rem x p > 0]) [2..m]

Postponed Filters

Or it can remain unbounded, just filters creation must be postponed until the right moment:

primesPT1 = 2 : sieve primesPT1 [3..] 
    where 
    sieve (p:pt) xs = let (h,t) = span (< p*p) xs 
                      in h ++ sieve pt [x | x <- t, rem x p > 0]

  -- fix $ concatMap (fst . fst)
  --     . iterate (\((_,xs), p:pt) -> let (h,t) = span (< p*p) xs in
  --                              ((h, [x | x <- t, rem x p > 0]), pt)) 
  --     . (,) ([2],[3..])

It can be re-written with span and (++) inlined and fused into the sieve:

primesPT = 2 : oddprimes
    where 
    oddprimes = sieve [3,5..] 9 oddprimes
    sieve (x:xs) q ps@ ~(p:pt)
        | x < q = x : sieve xs q ps
        | True  =     sieve [x | x <- xs, rem x p /= 0] (head pt^2) pt

creating here as well the linear filtering nested structure at run-time, (...(([3,5..] >>= filterBy [3]) >>= filterBy [5])...), where filterBy ds n = [n | noDivs n ds] (see noDivs definition below)  –  but unlike the original code, each filter being created at its proper moment, not sooner than the prime's square is seen.

Optimal trial division

The above is equivalent to the traditional formulation of trial division,

ps = 2 : [i | i <- [3..],  
              and [rem i p > 0 | p <- takeWhile (\p -> p^2 <= i) ps]]

or,

noDivs n fs = foldr (\f r -> f*f > n || (rem n f > 0 && r)) True fs

-- primes = filter (`noDivs`[2..]) [2..]
--        = 2 : filter (`noDivs`[3,5..]) [3,5..]

primesTD  = 2 : 3 : filter (`noDivs` tail primesTD) [5,7..]
isPrime n = n > 1 && noDivs n primesTD

except that this code is rechecking for each candidate number which primes to use, whereas for every candidate number in each segment between the successive squares of primes these will just be the same prefix of the primes list being built.

Trial division is used as a simple primality test and prime factorization algorithm.

Segmented Generate and Test

Next we turn the list of filters into one filter by an explicit list, each one in a progression of prefixes of the primes list. This seems to eliminate most recalculations, explicitly filtering composites out from batches of odds between the consecutive squares of primes.

import Data.List

primesST = 2 : ops                 
    where
    ops = sieve 3 9 ops (inits ops)               -- odd primes
        -- (sieve 3 9 <*> inits) ops              -- [],[3],[3,5],...
    sieve x q ~(_:pt) (fs:ft) =
        filter ((`all` fs) . ((> 0).) . rem) [x,x+2..q-2]
        ++ sieve (q+2) (head pt^2) pt ft

This can also be coded as, arguably more readable,

primesSGT = 2 : ops
    where
    ops = 3 : [n | (r:q:_, px) <- 
                       (zip . tails . (3:) . map (^2) <*> inits) ops,
                   n <- [r+2,r+4..q-2], all ((> 0).rem n) px]

                -- n <- foldl (>>=) [r+2,r+4..q-2]           -- chain of filters
                --                   [filterBy [p] | p <- px]]

                -- n <- [r+2,r+4..q-2] >>= filterBy px]      -- filter by a list

Generate and Test Above Limit

The following will start the segmented Turner sieve at the right place, using any primes list it's supplied with (e.g. TMWE etc.) or itself, as shown, demand computing it just up to the square root of any prime it'll produce:

primesFromST m | m <= 2 = 2 : primesFromST 3
primesFromST m | m > 2 =
         sieve (m`div`2*2+1) (head ps^2) (tail ps) (inits ps)
    where 
    (h,ps) = span (<= (floor.sqrt $ fromIntegral m+1)) ops
    sieve x q ps (fs:ft) =
        filter ((`all` (h ++ fs)) . ((> 0).) . rem) [x,x+2..q-2]
        ++ sieve (q+2) (head ps^2) (tail ps) ft
    ops = 3 : primesFromST 5                      -- odd primes

-- ~> take 3 $ primesFromST 100000001234
-- [100000001237,100000001239,100000001249]

This is usually faster than testing candidate numbers for divisibility one by one which has to re-fetch anew the needed prime factors to test by, for each candidate. Faster is the offset sieve of Eratosthenes on odds, and yet faster the one w/ wheel optimization, on this page.

Conclusions

All these variants being variations of trial division, finding out primes by direct divisibility testing of every candidate number by sequential primes below its square root (instead of just by its factors, which is what direct generation of multiples is doing, essentially), are thus principally of worse complexity than that of Sieve of Eratosthenes.

The initial code is just a one-liner that ought to have been regarded as executable specification in the first place. It can easily be improved quite significantly with a simple use of bounded, guarded formulation to limit the number of filters it creates, or by postponement of filter creation.

Euler's Sieve

Unbounded Euler's sieve

With each found prime Euler's sieve removes all its multiples in advance so that at each step the list to process is guaranteed to have no multiples of any of the preceding primes in it (consists only of numbers coprime with all the preceding primes) and thus starts with the next prime:

primesEU = 2 : eulers [3,5..]
  where
    eulers (p:xs) = p : eulers (xs `minus` map (p*) (p:xs))
 -- eratos (p:xs) = p : eratos (xs `minus` [p*p, p*p+2*p..])

This code is extremely inefficient, running above empirical complexity (and worsening rapidly), and should be regarded a specification only. Its memory usage is very high, with empirical space complexity just below , in n primes produced.

In the stream-based sieve of Eratosthenes we are able to skip along the input stream xs directly to the prime's square, consuming the whole prefix at once, thus achieving the results equivalent to the postponement technique, because the generation of the prime's multiples is independent of the rest of the stream.

But here in the Euler's sieve it is dependent on all xs and we're unable in principle to skip along it to the prime's square - because all xs are needed for each prime's multiples generation. Thus efficient unbounded stream-based implementation seems to be impossible in principle, under the simple scheme of producing the multiples by multiplication.

Wheeled list representation

The situation can be somewhat improved using a different list representation, for generating lists not from a last element and an increment, but rather a last span and an increment, which entails a set of helpful equivalences:

{- fromElt (x,i) = x : fromElt (x + i,i)
                       === iterate  (+ i) x
     [n..]             === fromElt  (n,1) 
                       === fromSpan ([n],1) 
     [n,n+2..]         === fromElt  (n,2)    
                       === fromSpan ([n,n+2],4)     -}

fromSpan (xs,i)  = xs ++ fromSpan (map (+ i) xs,i)

{-                   === concat $ iterate (map (+ i)) xs
   fromSpan (p:xt,i) === p : fromSpan (xt ++ [p + i], i)  
   fromSpan (xs,i) `minus` fromSpan (ys,i) 
                     === fromSpan (xs `minus` ys, i)  
   map (p*) (fromSpan (xs,i)) 
                     === fromSpan (map (p*) xs, p*i)
   fromSpan (xs,i)   === forall (p > 0).
     fromSpan (concat $ take p $ iterate (map (+ i)) xs, p*i) -}

spanSpecs = iterate eulerStep ([2],1)
eulerStep (xs@(p:_), i) = 
       ( (tail . concat . take p . iterate (map (+ i))) xs
          `minus` map (p*) xs, p*i )

{- > mapM_ print $ take 4 spanSpecs 
     ([2],1)
     ([3],2)
     ([5,7],6)
     ([7,11,13,17,19,23,29,31],30)  -}

Generating a list from a span specification is like rolling a wheel as its pattern gets repeated over and over again. For each span specification w@((p:_),_) produced by eulerStep, the numbers in (fromSpan w) up to are all primes too, so that

eulerPrimesTo m = if m > 1 then go ([2],1) else []
    where
      go w@((p:_), _) 
         | m < p*p = takeWhile (<= m) (fromSpan w)
         | True    = p : go (eulerStep w)

This runs at about complexity, for n primes produced, and also suffers from a severe space leak problem (IOW its memory usage is also very high).

Using Immutable Arrays

Generating Segments of Primes

The sieve of Eratosthenes' removal of multiples on each segment of odds can be done by actually marking them in an array, instead of manipulating ordered lists, and can be further sped up more than twice by working with odds only:

import Data.Array.Unboxed
 
primesSA :: [Int]
primesSA = 2 : oddprimes ()
  where
    oddprimes = (3 :) . sieve 3 [] . oddprimes
    sieve x fs (p:ps) = [i*2 + x | (i,True) <- assocs a]
                        ++ sieve (p*p) ((p,0) :
                             [(s, rem (y-q) s) | (s,y) <- fs]) ps
      where
      q = (p*p-x)`div`2
      a :: UArray Int Bool
      a = accumArray (\ b c -> False) True (1,q-1)
                     [(i,()) | (s,y) <- fs, i <- [y+s, y+s+s..q]]

Runs significantly faster than TMWE and with better empirical complexity, of about in producing first few millions of primes, with constant memory footprint.

Calculating Primes Upto a Given Value

Equivalent to Accumulating Array above, running somewhat faster (compiled by GHC with optimizations turned on):

{-# OPTIONS_GHC -O2 #-}
import Data.Array.Unboxed

primesToNA n = 2: [i | i <- [3,5..n], ar ! i]
  where
    ar = f 5 $ accumArray (\ a b -> False) True (3,n) 
                        [(i,()) | i <- [9,15..n]]
    f p a | q > n = a
          | True  = if null x then a2 else f (head x) a2
      where q = p*p
            a2  :: UArray Int Bool
            a2 = a // [(i,False) | i <- [q, q+2*p..n]]
            x  = [i | i <- [p+2,p+4..n], a2 ! i]

Calculating Primes in a Given Range

primesFromToA a b = (if a<3 then [2] else []) 
                      ++ [i | i <- [o,o+2..b], ar ! i]
  where 
    o  = max (if even a then a+1 else a) 3   -- first odd in the segment
    r  = floor . sqrt $ fromIntegral b + 1
    ar = accumArray (\_ _ -> False) True (o,b)  -- initially all True,
          [(i,()) | p <- [3,5..r]
                    , let q  = p*p      -- flip every multiple of an odd 
                          s  = 2*p                         -- to False
                          (n,x) = quotRem (o - q) s 
                          q2 = if  o <= q  then q
                               else  q + (n + signum x)*s
                    , i <- [q2,q2+s..b] ]

Although sieving by odds instead of by primes, the array generation is so fast that it is very much feasible and even preferable for quick generation of some short spans of relatively big primes.

Using Mutable Arrays

Using mutable arrays is the fastest but not the most memory efficient way to calculate prime numbers in Haskell.

Using ST Array

This method implements the Sieve of Eratosthenes, similar to how you might do it in C, modified to work on odds only. It is fast, but about linear in memory consumption, allocating one (though apparently packed) sieve array for the whole sequence to process.

import Control.Monad
import Control.Monad.ST
import Data.Array.ST
import Data.Array.Unboxed

sieveUA :: Int -> UArray Int Bool
sieveUA top = runSTUArray $ do
    let m = (top-1) `div` 2
        r = floor . sqrt $ fromIntegral top + 1
    sieve <- newArray (1,m) True      -- :: ST s (STUArray s Int Bool)
    forM_ [1..r `div` 2] $ \i -> do
      isPrime <- readArray sieve i
      when isPrime $ do               -- ((2*i+1)^2-1)`div`2 == 2*i*(i+1)
        forM_ [2*i*(i+1), 2*i*(i+2)+1..m] $ \j -> do
          writeArray sieve j False
    return sieve
 
primesToUA :: Int -> [Int]
primesToUA top = 2 : [i*2+1 | (i,True) <- assocs $ sieveUA top]

Its empirical time complexity is improving with n (number of primes produced) from above towards . The reference C++ vector-based implementation exhibits this improvement in empirical time complexity too, from gradually towards , where tested (which might be interpreted as evidence towards the expected quasilinearithmic time complexity).

Bitwise prime sieve with Template Haskell

Count the number of prime below a given 'n'. Shows fast bitwise arrays, and an example of Template Haskell to defeat your enemies.

{-# OPTIONS -O2 -optc-O -XBangPatterns #-}
module Primes (nthPrime) where

import Control.Monad.ST
import Data.Array.ST
import Data.Array.Base
import System
import Control.Monad
import Data.Bits

nthPrime :: Int -> Int
nthPrime n = runST (sieve n)

sieve n = do
    a <- newArray (3,n) True :: ST s (STUArray s Int Bool)
    let cutoff = truncate (sqrt $ fromIntegral n) + 1
    go a n cutoff 3 1

go !a !m cutoff !n !c
    | n >= m    = return c
    | otherwise = do
        e <- unsafeRead a n
        if e then
          if n < cutoff then
            let loop !j
                 | j < m     = do
                        x <- unsafeRead a j
                        when x $ unsafeWrite a j False
                        loop (j+n)
                 | otherwise = go a m cutoff (n+2) (c+1)
            in loop ( if n < 46340 then n * n else n `shiftL` 1)
           else go a m cutoff (n+2) (c+1)
         else go a m cutoff (n+2) c

And place in a module:

{-# OPTIONS -fth #-}
import Primes

main = print $( let x = nthPrime 10000000 in [| x |] )

Run as:

$ ghc --make -o primes Main.hs
$ time ./primes
664579
./primes  0.00s user 0.01s system 228% cpu 0.003 total

Implicit Heap

See Implicit Heap.

Prime Wheels

See Prime Wheels.

Using IntSet for a traditional sieve

See Using IntSet for a traditional sieve.

Testing Primality, and Integer Factorization

See Testing primality:

One-liners

See primes one-liners.

External links

A collection of prime generators; the file "ONeillPrimes.hs" contains one of the fastest pure-Haskell prime generators; code by Melissa O'Neill.
WARNING: Don't use the priority queue from older versions of that file for your projects: it's broken and works for primes only by a lucky chance. The revised version of the file fixes the bug, as pointed out by Eugene Kirpichov on February 24, 2009 on the haskell-cafe mailing list, and fixed by Bertram Felgenhauer.