使用lambda函数变量时,是否可以使用apply
调用函数。
Function<String, String> mesgFunction = (name) -> "Property "+ name +" is not set in the environment";
Optional.ofNullable(System.getProperty("A")).orElseThrow(() -> new IllegalArgumentException(mesgFunction.apply("A")));
Optional.ofNullable(System.getProperty("B")).orElseThrow(() -> new IllegalArgumentException(mesgFunction.apply("B")));
mesgFunction.apply("A")
的语法是否更短。我试过mesgFunction("A")
抱怨该方法不存在。我错过了什么吗?是不是有更短的选择?
答案 0 :(得分:2)
不,没有其他类似的选择。 apply()
是“只是”Function
接口的一种方法,因此必须调用该方法。没有语法糖可以使它更简洁。
答案 1 :(得分:2)
不,接口是功能接口的事实不允许任何替代的调用语法;它的方法与任何其他接口方法一样被调用。
但是你可以考虑更多的公共代码来缩短重复的代码
Function<String, Supplier<IllegalArgumentException>> f = name ->
() -> new IllegalArgumentException("Property "+name+" is not set in the environment");
String valueA = Optional.of("A").map(System::getProperty).orElseThrow(f.apply("A"));
String valueB = Optional.of("B").map(System::getProperty).orElseThrow(f.apply("B"));
然而,这仍然没有传统的优势
public static String getRequiredProperty(String name) {
String value = System.getProperty(name);
if(value == null) throw new IllegalArgumentException(
"Property "+name+" is not set in the environment");
return value;
}
String valueA = getRequiredProperty("A");
String valueB = getRequiredProperty("B");
的优点是没有代码重复(特别是关于常量"A"
和"B"
),因此意外不一致的空间较小。