I was curious though as to what is the next number that satisfies the above condition. So I decided to write a program in Haskell - my favorite functional language - to generate the sequence:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
isqrt = floor . sqrt . fromIntegral | |
isPrime k = null [ n | n <- [2..isqrt k], k `mod` n == 0] | |
birthdayNumbers = [ n | n <- [1..], n `mod` 11 == 0 && isPrime (n-1)] |
The beautiful trick is that once you have an infinite sequence, you can extract portions of it to get answers to finite questions, like my tiny age puzzle - which can be answered by taking the first element of the sequence:
*Fun> takeWhile (<=122) birthdayNumbersAs you can see, the answer is 'very optimistic' :-)
[44,110]
If you just simply want to see the first 10 numbers of the sequence you can do:
*Fun> take 10 birthdayNumbersYou may also be wondering, why not make the program even shorter by dropping the isqrt function and instead checking the divisors up to k-1? The reason is obvious: performance. I leave it to the inquiring reader to see the difference for themselves. This is how you can turn on the built-in profiling in the Haskell interpreter and calculate the gap between the consecutive birthday numbers:
[44,110,132,198,242,264,308,374,440,462]
*Fun> :set +sOne final thought: there are actually two ways to solve the puzzle I've given to the curious inquirers:
*Fun> take 10 (zipWith (-) (tail birthdayNumbers) birthdayNumbers)
[66,22,66,44,22,44,66,66,22,110]
(0.02 secs, 3042172 bytes)
- exact: verify the predecessor primality for all multiples of 11 until you find the solution
- heuristic: since I was giving the puzzle in a face-to-face talk it was much easier to estimate my age then compare it with the nearest multiples of 11 and rule out 33 and 55 as being too low / too high respectively.
Now which is the best way? It really depends - do you need to get the correct answer 100% of the time? Or do you need to be really fast while you can tolerate an occasional mistake? In computing, as in life, it's up to you to make your choices :-)