SpringBoot-Mybatis通用mapper使用
mybatis是一个很好用的工具,但是编写mapper是一件很麻烦的事,自mybatis 3.0开始可以使用注解的方式,极大的简化了xml的编写量,本地想看看mybatis源码,自己扩展写一个工具,在阅读源码过程中发现一个通用mapper的工具包,感觉不用重复造轮子了,简要记录一下spring boot整合通用mapper的使用。
确保可以正常使用mybatis
pom引入依赖包,starter需要配合@Mapper注解使用,这里采用这种方式,或者使用
@MapperScan
注解,@tk.mybatis.spring.annotation.MapperScan(basePackages = "扫描包")
配合原生mapper使用。1
2
3
4
5<dependency>
<groupId>tk.mybatis</groupId>
<artifactId>mapper-spring-boot-starter</artifactId>
<version>{version}</version>
</dependency>我使用的版本是2.0.2
Mybatis 扫描配置(Deprecated, spring 自动配置)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
//TODO 注意,由于MapperScannerConfigurer执行的比较早,所以必须有下面的注解
public class MyBatisMapperScannerConfig {
public MapperScannerConfigurer mapperScannerConfigurer() {
MapperScannerConfigurer mapperScannerConfigurer = new MapperScannerConfigurer();
mapperScannerConfigurer.setSqlSessionFactoryBeanName("sqlSessionFactory");
mapperScannerConfigurer.setBasePackage("org.springboot.sample.mapper");
Properties properties = new Properties();
// 这里要特别注意,不要把MyMapper放到 basePackage 中,也就是不能同其他Mapper一样被扫描到。
properties.setProperty("mappers", MyMapper.class.getName());
properties.setProperty("notEmpty", "false");
properties.setProperty("IDENTITY", "MYSQL");
mapperScannerConfigurer.setProperties(properties);
return mapperScannerConfigurer;
}
}新建BaseMapper类,该类不能被当做普通Mapper一样被扫描 ,不加@Mapper注解,或者放在不同文件夹
1
2
3
4
5
6
7package com.zj.mapper;
import tk.mybatis.mapper.common.Mapper;
import tk.mybatis.mapper.common.MySqlMapper;
public interface BaseMapper<T> extends Mapper<T>, MySqlMapper<T> {
}业务处理dao层,扩展BaseMapper
1
2
3
4
5
6
7package com.zj.mapper;
import com.zj.model.OrderInfo;
import org.apache.ibatis.annotations.Mapper;
public interface OrderInfoMapper extends BaseMapper<OrderInfo> {}其他和使用普通mybatis一致,service层部分代码
1
2orderInfoMapper.insertSelective(info);
OrderInfo info = orderInfoMapper.selectByPrimaryKey(id);通用mapper提供常用的一些操作方法: deleteByPrimaryKey, insert, insertSelective, selectByPrimaryKey, updateByPrimaryKeySelective, updateByPrimaryKey, insertList等很多方法,需要你进一步探索😀😀
主键id问题
当使用insert,insertSelective等方法时,希望返回由数据库产生的逐渐,需要在实体类上增加注解
1
2
3
private Long orderInfoId;generator=”JDBC”表示 MyBatis 使用 JDBC 的 getGeneratedKeys 方法来取出由数据库内部生成的主键 ,适用于MySQL,SQL Server等的自增主键。
或者:
1
2
3
private Long id;如果实体字段和数据库字段不一致,可以使用
@Column
注解,其他注解 参见注解1
2
private String sumScore;MBG生成参见https://github.com/abel533/Mapper/wiki/4.1.mappergenerator,demo见 git@github.com:silloy/mybatis-generator.git
更多细节参见wiki
通用Mapper极大的简化了xml文件的编写,但仍需要少许xml文件,有待进一步优化。同时因为这是一个个人项目,使用不太熟悉不建议使用。
References
https://github.com/abel533/Mapper/wiki