0%

泛型(三) 通配符的使用

通配符有如下三种:

  • 无限定通配符,形式<?>
  • 上边界限定通配符,形式< ? extends Number> //用Number举例
  • 下边界限定通配符,形式< ? super Number> //用Number举例

1. 泛型中的 ?通配符

如果定义一个方法,该方法用于打印出任意参数化类型的集合中的所有数据,如果这样写:

1
2
3
4
5
6
7
8
9
10
11
12
13
publicclass GernericTest {
publicstaticvoid main(String[] args) throws Exception {
List<Integer> listInteger = new ArrayList<Integer>();
List<String> listString = new ArrayList<String>();
printCollection(listInteger);
printCollection(listString);
}
public static void printCollection(Collection<Object> collection) {
for(Object obj:collection) {
System.out.println(obj);
}
}
}

语句 printCollection(listInteger); 报如下错误:

1
The method printCollection(Collection<Object>) in the type GernericTest is not applicable for the arguments (List<Integer>)

这是因为泛型的参数是不考虑继承关系的所以就直接报错。

这时就得用 ?通配符:

1
2
3
4
5
6
7
8
9
10
11
12
13
publicclass GernericTest {
publicstaticvoid main(String[] args) throws Exception{
List<Integer> listInteger = new ArrayList<Integer>();
List<String> listString = new ArrayList<String>();
printCollection(listInteger);
printCollection(listString);
}
publicstaticvoid printCollection(Collection<?> collection) {
for(Object obj:collection) {
System.out.println(obj);
}
}
}

在方法 public static void printCollection(Collection<?> collection){…} 中不能出现与参数类型有关的方法比如 collection.add();

因为程序调用这个方法的时候传入的参数不知道是什么类型的,但是可以调用与参数类型无关的方法比如 collection.size();

总结:使用 ? 通配符可以引用其他各种参数化的类型,? 通配符定义的变量的主要用作引用,可以调用与参数化无关的方法,不能调用与参数化有关的方法。

2. 泛型中的 ? 通配符的扩展

2.1 界定通配符的上边界

Vector<? extends 类型1> x = new Vector<类型2>();

类型1指定一个数据类型,那么类型2就只能是类型1或者是类型1的子类。例如:

1
2
Vector<? extends Number> x = new Vector<Integer>();//这是正确的
Vector<? extends Number> x = new Vector<String>();//这是错误的

2.2 界定通配符的下边界

Vector<? super 类型1> x = new Vector<类型2>();

类型1指定一个数据类型,那么类型2就只能是类型1或者是类型1的父类。例如:

1
2
Vector<? super Integer> x = new Vector<Number>();//这是正确的
Vector<? super Integer> x = new Vector<Byte>();//这是错误的

提示:限定通配符总是包括自己。

原文链接,侵删。

------ 本文结束------