spring boot 学习之路3( 集成mybatis )

下面就简单来说一下spring boot 与mybatiis的整合问题,如果你还没学习spring boot的注解的话,要先去看spring boot的注解

好了,现在让我们来搞一下与mybatis的整合吧,在整合过程中,我会把遇到的问题也说出来,希望可以让大家少走弯路!

首先,是在pom.xml中添加一些依赖

  1. 这里用到spring-boot-starter基础和spring-boot-starter-test用来做单元测试验证数据访问
  2. 引入连接mysql的必要依赖mysql-connector-java
  3. 引入整合MyBatis的核心依赖mybatis-spring-boot-starter
  4. 这里不引入spring-boot-starter-jdbc依赖,是由于mybatis-spring-boot-starter中已经包含了此依赖

pom.xml部分依赖如下:

    

<!--lombok用于实体类,生成有参无参构造等只需要一个@Data注解就行-->
        <!-- https://mvnrepository.com/artifact/org.projectlombok/lombok -->
        <dependency>
            <groupId>org.projectlombok</groupId>
            <artifactId>lombok</artifactId>
            <version>1.16.10</version>
            <scope>provided</scope>
        </dependency>
        <dependency>
            <groupId>mysql</groupId>
            <artifactId>mysql-connector-java</artifactId>
            <version>5.1.21</version>
        </dependency>
        <!--mybatis-->
        <!-- https://mvnrepository.com/artifact/org.mybatis.spring.boot/mybatis-spring-boot-starter -->
        <dependency>
            <groupId>org.mybatis.spring.boot</groupId>
            <artifactId>mybatis-spring-boot-starter</artifactId>
            <version>1.3.0</version>
        </dependency>

注意,在上面依赖中,我多加了一个lombok的依赖,与本应用没多大关系,不要也是可以的,不影响项目运行。具体作用是实体类上通过注解来替代get/set   tosSring()等,具体用法参考lombok的简单介绍(1)

application.properties中配置mysql的连接配置:

    

 1 spring.datasource.url=jdbc:mysql://127.0.0.1:3306/spring
 2 spring.datasource.username=root
 3 spring.datasource.password=123456
 4 spring.datasource.driver-class-name=com.mysql.jdbc.Driver
 5 spring.datasource.max-idle=10
 6 spring.datasource.max-wait=10000
 7 spring.datasource.min-idle=5
 8 spring.datasource.initial-size=5
 9 server.session.timeout=10
10 server.tomcat.uri-encoding=UTF-8
11 #连接mybatis 和在springmvc中一致,要制定mybatis配置文件的路径 上面是连接jdbcTemplate  相当于连接jdbc
12 # mybatis.config= classpath:mybatis-config.xml
13 #mybatis.mapperLocations=classpath:mappers/*.xml
14
15 #mybatis.mapper-locations=classpath*:mappers/*Mapper.xml
16 #mybatis.type-aliases-package=com.huhy.web.entity
17
18 spring.view.prefix=/WEB-INF/jsp/
19 spring.view.suffix=.jsp
20
21 #设置端口
22 server.port=9999
23 #指定server绑定的地址
24 server.address=localhost
25 #设置项目访问根路径  不配置,默认为/
26 server.context-path=/

上面这些配置具体什么意义我就在这不多解释了,这些配置好之后,就可以搞代码开发了。

首先创建一个User类:

    

 1 package com.huhy.web.entity;
 2
 3 import lombok.AllArgsConstructor;
 4 import lombok.Data;
 5 import lombok.NoArgsConstructor;
 6
 7 /**
 8  * Created by ${huhy} on 2017/8/5.
 9  */
10 @Data
11 @NoArgsConstructor
12 @AllArgsConstructor
13 public class User {
14     private String id;
15     private String name;
16     private int age;
17 }

实体类中我用到的注解是来自lombok中的,添加上@Data, @NoArgsConstructor, @AllArgsConstructor这几个注解,和我们写出来那些get/set,有参无参,toString 是一样的

