spring初步学习---注入变量

Spring是一个轻量级控制反转(IoC)和面向切面(AOP)的容器框架。

控制反转——Spring通过一种称作控制反转(IoC)的技术促进了松耦合。当应用了IoC,一个对象依赖的其它对象会通过被动的方式传递进来,而不是这个对象自己创建或者查找依赖对象

下面介绍如何利用spring注入变量。

我想要把多个配置文件中的数据注入到config对象中。

有两个配置文件:

jmq.properties

mq.producer.topic=wlogin_monitor
mq.epoll=false
module.properties

redis-key-1 = mon_login
redis-node-1 = 192.168.144.119:6379|192.168.144.120:6379

redis-key-2 = mon_register
redis-node-2 = 192.168.144.119:6379|192.168.144.120:6379
把上述数据注入到LocalConf对象实例中,该类必须要有get,set方法。

mq.producer.topic注入到topic变量中,redis相关数据注入到modules变量中。

public class LocalConf {
	private String topic;
	private Map<String,String> modules;

	public Map<String, String> getModules() {
		return modules;
	}

	public void setModules(Map<String, String> modules) {
		this.modules = modules;
	}

	public String getTopic() {
		return topic;
	}

	public void setTopic(String topic) {
		this.topic = topic;
	}		
}
spring的配置文件如下:

<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans"
       xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:jmq="http://code.jd.com/schema/jmq"
       xsi:schemaLocation="http://www.springframework.org/schema/beans
        http://www.springframework.org/schema/beans/spring-beans.xsd
        http://code.jd.com/schema/jmq
	    http://code.jd.com/schema/jmq/jmq-1.0.xsd">


    <bean id="propertyConfigurer"
          class="org.springframework.beans.factory.config.PropertyPlaceholderConfigurer">
        <property name="locations">
            <list>
                <value>classpath:conf/jmq.properties</value>
                <value>classpath:conf/module.properties</value>
            </list>
        </property>
    </bean>
	
    <bean id="localConf" class="com.jd.jmq.main.LocalConf">
        <property name="topic" value="${mq.producer.topic}"/>
        <property name="modules">
			<map>
			    <entry key="${redis-key-1}" value="${redis-node-1}"/>
			    <entry key="${redis-key-2}" value="${redis-node-2}"/>
			</map>
		</property>
    </bean>
</beans>
主函数获取spring装配的对象实例:

ApplicationContext context = new ClassPathXmlApplicationContext (new String[]{"conf/spring-producer.xml"});
LocalConf localConf = (LocalConf)context.getBean("localConf");

就是这么简单!spring可以注入Java的各种容器,list,map,set等等。

你可能感兴趣的:(spring初步学习---注入变量)