我只是想知道为什么我们通常在两个布尔值之间使用逻辑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
我们可以用|代替||吗?&和&&也是一样。
仔细阅读本主题后,我仍然不清楚使用|作为逻辑运算符是否符合Java模式实践。
我最近修改了一个pull请求中的代码
if(function1() | function2()){
...
}
必须改为
boolean isChanged = function1();
isChanged |= function2();
if (isChanged){
...
}
实际接受的版本是什么?
Java文档没有提到|是逻辑上非短路的OR运算符。
对投票不感兴趣,更感兴趣的是找出标准?!
两个代码版本都按照预期进行编译和工作。
有很多用例表明为什么你应该选择||而不是|。有些用例必须使用|操作符来检查所有条件。
例如,如果您希望检查表单验证,并且希望向用户显示所有带有错误文本的无效字段,而不仅仅是第一个无效字段。
||算子是,
if(checkIfEmpty(nameField) || checkIfEmpty(phoneField) || checkIfEmpty(emailField)) {
// invalid form with one or more empty fields
}
private boolean checkIfEmpty(Widget field) {
if(field.isEmpty()) {
field.setErrorMessage("Should not be empty!");
return true;
}
return false;
}
因此,在上面的代码片段中,如果用户提交的表单中所有字段都是空的,那么只有nameField将显示错误消息。但是,如果你把它改成,
if(checkIfEmpty(nameField) | checkIfEmpty(phoneField) | checkIfEmpty(emailField)) {
// invalid form with one or more empty fields
}
无论真实情况如何,它都会在每个字段上显示正确的错误信息。
1).(expression1 | expression2), |运算符将计算expression2,而不管expression1的结果是真还是假。
例子:
class Or
{
public static void main(String[] args)
{
boolean b=true;
if (b | test());
}
static boolean test()
{
System.out.println("No short circuit!");
return false;
}
}
2).(expression1 || expression2),如果expression1为真,||操作符将不计算expression2。
例子:
class Or
{
public static void main(String[] args)
{
boolean b=true;
if (b || test())
{
System.out.println("short circuit!");
}
}
static boolean test()
{
System.out.println("No short circuit!");
return false;
}
}