5

在我们想要访问运行时的 tomcat 引擎中有一些信息,所以我们在我们的应用程序上下文中有以下信息(从这篇博文中得到了这个):

<bean id="tomcatEngineProxy" class="org.springframework.jmx.access.MBeanProxyFactoryBean">
    <property name="objectName" value="Catalina:type=Engine" />
    <property name="proxyInterface" value="org.apache.catalina.Engine" />
    <property name="useStrictCasing" value="false" />
</bean>

在控制器中,我们然后像这样自动连接它:

@Autowired
private MBeanProxyFactoryBean tomcatEngineProxy = null;

我们无法org.apache.catalina.Engine像博客文章中那样连接,因为在构建时我们无法使用该类。它仅在运行时可用,所有不同的 tomcat 版本都在不同的机器上运行。

我们能够使用反射从这个@Autowire 获得我们需要的信息。现在,我们想将此功能移动到服务中。我将此添加到我们的应用程序上下文中:

<bean id="myService" class="com.foo.bar.MyServiceImpl">
    <constructor-arg ref="tomcatEngineProxy" />
</bean>

这个类看起来像这样:

public class MyServiceImpl implements MyService
{
    public MyServiceImpl(MBeanProxyFactoryBean tomcatEngineProxy) throws Exception
    {
         //stuff with the proxy
    }
    .....
}

当我这样做时,我收到以下错误:

org.springframework.beans.factory.UnsatisfiedDependencyException: Error creating bean with name 'myService' defined in ServletContext resource [/WEB-INF/spring/root-context.xml]: Unsatisfied dependency expressed through constructor argument with index 0 of type [org.springframework.jmx.access.MBeanProxyFactoryBean]: Could not convert constructor argument value of type [$Proxy44] to required type [org.springframework.jmx.access.MBeanProxyFactoryBean]: Failed to convert value of type '$Proxy44 implementing org.apache.catalina.Engine,org.springframework.aop.SpringProxy,org.springframework.aop.framework.Advised' to required type 'org.springframework.jmx.access.MBeanProxyFactoryBean'; nested exception is java.lang.IllegalStateException: Cannot convert value of type [$Proxy44 implementing org.apache.catalina.Engine,org.springframework.aop.SpringProxy,org.springframework.aop.framework.Advised] to required type [org.springframework.jmx.access.MBeanProxyFactoryBean]: no matching editors or conversion strategy found

基本上对代理如何工作以及如何使用它们一无所知,我不确定如何进行这项工作。是否有一些声明可以用于我的构造函数 arg 匹配?控制器中起作用的 @Autowire 和不起作用的构造函数 arg 有什么不同?

4

2 回答 2

4

这是因为您的工厂 bean 将结果公开为引擎接口:

<property name="proxyInterface" value="org.apache.catalina.Engine" />

因此,如果您尝试连接“tomcatEngineProxy”bean 本身,它唯一兼容的分配是“org.apache.catalina.Engine”,因为创建的代理仅实现该接口。

尝试直接引用工厂 bean(注意与符号,它是查找创建对象而不是对象本身的实际工厂 bean 的语法):

<constructor-arg ref="&tomcatEngineProxy" />

如何注入 FactoryBean 而不是它产生的对象?

于 2012-09-19T19:14:48.760 回答
0

我相信这是可行@Autowired的,因为绑定是根据 Bean 的类型(即MBeanProxyFactoryBean)完成的,但是与构造函数参数的绑定是按名称完成的,并且您提供的名称与tomcatEngineProxy您期望的类型不匹配,因为创建了 bean 的类型使用 FactoryBean 与使用FactoryBean不同。

看起来最简单的解决方案将更改为MyServiceImpl

public class MyServiceImpl implements MyService
{
    @Autowired 
    private MBeanProxyFactoryBean tomcatEngineProxy;

    public MyServiceImpl() throws Exception
    {
         //stuff with the proxy
    }
    .....
}

这应该可以解决问题。

于 2012-09-19T17:40:57.490 回答