我有一个嵌套的ArrayList,如下所示,具有布尔值。我想从所有行中删除例如第3个项目。我尝试使用循环,但是它无法将remove
解析为一种方法。我应该怎么做?非常感谢您的帮助。
for (int i = 0; i < list.size(); i++){
list.get(i).remove(3)// this remove method shows as an error in IDE
}
true false true false false false
false false true false true true
答案 0 :(得分:2)
...这是
List<Instance> listInstances = new ArrayList<Instance>();
的列表,类Instance
具有vals = new ArrayList<Boolean>();
...。
在这种情况下,您的解决方案可能如下所示:
public static Instance deleleNthElement(Instance instance, int index) {
instance.getVals().remove(index - 1);
return instance;
}
然后使用流,您可以像这样调用方法:
int index = 3;
listInstances = listInstances.stream()
.map(instance -> deleleNthElement(instance, index))
.collect(Collectors.toList());
答案 1 :(得分:2)
我认为您的逻辑没有错误,我相信您缺少';'从remove(3)的末尾开始。
顺便说一句,List是一个接口,您需要实例化为ArrayList(或类似的东西)。
答案 2 :(得分:1)
我将以下内容串在一起,似乎按照您的意图进行了
import java.io.IOException;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
public class Test {
public static void main(String[] args) throws IOException {
List<Boolean> row1 = new ArrayList<Boolean>(Arrays.asList(new Boolean[] {true,false,true,true}));
List<Boolean> row2 = new ArrayList<Boolean>(Arrays.asList(new Boolean[] {true,true,false,true}));
List<List<Boolean>> list = Arrays.asList(new ArrayList[] {(ArrayList) row1, (ArrayList) row2});
for (int i=0;i<list.size();i++){
list.get(i).remove(3);// this remove method shows as an error in IDE
}
for (List<Boolean> ll : list) {
for (Boolean l : ll) {
System.out.print(l + ",");
}
System.out.println();
}
}
}