자바 스크립트에서 부동 숫자를 반올림하는 방법은 무엇입니까?


298

6.688689를 들어 반올림해야 6.7하지만 항상 표시 7됩니다.

내 방법 :

Math.round(6.688689);
//or
Math.round(6.688689, 1);
//or 
Math.round(6.688689, 2);

그러나 결과는 항상 같습니다 7... 내가 뭘 잘못하고 있니?


28


JavaScript에서 소수점 이하 자릿수를 소수점 이하 N 자리까지 복사 할 수 있습니다 . 새로운 질문을하기 전에 검색을 사용하십시오.
Felix Kling


1
@ShadowWizard가 정확합니다. 그러나 .toFixed문자열을 반환합니다. 에 결과를 래핑해야합니다 Number(). 허용되는 답변 및 기타를 참조하십시오.
Jordan Arseno

답변:


534
Number((6.688689).toFixed(1)); // 6.7

22
숫자를 문자열로 변환 한 다음 다시? 그것은 빠를 수 없습니다.
csl

숫자가 필요한 것보다 소수가 적 으면 좋지 않습니다. 그것은 몇 가지 추가
njzk2

2
JS 벤치 마크에서 보듯이 @fivedigit 방법보다 느리다
fadomire

13
Number((456.1235).toFixed(3)) -> 456.123, Number((1.235).toFixed(2)) -> 1.24... 바보 JavaSript ...
NoOne

6
이것은 당신이 기대하는 것을하지 않을 수 있습니다! 결과는 브라우저에 따라 다를 수도 있습니다. stackoverflow.com/q/566564/2224996
maja

199
var number = 6.688689;
var roundedNumber = Math.round(number * 10) / 10;

13
항상 작동하지는 않습니다. 가지고 Math.round(1.005*100)/100에서 예를 들어 MDN
tybro0103

7
@ tybro0103 부동 소수점 악 : 1.005 * 100 = 100.49999999999999(적어도 JS 엔진에서는 시도했습니다). 그것이 작동하지 않는 이유와 완벽하게 정확한 수레에 의존해서는 안되는 이유입니다.
sudo

1
잘못된. Math.round (1.015 * 100) / 100은 1.02 대신 1.01을 반환합니다.
Marco Marsala

81

toFixed()기능을 사용하십시오 .

(6.688689).toFixed(); // equal to 7
(6.688689).toFixed(1); // equal to 6.7
(6.688689).toFixed(2); // equal to 6.69

5
이것은 당신이 기대하는 것을하지 않을 수 있습니다! 결과는 브라우저에 따라 다를 수도 있습니다. stackoverflow.com/q/566564/2224996
maja

9
(6.688689) .toFixed (); 7이 아닌 "7"과 같습니다. 다른 예에서도 마찬가지입니다.
Vado

35

Upd (2019-10). 아래의 Reece Daniels 코드 덕분에 이제 npm-package 예상 라운드로 포장 된 함수 세트로 사용할 수 있습니다 (참조하십시오).


MDN 예제 에서 헬퍼 기능을 사용할 수 있습니다 . 더 많은 유연성을 얻는 것보다 :

Math.round10(5.25, 0);  // 5
Math.round10(5.25, -1); // 5.3
Math.round10(5.25, -2); // 5.25
Math.round10(5, 0);     // 5
Math.round10(5, -1);    // 5
Math.round10(5, -2);    // 5

Upd (2019-01-15). MDN 문서에는 더 이상이 도우미 기능이 없습니다. 다음은 예제가 포함 된 백업입니다.

// Closure
(function() {
  /**
   * Decimal adjustment of a number.
   *
   * @param {String}  type  The type of adjustment.
   * @param {Number}  value The number.
   * @param {Integer} exp   The exponent (the 10 logarithm of the adjustment base).
   * @returns {Number} The adjusted value.
   */
  function decimalAdjust(type, value, exp) {
    // If the exp is undefined or zero...
    if (typeof exp === 'undefined' || +exp === 0) {
      return Math[type](value);
    }
    value = +value;
    exp = +exp;
    // If the value is not a number or the exp is not an integer...
    if (isNaN(value) || !(typeof exp === 'number' && exp % 1 === 0)) {
      return NaN;
    }
    // If the value is negative...
    if (value < 0) {
      return -decimalAdjust(type, -value, exp);
    }
    // Shift
    value = value.toString().split('e');
    value = Math[type](+(value[0] + 'e' + (value[1] ? (+value[1] - exp) : -exp)));
    // Shift back
    value = value.toString().split('e');
    return +(value[0] + 'e' + (value[1] ? (+value[1] + exp) : exp));
  }

  // Decimal round
  if (!Math.round10) {
    Math.round10 = function(value, exp) {
      return decimalAdjust('round', value, exp);
    };
  }
  // Decimal floor
  if (!Math.floor10) {
    Math.floor10 = function(value, exp) {
      return decimalAdjust('floor', value, exp);
    };
  }
  // Decimal ceil
  if (!Math.ceil10) {
    Math.ceil10 = function(value, exp) {
      return decimalAdjust('ceil', value, exp);
    };
  }
})();

