Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How do I update the value of an @Autowired String bean in Spring?

I have a String that I'm autowiring as a bean. The value for the String is set via a properties file, and is loaded at runtime. That much I can verify. Here's my XML:

<context:property-placeholder location="classpath:my-app.properties" />

<bean id="loadedProp" class="java.lang.String">
   <constructor-arg>
      <value>${loaded-prop}</value>
   </constructor-arg>
</bean>

And in my application, I autowire in the bean:

@Component
public class Foo {

  @Autowired
  private String loadedProp;
}

Everything works dandy. I have multiple components that autowire in this bean. What I'm trying to do is, while the application is running, update the value of the bean to be something else, so that everywhere the bean is autowired in, it uses the most up to date value. Is it possible to do this, or do I just need to restart everytime I want to change the value?

like image 848
Pat Avatar asked Feb 09 '12 15:02

Pat


2 Answers

After reading a few of the other answers and comments, I was able to figure out a solution. I ended up creating a simple class:

public class LPropBean {

   private String loadedProp;

   public LPropBean(String loadedProp) {
       this.loadedProp = loadedProp;
   }

   // getters and setters...
}

I updated my XML file:

<bean id="lPropBean" class="LPropBean">
  <constructor-arg>
    <value>${loaded-prop}</value>
  </constructor-arg>
</bean>

And updated all of the @Components that autowire in the bean:

@Autowire
private LPropBean lPropBean;

// ... later ...
lPropBean.setLoadedProp(newProp);

// ... later ...
lPropBean.getLoadedProp();

I'm sure there is a more elegant way, but this worked exactly how I needed it to.

like image 107
Pat Avatar answered Nov 01 '22 04:11

Pat


Since String is immutable, you cannot just change its underlying value and have everyone that has a reference to it be updated.

You can change the reference of the String that an instance of Foo is holding onto to point to a different String, but it will only be realized by objects that are working with the specific Foo you updated. If Foo is a Spring singleton, this shouldn't be an issue though...

like image 25
nicholas.hauschild Avatar answered Nov 01 '22 06:11

nicholas.hauschild