使用下面的代码我试图将双打列表的列表转换为双[] []。但是方法:Double[][] dim = list1.toArray(new Double[2][2]);
我收到此错误:
Exception in thread "main" java.lang.ArrayStoreException
at java.lang.System.arraycopy(Native Method)
at java.util.ArrayList.toArray(ArrayList.java:361)
at clustering.main.ConvertArrayTest.main(ConvertArrayTest.java:22)
此行发生错误:
Double[][] dim = list1.toArray(new Double[2][2]);
我怎么没有正确转换列表?
代码:
import java.util.ArrayList;
import java.util.List;
public class ConvertArrayTest {
public static void main(String args[]){
List<ArrayList<Double>> list1 = new ArrayList<ArrayList<Double>>();
ArrayList<Double> list2 = new ArrayList<Double>();
list2.add(1.0);
list2.add(1.0);
list1.add(list2);
list2 = new ArrayList<Double>();
list2.add(2.0);
list2.add(2.0);
list1.add(list2);
Double[][] dim = list1.toArray(new Double[2][2]);
}
}
答案 0 :(得分:4)
由于list1
是列表列表,因此当您调用toArray
时,您将获得一系列列表。您需要遍历它,分别转换每个内部列表。
答案 1 :(得分:1)
在这里,修复主要方法:
public static void main(String args[]){
List<ArrayList<Double>> list1 = new ArrayList<ArrayList<Double>>();
ArrayList<Double> list2 = new ArrayList<Double>();
list2.add(1.0);
list2.add(1.0);
list1.add(list2);
list2 = new ArrayList<Double>();
list2.add(2.0);
list2.add(2.0);
list1.add(list2);
Double[][] dim = new Double[2][2];
int i = 0;
for(ArrayList<Double> inner : list1)
dim[i++] = inner.toArray(new Double[0]);
}
您的第一个列表是数组列表列表,因此您需要遍历它。
答案 2 :(得分:1)
我可能会创建一个像这样的方法 -
public static Double[][] toDoubleArrayArray(
List<ArrayList<Double>> al) {
if (al == null) { // return null on null.
return null;
}
Double[][] ret = new Double[al.size()][]; // declare the return array array.
for (int i = 0; i < al.size(); i++) {
ArrayList<Double> list = al.get(i); // get the inner list.
if (list == null) { // handle null.
ret[i] = null;
} else {
Double[] inner = new Double[list.size()]; // make the inner list an array.
ret[i] = list.toArray(inner); // store that array.
}
}
return ret; // return
}
然后我就这样测试了
public static void main(String[] args) {
List<ArrayList<Double>> list1 = new ArrayList<ArrayList<Double>>();
list1.add(new ArrayList<Double>(Arrays.asList(1.0, 1.0)));
list1.add(new ArrayList<Double>(Arrays.asList(2.0, 2.0)));
Double[][] arr = toDoubleArrayArray(list1);
for (int i = 0; i < arr.length; i++) {
System.out.println(Arrays.toString(arr[i]));
}
}
预期输出
[1.0, 1.0]
[2.0, 2.0]
答案 3 :(得分:0)
使用这种方式:
<强>代码强>:
public static void main(String[] args) {
List<Double[]> list = new ArrayList<Double[]>();
list.add(new Double[] { 1.0 });
list.add(new Double[] { 2.0, 2.0 });
list.add(new Double[] { 3.0, 3.0, 3.0 });
Double[][] array = list.toArray(new Double[list.size()][]);
for (Double[] numbers : array) {
System.out.println(Arrays.toString(numbers));
}
}
<强>输出强>:
[1.0]
[2.0, 2.0]
[3.0, 3.0, 3.0]