如何将 double 转换为最接近的 int?
8 回答
double d = 1.234;
int i = Convert.ToInt32(d);
像这样处理舍入:
四舍五入到最接近的 32 位有符号整数。如果 value 在两个整数的中间,则返回偶数;即4.5转换为4,5.5转换为6。
使用Math.round()
,可能与MidpointRounding.AwayFromZero
例如:
Math.Round(1.2) ==> 1
Math.Round(1.5) ==> 2
Math.Round(2.5) ==> 2
Math.Round(2.5, MidpointRounding.AwayFromZero) ==> 3
您还可以使用功能:
//Works with negative numbers now
static int MyRound(double d) {
if (d < 0) {
return (int)(d - 0.5);
}
return (int)(d + 0.5);
}
根据架构的不同,它会快几倍。
double d;
int rounded = (int)Math.Round(d);
我知道这个问题很老,但我在寻找类似问题的答案时遇到了它。我想我会分享我得到的非常有用的提示。
转换为 int 时,只需.5
在向下转换之前添加您的值。由于向下转换int
总是下降到较低的数字(例如(int)1.7 == 1
),如果您的数字大于.5
或等于,添加.5
会将其带到下一个数字,并且您的向下转换int
应该返回正确的值。(例如(int)(1.8 + .5) == 2
)
对于 Unity,请使用Mathf.RoundToInt。
using UnityEngine;
public class ExampleScript : MonoBehaviour
{
void Start()
{
// Prints 10
Debug.Log(Mathf.RoundToInt(10.0f));
// Prints 10
Debug.Log(Mathf.RoundToInt(10.2f));
// Prints 11
Debug.Log(Mathf.RoundToInt(10.7f));
// Prints 10
Debug.Log(Mathf.RoundToInt(10.5f));
// Prints 12
Debug.Log(Mathf.RoundToInt(11.5f));
// Prints -10
Debug.Log(Mathf.RoundToInt(-10.0f));
// Prints -10
Debug.Log(Mathf.RoundToInt(-10.2f));
// Prints -11
Debug.Log(Mathf.RoundToInt(-10.7f));
// Prints -10
Debug.Log(Mathf.RoundToInt(-10.5f));
// Prints -12
Debug.Log(Mathf.RoundToInt(-11.5f));
}
}
public static int RoundToInt(float f) { return (int)Math.Round(f); }
OverflowException
如果浮点值超出 Int 范围,则其他答案中的方法会抛出。https://docs.microsoft.com/en-us/dotnet/api/system.convert.toint32?view=netframework-4.8#System_Convert_ToInt32_System_Single_
int result = 0;
try {
result = Convert.ToInt32(value);
}
catch (OverflowException) {
if (value > 0) result = int.MaxValue;
else result = int.Minvalue;
}
我正在开发一个带有 Int 按钮的科学计算器。我发现以下是一个简单、可靠的解决方案:
double dblInteger;
if( dblNumber < 0 )
dblInteger = Math.Ceiling(dblNumber);
else
dblInteger = Math.Floor(dblNumber);
Math.Round 有时会产生意外或不希望的结果,并且显式转换为整数(通过强制转换或 Convert.ToInt...)通常会为更高精度的数字产生错误的值。上述方法似乎总是有效。