如何将浮点数很好地格式化为String而没有不必要的十进制0?


495

64位双精度数可以精确表示整数+/- 2 53

鉴于这一事实,我选择对所有类型都使用双精度类型作为单个类型,因为我最大的整数是无符号的32位。

但是现在我必须打印这些伪整数,但是问题是它们也与实际的双精度数混合在一起。

那么,如何在Java中很好地打印这些双打呢?

我已经尝试过了String.format("%f", value),这很接近,除了小数值时会出现很多尾随零。

这是的示例输出 %f

232.00000000
0.18000000000
1237875192.0
4.5800000000
0.00000000
1.23450000

我想要的是:

232
0.18
1237875192
4.58
0
1.2345

当然,我可以编写一个函数来修剪这些零,但是由于String操作,这会导致很多性能损失。我可以使用其他格式代码做得更好吗?

编辑

Tom E.和Jeremy S.的答案都是不可接受的,因为它们都任意舍入到小数点后两位。请在回答之前了解问题。

编辑2

请注意,String.format(format, args...)区域设置相关的(见下面的答案)。


如果您想要的只是整数,为什么不使用long?您会在2 ^ 63-1上获得更大的成功,没有笨拙的格式,并且性能更好。
basszero

14
因为某些值实际上是双倍值
Pyrolistical'Mar

2
某些情况下,这个问题是发生在固定JDK 7中的错误:stackoverflow.com/questions/7564525/...
Pyrolistical

是我还是JavaScript在数字到字符串的转换方面比Java好100%?
安迪

System.out.println("YOUR STRING" + YOUR_DOUBLE_VARIABLE);
Shayan Amani

Answers:


399

如果您的想法是打印存储为双精度型的整数,就好像它们是整数一样,否则以最低的必需精度打印双精度型:

public static String fmt(double d)
{
    if(d == (long) d)
        return String.format("%d",(long)d);
    else
        return String.format("%s",d);
}

产生:

232
0.18
1237875192
4.58
0
1.2345

并且不依赖于字符串操作。


9
同意,这是一个错误的答案,请不要使用它。它无法使用double大于最大值的int值。即使如此,long它仍然会因大量失败而失败。此外,对于较大的值,它将以指数形式(例如“ 1.0E10”)返回String,这可能不是问询者想要的。使用%f而不是%s第二个格式的字符串来解决该问题。
jlh 2014年

26
OP明确表示他们不希望使用格式化输出%f。答案是特定于所描述的情况以及所需的输出的。OP建议它们的最大值是一个32位无符号整数,我认为这int是可以接受的(无符号实际上并不存在于Java中,并且没有示例是有问题的),但是如果情况有所不同,则更int改为long琐碎的修复程序。
JasonD 2014年

1
它在问题中哪里说不应该这样做?
JasonD

6
String.format("%s",d)??? 谈论不必要的开销。使用Double.toString(d)。其他也一样Long.toString((long)d)
Andreas 2015年

15
问题是该%s语言不适用于语言环境。在德语中,我们使用“,”代替“。” 以十进制数字表示。虽然String.format(Locale.GERMAN, "%f", 1.5)返回“1,500000”,String.format(Locale.GERMAN, "%s", 1.5)返回“1.5” - “”有,这是在德语假。是否还有与语言环境相关的“%s”版本?
Felix Edelmann

414
new DecimalFormat("#.##").format(1.199); //"1.2"

正如评论中指出的那样,这不是对原始问题的正确答案。
也就是说,这是一种非常有用的数字格式,无需多余的尾随零。


16
这里重要的一点是1.1将正确地格式化为“ 1.1”而没有任何尾随零。
史蒂夫·波默罗伊

53
并且,如果您碰巧想要特定数量的尾随零(例如,如果您要打印金额),则可以使用“ 0”而不是“#”(即new DecimalFormat(“ 0.00”)。format(amount);)不是OP想要的,但可能对参考很有用。
TJ Ellis,

