Spring JDBC

Spring 对JDBC技术规范做了进一步封装,它又叫Spring JDBCTemplate(jdbc模板技术)

纯JDBC:代码清晰的、效率最高、代码是最烦的、
    Spring JDBCTemplate:代码相对来说就不那么清晰,效率要低一点,代码相对简单

如何进行Spring和jdbc的集合?(数据库的连接池)
        (1) 导入jar 包:spring-jdbc.jar  驱动类   连接池 DruidUtil2(框架的原型)
        (2) 配置类:@Configuration
        (3) @Spring IOC + JDBC 实现
            JdbcConfig: a.配置属性  b.配置DataSource Bean
        (4) 配置JdbcTemplate Bean  @Bean

1.pom.xml 所需要的jar包

    <!-- https://mvnrepository.com/artifact/org.springframework/spring-jdbc -->
<dependency>
<groupId>org.springframework</groupId>
<artifactId>spring-jdbc</artifactId>
<version>${spring.version}</version>
</dependency>
<!-- MySQL数据库连接池 -->
<!-- https://mvnrepository.com/artifact/mysql/mysql-connector-java -->
<dependency>
<groupId>mysql</groupId>
<artifactId>mysql-connector-java</artifactId>
<version>5.1.48</version>
</dependency> <!-- Druid -->
<!-- https://mvnrepository.com/artifact/com.alibaba/druid -->
<dependency>
<groupId>com.alibaba</groupId>
<artifactId>druid</artifactId>
<version>1.1.20</version>
</dependency>

2. 一个实体类:Account.java

