SSM—3.Mybatis

1.Mybatis介绍

MyBatis 本是apache的一个开源项目iBatis, 2010年这个项目由apache software foundation 迁移到了google code,并且改名为MyBatis 。2013年11月迁移到Github。

iBATIS一词来源于"internet"和"abatis"的组合,是一个基于Java的持久层框架。iBATIS提供的持久层框架包括SQL Maps和Data Access Objects(DAOs)

MyBatis 是一款优秀的持久层框架,它支持定制化 SQL、存储过程以及高级映射。MyBatis 避免了几乎所有的JDBC 代码和手动设置参数以及获取结果集。MyBatis 可以使用简单的 XML 或注解来配置和映射原生信息,将接口和 Java 的 POJOs(Plain Ordinary Java Object,普通的 Java对象)映射成数据库中的记录。

2.搭建Mybatis

2.1.添加驱动包(mysql.jar和mybatis的jar包)

        <!--mybatis依赖包-->
        <dependency>
            <groupId>org.mybatis</groupId>
            <artifactId>mybatis</artifactId>
            <version>3.4.6</version>
        </dependency>

        <!--mysql驱动包-->
        <dependency>
            <groupId>mysql</groupId>
            <artifactId>mysql-connector-java</artifactId>
            <version>5.1.40</version>
        </dependency>

2.2.添加配置文件:src/mybatis-config.xml

连接数据库的配置文件的作用:

  • (1).指定连接数据库的url,username,password,driver
  • (2).由框架自动获取连接
  • (3).指定了事务的管理对象

配置文件中default要和id值相同,default表示默认访问环境,但是也可以自己指定使用哪个id数据源,代码如下:

SqlSession session=
new SqlSessionFactoryBuilder().build(r,"a2").openSession();
<?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>   

 <!--连接数据库的环境,default="环境的id"-->
    <environments default="a1">
        <environment id="a1">
            <transactionManager type="JDBC"/>
            <dataSource type="POOLED">
                <property name="driver" value="com.mysql.jdbc.Driver"/>
                <property name="url" value="jdbc:mysql://localhost:3306/springmvc?useUnicode=true&amp;characterEncoding=utf-8"/>
                <property name="username" value="root"/>
                <property name="password" value="123456"/>
            </dataSource>
        </environment>
    </environments>
    <!-- 指定maper文件的路径(maven项目从resources源文件夹下找资源)-->
    <mappers>
        <!--<mapper resource="包名/mapper文件名"/>-->
        <mapper resource="StudentMapper.xml"/>
    </mappers>
</configuration>

 2.3.创建实体类和接口类

i尽可能 实体类属性名=表列名

 2.4.添加mapper文件

注:在mapper文件中保存sql语句

<mapper namespace="接口的完整路径">
    <insert id="方法名" parameterType="参数类型">
    //sql
    </insert>
    <select id="方法名" resultType="查询后的返回值类型">
        //sql语句---注:sql语句没有分号
    </select>
</mapper>

示例: 