22
是的,作为问题的原始作者,这是错误的答案。有趣的是,有多少票。该解决方案的问题是它任意舍入到小数点后两位。
Pyrolistical 2012年

11
@Mazyod,因为您始终可以传递的浮点数的小数位数要多于格式。那就是编写将在大多数时间都有效但不能涵盖所有极端情况的代码。
Pyrolistical

15
@Pyrolistical-恕我直言,有很多反对意见,因为尽管这对您来说是错误的解决方案,但对于99%以上的发现此问与答的人来说,它是正确的解决方案:通常,双精度数字的最后几位是“噪音”,会使输出混乱,影响可读性。因此,程序员确定有多少位数对读取输出的人有利,并指定了多少位数。常见的情况是,累积了很小的数学错误,因此值可能是12.000000034,但是更倾向于四舍五入为12,并紧凑地显示为“ 12”。并且“ 12.340000056” =>“ 12.34”。
ToolmakerSteve

227
String.format("%.2f", value) ;

13
没错,但是即使没有小数部分,也总是打印尾随零。String.format(“%。2f,1.0005)打印1.00,而不是1。是否有格式说明符用于不打印小数部分(如果不存在)?
Emre Yazici 2010年

86
由于问题要求删除所有尾随的零,因此投了反对票,而该答案将始终留下两个浮点,而不管其为零。
Zulaxia

DecimalFormat是一个不错的技巧-尽管由于尾随的零看起来更好,所以最终还是根据自己的情况(游戏级计时器)使用了它。
Timothy Lee Russell,

2
我认为您可以使用g而不是f正确处理尾随零。
Peter Ajtai 2012年

3
我在带有“%.5f”的生产系统中使用了该解决方案,它的确非常糟糕,请不要使用它...因为它打印的是:5.12E-4而不是0.000512
会使我们

87

简而言之:

如果要摆脱尾随零和Locale问题,则应使用:

double myValue = 0.00000021d;

DecimalFormat df = new DecimalFormat("0", DecimalFormatSymbols.getInstance(Locale.ENGLISH));
df.setMaximumFractionDigits(340); //340 = DecimalFormat.DOUBLE_FRACTION_DIGITS

System.out.println(df.format(myValue)); //output: 0.00000021

说明:

为什么其他答案不适合我:

  • Double.toString()System.out.printlnFloatingDecimal.toJavaFormatString如果double小于10 ^ -3或大于或等于10 ^ 7,则使用科学计数法

    double myValue = 0.00000021d;
    String.format("%s", myvalue); //output: 2.1E-7
  • 通过使用%f,默认的十进制精度为6,否则可以对其进行硬编码,但是如果小数位数较少,则会导致添加额外的零。范例:

    double myValue = 0.00000021d;
    String.format("%.12f", myvalue); //output: 0.000000210000
  • 通过使用setMaximumFractionDigits(0);%.0f删除任何十进制精度,该精度对于整数/多位有效,但对于双精度则不可行

    double myValue = 0.00000021d;
    System.out.println(String.format("%.0f", myvalue)); //output: 0
    DecimalFormat df = new DecimalFormat("0");
    System.out.println(df.format(myValue)); //output: 0
  • 通过使用DecimalFormat,您是本地依赖的。在法国语言环境中,小数点分隔符是逗号,而不是点:

    double myValue = 0.00000021d;
    DecimalFormat df = new DecimalFormat("0");
    df.setMaximumFractionDigits(340);
    System.out.println(df.format(myvalue));//output: 0,00000021

    使用英语语言环境可确保在程序运行的任何地方都获得小数点

为什么要用340 setMaximumFractionDigits呢?

两个原因:

  • setMaximumFractionDigits接受一个整数,但其实现具有允许的最大位数,DecimalFormat.DOUBLE_FRACTION_DIGITS该位数等于340
  • Double.MIN_VALUE = 4.9E-324 因此,使用340位数字时,您一定不能舍弃双精度和宽松精度

这不适用于整数,例如“ 2”变为“ 2”。
kap 2015年

谢谢,我已经通过使用模式0而不是#.
JBE