public class Account {
private int id;
private String name;
private Double balance;
public Account( String name, Double balance) {
super();
this.name = name;
this.balance = balance;
}
public Account(int id, String name, Double balance) {
super();
this.id = id;
this.name = name;
this.balance = balance;
}
public Account() {
super();
}
public int getId() {
return id;
}
public void setId(int id) {
this.id = id;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public Double getBalance() {
return balance;
}
public void setBalance(Double balance) {
this.balance = balance;
}
@Override
public int hashCode() {
final int prime = 31;
int result = 1;
result = prime * result + ((balance == null) ? 0 : balance.hashCode());
result = prime * result + id;
result = prime * result + ((name == null) ? 0 : name.hashCode());
return result;
}
@Override
public boolean equals(Object obj) {
if (this == obj)
return true;
if (obj == null)
return false;
if (getClass() != obj.getClass())
return false;
Account other = (Account) obj;
if (balance == null) {
if (other.balance != null)
return false;
} else if (!balance.equals(other.balance))
return false;
if (id != other.id)
return false;
if (name == null) {
if (other.name != null)
return false;
} else if (!name.equals(other.name))
return false;
return true;
}
@Override
public String toString() {
return "Account [id=" + id + ", name=" + name + ", balance=" + balance + "]";
} }

3. 接口:IAccount.java

import java.util.List;

/**
* AccountDao接口
* @author 张泽
*/
public interface IAccountDao {
List<Account> findAll();
void delete(Account act);
void saveOrUpdate(Account act);
}

4.1 接口实现类(JDBC):AccountDaoJdbcImpl.java

import java.sql.Connection;
import java.sql.ResultSet;
import java.sql.Statement;
import java.util.ArrayList;
import java.util.List; import javax.sql.DataSource; import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Repository;
//@Component
@Repository("accountDaoJdbcImpl") //-- 存储、仓库/ 做存储服务
public class AccountDaoJdbcImpl implements IAccountDao {
@Autowired
private DataSource ds; @Override
public List<Account> findAll() {
try {
Connection con = ds.getConnection();
String sql = "select * from account";
Statement stmt = con.createStatement();
ResultSet rs = stmt.executeQuery(sql);
List<Account> acts = new ArrayList<>();
while(rs.next()) {
Account act = new Account(rs.getInt(1),rs.getString(2),rs.getDouble(3));
acts.add(act);
}
return acts; } catch (Exception e) {e.printStackTrace();} return null;
} @Override
public void delete(Account act) {
// TODO Auto-generated method stub } @Override
public void saveOrUpdate(Account act) {
// TODO Auto-generated method stub } }

4.2 接口实现类(Spring JDBCTemplate):AccountDaoTemplateImpl.java

import java.util.List;

import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.jdbc.core.BeanPropertyRowMapper;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.stereotype.Repository; @Repository("accountDaoTemplateImpl")
public class AccountDaoTemplateImpl implements IAccountDao {
@Autowired
private JdbcTemplate jdbcTemplate; @Override
public List<Account> findAll() {
System.out.println("accountDaoTemplateImpl");
return jdbcTemplate.query(
"select * from account",
new BeanPropertyRowMapper<Account>(Account.class)
);
} @Override
public void saveOrUpdate(Account act) { if(act.getId()==0) {
jdbcTemplate.update(
"insert into account(name,balance) values(?,?)",
new Object[] {act.getName(),act.getBalance()}
);
}else {
jdbcTemplate.update(
"update account set name=?,balance=? where id=?",
new Object[] {act.getName(),act.getBalance(),act.getId()}
);
} } @Override
public void delete(Account act) {
jdbcTemplate.update(
"delete from account where id=?",
new Object[] {act.getId()}
);
} }

5.1 JDBC 配置资源:jdbc.properties

jdbc.driverClass=com.mysql.jdbc.Driver
jdbc.url=jdbc:mysql://localhost:3306/demo
jdbc.username=root
jdbc.password=root pool.maxActive=10

5.2 JDBC 配置类:JdbcConfig.java

import javax.sql.DataSource;

import org.springframework.beans.factory.annotation.Value;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.context.annotation.PropertySource;
import org.springframework.jdbc.core.JdbcTemplate; import com.alibaba.druid.pool.DruidDataSource; /**
* JdbcConfig类
* @author 张泽
*
*/
@Configuration
@PropertySource("classpath:jdbc.properties")
//--你的配置信息的位置
public class JdbcConfig {
//-- 1. 获取配置信息
@Value("${jdbc.driverClass}")
private String driver;
@Value("${jdbc.url}")
private String url;
@Value("${jdbc.username}")
private String username;
@Value("${jdbc.password}")
private String password; @Value("${pool.maxActive}")
private int maxActive; //-- 2. 数据库连接池对象
@Bean(name="dataSource")
public DataSource createDataSource() {
DruidDataSource ds = new DruidDataSource();
ds.setDriverClassName(driver);
ds.setUrl(url);
ds.setUsername(username);
ds.setPassword(password);
ds.setMaxActive(maxActive); return ds;
} //-- 3. 配置JdbcTemplate
@Bean(name="jdbcTemplate")
public JdbcTemplate createJdbcTemplate(DataSource ds) {
return new JdbcTemplate(ds);//-- 利用数据源构造JdbcTemplate
} }

6. Spring 配置类:SpringConfig.java

/**
* Spring 配置类
* 多配置的使用方式
*/
import org.springframework.context.annotation.ComponentScan;
import org.springframework.context.annotation.Configuration;
import org.springframework.context.annotation.Import; @Configuration
@ComponentScan("day")//--所在包名
@Import(JdbcConfig.class) //-- 在主配置中导入子配置
public class SpringConfig { }

7. 主函数入口:Invoker.java

import javax.sql.DataSource;

import org.springframework.context.ApplicationContext;
import org.springframework.context.annotation.AnnotationConfigApplicationContext; public class Invoker {
public static void main(String[] args) {
ApplicationContext ctx=
new AnnotationConfigApplicationContext(SpringConfig.class);
DataSource ds = (DataSource)ctx.getBean("dataSource");
System.out.println(ds);
}
}

8. 测试类:TestAccountDao.java

import java.util.List;

import org.junit.Test;
import org.junit.runner.RunWith;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.beans.factory.annotation.Qualifier;
import org.springframework.test.context.ContextConfiguration;
import org.springframework.test.context.junit4.SpringJUnit4ClassRunner; @RunWith(SpringJUnit4ClassRunner.class)
@ContextConfiguration(classes= {SpringConfig.class})
public class TestAccountDao {
@Autowired
@Qualifier("accountDaoTemplateImpl")//-- 选择要调用 接口的实现类
private IAccountDao actDao; @Test
public void testFind() {
List<Account> acts = actDao.findAll();
for (Account account : acts) {
System.out.println(account);
}
} @Test
public void testSave() {
actDao.saveOrUpdate(new Account("xx",12.0));
} @Test
public void testUpdate() {
actDao.saveOrUpdate(new Account(8,"xx",22.0));
} @Test
public void testDelete() {
actDao.delete(new Account(8,"xx",22.0));
} }

Spring 框架下的 JDBC的更多相关文章

  1. Spring 框架下 (增 删 改 )基本操作

    //applicationContext.xml 配置文件 <?xml version="1.0" encoding="UTF-8"?><be ...

  2. Spring框架下Junit测试

    Spring框架下Junit测试 一.设置 1.1 目录 设置源码目录和测试目录,这样在设置产生测试方法时,会统一放到一个目录,如果没有设置测试目录,则不会产生测试代码. 1.2 增加配置文件 Res ...

  3. 深入剖析 RabbitMQ —— Spring 框架下实现 AMQP 高级消息队列协议

    前言 消息队列在现今数据量超大,并发量超高的系统中是十分常用的.本文将会对现时最常用到的几款消息队列框架 ActiveMQ.RabbitMQ.Kafka 进行分析对比.详细介绍 RabbitMQ 在 ...

  4. Spring框架下的单元测试方法

    介绍在Spring的框架下,做单元测试的两种办法. 一.使用spring中对Junit框架的整合功能 除了junit4和spring的jar包,还需要spring-test.jar.引入如下依赖: & ...

  5. Spring框架下的定时任务quartz框架的使用

    手头的这个项目需要用到定时任务,但之前没接触过这东西,所以不太会用,从网上找资料,大致了解了一下,其实也不难.Java的定时任务实现有三种,一种是使用JDK自带的Timer那个类来实现,另一种是使用q ...

  6. Spring 框架系列之 JDBC 整合实例

    微信公众号:compassblog 欢迎关注.转发,互相学习,共同进步! 有任何问题,请后台留言联系! 1.Spring框架整合 DAO 模板 JDBC:org.springframework.jdb ...

  7. Spring框架之演示JDBC的模板类

    1. 步骤一:创建数据库的表结构 create database spring_day03; use spring_day03; create table t_account( id int prim ...

  8. 关于Jersey框架下的Aop日志 和Spring 框架下的Aop日志

    摘要 最近新接手的项目经常要查问题,但是,前面一拨人,日志打的非常乱,好多就根本没有打日志,所以弄一个AOP统一打印一下 请求数据和响应数据 框架 spring+springmvc+jersey 正文 ...

  9. 解决Spring框架下中文乱码的问题

    在使用了Spring框架下回发现很多表单交互的地方会发生乱码,而且写到数据库中也是乱码,这其实还是字符编码的问题,在我们还在用自己写的servlet的时候,直接在request和response加上字 ...

随机推荐

  1. 如何使用modelarts训练海量数据

    在modelarts上使用notebook上使用evs空间默认大小是5G,能满足大部分文本和图片训练模型的需求.如果训练数据稍微超过这个限额,可以适当的扩增下空间.但如果训练对象是视频,或是实际生成过 ...

  2. Python中的UDP协议应用之飞秋应用-单IP版本

    UDP协议是无连接的.不稳定的网络通信协议. 通过使用飞秋端口(2425),以及模拟飞秋消息格式实现使用UDP协议对飞秋进行通信. 飞秋通信格式: '1:1000:66:%s:32:%s' 以冒号分割 ...

  3. nginx的部署及配置文件的介绍 域名 用户认证 SSL加密模块

    步骤一:构建Nginx服务器 yum -y install gcc pcre-devel openssl-devel        #安装依赖包 wget   http://nginx.org/dow ...

  4. matplotlib画图总结--常用功能

    0.内容范围 多曲线图.图例.坐标轴.注释文字等. 1.曲线图 多曲线图.图例.网格.坐标轴名称.图标名.坐标轴范围等. from matplotlib import pyplot as plt im ...

  5. 侠梦说pinpoint--界面上的图标之AgetnInfo数据研究

    前言 在启动一个挂载pinpoint的springboot项目的时候,界面上显示成了jboss的图标,所以今天研究了一下这个数据是怎么来的. 我们知道不同图标和服务类型有关,服务不同,图标就不同,这在 ...

  6. ajax来获取JWT的token

    AJAX方式获取token需要用

  7. 【Java SE】使用Javacv截取视频图片

    [Java Web开发学习]使用Javacv截取视频图片 转载:https://www.cnblogs.com/yangchongxing/p/9482935.html github地址:https: ...

  8. vue-cli3配置webpack generate-asset-plugin

    最近尝试将vue项目中的后台URL抽离到打包后的配置文件中,看到有使用generate-asset-plugin在build时生成配置文件的做法,倒腾了一下午使该webpack plugin在vue- ...

  9. ACM-ICPC 2018 徐州赛区网络预赛 H. Ryuji doesn't want to study (线段树)

    Ryuji is not a good student, and he doesn't want to study. But there are n books he should learn, ea ...

  10. django基础之day04知识点----查询相关

    from django.test import TestCase # Create your tests here. ''' 当你想单独测试django中某一个py文件时,你需要手动配置测试文件 在m ...