MyBatis-Plus之快速入门

MyBatis-Plus之快速入门

一、MyBatis-Plus

MyBatis-Plus简介

MyBatis-Plus(简称 MP)是一个 MyBatis 的增强工具,在 MyBatis的基础上只做增强不做改变,为简化开发、提高效率而生。

官网

https://mp.baomidou.com

https://mybatis.plus

MyBatis-Plus框架结构

MyBatis-Plus之快速入门

MyBatis-Plus特性

无侵入:

 只做增强不做改变,引入它不会对现有工程产生影响,如丝般顺滑

损耗小:

启动即会自动注入基本 CURD,性能基本无损耗,直接面向对象操作

强大的 CRUD 操作:

内置通用 Mapper、通用 Service,仅仅通过少量配置即可实现单表大部分 CRUD 操作,更有强大的条件构造器,满足各类使用需求

支持 Lambda 形式调用:

通过 Lambda 表达式,方便的编写各类查询条件,无需再担心字段写错

支持主键自动生成:

支持多达 4 种主键策略(内含分布式唯一 ID 生成器 - Sequence),可*配置,完美解决主键问题

支持 ActiveRecord 模式:

支持 ActiveRecord 形式调用,实体类只需继承 Model 类即可进行强大的 CRUD 操作

支持自定义全局通用操作:

支持全局通用方法注入( Write once, use anywhere )

内置代码生成器:

采用代码或者 Maven 插件可快速生成 Mapper 、 Model 、 Service 、 Controller 层代码,支持模板引擎,更有超多自定义配置等您来使用

内置分页插件:

基于 MyBatis 物理分页,开发者无需关心具体操作,配置好插件之后,写分页等同于普通 List 查询

分页插件支持多种数据库:

支持 MySQL、MariaDB、Oracle、DB2、H2、HSQL、SQLite、Postgre、SQLServer 等多种数据库

内置性能分析插件:

可输出 Sql 语句以及其执行时间,建议开发测试时启用该功能,能快速揪出慢查询

内置全局拦截插件:

提供全表 delete 、 update 操作智能分析阻断,也可自定义拦截规则,预防误操作

二、MyBatis-Plus快速入门

1.建库建表

	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, 'test1@baomidou.com'),
	(2, 'Jack', 20, 'test2@baomidou.com'),
	(3, 'Tom', 28, 'test3@baomidou.com'),
	(4, 'Sandy', 21, 'test4@baomidou.com'),
	(5, 'Billie', 24, 'test5@baomidou.com');

2.添加依赖

<dependencies>
	<!--SpringBoot启动器-->
    <dependency>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter</artifactId>
    </dependency>
    <!--SpringBoot Test启动器-->
    <dependency>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-test</artifactId>
        <scope>test</scope>
    </dependency>
    <!--Lombok简化代码插件-->
    <dependency>
        <groupId>org.projectlombok</groupId>
        <artifactId>lombok</artifactId>
        <optional>true</optional>
    </dependency>
    <!--Mybatis plus启动器-->
    <dependency>
        <groupId>com.baomidou</groupId>
        <artifactId>mybatis-plus-boot-starter</artifactId>
        <version>3.3.2</version>
    </dependency>
  	<!--Mysql数据库驱动-->
		<dependency>
			<groupId>mysql</groupId>
			<artifactId>mysql-connector-java</artifactId>
		</dependency>
</dependencies>

3.配置

spring.datasource.url = jdbc:mysql://192.168.254.110:3306/zd_supplier?useUnicode=true&characterEncoding=UTF-8&useSSL=false
spring.datasource.driver-class-name=com.mysql.jdbc.Driver
spring.datasource.username = root
spring.datasource.password = 12345678

# mybaits
# 设置Mapper接口所对应的XML文件位置,如果在Mapper接口中有自定义方法,需要进行该配置
mybatis.mapper-locations = classpath:mapper/**/*Mapper.xml
# 设置别名包扫描路径,通过该属性可以给包中的类注册别名
mybatis.type-aliases-package = com.xxx.supplier.model
# mybatis详细日志输出
mybatis-plus.configuration.log-impl=org.apache.ibatis.logging.stdout.StdOutImpl

