我在Spring中实现了抽象DAO工厂。
我有两种自动连接的方法如下:
private DataSource dataSource;
private JdbcTemplate jdbcTemplate;
@Autowired
public void setJdbcTemplate(JdbcTemplate jdbcTemplate) {
this.jdbcTemplate = jdbcTemplate;
}
@Autowired
public void setDataSource(DataSource dataSource) {
this.dataSource = dataSource;
}
在开始时,jdbcTemplate和dataSource会在其中获得正确的值。但是当我使用new关键字调用类的构造函数时,jdbcTemplate和dataSource被设置为NULL。
但如果我将它们声明为静态,则会保留先前正确的值。
我想知道如果我想保留上面两个的先前值,春天是否有静态替代?
答案 0 :(得分:1)
你应该在类的顶部使用@Component来获取dataSource和jdbcTemplate的对象值。你不应该使用类的新关键字来获得自动引用的引用。
以下代码可能对您的问题有帮助。
import javax.sql.DataSource;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.ComponentScan;
import org.springframework.context.annotation.Configuration;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jdbc.datasource.DriverManagerDataSource;
@Configuration
@ComponentScan("com.ledara.demo")
public class ApplicationConfig {
@Bean
public DataSource getDataSource() {
DriverManagerDataSource dmds = new DriverManagerDataSource();
dmds.setDriverClassName("com.mysql.jdbc.Driver");
dmds.setUrl("yourdburl");
dmds.setUsername("yourdbusername");
dmds.setPassword("yourpassword");
return dmds;
}
@Bean
public JdbcTemplate getJdbcTemplate() {
JdbcTemplate jdbcTemplate = new JdbcTemplate(getDataSource());
return jdbcTemplate;
}
}
以及类下面有jdbcTemplate和dataSource
的自动装配字段import javax.sql.DataSource;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.stereotype.Component;
@Component
public class SampleInfo{
@Autowired(required=true)
DataSource getDataSource;
@Autowired(required=true)
JdbcTemplate getJdbcTemplate;
public void callInfo() {
System.out.println(getDataSource);
System.out.println(getJdbcTemplate);
}
}
以下是主要的课程
public class MainInfo {
public static void main(String[] args) {
AnnotationConfigApplicationContext context = new AnnotationConfigApplicationContext();
context.register(ApplicationConfig.class);
context.refresh();
SampleInfo si=context.getBean(SampleInfo.class);
si.callInfo();
}
}