标签:
错误的方式
public static void printCollection(Collection<Object> cols){ for(Object obj:cols){ System.out.println(obj); } /** cols.add("string");//没错 cols=new HashSet<Date>();//会报告错误! */ }
正确的方式:
public static void printCollection(Collection<?> cols){ for(Object obj:cols){ System.out.println(obj); } /** cols.add("string");//错误,因为他不知道自己未来匹配就一定是Stirng cols.size();//没错,此方法与类型参数没有关系 cols=new HashSet<Date>();//没错,可以和 Collection<?>画等号 */ }
上图中,大红叉的方法都是和类型相关的,在使用泛型通配符?时,不能调用。
Collection<?> a可以和任意参数化的类型匹配,但到底匹配的是什么类型,只有以后才知道,所以,
a=new ArrayList<Integer>();和 a= new ArrayList<String>();都可以,但a.add(new Date);或者 a.add("abc");都不行。
Cols<Object>中的Object只是说明Cols<Object>实例对象中的方法接收的参数是Object
Cols<Object>是一种具体类型,new HashSet<Date>也是一种具体类型,两者没有兼容性。
限定通配符的上边界
正确 Vector<? extends Number> x=new Vector<Integer>();
错误 Vector<? extends Number> x=new Vector<String>();
限定通配符的下边界
正确 Vector<? super Integer> x=new Vector<Number>();
错误 Vector<? super Integer> x=new Vector<Byte>();
提示
限定通配符总是包括自己
标签:
原文地址:http://www.cnblogs.com/qq-757617012/p/4263797.html