在 resources目录下新建一个文件夹mybatis,专门存放mapper配置文件

<?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.xxx.supplier.mapper.UserMapper">

</mapper>

4.编码

创建User.java

@Data
public class User implements Serializable {
    private Long id;
    private String name;
    private Integer age;
    private String email;
    }

创建UserMapper.java继承BaseMapper接口

public interface UserMapper extends BaseMapper<User> {

	}

5.修改启动类

在 Spring Boot 启动类中添加 @MapperScan 注解,设置mapper接口的扫描包:

@SpringBootApplication
@MapperScan("com.xxx.supplier.mapper")
public class SupplierApplication{

    public static void main(String[] args) {
        SpringApplication.run(SupplierApplication.class, args);
    }

}

6.测试

@RunWith(SpringRunner.class)
@SpringBootTest
public class SampleTest {

    @Autowired
    private UserMapper userMapper;

    @Test
    public void testSelect() {
        System.out.println(("----- selectAll method test ------"));
        List<User> userList = userMapper.selectList(null);
        Assert.assertEquals(5, userList.size());
        userList.forEach(System.out::println);
    }

}

三、通用CRUD

MyBatis-Plus之快速入门

public interface BaseMapper<T> {

    /**
     * 插入一条记录
     *
     * @param entity 实体对象
     */
    int insert(T entity);

    /**
     * 根据 ID 删除
     *
     * @param id 主键ID
     */
    int deleteById(Serializable id);

    /**
     * 根据 columnMap 条件,删除记录
     *
     * @param columnMap 表字段 map 对象
     */
    int deleteByMap(@Param(Constants.COLUMN_MAP) Map<String, Object> columnMap);

    /**
     * 根据 entity 条件,删除记录
     *
     * @param wrapper 实体对象封装操作类(可以为 null)
     */
    int delete(@Param(Constants.WRAPPER) Wrapper<T> wrapper);

    /**
     * 删除(根据ID 批量删除)
     *
     * @param idList 主键ID列表(不能为 null 以及 empty)
     */
    int deleteBatchIds(@Param(Constants.COLLECTION) Collection<? extends Serializable> idList);

    /**
     * 根据 ID 修改
     *
     * @param entity 实体对象
     */
    int updateById(@Param(Constants.ENTITY) T entity);

    /**
     * 根据 whereEntity 条件,更新记录
     *
     * @param entity        实体对象 (set 条件值,可以为 null)
     * @param updateWrapper 实体对象封装操作类(可以为 null,里面的 entity 用于生成 where 语句)
     */
    int update(@Param(Constants.ENTITY) T entity, @Param(Constants.WRAPPER) Wrapper<T> updateWrapper);

    /**
     * 根据 ID 查询
     *
     * @param id 主键ID
     */
    T selectById(Serializable id);

    /**
     * 查询(根据ID 批量查询)
     *
     * @param idList 主键ID列表(不能为 null 以及 empty)
     */
    List<T> selectBatchIds(@Param(Constants.COLLECTION) Collection<? extends Serializable> idList);

    /**
     * 查询(根据 columnMap 条件)
     *
     * @param columnMap 表字段 map 对象
     */
    List<T> selectByMap(@Param(Constants.COLUMN_MAP) Map<String, Object> columnMap);

    /**
     * 根据 entity 条件,查询一条记录
     *
     * @param queryWrapper 实体对象封装操作类(可以为 null)
     */
    T selectOne(@Param(Constants.WRAPPER) Wrapper<T> queryWrapper);

    /**
     * 根据 Wrapper 条件,查询总记录数
     *
     * @param queryWrapper 实体对象封装操作类(可以为 null)
     */
    Integer selectCount(@Param(Constants.WRAPPER) Wrapper<T> queryWrapper);

