Java泛型下限萬用字元


問號(?)表示萬用字元,代表未知型別的泛型。 有時候您可能希望限制允許傳遞給型別引數的型別。 例如,對數位進行操作的方法可能只需要接受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