Spring Boot干货系列:(九)数据存储篇-SQL关系型数据库之MyBatis的使用

前言

上篇我们介绍了Spring Boot对传统JdbcTemplate的集成,这次换一下,介绍下Spring Boot中如何集成MyBatis。这里分别介绍注解方式以及XML方式的整合。喜欢哪种方式自己选择。

正文

项目框架还是跟上一篇一样使用Spring Boot的ace后端模板,你可以基于它来跟着博主一起来调整代码,如果没看过上一篇,那就下载本篇源码研究吧。

跟上篇一样先添加基础的依赖和数据源。

添加依赖

这里需要添加mybatis-spring-boot-starter依赖跟mysql依赖
“`xml


    org.mybatis.spring.boot
    mybatis-spring-boot-starter
    1.3.0


    mysql
    mysql-connector-java

“`
这里不引入spring-boot-starter-jdbc依赖,是由于mybatis-spring-boot-starter中已经包含了此依赖。

博主开始整理的时候发现mybatis-spring-boot-starter有新版本了,这里就集成最新的,匹配Spring Boot1.5版本。

MyBatis-Spring-Boot-Starter依赖将会提供如下:
- 自动检测现有的DataSource
- 将创建并注册SqlSessionFactory的实例,该实例使用SqlSessionFactoryBean将该DataSource作为输入进行传递
- 将创建并注册从SqlSessionFactory中获取的SqlSessionTemplate的实例。
- 自动扫描您的mappers,将它们链接到SqlSessionTemplate并将其注册到Spring上下文,以便将它们注入到您的bean中。

就是说,使用了该Starter之后,只需要定义一个DataSource即可(application.properties中可配置),它会自动创建使用该DataSource的SqlSessionFactoryBean以及SqlSessionTemplate。会自动扫描你的Mappers,连接到SqlSessionTemplate,并注册到Spring上下文中。

数据源配置

在src/main/resources/application.properties中配置数据源信息。

 spring.datasource.url = jdbc:mysql://localhost:3306/spring?useUnicode=true&characterEncoding=utf-8
 spring.datasource.username = root
 spring.datasource.password = root
 spring.datasource.driver-class-name = com.mysql.jdbc.Driver
 ```

## 自定义数据源
 Spring Boot默认使用tomcat-jdbc数据源,如果你想使用其他的数据源,比如这里使用了阿里巴巴的数据池管理,除了在`application.properties`配置数据源之外,你应该额外添加以下依赖:
 ```xml
 <dependency>
     <groupId>com.alibaba</groupId>
     <artifactId>druid</artifactId>
     <version>1.0.19</version>
 </dependency>
 ```
 修改Application.java
 ```java
 @SpringBootApplication
 public class Application {
    public static void main(String[] args) {
         SpringApplication.run(Application.class, args);
     }
    @Autowired
     private Environment env;
    //destroy-method="close"的作用是当数据库连接不使用的时候,就把该连接重新放到数据池中,方便下次使用调用.
     @Bean(destroyMethod =  "close")
     public DataSource dataSource() {
         DruidDataSource dataSource = new DruidDataSource();
         dataSource.setUrl(env.getProperty("spring.datasource.url"));
         dataSource.setUsername(env.getProperty("spring.datasource.username"));//用户名
         dataSource.setPassword(env.getProperty("spring.datasource.password"));//密码
         dataSource.setDriverClassName(env.getProperty("spring.datasource.driver-class-name"));
         dataSource.setInitialSize(2);//初始化时建立物理连接的个数
         dataSource.setMaxActive(20);//最大连接池数量
         dataSource.setMinIdle(0);//最小连接池数量
         dataSource.setMaxWait(60000);//获取连接时最大等待时间,单位毫秒。
         dataSource.setValidationQuery("SELECT 1");//用来检测连接是否有效的sql
         dataSource.setTestOnBorrow(false);//申请连接时执行validationQuery检测连接是否有效
         dataSource.setTestWhileIdle(true);//建议配置为true,不影响性能,并且保证安全性。
         dataSource.setPoolPreparedStatements(false);//是否缓存preparedStatement,也就是PSCache
         return dataSource;
     }
 }
 ```
 ok这样就算自己配置了一个DataSource,Spring Boot会智能地选择我们自己配置的这个DataSource实例。

## 脚本初始化
 ```sql
 CREATE DATABASE /*!32312 IF NOT EXISTS*/`spring` /*!40100 DEFAULT CHARACTER SET utf8 */;
 USE `spring`;
 DROP TABLE IF EXISTS `learn_resource`;