UserMapper接口

    

 1 package com.huhy.web.mapper;
 2
 3 import com.huhy.web.entity.User;
 4 import org.apache.ibatis.annotations.Insert;
 5 import org.apache.ibatis.annotations.Mapper;
 6 import org.apache.ibatis.annotations.Param;
 7 import org.apache.ibatis.annotations.Select;
 8
 9 /**
10  * @Author:{huhy}
11  * @DATE:Created on/8/5 22:19
12  * @Class Description:
13  */
14 @Mapper
15 public interface UserMapper {
16     /*
17     * 通过id查询对应信息
18     * */
19     @Select("SELECT * FROM USER WHERE id = #{id}")
20     User selectByPrimaryKey(String id);
21     /*
22     * 通过name 查询对应信息
23     * */
24     @Select("Select * from user where name = #{name} and id = #{id}")
25     User selectByName(@Param("name") String name, @Param("id") String id);
26
27     /**
28      * @param id
29      * @param name
30      * @param age
31      * @return
32      */
33     @Insert("INSERT INTO USER(id,NAME, AGE) VALUES(#{id},#{name}, #{age})")
34     int insert(@Param("id") String id,@Param("name") String name, @Param("age") Integer age);
35 }

在mapper通过注解编程写的,你也可以通过配置文件的形式,在.properties也有,只是被我注释了,现在统一用注解开发。

  Service

  

 1 package com.huhy.web.service.impl;
 2
 3 import com.huhy.web.entity.User;
 4 import com.huhy.web.mapper.UserMapper;
 5 import com.huhy.web.service.UserService;
 6 import org.springframework.beans.factory.annotation.Autowired;
 7 import org.springframework.stereotype.Service;
 8
 9 /**
10  * @Author:{huhy}
11  * @DATE:Created on 2017/8/5 22:18
12  * @Class Description:
13  */
14 @Service
15 public class UserServiceImpl implements UserService{
16
17     @Autowired
18     private UserMapper userMapper;
19
20     @Override
21     public User queryById(String id) {
22         User user = userMapper.selectByPrimaryKey(id);
23         return user;
24     }
25
26     public User queryByName(String name,String id){
27         User user = userMapper.selectByName(name,id);
28         return user;
29     }
30 }

注意:在这有个问题:   通过UserMapper 的类上有两种注解可以使用:@Mapper   和 @Repository (我从网上查了一下,没发现有太大的差别,而且用不用都可以。我在使用中的唯一区别就是 @Repository注解,在service进行自动注入不会报warn,而@Mapper会报warn ,不管怎样不影响程序的运行)

展示层(controller)

    

 1 package com.huhy.web.controller;
 2
 3 import com.huhy.web.entity.User;
 4 import com.huhy.web.service.UserService;
 5 import org.springframework.beans.factory.annotation.Autowired;
 6 import org.springframework.web.bind.annotation.PathVariable;
 7 import org.springframework.web.bind.annotation.RequestMapping;
 8 import org.springframework.web.bind.annotation.RestController;
 9
10 /**
11  * Created by ${huhy} on 2017/8/5.
12  */
13
14
15 @RestController
16 public class JDBCController {
17    /* @Autowired
18     private JdbcTemplate jdbcTemplate;
19     */
20     @Autowired
21     private UserService userService;
22
23     /**
24      * 测试数据库连接
25      */
26     /*@RequestMapping("/jdbc/getUsers")
27     public List<Map<String, Object>> getDbType(){
28         String sql = "select * from user";
29         List<Map<String, Object>> list =  jdbcTemplate.queryForList(sql);
30         for (Map<String, Object> map : list) {
31             Set<Entry<String, Object>> entries = map.entrySet( );
32             if(entries != null) {
33                 Iterator<Entry<String, Object>> iterator = entries.iterator( );
34                 while(iterator.hasNext( )) {
35                     Entry<String, Object> entry =(Entry<String, Object>) iterator.next( );
36                     Object key = entry.getKey( );
37                     Object value = entry.getValue();
38                     System.out.println(key+":"+value);
39                 }
40             }
41         }
42         return list;
43     }*/
44
45
46     @RequestMapping("/jdbcTest/{id}")
47     public User jdbcTest(@PathVariable("id") String id){
48         return userService.queryById(id);
49     }
50
51
52     @RequestMapping("/jdbcTestName/{name}/{id}")
53     public User queryByName(@PathVariable("name") String name,@PathVariable("id") String id){
54         return userService.queryByName(name,id);
55     }
56     @RequestMapping("/name")
57     public  String getName(){
58         return "huhy";
59     }
60
61 }

