MyBatis学习笔记

MyBatis-9.28

环境:

  • JDK1.8
  • Mysql5.7
  • maven 3.6.1
  • IDEA

SSM框架:配置文件的,最好方式是看官方文档

1、简介

1.1 什么是Mybatis

  • MyBatis是一款优秀的持久层框架
  • 它支持定制Sql,存储过程以及高级映射
  • Mybatis几乎避免了所有的JDBC代码和手动设置参数以及获取结果集
  • Mybatis支持简单的Xml或注解来配置映射原生类型、接口和Java的POJO(Plain Old Java Objects 普通老式Java对象)为数据库中的记录
  • MyBatis 本是apache的一个开源项目iBatis, 2010年这个项目由apache software foundation 迁移到了[google code](https://baike.baidu.com/item/google code/2346604),并且改名为MyBatis 。2013年11月迁移到Github
  • iBATIS一词来源于“internet”和“abatis”的组合,是一个基于Java的持久层框架。iBATIS提供的持久层框架包括SQL Maps和Data Access Objects(DAOs)

1.2 如何获得MyBatis?

1.3 持久化

数据持久化

  • 持久化就是将程序的数据在持久状态转化为瞬时状态的一个过程
  • 内存:断电即失
  • 数据库(jdbc),io文件持久化
  • 生活:冷藏、罐头

为什么要持久化

  • 有些对象不能让它丢掉

  • 内存太贵了

1.4 持久层

Dao层、Service层、Contrller层

  • 完成持久化工作的代码

  • 层界限十分明显

1.5 为什么要用Mybatis?

  • 方便将数据写入数据库中

  • JDBC操作复杂,Mybatis框架,简化、自动化、框架

  • 不用Mybatis也可以,Mybatis容易上手和使用,但技术没有高低之分

  • 优点

    • 简单易学
    • 灵活
    • sql和代码的分离,提高了可维护性。
    • 提供映射标签,支持对象与数据库的orm字段关系映射
    • 提供对象关系映射标签,支持对象关系组建维护
    • 提供xml标签,支持编写动态sql。

重要的一点,使用的人多!

Spring SpringMVC SpringBoot

2、第一个Mybatis程序

2.1 搭建环境

新建项目

  1. 新建一个maven项目

  2. 删除src

  3. 导入maven依赖

    <!--mysql驱动-->
    <dependency>
        <groupId>mysql</groupId>
        <artifactId>mysql-connector-java</artifactId>
        <version>5.1.46</version>
    </dependency>
    <!--mybatis-->
    <!-- https://mvnrepository.com/artifact/org.mybatis/mybatis -->
    <dependency>
        <groupId>org.mybatis</groupId>
        <artifactId>mybatis</artifactId>
        <version>3.5.7</version>
    </dependency>
    <!--junit-->
    <dependency>
        <groupId>junit</groupId>
        <artifactId>junit</artifactId>
        <version>4.12</version>
    </dependency>
    

2.2 创建一个项目

  • 编写Mybatis核心配置文件
<?xml version="1.0" encoding="UTF-8" ?>
<!DOCTYPE configuration
        PUBLIC "-//mybatis.org//DTD Config 3.0//EN"
        "http://mybatis.org/dtd/mybatis-3-config.dtd">
<configuration>
    <environments default="development">
        <environment id="development">
            <transactionManager type="JDBC"/>
            <dataSource type="POOLED">
                <property name="driver" value="com.mysql.jdbc.Driver"/>
                <property name="url" value="jdbc:mysql://localhost:3306/mybatis?useSSL=true&amp;useUnicode=true&amp;characterEncoding=UTF-8"/>
                <property name="username" value="root"/>
                <property name="password" value="root"/>
            </dataSource>
        </environment>
    </environments>
    <mappers>
        <mapper resource="org/mybatis/example/BlogMapper.xml"/>
    </mappers>
</configuration>
  • 编写Mybatis工具类
public class MybatisUtils {
    private static SqlSessionFactory sqlSessionFactory;
    static {
        try{
            String resource = "mybatis-config.xml";
            InputStream inputStream = Resources.getResourceAsStream(resource);
            sqlSessionFactory = new SqlSessionFactoryBuilder().build(inputStream);

        }catch (IOException e){
            e.printStackTrace();
        }
    }

    public static SqlSession getSqlSession() {
        return sqlSessionFactory.openSession();
    }
}

2.3 编写代码

  • 实体类

    public class User {
        private int id;
        private String name;
        private String pwd;
    
        @Override
        public String toString() {
            return "User{" +
                    "id=" + id +
                    ", name='" + name + '\'' +
                    ", pwd='" + pwd + '\'' +
                    '}';
        }
    
        public void setId(int id) {
            this.id = id;
        }
    
        public void setName(String name) {
            this.name = name;
        }
    
        public void setPwd(String pwd) {
            this.pwd = pwd;
        }
    
        public int getId() {
            return id;
        }
    
        public String getName() {
            return name;
        }
    
        public String getPwd() {
            return pwd;
        }
    
        public User(int id, String name, String pwd) {
            this.id = id;
            this.name = name;
            this.pwd = pwd;
        }
    
        public User() {
        }
    }
    
  • Dao接口

    public interface UserDao {
        List<User> getUserList();
    }
    
  • 接口实现类

    接口实现类由原来的Impl转换为一个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.zhang.dao.UserDao">
        <select id="getUserList" resultType="com.zhang.pojo.User">
            select * from user
        </select>
    </mapper>
    

2.4 测试

注意点:org.apache.ibatis.binding.BindingException: Type interface com.zhang.dao.UserDao is not known to the MapperRegistry.

MapperRegistry是什么?

核心配置文件中注册mappers

junit测试

   @Test
    public void test(){
        //第一步,获取对象
        SqlSession sqlSession = MybatisUtils.getSqlSession();
        //方式一:getMapper
        UserDao userDao = sqlSession.getMapper(UserDao.class);
        List<User> userList = userDao.getUserList();
        for (User user:userList) {
            System.out.println(user);
        }
        //关闭sqlSession
        sqlSession.close();
    }

可能会遇到的问题:

  1. 配置文件没有注册
  2. 绑定接口错误
  3. 方法名不对
  4. 返回类型不对
  5. Maven导出资源问题

3、CURD

1、namespace

namespace中的包名要和Dao/mapper接口的包名一致!

2、select

选择,查询语句

  • id:就是对应namespace的方法名

  • resultType:Sql语句执行的返回值

  • parameterType:参数类型!

  1. 编写接口

    List<User> getUserList();
    
  2. 编写Mapper,xml中的sql语句

    <select id="getUserList" resultType="com.zhang.pojo.User">
        select * from mybatis.user
    </select>
    
  3. 测试

    public void getUserById() {
        SqlSession sqlSession = MybatisUtils.getSqlSession();
        UserMapper userMapper = sqlSession.getMapper(UserMapper.class);
        User user = userMapper.getUserById(1);
        System.out.println(user);
    }
    

3、insert

<insert id="addUser" parameterType="com.zhang.pojo.User" >
    insert into mybatis.user (id, name, pwd) values (#{id},#{name},#{pwd})
</insert>

4、update

<update id="updateUser" parameterType="com.zhang.pojo.User" >
    update mybatis.user set id=#{id},name=#{name},pwd=#{pwd}   where  id=#{id};
</update>

5、delete

<delete id="deleteUser" parameterType="int" >
    delete from mybatis.user where id = #{id}
</delete>

注意点

  • 增删改要提交事务

6、万能Map

假设,我们的实体类,或者数据库中的表,字段或者参数过多,我们应当考虑使用Map!

int addUser2(Map<String,Object> map);
<insert id="addUser2" parameterType="Map" >
    insert into mybatis.user (id, name, pwd) values (#{userid},#{userName},#{passWord})
</insert>
public void addUser2(){
    SqlSession sqlSession = MybatisUtils.getSqlSession();
    UserMapper userMapper = sqlSession.getMapper(UserMapper.class);
    Map map = new HashMap<String, Object>();
    map.put("userid", 6);
    map.put("userName", "zhangxy");
    map.put("passWord", "49815");
    userMapper.addUser2(map);
    sqlSession.commit();
    sqlSession.close();
}

Map传递参数,直接在sql中取出key即可 【 parameterType="map"】

对象传递参数,直接取对象的属性即可【parameterType="com.zhang.pojo.User"】

只有一个基本类型,直接在sql中可以取到

多个参数用Map,或者注解

7、思考题

模糊查询怎么写?

1、在写java代码的时候,传递通配符“%”

List<User> userList = userMapper.getUserList2("%z%");

2、在sql拼接的时候,传递通配符“%”

<select id="getUserList2" resultType="com.zhang.pojo.User">
    select * from mybatis.user where name like "%"#{value}"%"
</select>

4、配置解析

1、核心配置文件

mybatis-config.xml

MyBatis的配置文件包含了会深深影响MyBatis行为的设置和属性信息

configuration(配置)
properties(属性)
settings(设置)
typeAliases(类型别名)
typeHandlers(类型处理器)
objectFactory(对象工厂)
plugins(插件)
environments(环境配置)
environment(环境变量)
transactionManager(事务管理器)
dataSource(数据源)
databaseIdProvider(数据库厂商标识)
mappers(映射器)

2、配置环境(environments)

MyBatis可以配置成适应多个环境

不过要记住:尽管可以配置多个环境,但SqlSessionFactory实例只能选择一种环境。

学会使用配置多套运行环境!

Mybatis默认事务管理器是JDBC,连接池POOLED

3、属性(properties)

我们可以通过properties属性来引用配置文件

这些属性可以在外部进行配置,并可以进行动态替换。你既可以在典型的 Java 属性文件中配置这些属性,也可以在 properties 元素的子元素中设置。【db.properties】

编写一个配置文件

driver=com.mysql.jdbc.Driver
url=jdbc:mysql://localhost:3306/mybatis?useSSL=true&amp;useUnicode=true&amp;characterEncoding=UTF-8
username=root
password=root

在核心配置文件中引入

<properties resource="db.properties">
    <property name="username" value="root"/>
    <property name="password" value="root"/>
</properties>
  • 可以直接引入外部文件
  • 可以在其增加一些属性配置
  • 如果两个文件中有同一属性,优先使用外部配置文件
  • 核心配置中,标签都是顺序的,properties应放在前面

MyBatis学习笔记

4、类型别名

  • 类型别名可为 Java 类型设置一个缩写名字。
  • 它仅用于 XML 配置,意在降低冗余的全限定类名书写。
<typeAliases>
    <typeAlias type="com.zhang.pojo.User" alias="User"/>
</typeAliases>

也可以指定一个包名,MyBatis 会在包名下面搜索需要的 Java Bean

扫描这个包的别名时,默认别名为类名,首字母小写

<typeAliases>
	<package name="com.zhang.pojo"/>
</typeAliases>

在实体类少的时候,使用第一种

在实体类多的时候,建议使用第二种

第一种可以diy别名,第二种要定义别名,需要通过注解的方式

@Alias("hello")
public class User {

5、设置

这是 MyBatis 中极为重要的调整设置,它们会改变 MyBatis 的运行时行为

MyBatis学习笔记

MyBatis学习笔记

6、其它配置

7、映射器

MapperRegistry:注册绑定我们的Mapper文件

方式一:【推荐使用】

<mappers>
    <mapper resource="com/zhang/dao/UserMapper.xml"/>
</mappers>

方式二:使用class文件绑定注册

<mappers>
    <mapper class="com.zhang.dao.UserMapper"/>
</mappers>

注意点:

  • 接口与配置文件必须同名
  • 接口和配置文件必须在同一个包下

方式三:使用扫描包注入绑定

<mappers>
    <package name="com.zhang.dao"/>
</mappers>

注意点:

  • 接口与配置文件必须同名
  • 接口和配置文件必须在同一个包下

8、生命周期和作用域

MyBatis学习笔记

生命周期和作用域是至关重要的,因为错误的使用会导致非常严重的并发问题

SqlSessionFactoryBuilder

  • 一旦创建了SqlSessionFactory,就不需要它了
  • 局部变量

SqlSessionFactory

  • 数据库连接池
  • SqlSessionFactory 一旦被创建就应该在应用的运行期间一直存在,没有任何理由丢弃它或重新创建另一个实例。
  • 因此 SqlSessionFactory 的最佳作用域是应用作用域
  • 最简单的就是使用单例模式或者静态单例模式

SqlSession

  • 连接到连接池的一个请求

  • SqlSession 的实例不是线程安全的,因此是不能被共享的,所以它的最佳的作用域是请求或方法作用域。

  • 用完之后需要赶紧关闭,否则资源会被占用

    MyBatis学习笔记

这里的每一个Mapper就代表一个具体的业务

5、解决属性名与字段名不一致的问题

1、问题

数据库中的字段

MyBatis学习笔记

新建一个项目,拷贝之前的,测试实体类字段不一致的情况

MyBatis学习笔记

测试出现的问题

MyBatis学习笔记

解决方式

  • 起别名
<select id="getUserById" parameterType="int" resultType="com.zhang.pojo.User">
    select id,name,pwd as password from mybatis.user where id = #{id}
</select>

2、结果集映射

id name pwd
id name password
<resultMap id="UserMap" type="User">
    <result column="id" property="id"/>
    <result column="name" property="name"/>
    <result column="pwd" property="password"/>
</resultMap>
<select id="getUserById" resultMap="UserMap" resultType="User">
    select * from mybatis.user where id = #{id}
</select>
  • resultMap 元素是 MyBatis 中最重要最强大的元素。
  • ResultMap 的设计思想是,对简单的语句做到零配置,对于复杂一点的语句,只需要描述语句之间的关系就行了。
  • ResultMap最优秀的地方在于,如果你对它相当了解,你根本不需要配置它

7、分页

思考:为什么要分页?

  • 减少数据的处理量

7.1 limit分页

使用语法

select * from user limit startIndex,pagesize

使用Mybatis实现分页,核心语法

  1. 接口

    List<User> getUserByLimit(Map<String,Integer> map);
    
  2. Mapper

    <select id="getUserByLimit" parameterType="map" resultMap="UserMap" resultType="User">
        select * from mybatis.user limit #{startIndex},#{pagesize}
    </select>
    
  3. 测试

    public void getUserByLimit(){
        SqlSession sqlSession = MybatisUtils.getSqlSession();
        UserMapper user = sqlSession.getMapper(UserMapper.class);
        HashMap<String, Integer> para = new HashMap<String, Integer>();
            para.put("startIndex", 1);
            para.put("pagesize", 2);
            List<User> userList = user.getUserByLimit(para);
            for(User userItem:userList){
            System.out.println(userItem);
        }
    }
    

7.2、RowBounds分页

不再使用Sql分页

  1. 接口

    List<User> getUserByRowBounds();
    
  2. Mapper

    <select id="getUserByRowBounds" resultMap="UserMap">
        select * from mybatis.user
    </select>
    
  3. 测试

    public void getUserByRowBounds(){
            SqlSession sqlSession = MybatisUtils.getSqlSession();
            RowBounds rowBounds = new RowBounds(1, 2);
            List<User> userList = sqlSession.selectList("com.zhang.dao.UserMapper.getUserByRowBounds", null, rowBounds);
            for (User user : userList) {
                System.out.println(user);
            }
            sqlSession.close();
        }
    

7.3分页插件

MyBatis学习笔记

MyBatis 分页插件 PageHelper

了解即可,万一以后公司的架构,说要使用,需要知道这个是什么东西!

8、注解

8.1、面向接口编程

8.2、使用注解开发

  1. 注解在接口上实现
@Select("select * from user")
List<User> getUserList();
  1. 需要在核心配置文件中绑定注解接口
<mapper class="com.zhang.dao.UserMapper"/>
  1. 测试

    public void getUserList(){
        SqlSession sqlSession = MybatisUtils.getSqlSession();
        //底层使用的反射
        UserMapper userMapper = sqlSession.getMapper(UserMapper.class);
        List<User> userList = userMapper.getUserList();
        for (User user : userList) {
            System.out.println(user);
        }
        sqlSession.close();
    }
    

本质:反射机制实现

底层:动态代理

8.3、 CURD

我们可以在工具类创建的时候实现自动提交事务

public static SqlSession getSqlSession() {
    return sqlSessionFactory.openSession(true);
}

编写接口,增加注解。要将接口绑定配置在核心配置文件中!

    @Select("select * from user")
    List<User> getUserList();

    @Select("select * from user where id = #{id}")
    User getUserById(@Param("id") int id);

    @Insert("insert into user(id,name,pwd) values(#{id},#{name},#{password})")
    int addUser(User user);

    @Update("update user set name = #{name},pwd = #{password} where id = #{id}")
    int updateUser(User user);

    @Delete("delete from user where id = #{uid}")
    int deleteUser(@Param("uid") int id);

测试类

		SqlSession sqlSession = MybatisUtils.getSqlSession();
        //底层使用的反射
        UserMapper userMapper = sqlSession.getMapper(UserMapper.class);

        userMapper.updateUser(new User(7, "王九", "151853"));

        userMapper.deleteUser(7);

//        userMapper.addUser(new User(7, "王六", "484848"));

//        User user = userMapper.getUserById(2);
//        System.out.println(user);

//        List<User> userList = userMapper.getUserList();
//        for (User user : userList) {
//            System.out.println(user);
//        }
        sqlSession.close();

关于@Param()注解

  • 基础类型的参数或String类型,需要加上
  • 引用类型不需要加
  • 如果只有一个基本类型的话,可以不加,但建议加
  • 在sql引用的,是@Param()定义的名称

9、LomBok

简介:

Project Lombok is a java library that automatically plugs into your editor and build tools, spicing up your java.
Never write another getter or equals method again, with one annotation your class has a fully featured builder, Automate your logging variables, and much more.

使用步骤:

  1. 在IDEA中安装Lombok插件包

  2. 在项目中导入lombok的jar包

            <dependency>
                <groupId>org.projectlombok</groupId>
                <artifactId>lombok</artifactId>
                <version>1.18.10</version>
            </dependency>
    
  3. 在实体类中添加注解

@Getter and @Setter
@FieldNameConstants
@ToString
@EqualsAndHashCode
@AllArgsConstructor, @RequiredArgsConstructor and @NoArgsConstructor
@Log, @Log4j, @Log4j2, @Slf4j, @XSlf4j, @CommonsLog, @JBossLog, @Flogger, @CustomLog
@Data
@Builder
@SuperBuilder
@Singular
@Delegate
@Value
@Accessors
@Wither
@With
@SneakyThrows

@Data 无参构造,get,set,toString,Hashcode,equals

@AllArgsConstructor 有参构造

@NoArgsConstructor 无参构造

10、多对一处理

测试环境搭建

  1. 导入lombok
  2. 新建实体类Teacher、Student
  3. 建立Mapper接口
  4. 建立Mapper.xml文件
  5. 在核心配置文件中绑定注册我们的Mapper接口或者文件!【方式很多,随心选】
  6. 测试查询能否成功
CREATE TABLE `teacher`(
`id` INT(10) NOT NULL,
`name` VARCHAR(30) DEFAULT NULL,
PRIMARY KEY (`id`)
)ENGINE = INNODB DEFAULT CHARSET = utf8;

insert into `teacher` (`id`,`name`) values(1, "张老师");

CREATE TABLE `student`(
`id` INT(10) NOT NULL,
`name` VARCHAR(30) DEFAULT NULL,
`tid` INT(10) DEFAULT NULL,
PRIMARY KEY (`id`),
KEY `fktid`(`tid`),
CONSTRAINT `fktid` FOREIGN KEY (`tid`) REFERENCES `teacher` (`id`)
)ENGINE = INNODB DEFAULT CHARSET = utf8;

INSERT INTO `student` (`id`,`name`,`tid`) values (1,"张三",1);
INSERT INTO `student` (`id`,`name`,`tid`) values (2,"李四",1);
INSERT INTO `student` (`id`,`name`,`tid`) values (3,"王五",1);
INSERT INTO `student` (`id`,`name`,`tid`) values (4,"赵六",1);
INSERT INTO `student` (`id`,`name`,`tid`) values (5,"宋七",1);

按照查询嵌套处理

    <select id="getStudentList" resultMap="studentTeacher">
        select * from student
    </select>
    <resultMap id="studentTeacher" type="Student">
        <result property="id" column="id"/>
        <result property="name" column="name"/>
        <!--复杂的属性,我们需要单独处理
        对象:assoaciation
        集合:collection
        --> 
        <association property="teacher" column="tid" javaType="com.zhang.pojo.Teacher" select="getTeacher"/>
    </resultMap>

    <select id="getTeacher" resultType="Teacher">
        select * from teacher where id = #{tid}
    </select>

按结果集嵌套处理

    <select id="getStudentList2" resultMap="studentTeacher2">
        select s.id sid,s.name sname,t.name tname from student s,teacher t where s.tid = t.id
    </select>
    <resultMap id="studentTeacher2" type="Student">
        <result property="id" column="sid"/>
        <result property="name" column="sname"/>
        <association property="teacher" javaType="com.zhang.pojo.Teacher">
            <result property="name" column="tname"/>
        </association>
    </resultMap>

11、一对多

  1. 环境搭建

    实体类

    public class Student {
        int id;
        String name;
        int tid;
    }
    
    public class Teacher {
        int id;
        String name;
        List<Student> studentList;
    }
    

按照结果嵌套处理

<select id="getTeacherById" resultMap="TeacherStudent">
        select s.id sid,s.name sname,t.id tid,t.name tname from student s,teacher t where t.id = s.tid and t.id = #{id}
    </select>
    <resultMap id="TeacherStudent" type="Teacher">
        <result property="id" column="tid"/>
        <result property="name" column="tname"/>
        <collection property="studentList" ofType="com.zhang.pojo.Student">
            <result property="id" column="sid"/>
            <result property="name" column="sname"/>
            <result property="tid" column="tid"/>
        </collection>
    </resultMap>

按照查询嵌套处理

 <select id="getTeacherById2" resultMap="TeacherStudent2">
        select * from teacher where id = #{id}
    </select>
    <resultMap id="TeacherStudent2" type="Teacher">
        <collection property="studentList" column="id" javaType="ArrayList" ofType="Student" select="getStudentList"/>
    </resultMap>
    <select id="getStudentList" resultType="Student">
        select * from student where tid = #{id}
    </select>

小结

  1. 关联 association 【一对多】

  2. 集合 collection 【多对一】

  3. JavaType & ofType

    1. JavaType 用来指定实体类中属性的类型
    2. ofType 用来指定映射到List或者集合中的pojo类型,泛型中的约束类型

注意点

  • 保证Sql的可读性,尽量保证通俗易懂

面试高频

  • MySql引擎类型
  • InnoDB底层原理
  • 索引
  • 索引优化

12、动态Sql

什么是动态Sql,动态Sql就是通过不同的条件,动态生成不同的Sql

利用动态 SQL,可以彻底摆脱这种痛苦

如果你之前用过 JSTL 或任何基于类 XML 语言的文本处理器,你对动态 SQL 元素可能会感觉似曾相识。在 MyBatis 之前的版本中,需要花时间了解大量的元素。借助功能强大的基于 OGNL 的表达式,MyBatis 3 替换了之前的大部分元素,大大精简了元素种类,现在要学习的元素种类比原来的一半还要少。

if
choose (when, otherwise)
trim (where, set)
foreach
CREATE TABLE `blog` (
`id` VARCHAR(50) NOT NULL COMMENT '博客ID',
`title` VARCHAR(100) NOT NULL COMMENT '博客标题',
`author` VARCHAR(100) NOT NULL COMMENT '博客作者',
`create_time` datetime NOT NULL COMMENT '创建时间',
`views` INT(30) NOT NULL COMMENT '浏览量'
)ENGINE =INNODB DEFAULT CHARSET=utf8

创建一个基础工程

  1. 导包

  2. 编写配置文件

  3. 编写实体类

    @Data
    @AllArgsConstructor
    public class Blog {
        private String id;
        private String title;
        private String author;
        private Date createTime;
        private int views;
    }
    
  4. 编写实体类对应Mapper接口和Mapper.xml文件

    public interface BlogMapper {
        int addBlog(Blog blog);
    
        List<Blog> getList(Map map);
    }
    
        <select id="getList" parameterType="map" resultType="Blog">
            select * from blog where 1=1
            <if test="title != null">
                and title = #{title}
            </if>
            <if test="author != null">
                and author = #{author}
            </if>
        </select>
    
  5. 测试

IF

    <select id="getList" parameterType="map" resultType="Blog">
        select * from blog
        <where>
            <if test="title != null">
                title = #{title}
            </if>
            <if test="author != null">
                and author = #{author}
            </if>
        </where>
    </select>

choose

    <select id="queryBlogChoose" resultType="Blog" parameterType="map">
        select * from blog
        <where>
            <choose>
                <when test="title != null">
                    title = #{title}
                </when>
                <when test="author != null">
                    and author = #{title}
                </when>
                <otherwise>
                    and views = #{views}
                </otherwise>
            </choose>
        </where>
    </select>

trim(where,set)

    <update id="updateBlog" parameterType="Blog">
        update blog
        <set>
            <if test="title != null">
                title = #{title},
            </if>
            <if test="author != null">
                author = #{author},
            </if>
        </set>
        where id = #{id}
    </update>


tirm动态SQL
https://www.cnblogs.com/waterystone/p/7070836.html

所谓动态SQL,本质还是SQL语句,只是通过逻辑去实现SQL代码

if

where, set, choose, when

SQL片段

有的时候,我们可能会将一部分SQL抽取出来,实现复用!

  1. 使用SQL标签抽取公共部分

        <sql id="sql-title-author">
            <if test="title != null">
                title = #{title}
            </if>
            <if test="author != null">
                and author = #{author}
            </if>
        </sql>
    
  2. 在需要使用的地方Include标签引用即可

        <select id="getList" parameterType="map" resultType="Blog">
            select * from blog
            <where>
                <include refid="sql-title-author">
                </include>
            </where>
        </select>
    

注意事项:

  • 最好基于单表来定义SQL片段!
  • 不要存在where标签!

Foreach

select * from user where 1=1 and (id = 0 or id = 1 or id = 2)
<foreach item="id" collection="ids" open=")" separator="or" close=")">
	#{id}
</foreach>
<select id="queryBlogForeach" parameterType="map" resultType="Blog">
        select * from blog
        <where>
            <foreach collection="ids" item="id" open=" and (" separator=" or " close=")">
                id = #{id}
            </foreach>
        </where>
    </select>

动态sql就是在搭接sql语句,我们只要保证SQL的正确性,按照SQL的格式,去排列组合就可以了

建议:

先在Mysql中写出完整的SQL,再对应的去修改成为我们的动态SQL实现通用即可!

13、缓存

1、一级缓存(默认开启)

在本次SqlSession会话中有效,通常web服务,都是连接开启缓存,断开即失。

查询一次之后将会被缓存

增删改查后,会刷新缓存

sqlSession.clearCache(); 手动清理缓存

2、二级缓存

  • 二级缓存也称全局缓存,一级缓存作用域太低,所以诞生了二级缓存
  • 基于namespace级别的缓存,一个命名空间,对应一个二级缓存
    • 一个会话查询出的缓存存储在一级缓存
    • 当前会话关闭,则一级缓存会失效,但一级缓存会转存至二级缓存
    • 新增的会话查询,就可以直接查询到二级缓存
    • 不同mapper的缓存对应不同的缓存(map)中

步骤

  1. 开启缓存(在核心配置文件配置)

    <!--显示的开启全局缓存-->
    <setting name="cacheEnabled" value="true"/>
    
  2. 要在使用的二级缓存中开启(在Mapper中配置)

        <!--在mapper中开启二级缓存-->
        <cache/>
    

    也可以自定义一些参数

        <!--在mapper中开启二级缓存 FIFO缓存策略,flushInterval缓存刷新时间,size缓存大小,readOnly是否只读-->
        <cache eviction="FIFO"
               flushInterval="60000"
               size="512"
               readOnly="true"
        />
    
  3. 测试

    org.apache.ibatis.cache.CacheException: Error serializing object.
    
    1. 问题,我们需要将实体类序列化,否则会报错!

      public class User implements Serializable {
      
  4. 小结

    只要开启了二级缓存,在同一个mapper中就有效

上一篇:模糊查询防止sql注入


下一篇:Mybatis学习笔记【part07】缓存机制