1

任何人都能够用简单的英语解释从这个API中获取的以下内容吗?

您还可以使用带有 ParsePosition 和 FieldPosition 的 parse 和 format 方法的形式,以允许您:

逐步解析字符串的片段

对齐小数点和其他区域

例如,您可以通过两种方式对齐数字:如果您使用带间距的等宽字体进行对齐,您可以在格式调用中传递 FieldPosition,其中 field = INTEGER_FIELD。在输出时,getEndIndex 将被设置为整数的最后一个字符和小数之间的偏移量。在字符串前面添加 (desiredSpaceCount - getEndIndex) 个空格。

我不知道 FieldPosition 有什么用,上面发布的 API 没有帮助(至少对我来说)。显示输出的简单示例将是超级!提前致谢!

4

2 回答 2

2

FieldPositionParsePosition类的 java doc给出了更多提示。

基本上你可以使用 FieldPosition 如果你不想格式化整个日期或数字,但只是它的一部分(例如,如果你的 UI 将金额分成几个部分(比如在两个输出字段中给出美元和美分)。如果你需要类似的事情,你可以使用 FieldPosition 来检索你感兴趣的部分。对于 ParsePosition 我现在没有一个好的用例,也许其他人可以在这里提供帮助。

于 2013-08-26T08:53:56.403 回答
1

NumberFormat是所有数字格式的抽象基类。这个类提供了格式化和解析数字的接口。

要使用数字格式,首先您必须获得一个locale instance

然后你可以设置很多格式的属性。例如,您可以选择显示逗号、限制小数位数以及设置最小和最大整数长度。如果您想显示关于语言环境的“%”,那么您必须使用 NumberFormat。只是不要将 '%' 作为字符串附加到结果中。是否要显示 (3745) 之类的括号来代替“-”来表示负数,然后使用 NumberFormat。像这些一样,有很多用途。

您可以查看JavaDoc以获取更多方法

这告诉你怎么做..!!

    NumberFormat numberFormat = NumberFormat.getInstance();

    // setting number of decimal places
    numberFormat.setMinimumFractionDigits(2);
    numberFormat.setMaximumFractionDigits(2);

    // you can also define the length of integer
    // that is the count of digits before the decimal point
    numberFormat.setMinimumIntegerDigits(1);
    numberFormat.setMaximumIntegerDigits(10);

    // if you want the number format to have commas
    // to separate the decimals the set as true
    numberFormat.setGroupingUsed(true);

    // convert from integer to String
    String formattedNr = numberFormat.format(12345678L);
    // note that the output will have 00 in decimal place


    // convert from decimal to String
    numberFormat.format(12345.671D);

    // format a String to number
    Number n1 = null;
    Number n2 = null;

      n1 = numberFormat.parse("1,234");
      n2 = numberFormat.parse("1.234");

    // show percentage
    numberFormat = NumberFormat.getPercentInstance();
    numberFormat.format(0.98);
    // answer will be 98%

这就是您如何使用数字格式的字段位置。

// Get a default NumberFormat instance.
        NumberFormat numForm = NumberFormat.getInstance();

        // Format some decimals using the pattern supplied above.
        StringBuffer dest1 = new StringBuffer(24);
        StringBuffer dest2 = new StringBuffer(24);
        FieldPosition pos = new FieldPosition(NumberFormat.FRACTION_FIELD);

        dest1 = numForm.format(22.3423D, dest1, pos);
        System.out.println("dest1 = " + dest1);
        System.out.println("FRACTION is at: " + pos.getBeginIndex() +
            ", " + pos.getEndIndex());

        dest2 = numForm.format(64000D, dest2, pos);
        System.out.println("dest2 = " + dest2);
        System.out.println("FRACTION is at: " + pos.getBeginIndex() +
            ", " + pos.getEndIndex());
/*
Output:
dest1 = 22.342
FRACTION is at: 3, 6
dest2 = 64,000
FRACTION is at: 6, 6
*/
于 2013-08-26T09:19:24.660 回答