Math.floor()
Math.floor() 静态方法始终向下取整,并返回小于或等于给定数字的最大整数。
试一试
console.log(Math.floor(5.95));
// Expected output: 5
console.log(Math.floor(5.05));
// Expected output: 5
console.log(Math.floor(5));
// Expected output: 5
console.log(Math.floor(-5.05));
// Expected output: -6
语法
js
Math.floor(x)
参数
x-
一个数字。
返回值
小于或等于 x 的最大整数。它的值与 -Math.ceil(-x) 相同。
描述
因为 floor() 是 Math 的静态方法,所以你总是使用 Math.floor() 的形式来调用它,而不是用你创建的 Math 对象的方法来调用(Math 不是一个构造函数)。
示例
使用 Math.floor()
js
Math.floor(-Infinity); // -Infinity
Math.floor(-45.95); // -46
Math.floor(-45.05); // -46
Math.floor(-0); // -0
Math.floor(0); // 0
Math.floor(4); // 4
Math.floor(45.05); // 45
Math.floor(45.95); // 45
Math.floor(Infinity); // Infinity
小数调整
在此示例中,我们实现了一个名为 decimalAdjust() 的方法,该方法是对 Math.floor()、Math.ceil() 和 Math.round() 的增强方法。前三个 Math 函数总是将输入调整到个位数,而 decimalAdjust 接受一个 exp 参数,该参数指定数字应调整到的小数点左侧的位数。例如,-1 表示它将小数点后保留一位(如“× 10-1”)。此外,它还允许你通过 type 参数选择调整方式——round、floor 或 ceil。
它的实现方式是先将数字乘以 10 的幂,然后将结果四舍五入到最接近的整数,最后再除以该幂。为了更好地保持精度,它利用了 Number 的 toString() 方法,该方法以科学计数法(如 6.02e23)表示大数字或小数字。
js
/**
* Adjusts a number to the specified digit.
*
* @param {"round" | "floor" | "ceil"} type The type of adjustment.
* @param {number} value The number.
* @param {number} exp The exponent (the 10 logarithm of the adjustment base).
* @returns {number} The adjusted value.
*/
function decimalAdjust(type, value, exp) {
type = String(type);
if (!["round", "floor", "ceil"].includes(type)) {
throw new TypeError(
"The type of decimal adjustment must be one of 'round', 'floor', or 'ceil'.",
);
}
exp = Number(exp);
value = Number(value);
if (exp % 1 !== 0 || Number.isNaN(value)) {
return NaN;
} else if (exp === 0) {
return Math[type](value);
}
const [magnitude, exponent = 0] = value.toString().split("e");
const adjustedValue = Math[type](`${magnitude}e${exponent - exp}`);
// Shift back
const [newMagnitude, newExponent = 0] = adjustedValue.toString().split("e");
return Number(`${newMagnitude}e${Number(newExponent) + exp}`);
}
// Decimal round
const round10 = (value, exp) => decimalAdjust("round", value, exp);
// Decimal floor
const floor10 = (value, exp) => decimalAdjust("floor", value, exp);
// Decimal ceil
const ceil10 = (value, exp) => decimalAdjust("ceil", value, exp);
// Round
round10(55.55, -1); // 55.6
round10(55.549, -1); // 55.5
round10(55, 1); // 60
round10(54.9, 1); // 50
round10(-55.55, -1); // -55.5
round10(-55.551, -1); // -55.6
round10(-55, 1); // -50
round10(-55.1, 1); // -60
// Floor
floor10(55.59, -1); // 55.5
floor10(59, 1); // 50
floor10(-55.51, -1); // -55.6
floor10(-51, 1); // -60
// Ceil
ceil10(55.51, -1); // 55.6
ceil10(51, 1); // 60
ceil10(-55.59, -1); // -55.5
ceil10(-59, 1); // -50
规范
| 规范 |
|---|
| ECMAScript® 2026 语言规范 # sec-math.floor |
浏览器兼容性
加载中…