Math对象
取整数
Math.ceil() //向上舍入为最接近的整数
Math.floor() //向下舍入为最接近的整数。
Math.round() //标准的四舍五入。
//保留两位小数 强制保留小数点末尾位置的00
//5.保留2位小数,向下舍入(不够位数,则用0替补)
function keepTwoDecimalFull(num) {
var result = parseFloat(num);
if (isNaN(result)) {
return 0;
}
result = Math.round(num * 100) / 100;
var s_x = result.toString(); //将数字转换为字符串
var pos_decimal = s_x.indexOf('.'); //小数点的索引值
// 当整数时,pos_decimal=-1 自动补0
if (pos_decimal < 0) {
pos_decimal = s_x.length;
s_x += '.';
}
// 当数字的长度< 小数点索引+2时,补0
while (s_x.length <= pos_decimal + 2) {
s_x += '0';
}
return s_x;
}
console.log(keepTwoDecimalFull(120.5)); //120.50
console.log(typeof keepTwoDecimalFull(120.5)); //string
console.log(keepTwoDecimalFull(2.446242342)); //2.45
console.log(typeof keepTwoDecimalFull(2.446242342)); //string
将浮点数四舍五入,不强制保留小数点后2位
function toDecimal(x) {
var f = parseFloat(x);
if (isNaN(f)) {
return;
}
f = Math.round(x*100)/100;
return f;
}
console.log(toDecimal(3.1465926)); // 3.15
console.log(typeof toDecimal(3.1415926)); //number
四舍五入
//保留两位小数,将数值类型的数据改变成了字符串类型
num.toFixed(2);
裁剪浮点数
//先将数据转换为字符串,最后再转为数值类型
Number((2.234).toString().match(/^\d+(?:\.\d{0,2})?/));
// 3.四舍五入 不强制保留N位小数
function fomatFloat(src,pos){
return Math.round(src*Math.pow(10, pos))/Math.pow(10, pos);
}
console.log(fomatFloat(3.12645,2)); // 3.13
console.log(typeof fomatFloat(3.1415926)); //number
//4.强制四舍五入 保留N位小数
function toDecimal2(x, len) {
len = isUndefined(len) ? 2 : len;
var f = parseFloat(x);
if (isNaN(f)) {
return false;
}
var f = Math.round(x*100)/100;
var s = f.toString();
var rs = s.indexOf('.');
if (rs < 0) {
rs = s.length;
s += '.';
}
while (s.length <= rs + len) {
s += '0';
}
return s;
}