To find all prime numbers within a given range, use the Sieve of Eratosthenes algorithm to efficiently find primes.
- Create a boolean array
isPrime
where each index represents a number. - Set all values to
true
except for 0 and 1. - Starting from 2, mark all multiples of each prime as
false
. - Return the indices that are still
true
as the prime numbers.
function sieveOfEratosthenes(limit) {
let isPrime = new Array(limit + 1).fill(true);
isPrime[0] = isPrime[1] = false;
for (let i = 2; i * i <= limit; i++) {
if (isPrime[i]) {
for (let j = i * i; j <= limit; j += i) {
isPrime[j] = false;
}
}
}
return isPrime.map((prime, index) => prime ? index : -1).filter(index => index !== -1);
}
// Example usage
console.log(sieveOfEratosthenes(20)); // Output: [2, 3, 5, 7, 11, 13, 17, 19]
This method has a time complexity of O(n log log n), where n is the limit.
Tags: basic, JavaScript, Math, Algorithm