Ecco una soluzione migliorata, basata su ParameterizedType.getActualTypeArguments
, già menzionata da @noah, @Lars Bohl e alcuni altri.
Primo piccolo miglioramento nell'attuazione. Factory non deve restituire un'istanza, ma un tipo. Non appena si restituisce l'istanza in uso, Class.newInstance()
si riduce l'ambito di utilizzo. Perché solo i costruttori senza argomenti possono essere invocati in questo modo. Un modo migliore è restituire un tipo e consentire a un client di scegliere quale costruttore desidera invocare:
public class TypeReference<T> {
public Class<T> type(){
try {
ParameterizedType pt = (ParameterizedType) this.getClass().getGenericSuperclass();
if (pt.getActualTypeArguments() == null || pt.getActualTypeArguments().length == 0){
throw new IllegalStateException("Could not define type");
}
if (pt.getActualTypeArguments().length != 1){
throw new IllegalStateException("More than one type has been found");
}
Type type = pt.getActualTypeArguments()[0];
String typeAsString = type.getTypeName();
return (Class<T>) Class.forName(typeAsString);
} catch (Exception e){
throw new IllegalStateException("Could not identify type", e);
}
}
}
Ecco un esempio di utilizzo. @Lars Bohl ha mostrato solo un modo signe per ottenere una genetica reificata attraverso l'estensione. @noah solo tramite la creazione di un'istanza con {}
. Ecco i test per dimostrare entrambi i casi:
import java.lang.reflect.Constructor;
public class TypeReferenceTest {
private static final String NAME = "Peter";
private static class Person{
final String name;
Person(String name) {
this.name = name;
}
}
@Test
public void erased() {
TypeReference<Person> p = new TypeReference<>();
Assert.assertNotNull(p);
try {
p.type();
Assert.fail();
} catch (Exception e){
Assert.assertEquals("Could not identify type", e.getMessage());
}
}
@Test
public void reified() throws Exception {
TypeReference<Person> p = new TypeReference<Person>(){};
Assert.assertNotNull(p);
Assert.assertEquals(Person.class.getName(), p.type().getName());
Constructor ctor = p.type().getDeclaredConstructor(NAME.getClass());
Assert.assertNotNull(ctor);
Person person = (Person) ctor.newInstance(NAME);
Assert.assertEquals(NAME, person.name);
}
static class TypeReferencePerson extends TypeReference<Person>{}
@Test
public void reifiedExtenension() throws Exception {
TypeReference<Person> p = new TypeReferencePerson();
Assert.assertNotNull(p);
Assert.assertEquals(Person.class.getName(), p.type().getName());
Constructor ctor = p.type().getDeclaredConstructor(NAME.getClass());
Assert.assertNotNull(ctor);
Person person = (Person) ctor.newInstance(NAME);
Assert.assertEquals(NAME, person.name);
}
}
Nota: è possibile forzare i clienti di TypeReference
sempre uso {}
quando istanza viene creato da rendere questa classe astratta: public abstract class TypeReference<T>
. Non l'ho fatto, solo per mostrare il caso di prova cancellato.