Java Generics - Cancellazione dei tipi vincolati
Il compilatore Java sostituisce i parametri di tipo nel tipo generico con il loro limite se vengono utilizzati parametri di tipo limitato.
Esempio
package com.tutorialspoint;
public class GenericsTester {
public static void main(String[] args) {
Box<Integer> integerBox = new Box<Integer>();
Box<Double> doubleBox = new Box<Double>();
integerBox.add(new Integer(10));
doubleBox.add(new Double(10.0));
System.out.printf("Integer Value :%d\n", integerBox.get());
System.out.printf("Double Value :%s\n", doubleBox.get());
}
}
class Box<T extends Number> {
private T t;
public void add(T t) {
this.t = t;
}
public T get() {
return t;
}
}
In questo caso, il compilatore java sostituirà T con la classe Number e dopo la cancellazione del tipo, il compilatore genererà bytecode per il codice seguente.
package com.tutorialspoint;
public class GenericsTester {
public static void main(String[] args) {
Box integerBox = new Box();
Box doubleBox = new Box();
integerBox.add(new Integer(10));
doubleBox.add(new Double(10.0));
System.out.printf("Integer Value :%d\n", integerBox.get());
System.out.printf("Double Value :%s\n", doubleBox.get());
}
}
class Box {
private Number t;
public void add(Number t) {
this.t = t;
}
public Number get() {
return t;
}
}
In entrambi i casi, il risultato è lo stesso -
Produzione
Integer Value :10
Double Value :10.0