사용 예 :

// Round
Math.round10(55.55, -1);   // 55.6
Math.round10(55.549, -1);  // 55.5
Math.round10(55, 1);       // 60
Math.round10(54.9, 1);     // 50
Math.round10(-55.55, -1);  // -55.5
Math.round10(-55.551, -1); // -55.6
Math.round10(-55, 1);      // -50
Math.round10(-55.1, 1);    // -60
Math.round10(1.005, -2);   // 1.01 -- compare this with Math.round(1.005*100)/100 above
Math.round10(-1.005, -2);  // -1.01
// Floor
Math.floor10(55.59, -1);   // 55.5
Math.floor10(59, 1);       // 50
Math.floor10(-55.51, -1);  // -55.6
Math.floor10(-51, 1);      // -60
// Ceil
Math.ceil10(55.51, -1);    // 55.6
Math.ceil10(51, 1);        // 60
Math.ceil10(-55.59, -1);   // -55.5
Math.ceil10(-59, 1);       // -50

2
?? "Math.round10는 함수가 아닙니다"
피터 크라우스

1
나는 이것이 매우 유용하다는 것을 알았으므로 여분의 코드를 팽만하게하지 않고 그것을 사용하려는 사람들을 위해 빠른 npm 패키지로 해킹했습니다. @aspanchenko도 원래 답변으로 인정했습니다 : npmjs.com/package/expected-round
Reece Daniels

19
> +(6.688687).toPrecision(2)
6.7

NumberJavaScript 의 객체에는 필요한 것을 정확하게 수행하는 메서드가 있습니다. 그 방법은 Number.toPrecision([precision])입니다.

마찬가지로 .toFixed(1)결과를 문자열로 변환하고 다시 숫자로 변환해야합니다. +여기 에 접두사를 사용하여 완료 하십시오.

내 노트북에서 간단한 벤치 마크 :

number = 25.645234 typeof number
50000000 x number.toFixed(1) = 25.6 typeof string / 17527ms
50000000 x +(number.toFixed(1)) = 25.6 typeof number / 23764ms
50000000 x number.toPrecision(3) = 25.6 typeof string / 10100ms
50000000 x +(number.toPrecision(3)) = 25.6 typeof number / 18492ms
50000000 x Math.round(number*10)/10 = 25.6 typeof number / 58ms
string = 25.645234 typeof string
50000000 x Math.round(string*10)/10 = 25.6 typeof number / 7109ms

내 의견으로는 이것이 최선의 대답입니다 (모범 사례에서 가장 우수하고 가장 간단한 접근법).
cezar

1
1e-10.toPrecision(3): "1.00e-10"- 유효 숫자로 반올림됩니다 .
Vsevolod Golovanov

9

당신뿐만 아니라 사용하려는 경우 toFixed()뿐만 아니라 ceil()floor()부동 소수점에 당신은 다음과 같은 기능을 사용할 수 있습니다 :

function roundUsing(func, number, prec) {
    var tempnumber = number * Math.pow(10, prec);
    tempnumber = func(tempnumber);
    return tempnumber / Math.pow(10, prec);
}

생산 :

> roundUsing(Math.floor, 0.99999999, 3)
0.999
> roundUsing(Math.ceil, 0.1111111, 3)
0.112

UPD :

다른 가능한 방법은 다음과 같습니다.

Number.prototype.roundUsing = function(func, prec){
    var temp = this * Math.pow(10, prec)
    temp = func(temp);
    return temp / Math.pow(10, prec)
}

생산 :

> 6.688689.roundUsing(Math.ceil, 1)
6.7
> 6.688689.roundUsing(Math.round, 1)
6.7
> 6.688689.roundUsing(Math.floor, 1)
6.6

그런 다음 어떻게 반올림에 ceil, floor 또는 round를 사용할지 어떻게 결정합니까? 예를 들어 : roundUsing (Math.round, 1.015, 2) roundUsing (Math.ceil, 1.015, 2)는 서로 다른 두 값을 제공합니다. 어떤 값을 사용
해야하는지

7

내 확장 라운드 기능 :

function round(value, precision) {
  if (Number.isInteger(precision)) {
    var shift = Math.pow(10, precision);
    // Limited preventing decimal issue
    return (Math.round( value * shift + 0.00000000000001 ) / shift);
  } else {
    return Math.round(value);
  }
} 

출력 예 :

