具有实例of和类转换的方法引用的Java流

2022-09-02 20:06:45

是否可以使用方法引用转换以下代码?

List<Text> childrenToRemove = new ArrayList<>();

group.getChildren().stream()
    .filter(c -> c instanceof Text)
    .forEach(c -> childrenToRemove.add((Text)c));

让我举个例子来说明我的意思,假设我们有

myList
    .stream()
    .filter(s -> s.startsWith("c"))
    .map(String::toUpperCase)
    .sorted()
    .forEach(elem -> System.out.println(elem));

使用方法引用它可以写成(最后一行)

myList
    .stream()
    .filter(s -> s.startsWith("c"))
    .map(String::toUpperCase)
    .sorted()
    .forEach(System.out::println);

将表达式转换为方法引用的规则是什么?


答案 1

是的,您可以使用以下方法参考:

.filter(Text.class::isInstance)
.map(Text.class::cast)
.forEach(childrenToRemove::add);

您可以使用 Collectors.toSet()收集流项目,而不是 for-each-add:

Set<Text> childrenToRemove = group.getChildren()
    // ...
    .collect(Collectors.toSet());

如果需要维护子项的顺序,请使用 toList()。

如果签名匹配,您可以通过应用以下规则将 lambda 表达式替换为方法引用:

ContainingClass::staticMethodName // method reference to a static method
containingObject::instanceMethodName // method reference to an instance method
ContainingType::methodName // method reference to an instance method
ClassName::new // method reference to a constructor

答案 2

我认为是的,这是可能的,就像这样

group.getChildren()
    .filter(Text.class::isInstance)
    .map(Text.class::cast)
    .collect(Collectors.toCollection(() -> childrenToRemove));

推荐