Mybatis

Mybatis

环境:

  • JDK1.8
  • Mysql5.7
  • maven3.6.1
  • IDEA

回顾:

  • JDBC 增删改查 事务
  • Mysql 增删改查
  • java基础
  • Maven
  • Junit

框架:配置文件的。最好的学习方式,看官网

Mybatis官网文档:(https://mybatis.net.cn/index.html)

1.简介

Mybatis

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
如何获得Mybatis

1.2、持久化

数据持久化

  • 持久化就是将程序的数据在持久状态和瞬时状态转换的过程
  • 内存:断电即失
  • 数据库(jdbc),io文件持久化。
  • 生活:冷藏。罐头
为什么需要持久化?
  • 有一些对象,不能让他丢掉。

  • 内存太贵了

1.3、持久层

Dao层,Service层,Conreoller层

  • 完成持久化工作的代码块
  • 层界限十分明显
1.4、为什么需要Mybatis?
  • 帮助程序员将数据存入到数据库中

  • 方便

  • 传统的JDBC代码太复杂了。简化框架。

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

  • 优点:百度 简单易学 灵活 接触sql与程序代码的耦合性 提供标签 提供对象关系映射标签 提供XML标签

为什么要学? 使用它的人多呀

2、第一个Mybatis程序

思路:搭建环境-->导入Mybatis-->编写代码-->测试!

2.1环境搭建

  • 搭建数据库
create database `mybatis`;
use `mybatis`;
create table `user`(
`id` int(20)  not null PRIMARY KEY,
`name` varchar(30) default null,
`pwd` varchar(30) default null
)engine=innodb default charset=utf8;

insert into `user`(`id`,`name`,`pwd`) values(1,'zhangsan','zhangsan'),(2,'lisi','lisi'),(3,'wangwu','wangwu');
  • 新建项目

    <?xml version="1.0" encoding="UTF-8"?>
    <project xmlns="http://maven.apache.org/POM/4.0.0"
             xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
             xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
        <modelVersion>4.0.0</modelVersion>
        <!--父工程-->
        <groupId>org.example</groupId>
        <artifactId>jotian</artifactId>
        <version>1.0-SNAPSHOT</version>
        <!--导入依赖-->
        <dependencies>
            <!--mydql驱动-->
            <!-- https://mvnrepository.com/artifact/mysql/mysql-connector-java -->
            <dependency>
                <groupId>mysql</groupId>
                <artifactId>mysql-connector-java</artifactId>
                <version>5.1.47</version>
            </dependency>
            <!--mybatis-->
            <dependency>
                <groupId>org.mybatis</groupId>
                <artifactId>mybatis</artifactId>
                <version>3.5.2</version>
            </dependency>
            <!--junit-->
            <dependency>
                <groupId>junit</groupId>
                <artifactId>junit</artifactId>
                <version>4.12</version>
                <scope>test</scope>
            </dependency>
        </dependencies>
        <properties>
            <maven.compiler.source>8</maven.compiler.source>
            <maven.compiler.target>8</maven.compiler.target>
        </properties>
    
    </project>
    

    新建一个普通的maven项目

    删除src目录

    导入maven依赖

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核心配置文件-->
    <configuration>
    
        <environments default="development">
            <environment id="development">
                <!--事务管理-->
                <transactionManager type="JDBC"/>
                <dataSource type="POOLED">
                    <property name="driver" value="com.mysql.jdbc.Drivre"/>
                    <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="1121"/>
                </dataSource>
            </environment>
        </environments>
    </configuration>
    
  • 编写mybatis工具类

  • package com.jotian.utils;
    
    import org.apache.ibatis.io.Resources;
    import org.apache.ibatis.session.SqlSession;
    import org.apache.ibatis.session.SqlSessionFactory;
    import org.apache.ibatis.session.SqlSessionFactoryBuilder;
    
    import java.io.IOException;
    import java.io.InputStream;
    
    //sqlSessionFactory    --> sqlSession
    public class MybatisUtils {
        private static SqlSessionFactory sqlSessionFactory;
        static{
            try {
                //使用Mybatis第一步:获取sqlSessionFactory对象
                String resource = "mybatis-config.xml";
                InputStream inputStream = Resources.getResourceAsStream(resource);
                sqlSessionFactory = new SqlSessionFactoryBuilder().build(inputStream);
            } catch (IOException e) {
                e.printStackTrace();
            }
        }
        //既然有了sqlSessionFactory,故名十一,我们就可以从中获得SqlSession的实例了。
        //Sqlsession完全包含了面向数据库执行SQL执行命令所需要的所有方法。
        public static SqlSession getSqlSession(){
            return sqlSessionFactory.openSession();
        }
    }
    

2.3编写代码

  • 实体类

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

    package com.jotian.dao;
    
    import com.jotian.pojo.User;
    
    import java.util.List;
    
    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">
    <!--namespace 绑定一个对应的Dao/Mapper接口-->
    <mapper namespace="com.jotin.dao.UserDao">
    <!--select查询语句-->
    <select id="getUserList" resultType="com.jotian.pojo.User">
        select * from mybatis.user;
    </select>
    </mapper>
    

2.4 测试

org.apache.ibatis.binding.BindingException: Type interface com.jotian.dao.UserDao is not known to the MapperRegistry.

  • junit测试

       <!--在build中配置rsources,来防止我们资源导出失败的问题-->
        <build>
            <resources>
                <resource>
                    <directory>src/main/resources</directory>
                    <includes>
                        <include>**/*.properties</include>
                        <include>**/*.xml</include>
                    </includes>
                    <filtering>true</filtering>
                </resource>
                <resource>
                    <directory>src/main/java</directory>
                    <includes>
                        <include>**/*.properties</include>
                        <include>**/*.xml</include>
                    </includes>
                    <filtering>false</filtering>
                </resource>
            </resources>
        </build>
    
  • 可能遇到的问题:

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

CRUD

事务管理机制

mybatis是默认开启事务机制,增删改需要提交事务(SqlSession.commit())

<?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">
<!--namespace 绑定一个对应的Dao/Mapper接口-->
<mapper namespace="com.jotian.Mapper.UserMapper">
    <select id="getUserList" resultType="com.jotian.pojo.User">
        select * from user
    </select>
</mapper>

1.nameSpace

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

2.select

选择:查询语句!

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

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

  • parameterType:参数的返回值类型

编写接口

 /**
     * @param id 查询用户的ID
     * @return User
     */
    User getUserByID(int id);

编写对应的mapper中的sql语句

    <select id="getUserByID" parameterType="int" resultType="com.jotian.pojo.User">
        select * from user where id = #{id};
    </select>

测试

    @Test
    public void Test1() {
        SqlSession sqlSession = null;
        try {
            sqlSession = MybatisUtil.getSqlsession();
            UserMapper userMapper = sqlSession.getMapper(UserMapper.class);
            User user = userMapper.getUserByID(1);
            System.out.println(user);
            sqlSession.close();
        } catch (Exception e) {
            e.printStackTrace();
        } finally {
            if (sqlSession != null) {
                sqlSession.close();
            }
        }
    }

3.Insert

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

4.update

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

5.Delete

    <delete id="deleteUser" parameterType="com.jotian.pojo.User">
        delete from user where id=#{id};
    </delete>

6.万能的Map

map中传递参数,直接在sql中取出key即可!

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

    /**
     * @param map 万能的map
     * @return  int
     */
    int insertUser(Map<String,Object> map);
<insert id="insertUser" parameterType="map">
    insert into user(id,name,pwd) values(#{userid},#{username},#{password})
</insert>
    @Test
    public void Test5(){
        SqlSession sqlSession = null;
        Map<String,Object> map  = new HashMap<>();
        map.put("username","wahaha");
        map.put("userid",4);
        map.put("password","4004");
        try{
            sqlSession = MybatisUtil.getSqlsession();
            UserMapper userMapper = sqlSession.getMapper(UserMapper.class);
            int count = userMapper.insertUser(map);
            if(count>0){
                System.out.println("插入成功");
            }
        }catch (Exception e){
            e.printStackTrace();
        }finally{
            if(sqlSession!=null){
                sqlSession.commit();
                sqlSession.close();
            }
        }
    }

7.思考题!

模糊查询怎么写?

1.java代码执行的时候,传递通配符% %

List<User> userList = mapper.getserLike("%李%");

2.在sql拼接中使用通配符!

select * from user where name like "%"#{valuse}"%"

4.配置解析

<?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>
    <!--引入外部配置文件-->
    <properties resource="db.properties">
        <property name="username" value="root"/>
        <property name="pwd" value="1111"/>
    </properties>
<!--可以给实体类起别名-->
    <typeAliases>
        <typeAlias type="com.jotian.pojo.User" alias="User"/>
    </typeAliases>
    <environments default="development">
        <environment id="development">
            <transactionManager type="JDBC"/>
            <dataSource type="POOLED">
                <property name="driver" value="${driver}"/>
                <property name="url" value="${url}"/>
                <property name="username" value="${username}"/>
                <property name="password" value="${password}"/>
            </dataSource>
        </environment>
    </environments>

    <mappers>
        <!--配置文件一定要注册Mapper-->
        <mapper resource="com/jotian/dao/UserMapper.xml"/>
    </mappers>
</configuration>

4.1.核心配置文件

  • mybatis-config.xml
  • MyBatis 的配置文件包含了会深深影响MyBatis行为的设置和属性的信息。
配置
MyBatis 的配置文件包含了会深深影响 MyBatis 行为的设置和属性信息。 配置文档的顶层结构如下:

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

4.2.环境配置(environments)

mybatis 可以配置成适应多种环境

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

mybatis默认的事务管理器就是JDBC, 连接池:POOLED

4.3.属性(properties)

我们可以同故宫properties属性来实现引用配置文件

这些属性都是可外部配置且可动态替换的,既可以在典型的java属性文件中配置,亦可以通过properties元素的子元素来传递。【db.properties】

xml文件中的标签数据顺序(properties?,settings?,typeAliases?,typeHandlers?,objectFactory?,objectWrapperFactory?,reflectorFactory?,plugins?,environments?,databaseIdProvider?,mappers?)".

db.properties资源

driver=com.mysql.jdbc.Driver
url=jdbc:mysql://localhost:3306/mybatis?useUnicode=true&amp;characterEncoding=utf8
username=root
password=1121

在核心配置文件中映入

mybatis-config.xml

    <!--引入外部配置文件-->
    <properties resource="db.properties">
        <property name="username" value="root"/>
        <property name="pwd" value="1111"/>
    </properties>
    <environments default="development">
        <environment id="development">
            <transactionManager type="JDBC"/>
            <dataSource type="POOLED">
                <property name="driver" value="${driver}"/>
                <property name="url" value="${url}"/>
                <property name="username" value="${username}"/>
                <property name="password" value="${password}"/>
            </dataSource>
        </environment>
    </environments>
  • 可以直接引入外部文件
  • 可以在其中增加一些属性配置
  • 如果两个文件有同一个字段,优先使用外部配置文件

4.4.类型别名(typeAliases)

  • 类型别名是java类型设置一个短的名字,它只和XML配置有关

  • 存在的意义仅在于用来减少类完全限定的冗余。

    • 第一种:

      <!--可以给实体类起别名-->
          <typeAliases>
              <typeAlias type="com.jotian.pojo.User" alias="User"/>
          </typeAliases>
      
    • 第二种:指定一个包名,MyBatis会在包下面搜索需要的java Bean,比如:烧苗实体类的包,它的默认别名就为这个类的 类名 首字母小写

      <!--可以给实体类起别名-->
      <typeAliases>
      	<package name="com.jotian.pojo"/>
      </typeAliases>
      
  • 在实体类比较小的时候,使用第一种方式 如果实体类十分多,建议使用第二种

  • 第一种可以DIY别名,第二种不行 如果非要改,需要在实体上增加注解

    @Alias("user")
    public class User{}
    

5.设置

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

logimpl  指定MyBatis所用日志的具体实现,未指定时将自动查找。
cachenabled  全局地开启或关闭配置文件中的所有映射器已经配置的任何缓存
latyLiadingEnables  延迟加载的全局开关,当开启时,所有关联对象都会延迟加载,特定关联关系中可以通过该设置fetchType属性来覆盖该项的开关。

6.其他配置

  • typeHandlers(类型处理器)
  • objectFactory(对象工厂)
  • plugins插件
    • mybatis-generator-core
    • mybatis-plus
    • 通用mapper

7.映射器(mappers)

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

  • 方式一:【推荐使用】

    <mapper>
    	<mapper resource="com/jotian/dao/UserMapper.xml"/>
    </mapper>
    
  • 方式二:使用class文件绑定注册

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

    注意点:

    • 接口和他的Mapper配置文件必须同名!
    • 接口和他的Mapper配置文件必须在同一个包下!
  • 方式三:使用扫描包进行注入绑定

    <mappers>
    	<mapper name="com.jotian.dao"/>
    </mappers>
    

    注意点:

    • 接口和他的Mapper配置文件必须同名!
    • 接口和他的Mapper配置文件必须在同一个包下!

练习时间:

  • 将数据库配置文件外部引入
  • 实体类别名
  • 保证UserMapper接口和UserMappper.xml改为一致!并且放在同一个包下!

9.Lombok

使用步骤:

1.在IDEA中安装Lombok插件

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

<dependency>
    <groupId>org.projectlombok</groupId>
    <artifactId>lombok</artifactId>
    <version>1.16.14</version>
</dependency>

3.在实体类上加注解即可!

@Data
@AllArgsConstructor
@NoArgsConstructor
public class User {
    private int id;
    private String name;
    private String pwd;
}
//IntelliJ Lombok plugin
//A plugin that adds first-class support for Project Lombok Features
@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
@val
@var
experimental @var
@UtilityClass
//Lombok config system
//Code inspections
//Refactoring actions (lombok and delombok)

说明:

@Date:无参构造、get、set、tostring、hashcode、equals
@AllArgsConstructor:所有有参构造
@NoArgsConstructor:无参构造
@Gerter
@Setter
@Tostring
@EqualsAndHashCode

10.多对一

测试环境搭建

1.导入lombok

        <!--lombok-->
        <dependency>
            <groupId>org.projectlombok</groupId>
            <artifactId>lombok</artifactId>
            <version>1.16.14</version>
        </dependency>

2.新建实体类 Teacher Student

@Data
@AllArgsConstructor
@NoArgsConstructor
public class Student {
    private int id;
    private String name;
    //学生需要关联一个老师
    private Teacher teacher;
}
@Data
@AllArgsConstructor
@NoArgsConstructor
public class Teacher {
    private int id;
    private String name;
}

3.建立Mapper接口

public interface StudentMapper {
}
public interface TeacherMapper {
}

4.建立Mapper.xml

<?xml version="1.0" encoding="UTF-8" ?>
<!DOCTYPE mapper
        PUBLIC "-//mybatis.org//DTD Config 3.0//EN"
        "http://mybatis.org/dtd/mybatis-3-mapper.dtd">

<mapper namespace="com.jotian.dao.TeacherMapper">

</mapper>
<?xml version="1.0" encoding="UTF-8" ?>
<!DOCTYPE mapper
        PUBLIC "-//mybatis.org//DTD Config 3.0//EN"
        "http://mybatis.org/dtd/mybatis-3-mapper.dtd">

<mapper namespace="com.jotian.dao.StudentMapper">

</mapper>

5.在核心配置文件中绑定注册我们的Mapper接口或者文件!【方式很多谁心选】

    <mappers>
        <mapper class="com.jotian.dao.UserMapper"/>
        <mapper class="com.jotian.dao.TeacherMapper"/>
        <mapper class="com.jotian.dao.StudentMapper"/>
    </mappers>

6.测试查询是否成功

按照查询嵌套处理

    <!--思路
        查询所有的学生信息
        根据查询出来的学生的tid,寻找对应的老师!子查询-->
    <select id="getStudent" resultMap="StudentTeacher">
        select * from student
    </select>
    <resultMap id="StudentTeacher" type="Student">
        <result property="id" column="id"/>
        <result property="name" column="name"/>
<!--复杂的属性,我们需要单独处理对象:associatian集合: collection-->
        <association property="teacher" column="tid" javaType="Teacher" select="getTeacher"/>
    </resultMap>
    <select id="getTeacher" resultType="Teacher">
        select * from teacher where id = #{id}
    </select>

按照结果嵌套处理

<!--按照结果进行嵌套处理-->
    <select id="getStudent2" 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="Teacher">
            <result property="name" column="tname"/>
        </association>
    </resultMap>

11.一对多

比如:一个老师拥有多个学生! 对于老师而言就是一对多的关系!

1.环境搭建,和刚才一样

实体类

@Data
@AllArgsConstructor
@NoArgsConstructor
public class Teacher {
    private int id;
    private String name;
    //一个老师拥有多个学生
    private List<Student> students;
}
@Data
@AllArgsConstructor
@NoArgsConstructor
public class Student {
    private int id;
    private String name;
    private int tid;
}

按结果嵌套处理

按查询嵌套处理

小结:

1.关联-association【一对多】

2.集合 colection【一对多】

3.javaType $ ofType

​ 1.javaType用来指定实体类中属性类型

​ 2.ofType用来指定映射到List或集合中的pojo类型,泛型中的约束类型

注意点:

  • 保证SQL可读性,尽量保证通俗易懂
  • 注意一对多和多对一中,属性名和字段的问题
  • 如果问题不好排查错误,可以使用日志,建议使用LOG4J

12.动态sql

什么是动态sql:动态sql就是指根据不同的条件生产不同的sql语句

利用动态sql这一特性可以彻底拜托这种痛苦

1.动态SQL元素和JSTL或基于类似XML的文本处理器相似。在MyBatis之前的版本中,有很多元素需要花时间了解,MyBatis 3大大精简了元素种类,现在只需要学习原来一半的元素即可。MyBatis采用强大的基于OGNL的表达式来淘汰其他大部分元素。
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(30) NOT NULL COMMENT '博客作者'
    `create_time` datatime NOT NULL COMMENT '创建时间'
    `views` int(30) NOT NULL COMMENT '浏览量'
)ENGINE=InnoDB DEFAULT CHARSET=utf8

创建基础工程

导包

编写 工具类 配置文件

编写实体类

编写实体类对应的Mapper接口 和Mapper.XMl文件


sql

create database `mybatis`;
use `mybatis`;
create table `user`(
`id` int(20)  not null PRIMARY KEY,
`name` varchar(30) default null,
`pwd` varchar(30) default null
)engine=innodb default charset=utf8;

insert into `user`(`id`,`name`,`pwd`) values(1,'zhangsan','zhangsan'),(2,'lisi','lisi'),(3,'wangwu','wangwu');
USE mybatis;
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`) VALUE (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)VALUE (1,'小明',1);
INSERT INTO STUDENT(ID,NAME,TID)VALUE (2,'小红',1);
INSERT INTO STUDENT(ID,NAME,TID)VALUE (3,'小芳',1);
INSERT INTO STUDENT(ID,NAME,TID)VALUE (4,'小白',1);
INSERT  INTO student(TID) VALUE (1);

面试高频

慢SQL 别人查询花1s 我查询花1000s

  • Mysql引擎
  • InnoDB底层原理
  • 索引
  • 索引优化

各种问题!

文件中的需要重复的东西一定要复制,不要手打,出现错误难以寻找!

实现接口的xml中:

<?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">
<!--namespace 绑定一个对应的Dao/Mapper接口-->
<mapper namespace="com.jotian.Mapper.UserMapper">
<!--id:就是对应的namespace中的方法名中的方法-->
    <select id="getUserList" resultType="com.jotian.pojo.User">
        select * from user;
    </select>
    <select id="getUserByID" parameterType="int" resultType="com.jotian.pojo.User">
        select * from user where id = #{id};
    </select>
    <insert id="addUser" parameterType="com.jotian.pojo.User">
        insert into user(id,name,pwd) values(#{id},#{name},#{pwd});
    </insert>
    <update id="updateUser" parameterType="com.jotian.pojo.User">
        update user
        set name= #{name},pwd=#{pwd}
        where id=#{id};
    </update>
    <delete id="deleteUser" parameterType="com.jotian.pojo.User">
        delete from user where id=#{id};
    </delete>
</mapper>
<mapper namespace="com.jotian.Mapper.UserMapper">

namespace一定要是 .

mybatis-config.xml中的问题:

<?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"/>
                <property name="username" value="root"/>
                <property name="password" value="1121"/>
            </dataSource>
        </environment>
    </environments>
    <mappers>
        <!--配置文件一定要注册Mapper-->
        <mapper resource="com/jotian/Mapper/UserMapper.xml"/>
    </mappers>
</configuration>
<mapper resource="com/jotian/Mapper/UserMapper.xml"/>

这里是 / 这个路径 不要忘记注册mapper!!!


我的成功!

  • Maven约定大于配置。资源过滤!!!

  • 配置文件的绑定

  • 准备pom.xml文件

    <?xml version="1.0" encoding="UTF-8"?>
    
    <project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
             xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
        <modelVersion>4.0.0</modelVersion>
    
        <groupId>com.dahua</groupId>
        <artifactId>Mybatis</artifactId>
        <version>1.0-SNAPSHOT</version>
    
    
        <properties>
            <project.build.sourceEncoding>UTF-8</project.build.sourceEncoding>
            <maven.compiler.source>1.8</maven.compiler.source>
            <maven.compiler.target>1.8</maven.compiler.target>
        </properties>
    
        <dependencies>
            <!--测试Junit-->
            <dependency>
                <groupId>junit</groupId>
                <artifactId>junit</artifactId>
                <version>4.11</version>
                <scope>test</scope>
            </dependency>
    
            <!-- mybatis的jar-->
            <dependency>
                <groupId>org.mybatis</groupId>
                <artifactId>mybatis</artifactId>
                <version>3.5.1</version>
            </dependency>
    
            <!-- JDBC-->
            <dependency>
                <groupId>mysql</groupId>
                <artifactId>mysql-connector-java</artifactId>
                <version>5.1.9</version>
            </dependency>
        </dependencies>
    
        <build>
            <resources>
                <resource>
                    <directory>src/main/java</directory>
                    <includes>
                        <include>**/*.properties</include>
                        <include>**/*.xml</include>
                    </includes>
                    <filtering>false</filtering>
                </resource>
            </resources>
            <plugins>
                <plugin>
                    <artifactId>maven-compiler-plugin</artifactId>
                    <version>3.1</version>
                    <configuration>
                        <source>1.8</source>
                        <target>1.8</target>
                    </configuration>
                </plugin>
            </plugins>
        </build>
    
    
    </project>
    
    
  • 第一步工具类编写

    package com.jotian.utils;
    
    import org.apache.ibatis.io.Resources;
    import org.apache.ibatis.session.SqlSession;
    import org.apache.ibatis.session.SqlSessionFactory;
    import org.apache.ibatis.session.SqlSessionFactoryBuilder;
    
    import java.io.IOException;
    import java.io.InputStream;
    
    public class MybatisUtil {
    public 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();
    }
    
    }
    
  • 对应mybatis-config.xml文件编写

    <?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"/>
                    <property name="username" value="root"/>
                    <property name="password" value="1121"/>
                </dataSource>
            </environment>
        </environments>
        <mappers>
            <!--配置文件一定要注册Mapper-->
            <mapper resource="com/jotian/Mapper/UserMapper.xml"/>
        </mappers>
    </configuration>
    
  • 编写实体类

    package com.jotian.pojo;
    
    /**
     * @author jotian
     */
    public class User {
    private int id;
    private String name;
    private String pwd;
    
        public User() {
        }
    
        public User(int id, String name, String pwd) {
            this.id = id;
            this.name = name;
            this.pwd = pwd;
        }
    
        public int getId() {
            return id;
        }
    
        public void setId(int id) {
            this.id = id;
        }
    
        public String getName() {
            return name;
        }
    
        public void setName(String name) {
            this.name = name;
        }
    
        public String getPwd() {
            return pwd;
        }
    
        public void setPwd(String pwd) {
            this.pwd = pwd;
        }
    
        @Override
        public String toString() {
            return "User{" +
                    "id=" + id +
                    ", name='" + name + '\'' +
                    ", pwd='" + pwd + '\'' +
                    '}';
        }
    }
    
  • 编写接口

    package com.jotian.Mapper;
    
    import com.jotian.pojo.User;
    
    import java.util.List;
    
    public interface UserMapper {
        List<User> getUserList();
    }
    
  • 接口实现由impl编成xml配置文件

    <?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.jotian.Mapper.UserMapper">
        <select id="getUserList" resultType="com.jotian.pojo.User">
            select * from user
        </select>
    </mapper>
    
  • 测试类编写

    package com.jotian.Mapper;
    
    import com.jotian.pojo.User;
    import com.jotian.utils.MybatisUtil;
    import org.apache.ibatis.session.SqlSession;
    import org.junit.Test;
    
    import java.util.List;
    
    public class UserTest {
        @Test
        public void test(){
            SqlSession sqlSession = MybatisUtil.getSqlSession();
            UserMapper userMapper = sqlSession.getMapper(UserMapper.class);
            List<User> userList = userMapper.getUserList();
            for (User user:userList
                 ) {
                System.out.println(user);
            }
        }
    
    }
    
上一篇:编译,发版,链接库问题


下一篇:Mybatis使用步骤