2

実行時にジェネリック型を取得することについて多くのことを読んだことがあり、完全な型の消去を防ぎ、コンストラクターに渡さずにジェネリック型を取得するには、匿名クラスとユーティリティ メソッドを使用できることを理解しました。

interface Generic<T> {
    public Class<T> getGenericType();
}

@Component
class GenericImpl<T> extends AbstractGenericImpl<T> {

}

abstract class AbstractGenericImpl<T> implements Generic<T> {

    protected Class<T> klass;

    @SuppressWarnings("unchecked")
    public Class<T> getGenericType() {
        if (klass == null) {
            // this is a spring utility method
            klass = (Class<T>) GenericTypeResolver.resolveTypeArgument(getClass(), AbstractGenericImpl.class);
        }
        return klass;
    }
}

以前のクラス階層を使用すると、匿名クラスを使用してgetGenericTypeインスタンス化する場合にのみ、機能するメソッドを使用できます。Generic<Anything>実際、このテストでは、最初の 2 つのアサーションのみが機能しています。

@Test
public void testGeneric() throws Exception {
    Generic<String> anonymous = new AbstractGenericImpl<String>() {};
    Generic<String> anonymous2 = new GenericImpl<String>() {};
    Generic<String> concrete = new GenericImpl<String>();
    // assertion
    assertThat("Anonymous of abstract class", anonymous.getGenericType(), equalTo(String.class));
    assertThat("Anonymous of concrete subclass", anonymous2.getGenericType(), equalTo(String.class));
    assertThat("With non anonymous class it fails", concrete.getGenericType(), equalTo(String.class));
}

3番目のものは失敗していますExpected: <class java.lang.String> but: was <class java.lang.Object>

@Autowiredここで、Springアノテーション付きのジェネリック クラスを使用したいと思います。

@Autowired Generic<String> auto;

@Test
public void testAutowiring() {
    assertThat(auto, instanceOf(Generic.class));
    assertThat(auto.getGenericType(), equalTo(String.class));
}

しかし、2 番目のアサーションは上記と同じエラー (ObjectではなくString) で失敗します。これは、Spring コンテナーが内部的にインスタンス化するためです。new GenericImpl<String>()

私はすでにGenericImpl<T>保護されたコンストラクターを作成しGenericImpl<String>、それ自体を抽象化しようとしましたが、どちらの場合も、Spring は Cannot instantiate Bean 例外で失敗します。

匿名クラスを使用してクラスをインスタンス化するように春に指示する簡単な方法はありますか?

追加の詳細

最後のクラスは JSON ストリームを Jackson を使用して POJO に変換し、Jackson ライブラリはClass<T>オブジェクトを非整列化するためにフィールドを必要とします。

// here I convert json stream to a POJO and I need the generic type
mapper.readValue(hit.source(), getGenericType());

JSON に変換する複数の POJO クラスがあるため、すべてのロジックを というジェネリックを持つ共通クラスに実装しましたRetriever。最後に、POJO ごとに 1 つのレトリーバーを用意します。多くの場合、それらのレトリーバーは他のクラスで自動配線されます。

@Autowired Retriever<Artifact> retriever;

Retriever現在、パラメーターを取り、Class<T>後でそれを使用して変換を実行するコンストラクターがあります。春のコンテキストでは、自動配線用にこれを持っています

<!-- Since retriever has a Class<T> constructor this is the only way I found to resolve its dependency -->
<bean id="artifactRetriever" class="a.b.c.RetrieverImpl">
    <constructor-arg value="a.b.c.Artifact"/>
</bean>

変換が必要な POJO ごとに、これが 1 つ必要です。このアプローチは機能しますが、少し冗長であり、アプリケーション コンテキストが無駄な行で乱雑になります。そのため、アプリケーション コンテキストでこのノイズをすべて取り除く方法を探していました。

4

2 に答える 2

2

XML構成ではなく、Springで匿名クラスをインプレースで作成およびインスタンス化することはできません(クラス名が必要であり、クラス名がないため)。

于 2013-07-29T13:11:55.427 に答える