检查字符串值并将其四舍五入到最接近的Int16的最佳(最小)方法是什么
本文关键字:最佳 Int16 是什么 方法 最小 最接近 字符串 四舍五入 检查 | 更新日期: 2023-09-27 18:28:50
我正在尝试检查字符串值(response.Radius)并将其四舍五入到最接近的Int16值(Radius)。什么是最干净和/或最有效的方法?我编写了以下代码,发现这是最有效的解决方案。我说得对吗?
还有一些额外的日志信息,我存储在catch语句中。
Int16 radius; Double rDouble;
if (Double.TryParse(response.Radius, out rDouble))
{
var rRounded = Math.Round(rDouble);
if (!Int16.TryParse(rRounded.ToString(), out radius))
{
if (rRounded > Int16.MaxValue)
{
radius = Int16.MaxValue;
}
else if (rRounded < Int16.MinValue)
{
radius = Int16.MinValue;
}
//response.Radius = radius.ToString();
Logger.Info(String.Format("Received range value {0} is outside the range of SmallInt, thus it is capped to nearest value of SmallInt i.e. {2}", Int16.MaxValue, response.Radius));
}
else
{
Logger.Info("Response: Range " + response.Radius + " is not a valid number");
}
}
return response.Radius;
如果您想要更小的代码,可以使用Math.Min
和Math.Max
:
double d = 42793.5;
double rslt = Math.Min(Int16.MaxValue, Math.Max(Int16.MinValue, d));
我不知道这是否是"最好"的方法(可能不是),但它应该更快(不使用异常),而且不容易出错。
public static Int16? ToInt16(string value)
{
double rDouble;
if (!double.TryParse(value, NumberStyles.Any, CultureInfo.InvariantCulture, out rDouble))
{
// log: not a valid number
return null;
}
if (rDouble < Int16.MinValue)
{
// log: too small
return Int16.MinValue;
}
if (rDouble > Int16.MaxValue)
{
// log: too big
return Int16.MaxValue;
}
var rounded = Math.Round(rDouble, MidpointRounding.AwayFromZero);
return (Int16)rounded;
}
此方法将返回Int16?(Nullable<Int16>),以便能够判断输入是否无效。要处理结果,您应该检查它是否有值,如果有,则使用该值。
这是我能写的最小且准确的代码。
Double rDouble;
if (Double.TryParse(response.Radius, out rDouble))
{
var radius = Math.Round(Math.Min(Int16.MaxValue, Math.Max(Int16.MinValue, rDouble)));
if (radius.ToString() != response.Radius))
{
Logger.Info(String.Format("Response: Received range value {0} is outside the range of SmallInt, thus it is capped to nearest value of SmallInt i.e. {1}", response.Radius, radius));
}
response.Radius = radius.ToString();
}
else
{
Logger.Info("Response: Range " + response.Radius + " is not a valid number");
}