Arrays.asList()方法总结

1、该方法对于基本数据类型的数组支持并不好,当数组是基本数据类型时不建议使用 :

public static void test1 () {
	int[] a_int = { 1, 2, 3, 4 };  
        /* 预期输出应该是1,2,3,4,但实际上输出的仅仅是一个引用, 这里它把a_int当成了一个元素 */  
        List a_int_List = Arrays.asList(a_int);  
        for (int i=0 ;i

输出:[I@4ec4d412


当数组是对象类型时,可以得到我们的预期:

public static void test2 () {
		Integer[] a_int = { 1, 2, 3, 4 };  
        List a_int_List = Arrays.asList(a_int);  
        for (int i=0 ;i
输出:

1
2
3
4

2、当使用asList()方法时,数组就和列表链接在一起了。当更新其中之一时,另一个将自动获得更新。 
注意:仅仅针对对象数组类型,基本数据类型数组不具备该特性

public static void test3 () {
	Integer[] a_int = { 1, 2, 3, 4 };  
        /* 预期输出应该是1,2,3,4,但实际上输出的仅仅是一个引用, 这里它把a_int当成了一个元素 */  
        List a_int_List = Arrays.asList(a_int);  
        
        a_int_List.set(0, 10);
        
        a_int[1]=0;
        
        for (int i=0 ;i
输出:

10
0
3
4


10
0
3
4

3、asList得到的List是Arrays内部类的List,没有add和remove方法(方法很少)

public static void test3 () {
	Integer[] a_int = { 1, 2, 3, 4 };  
        /* 预期输出应该是1,2,3,4,但实际上输出的仅仅是一个引用, 这里它把a_int当成了一个元素 */  
        List a_int_List = Arrays.asList(a_int);  
        
        a_int_List.add(0);
        
        
        for (int i=0 ;i

当调用a_int_List.add(0);时,会报错。



你可能感兴趣的:(java)