Java Generics 简明教程

Java Generics - Lower Bounded Wildcards

问号 (?) 代表通配符,在泛型中表示未知类型。有时,您可能希望限制可传递到类型参数的类型种类。例如,运算数字的方法可能只希望接受 Integer 实例或其超类,如 Number。

要声明下限通配符参数,请按顺序列出 ? 及 super 关键字,后跟其下限。

Example

以下示例说明如何使用超类型来指定下边界通配符。

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<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