我想为指定长度的输入数据不同长度的动态浮点格式实现显示。例如x.xxxx, xx.xxxx, xxx.xx, xxxx.x

换一种说法,

如果我有1.4,则需要1.4000

如果13.4则我需要13.400,对于每种情况,长度应为5位数字(无点)。

我在用着

DecimalFormat df2 = new DecimalFormat("000000");


但无法建立正确的模式。有什么解决办法吗?
感谢您的帮助。

最佳答案

以下不是生产代码。它既不会考虑前导负号,也不会考虑noDigits常量的很高值。但我相信您可以以此为起点。感谢Mzf的启发。

final static int noDigits = 5;

public static String myFormat(double d) {
    if (d < 0) {
        throw new IllegalArgumentException("This does not work with a negative number " + d);
    }
    String asString = String.format(Locale.US, "%f", d);
    int targetLength = noDigits;
    int dotIx = asString.indexOf('.');
    if (dotIx >= 0 && dotIx < noDigits) {
        // include dot in result
        targetLength++;
    }
    if (asString.length() < targetLength) { // too short
        return asString + "0000000000000000000000".substring(asString.length(), targetLength);
    } else if (asString.length() > targetLength) { // too long
        return asString.substring(0, targetLength);
    }
    // correct length
    return asString;
}

10-02 16:28