Java Generics - แนวทางสำหรับการใช้สัญลักษณ์แทน
สัญลักษณ์แทนสามารถใช้ได้สามวิธี -
Upper bound Wildcard-? ขยายประเภท
Lower bound Wildcard-? ประเภทซุปเปอร์
Unbounded Wildcard -?
ในการตัดสินใจว่าไวด์การ์ดประเภทใดที่เหมาะสมกับเงื่อนไขมากที่สุดก่อนอื่นเรามาจำแนกประเภทของพารามิเตอร์ที่ส่งผ่านไปยังวิธีการเป็น in และ out พารามิเตอร์.
in variable- ตัวแปรในให้ข้อมูลกับรหัส ตัวอย่างเช่นคัดลอก (src, dest) ที่นี่ src ทำหน้าที่เป็นตัวแปรในการคัดลอกข้อมูล
out variable- ตัวแปร out เก็บข้อมูลที่อัปเดตโดยรหัส ตัวอย่างเช่นคัดลอก (src, dest) ที่นี่ dest ทำหน้าที่เป็นตัวแปรในการคัดลอกข้อมูล
หลักเกณฑ์สำหรับสัญลักษณ์แทน
Upper bound wildcard - หากตัวแปรเป็น in หมวดหมู่ใช้ขยายคำสำคัญด้วยสัญลักษณ์แทน
Lower bound wildcard - หากตัวแปรเป็น out หมวดหมู่ใช้ super keyword พร้อมสัญลักษณ์แทน
Unbounded wildcard - หากตัวแปรสามารถเข้าถึงได้โดยใช้เมธอดคลาส Object ให้ใช้ตัวแทนที่ไม่ถูกผูก
No wildcard - หากรหัสกำลังเข้าถึงตัวแปรในทั้งสอง in และ out หมวดหมู่แล้วอย่าใช้สัญลักษณ์แทน
ตัวอย่าง
ตัวอย่างต่อไปนี้แสดงแนวคิดที่กล่าวถึงข้างต้น
package com.tutorialspoint;
import java.util.ArrayList;
import java.util.List;
public class GenericsTester {
//Upper bound wildcard
//in category
public static void deleteCat(List<? extends Cat> catList, Cat cat) {
catList.remove(cat);
System.out.println("Cat Removed");
}
//Lower bound wildcard
//out category
public static void addCat(List<? super RedCat> catList) {
catList.add(new RedCat("Red Cat"));
System.out.println("Cat Added");
}
//Unbounded wildcard
//Using Object method toString()
public static void printAll(List<?> list) {
for (Object item : list)
System.out.println(item + " ");
}
public static void main(String[] args) {
List<Animal> animalList= new ArrayList<Animal>();
List<RedCat> redCatList= new ArrayList<RedCat>();
//add list of super class Animal of Cat class
addCat(animalList);
//add list of Cat class
addCat(redCatList);
addCat(redCatList);
//print all animals
printAll(animalList);
printAll(redCatList);
Cat cat = redCatList.get(0);
//delete cat
deleteCat(redCatList, cat);
printAll(redCatList);
}
}
class Animal {
String name;
Animal(String name) {
this.name = name;
}
public String toString() {
return name;
}
}
class Cat extends Animal {
Cat(String name) {
super(name);
}
}
class RedCat extends Cat {
RedCat(String name) {
super(name);
}
}
class Dog extends Animal {
Dog(String name) {
super(name);
}
}
สิ่งนี้จะให้ผลลัพธ์ดังต่อไปนี้ -
Cat Added
Cat Added
Cat Added
Red Cat
Red Cat
Red Cat
Cat Removed
Red Cat