Java 三元运算符错误地评估 null

Java ternary operator badly evaluating null

今天我在写测试的时候遇到了一个奇怪的情况。基本上,我有一个 class 数据。比方说玩具,我们可以从中检索一个名称:

public class Toy {

    private String name;

    public Toy(String name) {
        this.name = name;
    }

    public String getName() {
        return name;
    }

}

我有一个例外,它的工作方式与此类似(例如,只显示我们在它变坏之前处理的所有对象的数据);我还包括一个主要用于测试目的:

public class ToyFactoryException extends Exception {

    public ToyFactoryException(Toy firstToy, Toy secondToy) {
            super("An error occurred when manufacturing: " + 
                       "\nfirstToy: " + firstToy != null ? firstToy.getName() : null + 
                       "\nsecondToy: " + secondToy != null ? secondToy.getName() : null);
        }

    public static void main(String[] args) {
        try {

            throw new ToyFactoryException(null, new Toy("hi"));

        } catch (ToyFactoryException myException) {

            System.out.println("It should be there.");

        } catch (Exception exception) {

            System.out.println("But it's there instead.");

        }
    }

}

正如我在第一个 catch 块中所写,异常应该在 ToyFactoryException 中被捕获。

然而,在例外情况下,它正在尝试读取 firstToy.getName() 就在这里:firstToy != null ? firstToy.getName() : null

firstToy != null 应该评估为 false,这意味着它不应该首先尝试调用 firstToy.getName()。当你以相反的顺序写它时:

public ToyFactoryException(Toy firstToy, Toy secondToy) {
    super("An error occurred when manufacturing: " + 
               "\nfirstToy: " + firstToy != null ? null : firstToy.getName() + 
               "\nsecondToy: " + secondToy != null ? secondToy.getName() : null);
        }

您意识到它现在读取的是 null,这意味着它确实读取 firstToy != null 为真。

如果你这样写 main(null 是构造函数的第二个参数):

public static void main(String[] args) {
    try {

        throw new ToyFactoryException(new Toy("hi"), null);

    } catch (ToyFactoryException myException) {

        System.out.println("It should be there.");

    } catch (Exception exception) {

        System.out.println("But it's there instead.");

    }
}

它工作正常,尽管 secondToy 三元条件的编写方式与 firstToy 三元相同。

为什么 firstToy 上的三元条件没有正确评估 null?

您应该在条件表达式两边加上括号。

这个:

"string " + firstToy != null ? firstToy.getName() : null

意思是:

("string " + firstToy) != null ? firstToy.getName() : null

你需要这个:

"string " + (firstToy != null ? firstToy.getName() : null)