您没有使用常量,DecimalFormat.DOUBLE_FRACTION_DIGITS而是使用了值340,然后提供了注释以表明它等于DecimalFormat.DOUBLE_FRACTION_DIGITS。为什么不只使用常量呢???
Maarten Bodewes,2015年

1
因为此属性不是公共属性,所以它是“包友好的”
JBE 2015年

4
谢谢!实际上,此答案是唯一真正符合问题中提到的所有要求的答案–它不会显示不必要的零,不会四舍五入并且取决于语言环境。大!
Felix Edelmann

26

为什么不:

if (d % 1.0 != 0)
    return String.format("%s", d);
else
    return String.format("%.0f",d);

这应该可以使用Double支持的极限值。产量:

0.12
12
12.144252
0

2
我更喜欢这个答案,因为我们不需要进行类型转换。
杰夫T.

简短说明:"%s"基本上可以调用,d.toString()但不能与intif一起使用d==null
Neph

24

在我的机器上,以下功能比JasonD的答案提供的功能快大约7倍,因为它避免了String.format

public static String prettyPrint(double d) {
  int i = (int) d;
  return d == i ? String.valueOf(i) : String.valueOf(d);
}

1
嗯,这没有考虑到语言环境,但JasonD也没有考虑。
TWiStErRob '16

22

我的2美分:

if(n % 1 == 0) {
    return String.format(Locale.US, "%.0f", n));
} else {
    return String.format(Locale.US, "%.1f", n));
}

2
或者只是return String.format(Locale.US, (n % 1 == 0 ? "%.0f" : "%.1f"), n);
MC Emperor

失败时23.00123 ==> 23.00
aswzen

11

w,没关系。

由于字符串操作而导致的性能损失为零。

这是修剪结尾之后的代码 %f

private static String trimTrailingZeros(String number) {
    if(!number.contains(".")) {
        return number;
    }

    return number.replaceAll("\\.?0*$", "");
}

7
我之所以投票,是因为您的解决方案不是最佳选择。看看String.format。您需要使用正确的格式类型,在这种情况下为float。看看我上面的答案。
jjnguy

6
我投了赞成票,因为我遇到了同样的问题,这里似乎没人明白这个问题。
2011年

1
汤姆(Tom)的帖子中提到的DecimalFormat恰恰被您否定了。它非常有效地去除了零。
史蒂夫·波默罗伊

4
综上所述,也许他想在不舍入的情况下修剪零?PS @Pyrolistical,您当然可以只使用number.replaceAll(“。?0 * $”,“”); (当然在contains(“。”)之后)
Rehno Lindeque 2011年

1
好的,那么如何使用DecimalFormat实现我的目标?
Pyrolistical 2012年

8

使用DecimalFormatsetMinimumFractionDigits(0)


我会添加setMaximumFractionDigits(2)setGroupingUsed(false)(OP并没有提到它,但是从示例看来,这是必需的)。同样,一个小的测试用例也无害,因为在这种情况下它是微不足道的。不过,由于我认为这是最简单的解决方案,因此

6
if (d == Math.floor(d)) {
    return String.format("%.0f", d);
} else {
    return Double.toString(d);
}

1
我想我会关注您的:D
aeracode

5

请注意,它String.format(format, args...)依赖于语言环境的,因为它使用用户的默认语言环境进行格式化即,可能使用逗号,甚至内部空格如123 456,789123,456.789,这可能与您期望的不完全相同。

您可能更喜欢使用String.format((Locale)null, format, args...)

例如,

    double f = 123456.789d;
    System.out.println(String.format(Locale.FRANCE,"%f",f));
    System.out.println(String.format(Locale.GERMANY,"%f",f));
    System.out.println(String.format(Locale.US,"%f",f));

版画

123456,789000
123456,789000
123456.789000

这就是String.format(format, args...)在不同国家所做的事情。

编辑好的,因为已经有关于形式的讨论:

    res += stripFpZeroes(String.format((Locale) null, (nDigits!=0 ? "%."+nDigits+"f" : "%f"), value));
    ...

