--- id: 5ea281203167d2b0bdefca00 title: Ludic numbers challengeType: 5 forumTopicId: 385282 dashedName: ludic-numbers --- # --description-- [Ludic numbers](https://oeis.org/wiki/Ludic_numbers) are related to prime numbers as they are generated by a sieve quite like the [Sieve of Eratosthenes](https://rosettacode.org/wiki/Sieve_of_Eratosthenes) is used to generate prime numbers. The first ludic number is 1. To generate succeeding ludic numbers create an array of increasing integers starting from 2. 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 ... (Loop) # --instructions-- Write a function that returns all the ludic numbers less than or equal to the given number. # --hints-- `ludic` should be a function. ```js assert(typeof ludic === 'function', 'ludic should be a function.'); ``` `ludic(2)` should return a array. ```js assert(Array.isArray(ludic(2))); ``` `ludic(2)` should return `[1, 2]`. ```js assert.deepEqual(ludic(2), [1, 2]); ``` `ludic(3)` should return `[1, 2, 3]`. ```js assert.deepEqual(ludic(3), [1, 2, 3]); ``` `ludic(5)` should return `[1, 2, 3, 5]`. ```js assert.deepEqual(ludic(5), [1, 2, 3, 5]); ``` `ludic(20)` should return `[1, 2, 3, 5, 7, 11, 13, 17]`. ```js assert.deepEqual(ludic(20), [1, 2, 3, 5, 7, 11, 13, 17]); ``` `ludic(26)` should return `[1, 2, 3, 5, 7, 11, 13, 17, 23, 25]`. ```js assert.deepEqual(ludic(26), [1, 2, 3, 5, 7, 11, 13, 17, 23, 25]); ``` # --seed-- ## --seed-contents-- ```js function ludic(n) { } ``` # --solutions-- ```js function ludic(n) { const makeArr = (s, e) => new Array(e + 1 - s).fill(s).map((e, i) => e + i); const filterAtInc = (arr, n) => arr.filter((e, i) => (i + 1) % n); const makeLudic = (arr, result) => { const iter = arr.shift(); result.push(iter); return arr.length ? makeLudic(filterAtInc(arr, iter), result) : result; }; const ludicResult = makeLudic(makeArr(2, n), [1]); return ludicResult; } ```