我只是想知道为什么我们通常在两个布尔值之间使用逻辑OR ||,而不是按位或|,尽管它们都工作得很好。
我的意思是,看看下面这些:
if(true | true) // pass
if(true | false) // pass
if(false | true) // pass
if(false | false) // no pass
if(true || true) // pass
if(true || false) // pass
if(false || true) // pass
if(false || false) // no pass
我们可以用|代替||吗?&和&&也是一样。
当我遇到这个问题时,我创建了测试代码来了解这个问题。
public class HelloWorld{
public static boolean bool(){
System.out.println("Bool");
return true;
}
public static void main(String []args){
boolean a = true;
boolean b = false;
if(a||bool())
{
System.out.println("If condition executed");
}
else{
System.out.println("Else condition executed");
}
}
}
在这种情况下,我们只改变if条件的左边值加上a或b。
||场景,当左侧为true时[if(a||bool())]
输出"If条件已执行"
||场景,当左边为false [if(b||bool())]
输出-
Bool
If condition executed
||结论当使用||时,右侧只检查左侧为假。
|场景,当左侧为true时[if(a|bool())]
输出-
Bool
If condition executed
|场景,当左侧为false [if(b|bool())]
输出-
Bool
If condition executed
|结论使用|时,请同时检查左右两侧。
逻辑||和&&只在必要时检查右边。|和&每次检查两边。
例如:
int i = 12;
if (i == 10 & i < 9) // It will check if i == 10 and if i < 9
...
重写:
int i = 12;
if (i == 10 && i < 9) // It will check if i == 10 and stop checking afterward because i != 10
...
另一个例子:
int i = 12;
if (i == 12 | i > 10) // It will check if i == 12 and it will check if i > 10
...
重写:
int i = 12;
if (i == 12 || i > 10) // It will check if i == 12, it does, so it stops checking and executes what is in the if statement
...