Java Generics-하한 와일드 카드
물음표 (?)는 와일드 카드를 나타내며 제네릭에서 알 수없는 유형을 나타냅니다. 유형 매개 변수에 전달할 수있는 유형의 종류를 제한하려는 경우가있을 수 있습니다. 예를 들어 숫자에 대해 작동하는 메서드는 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<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