最后运行启动类就可以测试了:(在这有两中方式测试,第一种单独运行测试类,第二种就是junit测试)

  第一种:启动类启动

    

package com;

import org.mybatis.spring.annotation.MapperScan;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;

@SpringBootApplication
@MapperScan("com.huhy.web.mapper")//扫描dao接口
public class DemoApplication {
    /**
     *
     * @param 启动类
     */
    public static void main(String[] args) {
        SpringApplication.run(DemoApplication.class,args);
    }
}

上面@MapperScan后面跟的是我的mapper文件的包名。

第二种启动方式:junit测试(注意注解@SpringBootTest)

    

 1 package com.example.demo;
 2
 3 import com.DemoApplication;
 4 import com.huhy.web.entity.User;
 5 import com.huhy.web.mapper.UserMapper;
 6 import org.junit.Test;
 7 import org.junit.runner.RunWith;
 8 import org.springframework.beans.factory.annotation.Autowired;
 9 import org.springframework.boot.test.context.SpringBootTest;
10 import org.springframework.test.annotation.Rollback;
11 import org.springframework.test.context.junit4.SpringJUnit4ClassRunner;
12 import org.springframework.test.context.web.WebAppConfiguration;
13
14 @RunWith(SpringJUnit4ClassRunner.class) // SpringJUnit支持,由此引入Spring-Test框架支持!
15 @SpringBootTest(classes = DemoApplication.class) // 指定我们SpringBoot工程的Application启动类
16 @WebAppConfiguration // 由于是Web项目,Junit需要模拟ServletContext,因此我们需要给我们的测试类加上@WebAppConfiguration。
17 public class DemoApplicationTests {
18     @Autowired
19     private UserMapper userMapper;
20     @Test
21     @Rollback
22     public void findByName() throws Exception {
23         userMapper.insert("17","def",123);
24         User user = userMapper.selectByName("def","17");
25         System.out.println(user);
26     }
27 }

注意 :@SpringBootTest注解是在1.4版本之后才有的,原来是SpringApplicationConfiguration。在使用junit测试时,具体看看你的sprin-boot-test的版本

      如果你遇到SpringApplicationConfiguration 不能使用那就是以为 Spring Boot的SpringApplicationConfiguration注解在Spring Boot 1.4开始,被标记为Deprecated

   解决:替换为SpringBootTest即可

时间: 2024-10-07 02:28:06

spring boot 学习之路3( 集成mybatis )的相关文章

Spring Boot 学习之路二 配置文件 application.yml

一.创建配置文件 如图所示,我们在resources文件夹中新建配置文件application.yml 结构图 二.一些基本配置 server: port: 8090 //配置端口 session-timeout: 30 tomcat.max-threads: 0 tomcat.uri-encoding: UTF-8 spring: datasource: //数据库配置 url : jdbc:mysql://localhost:3306/newbirds username : root pas

Spring学习(五)——集成MyBatis

本篇我们将在上一篇http://www.cnblogs.com/wenjingu/p/3829209.html的Demo程序的基础上将 MyBatis 代码无缝地整合到 Spring 中. 数据库仍然采用前一篇文章中定义的数据库sampledb. 1.修改gradle文件,增加依赖包,代码如下: apply plugin: 'idea' apply plugin: 'java' repositories { mavenCentral() maven { url "http://repo.spri