CREATE TABLE `learn_resource` (
   `id` bigint(20) NOT NULL AUTO_INCREMENT COMMENT 'ID',
   `author` varchar(20) DEFAULT NULL COMMENT '作者',
   `title` varchar(100) DEFAULT NULL COMMENT '描述',
   `url` varchar(100) DEFAULT NULL COMMENT '地址链接',
   PRIMARY KEY (`id`)
 ) ENGINE=MyISAM AUTO_INCREMENT=1029 DEFAULT CHARSET=utf8;

insert into `learn_resource`(`id`,`author`,`title`,`url`) values (999,'官方SpriongBoot例子','官方SpriongBoot例子','https://github.com/spring-projects/spring-boot/tree/master/spring-boot-samples');
 insert into `learn_resource`(`id`,`author`,`title`,`url`) values (1000,'龙果学院','Spring Boot 教程系列学习','http://www.roncoo.com/article/detail/124661');
 insert into `learn_resource`(`id`,`author`,`title`,`url`) values (1001,'嘟嘟MD独立博客','Spring Boot干货系列','http://tengj.top/');
 insert into `learn_resource`(`id`,`author`,`title`,`url`) values (1002,'后端编程嘟','Spring Boot视频教程','http://www.toutiao.com/m1559096720023553/');
 ```

## 注解方式跟XML配置方式共同的模块编码
 不管是注解方式还是XML配置的方式,以下代码模块都是一样的

### 实体对象
 ```java
 public class LearnResouce {
     private Long id;
     private String author;
     private String title;
     private String url;
     // SET和GET方法
 }
 ```

### Controller层
 ```java
 /** 教程页面
  * Created by tengj on 2017/3/13.
  */
 @Controller
 @RequestMapping("/learn")
 public class LearnController {
     @Autowired
     private LearnService learnService;
     private Logger logger = LoggerFactory.getLogger(this.getClass());

    @RequestMapping("")
     public String learn(){
         return "learn-resource";
     }

    @RequestMapping(value = "/queryLeanList",method = RequestMethod.POST,produces="application/json;charset=UTF-8")
     @ResponseBody
     public void queryLearnList(HttpServletRequest request ,HttpServletResponse response){
         String page = request.getParameter("page"); // 取得当前页数,注意这是jqgrid自身的参数
         String rows = request.getParameter("rows"); // 取得每页显示行数,,注意这是jqgrid自身的参数
         String author = request.getParameter("author");
         String title = request.getParameter("title");
         Map<String,Object> params = new HashMap<String,Object>();
         params.put("page", page);
         params.put("rows", rows);
         params.put("author", author);
         params.put("title", title);
         List<LearnResouce> learnList=learnService.queryLearnResouceList(params);
         PageInfo<LearnResouce> pageInfo =new PageInfo<LearnResouce>(learnList);
         JSONObject jo=new JSONObject();
         jo.put("rows", learnList);
         jo.put("total", pageInfo.getPages());//总页数
         jo.put("records",pageInfo.getTotal());//查询出的总记录数
         ServletUtil.createSuccessResponse(200, jo, response);
     }
     /**
      * 新添教程
      * @param request
      * @param response
      */
     @RequestMapping(value = "/add",method = RequestMethod.POST)
     public void addLearn(HttpServletRequest request , HttpServletResponse response){
         JSONObject result=new JSONObject();
         String author = request.getParameter("author");
         String title = request.getParameter("title");
         String url = request.getParameter("url");
         if(StringUtil.isNull(author)){
             result.put("message","作者不能为空!");
             result.put("flag",false);
             ServletUtil.createSuccessResponse(200, result, response);
             return;
         }
         if(StringUtil.isNull(title)){
             result.put("message","教程名称不能为空!");
             result.put("flag",false);
             ServletUtil.createSuccessResponse(200, result, response);
             return;
         }
         if(StringUtil.isNull(url)){
             result.put("message","地址不能为空!");
             result.put("flag",false);
             ServletUtil.createSuccessResponse(200, result, response);
             return;
         }
         LearnResouce learnResouce = new LearnResouce();
         learnResouce.setAuthor(author);
         learnResouce.setTitle(title);
         learnResouce.setUrl(url);
         int index=learnService.add(learnResouce);
         if(index>0){
             result.put("message","教程信息添加成功!");
             result.put("flag",true);
         }else{
             result.put("message","教程信息添加失败!");
             result.put("flag",false);
         }
         ServletUtil.createSuccessResponse(200, result, response);
     }
     /**
      * 修改教程
      * @param request
      * @param response
      */
     @RequestMapping(value = "/update",method = RequestMethod.POST)
     public void updateLearn(HttpServletRequest request , HttpServletResponse response){
         JSONObject result=new JSONObject();
         String id = request.getParameter("id");
         LearnResouce learnResouce=learnService.queryLearnResouceById(Long.valueOf(id));
         String author = request.getParameter("author");
         String title = request.getParameter("title");
         String url = request.getParameter("url");
         if(StringUtil.isNull(author)){
             result.put("message","作者不能为空!");
             result.put("flag",false);
             ServletUtil.createSuccessResponse(200, result, response);
             return;
         }
         if(StringUtil.isNull(title)){
             result.put("message","教程名称不能为空!");
             result.put("flag",false);
             ServletUtil.createSuccessResponse(200, result, response);
             return;
         }
         if(StringUtil.isNull(url)){
             result.put("message","地址不能为空!");
             result.put("flag",false);
             ServletUtil.createSuccessResponse(200, result, response);
             return;
         }
         learnResouce.setAuthor(author);
         learnResouce.setTitle(title);
         learnResouce.setUrl(url);
         int index=learnService.update(learnResouce);
         System.out.println("修改结果="+index);
         if(index>0){
             result.put("message","教程信息修改成功!");
             result.put("flag",true);
         }else{
             result.put("message","教程信息修改失败!");
             result.put("flag",false);
         }
         ServletUtil.createSuccessResponse(200, result, response);
     }
     /**
      * 删除教程
      * @param request
      * @param response
      */
     @RequestMapping(value="/delete",method = RequestMethod.POST)
     @ResponseBody
     public void deleteUser(HttpServletRequest request ,HttpServletResponse response){
         String ids = request.getParameter("ids");
         System.out.println("ids==="+ids);
         JSONObject result = new JSONObject();
         //删除操作
         int index = learnService.deleteByIds(ids.split(","));
         if(index>0){
             result.put("message","教程信息删除成功!");
             result.put("flag",true);
         }else{
             result.put("message","教程信息删除失败!");
             result.put("flag",false);
         }
         ServletUtil.createSuccessResponse(200, result, response);
     }
 }
 ```

### Service层
 ```java
 package com.dudu.service;
 public interface LearnService {
     int add(LearnResouce learnResouce);
     int update(LearnResouce learnResouce);
     int deleteByIds(String[] ids);
     LearnResouce queryLearnResouceById(Long learnResouce);
     List<LearnResouce> queryLearnResouceList(Map<String, Object> params);
 }

