将字符串文字拆分成多行

Break up a string literal over multiple lines

有没有一种方法可以分解一行代码,使其在 java 中的新行中仍被读取为连续的?

public String toString() {

  return String.format("BankAccount[owner: %s, balance: %2$.2f,\
    interest rate: %3$.2f,", myCustomerName, myAccountBalance, myIntrestRate);
  }

上面的代码当我在一行上执行所有这些时一切正常,但是当我尝试在多行上执行此操作时它不起作用。

在 python 中,我知道您使用 \ 开始在新行上键入,但在执行时打印为一行。

Python 中的一个示例进行说明。在 python 这将打印在一行上使用 反斜杠或 ():

print('Oh, youre sure to do that, said the Cat,\
 if you only walk long enough.')

用户会将此视为:

Oh, youre sure to do that, said the Cat, if you only walk long enough.

在java中有类似的方法吗?谢谢!

使用 + 运算符在新行上拆分字符串。

public String toString() {
    return String.format("BankAccount[owner: %s, balance: "
            + "%2$.2f, interest rate:"
            + " %3$.2f]", 
            myCustomerName, 
            myAccountBalance, myIntrestRate);
}

示例输出:BankAccount[owner: TestUser, balance: 100.57, interest rate: 12.50]

遵循 Java 的编码约定:

public String toString() 
{
    return String.format("BankAccount[owner: %s, balance: %2$.2f",
                         + "interest rate: %3$.2f", 
                         myCustomerName, 
                         myAccountBalance, 
                         myIntrestRate);
}

始终在新行的开头使用连接运算符以提高可读性。

https://www.oracle.com/technetwork/java/javase/documentation/codeconventions-136091.html#248

希望对您有所帮助!

布雷迪