四舍五入到特定数字

时间:2019-04-03 09:10:06

标签: javascript rounding

我正在寻找一种标准的JS方法,基本上可以做到这一点:

iRoundTo1 = Math.abs(1000000 - myValue);
iRoundTo2 = Math.abs(2000000 - myValue);
iRoundTo5 = Math.abs(5000000 - myValue);

myValue = Math.min(iRoundTo1, iRoundTo2,
        iRoundTo5);

if (myValue === iRoundTo1) {
    myValue = 1000000;
} else if (myValue === iRoundTo2) {
    myValue = 2000000;
} else if (myValue === iRoundTo5) {
    myValue = 5000000;
}

如标题中所述,我希望将我的值四舍五入为特定的数字,即1M,2M和5 M。

4 个答案:

答案 0 :(得分:1)

当然,您必须自己实现这样的特殊功能。 如果您只想使用一种精美的单行解决方案来使代码更简洁:

var myValue = 1234567;
var rounded = [1000000,2000000,5000000].reduce((y,x)=>{return y.diff == undefined || Math.abs(x-myValue) < y.diff ? {val:x,diff:Math.abs(x-myValue)} : y},{}).val;
console.log(rounded);

或者您可以声明一个函数以使其更加简洁。

答案 1 :(得分:0)

不确定是否是您想要的,但这是我的建议:

const temp = Math.abs(myValue / 1000000) * 1000000;

如果将基本上将绝对值四舍五入为最接近的“百万”。

您可以添加ifswitch语句,以根据情况将其转换为预定义的值。这已经可以减少功能所需的样板。

答案 2 :(得分:0)

这是您想要的代码。

function formatMoney(n, c, d, t) {
  var c = isNaN(c = Math.abs(c)) ? 2 : c,
    d = d == undefined ? "." : d,
    t = t == undefined ? "," : t,
    s = n < 0 ? "-" : "",
    i = String(parseInt(n = Math.abs(Number(n) || 0).toFixed(c))),
    j = (j = i.length) > 3 ? j % 3 : 0;

  return s + (j ? i.substr(0, j) + t : "") + i.substr(j).replace(/(\d{3})(?=\d)/g, "$1" + t) + (c ? d + Math.abs(n - i).toFixed(c).slice(2) : "");
}

function numShort(value){
    if(value < 1000000){
      return formatMoney(value, 2, ".", ",");
    }else if(value < 1000000000){
      return formatMoney((value/1000000), 2, ".", ",")+'m';
    }else{
      return formatMoney((value/1000000000), 2, ".", ",")+'b';
    }
}

console.log(numShort(100));
console.log(numShort(1000));
console.log(numShort(10000));
console.log(numShort(100000));
console.log(numShort(1000000));
console.log(numShort(10000000));
console.log(numShort(100000000));
console.log(numShort(1000000000));
console.log(numShort(10000000000));
console.log(numShort(100000000000));

答案 3 :(得分:0)

我全心全意地爱漂亮而整洁的一线客,我只是不能简单地路过:

const compact = value => value > 1000 ? Math.round(value/Math.pow(1000,Math.floor(Math.log10(value)/3)))+['k', 'M', 'B'][Math.floor(Math.log10(value)/3)-1] : value;

似乎可以胜任工作

//core function
const compact = value => value > 1000 ? Math.round(value/Math.pow(1000,Math.floor(Math.log10(value)/3)))+['k', 'M', 'B'][Math.floor(Math.log10(value)/3)-1] : value;
//display the compact
document.getElementById('input').addEventListener('keyup', function(){
  document.getElementById('compact').textContent = compact(this.value);
});
For the value:
<input id="input"></input>
Compact form would be:
<span id="compact"></span>