带有+运算符的Java String Concatenation

时间:2013-03-11 13:46:04

标签: java string

我对字符串连接感到困惑。

String s1 = 20 + 30 + "abc" + (10 + 10);
String s2 = 20 + 30 + "abc" + 10 + 10;
System.out.println(s1);
System.out.println(s2);

输出结果为:

  

50abc20
  50abc1010

我想知道为什么 20 + 30 在两种情况下都加在一起,但是 10 + 10 需要括号才能添加(s1)而不是连接到字符串(S2)。请解释String运算符+如何在这里工作。

5 个答案:

答案 0 :(得分:10)

添加是关联的。采取第一种情况

20+30+"abc"+(10+10)
-----       -------
  50 +"abc"+  20    <--- here both operands are integers with the + operator, which is addition
  ---------
  "50abc"  +  20    <--- + operator on integer and string results in concatenation
    ------------
      "50abc20"     <--- + operator on integer and string results in concatenation

在第二种情况下:

20+30+"abc"+10+10
-----
  50 +"abc"+10+10  <--- here both operands are integers with the + operator, which is addition
  ---------
   "50abc"  +10+10  <--- + operator on integer and string results in concatenation
    ----------
    "50abc10"  +10  <--- + operator on integer and string results in concatenation
     ------------
      "50abc1010"   <--- + operator on integer and string results in concatenation

答案 1 :(得分:1)

添加关联性的概念,你可以确保永远不会将两个整数加在一起,使用括号来始终将字符串与整数配对,这样就可以进行所需的连接操作而不是添加。

String s4 = ((20 + (30 + "abc")) + 10)+10;

会产生:

2030abc1010

答案 2 :(得分:1)

另外,为了补充这个话题,Jonathan Schober的答案的错误部分让我想起了一件事:

a+=something不等于a=a+<something> +=首先评估右侧,然后才将其添加到左侧。所以它必须重写,它相当于:

a=a+(something); //notice the parentheses!

显示差异

public class StringTest {
  public static void main(String... args){
    String a = "";
    a+=10+10+10;

    String b = ""+10+10+10;

    System.out.println("First string, with += : " + a);
    System.out.println("Second string, with simple =\"\" " + b);

  }
}

答案 3 :(得分:0)

您需要以空字符串开头。

所以,这可能有效:

String s2 = ""+20+30+"abc"+10+10; 

或者这个:

String s2 ="";
s2 = 20+30+"abc"+10+10;
System.out.println(s2);

答案 4 :(得分:0)

您需要了解一些规则:
1,Java运营商优先级,大多数是从左到右的 2,括号优先于 + 符号优先。
3,如果 + 符号的两边都是整数,则结果为sum,否则为连接。