实现类
“`java
package com.dudu.service.impl;

/**
 * Created by tengj on 2017/4/7.
 */
@Service
public class LearnServiceImpl implements LearnService {

    @Autowired
    LearnMapper learnMapper;
    @Override
    public int add(LearnResouce learnResouce) {
        return this.learnMapper.add(learnResouce);
    }

    @Override
    public int update(LearnResouce learnResouce) {
        return this.learnMapper.update(learnResouce);
    }

    @Override
    public int deleteByIds(String[] ids) {
        return this.learnMapper.deleteByIds(ids);
    }

    @Override
    public LearnResouce queryLearnResouceById(Long id) {
        return this.learnMapper.queryLearnResouceById(id);
    }

    @Override
    public List queryLearnResouceList(Map

Mybatis集成

接下来,我们分别来介绍下注解方式以及XML配置方式。
### 方案一:注解方式
Mybatis注解的方式好简单,只要定义一个dao接口,然后sql语句通过注解写在接口方法上。最后给这个接口添加@Mapper注解或者在启动类上添加@MapperScan(“com.dudu.dao”)注解都行。

如下:
“`java
package com.dudu.dao;
/**
 * Created by tengj on 2017/4/22.
 * Component注解不添加也没事,只是不加service那边引入LearnMapper会有错误提示,但不影响
 */
