我有以下JavaScript语法:

var discount = Math.round(100 - (price / listprice) * 100);

这是整数。我如何返回两个小数点后的结果?


当前回答

我找到的最好最简单的解决办法是

function round(value, decimals) {
 return Number(Math.round(value+'e'+decimals)+'e-'+decimals);
}   
round(1.005, 2); // 1.01

其他回答

如果使用一元加号将字符串转换为MDN上记录的数字。

例如:+ discount.toFixed (2)

我认为我见过最好的方法是乘以10的位数次方,然后做个数学。四舍五入,最后除以10的数字次方。下面是我在typescript中使用的一个简单函数:

function roundToXDigits(value: number, digits: number) {
    value = value * Math.pow(10, digits);
    value = Math.round(value);
    value = value / Math.pow(10, digits);
    return value;
}

或者纯javascript:

function roundToXDigits(value, digits) {
    if(!digits){
        digits = 2;
    }
    value = value * Math.pow(10, digits);
    value = Math.round(value);
    value = value / Math.pow(10, digits);
    return value;
}

要处理四舍五入到任何小数点后数位的问题,包含2行代码的函数就足以满足大多数需求。下面是一些示例代码。



    var testNum = 134.9567654;
    var decPl = 2;
    var testRes = roundDec(testNum,decPl);  
    alert (testNum + ' rounded to ' + decPl + ' decimal places is ' + testRes);

    function roundDec(nbr,dec_places){
        var mult = Math.pow(10,dec_places);
        return Math.round(nbr * mult) / mult;
    }

下面是一个工作示例

var value=200.2365455;
result=Math.round(value*100)/100    //result will be 200.24

函数Math.round()和. tofixed()意味着舍入到最接近的整数。在处理小数和使用Math.round()的“乘除”方法或使用. tofixed()的参数时,会得到不正确的结果。例如,如果您尝试使用Math.round(1.005 * 100) / 100对1.005进行舍入,那么您将得到1的结果,而1.00将使用. tofixed(2)而不是得到1.01的正确答案。

您可以使用以下方法来解决此问题:

Number(Math.round(100 - (price / listprice) * 100 + 'e2') + 'e-2');

加上. tofixed(2)得到你想要的小数点后两位。

Number(Math.round(100 - (price / listprice) * 100 + 'e2') + 'e-2').toFixed(2);

你可以创建一个函数来为你处理舍入:

function round(value, decimals) {
    return Number(Math.round(value + 'e' + decimals) + 'e-' + decimals);
}

例子: https://jsfiddle.net/k5tpq3pd/36/

替代

您可以使用prototype向Number添加圆形函数。我不建议在这里添加. tofixed(),因为它将返回一个字符串而不是数字。

Number.prototype.round = function(decimals) {
    return Number((Math.round(this + "e" + decimals)  + "e-" + decimals));
}

像这样使用它:

var numberToRound = 100 - (price / listprice) * 100;
numberToRound.round(2);
numberToRound.round(2).toFixed(2); //Converts it to string with two decimals

例子 https://jsfiddle.net/k5tpq3pd/35/

来源:http://www.jacklmoore.com/notes/rounding-in-javascript/