function myPow(x, n) {
function calc_power(x, n) {
if (x === 0) {
return 0;
}
if (n === 0) {
return 1;
}
let res = calc_power(x, Math.floor(n / 2));
res = res * res;
if (n % 2 === 1) {
return res * x;
}
return res;
}
let ans = calc_power(x, Math.abs(n));
if (n >= 0) {
return ans;
}
return 1 / ans;
}
myPow(2, 3)
myPow(5, 0)
myPow(7, 1)
myPow(-3, 4)
myPow(-2, 3)
myPow(0, 5)
myPow(0, 0)
myPow(0, -2)
myPow(1, 100)
myPow(10, 2)
myPow(0.5, 10)
myPow(-2, 10)
myPow(2, -3)
myPow(1.5, 2)
myPow(-3, -2)
myPow(99, 100000000000)
Math.pow(2, 3)
Math.pow(5, 0)
Math.pow(7, 1)
Math.pow(-3, 4)
Math.pow(-2, 3)
Math.pow(0, 5)
Math.pow(0, 0)
Math.pow(1, 100)
Math.pow(10, 2)
Math.pow(0.5, 10)
Math.pow(-2, 10)
Math.pow(2, -3)
Math.pow(1.5, 2)
Math.pow(-3, -2)
Math.pow(99, 100000000000)
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
My Pow | |
Math.Pow |
Test name | Executions per second |
---|---|
My Pow | 63011.0 Ops/sec |
Math.Pow | 534498.2 Ops/sec |
What is being tested?
The provided benchmark measures the performance difference between two approaches to calculate the power of a number in JavaScript:
myPow
that manually calculates the power using the exponentiation by squaring method.Math.pow
function, which is a part of the ECMAScript standard.Comparison of options
Both approaches have their pros and cons:
Other considerations
Benchmark preparation code
The provided Benchmark Definition JSON does not contain script preparation code. This means the custom implementation myPow
is already written in the benchmark definition, and it's up to the test users to implement this function in their environment.
Alternative approaches
If you wanted to add alternative approaches to this benchmark, some options could include:
x => x ** n
) for both My Pow
and Math.Pow
.for
loop or while
loop instead of recursion.These alternative approaches would require additional benchmarking to determine their performance characteristics and compare them to the original custom implementation and built-in Math.pow
function.