我需要更改以下代码:
protected void checkNoDuplicateLabels( List<CompileResult> compileResult ) {
Set<Label> infos = new HashSet<>();
for ( AbstractTypeInfo info : infoRepo.getList() ) {
if ( info instanceof Label ) {
Label label = (Label) info;
if ( infos.contains( label ) ) {
compileResult.add( new CompileResult( Severity.FATAL, MessageFormat.format( "Duplicate label found! \n Type: '{0}' \n Language: '{1}'", label.getType(), label.getLanguage() ) ) );
}
infos.add( label );
}
}
}
进入流。我知道将Sets与流一起使用的一种方法是实现AtomicReferences,它将方法的第一行替换为:
AtomicReference<Set<Label>> infos = new AtomicReference<>( new HashSet<Label>() );
如何使用流实现与循环现在相同的功能?
答案 0 :(得分:5)
您可以在没有AtomicReference
的情况下进行操作:
BinaryOperator<Label> logDuplicate = (label1, label2) -> {
// Log label2 as duplicate
compileResult.add(new CompileResult(Severity.FATAL, MessageFormat.format("Duplicate label found! \n Type: '{0}' \n Language: '{1}'", label2.getType(), label2.getLanguage())));
return label1;
};
Set<Label> infos = infoRepo.getList()
.stream()
.filter(Label.class::isInstance)
.map(Label.class::cast)
.collect(toMap(identity(), identity(), logDuplicate, HashMap::new))
.keySet();
更新:
import static java.util.stream.Collectors.toMap;
import static java.util.function.Function.identity;