我正在尝试使用字符串的.format方法。但如果我在字符串中放置%1、%2等,则会抛出Java .util. unknownformatconversionexception,指向一个令人困惑的Java源代码段:

private void checkText(String s) {

    int idx;

    // If there are any '%' in the given string, we got a bad format
    // specifier.
    if ((idx = s.indexOf('%')) != -1) {
        char c = (idx > s.length() - 2 ? '%' : s.charAt(idx + 1));
        throw new UnknownFormatConversionException(String.valueOf(c));
    }
}

由此我明白% char是禁止的。如果是这样,那么我应该使用什么参数占位符?

我使用Scala 2.8。


当前回答

你可以用这个;

String.format("%1$s %2$s %2$s %3$s", "a", "b", "c");

输出:

A b b c

其他回答

虽然前面所有的回答都是正确的,但它们都是用Java编写的。下面是一个Scala示例:

val placeholder = "Hello %s, isn't %s cool?"
val formatted = placeholder.format("Ivan", "Scala")

我也有一篇博客文章是关于如何制作类似Python的%操作符的格式,这可能会很有用。

你可以用这个;

String.format("%1$s %2$s %2$s %3$s", "a", "b", "c");

输出:

A b b c

还要注意,Scala用许多方法扩展了String(通过Predef引入的WrappedString的隐式转换),所以你还可以做以下事情:

val formattedString = "Hello %s, isn't %s cool?".format("Ivan", "Scala")

您应该阅读javadoc String.format()和Formatter语法,而不是查看源代码。

在%之后指定值的格式。例如十进制整数是d,字符串是s:

String aString = "world";
int aInt = 20;
String.format("Hello, %s on line %d",  aString, aInt );

输出:

Hello, world on line 20

要完成您尝试的操作(使用参数索引),您可以使用:*n*$,

String.format("Line:%2$d. Value:%1$s. Result: Hello %1$s at line %2$d", aString, aInt );

输出:

Line:20. Value:world. Result: Hello world at line 20

在Scala 2.10中

val name = "Ivan"
val weather = "sunny"

s"Hello $name, it's $weather today!"