    /**
     * 根据 entity 条件,查询全部记录
     *
     * @param queryWrapper 实体对象封装操作类(可以为 null)
     */
    List<T> selectList(@Param(Constants.WRAPPER) Wrapper<T> queryWrapper);

    /**
     * 根据 Wrapper 条件,查询全部记录
     *
     * @param queryWrapper 实体对象封装操作类(可以为 null)
     */
    List<Map<String, Object>> selectMaps(@Param(Constants.WRAPPER) Wrapper<T> queryWrapper);

    /**
     * 根据 Wrapper 条件,查询全部记录
     * <p>注意: 只返回第一个字段的值</p>
     *
     * @param queryWrapper 实体对象封装操作类(可以为 null)
     */
    List<Object> selectObjs(@Param(Constants.WRAPPER) Wrapper<T> queryWrapper);

    /**
     * 根据 entity 条件,查询全部记录(并翻页)
     *
     * @param page         分页查询条件(可以为 RowBounds.DEFAULT)
     * @param queryWrapper 实体对象封装操作类(可以为 null)
     */
    IPage<T> selectPage(IPage<T> page, @Param(Constants.WRAPPER) Wrapper<T> queryWrapper);

    /**
     * 根据 Wrapper 条件,查询全部记录(并翻页)
     *
     * @param page         分页查询条件
     * @param queryWrapper 实体对象封装操作类
     */
    IPage<Map<String, Object>> selectMapsPage(IPage<T> page, @Param(Constants.WRAPPER) Wrapper<T> queryWrapper);
}

四、常用注解

//指定数据库中表名
@TableName("tb_user")
public class User {

 }   	
	   	

//指定数据库中主键名
@TableId(type = IdType.AUTO)
private Long id;
	   	

//指定数据库中字段名
//驼峰命名,则无需注解
@TableField("USER_NAME")
private String userName; 

//排除表字段,不与数据库表做映射	   	
@TableField(exist = false)
@TableField(exist = false)
private String phone;
	   	
//使用static transient修饰字段也同样能忽略字段与数据库表之间的映射
private static field; //使用lombok需手动提供get/set方法
private transient field;  //不能参与序列化

主键生成策略

@Getter
public enum IdType {
    /**
     * 数据库ID自增
     */
    AUTO(0),
    /**
     * 该类型为未设置主键类型
     */
    NONE(1),
    /**
     * 用户输入ID
     * <p>该类型可以通过自己注册自动填充插件进行填充</p>
     */
    INPUT(2),

    /* 以下3种类型、只有当插入对象ID 为空,才自动填充。 */
    /**
     * 全局唯一ID (idWorker)
     */
    ID_WORKER(3),
    /**
     * 全局唯一ID (UUID)
     */
    UUID(4),
    /**
     * 字符串全局唯一ID (idWorker 的字符串表示)
     */
    ID_WORKER_STR(5);

    private final int key;

    IdType(int key) {
        this.key = key;
    }
}

五、条件构造器

针对各种复杂条件的操作,MP专门针对sql条件进行了封装,提供了各种Wrapper接口及其实现类。

比较操作

eq :等于 =

ne:不等于 <>

gt:大于 >

ge:大于等于 >=

lt:小于 <

le:小于等于 <=

between:between 值1 AND 值2

notBetween:not between 值1 AND 值2

in:字段 in (value1, value2, ...)

notIn :字段 not in (value1, value2, ...)
@Test
 public  void test() {
        QueryWrapper<User> queryWrapper=new QueryWrapper<>();
        //SELECT id,name,age,email FROM user WHERE age >= ? AND name IN (?,?,?)
        queryWrapper.ge("age",20).in("name", "Jone", "Jack");
        List<User> list=userMapper.selectList(queryWrapper);
        for (User user : list) {
            System.out.println(user);
        }
    }

模糊查询

like

like  '%值%'

例 : like("name", " 王") ---> name like '%王%'

notLike

not like '%值%'

例 : notLike("name", " 王") ---> name not like '%王%'

likeLeft

like  '%值'

