我有一个DecimalFormat对象,当我显示它时,我用它来将我的所有double值格式化为一组数字(比方说2)。我希望它通常格式化为2位小数,但我总是想要至少一个有效数字。例如,如果我的值为0.2,那么我的格式化程序会吐出0.20,那很好。但是,如果我的值是0.000034,我的格式化程序将吐出0.00,我希望我的格式化程序吐出0.00003。
Objective-C中的数字格式化程序非常简单,我可以设置我想要显示的最大位数为2,最小有效位数为1,它会产生我想要的输出,但我怎么能用Java做到了吗?
我感谢任何人都可以提供帮助。
凯尔
编辑:我对舍入值感兴趣所以0.000037显示为0.00004。
答案 0 :(得分:2)
效率不高,所以如果你经常执行这个操作,我会尝试另一个解决方案,但如果你只是偶尔调用它,这个方法就可以了。
import java.text.DecimalFormat;
public class Rounder {
public static void main(String[] args) {
double value = 0.0000037d;
// size to the maximum number of digits you'd like to show
// used to avoid representing the number using scientific notation
// when converting to string
DecimalFormat maxDigitsFormatter = new DecimalFormat("#.###################");
StringBuilder pattern = new StringBuilder().append("0.00");
if(value < 0.01d){
String s = maxDigitsFormatter.format(value);
int i = s.indexOf(".") + 3;
while(i < s.length()-1){
pattern.append("0");
i++;
}
}
DecimalFormat df = new DecimalFormat(pattern.toString());
System.out.println("value = " + value);
System.out.println("formatted value = " + maxDigitsFormatter.format(value));
System.out.println("pattern = " + pattern);
System.out.println("rounded = " + df.format(value));
}
}
答案 1 :(得分:0)
import java.math.BigDecimal;
import java.math.MathContext;
public class Test {
public static void main(String[] args) {
String input = 0.000034+"";
//String input = 0.20+"";
int max = 2;
int min =1;
System.out.println(getRes(input,max,min));
}
private static String getRes(String input,int max,int min) {
double x = Double.parseDouble(((new BigDecimal(input)).unscaledValue().intValue()+"").substring(0,min));
int n = (new BigDecimal(input)).scale();
String res = new BigDecimal(x/Math.pow(10,n)).round(MathContext.DECIMAL64).setScale(n).toString();
if(n<max){
for(int i=0;i<max;i++){
res+="0";
}
}
return res;
}
}