你們應該知道在Spring中有一個註解@Value,他能夠幫助咱們來說Spring加載的配置文件(*.perperties)文件中的信息自動的注入到咱們的非靜態屬性中的。java
通常狀況下咱們會這樣使用:ide
1. 首先在Spring的配置文件中加載屬性文件:函數
<context:property-placeholder location="classpath:component.properties" ignore-unresolvable="true"/>
而後在Java代碼中使用@Value註解就能夠注入值了,好比:測試
@Value("${open_office_install_home}") private String openOfficeInstallHome;
import java.lang.annotation.ElementType; import java.lang.annotation.Retention; import java.lang.annotation.RetentionPolicy; import java.lang.annotation.Target; @Target(ElementType.METHOD) @Retention(RetentionPolicy.RUNTIME) public @interface Value { public String value(); }
2. 而後新增一個處理類:this
import java.lang.reflect.InvocationHandler; import java.lang.reflect.Method; import java.util.Properties; public class PropertyInvokationHandler implements InvocationHandler { private Properties properties; public PropertyInvokationHandler(Properties properties) { this.properties = properties; } @Override public Object invoke(Object proxy, Method method, Object[] args) throws Throwable { Value annotation = method.getAnnotation(Value.class); if(annotation == null){ throw new RuntimeException(String.format("Method:{} is not bound to a property.", method.getName())); } return properties.getProperty(annotation.value()); } }
3. 建立一個公共方法:spa
import java.lang.reflect.Proxy; import java.util.Properties; public class PropertyTool { private PropertyTool() { } public static <T> T bindProperties(Class<T> clazz, Properties properties) { return (T) Proxy.newProxyInstance(Thread.currentThread().getContextClassLoader(), new Class[]{clazz}, new PropertyInvokationHandler(properties)); } }
這樣咱們就完成了這個功能了。component
下面咱們經過測試代碼來驗證一下咱們的功能是否起做用:orm
咱們建立一個接口:blog
public interface UserService { @Value("user.name") public String getUserName(); @Value("user.password") public String getPassword(); }
而後編寫測試類:接口
import java.io.FileInputStream; import java.io.IOException; import java.io.InputStream; import java.util.Properties; public class UserServiceTester { public static void main(String[] args) { Properties properties = new Properties(); try { String path = UserServiceTester.class.getResource("/user.properties").getPath(); InputStream in = new FileInputStream(path); properties.load(in); in.close(); } catch(IOException ex) { ex.printStackTrace(); } UserService config = PropertyTool.bindProperties(UserService.class, properties); System.out.println("User Name: " + config.getUserName()); System.out.println("Password: " + config.getPassword()); } }
而咱們的user.properties屬性文件中的內容爲:
user.name=rollenholt user.password=123
運行上面的main方法,就會輸出屬性文件中的內容了。
不知道你們有沒有注意到,咱們在測試代碼中使用的UserService是一個接口,咱們並無建立他的實現類,可是咱們在main函數中依舊能夠釣魚他的方法。那是由於在運行時自動生成了一個實現。是否是覺的這個功能能夠用在不少的地方呀。