我有这个列表(List<String>
):
["a", "b", null, "c", null, "d", "e"]
我想要这样的事情:
[["a", "b"], ["c"], ["d", "e"]]
换句话说,我想使用null
值作为分隔符将列表拆分为子列表,以获取列表列表(List<List<String>>
)。我在寻找Java 8解决方案。我试过Collectors.partitioningBy
,但我不确定这是我在找什么。谢谢!
答案 0 :(得分:62)
虽然已经有几个答案,并且已经接受了答案,但这个主题仍然缺少几点。首先,共识似乎是使用流来解决这个问题仅仅是一种练习,而传统的for循环方法更可取。其次,到目前为止给出的答案忽略了使用数组或矢量风格技术的方法,我认为这种方法可以大大改进流解决方案。
首先,这是一个传统的解决方案,用于讨论和分析:
static List<List<String>> splitConventional(List<String> input) {
List<List<String>> result = new ArrayList<>();
int prev = 0;
for (int cur = 0; cur < input.size(); cur++) {
if (input.get(cur) == null) {
result.add(input.subList(prev, cur));
prev = cur + 1;
}
}
result.add(input.subList(prev, input.size()));
return result;
}
这基本上是直截了当的,但有一些微妙之处。有一点是从prev
到cur
的待处理子列表始终处于打开状态。当我们遇到null
时,我们将其关闭,将其添加到结果列表中,然后前进prev
。在循环之后,我们无条件地关闭子列表。
另一个观察是,这是一个索引循环,而不是值本身,因此我们使用算法for-loop而不是增强的“for-each”循环。但它表明我们可以使用索引来生成子范围而不是流式传输值并将逻辑放入收集器(如Joop Eggen's proposed solution所做的那样)。
一旦我们意识到这一点,我们可以看到输入中null
的每个位置都是子列表的分隔符:它是左边子列表的右端,它(加一)是子列表的左端到右边。如果我们可以处理边缘情况,它会导致我们找到null
元素出现的索引,将它们映射到子列表并收集子列表的方法。
结果代码如下:
static List<List<String>> splitStream(List<String> input) {
int[] indexes = Stream.of(IntStream.of(-1),
IntStream.range(0, input.size())
.filter(i -> input.get(i) == null),
IntStream.of(input.size()))
.flatMapToInt(s -> s)
.toArray();
return IntStream.range(0, indexes.length-1)
.mapToObj(i -> input.subList(indexes[i]+1, indexes[i+1]))
.collect(toList());
}
获取null
发生的索引非常简单。绊脚石是在左侧添加-1
,在右端添加size
。我选择使用Stream.of
进行追加,然后flatMapToInt
将其展平。 (我尝试了其他几种方法,但这个方法看起来最干净。)
这里为索引使用数组更方便一些。首先,访问数组的符号比列表更好:indexes[i]
与indexes.get(i)
。其次,使用数组避免装箱。
此时,数组中的每个索引值(除了最后一个)都比子列表的起始位置小1。其右边的索引是子列表的结尾。我们只是简化数组并将每对索引映射到子列表并收集输出。
<强>讨论强>
stream方法比for-loop版本略短,但它更密集。 for循环版本很熟悉,因为我们一直在用Java做这些东西,但是如果你还没有意识到这个循环应该做什么,那就不明显了。在确定prev
正在做什么以及为什么在循环结束后必须关闭开放子列表之前,您可能必须模拟一些循环执行。 (我最初忘了拥有它,但我在测试中发现了这一点。)
我认为,流方法更容易概念化正在发生的事情:获取指示子列表之间边界的列表(或数组)。这是一个简单的溪流双线。正如我上面提到的那样,困难在于找到一种方法来将边缘值固定到两端。如果有更好的语法,例如,
// Java plus pidgin Scala
int[] indexes =
[-1] ++ IntStream.range(0, input.size())
.filter(i -> input.get(i) == null) ++ [input.size()];
它会使事情变得更加混乱。 (我们真正需要的是数组或列表理解。)一旦获得了索引,将它们映射到实际的子列表并将它们收集到结果列表中是一件简单的事情。
当然,并行运行时这是安全的。
更新2016-02-06
这是创建子列表索引数组的更好方法。它基于相同的原理,但它调整索引范围并为过滤器添加一些条件,以避免连接和平面化索引。
static List<List<String>> splitStream(List<String> input) {
int sz = input.size();
int[] indexes =
IntStream.rangeClosed(-1, sz)
.filter(i -> i == -1 || i == sz || input.get(i) == null)
.toArray();
return IntStream.range(0, indexes.length-1)
.mapToObj(i -> input.subList(indexes[i]+1, indexes[i+1]))
.collect(toList());
}
更新2016-11-23
我与2016年Devoxx Antwerp的Brian Goetz共同发表了一篇题为“思考并行”(video)的演讲,其中包含了这个问题以及我的解决方案。在那里出现的问题有一个轻微的变化,分裂为“#”而不是null,但它是相同的。在谈话中,我提到我有一堆针对这个问题的单元测试。我在下面附加了它们作为独立程序,以及我的循环和流实现。对读者来说,一个有趣的练习是针对我在这里提供的测试用例运行其他答案中提出的解决方案,并查看哪些失败以及为什么失败。 (其他解决方案必须根据谓词进行拆分,而不是拆分为null。)
import java.util.*;
import java.util.function.*;
import java.util.stream.*;
import static java.util.Arrays.asList;
public class ListSplitting {
static final Map<List<String>, List<List<String>>> TESTCASES = new LinkedHashMap<>();
static {
TESTCASES.put(asList(),
asList(asList()));
TESTCASES.put(asList("a", "b", "c"),
asList(asList("a", "b", "c")));
TESTCASES.put(asList("a", "b", "#", "c", "#", "d", "e"),
asList(asList("a", "b"), asList("c"), asList("d", "e")));
TESTCASES.put(asList("#"),
asList(asList(), asList()));
TESTCASES.put(asList("#", "a", "b"),
asList(asList(), asList("a", "b")));
TESTCASES.put(asList("a", "b", "#"),
asList(asList("a", "b"), asList()));
TESTCASES.put(asList("#"),
asList(asList(), asList()));
TESTCASES.put(asList("a", "#", "b"),
asList(asList("a"), asList("b")));
TESTCASES.put(asList("a", "#", "#", "b"),
asList(asList("a"), asList(), asList("b")));
TESTCASES.put(asList("a", "#", "#", "#", "b"),
asList(asList("a"), asList(), asList(), asList("b")));
}
static final Predicate<String> TESTPRED = "#"::equals;
static void testAll(BiFunction<List<String>, Predicate<String>, List<List<String>>> f) {
TESTCASES.forEach((input, expected) -> {
List<List<String>> actual = f.apply(input, TESTPRED);
System.out.println(input + " => " + expected);
if (!expected.equals(actual)) {
System.out.println(" ERROR: actual was " + actual);
}
});
}
static <T> List<List<T>> splitStream(List<T> input, Predicate<? super T> pred) {
int[] edges = IntStream.range(-1, input.size()+1)
.filter(i -> i == -1 || i == input.size() ||
pred.test(input.get(i)))
.toArray();
return IntStream.range(0, edges.length-1)
.mapToObj(k -> input.subList(edges[k]+1, edges[k+1]))
.collect(Collectors.toList());
}
static <T> List<List<T>> splitLoop(List<T> input, Predicate<? super T> pred) {
List<List<T>> result = new ArrayList<>();
int start = 0;
for (int cur = 0; cur < input.size(); cur++) {
if (pred.test(input.get(cur))) {
result.add(input.subList(start, cur));
start = cur + 1;
}
}
result.add(input.subList(start, input.size()));
return result;
}
public static void main(String[] args) {
System.out.println("===== Loop =====");
testAll(ListSplitting::splitLoop);
System.out.println("===== Stream =====");
testAll(ListSplitting::splitStream);
}
}
答案 1 :(得分:31)
我现在提出的唯一解决方案是实现自己的自定义收集器。
在阅读解决方案之前,我想添加一些关于此的说明。我把这个问题更多地作为编程练习,我不确定它是否可以用并行流来完成。
因此,如果管道在并行中运行,您必须意识到它会默默地破坏。
不是理想的行为,应该避免。这就是我在组合器部分(而不是(l1, l2) -> {l1.addAll(l2); return l1;}
)中抛出异常的原因,因为它在组合两个列表时并行使用,因此您有异常而不是错误的结果。
由于列表复制,这也不是很有效(尽管它使用本机方法复制底层数组)。
所以这是收集器的实现:
private static Collector<String, List<List<String>>, List<List<String>>> splitBySeparator(Predicate<String> sep) {
final List<String> current = new ArrayList<>();
return Collector.of(() -> new ArrayList<List<String>>(),
(l, elem) -> {
if (sep.test(elem)) {
l.add(new ArrayList<>(current));
current.clear();
}
else {
current.add(elem);
}
},
(l1, l2) -> {
throw new RuntimeException("Should not run this in parallel");
},
l -> {
if (current.size() != 0) {
l.add(current);
return l;
}
);
}
以及如何使用它:
List<List<String>> ll = list.stream().collect(splitBySeparator(Objects::isNull));
输出:
[[a, b], [c], [d, e]]
<小时/> 作为answer of Joop Eggen is out,它似乎可以并行完成(给予他信任!)。通过它,它将自定义收集器实现减少到:
private static Collector<String, List<List<String>>, List<List<String>>> splitBySeparator(Predicate<String> sep) {
return Collector.of(() -> new ArrayList<List<String>>(Arrays.asList(new ArrayList<>())),
(l, elem) -> {if(sep.test(elem)){l.add(new ArrayList<>());} else l.get(l.size()-1).add(elem);},
(l1, l2) -> {l1.get(l1.size() - 1).addAll(l2.remove(0)); l1.addAll(l2); return l1;});
}
这让关于并行性的段落有点过时了,但是我认为它可以作为一个很好的提醒。
请注意,Stream API并不总是替代品。有些任务使用流更容易和更合适,而有些任务则不然。在您的情况下,您还可以为此创建实用程序方法:
private static <T> List<List<T>> splitBySeparator(List<T> list, Predicate<? super T> predicate) {
final List<List<T>> finalList = new ArrayList<>();
int fromIndex = 0;
int toIndex = 0;
for(T elem : list) {
if(predicate.test(elem)) {
finalList.add(list.subList(fromIndex, toIndex));
fromIndex = toIndex + 1;
}
toIndex++;
}
if(fromIndex != toIndex) {
finalList.add(list.subList(fromIndex, toIndex));
}
return finalList;
}
并将其称为List<List<String>> list = splitBySeparator(originalList, Objects::isNull);
。
可以改进检查边缘情况。
答案 2 :(得分:23)
解决方案是使用Stream.collect
。使用其构建器模式创建收集器已作为解决方案提供。替代方案是另一个重载的collect
更加原始。
List<String> strings = Arrays.asList("a", "b", null, "c", null, "d", "e");
List<List<String>> groups = strings.stream()
.collect(() -> {
List<List<String>> list = new ArrayList<>();
list.add(new ArrayList<>());
return list;
},
(list, s) -> {
if (s == null) {
list.add(new ArrayList<>());
} else {
list.get(list.size() - 1).add(s);
}
},
(list1, list2) -> {
// Simple merging of partial sublists would
// introduce a false level-break at the beginning.
list1.get(list1.size() - 1).addAll(list2.remove(0));
list1.addAll(list2);
});
正如人们所看到的,我创建了一个字符串列表列表,其中总是至少有一个最后(空)字符串列表。
使用累加器的解决方案:
正如@StuartMarks指出的那样,合并器没有满足并行合同。
由于@ArnaudDenoyelle对使用reduce
的版本发表评论。
List<List<String>> groups = strings.stream()
.reduce(new ArrayList<List<String>>(),
(list, s) -> {
if (list.isEmpty()) {
list.add(new ArrayList<>());
}
if (s == null) {
list.add(new ArrayList<>());
} else {
list.get(list.size() - 1).add(s);
}
return list;
},
(list1, list2) -> {
list1.addAll(list2);
return list1;
});
答案 3 :(得分:8)
请不要投票。我没有足够的地方在评论中解释这个。
这是一个Stream
和foreach
的解决方案,但这完全等同于Alexis的解决方案或foreach
循环(并且不太清楚,我无法摆脱复制构造函数):
List<List<String>> result = new ArrayList<>();
final List<String> current = new ArrayList<>();
list.stream().forEach(s -> {
if (s == null) {
result.add(new ArrayList<>(current));
current.clear();
} else {
current.add(s);
}
}
);
result.add(current);
System.out.println(result);
据我所知,您希望使用Java 8找到更优雅的解决方案,但我确实认为它并非针对此案例而设计。正如潘先生所说,在这种情况下,我更倾向于天真的方式。
答案 4 :(得分:4)
这是另一种使用分组功能的方法,它使用列表索引进行分组。
我在这里按照该元素后面的第一个索引对元素进行分组,值为null
。因此,在您的示例中,"a"
和"b"
将映射到2
。此外,我将null
值映射到-1
索引,稍后应将其删除。
List<String> list = Arrays.asList("a", "b", null, "c", null, "d", "e");
Function<String, Integer> indexGroupingFunc = (str) -> {
if (str == null) {
return -1;
}
int index = list.indexOf(str) + 1;
while (index < list.size() && list.get(index) != null) {
index++;
}
return index;
};
Map<Integer, List<String>> grouped = list.stream()
.collect(Collectors.groupingBy(indexGroupingFunc));
grouped.remove(-1); // Remove null elements grouped under -1
System.out.println(grouped.values()); // [[a, b], [c], [d, e]]
您还可以通过在null
中缓存当前最小索引来避免每次都获取AtomicInteger
元素的第一个索引。更新后的Function
就像:
AtomicInteger currentMinIndex = new AtomicInteger(-1);
Function<String, Integer> indexGroupingFunc = (str) -> {
if (str == null) {
return -1;
}
int index = names.indexOf(str) + 1;
if (currentMinIndex.get() > index) {
return currentMinIndex.get();
} else {
while (index < names.size() && names.get(index) != null) {
index++;
}
currentMinIndex.set(index);
return index;
}
};
答案 5 :(得分:4)
虽然answer of Marks Stuart简洁,直观且并行安全(以及最好的),但我想分享另一个有趣的解决方案,它不需要开始/结束边界技巧
如果我们查看问题域并考虑并行性,我们可以通过分而治之的策略轻松解决这个问题。我们不必将问题视为我们必须遍历的串行列表,而是将问题视为同一基本问题的组合:将列表拆分为null
值。我们可以直观地看到我们可以通过以下递归策略递归地分解问题:
split(L) :
- if (no null value found) -> return just the simple list
- else -> cut L around 'null' naming the resulting sublists L1 and L2
return split(L1) + split(L2)
在这种情况下,我们首先搜索任何null
值,然后找到一个,我们立即剪切列表并在子列表上调用递归调用。如果我们找不到null
(基本情况),我们就完成了这个分支并返回列表。连接所有结果将返回我们正在搜索的列表。
一张图片胜过千言万语:
算法简单而完整:我们不需要任何特殊技巧来处理列表开始/结束的边缘情况。我们不需要任何特殊技巧来处理边缘情况,例如空列表或只有null
值的列表。或以null
结尾或以null
开头的列表。
该策略的简单实用如下:
public List<List<String>> split(List<String> input) {
OptionalInt index = IntStream.range(0, input.size())
.filter(i -> input.get(i) == null)
.findAny();
if (!index.isPresent())
return asList(input);
List<String> firstHalf = input.subList(0, index.getAsInt());
List<String> secondHalf = input.subList(index.getAsInt()+1, input.size());
return asList(firstHalf, secondHalf).stream()
.map(this::split)
.flatMap(List::stream)
.collect(toList());
}
我们首先搜索列表中任何null
值的索引。如果我们找不到,我们会返回列表。如果我们找到一个,我们将列表拆分为2个子列表,对它们进行流式处理并再次递归调用split
方法。然后提取结果的子问题列表并将其组合起来以返回值。
注意2个流可以很容易地并行(),并且由于问题的功能分解,算法仍然可以工作。
虽然代码已经非常简洁,但它总是可以通过多种方式进行调整。为了示例,我们可以利用orElse
上的OptionalInt
方法返回列表的结束索引,而不是检查基本情况中的可选值,从而使我们能够重新使用第二个流并另外过滤掉空列表:
public List<List<String>> split(List<String> input) {
int index = IntStream.range(0, input.size())
.filter(i -> input.get(i) == null)
.findAny().orElse(input.size());
return asList(input.subList(0, index), input.subList(index+1, input.size())).stream()
.map(this::split)
.flatMap(List::stream)
.filter(list -> !list.isEmpty())
.collect(toList());
}
该示例仅用于表示递归方法的简单性,适应性和优雅性。实际上,如果输入为空(因此可能需要额外的空检查),此版本会引入一个小的性能损失并失败。
在这种情况下,递归可能不是最好的解决方案(查找索引的Stuart Marks算法只有 O(N),并且映射/拆分列表的成本很高),但是它使用简单,直观的可并行化算法表达了解决方案,没有任何副作用。
我不会深入了解复杂性和优势/劣势,或者使用停止标准和/或部分结果可用性的用例。我只是觉得有必要分享这个解决方案策略,因为其他方法只是迭代或使用不可并行化的过于复杂的解决方案算法。
答案 6 :(得分:3)
这是一个非常有趣的问题。我提出了一个单线解决方案。它可能效率不高但它有效。
List<String> list = Arrays.asList("a", "b", null, "c", null, "d", "e");
Collection<List<String>> cl = IntStream.range(0, list.size())
.filter(i -> list.get(i) != null).boxed()
.collect(Collectors.groupingBy(
i -> IntStream.range(0, i).filter(j -> list.get(j) == null).count(),
Collectors.mapping(i -> list.get(i), Collectors.toList()))
).values();
@Rohit Jain想出了类似的想法。我正在对空值进行分组。
如果你真的想要List<List<String>>
,你可以追加:
List<List<String>> ll = cl.stream().collect(Collectors.toList());
答案 7 :(得分:2)
嗯,经过一些工作,你已经想出了一个基于流的单行解决方案。它最终使用reduce()
来进行分组,这似乎是自然的选择,但是将字符串放入reduce所需的List<List<String>>
中有点难看:
List<List<String>> result = list.stream()
.map(Arrays::asList)
.map(x -> new LinkedList<String>(x))
.map(Arrays::asList)
.map(x -> new LinkedList<List<String>>(x))
.reduce( (a, b) -> {
if (b.getFirst().get(0) == null)
a.add(new LinkedList<String>());
else
a.getLast().addAll(b.getFirst());
return a;}).get();
但是1行!
使用问题的输入运行时,
System.out.println(result);
产地:
[[a, b], [c], [d, e]]
答案 8 :(得分:1)
以下是AbacusUtil
的代码List<String> list = N.asList(null, null, "a", "b", null, "c", null, null, "d", "e");
Stream.of(list).splitIntoList(null, (e, any) -> e == null, null).filter(e -> e.get(0) != null).forEach(N::println);
声明:我是AbacusUtil的开发者。
答案 9 :(得分:0)
使用String可以做到:
String s = ....;
String[] parts = s.split("sth");
如果所有顺序集合(作为字符串是一系列字符)都具有这种抽象,那么这对它们来说也是可行的:
List<T> l = ...
List<List<T>> parts = l.split(condition) (possibly with several overloaded variants)
如果我们将原始问题限制为字符串列表(并对其元素内容施加一些限制),我们可以这样修改:
String als = Arrays.toString(new String[]{"a", "b", null, "c", null, "d", "e"});
String[] sa = als.substring(1, als.length() - 1).split("null, ");
List<List<String>> res = Stream.of(sa).map(s -> Arrays.asList(s.split(", "))).collect(Collectors.toList());
(请不要认真对待它:))
否则,普通的旧递归也有效:
List<List<String>> part(List<String> input, List<List<String>> acc, List<String> cur, int i) {
if (i == input.size()) return acc;
if (input.get(i) != null) {
cur.add(input.get(i));
} else if (!cur.isEmpty()) {
acc.add(cur);
cur = new ArrayList<>();
}
return part(input, acc, cur, i + 1);
}
(注意,在这种情况下,null必须附加到输入列表)
part(input, new ArrayList<>(), new ArrayList<>(), 0)
答案 10 :(得分:0)
每当找到null(或分隔符)时,按不同的标记分组。我在这里使用了一个不同的整数(使用原子作为持有者)
然后重新映射生成的地图,将其转换为列表列表。
AtomicInteger i = new AtomicInteger();
List<List<String>> x = Stream.of("A", "B", null, "C", "D", "E", null, "H", "K")
.collect(Collectors.groupingBy(s -> s == null ? i.incrementAndGet() : i.get()))
.entrySet().stream().map(e -> e.getValue().stream().filter(v -> v != null).collect(Collectors.toList()))
.collect(Collectors.toList());
System.out.println(x);
答案 11 :(得分:0)
我正在观看斯图尔特关于平行思考的视频。因此决定在视频中看到他的回答之前解决它。将随着时间更新解决方案。现在
Arrays.asList(IntStream.range(0, abc.size()-1).
filter(index -> abc.get(index).equals("#") ).
map(index -> (index)).toArray()).
stream().forEach( index -> {for (int i = 0; i < index.length; i++) {
if(sublist.size()==0){
sublist.add(new ArrayList<String>(abc.subList(0, index[i])));
}else{
sublist.add(new ArrayList<String>(abc.subList(index[i]-1, index[i])));
}
}
sublist.add(new ArrayList<String>(abc.subList(index[index.length-1]+1, abc.size())));
});