protected static String stripFpZeroes(String fpnumber) {
    int n = fpnumber.indexOf('.');
    if (n == -1) {
        return fpnumber;
    }
    if (n < 2) {
        n = 2;
    }
    String s = fpnumber;
    while (s.length() > n && s.endsWith("0")) {
        s = s.substring(0, s.length()-1);
    }
    return s;
}

1
您应该将此添加为已接受答案的注释
Pyrolistical

注释不允许此附录的长度或格式。由于它添加了可能有用的信息,因此我认为应原样允许而不是删除它。
Terry Jan Reedy

5

我做了一个DoubleFormatter有效地将大量的双精度值转换为一个不错的/可表示的字符串:

double horribleNumber = 3598945.141658554548844; 
DoubleFormatter df = new DoubleFormatter(4,6); //4 = MaxInteger, 6 = MaxDecimal
String beautyDisplay = df.format(horribleNumber);
  • 如果V的整数部分大于MaxInteger =>以科学家格式(1.2345e + 30)显示V,否则以普通格式124.45678显示。
  • MaxDecimal决定小数位数(修剪与银行家四舍五入)

这里的代码:

import java.math.RoundingMode;
import java.text.DecimalFormat;
import java.text.DecimalFormatSymbols;
import java.text.NumberFormat;
import java.util.Locale;

import com.google.common.base.Preconditions;
import com.google.common.base.Strings;

/**
 * Convert a double to a beautiful String (US-local):
 * 
 * double horribleNumber = 3598945.141658554548844; 
 * DoubleFormatter df = new DoubleFormatter(4,6);
 * String beautyDisplay = df.format(horribleNumber);
 * String beautyLabel = df.formatHtml(horribleNumber);
 * 
 * Manipulate 3 instances of NumberFormat to efficiently format a great number of double values.
 * (avoid to create an object NumberFormat each call of format()).
 * 
 * 3 instances of NumberFormat will be reused to format a value v:
 * 
 * if v < EXP_DOWN, uses nfBelow
 * if EXP_DOWN <= v <= EXP_UP, uses nfNormal
 * if EXP_UP < v, uses nfAbove
 * 
 * nfBelow, nfNormal and nfAbove will be generated base on the precision_ parameter.
 * 
 * @author: DUONG Phu-Hiep
 */
public class DoubleFormatter
{
    private static final double EXP_DOWN = 1.e-3;
    private double EXP_UP; // always = 10^maxInteger
    private int maxInteger_;
    private int maxFraction_;
    private NumberFormat nfBelow_; 
    private NumberFormat nfNormal_;
    private NumberFormat nfAbove_;

    private enum NumberFormatKind {Below, Normal, Above}

    public DoubleFormatter(int maxInteger, int maxFraction){
        setPrecision(maxInteger, maxFraction);
    }

    public void setPrecision(int maxInteger, int maxFraction){
        Preconditions.checkArgument(maxFraction>=0);
        Preconditions.checkArgument(maxInteger>0 && maxInteger<17);

        if (maxFraction == maxFraction_ && maxInteger_ == maxInteger) {
            return;
        }

        maxFraction_ = maxFraction;
        maxInteger_ = maxInteger;
        EXP_UP =  Math.pow(10, maxInteger);
        nfBelow_ = createNumberFormat(NumberFormatKind.Below);
        nfNormal_ = createNumberFormat(NumberFormatKind.Normal);
        nfAbove_ = createNumberFormat(NumberFormatKind.Above);
    }

