java中有两种类型的if
语句 - 经典:if {} else {}
和速记:exp ? value1 : value2
。一个比另一个快还是它们相同?
陈述:
int x;
if (expression) {
x = 1;
} else {
x = 2;
}
三元运算符:
int x = (expression) ? 1 : 2;
java中有两种类型的if
语句 - 经典:if {} else {}
和速记:exp ? value1 : value2
。一个比另一个快还是它们相同?
陈述:
int x;
if (expression) {
x = 1;
} else {
x = 2;
}
三元运算符:
int x = (expression) ? 1 : 2;
那里只有一种“if”语句。另一种是条件表达式。至于哪个性能更好:它们可以编译成相同的字节码,我希望它们的行为相同 - 或者非常接近,以至于你绝对不想在性能方面选择一个。
有时if
语句会更易读,有时条件运算符会更易读。特别是,当两个操作数简单且无副作用时,我建议使用条件运算符,而如果两个分支的主要目的是它们的副作用,我可能会使用if
语句。
这是一个示例程序和字节码:
public class Test {
public static void main(String[] args) {
int x;
if (args.length > 0) {
x = 1;
} else {
x = 2;
}
}
public static void main2(String[] args) {
int x = (args.length > 0) ? 1 : 2;
}
}
反编译的字节码javap -c Test
:
public class Test extends java.lang.Object {
public Test();
Code:
0: aload_0
1: invokespecial #1
4: return
public static void main(java.lang.String[]
Code:
0: aload_0
1: arraylength
2: ifle 10
5: iconst_1
6: istore_1
7: goto 12
10: iconst_2
11: istore_1
12: return
public static void main2(java.lang.String[
Code:
0: aload_0
1: arraylength
2: ifle 9
5: iconst_1
6: goto 10
9: iconst_2
10: istore_1
11: return
}
正如您所看到的,这里的字节码略有istore_1
不同 - 无论是否发生在分支内(不像我之前有很大缺陷的尝试:) 但如果 JITter 最终得到不同的本机代码,我会感到非常惊讶。
您的两个示例都可能编译为相同或几乎相同的字节码,因此性能应该没有差异。
如果执行速度存在差异,您仍然应该使用最惯用的版本(第二个用于基于简单条件和两个简单子表达式分配单个变量,第一个用于执行更复杂的操作或不适合单行的操作)。
这些都是一样的。它们都相当快,通常在 10-30 纳秒左右。(取决于使用模式)这个时间框架对您来说重要吗?
你应该做你认为最清楚的事情。
只是添加到所有其他答案:
第二个表达式通常称为三元/三元运算符/语句。它可能非常有用,因为它返回一个表达式。有时它使典型的简短语句的代码更清晰。
两者都不是 - 它们将被编译为相同的。
三元运算符比 if-else 条件更快。
public class TerinaryTest {
public static void main(String[] args)
{
int j = 2,i = 0;
Date d1 = new Date();
for(long l=1;l<100000000;l++)
if(i==1) j=1;
else j=0;
Date d2 = new Date();
for(long l=1;l<100000000;l++)
j=i==1?1:0;
Date d3 = new Date();
System.out.println("Time for if-else: " + (d2.getTime()-d1.getTime()));
System.out.println("Time for ternary: " + (d3.getTime()-d2.getTime()));
}
}
试验结果:
Trail-1:
if-else 的时间:63
三元时间:31
线索2:
if-else 的时间:78
三元时间:47
Trail-3:
if-else 的时间:94
三元时间:31
Trail-4:
if-else 的时间:78
三元时间:47