📅  最后修改于: 2020-11-15 04:06:43             🧑  作者: Mango
问号(?)代表通配符,代表泛型中的未知类型。有时您可能想限制允许传递给类型参数的类型的种类。例如,对数字进行操作的方法可能只希望接受Integer或其超类(例如Number)的实例。
要声明下界的通配符参数,请列出?,后跟super关键字,然后是其下界。
下面的示例说明如何使用super指定下界通配符。
package com.tutorialspoint;
import java.util.ArrayList;
import java.util.List;
public class GenericsTester {
public static void addCat(List super Cat> catList) {
catList.add(new RedCat());
System.out.println("Cat Added");
}
public static void main(String[] args) {
List animalList= new ArrayList();
List catList= new ArrayList();
List redCatList= new ArrayList();
List dogList= new ArrayList();
//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