diff --git a/guide/english/certifications/javascript-algorithms-and-data-structures/intermediate-algorithm-scripting/sum-all-primes/index.md b/guide/english/certifications/javascript-algorithms-and-data-structures/intermediate-algorithm-scripting/sum-all-primes/index.md
index 0b8a1031c0..864fe82534 100644
--- a/guide/english/certifications/javascript-algorithms-and-data-structures/intermediate-algorithm-scripting/sum-all-primes/index.md
+++ b/guide/english/certifications/javascript-algorithms-and-data-structures/intermediate-algorithm-scripting/sum-all-primes/index.md
@@ -132,6 +132,25 @@ This problem is hard if you have to create your own code to check for primes, so
* Functions - Recursion
+##  Intermediate Code Solution 2:
+
+ function sumPrimes(num) {
+ let nums = Array.from({length: num + 1}).map((_, i) => i).slice(2);
+ for (let n in nums) {
+ nums = nums.filter(val => val == nums[n] || val % nums[n] != 0);
+ }
+ return nums.reduce((prevSum, cur) => prevSum + cur);
+ }
+ // test here
+ sumPrimes(13);
+
+ Run Code
+
+### Code Explanation:
+
+* Use `Array.from()` to generate a sequence of numbers up to and including `num`. Combine with `.slice()` to slice off first two indices `[0, 1]` since all prime numbers must be greater than 1.
+* If a number is not prime, it is divided by number > 1 other smaller than himself.
+
##  Advanced Code Solution:
function sumPrimes(num) {