<!--namespace="接口的完整路径"-->
<mapper namespace="com.yhp.dao.StudentDao">
     <!--id="方法名"-->
     <select id="getall" resultMap="com.yhp.bean.Student">
         select * from student
     </select>
    <!--增删改返回的是收影响的行数,不需要配置resultType,parameterType参数类型-->
    <insert id="insertStudent" parameterType="com.yhp.bean.Student" useGeneratedKeys="true" keyProperty="studentId">
        insert into student(studentno,stuname) values(#{studentNo},#{stuName})
    </insert>
</mapper>

 2.5.修改mybatis的配置文件,让该配置文件知道mapper文件的存在

<!-- 指定maper文件的路径(maven项目从resources源文件夹下找资源)-->
<mappers>
    <mapper resource="StudentMapper.xml"/>
    <mapper resource="WifeMapper.xml"></mapper>
</mappers>

 2.6.获得SqlSession,通过该对象进行数据的操作

//1.加载配置文件
Reader r=Resources.getResourceAsReader("mybatis-config.xml");
//2.创建SqlSessionFactoryBuilder对象
SqlSessionFactoryBuilder builder= new SqlSessionFactoryBuilder();
//3.得到session工厂
SqlSessionFactory factory=builder.build(r);
//4.得到session
SqlSession session= factory.openSession();
//5.调取sql语句,insert("方法的完整路径"),路径=namespace+id
int rs=session.insert("dao.EmpDao.insertEmp",e);
session.commit();//增删改需要这样手动提交事务
 //6.关闭资源
session.close();
reader.close();

示例:

public class Test1 {
    public static void main(String[] args) {
        try {
            //1.加载配置文件
            Reader reader = Resources.getResourceAsReader("mybatis.xml");
            //2.得到sqlSessionFactoryBuilder
            SqlSessionFactoryBuilder builder = new SqlSessionFactoryBuilder();
            SqlSessionFactory build = builder.build(reader);
            //3.得到SqlSession
            SqlSession session = build.openSession();
            //4.操作sql
            //方法参数是被调取的sql的完整路径=namespace+id
            List<Student> list = session.selectList("com.yhp.dao.StudentDao.getall");
            //5.遍历
            for (Student student : list) {
                System.out.println(student);
            }
            //6.关闭资源
            session.close();
            reader.close();
        } catch (IOException e) {
            e.printStackTrace();
        }
    }
}

2.7 配置多数据源以及数据源切换

修改mybaits.xml文件,添加其余数据源

<!--连接数据库的环境,default="环境的id"-->
<environments default="a1">
    <environment id="a1">
        <transactionManager type="JDBC"/>
        <dataSource type="POOLED">
            <property name="driver" value="com.mysql.jdbc.Driver"/>
            <property name="url" value="jdbc:mysql://localhost:3306/hunan"/>
            <property name="username" value="root"/>
            <property name="password" value="123456"/>
        </dataSource>
    </environment>
    <environment id="a2">
        //...
    </environment>
</environments>

当前默认是a1数据源,如何实时切换到a2数据源

//调用工程时添加数据源参数,切换到a2数据源
SqlSessionFactory build = builder.build(reader,"a2");

 

3.Mybatis实现CRUD

3.1 mapper文件中参数的读取

  • 单个基本类型参数或 String 类型:
    • mapper读取参数:#{参数名(也可以是自定义名称)}
       <!--id=调用的接口的对应方法,parameterType=参数类型,resultType=返回值类型-->
      <select id="findById" parameterType="int" resultType="com.yhp.bean.Student">
          select * from student where studentid=#{id}
      </select>
      
      //Test2,4.操作sql
      //selectOne()查询一条数据
      //方法参数是(被调取的sql的完整路径=namespace+id,sql参数值),id=3
      Student o = session.selectOne("com.yhp.dao.StudentDao.findById", 3);

       

  • 参数类型为对象类型时,读取参数的语法: #{对象中的属性名}
    • insert,delete,update,select中的resultType参数可以省略
      <!--增删改返回的是收影响的行数,不需要配置resultType-->
      <insert id="insertStudent" parameterType="com.yhp.bean.Student">
          insert into student(studentno,stuname) values(#{studentNo},#{stuName})
      </insert>
      
      //Test3,4.操作sql
      Student student = new Student();
      student.setStudentNo("s00114");
      student.setStuName("谢大脚4");
      int insert = session.insert("com.yhp.dao.StudentDao.insertStudent", student);
      session.commit();//增删改需要提交事务,自动开启事务

       

  • 多个参数值的情况
    • 将参数封装到map集合中,再将map集合传递给mapper文件
    • 取值的时候,#{map的key值}
      <!--public int insertStudent2(String name,String stuno);//错误,只能有一个参数
          public int insertStudent3(Map map);//正确
          单参数情况下,parameterType的值只要是引用类型都可以-->
      <insert id="insertStudent3" parameterType="com.yhp.bean.Student">
          insert into student(studentno,stuname) values(#{sno},#{sname})
      </insert>
      
      //Test4,4.操作sql
      Map map=new HashMap();
      map.put("sno","sno001");
      map.put("sname","广坤1");
      int insert = session.insert("com.yhp.dao.StudentDao.insertStudent3",map);
      session.commit();

       

  • 处理结果没有和实体类做对应的时候,可以返回map类型
    <select id="jisuan" resultType="map">

    示例: 

    <!-- public Map find();-->
    <select id="find" resultType="map">
        select max(studentid) max,min(studentid) min,avg(studentid) avg from student
    </select>
    
    //Test5,4.操作sql
    Map map = session.selectOne("com.yhp.dao.StudentDao.find");
    Set<Map.Entry> entrySet = map.entrySet();
    for (Map.Entry o : entrySet) {
        System.out.println(o);
    }

    处理多个聚合函数:使用map作为方法的返回值,默认key是列名

  • 在做查询时,如果需要将查询的结果和实体类属性自动对应的话,要求:属性名=列名
    • 添加:session.insert("namespace+id"[,传递给sql的参数值]);
    • 修改:session.update("namespace+id"[,传递给sql的参数值]);
    • 删除:session.delete("namespace+id"[,传递给sql的参数值]);
    • 单行:session.selectOne("namespace+id"[,传递给sql的参数值]);
    • 多行:session.selectList("namespace+id"[,传递给sql的参数值]);

3.2 注意:

  • 增删改的时候需要提交事务
    • session.commit();
    • session.rollback();
  • 查询的时候要添加resultType属性

 3.3 插入数据库乱码问题解决

<property name="url" value="jdbc:mysql://localhost:3306/springmvc?useUnicode=true&amp;characterEncoding=utf-8"/>

3.4 推荐:调试接口和mapper.xml文件的插件

4.省略实现类

Reader r=Resources.getResourceAsReader("mybatis.xml");
SqlSession session=
new SqlSessionFactoryBuilder().build(r).openSession();
//参数是接口的class类
StudentDao dao=session.getMapper(StudentDao.class);
public class TestDao {
    public static void main(String[] args) {
        try {
            //1.获得sqlSession对象
            Reader reader = Resources.getResourceAsReader("mybatis.xml");
SqlSession session = new SqlSessionFactoryBuilder().build(reader).openSession();
            //2.得到要调用的方法,参数是接口的class类
            StudentDao studentDao = session.getMapper(StudentDao.class);
            List<Student> studentList = studentDao.getall();
            for (Student student : studentList) {
                System.out.println(student);
            }
            //3.关闭资源
            session.close();
            reader.close();
        } catch (IOException e) {
            e.printStackTrace();
        }
    }
}

 

5.ThreadLocal处理sqlSession

5.1 ThreadLocal概念

介绍:ThreadLocal是什么呢?其实ThreadLocal并非是一个线程的本地实现版本,它并不是一个Thread,而是threadlocalvariable(线程局部变量)。也许把它命名为ThreadLocalVar更加合适。线程局部变量(ThreadLocal)其实的功用非常简单,就是为每一个使用该变量的线程都提供一个变量值的副本,是Java中一种较为特殊的线程绑定机制,是每一个线程都可以独立地改变自己的副本,而不会和其它线程的副本冲突。

5.2 示例:

public class TestThread {
    private ThreadLocal<String> threadLocal=new ThreadLocal<String>();
    private List<String> list=new ArrayList<String>();
    class A extends  Thread{
        @Override
        public void run() {
           //存值
            System.out.println("A线程开始存值");
            threadLocal.set("thread内容");
            list.add("list内容");
            System.out.println("A---threadLocal="+threadLocal.get());
        }
    }
    class B extends  Thread{
        @Override
        public void run() {
            //  取值
            try {
                Thread.sleep(2000);
            } catch (InterruptedException e) {
                e.printStackTrace();
            }
            System.out.println("B线程取数据");
            System.out.println("b---threadLocal="+threadLocal.get());
            System.out.println("list="+list.get(0));
        }
    }

    public static void main(String[] args) {
        TestThread testThread = new TestThread();
        TestThread.A a=testThread.new A();
        TestThread.B b=testThread.new B();
        a.start();
        b.start();
    }
}

 输出结果:

结论:普通存值实现线程共享,ThreadLocal实现线程独立

 

5.3 SessionUtil类:

public class SqlSessionUtil {
    private static ThreadLocal<SqlSession>threadLocal=new ThreadLocal<SqlSession>();
    private static SqlSessionFactory sqlSessionFactory;
    /**
     * 加载配置文件
     */
    static {
        try {
            Reader resourceAsReader = Resources.getResourceAsReader("mybatis.xml");
            sqlSessionFactory= new SqlSessionFactoryBuilder().build(resourceAsReader,"a2");
        } catch (IOException e) {
            e.printStackTrace();
        }
    }
    /**
     * 获取SqlSession
     * @return
     */
    public static SqlSession getSession(){
        //从当前线程获取
        SqlSession session = threadLocal.get();
        if(session==null){
            session = sqlSessionFactory.openSession();
            //将sqlSession与当前线程绑定
            threadLocal.set(session);
        }
        return session;
    }
    /**
     * 关闭Session
     */
    public static void closeSession(){
        //从当前线程获取
        SqlSession session = threadLocal.get();
        if(session!=null){
            session.close();
            threadLocal.remove();
        }
    }
}

6.给类起别名

//mybatis.xml
<typeAliases>
    <!--给类起别名-->
  <!--  <typeAlias type="com.yhp.bean.Student" alias="student"></typeAlias>-->
    <!--指定哪些包的类可以使用别名,默认别名:类名首字母小写(实际使用的时候,全部小写也可以做结果映射) -->
    <package name="com.yhp.bean"></package>
</typeAliases>

//StudentMapper.xml
<select id="getall" resultMap="student">
         select * from student
</select>

7.获得新增数据的id

适用于可以自增的主键列上

<insert useGeneratedKeys="true" keyProperty="userid">

示例: 

<!--useGeneratedKeys="true" keyProperty="studentId" 将自增的studentId映射到student参数的studentId属性上-->
<insert id="insertStudent" parameterType="com.yhp.bean.Student" useGeneratedKeys="true" keyProperty="studentId">
    insert into student(studentno,stuname) values(#{studentNo},#{stuName})
</insert>

8.log4j显示sql语句

log4j 日志记录

步骤一: 添加jar包

          <!--log4j依赖包-->
        <dependency>
            <groupId>org.slf4j</groupId>
            <artifactId>slf4j-api</artifactId>
            <version>1.7.5</version>
        </dependency>
        <dependency>
            <groupId>org.slf4j</groupId>
            <artifactId>slf4j-log4j12</artifactId>
            <version>1.7.12</version>
        </dependency>
        <dependency>
            <groupId>log4j</groupId>
            <artifactId>log4j</artifactId>
            <version>1.2.17</version>
        </dependency>

步骤二:添加log4j.properties文件

#日志级别DEBUG,输出位置Console
log4j.rootLogger=DEBUG, Console 
log4j.appender.Console=org.apache.log4j.ConsoleAppender  
log4j.appender.Console.layout=org.apache.log4j.PatternLayout 
#输出格式
log4j.appender.Console.layout.ConversionPattern=%d [%t] %-5p [%c] - %m%n  

log4j.logger.java.sql.ResultSet=INFO  
log4j.logger.org.apache=INFO  
#状态连接级别
log4j.logger.java.sql.Connection=DEBUG  
#状态通道级别
log4j.logger.java.sql.Statement=DEBUG  
#预状态通道级别
log4j.logger.java.sql.PreparedStatement=DEBUG   

9.Mybatis复杂查询

9.1 in 查询

foreach标签中属性说明:

  • item 表示集合中每一个元素进行迭代时的别名,等同于c 标签中的var
  • index 指定一个名字,用于表示在迭代过程中,每次迭代到的位置,可以不写
  • open 表示该语句以什么开始,
  • separator 表示在每次进行迭代之间以什么符号作为分隔符,
  • close 表示以什么结束,

注意:在使用foreach 的时候最关键的也是最容易出错的就是collection 属性,

  • collection该属性是必须指定的
  • list 时取值list,数组时取值array,map 时取值map 的key 值

(1)参数是list

//dao
public List<Student> finda(List list);
//mapper.xml
<select id="finda" resultType="student">
   select * from student where studentid in
    <foreach collection="list" item="sid" open="(" close=")" separator=",">
        #{sid}
    </foreach>
</select>
//测试
 SqlSession session = SqlSessionUtil.getSession();
 StudentDao2 studentDao2 = session.getMapper(StudentDao2.class);
 List list=new ArrayList();
 list.add(1);
 list.add(3);
 list.add(5);
 list.add(7);
 List<Student> students = studentDao2.finda(list);
 SqlSessionUtil.closeSession();

注意:parameterType 的值可以省略

(2)参数是数组

//dao
public List<Student> findb(int[] ids);
//mapper.xml
<select id="findb" resultType="student">
    select * from student where studentid in
    <foreach collection="array" item="sid" open="(" close=")" separator=",">
        #{sid}
    </foreach>
</select>
//测试 
 SqlSession session = SqlSessionUtil.getSession();
  StudentDao2 studentDao2 = session.getMapper(StudentDao2.class);
  int[] ids=new int[]{1,3,5,7};
  List<Student> students = studentDao2.findb(ids);
  SqlSessionUtil.closeSession();

 注意:parameterType 的值可以省略

(3)参数Map

//dao
public List<Student> findc(Map map);
//mapper
<select id="findc" resultType="student">
    select * from student where studentid in
    <foreach collection="ids" item="sid" open="(" close=")" separator=",">
        #{sid}
    </foreach>
</select>
//测试
SqlSession session = SqlSessionUtil.getSession();
StudentDao2 studentDao2 = session.getMapper(StudentDao2.class);
Map map=new HashMap();
List list=new ArrayList();
list.add(1);
list.add(3);
list.add(5);
list.add(7);
map.put("ids",list);
List<Student> students = studentDao2.findc(map);
SqlSessionUtil.closeSession();

 注意:parameterType 的值可以省略

传的值:

  • Map map=new HashMap();
  • map.put("keya", list1);

9.2 模糊查询

(1)模糊查+分页

如果传递的参数是多个时?------使用Map 集合

  • String sql;
  • StringBuffer sql;//动态sql的保存

(2)动态sql

模糊查询:

<if test="属性名!=属性值">
    and ename like '${属性名}'
</if>

注意:

  • test属性中读取属性值时直接写属性名
  • 模糊查询读取属性时使el 表达式,${属性名}
  • 除以上位置外,都使用#{属性名}
  • 多个条件时使用and,or 拼接
  • 如果传递过来的是map类型,则test属性中写的是key

#{}:相当于占位符

#{id}:其中的id可以表示输入参数的名称,如果是简单类型名称可以任意

${}:表示拼接sql语句

value: 表 示 获 取 输 入 的 参 数 值 {}会引起SQL注入,一般情况下不推荐使用。

示例:

<if test="ename!=null and ename!=''">
    and ename like '%${属性名}%'
</if>
或者(推荐):
    and sname like "%"#{username}"%"
或者:
    sname like concat(concat('%',#{username}),'%')

示例:

   <!--public List<Student> findd(Map map);-->
    <select id="findd" resultType="student">
         select * from student where 1=1
         <if test="stuname!=null and stuname !=''">
             and  stuname like "%"#{stuname}"%"
         </if>
        <if test="sno!=null and sno!=''">
             and studentno=#{sno}
        </if>
    </select>
    <!--public List<Student> finde(Student stu);-->
    <select id="finde" resultType="student">
        select * from student where 1=1
        <if test="stuName!=null and stuName !=''">
            and  stuname like "%"#{stuName}"%"
        </if>
        <if test="studentNo!=null and studentNo!=''">
            and studentno=#{studentNo}
        </if>
    </select>
        Map map=new HashMap();
        map.put("stuname","张");
        map.put("sno","s1101");
        List<Student> students = studentDao2.findd(map)

9.3 区间查询

  • between 开始值 and 结束值
  • 列名 >=开始时间 and 列名<=结束时间
<if test="stu.endTime!=null and stu.endTime!=''">
    and regdate <![CDATA[ <= ]]> #{stu.endTime}
</if>

示例: 

<select id="findf" resultType="student">
    <!--select * from student where studentid between  #{begin} and #{end}-->
    /*  <![CDATA[ <= ]]>表示使"小于等于"正确编译,xml默认小于号为开始尖括号    */
    select * from student where studentid>=#{begin} and studentid   <![CDATA[ <= ]]>  #{end}
</select>
Map map=new HashMap();
map.put("begin",1);
map.put("end",5);
List<Student> students = studentDao2.findf(map);

 

9.4 resultMap

(1)处理单表关系(属性名!= 表名)

通过给列起别名,让别名=属性名,也可以实现数据对应

  • resultType="指定返回值的类型"
    • 当列名和属性名一致时使用
  • resultMap = 所需resultMap标签的id值
    • 1.当列名和属性名不一致
    • 2.做多表查询时
  • mybatis 能实现的是单标的自动操作
<mapper namespace="com.yhp.dao.GradeDao">
    <resultMap id="rs2" type="com.yhp.bean.Grade">
        <!--可以手动指定列名和属性名的关系,先描述自身的信息,然后描述关联表的信息,id表述主键列,非主键列使用result描述-->
        <id column="gid" property="gid"></id>
        <result column="gname" property="gname"></result>
        <collection property="studentList" ofType="com.yhp.bean.Student">
            <id column="studentid" property="studentId"></id>
            <result column="stuname" property="stuName"></result>
            <result column="studentno" property="studentNo"></result>
            <result column="stuage" property="age"></result>
        </collection>
    </resultMap>
   <select id="findbyGid" resultMap="rs2">
      select * from grade g,student s
      where s.gradeid=g.gid and g.gid=#{id}
   </select>
</mapper>

(2)处理多表关系

两表联查:一对多和多对一

注:

  • 如果是单表查询,select 中使用resultType 设置返回的类型即可
  • 但是如果是多表联查,那么select 查询的结果需要单独使用resultMap 标签来进行结果的映射
  • 存的是集合的话使用Collection 子标签 和 ofType="Java类型">
  • 存的是一方的话使用association 子标签 和 javaType="Java类型"
  • resultType 和resultMap 属性只能出现一个

格式:

一对多:

<resultMap type="" id="自定义名称">
    <id property="id" column="dept_id" /><!--主键列-->
    <result property="java 属性名" column="列名" />
    <collection property="属性名" ofType="java 类型">
        <id property="属性名" column="列名" />
        <result property="属性名" column="列名" />
    </collection>
</resultMap>

多对一:

<resultMap type="" id="">
    <id property="" column="" />
    <result property="" column="" />
    <association property="" javaType="">
        <id property="" column="" />
        <result property="" column="" />
    </association>
</resultMap>

JavaType和ofType都是用来指定对象类型的,但是JavaType是用来指定pojo中属性的类型,而ofType指定的是映射到list集合属性中pojo的类型。

注意:

  • 增加mapper.xml文件别忘记在mybatis.xml中指定路径
  • 多表联查使用resultMap标签所有属性都要写上去,无论属性名是否与列明相同
  • 多对多就是两个多对一,在各自实体类添加对方的集合
  • 关于中间类,如果中间表全是两表的信息就不用建中间类,如果有其余的信息就要建

 

10.pageHelper分页

sql 语句只需要查询数据,不实现分页代码

方式1:内存分页(逻辑分页)

Mybatis使用RowBounds对象进行分页,它是针对ResultSet结果集执行的内存分页,而非物理分页。可以在sql内直接书写带有物理分页的参数来完成物理分页功能,也可以使用分页插件来完成物理分页。

优缺点

  • 物理分页每次都要访问数据库,逻辑分页只访问一次
  • 物理分页占用内存少,逻辑分页相对较多
  • 物理分页数据每次都是最新的,逻辑分页有可能滞后

rowBounds实现分页:

SqlSession sqlSession = 
new SqlSessionFactoryBuilder().build(Resources.getResourceAsReader("mybatis-config.xml"))
    .openSession();
//null指dao方法没有参数,rowBounds(开始位置下标,显示条数)
List<Users> usersList = 
    sqlSession.selectList("com.yhp.dao.UsersDao.findall",null, new RowBounds(0,3));

for (Users users : usersList) {
    System.out.println(users.getUsername());
}

sql语句:

<select id="findall" resultType="com.yhp.bean.Users">
    select * from users
</select>

方式2:使用分页插件(物理分页)

分页插件的基本原理是使用Mybatis提供的插件接口,实现自定义插件,在插件的拦截方法内拦截待执行的sql,然后重写sql,根据dialect方言,添加对应的物理分页语句和物理分页参数。

示例:

<select id="findall" resultType="bean.Emp">
    select * from emp
</select>

(a)导入jar 包

  • 分页插件:pagehelper.jar
  • sql 解析工具:jsqlparser.jar

(b) 在MyBatis 的总体文件中配置插件

  • 放到之前
<plugins>
    <!-- PageHelper4.1.6 -->
    <plugin interceptor="com.github.pagehelper.PageHelper">
        <property name="dialect" value="mysql"/>
    </plugin>
</plugins>

注意:插件5.1以后interceptor不同,并且不需要指定数据库名字

     <!--分页插件-->
    <plugins>
        <plugin interceptor="com.github.pagehelper.PageInterceptor">
        </plugin>
    </plugins>

 (c) 在执行查询之前设置

  • PageHelper.startPage(当前页,每页条数)

示例:

public static void main(String[] args) {
        try {
            //1.加载配置文件
            Reader reader = Resources.getResourceAsReader("mybatis.xml");
            //2.得到sqlSessionFactoryBuilder
            SqlSessionFactoryBuilder builder = new SqlSessionFactoryBuilder();
            SqlSessionFactory build = builder.build(reader,"a2");
            //3.得到SqlSession
            SqlSession session = build.openSession();
            //4.操作sql
            //4.1 在工具类中指定页码值和显示条数
            PageHelper.startPage(5,3);
            //4.2 调取dao层方法,得到结果集
            List<Student> list = session.selectList("com.yhp.dao.StudentDao.getall");
            //4.3 创建分页工具类对象并将list集合封装到PageInfo对象中
            PageInfo<Student> info = new PageInfo<Student>(list);
            //5.从分页数据中获得数据
            for (Student student : info.getList()) {
                System.out.println(student);
            }
            System.out.println("当前页条数:"+info.getSize());
            System.out.println("总条数:"+info.getTotal());
            System.out.println("总页数:"+info.getPages());
            System.out.println("上一页:"+info.getPrePage()); //如果没有上一页,则返回0
            System.out.println("下一页:"+info.getNextPage());//如果没有下一页,则返回0
            System.out.println("当前页:"+info.getPageNum());
            System.out.println("显示条数:"+info.getPageSize());
            //6.关闭资源
            session.close();
            reader.close();
        } catch (IOException e) {
            e.printStackTrace();
        }
    }

pageHelper 分页原理

原理:

PageHelper拦截的是org.apache.ibatis.executor.Executor的query方法,其传参的核心原理是通过ThreadLocal进行的。

当我们需要对某个查询进行分页查询时,我们可以在调用Mapper进行查询前调用一次PageHelper.startPage(..),这样PageHelper会把分页信息存入一个ThreadLocal变量中。

在拦截到Executor的query方法执行时会从对应的ThreadLocal中获取分页信息,获取到了,则进行分页处理,处理完了后又会把ThreadLocal中的分页信息清理掉,以便不影响下一次的查询操作。

所以当我们使用了PageHelper.startPage(..)后,每次将对最近一次的查询进行分页查询,如果下一次查询还需要进行分页查询,需要重新进行一次PageHelper.startPage(..)。

这样就做到了在引入了分页后可以对原来的查询代码没有任何的侵入性。

此外,在进行分页查询时,我们的返回结果一般是一个java.util.List,PageHelper分页查询后的结果会变成com.github.pagehelper.Page类型,其继承了java.util.ArrayList,所以不会对我们的方法声明造成影响。

com.github.pagehelper.Page中包含有返回结果的分页信息,包括总记录数,总的分页数等信息,所以一般我们需要把返回结果强转为com.github.pagehelper.Page类型。

11.缓存

11.1 一级缓存

SqlSession 的缓存 ------>自动开启

11.2 二级缓存

做到从不同的缓存中共享数据

SqlSessionFactory 的缓存 --->需要手动开启

映射配置文件中配置

<mapper namespace="接口路径">
    <cache eviction="FIFO"
    flushInterval="60000"
    size="512"
    readOnly="true"/>
</mapper>

说明:

  • eviction: 二级缓存中,缓存的对象从缓存中移除的策略,回收策略为先进先出
  • flushInterval: 刷新缓存的事件间隔,单位:毫秒
  • size: 缓存对象的个数
  • readOnly: 是否是只读的

测试代码:

//不同qlSession,要同一个sqlSessionFactory
SqlSessionFactory factory= new SqlSessionFactoryBuilder()
.build(Resources.getResourceAsReader("mybatis-config.xml"));
SqlSession sqlSession1=factory.openSession();
Student student = sqlSession1.selectOne("com.yhp.dao.StudentDao.findbystuid", 1);
System.out.println(student.getSname());
sqlSession1.close();
System.out.println("===================================");
SqlSession sqlSession2= factory.openSession();
student = sqlSession2.selectOne("com.yhp.dao.StudentDao.findbystuid", 1);
System.out.println(student.getSname());
sqlSession2.close();
  • cache元素用来开启当前mapper的namespace下的二级缓存,该元素的属性设置如下:
  • flushInterval:刷新间隔,可以被设置为任意的正整数,而且它们代表一个合理的毫秒形式的时间段,默认情况下是不设置的,也就是没有刷新间隔,缓存仅仅调用语句时刷新。
  • size:缓存数目,可以被设置为任意正整数,要记住你的缓存对象数目和你运行环境可用内存资源数目,默认值是1024.
  • readOnly:只读,属性可以被设置为true或false,只读的缓存会给所有调用者返回缓存对象的相同实例,因此这些对象不能被修改。这提供了很重要的性能优势,可读写的缓存会返回缓存对象的拷贝(通过序列化),这会慢一些,但是安全,因此默认是false。
  • eviction:收回策略,默认为LRU,有如下几种:
  • LRU:最近最少使用的策略,移除最长时间不被使用的对象。
  • FIFO:先进先出策略,按对象进入缓存的顺序来移除它们。
  • SOFT:软引用策略,移除基于垃圾回收器状态和软引用规则的对象。
  • WEAK:弱引用策略,更积极地移除基于垃圾收集器状态和弱引用规则的对象。

注意:

  • 使用二级缓存时,与查询结果映射的java对象必须实现java.io.Serializable接口的序列化和反序列化操作,
  • 如果存在父类,其成员都需要实现序列化接口,实现序列化接口是为了对缓存数据进行序列化和反序列化操作,因为二级缓存数据存储介质多种多样,不一定在内存,有可能是硬盘或者远程服务器。

12.Mybatis注解

推荐:http://www.yanhongzhi.com/post/mybatis-annotation.html

在mybatis中可以将sql语句通过注解的方式定义在java中,此时mybaits.xml配置文件扫描该注解的位置即可,代码如下:

<mapper class="com.dao.StudentDao"></mapper>

 ------定义在接口方法上

12.1 @Insert

@Insert("insert into student(username,password,birthday) values(#{user_name},#{password},#
{birthday})")
@Options(useGeneratedKeys = true,keyProperty = "userid")
public int insertstu(Student student);

12.2 @Delete

@Delete("delete from student where userid=#{userid}")
public int deleteuser(int userid);

12.3 @Update

@Update("update student set username=#{user_name},sex=#{sex} where userid=#{userid}")
public int updateuser(Student stu);

12.4 @Select

示例一:普通查询 

@Select("select * from student")
/* @Results({
@Result(id = true, property = "id", column = "test_id")
@Result(column = "username",property = "user_name")
})*/

注意:多个@Result的时候两侧加大括号{},主键写上id=true

示例二:带函数查询

@Select("select count(*) from student")
public int totalCount();

//计算id的最大值,最小值,平均值,结果多属性且不是实体类则用Map返回
@Select("select max(studentid) max,min(studentid) min,avg(studentid) avg from student")
public Map total2();
//测试
/*   int i = studentDao.totalCount();
   System.out.println("total="+i);*/
   
   Map map = studentDao.total2();
   Set<Map.Entry> set = map.entrySet();
   for (Map.Entry entry : set) {
       System.out.println(entry);
   }
   SqlSessionUtil.closeSession();

------sql注解定义在统一的工具类SqlUtil里

12.5 @SelectProvider、@InsertProvider、@DeleteProvider、@UpdateProvider

  • @SelectProvider(type = 自定义sql所在的类.class, method = "sql定义的方法")
    • 实例:@SelectProvider(type = SqlTemp.class,method ="getall44")
  • @InsertProvider(type = SqlTemp.class,method = "insert")
  • @DeleteProvider(type = SqlTemp.class,method = "delete")
  • @UpdateProvider(type = SqlTemp.class,method = "update")

示例:

public class SqlUtil {
    //返回值一定要是字符串
    public String insertMethod(){
        return "insert into student(studentno,stuname,stuage) values(#{studentNo},#{stuName},#{age})";
    }

    public String updateMethod(){
        return "update student set studentno=#{studentNo},stuname=#{stuName} where studentid=#{studentId}";
    }
    public String selectall(){
        return "select * from student";
    }
    //不推荐
    public String gradestudent(Map map){
        StringBuffer sql=new StringBuffer("select * from student s,grade g where
        s.gid=g.gradeid");
        if (map.get("uname")!=null){
            sql.append(" and username like '%"+map.get("uname")+"%'");
        }
        if(map.get("gname")!=null){
            sql.append(" and gradename like '%"+map.get("gname")+"%'");
        }
        return sql.toString();
    }
}

然后需要在对应接口中加入注解标识

public interface StudentDao2 {
    //增删改查
    @InsertProvider(type = SqlUtil.class,method = "insertMethod")
    @Options(useGeneratedKeys = true,keyProperty = "studentId")//获得新增数据的id
    public int insertStu(Student student);

    @UpdateProvider(type = SqlUtil.class,method = "updateMethod")
    public int updateStu(Student student);

    @SelectProvider(type = SqlUtil.class,method = "selectall")
    @Results({
            @Result(column = "stuage",property = "age")
    })
    public List<Student> findall();
}
  •  type=工具类.class
  • method=工具类中对应的方法名

12.6 @ResultType

当实体类和表列名一致时指定返回类型

@ResultType(Student.class)
public List<Student> findall44();

12.7@ResultMap

当实体类和表列名不一致时或注解实现两表联查   匹配mapper文件定义好的ResultMap标签

@ResultMap("mapper文件中的id名即可")
public List<Student> findall33();

注意:

  • (1)mapper文件中namespace的值要写当前接口的全路径
  • (2)配置文件中加载接口和mapper.xml二选一

实例代码:

mapper文件: 这里namespace一定是接口的完整路径

<mapper namespace="com.xzk.dao.StudentDao2">
    <resultMap id="rs3" type="com.xzk.bean.Student">
        <id column="studentid" property="studentId"></id>
        <result column="stuname" property="stuName"></result>
        <result column="studentno" property="studentNo"></result>
        <result column="stuage" property="age"></result>
        <association property="grade" javaType="com.xzk.bean.Grade">
            <id column="gid" property="gid"></id>
            <result column="gname" property="gname"></result>
        </association>
    </resultMap>

</mapper>

 配置文件:只需要扫描mapper文件,不需要扫描接口

<mappers>
    <mapper resource="resultMapper.xml"></mapper>
</mappers>

接口:

@Select("select * from student s ,grade g where s.gid=g.cid")
@ResultMap("com.yhp.dao.StudentDao2.a1")
public List<Student> findstu_grade();

 

12.8 @Param

绑定参数,

@Insert("insert into student(sname1,sex) values(#{sname},#{sex})")
public int insertStu(@Param("sname") String name, @Param("sex")String usersex);

注意:在自定义sql的方法方法中只能使用#{} 

12.9 @Options

(1)@Options(useGeneratedKeys = true,keyProperty = "studentId")

//增删改查
@Insert("insert into student(sname1,sex) values(#{sname},#{sex})")
@Options(useGeneratedKeys = true,keyProperty = "studentId")//将新增数据的id映射到参数属性上
public int insertStu(Student student);

(2)开启二级缓存

@Options(useCache = true,
flushCache = Options.FlushCachePolicy.FALSE, //表示查询时不刷新缓
timeout = 10000) //表示查询结果缓存10000秒

注意:需要和@CacheNamespace一起使用,并且对象需要实现序列化接口

12.10 @CacheNamespace

@CacheNamespace(size = 512) : 定义在该命名空间内允许使用内置缓存,最大值为512个对象引用,

读写默认 是开启的,

缓存内省刷新时间为默认3600000毫秒,用来修饰接口

@CacheNamespace
public interface StudentDao2 {
。。。
}

12.11 动态sql(不推荐)

@Select(" <script>select * from student where 1=1 " +
        " <if test=\"name!=null and name!=''\">" +
        " and username like '%${name}%'" +
        " </if>" +
        " <if test=\"'pass!=null'\">" 
        " and password like '%${pass}%'"+
        " </if></script>") 

13.Lombok插件

在idea工具中添加Lombok插件:

安装依赖包:

<dependency>
    <groupId>org.projectlombok</groupId>
    <artifactId>lombok</artifactId>
    <version>1.18.2</version>
    <scope>provided</scope>
</dependency>

lombok的使用

  • @Data 注解在类上;提供类所有属性的 getting 和 setting 方法,此外还提供了equals、canEqual、hashCode、toString 方法
  • @Setter :注解在属性上;为属性提供 setting 方法
  • @Getter :注解在属性上;为属性提供 getting 方法
  • @Log4j :注解在类上;为类提供一个 属性名为log 的 log4j 日志对象
  • @NoArgsConstructor :注解在类上;为类提供一个无参的构造方法
  • @AllArgsConstructor :注解在类上;为类提供一个全参的构造方法
  • @Cleanup : 可以关闭流
  • @Builder : 被注解的类加个构造者模式
  • @Synchronized : 加个同步锁
  • @SneakyThrows : 等同于try/catch 捕获异常
  • @NonNull : 如果给参数加个这个注解 参数为null会抛出空指针异常
  • @Value : 注解和@Data类似,区别在于它会把所有成员变量默认定义为private final修饰,并且不会生成set方法。
  • @ToString 重写toString()方法

示例:

@Data
@NoArgsConstructor
@AllArgsConstructor
//@Value
public class Student implements Serializable {
    private int studentId; //属性名=列名
    private String studentNo;
    private String stuName;
    //private int stuAge;
    private int age;
    private Grade grade;
}

14.Mybatis自动化

作用:反向生成实体类,接口,mapper.xml

添加依赖包:

        <!--.Mybatis自动化依赖包-->
        <dependency>
            <groupId>org.mybatis.generator</groupId>
            <artifactId>mybatis-generator-core</artifactId>
            <version>1.3.5</version>
        </dependency>

加载插件:

<build>
        <plugins>
            <plugin>
                <groupId>org.mybatis.generator</groupId>
                <artifactId>mybatis-generator-maven-plugin</artifactId>
                <version>1.3.5</version>
                <configuration>
                    <!--配置文件的路径-->                   
<configurationFile>src/main/resources/generatorConfig.xml</configurationFile>
                    <overwrite>true</overwrite>
                </configuration>
                <dependencies>
                    <dependency>
                        <groupId>org.mybatis.generator</groupId>
                        <artifactId>mybatis-generator-core</artifactId>
                        <version>1.3.5</version>
                    </dependency>
                </dependencies>
            </plugin>
        </plugins>
    </build>

修改配置文件:

<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE generatorConfiguration
        PUBLIC "-//mybatis.org//DTD MyBatis Generator Configuration 1.0//EN"
        "http://mybatis.org/dtd/mybatis-generator-config_1_0.dtd">

<!-- 配置生成器 -->
<generatorConfiguration>
    <!--数据库驱动jar -->
    <classPathEntry
            location="D:\maven\m2\repository\mysql\mysql-connector-java\5.1.40\mysql-connector-java-5.1.40.jar" />

    <context id="MyBatis" targetRuntime="MyBatis3">

        <!--去除注释 -->
        <commentGenerator>
            <property name="suppressAllComments" value="true" />
        </commentGenerator>

        <!--数据库连接 -->
        <jdbcConnection driverClass="com.mysql.jdbc.Driver"
                        connectionURL="jdbc:mysql://localhost:3306/springmvc"
                        userId="root"
                        password="123456">
        </jdbcConnection>

        <!--生成实体类 指定包名 以及生成的地址 (可以自定义地址,但是路径不存在不会自动创建
        使用Maven生成在target目录下,会自动创建) -->
        <javaModelGenerator targetPackage="com.sh.bean"
                            targetProject="D:\IdeaProjects\KaiKeBa\Mybatis自动化\src\main\java">
            <property name="trimStrings" value="true" />
        </javaModelGenerator>


        <!--生成SQLmapper文件 -->
        <sqlMapGenerator targetPackage="mapper"
                         targetProject="D:\IdeaProjects\KaiKeBa\Mybatis自动化\src\main\resources">
        </sqlMapGenerator>
        <!--生成Dao文件,生成接口 -->
        <javaClientGenerator type="XMLMAPPER"
                             targetPackage="com.sh.dao"
                             targetProject="D:\IdeaProjects\KaiKeBa\Mybatis自动化\src\main\java">
        </javaClientGenerator>


        <table tableName="student" enableCountByExample="false"
               enableUpdateByExample="false" enableDeleteByExample="false"
               enableSelectByExample="false" selectByExampleQueryId="false">
        </table>
        <table tableName="grade" enableCountByExample="false"
               enableUpdateByExample="false" enableDeleteByExample="false"
               enableSelectByExample="false" selectByExampleQueryId="false">
        </table>
        <table tableName="role" enableCountByExample="false"
               enableUpdateByExample="false" enableDeleteByExample="false"
               enableSelectByExample="false" selectByExampleQueryId="false">
        </table>

    </context>
</generatorConfiguration>

运行:maven Project选项卡->plugins->找到mybatis-generator-core,双击运行就会自动生成

注意:运行一次即可,如果运行过程中,未完全成功。则将原来生成的代码删除后,再次运行。

切记!切记!切记!

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 


 

  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 0
    评论
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值