Javascript에서 숫자를 반올림하는 방법은 무엇입니까?


159

Javascript를 사용하여 숫자를 반올림하고 싶습니다. 숫자는 통화이므로 다음 예와 같이 반올림하고 싶습니다 (소수점 2 자).

  • 192.168 => 192.20
  • 192.11 => 192.20
  • 192.21 => 192.30
  • 192.26 => 192.30
  • 192.20 => 192.20

Javascript를 사용하여 이것을 달성하는 방법? 내장 Javascript 함수는 표준 논리에 따라 숫자를 반올림합니다 (반올림하기 위해 5 이상).

답변:


313
/**
 * @param num The number to round
 * @param precision The number of decimal places to preserve
 */
function roundUp(num, precision) {
  precision = Math.pow(10, precision)
  return Math.ceil(num * precision) / precision
}

roundUp(192.168, 1) //=> 192.2

2
@AndrewMarshall 곱한 다음 10으로 나누는 목적은 무엇입니까?
codecowboy

6
@codecowboy 그렇지 않으면을 ceil()제공 193하므로 유지하려는 모든 정밀도가 소수점 앞에 있는지 확인해야합니다. 그런 다음 "원래"값을 복원하기 위해 역 연산을 수행합니다.
Andrew Marshall

1
당신은 어떤 수를 같이 얻을 경우 192.19999999999997, 당신은 적용 할 수있는 .toFixed(1)받는 사람num
flamer.ohr

4
그리고 가장 가까운 WHOLE 수로 반올림하는 방법을 궁금해하는 사람들에게는 Math.ceil ()이 필요합니다. 나머지는 소수를 처리하는 것입니다. 내 두뇌가 그것에 도달하는 데 걸린 시간을 다른 사람들을 구하기 위해!
Nigel B. Peck 2016

이 솔루션에는 버그가 있습니다 : Math.ceil (0.0159 * 1000000000) / 정밀도. 분수 0.015900001을 얻게됩니다. 정밀도를 위해 범위 검증을 추가해야합니다.
Frank

26

조금 늦었지만이 목적을 위해 재사용 가능한 자바 스크립트 함수를 만들 수 있습니다.

// Arguments: number to round, number of decimal places
function roundNumber(rnum, rlength) { 
    var newnumber = Math.round(rnum * Math.pow(10, rlength)) / Math.pow(10, rlength);
    return newnumber;
}

함수를 다음과 같이 호출하십시오.

alert(roundNumber(192.168,2));

2
이것은 잘 작동하지만 OP는 숫자를 반올림하는 방법을 물었으므로 Math.round 대신 Math.ceil을 사용해야합니다.
kloddant

원하는 소수점 이하 자릿수에도 불구하고 올바르게 반올림하려는 경우이 답변이 허용되는 답변보다 낫습니다. 예 : 1.054-> 1.05 1.055-> 1.06 여기에 가장 중요한 경우가 있습니다 : 1.005-> 1 1.006-> 1.01 AND 1.015-> 1.01 1.016-> 1.02주의하십시오.
Jay K

21

일반 반올림은 약간의 조정으로 작동합니다.

Math.round(price * 10)/10

통화 형식을 유지하려면 숫자 방법을 사용할 수 있습니다 .toFixed()

(Math.round(price * 10)/10).toFixed(2)

비록 이것이 String =)이 될 것이지만



1
두 번째는 더처럼, 반올림을 필요로하지 않는다price.toFixed(2)
해커 - 마이클 Krelin

@Krtek ooops, 그것을 잡아 주셔서 감사합니다. 질문을 잘못 읽었습니다. 답변이 업데이트되었습니다.
Shad

2
OP는 숫자를 반올림하는 방법을 물었으므로 Math.round 대신 Math.ceil을 사용해야합니다.
kloddant

10

TheEye 답변에 매우 가깝지만 작동하도록 약간 변경합니다.

var num = 192.16;
    
console.log(    Math.ceil(num * 10) / 10    );


2

OP는 두 가지를 예상합니다 :
A. 10 위로 올림,
B. 100 번째 자리에서 0을 표시합니다 (통화 필요).

두 가지 요구 사항을 모두 충족하려면 위의 각각에 대해 별도의 방법이 필요할 것 같습니다. suryakiran의 제안 된 답변을 기반으로하는 접근법이 있습니다.

//Arguments: number to round, number of decimal places.

function roundPrice(rnum, rlength) {
    var newnumber = Math.ceil(rnum * Math.pow(10, rlength-1)) / Math.pow(10, rlength-1);
    var toTenths = newnumber.toFixed(rlength);
    return toTenths;
}

alert(roundPrice(678.91011,2)); // returns 679.00
alert(roundPrice(876.54321,2)); // returns 876.60

중요 사항 :이 솔루션은 음수와 지수로 매우 다른 결과를 생성합니다.

이 답변과 두 가지가 매우 유사한 비교를 위해 다음 두 가지 접근법을 참조하십시오. 첫 번째는 평소에 가장 가까운 100 분의 1로 반올림되고, 두 번째는 가장 가까운 100 분의 1 (올림)로 반올림됩니다.

function roundNumber(rnum, rlength) { 
    var newnumber = Math.round(rnum * Math.pow(10, rlength)) / Math.pow(10, rlength);
    return newnumber;
}

alert(roundNumber(678.91011,2)); // returns 678.91

function ceilNumber(rnum, rlength) { 
    var newnumber = Math.ceil(rnum * Math.pow(10, rlength)) / Math.pow(10, rlength);
    return newnumber;
}

alert(ceilNumber(678.91011,2)); // returns 678.92

2

좋아, 이것은 대답되었지만 math.pow () 함수를 한 번 호출하는 내 대답을보고 싶다고 생각했습니다. 나는 DRY를 유지하는 것을 좋아합니다.

function roundIt(num, precision) {
    var rounder = Math.pow(10, precision);
    return (Math.round(num * rounder) / rounder).toFixed(precision)
};

그것은 모든 것을 하나로 모았습니다. 반올림 대신에 반올림으로 Math.round ()를 Math.ceil ()로 바꾸면 OP가 원했던 것입니다.


1

이 함수는 반올림없이 10 진수를 제한합니다.

function limitDecimal(num,decimal){
     return num.toString().substring(0, num.toString().indexOf('.')) + (num.toString().substr(num.toString().indexOf('.'), decimal+1));
}

더 짧은 대안으로 : return ( ''+ num) .split ( '.'). shift ()
Roberto

이 코드가 작동 로베르토 감사하지만, 모든 소수점 제거
Behnam 모하마디

0

@AndrewMarshall 답변을 오랫동안 사용해 왔지만 몇 가지 중요한 사례가 있습니다. 다음 테스트는 통과하지 못합니다 :

equals(roundUp(9.69545, 4), 9.6955);
equals(roundUp(37.760000000000005, 4), 37.76);
equals(roundUp(5.83333333, 4), 5.8333);

다음은 반올림을 올바르게 수행하는 데 사용하는 내용입니다.

// 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

출처 : https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Math/round


1
테스트 사례가 잘못된 것 같습니다. roundUp(37.760000000000005, 4)이어야 37.7601하고 roundUp(5.83333333, 4)이어야합니다 5.8334. 이 두 가지 (그리고 첫 번째)는 모두 내가 제공 한 fn에 적용됩니다.
Andrew Marshall

@AndrewMarshall에는 이유가 있습니다. 예상 값이 사례 2와 3에 대해 잘못되었습니다.
Amn

-3

parseInt는 항상 반올림합니다 .....

console.log(parseInt(5.8)+1);

parseInt () + 1

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