MyBatis-Plus (简称 MP)是一个 MyBatis 的增强工具,在 MyBatis 的基础上只做增强不做改变,为简化开发、提高效率而生。
愿景
我们的愿景是成为 MyBatis 最好的搭档,就像 魂斗罗 中的 1P、2P,基友搭配,效率翻倍。
官方快速开始
0、建数据库
CREATE TABLE user
(
id BIGINT(20) NOT NULL COMMENT '主键ID',
name VARCHAR(30) NULL DEFAULT NULL COMMENT '姓名',
age INT(11) NULL DEFAULT NULL COMMENT '年龄',
email VARCHAR(50) NULL DEFAULT NULL COMMENT '邮箱',
PRIMARY KEY (id)
);
INSERT INTO user (id, name, age, email) VALUES
(1, 'Jone', 18, '[email protected]'),
(2, 'Jack', 20, '[email protected]'),
(3, 'Tom', 28, '[email protected]'),
(4, 'Sandy', 21, '[email protected]'),
(5, 'Billie', 24, '[email protected]');
1、新建Springboot项目
2、导入相关依赖
pom.xml
<dependency>
<groupId>org.projectlombokgroupId>
<artifactId>lombokartifactId>
<optional>trueoptional>
dependency>
<dependency>
<groupId>com.baomidougroupId>
<artifactId>mybatis-plus-boot-starterartifactId>
dependency>
<dependency>
<groupId>mysqlgroupId>
<artifactId>mysql-connector-javaartifactId>
dependency>
注:尽量不要同时导入Mybatis和Mybatis-plus包!版本有差异
3、配置文件
application.yml
# DataSource Config
spring:
datasource:
username: root
password: 123456
url: jdbc:mysql://test :3306/test?serverTimezone=UTC&useUnicode=true&characterEncoding=utf-8
driver-class-name: com.mysql.cj.jdbc.Driver
application.yml
mybatis-plus:
configuration:
log-impl: org.apache.ibatis.logging.stdout.StdOutImpl
分布式唯一id生成方案:https://www.cnblogs.com/myseries/p/10789386.html
方式一:通过数据库修改
1、添加字段
2、更改实体类
3、测试
可以看到时间已经自动添加上去了。
方式二:代码级别
官方文档自动填充
1、实体类的字段属性上添加注解
@TableField(fill = FieldFill.INSERT)
private Date gmtCreate;
@TableField(fill = FieldFill.INSERT_UPDATE)
private Date gmtModified;
**2、编写处理器 **
@Component //千万不要忘记吧自定义的组件添加到Ioc容器中
public class MyMetaObjectHandler implements MetaObjectHandler {
//插入时候的填充策略
@Override
public void insertFill(MetaObject metaObject) {
this.setFieldValByName("gmtCreate",new Date(),metaObject);
this.setFieldValByName("gmtModified",new Date(),metaObject);
}
//更新时候的填充策略
@Override
public void updateFill(MetaObject metaObject) {
this.setFieldValByName("gmtModified",new Date(),metaObject);
}
}
3、测试更新,观察时间即可
@Test
void insert(){
User user = new User();
user.setAge(3);
user.setName("熊二");
user.setEmail("[email protected]");
userMapper.insert(user);
}
在面试过程中,我们经常会被问到乐观锁悲观锁。其实非常简单
官方乐观锁插件
乐观锁实现方式:
A,B线程同时执行
假若A 线程执行完成,那么全局变量version+=1,那么B 线程就会执行失败。
由此便可以实现乐观锁。
--A线程
update user set name = "xionger" , version = version + 1
where id = 2 and version = 1
--B线程
update user set name = "xionger" , version = version + 1
where id = 2 and version = 1
MP测试乐观锁插件
1、给数据库中添加version字段
2、同步实体类
@Version //乐观锁的version注解
private int version;
3、注册组件
@Configuration //配置类
public class MybatisPlusConfig {
//注册乐观锁插件
@Bean
public OptimisticLockerInterceptor optimisticLockerInterceptor() {
return new OptimisticLockerInterceptor();
}
}
4、测试
// 测试乐观锁成功
@Test
void testOptimisticLockerInterceptor(){
// 查找用户信息
User user = userMapper.selectById(1L);
// 修改用户信息
user.setName("xionger");
user.setEmail("[email protected]");
// 执行更新操作
userMapper.updateById(user);
}
// 测试乐观锁失败;多线程下
@Test
void testOptimisticLockerInterceptor2(){
// 开启线程user1
User user1 = userMapper.selectById(1L);
user1.setName("xionger1");
user1.setEmail("[email protected]");
// 模拟线程user2执行了插队操作
User user2 = userMapper.selectById(1L);
user2.setName("xionger2");
user2.setEmail("[email protected]");
userMapper.updateById(user2);
// 执行线程user1的更新操作
userMapper.updateById(user1);
}
由此可见,user2执行完毕后,并没有执行user1的更新操作,说明乐观锁生效。
查询单个用户
// 查询单个用户
@Test
void selectPer(){
System.out.println(userMapper.selectById(1L));
}
查询多个用户
// 查询多个用户
@Test
void selectMany(){
List<User> users = userMapper.selectBatchIds(Arrays.asList(1L, 2L, 3L));
users.forEach(System.out::println);
}
按条件查找
// 按条件查询1:使用map操作
@Test
void selectMap(){
HashMap<String, Object> map = new HashMap<>();
map.put("name","熊二");
map.put("age",3);
userMapper.selectByMap(map);
}
分页查询
官方分页插件文档
@Bean
public PaginationInterceptor paginationInterceptor() {
return new PaginationInterceptor();
}
// 分页查询:limit分页/pageHelper第三方插件/MP内置了分页插件https://mp.baomidou.com/guide/page.html
@Test
void selectPage(){
Page<User> page = new Page<>(1,5);
System.out.println(userMapper.selectPage(page, null));
}
删除单个
// 测试单个删除
@Test
void deletePer(){
userMapper.deleteById(1L);
}
批量删除
// 测试list批量删除
@Test
void deleteMany(){
userMapper.deleteBatchIds(Arrays.asList(1L,2L));
}
按条件删除
// 测试map按条件删除
@Test
void deleteMap(){
HashMap<String, Object> map = new HashMap<>();
map.put("name","熊二");
map.put("age",3);
userMapper.deleteByMap(map);
}
逻辑删除官方文档
物理删除:在数据库中删除
逻辑删除:在数据库中没有删除,而是通过一个变量表示他失效
管理员可以查看被删除的记录!!!(逻辑删除),方式数据的丢失,类似于回收站。
1、在数据库中添加delete字段
2、同步实体类
@TableLogic
private int flag;
3、配置
application.yml
mybatis-plus:
global-config:
db-config:
logic-delete-field: flag # 全局逻辑删除的实体字段名(since 3.3.0,配置后可以忽略不配置步骤2)
logic-delete-value: 1 # 逻辑已删除值(默认为 1)
logic-not-delete-value: 0 # 逻辑未删除值(默认为 0)
4、测试使用
而查询的时候,则查询的是flag=0的信息,也就是没有被逻辑删除的信息。
因为我们在平时开发中会遇到慢sql的问题,基于此MyBatis Plus就提供了性能分析插件,超过这个时间就停止运行。
先贴出官方性能分析文档
Mybatisplus3.2.0以上就不支持本身的性能分析插件(PerformceInterceptor),支持p6spy组件,下面我们就p6spy进行分析。
一定要注意版本问题!!!
1、导入maven依赖
pom.xml
<dependency>
<groupId>p6spygroupId>
<artifactId>p6spyartifactId>
<version>3.8.6version>
dependency>
2、编写yml配置文件
application.yml
spring:
datasource:
username: root
password: 123456
url: jdbc:p6spy:mysql://localhost:3306/test?serverTimezone=GMT%2B8&useSSL=false&useUnicode=true&charcterEncoding=UTF-8
driver-class-name: com.p6spy.engine.spy.P6SpyDriver
3、增加p6spy的核心配置文件spy.properties
#3.2.1以上使用
modulelist=com.baomidou.mybatisplus.extension.p6spy.MybatisPlusLogFactory,com.p6spy.engine.outage.P6OutageFactory
#3.2.1以下使用或者不配置
#modulelist=com.p6spy.engine.logging.P6LogFactory,com.p6spy.engine.outage.P6OutageFactory
# 自定义日志打印
logMessageFormat=com.baomidou.mybatisplus.extension.p6spy.P6SpyLogger
#日志输出到控制台
appender=com.baomidou.mybatisplus.extension.p6spy.StdoutLogger
# 使用日志系统记录 sql
#appender=com.p6spy.engine.spy.appender.Slf4JLogger
# 设置 p6spy driver 代理
deregisterdrivers=true
# 取消JDBC URL前缀
useprefix=true
# 配置记录 Log 例外,可去掉的结果集有error,info,batch,debug,statement,commit,rollback,result,resultset.
excludecategories=info,debug,result,commit,resultset
# 日期格式
dateformat=yyyy-MM-dd HH:mm:ss
# 实际驱动可多个
#driverlist=org.h2.Driver
# 是否开启慢SQL记录
outagedetection=true
# 慢SQL记录标准 2 秒
outagedetectioninterval=2
4、直接测试
我们可以使用他来代替一些复杂的sql
写贴出官方条件构造器文档。
test1:普通条件查询
@Test
void contextLoads() {
// 查询name不为空,email不为空,年龄大于等于12的用户
QueryWrapper<User> wrapper = new QueryWrapper<>();
wrapper
.isNotNull("name")
.isNotNull("email")
.ge("age",12);
userMapper.selectList(wrapper).forEach(System.out::println);
}
test2:区间查询
@Test
void test2(){
// 查询年龄在20~30岁之间的用户的数量
QueryWrapper<User> wrapper = new QueryWrapper<>();
wrapper.between("age",20,30);
Integer integer = userMapper.selectCount(wrapper);
}
test3:模糊查询
// 模糊查询
@Test
void test3() {
QueryWrapper<User> wrapper = new QueryWrapper<>();
wrapper
.notLike("name","a") //name中不包含a的字段
.likeRight("email","t"); //email以t开头的字段
List<Map<String, Object>> maps = userMapper.selectMaps(wrapper);
maps.forEach(System.out::println);
}
test4:嵌套查询
// 嵌套查询
@Test
void test4(){
QueryWrapper<User> wrapper = new QueryWrapper<>();
wrapper
.inSql("id","select id from user where id < 3");
List<Object> objects = userMapper.selectObjs(wrapper);
objects.forEach(System.out::println);
}
对应的Sql语句为:
SELECT
id,gmt_modified,flag,name,gmt_create,version,email,age
FROM
user
WHERE
flag=0
AND
(id IN (select id from user where id < 3))
AutoGenerator 是 MyBatis-Plus 的代码生成器,通过 AutoGenerator 可以快速生成 Entity、Mapper、Mapper XML、Service、Controller 等各个模块的代码,极大的提升了开发效率。
先贴出官方代码生成器文档
MyBatis-Plus 从 3.0.3 之后移除了代码生成器与模板引擎的默认依赖,需要手动添加相关依赖。
1、导入maven依赖
pom.xml
<dependency>
<groupId>com.baomidou</groupId>
<artifactId>mybatis-plus-generator</artifactId>
<version>3.3.2</version>
</dependency>
2、连接数据库
application.xml
spring:
datasource:
username: root
password: 123456
url: jdbc:p6spy:mysql://localhost:3306/test?serverTimezone=UTC&useUnicode=true&characterEncoding=utf-8
driver-class-name: com.p6spy.engine.spy.P6SpyDriver
profiles:
active: dev
3、配置自己要用到的一些配置类
由于代码生成器要生成一些具有 逻辑删除、乐观锁、分页查询 之类的模块。而这些模块需要自己进行配置。具体的配置在上文。其实就是把组件添加进spring托管。
//注册乐观锁插件
@Bean
public OptimisticLockerInterceptor optimisticLockerInterceptor() {
return new OptimisticLockerInterceptor();
}
// 注册分页插件
@Bean
public PaginationInterceptor paginationInterceptor() {
return new PaginationInterceptor();
}
4、编写具体操作,执行
public static void main(String[] args) {
// 代码生成器
AutoGenerator mpg = new AutoGenerator();
// 全局配置
GlobalConfig gc = new GlobalConfig();
String projectPath = System.getProperty("user.dir");
gc.setOutputDir(projectPath + "/src/main/java"); //将代码生成在这个目录下
gc.setAuthor("熊二");
gc.setOpen(false);
// gc.setSwagger2(true); 实体属性 Swagger2 注解
mpg.setGlobalConfig(gc);
// 数据源配置,将步骤二的数据库信息粘贴在下方
DataSourceConfig dsc = new DataSourceConfig();
dsc.setUrl("jdbc:mysql://localhost:3306/ant?useUnicode=true&useSSL=false&characterEncoding=utf8");
// dsc.setSchemaName("public");
dsc.setDriverName("com.mysql.jdbc.Driver");
dsc.setUsername("root");
dsc.setPassword("123456");
mpg.setDataSource(dsc);
// 包配置
PackageConfig pc = new PackageConfig();
pc.setModuleName(scanner("模块名"));
pc.setParent("com.xionger");
pc.setEntity("entity");
pc.setMapper("mapper");
pc.setService("service");
pc.setController("controller");
mpg.setPackageInfo(pc);
// 策略配置
StrategyConfig strategy = new StrategyConfig();
strategy.setInclude("表名1","表名2"...); //要生成哪些表的代码
strategy.setNaming(NamingStrategy.underline_to_camel); //设置包的命名规则,这里为下划线转驼峰命名
strategy.setColumnNaming(NamingStrategy.underline_to_camel); //列的名字
strategy.setEntityLombokModel(true); //自动lombok
strategy.setLogicDeleteFieldName("deleted"); //设计逻辑删除
//自动填充配置
TableFill gmtCreate = new TableFill("gmt_create",FieldFill.INSERT);
TableFill gmtModified = new TableFill("gmt_modified",FieldFill.INSERT_UPDATE);
ArrayList<TableFill> tableFills = new ArrayList<>();
tableFills.add(gmtCreate);
tableFills.add(gmtModified);
strategy.setTableFillList(tableFills); //自动填充
strategy.setVersionFieldName(""version); //乐观锁
mpg.setStrategy(strategy);
// 执行代码生成器
mpg.execute();
}