获取Java 8流的最小值和最大值的简便方法
是否有一种简洁的方法可以一次性提取流的最小值和最大值(基于某个比较器)?
似乎有很多方法可以分别获取最小值和最大值,或者我可以将流分类为一个临时对象,例如:
List<T> sorted = Stream.of(...).sorted().collect(Collectors.toList());T min = sorted.get(0);
T max = sorted.get(sorted.size() - 1);
但这并不简洁,需要分配一个临时对象。我宁愿不分配一个临时对象,也不希望两次通过流。有其他选择吗?
Pair<T> extent = Stream.of(...).???
回答:
如果这是经常需要的功能,我们最好做一个Collector
。我们将需要一个Stats
类来保存count, min,
max,并需要使用工厂方法来创建统计收集器。
Stats<String> stats = stringStream.collect(Stats.collector())fooStream.collect(Stats.collector(fooComparator))
(也许更好的便捷方法是Stats.collect(stream)
)
我做了一个示例Stats
课-
https://gist.github.com/zhong-j-
yu/ac5028573c986f7820b25ea2e74ed672
public class Stats<T>{
int count;
final Comparator<? super T> comparator;
T min;
T max;
public Stats(Comparator<? super T> comparator)
{
this.comparator = comparator;
}
public int count(){ return count; }
public T min(){ return min; }
public T max(){ return max; }
public void accept(T val)
{
if(count==0)
min = max = val;
else if(comparator.compare(val, min)<0)
min = val;
else if(comparator.compare(val, max)>0)
max = val;
count++;
}
public Stats<T> combine(Stats<T> that)
{
if(this.count==0) return that;
if(that.count==0) return this;
this.count += that.count;
if(comparator.compare(that.min, this.min)<0)
this.min = that.min;
if(comparator.compare(that.max, this.max)>0)
this.max = that.max;
return this;
}
public static <T> Collector<T, Stats<T>, Stats<T>> collector(Comparator<? super T> comparator)
{
return Collector.of(
()->new Stats<>(comparator),
Stats::accept,
Stats::combine,
Collector.Characteristics.UNORDERED, Collector.Characteristics.IDENTITY_FINISH
);
}
public static <T extends Comparable<? super T>> Collector<T, Stats<T>, Stats<T>> collector()
{
return collector(Comparator.naturalOrder());
}
}
以上是 获取Java 8流的最小值和最大值的简便方法 的全部内容, 来源链接: utcz.com/qa/400036.html