java 8中可选的null可执行流程

时间:2014-08-30 01:47:15

标签: java java-8

我注意到如果我按以下方式使用Optional:

Object returnValue = Optional.ofNullable(nullableValue)
         .map(nonNullValue -> firstMethod(arg1, nonNullValue))
         .orElse(secondMethod)

当nullableValue不为null时,它正在执行第一个方法和第二个方法。难道我做错了什么?当nullableValue不为null时,我希望它只执行firstMethod。

map和flatMap似乎有preCondition(if(!isPresent())。但是,orElse并不是。如何在不使用if not null条件的情况下使用java8编写代码?

根据评论,示例代码

public static String firstMethod(String someString) {
        System.out.println("In first method");
        return someString;
    }

    public static String secondMethod() {
        System.out.println("In second method");
        return "secondMethod";
    }

    public static void main(String a[]) {
        String nullableString = "nonNullString";
        String result = Optional.ofNullable(nullableString)
                .map(nonNullString -> firstMethod(nonNullString))
                .orElse(secondMethod());
        System.out.println("Result: "+result);
    }

输出:

In first method
In second method
Result: nonNullString

1 个答案:

答案 0 :(得分:8)

您正在调用第二种方法作为参数传递给orElse()调用。 orElse()与调用secondMethod()的人不同,就像map电话中发生的情况一样。您从secondMethod()传递返回的值而不是方法本身。

你想做什么:

Optional.ofNullable(nullableValue).map(MyClass::firstMethod).orElseGet(MyClass::secondMethod);

这样做是将secondMethod转换为供应商。这样,只有当optional为null时才会调用它。