编程语言
首页 > 编程语言> > 条件表达式缺少Java错误?

条件表达式缺少Java错误?

作者:互联网

使用方法test1()和test2(),我收到类型不匹配错误:无法从null转换为int,这是正确的;但是为什么我在方法test3()中没有得到相同的结果?在这种情况下,Java如何评估条件表达式? (很明显,在运行时将出现NullPointerException).它是缺少的错误吗?

public class Test {

    public int test1(int param) {
        return null;
    }

    public int test2(int param) {
        if (param > 0)
            return param;
        return null;
    }

    public int test3(int param) {
        return (param > 0 ? param : null);
    }

}

提前致谢!

解决方法:

当您混合使用运算符的类型时,条件运算符非常棘手.这是许多Java Puzzlers的主题.

这是一个经典的例子:

System.out.println(true ? Integer.valueOf(1) : Double.valueOf(2));
// prints "1.0"!!!

这是另一个:

System.out.println(true ? '*' : 0);     // prints "*"
int zero = 0;
System.out.println(true ? '*' : zero);  // prints "42"

而且,正如您刚刚发现的:

System.out.println(true  ? 1 : null);   // prints "1"
System.out.println(false ? 1 : null);   // prints "null"

要了解条件运算符?:的所有复杂性,可能会非常困难.最好的建议是不要在第二和第三操作数中混合使用类型.

以下引用摘录自Java Puzzlers,《 Puzzle 8:Dos Equis》课程:

In summary, it is generally best to use the same type for the second and third operands in conditional expressions. Otherwise, you and the readers of your program must have a thorough understanding of the complex specification for the behavior of these expressions.

JLS参考

> JLS 15.25 Conditional operator ?:
> JLS 5.1.8 Unboxing Conversion

标签:if-statement,null,implicit-conversion,conditional-operator,java
来源: https://codeday.me/bug/20191106/1999566.html