    private NumberFormat createNumberFormat(NumberFormatKind kind) {
        final String sharpByPrecision = Strings.repeat("#", maxFraction_); //if you do not use Guava library, replace with createSharp(precision);
        NumberFormat f = NumberFormat.getInstance(Locale.US);

        //Apply banker's rounding:  this is the rounding mode that statistically minimizes cumulative error when applied repeatedly over a sequence of calculations
        f.setRoundingMode(RoundingMode.HALF_EVEN);

        if (f instanceof DecimalFormat) {
            DecimalFormat df = (DecimalFormat) f;
            DecimalFormatSymbols dfs = df.getDecimalFormatSymbols();

            //set group separator to space instead of comma

            //dfs.setGroupingSeparator(' ');

            //set Exponent symbol to minus 'e' instead of 'E'
            if (kind == NumberFormatKind.Above) {
                dfs.setExponentSeparator("e+"); //force to display the positive sign in the exponent part
            } else {
                dfs.setExponentSeparator("e");
            }

            df.setDecimalFormatSymbols(dfs);

            //use exponent format if v is out side of [EXP_DOWN,EXP_UP]

            if (kind == NumberFormatKind.Normal) {
                if (maxFraction_ == 0) {
                    df.applyPattern("#,##0");
                } else {
                    df.applyPattern("#,##0."+sharpByPrecision);
                }
            } else {
                if (maxFraction_ == 0) {
                    df.applyPattern("0E0");
                } else {
                    df.applyPattern("0."+sharpByPrecision+"E0");
                }
            }
        }
        return f;
    } 

    public String format(double v) {
        if (Double.isNaN(v)) {
            return "-";
        }
        if (v==0) {
            return "0"; 
        }
        final double absv = Math.abs(v);

        if (absv<EXP_DOWN) {
            return nfBelow_.format(v);
        }

        if (absv>EXP_UP) {
            return nfAbove_.format(v);
        }

        return nfNormal_.format(v);
    }

    /**
     * format and higlight the important part (integer part & exponent part) 
     */
    public String formatHtml(double v) {
        if (Double.isNaN(v)) {
            return "-";
        }
        return htmlize(format(v));
    }

    /**
     * This is the base alogrithm: create a instance of NumberFormat for the value, then format it. It should
     * not be used to format a great numbers of value 
     * 
     * We will never use this methode, it is here only to understanding the Algo principal:
     * 
     * format v to string. precision_ is numbers of digits after decimal. 
     * if EXP_DOWN <= abs(v) <= EXP_UP, display the normal format: 124.45678
     * otherwise display scientist format with: 1.2345e+30 
     * 
     * pre-condition: precision >= 1
     */
    @Deprecated
    public String formatInefficient(double v) {

        final String sharpByPrecision = Strings.repeat("#", maxFraction_); //if you do not use Guava library, replace with createSharp(precision);

        final double absv = Math.abs(v);

        NumberFormat f = NumberFormat.getInstance(Locale.US);

        //Apply banker's rounding:  this is the rounding mode that statistically minimizes cumulative error when applied repeatedly over a sequence of calculations
        f.setRoundingMode(RoundingMode.HALF_EVEN);

        if (f instanceof DecimalFormat) {
            DecimalFormat df = (DecimalFormat) f;
            DecimalFormatSymbols dfs = df.getDecimalFormatSymbols();

            //set group separator to space instead of comma

            dfs.setGroupingSeparator(' ');

            //set Exponent symbol to minus 'e' instead of 'E'

            if (absv>EXP_UP) {
                dfs.setExponentSeparator("e+"); //force to display the positive sign in the exponent part
            } else {
                dfs.setExponentSeparator("e");
            }
            df.setDecimalFormatSymbols(dfs);

            //use exponent format if v is out side of [EXP_DOWN,EXP_UP]

            if (absv<EXP_DOWN || absv>EXP_UP) {
                df.applyPattern("0."+sharpByPrecision+"E0");
            } else {
                df.applyPattern("#,##0."+sharpByPrecision);
            }
        }
        return f.format(v);
    }

    /**
     * Convert "3.1416e+12" to "<b>3</b>.1416e<b>+12</b>"
     * It is a html format of a number which highlight the integer and exponent part
     */
    private static String htmlize(String s) {
        StringBuilder resu = new StringBuilder("<b>");
        int p1 = s.indexOf('.');

        if (p1>0) {
            resu.append(s.substring(0, p1));
            resu.append("</b>");
        } else {
            p1 = 0;
        }

        int p2 = s.lastIndexOf('e');
        if (p2>0) {
            resu.append(s.substring(p1, p2));
            resu.append("<b>");
            resu.append(s.substring(p2, s.length()));
            resu.append("</b>");
        } else {
            resu.append(s.substring(p1, s.length()));
            if (p1==0){
                resu.append("</b>");
            }
        }
        return resu.toString();
    }
}