例 : likeLeft("name", " 王") ---> name like '%王'

likeRight

like '值%'

例 : likeRight("name", " 王") ---> name like '王%'
    @Test
    public void test(){
        QueryWrapper<User> queryWrapper=new QueryWrapper<>();
        queryWrapper.like("name","王");
        List<User> list=userMapper.selectList(queryWrapper);
        for (User user : list) {
            System.out.println(user);
        }
    }

排序

orderBy

排序: ORDER BY 字段, ...

例 : orderBy(true, true, "id", "name") ---> order by id ASC,name ASC

orderByAsc

排序: ORDER BY 字段, ... ASC

例 : orderByAsc("id", "name") ---> order by id ASC,name ASC

orderByDesc

排序: ORDER BY 字段, ... DESC

例 : orderByDesc("id", "name") ---> order by id DESC,name DESC
 @Test
public void test(){
        QueryWrapper<User> queryWrapper=new QueryWrapper<>();
        queryWrapper.orderByDesc("age");

        List<User> list=userMapper.selectList(queryWrapper);
        for (User user : list) {
            System.out.println(user);
        }
    }

逻辑查询

or

主动调用or 表示紧接着下一个方法不是用and连接,不调用or则默认为使用and连接

gt("age", 20).or().eq("name", "jack")  ---> age >20 or name = "jack"

and

例 : and(item-> item.eq("email","123@qq.com").ne("id", 6))  ---> and (email = "123@qq.com" and id <> 6)
    @Test
    public void test() {
        QueryWrapper<User> queryWrapper = new QueryWrapper<>();
        //age >20 or name = "jack"
        queryWrapper.gt("age", 20).or().eq("name", "jack");
        //and (email = "123@qq.com" and id <> 6)
        queryWrapper.and(item-> item.eq("email","123@qq.com").ne("id", 6));
        List<User> list = userMapper.selectList(queryWrapper);
        for (User user : list) {
            System.out.println(user);
        }
    }

分页插件

配置分页插件

@MapperScan("com.xxx.supplier.mapper")
@SpringBootApplication
public class MyApplication {
    public static void main(String[] args) {
        SpringApplication.run(MyApplication.class, args);
    }

    /**
     * 分页插件
     *
     * @return
     */
    @Bean
    public PaginationInterceptor paginationInterceptor() {
        return new PaginationInterceptor();
    }
}
    @Test
    public void test(){
        QueryWrapper<User>  queryWrapper=new QueryWrapper<>();
        queryWrapper.gt("age",20);
        Page<User>  page=new Page<>(1,2);
        IPage<User> iPage = userMapper.selectPage(page,queryWrapper);
        System.out.println("数据总条数:" + iPage.getTotal());
        System.out.println("总页数:" + iPage.getPages());
        List<User> users = iPage.getRecords();
        for (User user : users) {
            System.out.println("user = " + user);
        }
    }

六、Mybatis-Plus的Service封装

在进行业务层开发时,使用Mybatis-Plus提供的Service封装,继承其接口和实现类,使得编码与开发更加便捷高效。

创建业务层接口

创建业务层接口,继承IService:

import com.baomidou.mybatisplus.extension.service.IService;
public interface UserService extends IService<User> {
    
}

创建业务层实现类

创建业务层实现类,继承ServiceImpl

@Service
import com.baomidou.mybatisplus.extension.service.impl.ServiceImpl;
public class UserServiceImpl extends ServiceImpl<UserMapper, User> implements UserService {
    
}

方法预览

IService接口与ServiceImpl实现类提供的方法:
MyBatis-Plus之快速入门

测试

@RunWith(SpringRunner.class)
@SpringBootTest
public class TestUserService {

    @Autowired
    private UserService userService;

    @Test
    public void testInsert() {
        User user;

        //save
        user = new User();
        user.setEmail("1234@qq.com");
        user.setAge(12);
        user.setName("小白");
        userService.save(user);

        //select
        user = userService.getById(2);
        System.out.println(user);

        //update
        user = new User();
        //条件:根据id更新
        user.setId(1L);
        //更新字段
        user.setAge(20);
        userService.updateById(user);

        // delte
        userService.removeById(2L);
    }
}

