java 为什么T reduce(T,BinaryOperator)不允许静态方法引用,而reduce(U,BiFunction,BinaryOperator)允许?

m0rkklqb  于 2024-01-05  发布在  Java
关注(0)|答案(1)|浏览(206)

下面定义的流API中有2个和3个arg版本的reduce

  1. T reduce(T identity,
  2. BinaryOperator<T> accumulator)

字符串

  1. <U> U reduce(U identity,
  2. BiFunction<U,? super T,U> accumulator,
  3. BinaryOperator<U> combiner)


我尝试用stream/parallel stream来计算一个句子中的单词数量,并使用累加器和合并器创建以下类

  1. class WordCounter {
  2. private final int counter;
  3. private final boolean lastSpace;
  4. // constructor skipped
  5. public WordCounter accumulate(Character c) {
  6. if (Character.isWhitespace(c)) {
  7. return lastSpace ?
  8. this :
  9. new WordCounter(counter, true);
  10. } else {
  11. return lastSpace ?
  12. new WordCounter(counter + 1, false) :
  13. this;
  14. }
  15. }
  16. public WordCounter combine(WordCounter wordCounter) {
  17. return new WordCounter(counter + wordCounter.counter, wordCounter.lastSpace);
  18. }
  19. }


现在我试着在main方法中用reduce的版本来测试它

  1. public static void main(String[] args) {
  2. String SENTENCE = "please help";
  3. Stream<Character> stream = IntStream
  4. .range(0, SENTENCE.length())
  5. .mapToObj(SENTENCE::charAt);
  6. int count2 = stream.reduce(new WordCounter(0, true),
  7. WordCounter::accumulate
  8. ).getCounter();
  9. }


当我尝试上面的方法时,编译器会抱怨,因为我正在使用来自static main的非静态WordCounter::accumulate
但是,在同一个静态main中,

  1. int count1 = stream.reduce(new WordCounter(0, true),
  2. WordCounter::accumulate,
  3. WordCounter::combine
  4. ).getCounter();

clj7thdc

clj7thdc1#

一个BinaryOperator<T>相当于一个BiFunction<T, T, T>。在你的例子中,它需要两个WordCounter示例并返回一个WordCounter示例。WordCounter::combine将是有效的,但不是WordCounter::accumulate
第二个reduce方法不要求两个输入类型相同。这意味着WordCounter::accumulate被解析为允许的BiFunction<WordCounter, Character, WordCounter>-UWordCounterTCharacter

相关问题