我在这里正在学习Optional类的教程-https://www.geeksforgeeks.org/java-8-optional-class/,其中包含以下内容
String[] words = new String[10];
Optional<String> checkNull = Optional.ofNullable(words[5]);
if (checkNull.isPresent()) {
String word = words[5].toLowerCase();
System.out.print(word);
} else{
System.out.println("word is null");
}
我正在尝试使用ifPresent
的{{1}}检查来减少行数
Optional
但无法进一步了解else部分
Optional.ofNullable(words[5]).ifPresent(a -> System.out.println(a.toLowerCase()))
有办法吗?
答案 0 :(得分:12)
Java-9引入了ifPresentOrElse
,实现了类似的功能。您可以将其用作:
Optional.ofNullable(words[5])
.map(String::toLowerCase) // mapped here itself
.ifPresentOrElse(System.out::println,
() -> System.out.println("word is null"));
对于Java-8,您应包括一个中间Optional
/ String
并用作:
Optional<String> optional = Optional.ofNullable(words[5])
.map(String::toLowerCase);
System.out.println(optional.isPresent() ? optional.get() : "word is null");
也可以写成:
String value = Optional.ofNullable(words[5])
.map(String::toLowerCase)
.orElse("word is null");
System.out.println(value);
或者如果您根本不想将值存储在变量中,请使用:
System.out.println(Optional.ofNullable(words[5])
.map(String::toLowerCase)
.orElse("word is null"));
答案 1 :(得分:4)
为了更清楚一点,ifPresent
将以Consumer
作为参数,返回类型为void
,因此您不能对此执行任何嵌套操作
public void ifPresent(Consumer<? super T> consumer)
如果存在值,则使用该值调用指定的使用者,否则不执行任何操作。
参数:
消费者-如果存在值,则执行该块
投掷:
NullPointerException-如果值存在且使用者为null
因此,使用ifPreset()
代替map()
String result =Optional.ofNullable(words[5]).map(String::toLowerCase).orElse(null);
打印仅用于打印
System.out.println(Optional.ofNullable(words[5]).map(String::toLowerCase).orElse(null));
答案 2 :(得分:2)
如果您使用的是 java 9 ,则可以使用ifPresentOrElse()
方法::
Optional.of(words[5]).ifPresentOrElse(
value -> System.out.println(a.toLowerCase()),
() -> System.out.println(null)
);
如果 Java 8 ,请查看此伟大的备忘单:
http://www.nurkiewicz.com/2013/08/optional-in-java-8-cheat-sheet.html