我的意见是,在检查值是否相等时,使用一元+来触发对其中一个操作数的开箱操作,否则只需使用数学操作符。基本原理:
已经提到,Integer的==比较是恒等比较,这通常不是程序员想要的,其目的是做值比较;尽管如此,我还是做了一些关于如何最有效地进行比较的科学研究,包括代码的紧凑性、正确性和速度。
我用了一些常用的方法:
public boolean method1() {
Integer i1 = 7, i2 = 5;
return i1.equals( i2 );
}
public boolean method2() {
Integer i1 = 7, i2 = 5;
return i1.intValue() == i2.intValue();
}
public boolean method3() {
Integer i1 = 7, i2 = 5;
return i1.intValue() == i2;
}
public boolean method4() {
Integer i1 = 7, i2 = 5;
return i1 == +i2;
}
public boolean method5() { // obviously not what we want..
Integer i1 = 7, i2 = 5;
return i1 == i2;
}
并在编译和反编译后得到以下代码:
public boolean method1() {
Integer var1 = Integer.valueOf( 7 );
Integer var2 = Integer.valueOf( 5 );
return var1.equals( var2 );
}
public boolean method2() {
Integer var1 = Integer.valueOf( 7 );
Integer var2 = Integer.valueOf( 5 );
if ( var2.intValue() == var1.intValue() ) {
return true;
} else {
return false;
}
}
public boolean method3() {
Integer var1 = Integer.valueOf( 7 );
Integer var2 = Integer.valueOf( 5 );
if ( var2.intValue() == var1.intValue() ) {
return true;
} else {
return false;
}
}
public boolean method4() {
Integer var1 = Integer.valueOf( 7 );
Integer var2 = Integer.valueOf( 5 );
if ( var2.intValue() == var1.intValue() ) {
return true;
} else {
return false;
}
}
public boolean method5() {
Integer var1 = Integer.valueOf( 7 );
Integer var2 = Integer.valueOf( 5 );
if ( var2 == var1 ) {
return true;
} else {
return false;
}
}
可以很容易地看到,方法1调用Integer.equals()(显然),方法2-4产生完全相同的代码,通过. intvalue()展开值,然后直接比较它们,而方法5只是触发标识比较,这是比较值的不正确方式。
由于equals()会产生开销(它必须执行instanceof和未检查的强制转换),方法2-4将以完全相同的速度工作,在紧循环中使用时明显优于方法1,因为HotSpot不太可能优化出强制转换和instanceof。
它与其他比较操作符(例如</>)非常相似——它们将触发开箱,而使用compareTo()不会——但这一次,操作由HS高度优化,因为intValue()只是一个getter方法(被优化的主要候选方法)。
In my opinion, the seldom used version 4 is the most concise way - every seasoned C/Java developer knows that unary plus is in most cases equal to cast to int/.intValue() - while it may be a little WTF moment for some (mostly those who didn't use unary plus in their lifetime), it arguably shows the intent most clearly and most tersely - it shows that we want an int value of one of the operands, forcing the other value to unbox as well. It is also unarguably most similar to the regular i1 == i2 comparison used for primitive int values.
对于Integer对象,我的投票是i1 == +i2 & i1 > i2风格,这是出于性能和一致性的考虑。它还使代码可以移植到原语,而不需要更改类型声明以外的任何内容。对我来说,使用命名方法似乎引入了语义噪声,类似于备受批评的bigInt.add(10).multiply(-3)风格。