47 lines
802 B
JavaScript
47 lines
802 B
JavaScript
const add = function (a, b) {
|
|
return a + b;
|
|
};
|
|
|
|
const subtract = function (a, b) {
|
|
return a - b;
|
|
};
|
|
|
|
const sum = function (...args) {
|
|
return args.reduce((sum, curr) => sum + curr, 0);
|
|
};
|
|
|
|
const multiply = function(...args){
|
|
return args.reduce((product, curr) => product * curr)
|
|
};
|
|
|
|
const power = function (a, b) {
|
|
return Math.pow(a, b);
|
|
};
|
|
|
|
const factorial = function (n) {
|
|
if (n === 0) return 1;
|
|
let product = 1;
|
|
for (let i = n; i > 0; i--) {
|
|
product *= i;
|
|
}
|
|
return product;
|
|
};
|
|
|
|
// This is another implementation of Factorial that uses recursion
|
|
// THANKS to @ThirtyThreeB!
|
|
const recursiveFactorial = function (n) {
|
|
if (n === 0) {
|
|
return 1;
|
|
}
|
|
return n * recursiveFactorial(n - 1);
|
|
};
|
|
|
|
module.exports = {
|
|
add,
|
|
subtract,
|
|
sum,
|
|
multiply,
|
|
power,
|
|
factorial,
|
|
};
|