首页 > 学院 > 开发设计 > 正文

在Spring中使用JDBC

2019-11-18 16:08:25
字体:
来源:转载
供稿:网友

SPRing对JDBC进行了非常优雅的封装,通过一系列的模板方法,我们只需简单的几行代码就可实现数据库的访问。

在上次的Web App的基础上,我们将通过Spring的JdbcTemplate访问数据库从而实现用户验证。

为了尽量简化,我们创建一个access数据库,建立表Account,包含两个字段:

    username:VARCHAR(20),主键;
    passWord:VARCHAR(20)。

然后输入一些测试数据,注册到系统DSN,名字为Blog。

接下来我们在Tomcat中配置一个名为“jdbc/blog”的DataSource如下:

在Spring中使用JDBC

如果你使用其他数据库,只需要保证表的逻辑结构和JDNI名“jdbc/blog”。在AccountManager中,我们使用JdbcTemplate访问数据库来验证用户:

    Account getAccount(String username, String password) throws Exception {
        // validate the password:
        InitialContext ctx = new InitialContext();
        DataSource dataSource = (DataSource)ctx.lookup("java:comp/env/jdbc/blog");
        JdbcTemplate jt = new JdbcTemplate(dataSource);
        String pass = (String) jt.queryForObject(
            "select password from Account where username=?",
            new Object[] {username}, String.class);
        if(password.equals(pass))
        {
            Account account = new Account();
            account.setUsername(username);
            account.setPassword(password);
            return account;
        }
        throw new Exception("authorization failed.");
    }

编译运行,我们可以输入hello.c?username=xxx&password=xxx来测试用户登录,如果匹配数据库中的记录,会显示出用户名,否则可以看到authorization failed异常。要更友好的显示登陆失败,可以在Controller中导向一个login_failed.jsp并给出登陆失败的原因。

下面我们来看这个AccountManager,很显然在验证逻辑中我们写入了JNDI查找DataSource的代码,这将导致比较“生硬”的编码。“依赖注入”此刻显示出了威力:我们让容器注入DataSource:

public class AccountManager implements java.io.Serializable {
    private DataSource dataSource;
    public void setDataSource(DataSource dataSource) {
        this.dataSource = dataSource;
    }

    Account getAccount(String username, String password) throws Exception {
        JdbcTemplate jt = new JdbcTemplate(dataSource);
        ...
    }
}


OK,现在这个AccountManager变得优雅多了,现在如何配置DataSource的注入呢?Spring提供了一个DataSourceUtils类,通过静态方法getDataSourceFromJndi来获得容器中配置的DataSource。我们添加以下配置:

    <bean id="dataSource"
          class="org.springframework.jdbc.datasource.DataSourceUtils"
          factory-method="getDataSourceFromJndi">
        <constrUCtor-arg><value>jdbc/blog</value></constructor-arg>
    </bean>
    <bean id="accountManager" class="AccountManager">
        <property name="dataSource">
            <ref bean="dataSource" />
        </property>
    </bean>

现在重新部署,效果和以前一样,但是相关代码已被“放到”配置文件中了。

:( 待续... :)

(出处:http://www.VeVb.com)



上一篇:在Spring中配置Bean

下一篇:Tomcat入门指南

发表评论 共有条评论
用户名: 密码:
验证码: 匿名发表