1. Math.abs(target)
- 返回 target 绝对值
- 参数:target: number
2. Math.ceil(target)
- 向上取整
- 参数:target: number
3. Math.floor(target)
- 向下取整
- 参数:target: number
4. Math.random()
- 返回一个浮点数,范围[0,1)
取[10, 20)之间的随机数
function random(min, max) {
min = Math.ceil(min)
max = Math.floor(max)
return Math.floor(Math.random() * (max - min)) + min
}
取[10, 20]之间的随机数
function random(min, max) {
min = Math.ceil(min)
max = Math.floor(max)
return Math.floor(Math.random() * (max - min) + 1) + min
}
5. Math.round(target)
- 返回一个四舍五入的整数
要求:保留小数点后 n 位
function round(target, number) {
return Math.round(`${target}e${number}`) / Math.pow(10, number)
}
6. Math.min()
- 函数返回一组数中的最小值。
- 参数:number...
- 返回值:最小值|NaN
- 注意:无参数时,返回 Infinity
{
console.log(Math.min()) // Infinity
console.log(Math.min(1)) // 1
console.log(Math.min(1, 2)) // 1
console.log(Math.min(undefined)) // NaN
console.log(Math.min(true, false)) // 0
console.log(Math.min(1, '123')) // 123
console.log(Math.min(1, '123abc')) // NaN
console.log(Math.min(...[1, 2, 3, 4, 5, 6])) // 1
}
7. Math.max()
- 函数返回一组数中的最大值。
- 参数:number...
- 返回值:最大值|NaN
- 注意:无参数时,返回-Infinity
8. Math.PI
- 表示一个圆的周长与直径的比例,约为 3.14159
9. Math.pow(base: number, exponent:number)
- 函数返回基数(base)的指数(exponent)次幂,即 baseex^ponent。
- 参数:(base:number,exponent:number)
- 返回:number | NaN
- 注意:参数如果没有或只有一个,则返回 NaN
网友评论