2018-09-30 23:01:58 +01:00
---
id: a3bfc1673c0526e06d3ac698
title: Sum All Primes
challengeType: 5
2019-07-31 11:32:23 -07:00
forumTopicId: 16085
2018-09-30 23:01:58 +01:00
---
2020-11-27 19:02:05 +01:00
# --description--
2019-11-30 16:33:37 -06:00
2020-11-27 19:02:05 +01:00
A < dfn > prime number< / dfn > is a whole number greater than 1 with exactly two divisors: 1 and itself. For example, 2 is a prime number because it is only divisible by 1 and 2. In contrast, 4 is not prime since it is divisible by 1, 2 and 4.
2019-11-30 16:33:37 -06:00
2020-11-27 19:02:05 +01:00
Rewrite `sumPrimes` so it returns the sum of all prime numbers that are less than or equal to num.
2019-11-30 16:33:37 -06:00
2020-11-27 19:02:05 +01:00
# --hints--
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
`sumPrimes(10)` should return a number.
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
```js
assert.deepEqual(typeof sumPrimes(10), 'number');
```
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
`sumPrimes(10)` should return 17.
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
```js
assert.deepEqual(sumPrimes(10), 17);
2018-09-30 23:01:58 +01:00
```
2020-11-27 19:02:05 +01:00
`sumPrimes(977)` should return 73156.
```js
assert.deepEqual(sumPrimes(977), 73156);
```
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
# --seed--
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
## --seed-contents--
2018-09-30 23:01:58 +01:00
```js
function sumPrimes(num) {
return num;
}
sumPrimes(10);
```
2020-11-27 19:02:05 +01:00
# --solutions--
2018-09-30 23:01:58 +01:00
```js
function eratosthenesArray(n) {
var primes = [];
if (n > 2) {
var half = n>>1;
var sieve = Array(half);
for (var i = 1, limit = Math.sqrt(n)>>1; i < = limit; i++) {
if (!sieve[i]) {
for (var step = 2*i+1, j = (step*step)>>1; j < half ; j + = step ) {
sieve[j] = true;
}
}
}
primes.push(2);
for (var p = 1; p < half ; p + + ) {
if (!sieve[p]) primes.push(2*p+1);
}
}
return primes;
}
function sumPrimes(num) {
return eratosthenesArray(num+1).reduce(function(a,b) {return a+b;}, 0);
}
sumPrimes(10);
```