javascript对数字格式化、千位符、保留小数、四舍五入
发布网友
发布时间:2022-04-29 07:10
我来回答
共2个回答
懂视网
时间:2022-04-22 16:15
实现数据的四舍五入有以下几种方法:round方法、tofixed方法、parseInt方法、ceil方法以及floor方法
在JavaScript 对数值进行四舍五入的操作有以下几种
round()方法:可把一个数字舍入为最接近的整数,即四舍五入
toFixed()方法:可把 Number 四舍五入为指定小数位数的数字。
parseInt()方法:可将小数转化为整数(位操作符)
ceil()方法:可对一个数进行上舍入
floor()方法:可对一个数进行下舍入
接下来在文章中将和大家详细介绍这几种方法的具体用法
round()方法
document.write(Math.round(4.55) + "<br>");
document.write(Math.round(-6.45));
效果图:
toFixed()方法
var num=3.141592;
document.write(num.toFixed(2));
效果图:
parseInt()方法
document.write(parseInt("12.333"));
效果图:
ceil()方法与floor()方法
document.write("ceil方法:")
document.write(Math.ceil("12.333") + "<br>");
document.write("floor方法:")
document.write(Math.floor("12.333"));
效果图:
热心网友
时间:2022-04-22 13:23
/*
将数值四舍五入后格式化.
@param num 数值(Number或者String)
@param cent 要保留的小数位(Number)
@param isThousand 是否需要千分位 0:不需要,1:需要(数值类型);
@return 格式的字符串,如'1,234,567.45'
@type String
*/
function formatNumber(num,cent,isThousand){
num = num.toString().replace(/\$|\,/g,'');
if(isNaN(num))//检查传入数值为数值类型.
num = "0";
if(isNaN(cent))//确保传入小数位为数值型数值.
cent = 0;
cent = parseInt(cent);
cent = Math.abs(cent);//求出小数位数,确保为正整数.
if(isNaN(isThousand))//确保传入是否需要千分位为数值类型.
isThousand = 0;
isThousand = parseInt(isThousand);
if(isThousand < 0)
isThousand = 0;
if(isThousand >=1) //确保传入的数值只为0或1
isThousand = 1;
sign = (num == (num = Math.abs(num)));//获取符号(正/负数)
//Math.floor:返回小于等于其数值参数的最大整数
num = Math.floor(num*Math.pow(10,cent)+0.50000000001);//把指定的小数位先转换成整数.多余的小数位四舍五入.
cents = num%Math.pow(10,cent); //求出小数位数值.
num = Math.floor(num/Math.pow(10,cent)).toString();//求出整数位数值.
cents = cents.toString();//把小数位转换成字符串,以便求小数位长度.
while(cents.length<cent){//补足小数位到指定的位数.
cents = "0" + cents;
}
if(isThousand == 0) //不需要千分位符.
return (((sign)?'':'-') + num + '.' + cents);
//对整数部分进行千分位格式化.
for (var i = 0; i < Math.floor((num.length-(1+i))/3); i++)
num = num.substring(0,num.length-(4*i+3))+'’'+
num.substring(num.length-(4*i+3));
return (((sign)?'':'-') + num + '.' + cents);
}