注意:我使用了GUAVA库中的2个函数。如果您不使用GUAVA,请自己编写代码:

/**
 * Equivalent to Strings.repeat("#", n) of the Guava library: 
 */
private static String createSharp(int n) {
    StringBuilder sb = new StringBuilder(); 
    for (int i=0;i<n;i++) {
        sb.append('#');
    }
    return sb.toString();
}

1
如果知道精度,则使用BigDecimal。见docs.oracle.com/javase/1.5.0/docs/api/java/math/...
Pyrolistical

5

这个我可以很好地完成工作,我知道这个话题很老,但是直到遇到这个问题我一直在努力解决同样的问题。我希望有人觉得它有用。

    public static String removeZero(double number) {
        DecimalFormat format = new DecimalFormat("#.###########");
        return format.format(number);
    }

5
new DecimalFormat("00.#").format(20.236)
//out =20.2

new DecimalFormat("00.#").format(2.236)
//out =02.2
  1. 0为最小位数
  2. 渲染数字

虽然这可以为问题提供解决方案,但最好的做法是为社区添加一个简短的解释,以使社区从中受益(并学习)
blurfus

4
String s = String.valueof("your int variable");
while (g.endsWith("0") && g.contains(".")) {
    g = g.substring(0, g.length() - 1);
    if (g.endsWith("."))
    {
        g = g.substring(0, g.length() - 1);
    }
}

您应该只从右侧搜索第一个非零数字,然后使用subString(当然还要验证字符串是否包含“。”)。这样,您就不会在途中创建太多临时字符串。
Android开发人员

3

答案迟了,但是...

您说过您选择将数字存储在双精度类型。我认为这可能是问题的根源,因为它迫使您将整数存储为双精度型(因此会丢失有关值性质的初始信息)。将数字存储在Number实例中怎么办类(Double和Integer的超类)的并依靠多态性确定每个数字的正确格式怎么办?

我知道,因此重构整个代码可能是不可接受的,但是它可以产生所需的输出而无需额外的代码/广播/解析。

例:

import java.util.ArrayList;
import java.util.List;

public class UseMixedNumbers {

    public static void main(String[] args) {
        List<Number> listNumbers = new ArrayList<Number>();

        listNumbers.add(232);
        listNumbers.add(0.18);
        listNumbers.add(1237875192);
        listNumbers.add(4.58);
        listNumbers.add(0);
        listNumbers.add(1.2345);

        for (Number number : listNumbers) {
            System.out.println(number);
        }
    }

}

将产生以下输出:

232
0.18
1237875192
4.58
0
1.2345

javascript做出了相同的选择:)
Pyrolistical,2015年

@Pyrolistical您能否再说明一下您的说法?这不是很清楚我... :)
斑点

2

这是我想出的:

  private static String format(final double dbl) {
    return dbl % 1 != 0 ? String.valueOf(dbl) : String.valueOf((int) dbl);
  }

简单的一个内衬,仅在确实需要时才强制转换为int


1
在其他地方重复Felix Edelmann所说的话:这将创建一个与语言环境无关的字符串,该字符串可能并不总是适合于用户。
JJ布朗

公平地说,对于我的用例而言,这不是问题,我现在尚不确定,但我认为可以使用String.format(带有所需的语言环境)代替valueOf
keisar

2

使用分组,舍入,无不必要的零(双精度)格式化价格。

