我几天前开始使用java 8,我想用lambda重构一些方法。
以下方法用于从Couchbase获取许多文档:
public List<JsonDocument> bulkGet(final Collection<Long> ids) {
return Observable
.from(ids)
.flatMap(new Func1<Long, Observable<JsonDocument>>() {
@Override
public Observable<JsonDocument> call(final Long id) {
return bucket().async().get(docId(id)).doOnError(new Action1<Throwable>(){
@Override
public void call(Throwable throwable) {
logger.error("Error while bulk fetching SenderEmailAddress with id [" + docId(id) + "] from Couchbase.");
}
}).onErrorResumeNext(new Func1<Throwable, Observable<JsonDocument>>(){
@Override
public Observable<JsonDocument> call(Throwable throwable) {
return Observable.empty();
}
} );
}
})
.toList()
.toBlocking()
.single();
}
这就是背景:
private static final Logger logger = LoggerFactory.getLogger(SenderNameRepositoryCouchbase.class);
public String docId(Long entityId) {
return CouchbaseBucketFactory.APPLI_PREFIX + DOC_PREFIX + entityId;
}
现在,这是我使用lambdas重构的方法:
public List<JsonDocument> bulkGet(final Collection<Long> ids) {
return Observable
.from(ids)
.flatMap((Long id) -> {
return bucket().async().get(docId(id))
.doOnError(
(Throwable throwable) -> { logger.error("Error while bulk fetching SenderEmailAddress with id [" + docId(id) + "] from Couchbase."); }
).onErrorResumeNext(
(Throwable throwable) -> { return Observable.empty(); }
);
})
.toList()
.toBlocking()
.single();
}
但我告诉SonarLint我应该用方法参考替换它。但是使用带有参数的Class :: method方法引用是不可能的,不是吗?
顺便说一句,我不应该被允许在lambda中使用我的记录器,对吧? 我怎样才能做到这一点 ? 是否真的可以像Sonar建议的那样用lambda重构这个类?
答案 0 :(得分:1)
方法引用与匹配接受参数的函数类型匹配。编译器将找到具有指定名称的方法,其参数和返回类型与要求的功能接口兼容。例如,对于静态方法,
Function<In,Out> op = in -> MyClass.doSomething(in);
取一个参数,相当于
Function<In,Out> op = MyClass::doSomething;
当它看到MyClass::doSomething
时,编译器会看到它需要Function<In,Out>
并在MyClass
中查找名为doSomething
的静态方法,该方法接受一个可以接受的参数In
,以及可以分配给Out
的返回类型。