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 = 54*54
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 |
---|---|
pow | |
mult | |
pow2 bitwise | |
pow2 summ | |
pow2 multiplication | |
pow (multiplication in for loop) |
Test name | Executions per second |
---|---|
pow | 15817362.0 Ops/sec |
mult | 1023584704.0 Ops/sec |
pow2 bitwise | 15534520.0 Ops/sec |
pow2 summ | 291965.8 Ops/sec |
pow2 multiplication | 10302923.0 Ops/sec |
pow (multiplication in for loop) | 32646062.0 Ops/sec |
Benchmark Overview
The provided JSON represents a JavaScript benchmark test case on the MeasureThat.net website. The test compares four different approaches for calculating exponentiation: Math.pow
, multiplication, and two optimized implementations (pow2B
and pow2
). Each individual test case measures the execution time of a single function call.
Tested Options
The options being compared are:
Math.pow
: The built-in Math.pow
function.pow2B
: An optimized implementation using bitwise operations to reduce the number of multiplications required.pow2
: Another optimized implementation that uses a summation loop to calculate exponentiation.Pros and Cons
pow2B
.Libraries and Special Features
None of the test cases use any external libraries or special JavaScript features beyond the standard language.
Other Considerations
Alternatives
Other alternatives to the optimized implementations (pow2B
and pow2
) could include:
These alternatives may offer improved performance or efficiency over the optimized implementations used in the benchmark.