@Component
@Mapper
public interface LearnMapper {
    @Insert(“insert into learn_resource(author, title,url) values(#{author},#{title},#{url})”)
    int add(LearnResouce learnResouce);

    @Update(“update learn_resource set author=#{author},title=#{title},url=#{url} where id = #{id}”)
    int update(LearnResouce learnResouce);

    @DeleteProvider(type = LearnSqlBuilder.class, method = “deleteByids”)
    int deleteByIds(@Param(“ids”) String[] ids);

    @Select(“select * from learn_resource where id = #{id}”)
    @Results(id = “learnMap”, value = {
            @Result(column = “id”, property = “id”, javaType = Long.class),
            @Result(property = “author”, column = “author”, javaType = String.class),
            @Result(property = “title”, column = “title”, javaType = String.class)
    })
    LearnResouce queryLearnResouceById(@Param(“id”) Long id);

    @SelectProvider(type = LearnSqlBuilder.class, method = “queryLearnResouceByParams”)
    List queryLearnResouceList(Map

方案二:XML配置方式

xml配置方式保持映射文件的老传统,优化主要体现在不需要实现dao的是实现层,系统会自动根据方法名在映射文件中找对应的sql,具体操作如下:

编写Dao层的代码
新建LearnMapper接口,无需具体实现类。
“`java
package com.dudu.dao;
@Mapper
public interface LearnMapper {
    int add(LearnResouce learnResouce);
    int update(LearnResouce learnResouce);
    int deleteByIds(String[] ids);
    LearnResouce queryLearnResouceById(Long id);
    public List queryLearnResouceList(Map

“`

修改application.properties 配置文件

#指定bean所在包
mybatis.type-aliases-package=com.dudu.domain
#指定映射文件
mybatis.mapperLocations=classpath:mapper/*.xml

添加LearnMapper的映射文件
在src/main/resources目录下新建一个mapper目录,在mapper目录下新建LearnMapper.xml文件。

通过mapper标签中的namespace属性指定对应的dao映射,这里指向LearnMapper。

“`xml

分页插件

上面我有使用到物理分页插件pagehelper,用法还算简单,配置如下
pom.xml中添加依赖
xml
<dependency>
    <groupId>com.github.pagehelper</groupId>
    <artifactId>pagehelper-spring-boot-starter</artifactId>
    <version>1.1.0</version>
</dependency>

然后你只需在查询list之前使用PageHelper.startPage(int pageNum, int pageSize)方法即可。pageNum是第几页,pageSize是每页多少条。
java
@Override
    public List<LearnResouce> queryLearnResouceList(Map<String,Object> params) {
        PageHelper.startPage(Integer.parseInt(params.get("page").toString()), Integer.parseInt(params.get("rows").toString()));
        return this.learnMapper.queryLearnResouceList(params);
    }

分页插件PageHelper项目地址: https://github.com/pagehelper/Mybatis-PageHelper

最终项目效果如下,增删改查分页一个都不少:

总结

到此为止,Spring Boot与Mybatis的初步整合就完成了,项目不仅整合了bootstrap模板框架,还包含了登录、拦截器、日志框架logback等前面介绍的功能。麻雀虽小,五脏俱全。

想要查看更多Spring Boot干货教程,可前往:Spring Boot干货系列总纲

源码下载

( ̄︶ ̄)↗[相关示例完整代码]
- chapter9==》Spring Boot干货系列:(九)数据存储篇-SQL关系型数据库之MyBatis-注解方式
- chapter9-2==》Spring Boot干货系列:(九)数据存储篇-SQL关系型数据库之MyBatis-XML配置方式

想要ace模板源码的话,在博主公众号回复关键字:ace

一直觉得自己写的不是技术,而是情怀,一篇篇文章是自己这一路走来的痕迹。靠专业技能的成功是最具可复制性的,希望我的这条路能让你少走弯路,希望我能帮你抹去知识的蒙尘,希望我能帮你理清知识的脉络,希望未来技术之巅上有你也有我。

  • 0
    点赞
  • 1
    收藏
    觉得还不错? 一键收藏
  • 0
    评论

“相关推荐”对你有帮助么?

  • 非常没帮助
  • 没帮助
  • 一般
  • 有帮助
  • 非常有帮助
提交
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值