Benchmarks: - Add fib, list_ops, primes benchmarks comparing Lux vs Node.js vs Rust - Lux matches Rust performance and is 8-30x faster than Node.js - Add docs/benchmarks.md documenting results LSP improvements: - Context-aware completions (module access vs general) - Add List, String, Option, Result, Console, Math method completions - Add type and builtin completions - Hover now shows type signatures and documentation for known symbols - Hover returns formatted markdown with code blocks Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
22 lines
493 B
JavaScript
22 lines
493 B
JavaScript
// Prime counting benchmark - count primes up to N
|
|
function isPrime(n) {
|
|
if (n < 2) return false;
|
|
if (n === 2) return true;
|
|
if (n % 2 === 0) return false;
|
|
for (let i = 3; i * i <= n; i += 2) {
|
|
if (n % i === 0) return false;
|
|
}
|
|
return true;
|
|
}
|
|
|
|
function countPrimes(n) {
|
|
let count = 0;
|
|
for (let i = 2; i <= n; i++) {
|
|
if (isPrime(i)) count++;
|
|
}
|
|
return count;
|
|
}
|
|
|
|
const count = countPrimes(10000);
|
|
console.log(`Primes up to 10000: ${count}`);
|