round(123.688689)     // 123
round(123.688689, 0)  // 123
round(123.688689, 1)  // 123.7
round(123.688689, 2)  // 123.69
round(123.688689, -2) // 100
round(1.015, 2) // 1.02

1
이것은 @fivedigit의 답변과 비슷합니다. 라운드 (1.015, 2) 대신 여전히 1.01 1.02 범
gaurav5430

@ gaurav5430, 신고 해 주셔서 감사합니다. 수정했습니다.
Nick Tsai

6

아래 참조

var original = 28.59;

var result=Math.round(original*10)/10 당신을 반환합니다 28.6

이것이 당신이 원하는 희망입니다 ..


7
"누군가가 통화를 저장하기 위해 FLOAT를 사용하는 것을 볼 때마다 한 푼도 있었다면, 나는 $ 999.997634를 가질 것이다"-Bill Karwin.
emix

2
잘못된. Math.round (1.015 * 100) / 100
마르코 마르 살라

3
float(value,ndec);
function float(num,x){
this.num=num;
this.x=x;
var p=Math.pow(10,this.x);
return (Math.round((this.num).toFixed(this.x)*p))/p;
}

2

이 기능이 도움이 될 것 같습니다.

 function round(value, ndec){
    var n = 10;
    for(var i = 1; i < ndec; i++){
        n *=10;
    }

    if(!ndec || ndec <= 0)
        return Math.round(value);
    else
        return Math.round(value * n) / n;
}


round(2.245, 2) //2.25
round(2.245, 0) //2

다른 답변과 유사, 이것은 1.02 제공해야합니다 라운드 (1.015, 2), 실패
gaurav5430

1

아래 기능이 도움이 될 수 있다고 생각합니다.

function roundOff(value,round) {
   return (parseInt(value * (10 ** (round + 1))) - parseInt(value * (10 ** round)) * 10) > 4 ? (((parseFloat(parseInt((value + parseFloat(1 / (10 ** round))) * (10 ** round))))) / (10 ** round)) : (parseFloat(parseInt(value * (10 ** round))) / ( 10 ** round));
}

사용법 : roundOff(600.23458,2);반환600.23


이 답변이 이전 답변에서 아직 다루지 않은 추가 사항에 대해 설명해 주시겠습니까?
stealththeninja

다른 답변과 유사, 이것은 1.02 제공해야합니다 라운드 (1.015, 2), 실패
gaurav5430

1

node.js 컨텍스트에 있다면 mathjs 를 사용해보십시오 .

const math = require('mathjs')
math.round(3.1415926, 2) 
// result: 3.14

1

대체 .toLocaleString ()이 있습니다로케일, 그룹화, 통화 형식화, 표기법에 관한 많은 옵션과 함께 숫자를 형식화 옵션이 있습니다. 몇 가지 예 :

소수점 이하 1 자리로 부동 소수점을 반환합니다.

const n = +6.688689.toLocaleString('fullwide', {maximumFractionDigits:1})
console.log(
  n, typeof n
)

소수점 이하 2 자리로, 지정된 기호가있는 통화 형식으로 , 수천에 쉼표 그룹화를 사용하십시오.

console.log(
  68766.688689.toLocaleString('fullwide', {maximumFractionDigits:2, style:'currency', currency:'USD', useGrouping:true})   
)

로캘 통화 형식 :

console.log(
  68766.688689.toLocaleString('fr-FR', {maximumFractionDigits:2, style:'currency', currency:'EUR'})   
)

최소 3 진수로 반올림하여 0을 강제로 표시합니다.

console.log(
  6.000000.toLocaleString('fullwide', {minimumFractionDigits:3})
)

비율에 대한 퍼센트 스타일. % 기호가있는 입력 * 100

console.log(
  6.688689.toLocaleString('fullwide', {maximumFractionDigits:2, style:'percent'})
)


1
+((6.688689 * (1 + Number.EPSILON)).toFixed(1)); // 6.7
+((456.1235 * (1 + Number.EPSILON)).toFixed(3)); // 456.124

1

toFixed ()가 작동하지 않는 경우 매우 좋은 해결책이 있습니다.

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

roundOff(10.456,2) //output 10.46

0

오늘 Browserify를 사용하고 있다면 다음을 시도해야합니다. roundTo a very useful NPM lib


0

이 답변에 약간의 조정 :

function roundToStep(value, stepParam) {
   var step = stepParam || 1.0;
   var inv = 1.0 / step;
   return Math.round(value * inv) / inv;
}

roundToStep(2.55, 0.1) = 2.6
roundToStep(2.55, 0.01) = 2.55
roundToStep(2, 0.01) = 2

roundToStep (1.015, 0.002)는 1.014를 제공합니다. 그것을 사용하는 올바른 방법입니다
gaurav5430

@ gaurav5430 tryroundToStep(1.015, 0.001)
Crashalot
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.