zoukankan      html  css  js  c++  java
  • SpringBoot 系列教程 Mybatis+注解整合篇

    SpringBoot 系列教程 Mybatis+注解整合篇

    上一篇博文介绍了 SpringBoot 整合 mybatis 的过程,但是 xml 的方式,总感觉让人有点蛋疼;本文将介绍一种 noxml 的使用姿势,纯用注解的方式来支持 CURD

    I. 环境

    本文使用 SpringBoot 版本为 2.2.1.RELEASE, mybatis 版本为1.3.2,数据库为 mysql 5+

    1. 项目搭建

    推荐是用官方的教程来创建一个 SpringBoot 项目; 如果直接创建一个 maven 工程的话,将下面配置内容,拷贝到你的pom.xml

    • 主要引入的是mybatis-spring-boot-starter,可以减少令人窒息的配置
    <parent>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-parent</artifactId>
        <version>2.2.1.RELEASE</version>
        <relativePath/> <!-- lookup parent from repository -->
    </parent>
    
    <properties>
        <project.build.sourceEncoding>UTF-8</project.build.sourceEncoding>
        <project.reporting.outputEncoding>UTF-8</project.reporting.outputEncoding>
        <java.version>1.8</java.version>
    </properties>
    
    <dependencies>
        <dependency>
            <groupId>org.mybatis.spring.boot</groupId>
            <artifactId>mybatis-spring-boot-starter</artifactId>
            <version>1.3.2</version>
        </dependency>
        <dependency>
            <groupId>mysql</groupId>
            <artifactId>mysql-connector-java</artifactId>
        </dependency>
    </dependencies>
    
    <build>
        <pluginManagement>
            <plugins>
                <plugin>
                    <groupId>org.springframework.boot</groupId>
                    <artifactId>spring-boot-maven-plugin</artifactId>
                </plugin>
            </plugins>
        </pluginManagement>
    </build>
    <repositories>
        <repository>
            <id>spring-snapshots</id>
            <name>Spring Snapshots</name>
            <url>https://repo.spring.io/libs-snapshot-local</url>
            <snapshots>
                <enabled>true</enabled>
            </snapshots>
        </repository>
        <repository>
            <id>spring-milestones</id>
            <name>Spring Milestones</name>
            <url>https://repo.spring.io/libs-milestone-local</url>
            <snapshots>
                <enabled>false</enabled>
            </snapshots>
        </repository>
        <repository>
            <id>spring-releases</id>
            <name>Spring Releases</name>
            <url>https://repo.spring.io/libs-release-local</url>
            <snapshots>
                <enabled>false</enabled>
            </snapshots>
        </repository>
    </repositories>
    

    2. 配置信息

    application.yml 配置文件中,加一下 db 的相关配置

    spring:
      datasource:
        url: jdbc:mysql://127.0.0.1:3306/story?useUnicode=true&characterEncoding=UTF-8&useSSL=false
        username: root
        password:
    

    接下来准备一个测试表(依然借用之前 db 操作系列博文中的表结构),用于后续的 CURD;表结果信息如下

    DROP TABLE IF EXISTS `money`;
    
    CREATE TABLE `money` (
      `id` int(11) unsigned NOT NULL AUTO_INCREMENT,
      `name` varchar(20) NOT NULL DEFAULT '' COMMENT '用户名',
      `money` int(26) NOT NULL DEFAULT '0' COMMENT '有多少钱',
      `is_deleted` tinyint(1) NOT NULL DEFAULT '0',
      `create_at` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP COMMENT '创建时间',
      `update_at` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP COMMENT '更新时间',
      PRIMARY KEY (`id`),
      KEY `name` (`name`)
    ) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4;
    

    II. 实例整合

    在前一篇的基础上进行扩展,重点在于干掉了 xml 文件,在 DAO 接口上通过注解来实现 CURD

    1. PO

    创建表对应的 PO 对象: MoneyPo

    @Data
    public class MoneyPo {
        private Integer id;
    
        private String name;
    
        private Long money;
    
        private Integer isDeleted;
    
        private Timestamp createAt;
    
        private Timestamp updateAt;
    }
    

    2. DAO 接口

    表的操作接口,下面简单的写了四个接口,分别对应 CRUID 四种操作

    @Mapper
    public interface MoneyMapper {
    
        // 支持主键写回到po
    
        @Options(useGeneratedKeys = true, keyProperty = "po.id", keyColumn = "id")
        @Insert("insert into money (name, money, is_deleted) values (#{po.name}, #{po.money}, #{po.isDeleted})")
        int savePo(@Param("po") MoneyPo po);
    
        @Select("select * from money where name=#{name}")
        @Results({@Result(property = "id", column = "id", id = true, jdbcType = JdbcType.INTEGER),
                @Result(property = "name", column = "name", jdbcType = JdbcType.VARCHAR),
                @Result(property = "money", column = "money", jdbcType = JdbcType.INTEGER),
                @Result(property = "isDeleted", column = "is_deleted", jdbcType = JdbcType.TINYINT),
                @Result(property = "createAt", column = "create_at", jdbcType = JdbcType.TIMESTAMP),
                @Result(property = "updateAt", column = "update_at", jdbcType = JdbcType.TIMESTAMP)})
        List<MoneyPo> findByName(@Param("name") String name);
    
        @Update("update money set money=money+#{money} where id=#{id}")
        int addMoney(@Param("id") int id, @Param("money") int money);
    
        @Delete("delete from money where id = #{id,jdbcType=INTEGER}")
        int delPo(@Param("id") int id);
    
        @Select("<script> select * from money " +
                "<trim prefix="WHERE" prefixOverrides="AND | OR">" +
                "   <if test="id != null">" +
                "       id = #{id}" +
                "   </if>" +
                "   <if test="name != null">" +
                "       AND name=#{name}" +
                "   </if>" +
                "   <if test="money != null">" +
                "       AND money=#{money}" +
                "   </if>" +
                "</trim>" +
                "</script>")
        @Results({@Result(property = "id", column = "id", id = true, jdbcType = JdbcType.INTEGER),
                    @Result(property = "name", column = "name", jdbcType = JdbcType.VARCHAR),
                    @Result(property = "money", column = "money", jdbcType = JdbcType.INTEGER),
                    @Result(property = "isDeleted", column = "is_deleted", jdbcType = JdbcType.TINYINT),
                    @Result(property = "createAt", column = "create_at", jdbcType = JdbcType.TIMESTAMP),
                    @Result(property = "updateAt", column = "update_at", jdbcType = JdbcType.TIMESTAMP)})
        List<MoneyPo> findByPo(MoneyPo po);
    }
    

    从 mapper 的实现上,也可以看出来,通过 @Insert, @Select, @Update, @Delete 四个注解来实现 CURD,使用上面这种方式时,有几个点需要注意

    • insert: 当我们希望插入的主键写回到 PO 时,可以配置@Options(useGeneratedKeys = true, keyProperty = "po.id", keyColumn = "id")
    • 动态 sql: 在注解中,通过<script>来包装动态 sql
    • @Results 实现<resultMap>的映射关系

    5. 测试

    接下来简单测试一下上面的四个接口,看是否可以正常工作

    启动类

    @SpringBootApplication
    public class Application {
    
        public Application(MoneyRepository repository) {
            repository.testMapper();
        }
    
        public static void main(String[] args) {
            SpringApplication.run(Application.class, args);
        }
    }
    

    测试类

    @Repository
    public class MoneyRepository {
        @Autowired
        private MoneyMapper moneyMapper;
    
        private Random random = new Random();
    
        public void testMapper() {
            MoneyPo po = new MoneyPo();
            po.setName("mybatis noxml user");
            po.setMoney((long) random.nextInt(12343));
            po.setIsDeleted(0);
    
            moneyMapper.savePo(po);
            System.out.println("add record: " + po);
            moneyMapper.addMoney(po.getId(), 200);
            System.out.println("after update: " + moneyMapper.findByName(po.getName()));
            moneyMapper.delPo(po.getId());
            System.out.println("after delete: " + moneyMapper.findByName(po.getName()));
        }
    }
    

    输出结果

    II. 其他

    0. 项目

    1. 一灰灰 Blog

    尽信书则不如,以上内容,纯属一家之言,因个人能力有限,难免有疏漏和错误之处,如发现 bug 或者有更好的建议,欢迎批评指正,不吝感激

    下面一灰灰的个人博客,记录所有学习和工作中的博文,欢迎大家前去逛逛

    一灰灰blog

  • 相关阅读:
    fla使用as文件
    软件测试职业发展之路的反思(转)
    java 关键字
    卖空大师”:中国经济构造畸形 坚决卖空中国
    Cumulative Update package 3 for SQL Server 2008 R2
    tt
    javadoc
    as3程序主类,执行顺序
    AS3 (25) 处理声音
    10个励志小故事
  • 原文地址:https://www.cnblogs.com/yihuihui/p/12159591.html
Copyright © 2011-2022 走看看