我想确保列表中的所有数字都组合在一起。让我用例子解释一下:
{1, 1, 1, 2, 2} // OK, two distinct groups
{1, 1, 2, 2, 1, 1} // Bad, two groups with "1"
{1, 2, 3, 4} // OK, 4 distinct groups of size 1
{1, 1, 1, 1} // OK, 1 group
{3, 4, 3} // Bad, two groups with "3"
{99, -99, 99} // Bad, two groups with "99"
{} // OK, no groups
以下是我获取流的方式:
IntStream.of(numbers)
...
现在我需要传递或返回true,因为" OK"示例并抛出AssertionError
或在" Bad"上返回false例子。我怎么能用Stream API做到这一点?
这是我当前创建的附加Set
解决方案:
Set<Integer> previousNumbers = new HashSet<>();
IntStream.of(numbers)
.reduce(null, (previousNumber, currentNumber) -> {
if (currentNumber == previousNumber) {
assertThat(previousNumbers).doesNotContain(currentNumber);
previousNumbers.add(currentNumber);
}
return currentNumber;
}
);
答案 0 :(得分:6)
使用我的免费StreamEx库:
IntStreamEx.of(numbers).boxed().runLengths().toMap();
如果有重复的组,此代码将抛出IllegalStateException
。
使用runLengths()
方法。它折叠相等的相邻元素,用Map.Entry
替换它们,其中key是输入元素,value是重复的数量。最后使用toMap()
,这是.collect(Collectors.toMap(Entry::getKey, Entry::getValue))
的快捷方式。当密钥重复时,我们正在使用.toMap()
抛出IllegalStateException
这一事实(除非提供了自定义mergeFunction)。
作为成功执行的免费奖励,您将拥有一个地图,其中键是输入元素,值是系列的长度。
答案 1 :(得分:5)
在我看来,这个问题根本不适合Stream API
,但我很好奇这是如何实现的(但是以高效的方式)。
问题是你必须跟踪看到的元素,整个测试应该有短路行为。所以我提出了这个解决方案(没有Streams
):
public static boolean hasUniqueGroups(int[] arr) {
Objects.requireNonNull(arr);
Set<Integer> seen = new HashSet<>();
for (int i = 0; i < arr.length; i++) {
if (i == 0 || arr[i] != arr[i - 1]) {
if (!seen.add(arr[i])) {
return false;
}
}
}
return true;
}
下一步是介绍Stream API
,解决方案如下:
public static boolean hasUniqueGroups(int[] arr) {
Objects.requireNonNull(arr);
Set<Integer> seen = new HashSet<>();
return IntStream.range(0, arr.length)
.filter(i -> i == 0 || arr[i] != arr[i - 1])
.mapToObj(i -> arr[i])
.allMatch(seen::add);
}
注意:为了并行化Stream
,您应该使用线程安全的Set
。
答案 2 :(得分:1)
除了已经说过的内容之外,我们可以尝试使用collect方法回答这个问题。这种方法的问题(正如其他人所指出的)是减少操作不会很快终止。
通常,为了使长时间减速操作短路,我们可以使减速功能短路。这样,虽然我们仍然遍历流中的所有项目,但所需的工作量是最小的。
public static boolean hasUniqueGroups(int... arr) {
return !IntStream
.of(arr)
.collect(
Container::new, // 1
(container, current) -> {
if (container.skip) return; // 2
if (current != container.previous) {
container.previous = current;
if (!container.integers.add(current))
container.skip = true; // 3
}
},
(c1, c2) -> {
if (c1.skip != c2.skip) {
c1.skip = true;
c1.integers.addAll(c2.integers);
}
}
)
.skip;
}
private static class Container {
private int previous = MAX_VALUE; // 4
private boolean skip = false;
private Set<Integer> integers = new HashSet<>();
}
{0, 1, 0}
时,这是一个很难解决问题的黑客。当然,这个解决方案不适用于{MAX_VALUE, 0, MAX_VALUE}
。为了简单起见,我决定留下这个问题。我们可以通过替换
来检查性能IntStream.of(arr)
到
IntStream.concat(IntStream.of(1, 2), IntStream.range(1, Integer.MAX_VALUE))
返回false
。这当然不适用于无限流,但是检查无限流中的唯一组并没有多大意义。