我有一个与在two Dimensional String Array
, String[][]
中动态存储数据相关的问题。我在String[i][j]
数组中动态存储数据。这里第一个索引的值是固定的,即i=3
,但第二个索引的值对于所有行是不同的。
String arrElements[][] = {
{"1"},
{"abc", "xyz", "lkm", "pwd", "srt", "qwert"},
{"1234", "3456"}
};
我得到的值是这样的。即第一行中只有一个值,第二行和第三行中有任意数量的值。
如果我这样做,
int i = 0, j = 0;
String arrElements[][] = {};
arrElements= new String[3][25];
//What size should I define here.
arrElements[0][0] = "Sahil";
if (a == 0) { //Its just a logical representation of what I might be doing.
// Store the value in second row
arrElements[1][i] = a;
i++;
}
if (a == 1) {
// Store the value in third row
arrElements[2][j] = a;
j++;
}
现在,我在expandable list View
中设置这些值。如果任何一行中的值的数量超过指定的大小,则给出ArrayOutOfBoundException
。如果大小小于25,则显示空行。
现在,我不想给数组索引的硬编码大小限制。
作为第一个注释:您确定String[][]
是您想要实现的正确数据结构吗?有一大堆Collection
类可能更合适(最明显的是ArrayList
)。
如果你真的想继续使用String[][]
,你不能预先定义子数组的长度,而必须每行声明:
String[][] foo = new String[4][];
foo[0] = new String[1];
foo[1] = new String[2];
// ....
但是正如我所说的,你可能更喜欢嵌套的ArrayList
,它可以动态调整大小:
ArrayList<ArrayList<String>> foo = new ArrayList<ArrayList<String>>();
// Do the following for each row
foo.add(new ArrayList<String>>());
// Do the following to append data in row i
foo.get(i).add("new string");
// Do the following to retrieve column j in row i
foo.get(i).get(j);
根据您实际想要存储的内容,其他数据结构可能更适合。
您可以使用任何您喜欢的数据结构。
在传递给视图的ExpandableListAdapter
中,只需确保从getGroupCount
和getChildrenCount
返回正确的值。在getGroup
和getChild
中,从您使用的任何备份结构(数据库游标、列表、列表的列表等)返回适当的数据。
Map<GroupData, List<ChildData>>
。如果项目文本是您唯一的数据,则可能像HashMap<String, ArrayList<String>>
一样简单。