`

Spring中JdbcDaoSupport的DataSource注入问题

阅读更多
参考以下两篇文章:
http://www.mkyong.com/spring/spring-jdbctemplate-jdbcdaosupport-examples/
http://stackoverflow.com/questions/4762229/spring-ldap-invoking-setter-methods-in-beans-configuration

Spring JdbcDaoSupport 的使用非常简单,粗看没什么可疑的:

1.让Dao extends JdbcDaoSupport :
public class JdbcCustomerDAO extends JdbcDaoSupport implements CustomerDAO
	{
	   //no need to set datasource here
	   public void insert(Customer customer){
 
		String sql = "INSERT INTO CUSTOMER " +
			"(CUST_ID, NAME, AGE) VALUES (?, ?, ?)";
 
		getJdbcTemplate().update(sql, new Object[] { customer.getCustId(),
				customer.getName(),customer.getAge()  
		});
 
	}

2.配置好数据源。这里是直接配置了,开发中可通过JNDI从Tomcat获取:
<bean id="dataSource" 
         class="org.springframework.jdbc.datasource.DriverManagerDataSource">
 
		<property name="driverClassName" value="com.mysql.jdbc.Driver" />
		<property name="url" value="jdbc:mysql://localhost:3306/mkyongjava" />
		<property name="username" value="root" />
		<property name="password" value="password" />
	</bean>

3.引用数据源并注入:
<bean id="customerDAO" class="com.mkyong.customer.dao.impl.JdbcCustomerDAO">
		<property name="dataSource" ref="dataSource" />
	</bean>


但是,查看JdbcDaoSupport源码会发现,JdbcDaoSupport并没有dataSource这个字段,它唯一的字段是:
    private JdbcTemplate jdbcTemplate;

那么dataSource是怎么注入到JdbcDaoSupport的呢?

原来,Spring注入时是根据property而不是field
查看Spring的源码就会发现,Spring先解析bean.xml并保存好property,然后通过反射调用property在类中对应的writeMethod(也就是set方法),把bean.xml中配置的值赋给bean;而不是反过来

例如你给customerDAO 配置了:
<property name="dataSource" ref="dataSource" />
那么Spring就会到customerDAO 里面找setDataSource这个方法并调用,而不管有没有这个字段

JdbcDaoSupport的setDataSource方法:
public final void setDataSource(DataSource dataSource) {
        if (this.jdbcTemplate == null || dataSource != this.jdbcTemplate.getDataSource()) {
            this.jdbcTemplate = createJdbcTemplate(dataSource);
            initTemplateConfig();
        }
    }
protected JdbcTemplate createJdbcTemplate(DataSource dataSource) {
        return new JdbcTemplate(dataSource);
    } 


在这里,是直接通过new来创建一个 JdbcTemplate
有了JdbcTemplate,数据库的操作就没问题了

说到Spring的DataSource,我用jadeclipse反编译查看某公司框架时,发现框架类似以下代码:
public abstract class JdbcBaseDao extends JdbcDaoSupport {
    public void setDatasource(DataSource dataSource) {
    setDataSource(dataSource);
  }
}

在beans.xml里面配置依赖注入的时候,采用了auto-scan:
 <jee:jndi-lookup id="dataSource" jndi-name="jdbc/jdbcname_ljn" resource-ref="true"/>
    <context:component-scan base-package="com.ljn.spring" use-default-filters="false">
        <context:include-filter type="regex" expression="com\.ljn\.spring\..*"/>
    </context:component-scan>

并没有像文章开头那样,显式地把DataSource注入到Dao当中,但框架运行正常
dataSource是怎么注入到Dao的呢?百思不得其解
后来用jd-gui.exe反编译时,才发现在setDatasource方法上面还有一个注解:
@Resource(name="dataSource")
水落石出。。

下面说说java bean中property的定义,


测试代码:
package com.ljn.spring;

import java.beans.IntrospectionException;
import java.beans.Introspector;
import java.beans.PropertyDescriptor;
import java.lang.reflect.Field;

public class PropertyTest {

    public static void main(String[] args) throws IntrospectionException {
        PropertyDescriptor[] descriptors = 
                Introspector.getBeanInfo(Dummy.class).getPropertyDescriptors();
                //Introspector.getBeanInfo(Dummy.class, Object.class).getPropertyDescriptors();
        for (PropertyDescriptor descriptor : descriptors) {
            System.out.println(
                    "Property: " + descriptor.getName() + 
                    ", type: " + descriptor.getPropertyType());
        }
        
        Field[] fields = Dummy.class.getDeclaredFields();
        for (Field field : fields) {
            System.out.println(
                    "Field: " + field.getName() +
                    ", type: " + field.getType());
        }
    }

}

class Dummy {

    private String name;

    //yes
    public long getPropertyA() {
        return 0L;
    }
    
    //yes
    public void setPropertyB(int b) {
        //...
    }
    
    //!!!yes
    public int getPropertyC(int c) {
        return 0;
    }
    
    //not a 'property', since 'j' is 'long' but the return-type is 'int'
    public int getSeqid(long j) {
        return 0;
    }
    
    //not a 'property', since it changes nothing
    public void setSeqid() {
        //...
    }
    
    //not a 'property', since it is 'private'
    private int getSeqid() {
        return 0;
    }

    //!!!yes, when "descriptors = Introspector.getBeanInfo(Dummy.class).getPropertyDescriptors();"
    private static class InnerClassAsProperty{}
}

/*
以上程序输出:

Property: class, type: class java.lang.Class
Property: propertyA, type: long
Property: propertyB, type: int
Property: propertyC, type: null
Field: name, type: class java.lang.String

*/



由此可见,没有getter也没有setter的field并不认为是一个property
而符合标准的getter或者setter,则认为是一个property
符合标准的getter:形如“<type> getYzz(){...}”,则property为yzz,property的type就是方法返回值的type,注意方法不能有参数(如果有参数,则参数类型必须与返回类型一致)
符合标准的setter:形如“void setYzz(<type> param){...}”property为yzz,property的type就是方法参数的type,注意方法必须有参数

要注意一点,对于静态内部类来说,如果
PropertyDescriptor[] descriptors = Introspector.getBeanInfo(Dummy.class).getPropertyDescriptors();
而不是
PropertyDescriptor[] descriptors = Introspector.getBeanInfo(Dummy.class, Object.class).getPropertyDescriptors();
那么静态内部类也会认为是一个“property”
为什么会这样?我也不明白
Stack Overflow有人给出这样的例子,排除'class':
for (PropertyDescriptor pd : Introspector.getBeanInfo(Foo.class).getPropertyDescriptors()) {
  if (pd.getReadMethod() != null && !"class".equals(pd.getName()))
    System.out.println(pd.getReadMethod().invoke(foo));
}

JavaBeansAPI specification的定义:
Basically properties are named attributes associated with a bean that can be read or written by calling appropriate methods on the bean
Properties are discrete, named attributes of a Java Bean that can affect its appearance or its behaviour.

也就是说,可以通过方法调用而获得(或改变)bean的状态或行为的,就称之为“property”,因此如果getter/setter声明为private,就不是“property”了
0
0
分享到:
评论

相关推荐

    Spring JdbcDaoSupport 批量插入数据

    首先,`JdbcDaoSupport`是`AbstractJdbcDaoSupport`的子类,它提供了对JDBC访问的便捷封装,允许开发者无需直接管理`DataSource`,而是通过`setJdbcTemplate(JdbcTemplate jdbcTemplate)`方法注入`JdbcTemplate`实例...

    Spring MVC+SimpleJdbcDaoSupport增删改查小例子

    1. **配置数据源**:在Spring配置文件中配置DataSource Bean,通常使用Apache的Commons DBCP或Tomcat JDBC连接池。 2. **创建DAO**:创建一个继承自SimpleJdbcDaoSupport的DAO类,注入DataSource。 3. **编写CRUD...

    JdbcDaoSupport类的使用

    这里,`dataSource`是一个已定义的数据源bean,Spring会自动将它注入到`myJdbcDao` bean的`dataSource`属性中,从而确保`JdbcDaoSupport`能够正确地创建和初始化`JdbcTemplate`。 总结来说,`JdbcDaoSupport`是...

    4.Spring中的JdbcTemplate,Spring中的的事务,

    通常推荐使用依赖注入的方式注入数据源,这可以在Spring配置文件中实现。 ##### 在配置文件中配置JdbcTemplate 配置文件示例: ```xml &lt;bean id="dataSource" class="org.springframework.jdbc.datasource....

    spring jdbc

    然后在Spring配置文件中定义一个`JdbcTemplate`的bean,注入数据源`dataSource`,最后将`JdbcTemplate`注入到DAO实现类中。 ```java // Java代码 public class UserServiceImpl implements UserService { private ...

    spring_JdbcTemplete使用详解

    在 Spring 中,`DataSource` 和 `JdbcTemplate` 都可以通过 Bean 的方式定义在 XML 配置文件中。`JdbcTemplate` 的创建只需要注入一个 `DataSource`。应用程序的数据访问层(DAO)只需要继承 `JdbcDaoSupport` 或者...

    spring学习的第三天

    - DAO中注入`JdbcTemplate`:通过在配置文件中配置`DataSource`并将其注入到`JdbcTemplate`中,然后将`JdbcTemplate`注入到DAO中。 - 继承`JdbcDaoSupport`类:该类内部已经实现了`JdbcTemplate`的注入,可以通过`...

    ibatis+spring

    Spring提供了JdbcDaoSupport和JpaDaoSupport等抽象类,以及JdbcTemplate、SimpleJdbcInsert等工具类,可以方便地与ibatis结合,实现DAO层的操作。 ### 示例代码分析 在给定的部分内容中,首先介绍了导入所需的包,...

    牧紫小岩的Spring学习笔记pdf

    Spring框架,作为Java领域中一个重要的轻量级框架,主要关注于解决企业级应用开发中的复杂性问题。它通过提供一系列的模块化组件,支持包括依赖注入(Dependency Injection,DI)、面向切面编程(Aspect-Oriented ...

    JDBCDataSource:Spring 3 演示创建到 MySQL 数据库 (NetBeans IDE) 的 JDBC 驱动程序连接和数据源连接

    在本文中,我们将深入探讨如何在Spring 3框架中利用JDBCDataSource来建立与MySQL数据库的连接。首先,让我们理解JDBC(Java Database Connectivity)及其在Spring中的作用。JDBC是Java平台上的一个标准API,它允许...

    SpringMvc, JDBC Template的例子

    2. 然后,创建一个DAO(Data Access Object)层,继承自JdbcDaoSupport类,Spring会自动注入JdbcTemplate实例。 3. 在DAO中,你可以定义方法,如`selectUsers()`、`insertUser()`等,这些方法内部调用JdbcTemplate的...

    Java的Spring框架中DAO数据访问对象的使用示例

    在上述代码中,`UserRepository`继承了`JdbcDaoSupport`,并注入了`DataSource`。`insert`方法使用`JdbcTemplate`的`update`方法执行插入操作,而`find`方法则使用`queryForObject`方法执行查询并映射结果到`User`...

    java事务管理&ssh整合笔记

    本笔记将重点讨论Spring中的AOP(面向切面编程)以及事务管理,同时简述JDBC中的事务处理。 1. **Spring AOP回顾** - Spring的AOP允许我们定义横切关注点,如日志、安全检查等,这些关注点可以被编织到应用程序...

Global site tag (gtag.js) - Google Analytics