似乎是一个简单的问题,但是我真的很厌烦数学,我搜索过的网上几个例子似乎对我不起作用。 (结果只返回与输入相同的值等)
例如..但它在C中不是Java Round to Next .05 in C
所以我的目标是%.1f
格式float
或double
或big decimal
,并希望将其四舍五入到最近的.5 < / p>
example:
1.3 --> 1.5
5.5 --> 5.5
2.4 --> 2.5
3.6 --> 4.0
7.9 --> 8.0
我尝试了以下示例但没有工作:(下面只输出1.3这是原始值。我希望它是1.5
public class tmp {
public static void main(String[] args) {
double foo = 1.3;
double mid = 20 * foo;
System.out.println("mid " + mid);
double out = Math.ceil(mid);
System.out.println("out after ceil " + out);
System.out.printf("%.1f\n", out/20.0);
}
}
答案 0 :(得分:17)
这是一个简单的方法:
public static float roundToHalf(float x) {
return (float) (Math.ceil(x * 2) / 2);
}
这会使价值加倍,达到上限,并将其减半。
答案 1 :(得分:8)
乘以(以及之后除以)2而不是20,应该可以解决问题。
答案 2 :(得分:4)
double nearestPoint5 = Math.ceil(d * 2) / 2;
答案 3 :(得分:4)
请参阅Big Decimal Javadoc,了解构造函数中使用String的原因
public static double round(double d, int decimalPlace){
BigDecimal bd = new BigDecimal(Double.toString(d));
bd = bd.setScale(decimalPlace,BigDecimal.ROUND_HALF_UP);
return bd.doubleValue();
}
答案 4 :(得分:4)
以下公式对于2.16
这样的数字效果不佳public static float roundToHalf(float x) {
return (float) (Math.ceil(x * 2) / 2);
}
正确答案应为2.0,但上述方法给出2.5
正确的代码应该是:
public static double round(float d)
{
return 0.5 * Math.round(d * 2);
}
答案 5 :(得分:1)
不使用功能,你可以
double rounded = (double)(long)(x * 2 + 0.5) / 2;
注意:这将向无穷大方向发展。
答案 6 :(得分:-1)
其他一些答案不正确(Math.round
应该使用,而不是Math.floor
或Math.ceil
),而其他答案仅适用于舍入到0.5(这就是问题,是)。这是一个简单的方法,可以正确舍入到最接近的任意双数,并检查以确保它是正数。
public static double roundToNearest(double d, double toNearest) {
if (toNearest <= 0) {
throw new IllegalArgumentException(
"toNearest must be positive, encountered " + toNearest);
}
return Math.round(d/toNearest) * toNearest;
}