6

我希望从以下示例中的数字中获取比例和精度。

var x = 1234.567;

我没有看到任何.scale内置.precision功能,我不确定正确的最佳方法是什么。

4

3 回答 3

6

您可以使用:

var x = 1234.56780123;

x.toFixed(2); // output: 1234.56
x.toFixed(3); // output: 1234.568
x.toFixed(4); // output: 1234.5680
于 2015-11-25T14:45:10.733 回答
5
var x = 1234.567;

var parts = x.toString().split('.');

parts[0].length; // output: 4 for 1234

parts[1].length; // output: 3 for 567

笔记

Javascript 具有toPrecision()方法,该方法提供具有指定长度的数字。

例如:

var x = 1234.567;

x.toPrecision(4); // output: 1234

x.toPrecision(5); // output: 1234.5

x.toPrecision(7); // output: 1234.56

x.toPrecision(5); // output: 1235

x.toPrecision(3); // output: 1.23e+3 

等等。

根据评论

有没有办法检查字符串是否包含.

var x = 1234.567

x.toString().indexOf('.'); // output: 4

笔记

.indexof()返回目标 else 的第一个索引-1

于 2012-06-08T16:48:33.307 回答
4

另一个高级解决方案(如果我正确理解你所说的scaleprecision的意思):

function getScaleAndPrecision(x) {
    x = parseFloat(x) + "";
    var scale = x.indexOf(".");
    if (scale == -1) return null;
    return {
        scale : scale,
        precision : x.length - scale - 1
    };
}

var res = getScaleAndPrecision(1234.567);

res.scale;       // for scale
res.precision;   // for precision

如果 number 不是 float 函数返回null.

于 2012-06-08T16:58:44.690 回答