私はこのような方法を持っています。
static <T> void doSomethind(final Class<? super T> type, final T instance) {
}
また、T または Object の適切なスーパークラスを見つける方法もあります。
static Class<?> getType(final Object instance) {
// returns a Class which is parent of given instance.
}
<? super T>
その部品が必要かどうかさえわかりません。それはできます<T>
か?
static void doSomething(final Object instance) {
final Class<?> type = getType(instance);
// how can I call <T>doSomething(Class<T>, t)?
}
または
static <T> void doSomething(final T instance) {
final Class<?> type = getType(instance);
// how can I call <T>doSomething(Class<T>, t)?
}
質問は、どのようにdoSomething(Class, Object)
メソッドを呼び出すことができますか?
アップデート
ごめんなさい。しかし、私は私が何を求めているのかさえ知りません。だから私は愚かな(完全な)話をすることにしました。
javax.xml.bind.Marshallerには、次のようなメソッドがありmarshal(Object, XXX)
ます。
- marshal(オブジェクト、ContentHandler)
- marshal(オブジェクト、ファイル)
- 等々。
そして、このようなリフレクションを使用して一般的なユーティリティ メソッドを作成できると考えました。
public static <T> marshal(Marshaller marshaller, Object element,
Class<? super T> targetType, T target)
throws VariousNastyExceptions {
// like a boss, huh?
Marshaller.class.getMethod("marshal", Object.class, targetType)
.invoke(marshaller, element, target);
}
// still not sure about <? super T>
したがって、誰でもこのように呼び出すことができます。
marshal(marshaller, element, OutputStream.class, output);
// say output is an instance of ByteArrayOutputStream
marshal(marshaller, element, Result.class, result);
// say the result is an instance of StreamResult
そして、..のない新しいバージョンが必要ですtargetType
。
そのために、まず候補を集めましたtargetType
。
// InputStream.class, File.class, XMLEventWriter.class, and so on.
static final List<Class<?>> TARGET_TYPES;
static {
final List<Class<?>> targetTypes = new ArrayList<Class<?>>();
for (Method method : Marshaller.class.getMethods()) {
// if method is for marshal(Object, T) // code skipped
targetTypes.add(method.getParameterTypes()[0]);
}
TARGET_TYPES = Collections.unmodifiableList(targetTypes);
}
targetType
これで、指定されたからを取得できますObject
。
static Class<?> getTargetType(Object target) {
for (Class<?> targetType : TARGET_TYPES) {
if (targetType.isAssignableFrom(target.getClass())) {
return targetType;
}
}
return null; // don't count this for now
}
そしてついにやってみた
// do I need a <T> here?
static void marshal(Marshaller marshaller, Object element, Object target) {
final Class<?> targetType = getTargetType(target);
// compiler hates this statement
marshal(marshaller, element, targetType, target);
}
Cipher
次のメッセージを復号化するためだけに必要です。
method Marshallers.<T> marshal(Marshaller,Object,Class<? super T>, T) is not applicable
(actual argument Class <CAP#1> cannot be converted to Class<? super Object> by method
invocation conversion)
私はこのようにすることができると思います。
static <T> void marshal(Marshaller marshaller, Object element, T target) {
// No ClassCastException guaranteed
@SuppressWarnings("unchecked")
final Class<? super T> targetType =
(Class<? super T>) getTargetType(target);
marshal(marshaller, element, targetType, target);
}
もっと良い方法はありますか?