四捨五入

四捨五入

Math.round() 將使用半舍入將值舍入為最接近的整數以斷開關係。

var a = Math.round(2.3);       // a is now 2  
var b = Math.round(2.7);       // b is now 3
var c = Math.round(2.5);       // c is now 3

var c = Math.round(-2.7);       // c is now -3
var c = Math.round(-2.5);       // c is now -2

注意 -2.5 如何四捨五入到 -2。這是因為中間值總是向上舍入,即它們被舍入到具有下一個更高值的整數。

圍捕

Math.ceil() 將使值上升。

var a = Math.ceil(2.3);        // a is now 3
var b = Math.ceil(2.7);        // b is now 3

ceiling 負數將向零舍入

var c = Math.ceil(-1.1);       // c is now 1

四捨五入

Math.floor() 會降低價值。

var a = Math.floor(2.3);        // a is now 2
var b = Math.floor(2.7);        // b is now 2

floor 負數將使它遠離零。

var c = Math.floor(-1.1);       // c is now -1

截斷

警告 :使用按位運算子(>>> 除外)僅適用於 -21474836492147483648 之間的數字。

2.3  | 0;                       // 2 (floor)
-2.3 | 0;                       // -2 (ceil)
NaN  | 0;                       // 0

Version >= 6

Math.trunc()

Math.trunc(2.3);                // 2 (floor)
Math.trunc(-2.3);               // -2 (ceil)
Math.trunc(2147483648.1);       // 2147483648 (floor)
Math.trunc(-2147483649.1);      // -2147483649 (ceil)
Math.trunc(NaN);                // NaN

舍入到小數位

Math.floorMath.ceil()Math.round() 可用於舍入到小數位數

要舍入到小數點後 2 位:

 var myNum = 2/3;               // 0.6666666666666666
 var multiplier = 100;
 var a = Math.round(myNum * multiplier) / multiplier;  // 0.67
 var b = Math.ceil (myNum * multiplier) / multiplier;  // 0.67
 var c = Math.floor(myNum * multiplier) / multiplier;  // 0.66

你還可以舍入到多個數字:

 var myNum = 10000/3;           // 3333.3333333333335
 var multiplier = 1/100;
 var a = Math.round(myNum * multiplier) / multiplier;  // 3300
 var b = Math.ceil (myNum * multiplier) / multiplier;  // 3400
 var c = Math.floor(myNum * multiplier) / multiplier;  // 3300

作為一個更實用的功能:

 // value is the value to round
 // places if positive the number of decimal places to round to
 // places if negative the number of digits to round to
 function roundTo(value, places){
     var power = Math.pow(10, places);
     return Math.round(value * power) / power;
 }
 var myNum = 10000/3;    // 3333.3333333333335
 roundTo(myNum, 2);  // 3333.33
 roundTo(myNum, 0);  // 3333
 roundTo(myNum, -2); // 3300

ceilfloor 的變種:

 function ceilTo(value, places){
     var power = Math.pow(10, places);
     return Math.ceil(value * power) / power;
 }
 function floorTo(value, places){
     var power = Math.pow(10, places);
     return Math.floor(value * power) / power;
 }