Spring Boot学习记录(三)--整合Mybatis

Spring Boot学习记录(三)–整合Mybatis 标签(空格分隔): spring-boot 控制器,视图解析器前面两篇都已弄好,这一篇学习持久层框架整合. 1.数据源配置 数据源使用druid,maven引入相关依赖,包括spring-jdbc依赖,mysql依赖 1.转换问题 配置的过程要学会为什么这样配置,而不是只学会了配置.这里我们可以和以前的配置方式对比: 以前版本 <!--配置数据库连接池Druid--> <bean id="dataSource"

Spring boot 学习笔记 (二)- 整合MyBatis

Spring boot 学习笔记 (二)- 整合MyBatis Spring Boot中整合MyBatis,并通过注解方式实现映射. 整合MyBatis 以Spring boot 学习笔记 (一)- Hello world 为基础项目,在pom.xml中添加如下依赖 <dependency> <groupId>org.mybatis.spring.boot</groupId> <artifactId>mybatis-spring-boot-starter&l

15 个优秀开源的 Spring Boot 学习项目

Spring Boot 算是目前 Java 领域最火的技术栈了,松哥年初出版的 <Spring Boot + Vue 全栈开发实战>迄今为止已经加印了 8 次,Spring Boot 的受欢迎程度可见一斑.经常有人问松哥有没有推荐的 Spring Boot 学习资料?当然有!买松哥书就对了,哈哈. 有需要书籍<Spring Boot+Vue全栈开发实战>PDF版的同学,可以在公众号:Java知己,发送:全栈开发实战,获取该书籍. 除了书呢?当然就是开源项目了,今天松哥整理了几个优质

Spring Boot学习记录(二)--thymeleaf模板

Spring Boot学习记录(二)–thymeleaf模板 标签(空格分隔): spring-boot 自从来公司后都没用过jsp当界面渲染了,因为前后端分离不是很好,反而模板引擎用的比较多,thymeleaf最大的优势后缀为html,就是只需要浏览器就可以展现页面了,还有就是thymeleaf可以很好的和spring集成.下面开始学习. 1.引入依赖 maven中直接引入 <dependency> <groupId>org.springframework.boot</gr

Spring Boot学习大全(入门)

Spring Boot学习(入门) 1.了解Spring boot Spring boot的官网(https://spring.io),我们需要的一些jar包,配置文件都可以在下载.添置书签后,我自己常常来看看spring boot这老兄,以及后面所需要的Spring Cloud.Spring Cloud Data Flow. 2.Spring Boot的简介 随着动态语言的流行( Ruby, Groovy, Scala, Node. js)Java的开发显得格外的笨重,繁多的配置,低下的开发效

Spring Boot 2.0 图文教程 | 集成邮件发送功能

文章首发自个人微信公众号: 小哈学Java 个人网站: https://www.exception.site/springboot/spring-boots-send-mail 大家好,后续会间断地奉上一些 Spring Boot 2.x 相关的博文,包括 Spring Boot 2.x 教程和 Spring Boot 2.x 新特性教程相关,如 WebFlux 等.还有自定义 Starter 组件的进阶教程,比如:如何封装一个自定义图床 Starter 启动器(支持上传到服务器内部,阿里 OS

Spring Boot学习记录(一)--环境搭建

Spring Boot学习记录(一)–环境搭建 标签(空格分隔): spring-boot 最近趁着下班闲时间学习spring-boot,记录下学习历程,最后打算实战一个API管理平台,下面开始环境配置. 1.工程结构 使用maven建立一个普通结构,因为spring-boot内嵌tomcat,所以打包只需要打包成jar就可以直接运行,所以并不像以前那样建立WEB程序了,目录如下,类可以先建立好放在那: 2.引入maven依赖 根据官方教程提示,直接引入parent就可以使用spring-boo