Oto ulepszone rozwiązanie oparte na ParameterizedType.getActualTypeArguments
, wspomnianym już przez @ noah, @Lars Bohl i kilku innych.
Pierwsza niewielka poprawa wdrożenia. Fabryka nie powinna zwracać instancji, ale typ. Gdy tylko zwrócisz instancję Class.newInstance()
, zmniejsz zakres użycia. Ponieważ tylko konstruktory bez argumentów mogą być wywoływane w ten sposób. Lepszym sposobem jest zwrócenie typu i umożliwienie klientowi wyboru, który konstruktor chce wywołać:
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);
}
}
}
Oto przykłady użycia. @Lars Bohl pokazał tylko znaczący sposób na uzyskanie potwierdzonej genetyki poprzez rozszerzenie. @ noah tylko poprzez utworzenie instancji za pomocą {}
. Oto testy pokazujące oba przypadki:
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);
}
}
Uwaga: można zmusić klientów TypeReference
zawsze używać {}
, gdy instancja jest tworzona przez co ta klasa abstrakcyjna: public abstract class TypeReference<T>
. Nie zrobiłem tego, tylko po to, aby pokazać wymazaną skrzynkę testową.