考虑以下声明......
List<List<Person>> groups;
我可以通过说groups.add(new Person(John));
有什么方法可以添加到内部列表而不是外部列表?
答案 0 :(得分:5)
List<List<Person>> groups;
基本上表示列表中的每个项目都是Person
的列表。
这意味着,为了向列表中添加Person
,您需要先为要添加的元素创建List
...
List<Person> person = //...
groups.add(person);
如果要在此内部列表中添加Person
,则需要对其进行引用...
Person aPerson = //...
groups.get(0).add(aPerson);
例如......
根据评论更新
Map
可能是更好的“分组”项目的解决方案,例如......
Map<String, List<Person>> groups = new HashMap<>();
List<Person> persons = groups.get("family");
if (persons == null) {
persons = new ArrayList<>(25);
groups.put("family", persons);
}
persons.add(aPerson);
这是一个非常基本的示例,但可以帮助您入门......浏览Collections trail也可能有所帮助
答案 1 :(得分:0)
实际上你不能做groups.add(new Person(John));
你可以这样做:
ArrayList<Person> t = new ArrayList<Person>();
t.add(new Person());
groups.add(t)
答案 2 :(得分:0)
使用List<List<Person>> groups;
,您无法groups.add(new Person(John));
,因为groups
是List<List..>
而不是List<Person>
。
您需要的是获取并添加:
List<List<Person>> groups;
//add to group-1
groups = new ArrayList<List<Person>>();
//add a person to group-1
groups.get(0).add(new Person());
//Or alternatively manage groups as Map so IMHO group fetching would be more explicit
Map<String, List<Person>> groups;
//create new group => students,
groups = new HashMap<String, List<Person>>();//can always use numbers though
groups.put("students", new ArrayList<Person>());
//add to students group
groups.get("students").add(new Person());
答案 3 :(得分:0)
您可以定义一个通用的双列表类来为您完成。显然,如果你有某些业务逻辑可以帮助你在内部找出要添加的列表(不给出索引),你可以扩展它。
import java.util.*;
public class DoubleList<T>
{
private List<List<T>> list;
public DoubleList()
{
list = new ArrayList<List<T>>();
}
public int getOuterCount()
{
return list.size();
}
public int getInnerCount(int index)
{
if (index < list.size())
{
return list.get(index).size();
}
return -1;
}
public T get(int index1, int index2)
{
return list.get(index1).get(index2);
}
public void add(int index, T item)
{
while (list.size() <= index)
{
list.add(new ArrayList<T>());
}
list.get(index).add(item);
}
public void add(T item)
{
list.add(new ArrayList<T>());
this.add(list.size() - 1, item);
}
}
然后你就这样使用它:
DoubleList<String> mystrs = new DoubleList<String>();
mystrs.add("Volvo");
mystrs.add(0, "Ferrari");
mystrs.add(1, "blue");
mystrs.add(1, "green");
mystrs.add(3, "chocolate");
for (int i = 0; i < mystrs.getOuterCount(); i++)
{
System.out.println("START");
for (int j = 0; j < mystrs.getInnerCount(i); j++)
{
System.out.println(mystrs.get(i,j));
}
System.out.println("FINISH");
}