规则:

  1. 末尾没有零(2.0000 = 2; 1.0100000 = 1.01
  2. 点(2.010 = 2.01; 0.20 = 0.2)后最多两位数
  3. 四舍五入后的第二个数字(1.994 = 1.99; 1.995 = 2; 1.006 = 1.01; 0.0006 -> 0
  4. 返回0null/-0 = 0
  5. $= $56/-$56
  6. 分组(101101.02 = $101,101.02

更多示例:

-99.985 = -$99.99

10 = $10

10.00 = $10

20.01000089 = $20.01

写在Kotlin中,是Double的有趣扩展(在Android中使用),但可以轻松转换为Java,因为使用了Java类。

/**
 * 23.0 -> $23
 *
 * 23.1 -> $23.1
 *
 * 23.01 -> $23.01
 *
 * 23.99 -> $23.99
 *
 * 23.999 -> $24
 *
 * -0.0 -> $0
 *
 * -5.00 -> -$5
 *
 * -5.019 -> -$5.02
 */
fun Double?.formatUserAsSum(): String {
    return when {
        this == null || this == 0.0 -> "$0"
        this % 1 == 0.0 -> DecimalFormat("$#,##0;-$#,##0").format(this)
        else -> DecimalFormat("$#,##0.##;-$#,##0.##").format(this)
    }
}

如何使用:

var yourDouble: Double? = -20.00
println(yourDouble.formatUserAsSum()) // will print -$20

yourDouble = null
println(yourDouble.formatUserAsSum()) // will print $0

关于DecimalFormathttps : //docs.oracle.com/javase/6/docs/api/java/text/DecimalFormat.html


1
public static String fmt(double d) {
    String val = Double.toString(d);
    String[] valArray = val.split("\\.");
    long valLong = 0;
    if(valArray.length == 2){
        valLong = Long.parseLong(valArray[1]);
    }
    if (valLong == 0)
        return String.format("%d", (long) d);
    else
        return String.format("%s", d);
}

我不得不使用这个原因d == (long)d在声纳报告中给了我违反


1
float price = 4.30;
DecimalFormat format = new DecimalFormat("0.##"); // Choose the number of decimal places to work with in case they are different than zero and zero value will be removed
format.setRoundingMode(RoundingMode.DOWN); // choose your Rounding Mode
System.out.println(format.format(price));

这是一些测试的结果:

4.30     => 4.3
4.39     => 4.39  // Choose format.setRoundingMode(RoundingMode.UP) to get 4.4
4.000000 => 4
4        => 4

那1.23450000呢?
Alex78191

1.23450000 => 1.23
Ahmed Mihoub

0

这是实现它的两种方法。首先,较短(可能更好)的方法是:

public static String formatFloatToString(final float f)
  {
  final int i=(int)f;
  if(f==i)
    return Integer.toString(i);
  return Float.toString(f);
  }

这是更长或更糟的方法:

public static String formatFloatToString(final float f)
  {
  final String s=Float.toString(f);
  int dotPos=-1;
  for(int i=0;i<s.length();++i)
    if(s.charAt(i)=='.')
      {
      dotPos=i;
      break;
      }
  if(dotPos==-1)
    return s;
  int end=dotPos;
  for(int i=dotPos+1;i<s.length();++i)
    {
    final char c=s.charAt(i);
    if(c!='0')
      end=i+1;
    }
  final String result=s.substring(0,end);
  return result;
  }

1
有时候,当您使事情变得更简单时,其背后的代码会更复杂且优化程度较低...但是,可以使用大量内置的API函数...
android开发人员

1
您应该从简单开始,确定性能问题后,才应该进行优化。代码供人类反复阅读。使它快速运行是次要的。通过尽可能不使用标准API,您更有可能引入错误,并且只会使将来的更改变得更加困难。
Pyrolistical

3
我认为这样编写的代码不会更快。JVM非常聪明,在分析它之前,您实际上并不知道某事物有多快。出现问题时,可以检测到性能问题并将其修复。您不应过早对其进行优化。编写代码供人们阅读,而不是您想像的机器运行方式。一旦出现性能问题,请使用探查器重写代码。
火热2013年

2
有人编辑了答案以改善代码格式。我正在审核数十个编辑以供批准,并准备在此处批准它们的编辑,但是这些编辑不一致,因此我将其修复。我还改进了文本片段的语法。
Steve Vinoski

1
我不明白 如果您说格式没关系,为什么还要花时间将其改回呢?
OrhanC1年

0

对于Kotlin,您可以使用扩展名,例如:

fun Double.toPrettyString() =
    if(this - this.toLong() == 0.0)
        String.format("%d", this.toLong())
    else
        String.format("%s",this)

0

这是另一个答案,可以选择仅在小数不为零的情况下附加小数。

   /**
     * Example: (isDecimalRequired = true)
     * d = 12345
     * returns 12,345.00
     *
     * d = 12345.12345
     * returns 12,345.12
     *
     * ==================================================
     * Example: (isDecimalRequired = false)
     * d = 12345
     * returns 12,345 (notice that there's no decimal since it's zero)
     *
     * d = 12345.12345
     * returns 12,345.12
     *
     * @param d float to format
     * @param zeroCount number decimal places
     * @param isDecimalRequired true if it will put decimal even zero,
     * false will remove the last decimal(s) if zero.
     */
    fun formatDecimal(d: Float? = 0f, zeroCount: Int, isDecimalRequired: Boolean = true): String {
        val zeros = StringBuilder()

        for (i in 0 until zeroCount) {
            zeros.append("0")
        }

        var pattern = "#,##0"

        if (zeros.isNotEmpty()) {
            pattern += ".$zeros"
        }

        val numberFormat = DecimalFormat(pattern)

        var formattedNumber = if (d != null) numberFormat.format(d) else "0"

        if (!isDecimalRequired) {
            for (i in formattedNumber.length downTo formattedNumber.length - zeroCount) {
                val number = formattedNumber[i - 1]

                if (number == '0' || number == '.') {
                    formattedNumber = formattedNumber.substring(0, formattedNumber.length - 1)
                } else {
                    break
                }
            }
        }

        return formattedNumber
    }

-1

这是一个实际可行的答案(此处结合了不同的答案)

public static String removeTrailingZeros(double f)
{
    if(f == (int)f) {
        return String.format("%d", (int)f);
    }
    return String.format("%f", f).replaceAll("0*$", "");
}

1
您没有替换POINT,例如,“ 100.0”将转换为“ 100”。
VinceStyling

if(f ==(int)f)会解决这个问题。
Martin Klosi

2
失败,f = 9999999999.00
达伍德·伊本·卡里姆

-4

我知道这是一个非常老的线程。但是我认为做到这一点的最佳方法如下:

public class Test {

    public static void main(String args[]){
        System.out.println(String.format("%s something",new Double(3.456)));
        System.out.println(String.format("%s something",new Double(3.456234523452)));
        System.out.println(String.format("%s something",new Double(3.45)));
        System.out.println(String.format("%s something",new Double(3)));
    }
}

输出:

3.456 something
3.456234523452 something
3.45 something
3.0 something

唯一的问题是没有删除.0的最后一个。但是,如果您能够忍受这一点,那么效果最好。%.2f会将其四舍五入到最后2个十进制数字。因此,DecimalFormat。如果您需要所有小数位而不是尾随零,那么这是最好的。


2
如果不需要,使用“#。##”格式的DecimalFormat将不保留额外的0:System.out.println(new java.text.DecimalFormat("#.##").format(1.0005));将打印1
Aleks G 2012年

这就是我的观点。如果要显示0.0005,该怎么办。您将把它舍入为2个十进制数字。
sethu 2012年

OP正在询问如何打印以double形式存储的整数值:)
Aleks G 2012年

-8
String s = "1.210000";
while (s.endsWith("0")){
    s = (s.substring(0, s.length() - 1));
}

这将使字符串的尾部下降0-s。


1
这是一个很好的解决方案,如果他们只对尾随零感兴趣,那么如何更改代码以修剪尾随小数点呢?即“ 1”。
bakoyaro

29
请注意,您的解决方案会将1000转换为1,这是错误的。
Aleks G 2012年
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.