七、代码生成器

AutoGenerator是MyBatis-Plus的代码生成器,通过 AutoGenerator可以快速生成Entity类、Mapper接口、Mapper XML、Service、Controller 等各个模块的代码,极大的提升开发效率。

引入依赖

	<!--代码生成器-->
     <dependency>
            <groupId>com.baomidou</groupId>
            <artifactId>mybatis-plus-generator</artifactId>
            <version>3.4.1</version>
        </dependency>
        <!--模板引擎-->
        <dependency>
            <groupId>org.freemarker</groupId>
            <artifactId>freemarker</artifactId>
            <version>2.3.31</version>
        </dependency>

示例代码

public class CodeGenerator {

    /**
     * <p>
     * 读取控制台内容
     * </p>
     */
    public static String scanner(String tip) {
        Scanner scanner = new Scanner(System.in);
        StringBuilder help = new StringBuilder();
        help.append("请输入" + tip + ":");
        System.out.println(help.toString());
        if (scanner.hasNext()) {
            String ipt = scanner.next();
            if (StringUtils.isNotBlank(ipt)) {
                return ipt;
            }
        }
        throw new MybatisPlusException("请输入正确的" + tip + "!");
    }

    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("jobob");
        gc.setOpen(false);
        // gc.setSwagger2(true); 实体属性 Swagger2 注解
        mpg.setGlobalConfig(gc);

        // 数据源配置
        DataSourceConfig dsc = new DataSourceConfig();
        dsc.setUrl("jdbc:mysql://localhost:3306/demo?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.baomidou.ant");
        mpg.setPackageInfo(pc);

        // 自定义配置
        InjectionConfig cfg = new InjectionConfig() {
            @Override
            public void initMap() {
                // to do nothing
            }
        };

        // 如果模板引擎是 freemarker
        String templatePath = "/templates/mapper.xml.ftl";
        // 如果模板引擎是 velocity
        //String templatePath = "/templates/mapper.xml.vm";

        // 自定义输出配置
        List<FileOutConfig> focList = new ArrayList<>();
        // 自定义配置会被优先输出
        focList.add(new FileOutConfig(templatePath) {
            @Override
            public String outputFile(TableInfo tableInfo) {
                // 自定义输出文件名 , 如果你 Entity 设置了前后缀、此处注意 xml 的名称会跟着发生变化!!
                return projectPath + "/src/main/resources/mapper/" + pc.getModuleName()
                        + "/" + tableInfo.getEntityName() + "Mapper" + StringPool.DOT_XML;
            }
        });
        /*
        cfg.setFileCreate(new IFileCreate() {
            @Override
            public boolean isCreate(ConfigBuilder configBuilder, FileType fileType, String filePath) {
                // 判断自定义文件夹是否需要创建
                checkDir("调用默认方法创建的目录,自定义目录用");
                if (fileType == FileType.MAPPER) {
                    // 已经生成 mapper 文件判断存在,不想重新生成返回 false
                    return !new File(filePath).exists();
                }
                // 允许生成模板文件
                return true;
            }
        });
        */
        cfg.setFileOutConfigList(focList);
        mpg.setCfg(cfg);

        // 配置模板
        TemplateConfig templateConfig = new TemplateConfig();

        // 配置自定义输出模板
        //指定自定义模板路径,注意不要带上.ftl/.vm, 会根据使用的模板引擎自动识别
        // templateConfig.setEntity("templates/entity2.java");
        // templateConfig.setService();
        // templateConfig.setController();

        templateConfig.setXml(null);
        mpg.setTemplate(templateConfig);

