Aqui está uma solução aprimorada, baseada em ParameterizedType.getActualTypeArguments
, já mencionado por @noah, @Lars Bohl e alguns outros.
Primeira pequena melhoria na implementação. Factory não deve retornar instância, mas um tipo. Assim que você retorna a instância usando Class.newInstance()
você reduz um escopo de uso. Porque apenas os construtores sem argumentos podem ser chamados assim. Uma maneira melhor é retornar um tipo e permitir que um cliente escolha qual construtor ele deseja chamar:
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);
}
}
}
Aqui estão alguns exemplos de uso. @Lars Bohl mostrou apenas uma maneira significativa de obter genéricos reificados via extensão. @noah apenas através da criação de uma instância com {}
. Aqui estão os testes para demonstrar os dois casos:
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: você pode forçar os clientes de TypeReference
sempre uso {}
quando instância é criada, fazendo esta classe abstrata: public abstract class TypeReference<T>
. Eu não fiz isso, apenas para mostrar o caso de teste apagado.