function powNaive(x, y) {
if (!y) return 1;
let tmp = x;
for (let i = 1; i < y; i++) {
tmp *= x;
}
return tmp;
}
// from https://codereview.stackexchange.com/a/217369
function pow2B(x, y) {
if (y < 2) { return y ? x : 1 }
if (y & 1) { return x * pow2B(x, y & 0x7FFFFFFE)}
const p = pow2B(x, y >> 1);
return p * p;
}
// other two functions from the same stackexchange post
function pow(x, y) {
if (!y) { return 1 }
let tmp = res = x;
for (let i = 1; i < y; i++) {
for (let j = 1; j < x; j++) { tmp += res }
res = tmp;
}
return res;
}
function pow2(x, y) {
if (!y) { return 1; }
if (y % 2) {
return x * pow2(x, y - 1);
}
const p = pow2(x, y/2);
return p * p;
}
var x = Math.pow(54,2);
var y = pow2B(54, 2)
var y = pow(54, 2)
var y = pow2(54, 2)
var y = powNaive(54, 2)
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Math.pow | |
pow2 bitwise | |
pow2 summ | |
pow2 multi | |
pow (mult for loop) |
Test name | Executions per second |
---|---|
Math.pow | 15862194.0 Ops/sec |
pow2 bitwise | 15572650.0 Ops/sec |
pow2 summ | 291965.8 Ops/sec |
pow2 multi | 10332326.0 Ops/sec |
pow (mult for loop) | 32333926.0 Ops/sec |
Let's break down the benchmark and its options.
Benchmark Definition
The benchmark measures the performance of different methods for calculating powers of numbers, specifically Math.pow
, four variants of pow
(powNaive
, pow2B
, pow2 summ
, and pow2 multi
), and two more variants that use bitwise operations to reduce the number of multiplications required.
Options Compared
The options compared in this benchmark are:
Math.pow
: The built-in method for calculating powers, which uses repeated multiplication.powNaive
: A custom implementation that uses a loop to multiply the base by itself for each exponent iteration.pow2B
: Another custom implementation that uses bitwise operations to reduce the number of multiplications required.pow2 summ
: Yet another custom implementation that uses a summing approach to calculate powers.pow2 multi
: A custom implementation that uses multiplication-based approach.Pros and Cons
Here's a brief summary:
Math.pow
:powNaive
:Math.pow
.pow2B
:pow2 summ
:pow2 multi
:Libraries and Special JS Features
There are no libraries used in this benchmark, but some custom implementations (pow2B
, pow2 summ
, and pow2 multi
) use bitwise operations. No special JS features are mentioned, but some implementations may rely on understanding of bitwise operations or summing approaches.
Alternatives
If you're interested in exploring alternative methods for calculating powers, here are a few options:
These alternatives may offer improved performance or efficiency over the methods compared in this benchmark, but their implementation can be more complex and challenging.