我有一个这样的列表:
List<MyObject[]> list= new LinkedList<MyObject[]>();
和像这样的对象:
MyObject[][] myMatrix;
我如何将"list"分配给"myMatrix"?
我不想循环遍历列表并逐个元素赋值给MyMatrix,但如果可能的话,我想直接赋值(通过适当的修改)。由于
您可以使用toArray(T[])
import java.util.*;
public class Test{
public static void main(String[] a){
List<String[]> list=new ArrayList<String[]>();
String[][] matrix=new String[list.size()][];
matrix=list.toArray(matrix);
}
}
Javadoc
下面的代码片段展示了一个解决方案:
// create a linked list
List<String[]> arrays = new LinkedList<String[]>();
// add some trivial test data (note: arrays with different lengths)
arrays.add(new String[]{"a", "b", "c"});
arrays.add(new String[]{"d", "e", "f", "g"});
// convert the datastructure to a 2D array
String[][] matrix = arrays.toArray(new String[0][]);
// test output of the 2D array
for (String[] s:matrix)
System.out.println(Arrays.toString(s));
假设我们有一个'int'数组的列表。
List<int[]> list = new ArrayList();
现在要将其转换为'int'类型的二维数组,我们使用'toArray()'方法。
int result[][] = list.toArray(new int[list.size()][]);
我们可以进一步推广为-
List<T[]> list = new ArrayList();
T result[][] = list.toArray(new T[list.size()][]);
这里T是数组的类型
使用LinkedList的toArray()或toArray(T[])方法
你可以这样做:
public static void main(String[] args) {
List<Item[]> itemLists = new ArrayList<Item[]>();
itemLists.add(new Item[] {new Item("foo"), new Item("bar")});
itemLists.add(new Item[] {new Item("f"), new Item("o"), new Item("o")});
Item[][] itemMatrix = itemLists.toArray(new Item[0][0]);
for (int i = 0; i < itemMatrix.length; i++)
System.out.println(Arrays.toString(itemMatrix[i]));
}
输出[Item [name=foo], Item [name=bar]]
[Item [name=f], Item [name=o], Item [name=o]]
假设项目如下:
public class Item {
private String name;
public Item(String name) {
super();
this.name = name;
}
@Override
public String toString() {
return "Item [name=" + name + "]";
}
}
将列表转换为数组使用。List.Array()
然后使用System.arraycopy
复制到2d数组对我来说很好
Object[][] destination = new Object[source.size()][];
System.arraycopy(source, 0, destination, 0, source.size());