Java中有什么方法可以从列表中除去给定索引之外的所有元素?让我们假设我们有:
List<String> foo = new ArrayList<>();
foo.add("foo0");
foo.add("foo1");
foo.add("foo2");
foo.add("foo3");
foo.add("foo4");
而且我只想保留索引为2(foo2)的元素,必须删除所有其他Strings.
我需要一个类似的方法:给定字符串列表和给定索引,删除该列表在索引之前和之后的所有元素
我怎样才能实现这个目标?
干杯
最佳答案
您可以执行以下操作:
原文链接:https://www.f2er.com/java/532892.htmlArrays.asList(foo.get(2));
要么
Collections.singletonList(foo.get(2))
因此,作为一种方法,您可以实现:
// Returns a fixed-size list ..
public List<String> subList(List<String> list,int index) {
return Arrays.asList(list.get(index));
}
要么
public List<String> subList(List<String> list,int index) {
return Collections.singletonList(list.get(index));
}
要么
public List<String> subList(List<String> list,int index) {
return list.subList(index,++index);
}