        // 策略配置
        StrategyConfig strategy = new StrategyConfig();
        strategy.setNaming(NamingStrategy.underline_to_camel);
        strategy.setColumnNaming(NamingStrategy.underline_to_camel);
        //strategy.setSuperEntityClass("你自己的父类实体,没有就不用设置!");
        strategy.setEntityLombokModel(true);
        strategy.setRestControllerStyle(true);
        // 公共父类
        // strategy.setSuperControllerClass("你自己的父类控制器,没有就不用设置!");
        // 写于父类中的公共字段
        strategy.setSuperEntityColumns("id");
        strategy.setInclude(scanner("表名,多个英文逗号分割").split(","));
        strategy.setControllerMappingHyphenStyle(true);
        strategy.setTablePrefix(pc.getModuleName() + "_");
        mpg.setStrategy(strategy);
        mpg.setTemplateEngine(new FreemarkerTemplateEngine());
        mpg.execute();
    }
}

示例效果

MyBatis-Plus之快速入门

八、MybatisX快速开发插件

MybatisX 是一款基于 IDEA 的快速开发插件,为效率而生。

安装方法:打开 IDEA,进入 File -> Settings -> Plugins -> Browse Repositories,输入 mybatisx 搜索并安装。

XML跳转

MyBatis-Plus之快速入门

生成代码

MyBatis-Plus之快速入门

重置模板

MyBatis-Plus之快速入门

JPA提示

MyBatis-Plus之快速入门

