简介
特性
地址:快速开始 | MyBatis-Plus (baomidou.com)
使用第三方组件:
步骤
Mybatis_Plus
DROP TABLE IF EXISTS user;
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)
);
DELETE FROM user;
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]');
-- 真实开发中,version(乐观锁)、deleted(逻辑删除)、gmt_create、gmt_modified
3.编写项目,初始化项目,使用SpringBoot初始化
4.导入依赖
<dependency>
<groupId>mysqlgroupId>
<artifactId>mysql-connector-javaartifactId>
dependency>
<dependency>
<groupId>org.projectlombokgroupId>
<artifactId>lombokartifactId>
dependency>
<dependency>
<groupId>com.baomidougroupId>
<artifactId>mybatis-plus-boot-starterartifactId>
<version>3.0.5version>
dependency>
#mysql 5 驱动不同 com.mysql.jdbc.Driver
#mysql 8 驱动不同 com.mysql.cj.jdbc.Driver 需要增加时区配置 serverTimezone=GMT%2B8
spring.datasource.driver-class-name=com.mysql.cj.jdbc.Driver
spring.datasource.username=root
spring.datasource.password=root
spring.datasource.url=jdbc:mysql://localhost:3306/mybatis_plus?serverTiemzoe=UFC&useUnicode=true&characterEncoding=utf-8
6.传统方式pojo-dao(连接mybatis,配置mapper.xml文件)-service-controller
6.使用mybatis-plus
pojo
@Data
@AllArgsConstructor
@NoArgsConstructor
public class User{
private Long id;
private String name;
private Integer age;
private String email;
}
mapper接口
@Reposirory //代表持久层
public interface UserMapper extends BaseMapper<User>{
// 所有的CRUD操作都已编写完成
//不需要像以前一样写配置文件
}
注意:
@MapperScan("com.ggj.mapper")
测试类
@SpringBootTest
class MybatisPlusApplicationTests{
//继承BaseMapper,所有的方法都来自自己的父类
//也可以自己编写扩展方法
@Autowried
private UserMapper userMapper;
@Test
void contextLoads(){
//参数是一个wrapper,条件构造器,先不用 null
//查询全部用户
List<User> users = userMapper.selectList(null);
users.forEach(System.out::println);
}
}
#配置日志
#StdOutImpl 输出到控制台
mybatis-plus.configuration.log-impl=org.apache.ibatis.logging.stdout.StdOutImpl
//测试插入
@Test
public void testInsert(){
User user = new User();
user.setName("ggj");
user.setAge(16);
user.setEmail("[email protected]");
int result = userMapper.insert(user);
System.out.println(result);
System.out.println(user);//发现id会自动回填
}
数据库插入的id的默认值:全局的唯一id
默认ID_WORKER全局唯一id
分布式唯一 ID 的 7 种生成方案-阿里云开发者社区 (aliyun.com)
雪花算法:Twitter的snowflake算法
(1 << 41) / (1000x60x60x24x365) = 69年
。1 << 10 = 1024
s个节点。超过这个数量,生成的ID就有可能会冲突。1 << 12 = 4096个ID
加起来刚好64位,为一个Long型。
主键自增
@TableId(IdType.AUTO)
其他源码解释
public enum IdType{
AUTO(0), //数据库id自增
NONE(1), //未设置主键
INPUT(2),//手动输入
ID_WORKER(3),//默认的全局唯一id
UUID(4),//全局唯一id,uuid
ID_WORKER_STR(5);//ID_WORKER(3) 字符串表示法
}
//测试更新
@Test
public void testUpdate(){
User user = new User();
//通过条件自动拼接动态sql
user.setId(1)
user.setName("GGJ");
user.setAge(16);
user.setEmail("[email protected]");
//注意:updateById 参数是一个对象User
int i = userMapper。updateById(user);
System.out.println(i);
}
方式一:数据库级别(工作中不建议(不允许))
1.在表中新增字段:create_time、update_time(选择更新)
2.测试插入方法,需先把实体类同步
private Date createTime;
private Date updateTime;
方式二:代码级别
//字段添加填充内容,现在用LocalDateTime
@TableField(fill = FieldFill.INSERT)
private Date createTime;
@TableField(fill = FieldFill.INSERT_UPDATE)
private Date updateTime;
@Slf4j
@Component //不要忘记把处理器加入到IOC容器中
public class MyMetaObjectHandler implements MetaObjectHandler {
@Override
public void insertFill(MetaObject metaObject) {
log.info("start insert fill ....");
this.strictInsertFill(metaObject, "createTime", LocalDateTime.class, LocalDateTime.now()); // 起始版本 3.3.0(推荐使用)
// 或者
this.strictInsertFill(metaObject, "createTime", () -> LocalDateTime.now(), LocalDateTime.class); // 起始版本 3.3.3(推荐)
// 或者
this.fillStrategy(metaObject, "createTime", LocalDateTime.now()); // 也可以使用(3.3.0 该方法有bug)
}
@Override
public void updateFill(MetaObject metaObject) {
log.info("start update fill ....");
this.strictUpdateFill(metaObject, "updateTime", LocalDateTime.class, LocalDateTime.now()); // 起始版本 3.3.0(推荐)
// 或者
this.strictUpdateFill(metaObject, "updateTime", () -> LocalDateTime.now(), LocalDateTime.class); // 起始版本 3.3.3(推荐)
// 或者
this.fillStrategy(metaObject, "updateTime", LocalDateTime.now()); // 也可以使用(3.3.0 该方法有bug)
}
}
乐观锁:十分乐观,总是认为不会出现问题,无论干什么不去上锁,如果出现了问题,再次更新值从测试
悲观锁:十分悲观,总是认为总是出现问题,无论干什么都会区上锁,再去操作
测试MP的乐观锁插件
@version
private Integer version;
//测试查询
@Test
public void testSelectById(){
User user = userMapper.selectById(1L);
System.out,println(user)
}
//测试批量查询
@Test
public void testSelectByBatchId(){
List<User> users = userMapper.selectBatchIds(Arrays.asList(1,2,3));
users.forEach(System.out::println);
}
//按条件查询之一 使用map操作
public void testSelectByBatchIds(){
HashMap<String,Object> map = new HashMap<>();
//自定义查询
map.put("name","ggj");
map.put("age","16");
List<User> users = userMapper.selectByMap(map);
users.forEach(System.out::println);
}
如何使用?
@Bean
public PaginationInterceptor paginationInterceptor(){
return new PaginationInterceptor();
}
/**
* 新的分页插件,一缓和二缓遵循mybatis的规则,需要设置 MybatisConfiguration#useDeprecatedExecutor = false 避免缓存出现问题(该属性会在旧插件移除后一同移除)
*/
@Bean
public MybatisPlusInterceptor mybatisPlusInterceptor() {
MybatisPlusInterceptor interceptor = new MybatisPlusInterceptor();
interceptor.addInnerInterceptor(new PaginationInnerInterceptor(DbType.H2));
return interceptor;
}
@Bean
public ConfigurationCustomizer configurationCustomizer() {
return configuration -> configuration.setUseDeprecatedExecutor(false);
}
//测试分页查询
@Test
public void testPage(){
//参数一:当前页
//参数二:页面大小
Page<User> page = new Page<>(2,5);
userMapper.selectPage(page,null);
page.getRecords().forEach(System.out::println);
System.out.println(page.getTotal);
}
//测试删除
@Test
public void testDeleteById(){
userMapper.deleteById(id);
}
//通过id批量删除
@Test
public void testDeleteBatchId(){
userMapper.deleteBatchIds(Arrays.asList(id,id,id...));
}
//通过map批量删除
@Test
public void testDeleteMap(){
HashMap<String,Object> map = new HashMap<>();
map.put("name","ggj");
userMapper.deleteByMap(map);
}
物理删除:从数据库中直接移除
逻辑删除:没有从数据库中直接移除,而是通过一个变量让其失效
@TableLogic //逻辑删除
private Integer deleted;
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)
//逻辑删除组件(高版本已经不需要了,只需要注解)
@Bean
public ISqlInjector sqlInjector(){
return new LogicSqlInjector();
}
以上所有的CRUD操作及扩展,需精通
sql
语句的执行时间的插件该插件
3.2.0
以上版本移除。官方推荐使用第三方扩展,执行SQL分析打印的功能
/**
* sql执行效率插件
* @return
*/
@Bean
@Profile({"dev", "test"})
public PerformanceInterceptor performanceInterceptor() {
PerformanceInterceptor performanceInterceptor = new PerformanceInterceptor();
//设置SQL执行的最大时间,如果超过了则不执行
performanceInterceptor.setMaxTime(100);
//是否开启格式化支持
performanceInterceptor.setFormat(true);
return performanceInterceptor;
}
#设置开发环境
spring.profiles.active=dev
p6spy
p6spy
最新版本
compile group: 'p6spy', name: 'p6spy', version: '最新版本'
spring:
datasource:
driver-class-name: com.p6spy.engine.spy.P6SpyDriver
url: jdbc:p6spy:h2:mem:test
...
#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
@Test
void contextLoads() {
//查询name不为空的用户,并且邮箱不为空,年龄大于等于12
QueryWrapper<User> wrapper = new QueryWrapper<>();
wrapper
.isNotNull("name")
.isNotNull("email")
.ge("age",12);
userMapper.selectList(wrapper).forEach(System.out::println);
}
@Test
void contextLoads() {
//查询name为ggj
QueryWrapper<User> wrapper = new QueryWrapper<>();
wrapper.eq("name","ggj");
User user = userMapper.selectOne(wrapper);//查询一个数据,出现多个结果使用List或者Map
System.out.println(user);
}
@Test
void contextLoads() {
//查询name不为空的用户,并且邮箱不为空,年龄大于等于12
QueryWrapper<User> wrapper = new QueryWrapper<>();
wrapper.between("age",18,20);//区间
Integer count = userMapper.selectCount(wrapper);//查询结果数
System.out.println(count);
}
//模糊查询
void contextLoads() {
QueryWrapper<User> wrapper = new QueryWrapper<>();
wrapper
.notLike("name","j")
.likeRight("email","@")
.likeLeft("age",1);
List<Map<String,Object>> maps = userMapper.selectMaps(wrapper);
maps.forEach(System.out::print);
}
void contextLoads(){
QueryWrapper<User> wrapper = new QueryWrapper<>();
//从id区间中获取id
wrapper.inSql("id","select id from user where id <3");
List<Object> objects = userMapper.selectObjs(wrapper);
objects.forEach(System.out::print);
}
void contextLoads(){
QueryWrapper<User> wrapper = new QueryWrapper<>();
//从id进行排序
wrapper.orderByDesc("id");
List<User> users = userMapper.selectList(wrapper);
users.forEach(System.out::print);
}
java.version | Java运行时环境版本 |
---|---|
java.vendor | Java运行时环境供应商 |
java.vendor.url | Java供应商的 URL |
java.home | Java安装目录 |
java.vm.specification.version | Java虚拟机规范版本 |
java.vm.specification.vendor | Java虚拟机规范供应商 |
java.vm.specification.name | Java虚拟机规范名称 |
java.vm.version | Java虚拟机实现版本 |
java.vm.vendor | Java虚拟机实现供应商 |
java.vm.name | Java虚拟机实现名称 |
java.specification.version | Java运行时环境规范版本 |
java.specification.vendor | Java运行时环境规范供应商 |
java.specification.name | Java运行时环境规范名称 |
java.class.version | Java类格式版本号 |
java.class.path | Java类路径 |
java.library.path | 加载库时搜索的路径列表 |
java.io.tmpdir | 默认的临时文件路径 |
java.compiler | 要使用的 JIT 编译器的名称 |
java.ext.dirs | 一个或多个扩展目录的路径 |
os.name | 操作系统的名称 |
os.arch | 操作系统的架构 |
os.version | 操作系统的版本 |
file.separator | 文件分隔符(在 UNIX 系统中是“/”) |
path.separator | 路径分隔符(在 UNIX 系统中是“:”) |
line.separator | 行分隔符(在 UNIX 系统中是“/n”) |
user.name | 用户的账户名称 |
user.home | 用户的主目录 |
user.dir | 用户的当前工作目录 |
package com.ggj.config;
import com.baomidou.mybatisplus.annotation.DbType;
import com.baomidou.mybatisplus.annotation.FieldFill;
import com.baomidou.mybatisplus.annotation.IdType;
import com.baomidou.mybatisplus.generator.AutoGenerator;
import com.baomidou.mybatisplus.generator.config.DataSourceConfig;
import com.baomidou.mybatisplus.generator.config.GlobalConfig;
import com.baomidou.mybatisplus.generator.config.PackageConfig;
import com.baomidou.mybatisplus.generator.config.StrategyConfig;
import com.baomidou.mybatisplus.generator.config.po.TableFill;
import com.baomidou.mybatisplus.generator.config.rules.DateType;
import com.baomidou.mybatisplus.generator.config.rules.NamingStrategy;
import org.omg.CORBA.DATA_CONVERSION;
import java.util.ArrayList;
public class codeConfig {
public static void main(String[] args) {
//构建代码自动生成器对象
AutoGenerator mpg = new AutoGenerator();
//配置策略
//1.全局配置
GlobalConfig gc = new GlobalConfig();
String projectPath = System.getProperty("user.dir");
gc.setOutputDir(projectPath+"/src/main/java");
gc.setAuthor("ggj");
gc.setOpen(false);//open dir
gc.setFileOverride(false);//是否覆盖
gc.setServiceName("%Service");//去Service的I前缀
gc.setIdType(IdType.ID_WORKER);
gc.setDateType(DateType.ONLY_DATE);
gc.setSwagger2(true);
mpg.setGlobalConfig(gc);
//2.设置数据源
DataSourceConfig dsc = new DataSourceConfig();
dsc.setUrl("jdbc:mysql://localhost:3306/mybatis_plus?serverTiemzoe=UFC&useUnicode=true&characterEncoding=utf-8");
dsc.setDriverName("com.mysql.cj.jdbc.Driver");
dsc.setUsername("root");
dsc.setPassword("root");
dsc.setDbType(DbType.MYSQL);
mpg.setDataSource(dsc);
//3.包的配置
PackageConfig pc = new PackageConfig();
pc.setModuleName("blog");
pc.setParent("com.ggj");
pc.setEntity("entity");
pc.setMapper("mapper");
pc.setService("service");
pc.setController("controller");
mpg.setPackageInfo(pc);
//4.策略配置
StrategyConfig strategy = new StrategyConfig();
strategy.setInclude("user");//设置要映射的表名
strategy.setNaming(NamingStrategy.underline_to_camel);
strategy.setColumnNaming(NamingStrategy.underline_to_camel);
// strategy.setSuperEntityClass("父类实体,没有不用设置");
strategy.setEntityLombokModel(true);//自动lombok
// strategy.setRestControllerStyle(true);
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");
strategy.setControllerMappingHyphenStyle(true);//localhost:8080/hello_id_20
mpg.setStrategy(strategy);
mpg.execute();//执行
}
}