美文网首页个人学习springboot
SpringBoot:Mybatis+Druid数据访问

SpringBoot:Mybatis+Druid数据访问

作者: 弹钢琴的崽崽 | 来源:发表于2020-02-22 09:08 被阅读0次

    1. JDBC与SpringBoot的整合

    1.1 导入资源

    1.2 application.yml配置

    spring:
      datasource:
        username: root
        password: 123456
        #?serverTimezone=UTC解决时区的报错
        url: jdbc:mysql://localhost:3306/mybatis?serverTimezone=UTC&useUnicode=true&characterEncoding=utf-8
        driver-class-name: com.mysql.jdbc.Driver
    

    1.3 测试连接

    @SpringBootTest
    public class SpringbootDemoDataApplicationTests {
        //DI注入数据源
        @Autowired
        DataSource dataSource;
        @Test
        public void contextLoads() throws SQLException {
            //看一下默认数据源
            System.out.println(dataSource.getClass());
            //获得连接
            Connection connection =   dataSource.getConnection();
            System.out.println(connection);
            //关闭连接
            connection.close();
        }
    }
    

    1.4 CRUD操作

    1.4.1 Controller层

    @RestController
    public class JdbcController {
        //JdbcTemplate 是 core 包的核心类,用于简化 JDBC操作,还能避免一些常见的错误,如忘记关闭数据库连接
        //Spring Boot 默认提供了数据源,默认提供了 org.springframework.jdbc.core.JdbcTemplate
        //JdbcTemplate 中会自己注入数据源,使用起来也不用再自己来关闭数据库连接
        @Autowired
        JdbcTemplate jdbcTemplate;
        //查询student表中所有数据
        //List 中的1个 Map 对应数据库的 1行数据
        //Map 中的 key 对应数据库的字段名,value 对应数据库的字段值
        @GetMapping("/userList")
        public List<Map<String, Object>> userList(){
            String sql = "select * from user";
            List<Map<String, Object>> maps = jdbcTemplate.queryForList(sql);
            return maps;
        }
        //新增一个用户
        @GetMapping("/addUser")
        public String addUser(){
            //插入语句
            String sql = "insert into mybatis.user(id, name, pwd) values (4,'小明','123456')";
            jdbcTemplate.update(sql);
            //查询
            return "addUser-ok";
        }
        //修改用户信息
        @GetMapping("/updateUser/{id}")
        public String updateUser(@PathVariable("id") int id){
            //插入语句
            String sql = "update mybatis.user set name=?,pwd=? where id="+id;
            //数据
            Object[] objects = new Object[2];
            objects[0] = "小明2";
            objects[1] = "zxcvbn";
            jdbcTemplate.update(sql,objects);
            //查询
            return "updateUser-ok";
        }
        //删除用户
        @GetMapping("/delUser/{id}")
        public String delUser(@PathVariable("id") int id){
            //插入语句
            String sql = "delete from user where id=?";
            jdbcTemplate.update(sql,id);
            //查询
            return "delUser-ok";
        }
    }
    

    1. 5 自定义数据源 DruidDataSource

    1.5.1 在应用的 pom.xml 文件中添加上 Druid 数据源依赖

    <!-- https://mvnrepository.com/artifact/com.alibaba/druid -->
    <dependency>
        <groupId>com.alibaba</groupId>
        <artifactId>druid</artifactId>
        <version>1.1.12</version>
    </dependency>
    

    1.5.2 在全局配置文件中指定数据源

    spring:
      datasource:
        username: root
        password: 123456
        #?serverTimezone=UTC解决时区的报错
        url: jdbc:mysql://localhost:3306/mybatis?serverTimezone=UTC&useUnicode=true&characterEncoding=utf-8
        driver-class-name: com.mysql.cj.jdbc.Driver
        type: com.alibaba.druid.pool.DruidDataSource
    

    可以设置数据源连接初始化大小、最大连接数、等待时间、最小连接数 等设置项;

    我们可以配置一些参数来测试一下;

    spring:
      datasource:
        username: root
        password: 123456
        #?serverTimezone=UTC解决时区的报错
        url: jdbc:mysql://localhost:3306/mybatis?serverTimezone=UTC&useUnicode=true&characterEncoding=utf-8
        driver-class-name: com.mysql.jdbc.Driver
        type: com.alibaba.druid.pool.DruidDataSource
    
        #Spring Boot 默认是不注入这些属性值的,需要自己绑定
        #druid 数据源专有配置
        initialSize: 5
        minIdle: 5
        maxActive: 20
        maxWait: 60000
        timeBetweenEvictionRunsMillis: 60000
        minEvictableIdleTimeMillis: 300000
        validationQuery: SELECT 1 FROM DUAL
        testWhileIdle: true
        testOnBorrow: false
        testOnReturn: false
        poolPreparedStatements: true
    
        #配置监控统计拦截的filters,stat:监控统计、log4j:日志记录、wall:防御sql注入
        #如果允许时报错  java.lang.ClassNotFoundException: org.apache.log4j.Priority
        #则导入 log4j 依赖即可,Maven 地址: https://mvnrepository.com/artifact/log4j/log4j
        filters: stat,wall,log4j
        maxPoolPreparedStatementPerConnectionSize: 20
        useGlobalDataSourceStat: true
        connectionProperties: druid.stat.mergeSql=true;druid.stat.slowSqlMillis=500
    

    1.5.3 log4j日志依赖

    <dependency>
        <groupId>log4j</groupId>
        <artifactId>log4j</artifactId>
        <version>1.2.17</version>
    </dependency>
    

    1.5.4 Druid自定义配置

    package com.rgh.config;
    @Configuration
    public class DruidConfig {
        /*
           将自定义的 Druid数据源添加到容器中,不再让 Spring Boot 自动创建
           绑定全局配置文件中的 druid 数据源属性到 com.alibaba.druid.pool.DruidDataSource从而让它们生效
           @ConfigurationProperties(prefix = "spring.datasource"):作用就是将 全局配置文件中
           前缀为 spring.datasource的属性值注入到 com.alibaba.druid.pool.DruidDataSource 的同名参数中
         */
        @ConfigurationProperties(prefix = "spring.datasource")
        @Bean
        public DataSource druidDataSource() {
            return new DruidDataSource();
        }
    }
    

    1.5.5 配置 Druid 数据源监控

    package com.rgh.config;
    @Configuration
    public class DruidConfig {
        ......
            //配置 Druid 监控管理后台的Servlet;
            //内置 Servler 容器时没有web.xml文件,所以使用 Spring Boot 的注册 Servlet 方式
            @Bean
            public ServletRegistrationBean statViewServlet() {
            ServletRegistrationBean bean = new ServletRegistrationBean(new StatViewServlet(), "/druid/*");
    
            Map<String, String> initParams = new HashMap<>();
            initParams.put("loginUsername", "admin"); //后台管理界面的登录账号
            initParams.put("loginPassword", "123456"); //后台管理界面的登录密码
    
            //后台允许谁可以访问
            //initParams.put("allow", "localhost"):表示只有本机可以访问
            //initParams.put("allow", ""):为空或者为null时,表示允许所有访问
            initParams.put("allow", "");
            //deny:Druid 后台拒绝谁访问
            //initParams.put("kuangshen", "192.168.1.20");表示禁止此ip访问
    
            //设置初始化参数
            bean.setInitParameters(initParams);
            return bean;
            //这些参数可以在 com.alibaba.druid.support.http.StatViewServlet 的父类 com.alibaba.druid.support.http.ResourceServlet 中找到
        }
    }
    

    配置完毕后,我们可以选择访问 : http://localhost:8080/druid/login.html

    1.5.6 配置 Druid web 监控 filter

    package com.rgh.config;
    @Configuration
    public class DruidConfig {
        ......   
            //配置 Druid 监控 之  web 监控的 filter
            //WebStatFilter:用于配置Web和Druid数据源之间的管理关联监控统计
            @Bean
            public FilterRegistrationBean webStatFilter() {
            FilterRegistrationBean bean = new FilterRegistrationBean();
            bean.setFilter(new WebStatFilter());
            //exclusions:设置哪些请求进行过滤排除掉,从而不进行统计
            Map<String, String> initParams = new HashMap<>();
            initParams.put("exclusions", "*.js,*.css,/druid/*");
            bean.setInitParameters(initParams);
            //"/*" 表示过滤所有请求
            bean.setUrlPatterns(Arrays.asList("/*"));
            return bean;
        }
    }
    

    2. Mybatis与SpringBoot的整合

    2.1 导入依赖Mybatis整合包

    <dependency>
        <groupId>org.mybatis.spring.boot</groupId>
        <artifactId>mybatis-spring-boot-starter</artifactId>
        <version>2.1.0</version>
    </dependency>
    

    2.2 配置数据库连接信息

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

    我们这里就是用默认的数据源了;先去测试一下连接是否成功!

    @RunWith(SpringRunner.class)
    @SpringBootTest
    public class SpringbootDemoMybatisApplicationTests {
        @Autowired
        DataSource dataSource;
        @Test
        public void contextLoads() throws SQLException {
            System.out.println("数据源>>>>>>" + dataSource.getClass());
            Connection connection = dataSource.getConnection();
            System.out.println("连接>>>>>>>>>" + connection);
            System.out.println("连接地址>>>>>" + connection.getMetaData().getURL());
            connection.close();
        }
    }
    

    2.3 创建实体类

    package com.rgh.pojo;
    @Data
    @NoArgsConstructor
    @AllArgsConstructor
    public class User {
        private int id;
        private String name;
        private String pwd;
    }
    

    2.4 配置Mapper接口类

    package com.rgh.mapper;
    //@Mapper : 表示本类是一个 MyBatis 的 Mapper,等价于以前 Spring 整合 MyBatis 时的 Mapper 接口
    @Mapper
    @Repository
    public interface UserMapper {
        //选择全部用户
        List<User> selectUser();
        //根据id选择用户
        User selectUserById(int id);
        //添加一个用户
        int addUser(User user);
        //修改一个用户
        int updateUser(User user);
        //根据id删除用户
        int deleteUser(int id);
    }
    

    2.5 编写Mapper文件

    a.文件存放位置

    b. 文件编写

    <?xml version="1.0" encoding="UTF-8" ?>
    <!DOCTYPE mapper
            PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN"
            "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
    
    <mapper namespace="com.kuang.mybatis.pojo.mapper.UserMapper">
        <select id="selectUser" resultType="User">
            select * from user
        </select>
        <select id="selectUserById" resultType="User">
            select * from user where id = #{id}
        </select>
        <insert id="addUser" parameterType="User">
            insert into user (id,name,pwd) values (#{id},#{name},#{pwd})
        </insert>
        <update id="updateUser" parameterType="User">
            update user set name=#{name},pwd=#{pwd} where id = #{id}
        </update>
        <delete id="deleteUser" parameterType="int">
            delete from user where id = #{id}
        </delete>
    </mapper>
    

    c. 全局配置文件中配置

    #指定myBatis的核心配置文件与Mapper映射文件
    mybatis.mapper-locations=classpath:mybatis/mapper/*.xml
    # 注意:对应实体类的路径
    mybatis.type-aliases-package=com.kuang.mybatis.pojo
    

    2.6 Controller层

    package com.rgh.controller;
    @RestController
    public class UserController {
        @Autowired
        private UserMapper userMapper;
        //选择全部用户
        @GetMapping("/selectUser")
        public String selectUser(){
            List<User> users = userMapper.selectUser();
            for (User user : users) {
                System.out.println(user);
            }
            return "ok";
        }
        //根据id选择用户
        @GetMapping("/selectUserById")
        public String selectUserById(){
            User user = userMapper.selectUserById(1);
            System.out.println(user);
            return "ok";
        }
        //添加一个用户
        @GetMapping("/addUser")
        public String addUser(){
            userMapper.addUser(new User(5,"阿毛","456789"));
            return "ok";
        }
        //修改一个用户
        @GetMapping("/updateUser")
        public String updateUser(){
            userMapper.updateUser(new User(5,"阿毛","421319"));
            return "ok";
        }
        //根据id删除用户
        @GetMapping("/deleteUser")
        public String deleteUser(){
            userMapper.deleteUser(5);
            return "ok";
        }
    }
    

    参考B栈狂神java

    相关文章

      网友评论

        本文标题:SpringBoot:Mybatis+Druid数据访问

        本文链接:https://www.haomeiwen.com/subject/flbhqhtx.html