九、使用示例大全

    @Autowired
    private UserMapper userMapper;

    /**
     * 普通查询
     */
    @Test
    public void selectById() {
        User User = userMapper.selectById(1);
        System.out.println(User);
    }

    /**
     * 批量查询
     */
    @Test
    public void selectByIds() {
        List<Long> ids = Arrays.asList(1L, 2L, 3L);
        List<User> User = userMapper.selectBatchIds(ids);
        System.out.println(User);
    }

    /**
     * 名字包含Jack并且年龄小于20
     */
    @Test
    public void selectByWrapper() {
        QueryWrapper<User> queryWrapper = new QueryWrapper<User>();
        queryWrapper.like("name", "Jack").lt("age", 20);
        List<User> UserList = userMapper.selectList(queryWrapper);
        UserList.forEach(System.out::println);
    }

    /**
     * 名字包含Jack并且年龄大于等于20且小于等于30并且email不为空
     */
    @Test
    public void selectByWrapper2() {
        QueryWrapper<User> queryWrapper = new QueryWrapper<User>();
        queryWrapper.like("name", "Jack").between("age", 20, 30).isNotNull("email");
        List<User> UserList = userMapper.selectList(queryWrapper);
        UserList.forEach(System.out::println);
    }

    /**
     * 名字姓Tom或者年龄大于等于20,按照年龄降序排列,年龄相同按照id生序排列
     */
    @Test
    public void selectByWrapper3() {
        QueryWrapper<User> queryWrapper = new QueryWrapper<User>();
        queryWrapper.likeRight("name", "Tom")
                .or().ge("age", 20).orderByDesc("age").orderByAsc("id");
        List<User> UserList = userMapper.selectList(queryWrapper);
        UserList.forEach(System.out::println);
    }

    /**
     * 创建日期为2021年05月20日并且直属上级名字为陈姓
     */
    @Test
    public void selectByWrapper4() {
        QueryWrapper<User> queryWrapper = new QueryWrapper<User>();
        queryWrapper.apply("date_format(create_time,'%Y-%m-%d')={0}", "2021-05-20")
                .inSql("parent_id", "select id from user where name like '陈%'");
        List<User> UserList = userMapper.selectList(queryWrapper);
        UserList.forEach(System.out::println);
    }

    /**
     * 名字为陈姓并且(年龄小于30或邮箱不为空)
     */
    @Test
    public void selectByWrapper5() {
        QueryWrapper<User> queryWrapper = new QueryWrapper<User>();
        queryWrapper.likeRight("name", "陈")
                .and(wq -> wq.lt("age", 30))
                .or().isNotNull("email");
        List<User> UserList = userMapper.selectList(queryWrapper);
        UserList.forEach(System.out::println);
    }

    /**
     * 名字为陈姓并且(年龄小于30并且大于20或邮箱不为空)
     */
    @Test
    public void selectByWrapper6() {
        QueryWrapper<User> queryWrapper = new QueryWrapper<User>();
        queryWrapper.likeRight("name", "陈")
                .and(wq -> wq.lt("age", 30).gt("age", 20).or().isNotNull("email"));
        List<User> UserList = userMapper.selectList(queryWrapper);
        UserList.forEach(System.out::println);
    }

    /**
     * (年龄小于30并且大与20或邮箱不为空)名字为陈姓
     */
    @Test
    public void selectByWrapper7() {
        QueryWrapper<User> queryWrapper = new QueryWrapper<User>();
        queryWrapper.nested(wq -> wq.lt("age", 30).gt("age", 20).or().isNotNull("email"))
                .likeRight("name", "陈");
        List<User> UserList = userMapper.selectList(queryWrapper);
        UserList.forEach(System.out::println);
    }

    /**
     * 年龄20,30,40
     */
    @Test
    public void selectByWrapper8() {
        QueryWrapper<User> queryWrapper = new QueryWrapper<User>();
        queryWrapper.in("age", Arrays.asList(20, 30, 40));
        List<User> UserList = userMapper.selectList(queryWrapper);
        UserList.forEach(System.out::println);
    }

    /**
     * 只返回满足条件的其中一条语句即可
     */
    @Test
    public void selectByWrapper9() {
        QueryWrapper<User> queryWrapper = new QueryWrapper<User>();
        queryWrapper.in("age", Arrays.asList(20, 30, 40)).last("limit 1");
        List<User> UserList = userMapper.selectList(queryWrapper);
        UserList.forEach(System.out::println);
    }

    /**
     * 名字中包含Billie并且年龄小于30(只取id,name)
     */
    @Test
    public void selectByWrapper10() {
        QueryWrapper<User> queryWrapper = new QueryWrapper<User>();
        queryWrapper.select("id", "name").like("name", "Billie").lt("age", 30);
        List<User> UserList = userMapper.selectList(queryWrapper);
        UserList.forEach(System.out::println);
    }

    /**
     * 名字中包含Billie并且年龄小于30(不取create_time,parent_id两个字段,即不列出全部字段)
     */
    @Test
    public void selectByWrapper11() {
        QueryWrapper<User> queryWrapper = new QueryWrapper<User>();
        queryWrapper.like("name", "Billie").lt("age", 30)
                .select(User.class, info -> !info.getColumn().equals("create_time") &&
                        !info.getColumn().equals("parent_id"));
        List<User> UserList = userMapper.selectList(queryWrapper);
        UserList.forEach(System.out::println);
    }

    /**
     * 姓名和邮箱不为空
     */
    public void testCondition() {
        String name = "陈";
        String email = "";
        condition(name, email);
    }

    private void condition(String name, String email) {
        QueryWrapper<User> queryWrapper = new QueryWrapper<User>();
        queryWrapper.like(StringUtils.isNullOrEmpty(name), "name", name)
                .like(StringUtils.isNullOrEmpty(email), "email", email);
        List<User> UserList = userMapper.selectList(queryWrapper);
        UserList.forEach(System.out::println);
    }

    /**
     * 实体作为条件构造器方法的参数
     */
    @Test
    public void selectByWrapperEntity() {
        User whereUser = new User();
        whereUser.setUserName("Billie");
        whereUser.setAge(22);
        QueryWrapper<User> queryWrapper = new QueryWrapper<User>(whereUser);
        List<User> UserList = userMapper.selectList(queryWrapper);
        UserList.forEach(System.out::println);
    }

    /**
     * AllEq用法
     */
    @Test
    public void selectByWrapperAllEq() {
        QueryWrapper<User> queryWrapper = new QueryWrapper<User>();
        Map<String, Object> params = new HashMap<String, Object>();
        params.put("name", "Billie");
        params.put("age", null);
        queryWrapper.allEq(params);
        List<User> UserList = userMapper.selectList(queryWrapper);
        UserList.forEach(System.out::println);
    }

    /**
     * AllEq用法(排除不是条件的字段)
     */
    @Test
    public void selectByWrapperAllEq2() {
        QueryWrapper<User> queryWrapper = new QueryWrapper<User>();
        Map<String, Object> params = new HashMap<String, Object>();
        params.put("name", "Billie");
        params.put("age", null);
        queryWrapper.allEq((k, v) -> !k.equals("name"), params);
        List<User> UserList = userMapper.selectList(queryWrapper);
        UserList.forEach(System.out::println);
    }

    /**
     * selectMaps
     */
    @Test
    public void selectByWrapperMaps() {
        QueryWrapper<User> queryWrapper = new QueryWrapper<User>();
        queryWrapper.like("name", "Tom").lt("age", 30);
        List<Map<String, Object>> UserList = userMapper.selectMaps(queryWrapper);
        UserList.forEach(System.out::println);
    }

    /**
     * 按照部门分组,查询每组的平均年龄,最大年龄,最小年龄。并且只取年龄总和小于500的组
     */
    @Test
    public void selectByWrapperMaps2() {
        QueryWrapper<User> queryWrapper = new QueryWrapper<User>();
        queryWrapper.select("avg(age) avg_age", "min(min) min_age", "max(age) max_age")
                .groupBy("dept_id").having("sum(age)<{0}", 100);
        List<Map<String, Object>> UserList = userMapper.selectMaps(queryWrapper);
        UserList.forEach(System.out::println);
    }

    /**
     * selectObjs
     */
    @Test
    public void selectByWrapperObjs() {
        QueryWrapper<User> queryWrapper = new QueryWrapper<User>();
        queryWrapper.select("id", "name").like("name", "Tom").lt("age", 30);
        List<Object> UserList = userMapper.selectObjs(queryWrapper);
        UserList.forEach(System.out::println);
    }

    /**
     * selectCount
     */
    @Test
    public void selectByWrapperCount() {
        QueryWrapper<User> queryWrapper = new QueryWrapper<User>();
        queryWrapper.like("name", "Tom").lt("age", 30);
        Integer count = userMapper.selectCount(queryWrapper);
        System.out.println(count);
    }

    /**
     * selectOne
     */
    @Test
    public void selectByWrapperSelectOne() {
        QueryWrapper<User> queryWrapper = new QueryWrapper<User>();
        queryWrapper.like("name", "Tom").lt("age", 30);
        User user = userMapper.selectOne(queryWrapper);
        System.out.println(user);
    }

    /**
     * 使用Lambda
     */
    @Test
    public void selectLambda() {
        // LambdaQueryWrapper<User> lambda = new QueryWrapper<User>().lambda();
        LambdaQueryWrapper<User> lambda = new LambdaQueryWrapper<User>();
        lambda.like(User::getName, "Jack").lt(User::getAge, 30);
        List<User> UserList = userMapper.selectList(lambda);
        UserList.forEach(System.out::println);
    }

    /**
     * 使用Lambda,名字为陈姓(年龄小于30或邮箱不为空)
     */
    @Test
    public void selectLambd2() {
        LambdaQueryWrapper<User> lambda = new LambdaQueryWrapper<User>();
        lambda.like(User::getName, "Jack")
                .and(lqw -> lqw.lt(User::getAge, 30).or().isNotNull(User::getEmail));
        List<User> UserList = userMapper.selectList(lambda);
        UserList.forEach(System.out::println);
    }

    /**
     * 使用Lambda链式
     */
    @Test
    public void selectLambd3() {
        List<User> UserList = new LambdaQueryChainWrapper<User>(userMapper)
                .like(User::getName, "Jack").ge(User::getAge, 20).list();
        UserList.forEach(System.out::println);
    }
上一篇:MyBatis-Plus 自定义sql语句搭配调用QueryWrapper的实现条件查询


下一篇:Springboot(十三)——整合mybatis-plus(三)