9

这是如何运作的?我似乎找不到答案。

boolean bool=true;
System.out.println("the value of bool is : " + true);
//or
System.out.println("the value of bool is : " + bool);
  • 幕后发生了什么?
  • 布尔值如何转换为字符串,因为布尔值不能被隐式类型转换?
  • 是否涉及 自动装箱/拆箱?
  • 方法是否类似toString()String.valueOf()以某种方式涉及?
4

3 回答 3

19

Java 语言规范第 5.1.11 节中详细说明了确切的规则。字符串转换

根据这些规则,"str" + bool相当于:

"str" + new Boolean(bool).toString()

也就是说,编译器在如何准确评估整个表达式方面有相当大的余地。来自 JLS §15.18.1。字符串连接运算符 +

实现可以选择在一个步骤中执行转换和连接,以避免创建然后丢弃中间 String 对象。为了提高重复字符串连接的性能,Java 编译器可以使用StringBuffer类或类似技术来减少String通过计算表达式创建的中间对象的数量。

对于原始类型,实现还可以通过直接从原始类型转换为字符串来优化包装对象的创建。

例如,使用我的编译器如下:

boolean bool = true;
System.out.println("the value of bool is : " + bool);

完全等同于:

boolean bool = true;
System.out.println(new StringBuilder("the value of bool is : ").append(bool).toString());

它们产生相同的字节码:

Code:
   0: iconst_1      
   1: istore_1      
   2: getstatic     #59                 // Field java/lang/System.out:Ljava/io/PrintStream;
   5: new           #166                // class java/lang/StringBuilder
   8: dup           
   9: ldc           #168                // String the value of bool is : 
  11: invokespecial #170                // Method java/lang/StringBuilder."<init>":(Ljava/lang/String;)V
  14: iload_1       
  15: invokevirtual #172                // Method java/lang/StringBuilder.append:(Z)Ljava/lang/StringBuilder;
  18: invokevirtual #176                // Method java/lang/StringBuilder.toString:()Ljava/lang/String;
  21: invokevirtual #69                 // Method java/io/PrintStream.println:(Ljava/lang/String;)V
  24: return        
于 2012-12-15T18:28:23.180 回答
2

It's a compiler thing. If the right operand for concatenation is an object, the object is sent the toString() method whereas if the operand is a primitive then the compiler knows which type-specific behavior to use to convert the primitive to an String.

于 2012-12-15T18:26:14.617 回答
2

编译器将其翻译为

StringBuilder sb = new StringBuilder("the value of bool is : ");
sb.append(true);
System.out.println(sb.toString());

JLS中解释了连接和转换的规则。

于 2012-12-15T18:28:30.890 回答