JAVA数组与List之间相互转换的方法详解

合集下载
  1. 1、下载文档前请自行甄别文档内容的完整性,平台不提供额外的编辑、内容补充、找答案等附加服务。
  2. 2、"仅部分预览"的文档,不可在线预览部分如存在完整性等问题,可反馈申请退款(可完整预览的文档不适用该条件!)。
  3. 3、如文档侵犯您的权益,请联系客服反馈,我们会尽快为您处理(人工客服工作时间:9:00-18:30)。

数组与List之间相互转换的方法详解

1.List转换成为数组。(这里的List是实体是ArrayList)

调用ArrayList的toArray方法。

toArray

public T[] toArray(T[] a)返回一个按照正确的顺序包含此列表中所有元素的数组;返回数组的运行时类型就是指定数组的运行时类型。如果列表能放入指定的数组,则返回放入此列表元素的数组。否则,将根据指定数组的运行时类型和此列表的大小分配一个新的数组。

如果指定的数组能容纳列表并有剩余空间(即数组的元素比列表的多),那么会将数组中紧跟在集合末尾的元素设置为null。这对确定列表的长度很有用,但只在调用方知道列表中不包含任何null 元素时才有用。

指定者:

接口Collection 中的toArray

指定者:

接口List 中的toArray

覆盖:

类AbstractCollection 中的toArray

参数:

a - 要存储列表元素的数组,如果它足够大的话;否则,它是一个为存储列表元素而分配的、具有相同运行时类型的新数组。

返回:

包含列表元素的数组。

抛出:

ArrayStoreException - 如果a 的运行时类型不是此列表中每个元素的运行时类型的超类型。

具体用法:

复制代码代码如下:

List list = new ArrayList();

list.add("1");

list.add("2");

finalint size = list.size();

String[] arr = (String[])list.toArray(new String[size]);

2.数组转换成为List

调用Arrays的asList方法.

JDK 1.4对java.util.Arrays.asList的定义,函数参数是Object[]。所以,在1.4中asList()并不支持基本类型的数组作参数。

JDK 1.5中,java.util.Arrays.asList的定义,函数参数是Varargs, 采用了泛型实现。同时由于autoboxing 的支持,使得可以支持对象数组以及基本类型数组。

不过在使用时,当传入基本数据类型的数组时,会出现小问题,会把传入的数组整个当作返回的List中的第一个元素,例如:

复制代码代码如下:

public static void main(String[] args){

int[] a1 = new int[]{1,2,3};

String[] a2 = new String[]{"a","b","c"};

System.out.println(Arrays.asList(a1));

System.out.println(Arrays.asList(a2));

}

1.打印结果如下:

复制代码代码如下:

1

2 [[I@dc8569]

[a, b, c]

下面说说Arrays.asList()的返回值:

JDK文档是这么说的:

public static ListasList(T... a) 返回一个受指定数组支持的固定大小的列表。(对返回列表的更改会“直接写”到数组。)此方法同Collection.toArray() 一起,充当了基于数组的API 与基于collection 的API 之间的桥梁。返回的列表是可序列化的,并且实现了RandomAccess。此方法还提供了一个创建固定长度的列表的便捷方法,该列

复制代码代码如下:

/**

* @serial include

*/

private static class ArrayListextends AbstractListimplements RandomAccess, java.io.Serializable {

private static final long serialVersionUID = -2764017481108945198L;

private final E[] a;

ArrayList(E[] array) {

if (array == null)

throw new NullPointerException();

a = array;

}

public int size() {

return a.length;

}

public Object[] toArray() {

return a.clone();

}

public T[] toArray(T[] a) {

int size = size();

if (a.length< size)

return Arrays.copyOf(this.a, size, (Class) a.getClass());

System.arraycopy(this.a,0, a, 0, size);

if (a.length> size)

a[size] = null;

return a;

}

public E get(int index) {

return a[index];

}

public E set(int index, E element) {

E oldValue = a[index];

a[index] = element;

return oldValue;

}

public intindexOf(Object o) {

相关文档
最新文档