最简单的是将解析器作为参数传递给构造函数:
public abstract class ProtoDeserializer<T extends Message> {
private final Parser<T> parser;
public ProtoDeserializer(Parser<T> parser) {
this.parser = parser;
}
public T deserialize(final byte[] bytes) throws Exception {
T message = parser.parseFrom(bytes);
validate(message);
return message;
}
public abstract void validate(final T message) throws Exception;
}
传递解析器是我目前的解决方法。但最好避免它,因为它是冗余信息。
它对您来说可能是多余的,但对编译器/运行时来说并不多余。
如果您认为可以创建类的原始实现:
ProtoDeserializer proto = new ProtoDeserializer() {
...
};
类型T
必须来自某个地方。
这只是擦除泛型的现实。如果您需要泛型参数的类型信息,则必须手动提供。
您可以尝试的另一个技巧是从实现子类中获取具体的类型参数:
private final Parser<T> parser;
public ProtoDeserializer() {
Class<?> subclass = this.getClass();
try {
ParameterizedType pType = (ParameterizedType) subclass.getGenericSuperclass();
Class<T> tClass = (Class<T>) pType.getActualTypeArguments()[0];
// In the case where the constructor for `T` takes no arguments.
parser = tClass.newInstance().getParserForType();
} catch(Throwable t) {
throw new RuntimeException("Subclass not compatible", t);
}
}
只要子类直接ProtoDeserializer
使用具体类型参数实现,这将起作用。IE:
class MyDeserializer extends ProtoDeserializer<MyMessage> {...}