虽然都是很简单的算法,每一个都只需5分钟摆布,但写起来总会碰到差别的小问题,愿望大家能跟我一同天天提高一点点。
更多的小算法演习,能够检察我的文章。
划定规矩
Using the JavaScript language, have the function FirstFactorial(num) take the num parameter being passed and return the factorial of it (e.g. if num = 4, return (4 3 2 * 1)). For the test cases, the range will be between 1 and 18 and the input will always be an integer.
运用JavaScript言语,让函数FirstFactorial
(num)猎取通报的num参数并返回它的阶乘(比方,假如num = 4,则返回(4 3 2 * 1))。
ps:关于测试用例,局限将介于1和18之间,输入将一直为整数。
测试用例
Input:4
Output:24
Input:8
Output:40320
my code
function FirstFactorial(num) {
var count = 1
for(var i=num;i>0;i--) {
count *= i
}
// code goes here
return count;
}
other code
code 1
function FirstFactorial(num) {
if (num === 0 || num === 1) {
return 1;
}
return num * FirstFactorial(num - 1);
}
code 2
function FirstFactorial(num) {
return ( num === 0 || num === 1) ? num : num * FirstFactorial(num - 1)
}
思绪
要领1:经由过程遍历,计算出乘积
要领2:经由过程递归函数,计算出乘积