5

在 Spring MVC Web 应用程序中,我在配置文件中配置了一个 bean:

<bean class="com.callback.CallbackService"/>

在服务类中,bean 的初始化如下所示:

@Autowired
CallbackService service

上面显示的 CallbackService 通过以下三个调用获取其连接属性(目前无法更改):

System.getProperty("user");
System.getProperty("password");
System.getProperty("connectionURL");

声明 CallbackService 实例的服务类可以通过读取属性文件来访问上述三个值,如下所示:

@Value("${user}")
protected String userName;

@Value("${password}")
protected String password;

@Value("${connection}")
protected String connectionString;  

我需要为 CallbackService 设置属性就是设置系统属性(在它们被初始化之后),如下所示:

System.setProperty("user", userName);
System.setProperty("password", password);
System.setProperty("connectionURL", connectionString);

然而,我遇到的问题是初始化对象的顺序。属性正在初始化,但看起来 System.setProperty 调用发生在 Spring 从属性文件中准备好它们之前。

我尝试了几种解决方案,但似乎 CallbackService 对象是在从属性文件中读取值并调用 System.setProperty 之前实例化的。

属性文件最终会被读取,因为如果我从 @Controller 方法之一访问它们,我可以看到这些值。问题在于初始化属性和实例化 CallbackService 实例的点。

经过几个小时的谷歌搜索,我尝试了以下解决方案,但似乎没有一个在 CallbackService 实例的初始化/实例化之前填充系统属性

  1. 在方法中实现InitiazingBean和设置系统属性 afterPropertiesSet()
  2. 在方法中实现ApplicationListener和设置系统属性onApplicationEvent()
  3. XML 中 CallbackService bean 定义的设置lazy-init=true
  4. 如此处所述设置系统属性使用 Spring 配置文件设置系统属性

上面的第 4 点似乎是我想要的,但是当我将以下内容(具有我需要的三个属性)添加到我的上下文文件中时,我没有看到任何区别。

<bean id="systemPrereqs"
    class="org.springframework.beans.factory.config.MethodInvokingFactoryBean">
    <property name="targetObject" value="#{@systemProperties}" />
    <property name="targetMethod" value="putAll" />
    <property name="arguments">
        <!-- The new Properties -->
        <util:properties>
            <prop key="java.security.auth.login.config">/super/secret/jaas.conf</prop>
        </util:properties>
    </property>
</bean>

如何确保在System.setProperty执行调用之前从属性文件中读取值,然后才应实例化 CallbackService 实例?

谢谢

4

1 回答 1

5

您可以让CallbackService 依赖于另一个初始化系统属性的bean,例如

 class SystemPropertiesInitializer {

      SystemPropertiesInitializer(@Value("${user}") String userName, 
              @Value("${password}") String password, 
              @Value("${connection}" String connectionString) {

          System.setProperty("user", userName);
          System.setProperty("password", password);
          System.setProperty("connectionURL", connectionString);
      }
 }

下一个,

 <bean id="systemPropertiesInitializer" class="com.callback.SystemPropertiesInitializer"/>
 <bean class="com.callback.CallbackService" depends-on="systemPropertiesInitializer"/>

或者,您可以使用@DependsOn注释:

 @Component
 @DependsOn("systemPropertiesInitializer")
 class CallbackService { 
     // implementation omitted
 }
于 2013-01-06T21:13:22.620 回答