问号(?
)表示通配符,代表未知类型的泛型。 有时候您可能希望限制允许传递给类型参数的类型。 例如,对数字进行操作的方法可能只需要接受Integer
或其超类的实例,例如Number
类的实例。
要声明一个下限通配符参数,在问号?
后跟super
关键字,最后跟其下界。
示例
以下示例说明了如何使用super
来指定下限通配符。
使用您喜欢的编辑器创建以下java程序,并保存到文件:LowerBoundedWildcards.java 中,代码如下所示 -
package com.yiibai;
import java.util.ArrayList;
import java.util.List;
public class LowerBoundedWildcards {
public static void addCat(List<? super Cat> catList) {
catList.add(new RedCat());
System.out.println("Cat Added");
}
public static void main(String[] args) {
List<Animal> animalList = new ArrayList<Animal>();
List<Cat> catList = new ArrayList<Cat>();
List<RedCat> redCatList = new ArrayList<RedCat>();
List<Dog> dogList = new ArrayList<Dog>();
// add list of super class Animal of Cat class
addCat(animalList);
// add list of Cat class
addCat(catList);
// compile time error
// can not add list of subclass RedCat of Cat class
// addCat(redCatList);
// compile time error
// can not add list of subclass Dog of Superclass Animal of Cat class
// addCat.addMethod(dogList);
}
}
class Animal {
}
class Cat extends Animal {
}
class RedCat extends Cat {
}
class Dog extends Animal {
}
执行上面代码,得到以下结果 -
Cat Added
Cat Added