SSM框架
环境:
回顾:
**框架:**配置文件的。学习框架最好的方式:看官方文档;
**Mybatis3官方开发文档:**https://mybatis.org/mybatis-3/zh/getting-started.html
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)
获取方式:
<dependency>
<groupId>org.mybatisgroupId>
<artifactId>mybatisartifactId>
<version>3.5.6version>
dependency>
持久化是一个动作
数据持久化
持久化就是
将程序的数据在持久状态和瞬时状态 转化的过程。
内存:断电即失
持久化方式:数据库(jdbc),io文件持久化。
生活:冷藏 罐头
为什么需要持久化
持久层是一个概念
Dao层 ,Service层, Controller层…
最重要的一点:是用的人多,Spring SpringMVC SpringBoot
思路:搭建环境–>导入Mybatis包–>编写代码–>测试
项目结构:
创建数据库和表:
CREATE DATABASE `mybatis`
USE mybatis
CREATE TABLE `user`(
`id` INT(20) NOT NULL AUTO_INCREMENT,
`name` VARCHAR(30) DEFAULT NULL,
`pwd` VARCHAR(30) DEFAULT NULL,
PRIMARY KEY(`id`)
)ENGINE=INNODB DEFAULT CHARSET=utf8;
INSERT INTO `user`(`name`,`pwd`)VALUES
('狂神','123456'),
('张三','123456'),
('李四','123456');
新建项目:
1.新建一个普通的maven项目
2.删除src目录,便于后面创建子模块
3.导入maven依赖
导入mysql、mabatis、junit包
在build中配置resources,来防止我们资源导出的失败的问题
在父工程的pom.xml中
<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.0modelVersion>
<properties>
<project.build.sourceEncoding>UTF-8project.build.sourceEncoding>
properties>
<groupId>org.examplegroupId>
<artifactId>mybatisartifactId>
<packaging>pompackaging>
<version>1.0-SNAPSHOTversion>
<modules>
<module>simpleDemomodule>
modules>
<dependencies>
<dependency>
<groupId>mysqlgroupId>
<artifactId>mysql-connector-javaartifactId>
<version>5.1.47version>
dependency>
<dependency>
<groupId>org.mybatisgroupId>
<artifactId>mybatisartifactId>
<version>3.5.3version>
dependency>
<dependency>
<groupId>junitgroupId>
<artifactId>junitartifactId>
<version>4.13version>
dependency>
dependencies>
<build>
<resources>
<resource>
<directory>src/main/resourcesdirectory>
<includes>
<include>**/*.propertiesinclude>
<include>**/*.xmlinclude>
includes>
<filtering>truefiltering>
resource>
<resource>
<directory>src/main/javadirectory>
<includes>
<include>**/*.propertiesinclude>
<include>**/*.xmlinclude>
includes>
<filtering>truefiltering>
resource>
resources>
build>
project>
在resources目录下创建mybatis-config.xml
<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&useUnicode=true&characterEncoding=utf8"/>
<property name="username" value="root"/>
<property name="password" value="123456"/>
dataSource>
environment>
environments>
<mappers>
<mapper resource="com/kuang/dao/UserMapper.xml"/>
mappers>
configuration>
获取SqlSession对象(相当于connection对象),封装成工具类。
在utils包下建立工具类MybatisUtils
package com.kuang.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;
//工具类
//需要获得数据库操作对象SqlSession
//SqlSessionFactory---->SqlSession
public class MybatisUtils {
private static SqlSessionFactory sqlSessionFactory;//提升作用域
static {
//使用Mybatis的第一步:获取SqlSessionFactory对象
try {
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();
}
}
在pojo包下面创建实体类User
package com.kuang.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 + '\'' +
'}';
}
}
持久层操作数据库执行sql
UserDao接口,UserMapper.xml采用配置文件形式 替换 以前的UserDaoImpl实现类实现操作数据库
UserDao接口:
public interface UserDao {
public List<User> getUserList();
}
UserMapper.xml:
<mapper namespace="com.kuang.dao.UserDao">
<select id="getUserList" resultType="com.kuang.pojo.User">
select * from `user`;
select>
mapper>
在test目录下建立对应的dao包:test/com.kuang.dao
再建立UserDaoTest类添加测试方法
1.先获取SqlSession对象
2.利用SqlSession调用Mapper得到UserDao对象
3.操作数据库,返回与实体类对应的结果
package com.kuang.dao;
import com.kuang.pojo.User;
import com.kuang.utils.MybatisUtils;
import org.apache.ibatis.session.SqlSession;
import org.junit.Test;
import java.util.List;
public class UserDaoTest {
@Test
public void test(){
//获取SqlSession对象
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.配置文件getUserMapper.xml没有注册
每一个Mapper.xml都需要在Mybatis核心配置文件mybatis-config.xml中注册
注册的资源路径,采用斜杠,而不是点 分隔
<mappers>
<mapper resource="com/kuang/dao/UserMapper.xml"/>
mappers>
2.Maven导出资源问题,先放到外层pom.xml,如果没生效,子模块的pom.xml再放一次
<build>
<resources>
<resource>
<directory>src/main/resourcesdirectory>
<includes>
<include>**/*.propertiesinclude>
<include>**/*.xmlinclude>
includes>
<filtering>truefiltering>
resource>
<resource>
<directory>src/main/javadirectory>
<includes>
<include>**/*.propertiesinclude>
<include>**/*.xmlinclude>
includes>
<filtering>truefiltering>
resource>
resources>
build>
3.注意Mapper.xml文件中:绑定接口、方法名、返回类型
错误:
Cause: com.sun.org.apache.xerces.internal.impl.io.MalformedByteSequenceExcep
解决方法:之前在pom.xml文件中删除了下面代码,现在加上:
<properties>
<project.build.sourceEncoding>UTF-8project.build.sourceEncoding>
properties>
namespace:
Mapper.xml中使用的namespace中分包名,要和Dao/Mapper接口中的包名一致。
过程:
完成MyBatis的实现后,操作数据库:
dao层:
UserMapper接口(从UserDao改名为UserMapper)
UserMapper配置文件(相当于实体类UserMapperImpl)
Mapper.xml元素概念
步骤:
在UserMapper中
public interface UserMapper {
//根据id查询用户
User getUserById(int id);
//insert用户
int insertUser(User user);
//修改用户
int updateUser(User user);
//删除用户
int deleteUserById(int id);
}
在UserMapper.xml中
<mapper namespace="com.kuang.dao.UserMapper">
<select id="getUserById" parameterType="int" resultType="com.kuang.pojo.User">
select * from `user` where `id`=#{id};
select>
<insert id="insertUser" parameterType="com.kuang.pojo.User">
insert into `user`(`name`,`pwd`) values ('zhaoliu','zhao123456');
insert>
<update id="updateUser" parameterType="com.kuang.pojo.User">
update `user` set `name`=#{name},`pwd`=#{pwd} where id=#{id};
update>
<delete id="deleteUserById" parameterType="int">
delete from `user` where id=#{id};
delete>
mapper>
在UserMapperTest中
public class UserMapperTest {
//根据id查找用户
@Test
public void getUserById() {
SqlSession sqlSession = MybatisUtils.getSqlSession();
UserMapper mapper = sqlSession.getMapper(UserMapper.class); //相当于获得实现类对象
User user = mapper.getUserById(1);
System.out.println(user);
sqlSession.close();
}
//插入用户
@Test
public void insertUser(){
SqlSession sqlSession=MybatisUtils.getSqlSession();
UserMapper mapper = sqlSession.getMapper(UserMapper.class);
int i = mapper.insertUser(new User(0, "liu", "liu123"));
if(i>0){
System.out.println("插入成功");
}
//【关键】Mybatis中增删改查,需要提交事务才能生效
sqlSession.commit();
sqlSession.close();
}
//修改用户
@Test
public void updateUser(){
SqlSession sqlSession=MybatisUtils.getSqlSession();
UserMapper mapper = sqlSession.getMapper(UserMapper.class);
int i = mapper.updateUser(new User(1, "liu", "liu123"));
if(i>0){
System.out.println("修改成功");
}
//【关键】Mybatis中增删改查,需要提交事务才能生效
sqlSession.commit();
sqlSession.close();
}
//删除用户
@Test
public void deleteUserById(){
SqlSession sqlSession = MybatisUtils.getSqlSession();
UserMapper mapper = sqlSession.getMapper(UserMapper.class);
int i = mapper.deleteUserById(4);
if(i>0){
System.out.println("删除成功");
}
//【关键】Mybatis中增删改查,需要提交事务才能生效
sqlSession.commit();
sqlSession.close();
}
}
在Mapper.xml中,对象中的属性,可以直接取出来,与实体类对应
Mybatis增删改必须提交事务才能生效
注意SqlSession对象使用完后关闭
Mapper.xml的curd标签不要匹配错
Mapper.xml需要到resource中的mybatis-config.xml中注册,路径要用‘/’,前面的命名空间使用的是包名 ‘.’
<mappers>
<mapper resource="com/kuang/dao/UserMapper.xml"/>
mappers>
程序配置文件mybatis-config.xml必须符合规范
NullPointerException,没有注册到资源,MybatisUtils中提升作用域内外定义变量sqlSessionFactory
public class MybatisUtils {
private static SqlSessionFactory sqlSessionFactory;//提升作用域
static {
//使用Mybatis的第一步:获取SqlSessionFactory对象
try {
String resource = "mybatis-config.xml";
InputStream inputStream =Resources.getResourceAsStream(resource);
SqlSessionFactory sqlSessionFactory = new SqlSessionFactoryBuilder().build(inputStream);
} catch (IOException e) {
e.printStackTrace();
}
}
//有了SqlSessionFactory以后,我们可以从中获得SqlSession的实例
//SqlSession提供了在数据库执行 SQL命令 所需的所有方法。
public static SqlSession getSqlSession(){
return sqlSessionFactory.openSession();
}
}
输出的xml文件如果存在乱码,删除即可
maven资源导出问题,pom.xml中加
在接口方法中,参数直接传递实体类User;
//insert用户
int insertUser(User user);
编写sql语句的时候,需要传递参数类型,参数类型为实体类"com.kuang.pojo.User"
<insert id="insertUser" parameterType="com.kuang.pojo.User">
insert into `user`(`name`,`pwd`) values (#{name},#{pwd});
insert>
在使用方法的时候,需要创建实体类User对象,赋值所有属性
使用实体类:test中传入的“对象中的属性”必须和“数据库表中字段名”对应
//插入用户
@Test
public void insertUser(){
SqlSession sqlSession=MybatisUtils.getSqlSession();
UserMapper mapper = sqlSession.getMapper(UserMapper.class);
int i = mapper.insertUser(new User(0, "田七1", "tian123456"));
if(i>0){
System.out.println("插入成功");
}
//【关键】Mybatis中增删改查,需要提交事务才能生效
sqlSession.commit();
sqlSession.close();
}
在接口方法中,参数直接传递Map;
//insert用户
int insertUser(User user);
编写sql语句的时候,需要传递参数类型,参数类型为Map
<insert id="insertUser2" parameterType="map">
insert into `user`(`name`,`pwd`) values (#{username},#{password});
insert>
在使用方法的时候,需要创建实体类User对象,赋值所有属性
使用万能的Map:test中传入的“map的key值”可以自定义,无需和“数据库表中字段名”对应
//插入用户
@Test
public void insertUser2(){
SqlSession sqlSession=MybatisUtils.getSqlSession();
UserMapper mapper = sqlSession.getMapper(UserMapper.class);
Map<String,Object> map=new HashMap<>();
map.put("username","田七");
map.put("password","tian123456");
int i = mapper.insertUser2(map);
if(i>0){
System.out.println("插入成功");
}
//【关键】Mybatis中增删改查,需要提交事务才能生效
sqlSession.commit();
sqlSession.close();
}
传递参数类型:
多个参数用map,或者注解
返回结果类型:当为实体类对象时需要写,当为int时可省略。
1.test中传递的字符串采用拼接,传递通配符%
容易造成sql注入,用户传入的值一般我们要求只能为值,不能拼接字符串
List<User> userList = mapper.getUserLike("%李%");
2.在Mapper.xml的sql中拼接,使用通配符,推荐
select * from `user` where name like "%"#{name}"%"
核心配置文件mybatis-config.xml
【注意】在mybatis-config.xml的
标签中,所有配置标签有顺序
事务管理器(transactionManager)
在 MyBatis 中有两种类型的事务管理器(也就是 type="[JDBC|MANAGED]"):
JDBC – 这个配置直接使用了 JDBC 的提交和回滚设施,它依赖从数据源获得的连接来管理事务作用域。
MANAGED – 这个配置几乎没做什么。它从不提交或回滚一个连接,而是让容器来管理事务的整个生命周期(比如 JEE 应用服务器的上下文)。 默认情况下它会关闭连接。然而一些容器并不希望连接被关闭,因此需要将 closeConnection 属性设置为 false 来阻止默认的关闭行为。
数据源(dataSource)
是否使用连接池
Mybatis默认的事务管理器就是JDBC,连接池:POOLED
学会使用配置多套运行环境。
我们可以通过properties属性来实现引用配置文件。
mybatis-config.xml使用到的属性可以在外部进行配置,并可以进行动态替换:
既可以在典型的 Java 属性文件中配置这些属性【db.properties】
db.properties
driver=com.mysql.jdbc.Driver
url=jdbc:mysql://localhost:3306/mybatis?useSSL=true&useUnicode=true&characterEncoding=utf8
username=root
password=123456
mybatis-config.xml中引入配置文件并使用
<properties resource="db.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>
也可以在 properties 元素的子元素中设置
mybatis-config.xml的
属性配置:
可以动态增加属性(如果两个文件有同一个字段,优先使用外部配置文件。properties里面的属性优先)<typeAliases>
<typeAlias type="com.kuang.pojo.User" alias="User"/>
typeAliases>
在Mapper.xml中使用
<select id="getUserList" parameterType="map" resultType="User">
select * from `user` where `name` like "%"#{name}"%";
select>
MyBatis会在包名下面搜索需要的实体类(JavaBean)
扫描实体类的包,它的默认别名就为这个类的类名,首字母小写
<typeAliases>
<package name="com.kuang.pojo"/>
typeAliases>
在Mapper.xml中使用
<select id="getUserList" parameterType="map" resultType="user">
select * from `user` where `name` like "%"#{name}"%";
select>
为具体实体类指定类型别名,可以自定义包名
指定一个包名,别名默认类名,且首字母小写。但可以通过在实体类上增加注解自定义包名
//实体类
@Alias("user")
public class User {
...
}
MapperRegistry:每一个Mapper.xml都需要到mybatis-config.xml中的
中去配置
配置方法:
1.使用resource绑定注册
注意路径采用 反斜杠 分隔
<mappers>
<mapper resource="com/kuang/dao/UserMapper.xml"/>
mappers>
2.使用class文件绑定注册
<mappers>
<mapper class="com.kuang.dao.UserMapper"/>
mappers>
注意点:
3.使用扫描包进行注册绑定
<mappers>
<package name="com.kuang.dao"/>
mappers>
注意点:
这是 MyBatis 中极为重要的调整设置,它们会改变 MyBatis 的运行时行为。
数据库命名与实体类字段 转换,需要Mabatis框架的设置支持
生命周期类别是至关重要的,因为错误的使用会导致非常严重的并发问题
SqlSessionFactoryBuilder:
这个类可以被实例化、使用和丢弃;一旦创建了SqlSessionFactory,就不再需要它了
设为局部变量
SqlSessionFactory:
SqlSession:
这里的每一个Mapper,就代表一个具体的业务!
要解决的问题:属性名和字段名不一致
数据库字段:
实体类属性:
public class User {
private int id;
private String name;
private String password; //字段和属性不一致
}
测试字段不一致问题:
Mapper.xml
<select id="getUserById" parameterType="_int" resultType="com.kuang.pojo.User">
select * from `user` where `id`=#{id};
select>
查询结果:password属性为null
解决办法:
sql查询字段起别名 pwd as password
select id,name,pwd as password from mybatis.user where id = #{id}
结果集映射resultMap,属性名和字段名映射
结果集映射
实体类User: id name pwd
数据库user表:id name password
在Mapper.xml中配置resultMap
<mapper namespace="com.kuang.dao.UserMapper">
<resultMap id="UserMap" type="User">
<result column="pwd" property="password"/>
resultMap>
<select id="getUserById" resultMap="UserMap">
select * from mybatis.user where id = #{id}
select>
mapper>
resultMap
元素时MyBatis中最重要的最强大的元素。ResultMap
的优秀之处——你完全可以不用显式地配置它们,可以只映射不一致的字段和属性如果一个数据库操作,出现了异常,我们需要排错。日志就是最好的助手。
曾经:sout 、debug
现在:日志工厂
在mybatis-config.xml中配置
在Mybatis中具体使用哪一个日志实现,在设置中设定。
<settings>
<setting name="logImpl" value="STDOUT_LOGGING"/>
settings>
【注意】书写日志不要有空格
STDOUT_LOGGING日志只需要配置一下setting,就能使用。
什么是LOG4J:
1.先导出log4j的包
<dependency>
<groupId>log4jgroupId>
<artifactId>log4jartifactId>
<version>1.2.17version>
dependency>
2.在resources目录下创建log4j.properties
#将等级为DEBUG的日志信息输出到console和file这两个目的地,console和file的定义在下面的代码
log4j.rootLogger=DEBUG,console,file
#控制台输出的相关设置
log4j.appender.console = org.apache.log4j.ConsoleAppender
log4j.appender.console.Target = System.out
log4j.appender.console.Threshold=DEBUG
log4j.appender.console.layout = org.apache.log4j.PatternLayout
log4j.appender.console.layout.ConversionPattern=[%c]-%m%n
#文件输出的相关设置
log4j.appender.file = org.apache.log4j.RollingFileAppender
log4j.appender.file.File=./log/kuang.log
log4j.appender.file.MaxFileSize=10mb
log4j.appender.file.Threshold=DEBUG
log4j.appender.file.layout=org.apache.log4j.PatternLayout
log4j.appender.file.layout.ConversionPattern=[%p][%d{yy-MM-dd}][%c]%m%n
#日志输出级别
log4j.logger.org.mybatis=DEBUG
log4j.logger.java.sql=DEBUG
log4j.logger.java.sql.Statement=DEBUG
log4j.logger.java.sql.ResultSet=DEBUG
log4j.logger.java.sql.PreparedStatement=DEBUG
3.配置log4j为日志实现
<settings>
<setting name="logImpl" value="LOG4J"/>
settings>
4.Log4j的使用,直接测试运行刚才的查询
简单实用:
1.在要使用Log4j的类中,导入包import org.apache.log4j.Logger;
2.日志对象,参数为当前类的class
3.可以设置日志级别
import org.apache.log4j.Logger; //导入包
public class log4j{
static Logger logger=Logger.getLogger(log4j.class); //获取当前类的反射
@Test
public void testLog(){
logger.info("info:进入selectUser方法");
logger.debug("debug:进入selectUser方法");
logger.error("error: 进入selectUser方法");
SqlSession session= MybatisUtils.getSqlSession();
UserMapper mapper = session.getMapper(UserMapper.class);
List<User> userList = mapper.getUserList();
for (User user : userList) {
System.out.println(user);
}
session.close();
}
}
思考:为什么要分页?
1.接口
//分页查询
List<User> getUserByLimit(Map<String,Integer> map);
2.Mapper.xml
<resultMap id="UserMap" type="User">
<result column="pwd" property="password"/>
resultMap>
<select id="getUserByLimit" parameterType="map" resultMap="UserMap">
select * from `user` limit #{startIndex},#{pageSize};
select>
3.测试
//分页查询
@Test
public void getUserByLimit(){
SqlSession sqlSession = MybatisUtils.getSqlSession();
UserMapper mapper = sqlSession.getMapper(UserMapper.class);
Map<String,Object> map=new HashMap<>();
map.put("startIndex",0);
map.put("pageSize",3);
List<User> userList = mapper.getUserByLimit(map);
for (User user : userList) {
System.out.println(user);
}
sqlSession.close();
}
1.接口
//分页查询
List<User> getUserByRowBounds();
2.Mapper.xml
<resultMap id="UserMap" type="User">
<result column="pwd" property="password"/>
resultMap>
<select id="getUserByRowBounds" parameterType="map" resultMap="UserMap">
select * from `user` limit #{startIndex},#{pageSize};
select>
3.测试
//RowBounds分页查询
@Test
public void getUserByRowBounds(){
SqlSession sqlSession = MybatisUtils.getSqlSession();
int currentPage=2; //第几页
int pageSize=2; //每页显示几个
RowBounds rowBounds = new RowBounds((currentPage - 1) * pageSize, pageSize);
List<User> userList = sqlSession.selectList("com.kuang.dao.UserMapper.getUserByRowBounds", null, rowBounds);
for (User user : userList) {
System.out.println(user);
}
sqlSession.close();
}
MyBatis分页插件 PageHelper
https://pagehelper.github.io/
了解即可,万一以后公司的架构师,说要使用,你需要知道它是什么东西。
大家之前都学过面向对象编程,也学习过接口,但在真正的开发中,很多时候我们会选择面向接口 编程
根本原因 : 解耦 , 可拓展 , 提高复用 , 分层开发中 , 上层不用管具体的实现 , 大家都遵守共同的标准 , 使得开发变得容易 , 规范性更好
在一个面向对象的系统中,系统的各种功能是由许许多多的不同对象协作完成的。在这种情况下, 各个对象内部是如何实现自己的,对系统设计人员来讲就不那么重要了;
而各个对象之间的协作关系则成为系统设计的关键。小到不同类之间的通信,大到各模块之间的交互,在系统设计之初都是要着重考虑的,这也是系统设计的主要工作内容。面向接口编程就是指按 照这种思想来编程
关于接口的理解:
接口从更深层次的理解,应是定义(规范,约束)与实现(名实分离的原则)的分离。
接口从更深层次的理解,应是定义(规范,约束)与实现(名实分离的原则)的分离。
接口应有两类:
一个个体可能有多个抽象面,抽象体和抽象面是有区别的。
三个“面向”区别:
1.在我们的接口中直接添加注解
//查询所有用户
@Select("select * from user")
List<User> getUserList();
2.记得每个Mapper都要去mybatis-config.xml核心配置文件中注册
利用mapper.xml时可以采用三种注册方式,利用注解开发只能使用class绑定接口
<mappers>
<mapper class="com.kuang.dao.UserMapper"/>
mappers>
3.测试
//查找所有用户
@Test
public void getUserList() {
SqlSession sqlSession = MybatisUtils.getSqlSession();
UserMapper mapper = sqlSession.getMapper(UserMapper.class);
List<User> userList = mapper.getUserList();
for (User user : userList) {
System.out.println(user);
}
sqlSession.close();
}
4.查看Debugben本质
在test中打断点Debug
5.本质上利用了jvm的动态代理机制
6.Mybatis详细执行流程
可以改造MybatisUtils工具类的getSession( ) 方法,开启自动提交;但是实际开发中一般不采用自动提交
public static SqlSession getSession(boolean flag){
return sqlSessionFactory.openSession(flag);
}
UserMapper接口:
//根据id查询用户
@Select("select * from `user` where id=#{id}")
User selectUserById(@Param("id") int id);
//添加一个用户
@Insert("insert into `user`(id,name,pwd) values(#{id},#{name},#{pwd})")
int addUser(User user);
//修改用户
@Update("update user set name=#{name},pwd=#{pwd} where id=#{id}")
int updateUser(User user);
//删除用户
@Delete("delete from `user` where id=#{id}")
int deleteUser(@Param("id") int id);
测试:
//根据id查询用户
@Test
public void selectUserById() {
SqlSession sqlSession = MybatisUtils.getSqlSession();
UserMapper mapper = sqlSession.getMapper(UserMapper.class);
User user = mapper.selectUserById(3);
System.out.println(user);
sqlSession.close();
}
//添加一个用户
@Test
public void addUser() {
SqlSession sqlSession = MybatisUtils.getSqlSession();
UserMapper mapper = sqlSession.getMapper(UserMapper.class);
mapper.addUser(new User(8,"zhangsan","zhang123"));
sqlSession.commit();
sqlSession.close();
}
//修改用户
@Test
public void updateUser() {
SqlSession sqlSession = MybatisUtils.getSqlSession();
UserMapper mapper = sqlSession.getMapper(UserMapper.class);
mapper.updateUser(new User(8,"zhangsan333","zhang123"));
sqlSession.commit();
sqlSession.close();
}
//删除用户
@Test
public void deleteUser() {
SqlSession sqlSession = MybatisUtils.getSqlSession();
UserMapper mapper = sqlSession.getMapper(UserMapper.class);
mapper.deleteUser(8);
sqlSession.commit();
sqlSession.close();
}
关于@Param:
@Param注解用于给方法参数起一个名字。以下是总结的使用原则:
#{}和${}区别:
#{}的作用主要是替换预编译语句(PrepareStatement)中占位符【推荐使用】
INSERT INTO user (name) VALUES (#{name});
INSERT INTO user (name) VALUES (?);
${}的作用是直接进行字符串替换
INSERT INTO user (name) VALUES ('${name}');
INSERT INTO user (name) VALUES ('kuangshen');
Lombok是为了偷懒,主要是自动实体类生成:无参构造和有参构造、getter和setter、toString等
优点:
缺点:
常用注解:
使用步骤:
1.在IDEA中安装Lombok插件,一般自动安装了,如果没有手动安装
file->setting->plugins,Marketplace,Browse repositories
2.使用lombok需要添加jar包
<dependency>
<groupId>org.projectlombokgroupId>
<artifactId>lombokartifactId>
<version>1.18.12version>
dependency>
3.实体类中直接应用
@Data //无参构造。get set toString hashcode equals
@AllArgsConstructor //有参构造
@NoArgsConstructor //无参构造
public class User {
private int id;
private String name;
private String pwd;
}
问题:
需要多表查询,但是返回的结果集往往只能是一个实体类型;
数据库多表查询结果(可能多张表的字段),与实体类(可能涉及多个实体类),但是Mybatis返回结果中,只有一个returnType——结果集映射
两种情况:
student表:id,name,tid
techear表:id,name
多对一:需要查询所有学生,及其对应的老师姓名(s.id s.name t.name),主体是学生(查询结果存在多个学生对应一个老师)
查询条件是所有的学生,学生表join老师表
**一对多:**需要查询指定老师,及其所有的学生信息(s.id s.name t.name),主体是老师(一个老师对应多个学生)
查询结果是指定老师,老师表join学生表
此处把握住是**“谁是主体”+“谁连接谁”**,join后面的是一个对象(多对一),join后面是一个集合(一对多)
新建数据库表:
SQL:
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');
需求:
需要查询所有学生,及其对应的老师姓名(s.id s.name t.name),主体是学生(查询结果存在多个学生对应一个老师)
查询条件是所有的学生,学生表join老师表
项目结构:
导入lombok
1.新建实体类
Student:
@Data
public class Student {
private int id;
private String name;
//学生需要关联一个老师,此处属性为一个对象
private Teacher teacher;
}
Teacher:
@Data
public class Teacher {
private int id;
private String name;
}
2.建立Mapper接口
StudentMapper:
public interface StudentMapper {
//查找所有学生,以及每个学生对应的老师姓名
List<Student> getStudent();
}
TeacherMapper:
public interface TeacherMapper {
//根据id查找老师,及老师的所有学生
Teacher getTeacher(int id);
}
3.建立Mapper.xml文件(后续改)
在Resources目录下,建立和java目录下同样的包结构com.kuang.dao
,易错:resources下建包用 / 分隔,java下建包用 . 分隔
而且Mapper.xml需要和Mapper同名
StudentMapper.xml
<mapper namespace="com.kuang.dao.StudentMapper">
mapper>
TeacherMapper.xml
<mapper namespace="com.kuang.dao.TeacherMapper">
mapper>
5.在核心配置文件中绑定注册Mapper接口或者Mapper.xml或者包
<mappers>
<mapper class="com.kuang.dao.TeacherMapper"/>
<mapper class="com.kuang.dao.StudentMapper"/>
mappers>
6.测试是否能够查询成功(后续改)
查询主体是学生
StudentMapper.xml:
<select id="getStudent" resultMap="StudentTeacher">
select s.id sid,s.name sname,t.name tname
from student s,teacher t
where s.tid = t.id;
select>
<resultMap id="StudentTeacher" type="Student">
<result property="id" column="sid"/>
<result property="name" column="sname"/>
<association property="teacher" javaType="Teacher">
<result property="name" column="tname"/>
association>
resultMap>
先通过sql查询出结果,再 “sql结果字段” 与“实体类对象属性” 映射
测试:
@Test
public void testStudent(){
SqlSession sqlSession = MybatisUtils.getSqlSession();
UserMapper mapper = sqlSession.getMapper(StudentMapper.class);
List<Student> studentList = mapper.getStudent();
for (Student student : studentList) {
System.out.println(student);
}
sqlSession.close();
}
查询主体是学生
StudentMapper.xml:
<mapper namespace="com.kuang.dao.StudentMapper">
<select id="getStudent" resultMap="StudentTeacher">
select * from student
select>
<resultMap id="StudentTeacher" type="Student">
<result property="id" column="id"/>
<result property="name" column="name"/>
<association property="teacher" javaType="Teacher" select="getTeacher" column="tid" />
resultMap>
<select id="getTeacher" resultType="Teacher">
select * from teacher where id = #{id}
select>
mapper>
测试:
@Test
public void testStudent(){
SqlSession sqlSession = MybatisUtils.getSqlSession();
UserMapper mapper = sqlSession.getMapper(StudentMapper.class);
List<Student> studentList = mapper.getStudent();
for (Student student : studentList) {
System.out.println(student);
}
sqlSession.close();
}
需求:
需要查询指定老师,及其所有的学生信息(s.id s.name t.name),主体是老师(一个老师对应多个学生)
查询结果是指定老师,老师表join学生表
实体类:
Student:
@Data
public class Student {
private int id;
private String name;
private int tid;
}
Teacher:
@Data
public class Teacher {
private int id;
private String name;
//一个老师拥有多个学生,此处属性为一个List
private List<Student> students;
}
查询主体是老师
TeacherMapper.xml:
<select id="getTeacher" resultMap="TeacherStudent">
select s.id sid,s.name sname,t.name tname,t.id tid
from teacher t
inner join student s
on t.id=s.tid
where t.id=#{id}
select>
<resultMap id="TeacherStudent" type="Teacher">
<result property="id" column="tid"/>
<result property="name" column="tname"/>
<collection property="students" javaType="ArrayList" ofType="Student">
<result property="id" column="sid"/>
<result property="name" column="sname"/>
<result property="tid" column="tid"/>
collection>
resultMap>
先通过sql查询出结果,再 “sql结果字段” 与“实体类对象属性” 一一映射
测试:
public class TeacherMapperTest {
@Test
public void getTeacher(){
SqlSession sqlSession = MybatisUtils.getSqlSession();
TeacherMapper mapper = sqlSession.getMapper(TeacherMapper.class);
Teacher teacher = mapper.getTeacher(1);
System.out.println(teacher);
sqlSession.close();
}
}
查询主体是老师
TeacherMapper.xml:
<select id="getTeacher" resultMap="TeacherStudent">
select * from `teacher` where id=#{id}
select>
<resultMap id="TeacherStudent" type="Teacher">
<collection property="students" javaType="ArrayList" ofType="Student"
select="getStudent" column="id"/>
resultMap>
<select id="getStudent" resultType="Student">
select * from `student` where tid=#{id};
select>
测试:
public class TeacherMapperTest {
@Test
public void getTeacher(){
SqlSession sqlSession = MybatisUtils.getSqlSession();
TeacherMapper mapper = sqlSession.getMapper(TeacherMapper.class);
Teacher teacher = mapper.getTeacher(1);
System.out.println(teacher);
sqlSession.close();
}
}
小结:
注意点:
面试高频:
什么是动态SQL:
简介:
MyBatis 的强大特性之一便是它的动态 SQL
如果你有使用 JDBC 或其它类似框架的经验,你 就能体会到根据不同条件拼接 SQL 语句的痛苦:
where id=1 and name=“zhangsan” and password=“123456”
insert into user(id,name,value) values(1,”zhangsna”,”123456)
update user set name=”zhangsan2”,password=”123” where id=1
动态sql元素和 JSTL标签类似;
复杂的SQL语句,往往需要拼接。而拼接SQL稍微不注意,由于引号,空格等的缺失可能都会导致错误。
解决办法:
使用MyBatis的动态SQL,通过if
where,set,trim
foreach
choose,when,otherwise
等标签,可以组合成非常灵活的SQL语句,从而在提高SQL语句的准确性的同时,也大大提高了开发人员的效率。
新建一个数据库表:blog
CREATE TABLE `blog` (
`id` varchar(50) NOT NULL COMMENT '博客id',
`title` varchar(100) NOT NULL COMMENT '博客标题',
`author` varchar(30) NOT NULL COMMENT '博客作者',
`create_time` datetime NOT NULL COMMENT '创建时间',
`views` int(30) NOT NULL COMMENT '浏览量'
) ENGINE=InnoDB DEFAULT CHARSET=utf8
1.创建一个maven基础工程
2.IDutils工具类
使用UUID创建唯一id
IDUtils:
public class IDUtils {
public static String getId(){
return UUID.randomUUID().toString().replaceAll("-","");
}
}
3.实体类的编写
Blog:
@Data
public class Blog {
private String id;
private String title;
private String author;
private Date createTime;
private int views;
}
4.编写Mapper接口及xml文件
BlogMapper:
public interface BlogMapper {
}
BlogMapper.xml:
<mapper namespace="com.kuang.dao.BlogMapper">
mapper>
5.mybatis核心配置文件,下划线命名 驼峰命名自动转换
<settings>
<setting name="mapUnderscoreToCamelCase" value="true"/>
<setting name="logImpl" value="STDOUT_LOGGING"/>
settings>
<mappers>
<mapper class="com.kuang.dao.BlogMapper"/>
mappers>
6.初始化接口数据
编写接口:
//新增一个博客
int addBlog(Blog blog);
Mapper.xml:
<insert id="addBlog" parameterType="Blog">
insert into mybatis.blog (id,title,author,create_time,views)
values (#{id},#{title},#{author},#{createTime},#{views});
insert>
test:初始化博客数据
@Test
public void addInitBlog(){
SqlSession session = MybatisUtils.getSqlSession();
BlogMapper mapper = session.getMapper(BlogMapper.class);
Blog blog = new Blog();
blog.setId(IDUtils.getId());
blog.setTitle("Mybatis如此简单");
blog.setAuthor("狂神说");
blog.setCreateTime(new Date());
blog.setViews(9999);
mapper.addBlog(blog);
blog.setId(IDUtils.getId());
blog.setTitle("Java如此简单");
mapper.addBlog(blog);
blog.setId(IDUtils.getId());
blog.setTitle("Spring如此简单");
mapper.addBlog(blog);
blog.setId(IDUtils.getId());
blog.setTitle("微服务如此简单");
mapper.addBlog(blog);
session.commit();
session.close();
}
应用场景:
根据条件append查询条件,拼接SQL
需求:根据作者名字author和博客名字title来查询博客:
1.编写接口类:
//需求1
List<Blog> queryBlogIf(Map map);
2.编写Mapper.xml中SQL语句
<select id="queryBlogIf" parameterType="map" resultType="Blog">
select * from `blog` where
<if test="author!=null">
author=#{author}
if>
<if test="title!=null">
and title=#{title}
if>
select>
3.测试
@Test
public void test(){
SqlSession session = MybatisUtils.getSqlSession();
BlogMapper mapper = session.getMapper(BlogMapper.class);
Map<String,Object> map=new HashMap<String, Object>();
map.put("author","狂神说");
map.put("title","Mybatis如此简单");
List<Blog> blogs = mapper.queryBlogIf(map);
for (Blog blog : blogs) {
System.out.println(blog);
}
session.close();
}
问题:
当author为null,title不为空时,select语句为:select * from blog where and title=#{title}
,这是错误的SQL语句。如何解决呢?采用下面where标签;
应用场景:
修改上面的SQL语句:
<select id="queryBlogIf" parameterType="map" resultType="Blog">
select * from `blog`
<where>
<if test="author!=null">
author=#{author}
</if>
<if test="title!=null">
and title=#{title}
</if>
</where>
</select>
应用场景:
,
剔除update blog set author=#{author},
编写Mapper.xml中SQL语句
<update id="updateBlog" parameterType="map">
update `blog`
<set>
<if test="author!=null">
author=#{author},
if>
<if test="title!=null">
title=#{title}
if>
set>
where id=#{id}
update>
应用场景:
select * from blog where id in (1,2,3,4)
**1.编写接口类:
List<Blog> queryBlogForeach(Map map);
2.编写Mapper.xml中SQL语句
<select id="queryBlogForeach" parameterType="map" resultType="Blog">
select * from blog
<where>
<foreach collection="idList" item="id" open="(" close=")" separator="or">
id=#{id}
foreach>
where>
select>
3.测试
@Test
public void test(){
SqlSession session = MybatisUtils.getSqlSession();
BlogMapper mapper = session.getMapper(BlogMapper.class);
Map<String,Object> map=new HashMap<String, Object>();
List<String> idList=new ArrayList<String>();
idList.add("ae52b845132a4a7190d4c3e192265fd2");
map.put("idList",idList); //List是map的一个属性
List<Blog> blogs = mapper.queryBlogForeach(map);
for (Blog blog : blogs) {
System.out.println(blog);
}
session.commit();
session.close();
}
应用场景:
1.编写接口类:
List<Blog> queryBlogChoose(Map map);
2.编写Mapper.xml中SQL语句
<select id="queryBlogChoose" parameterType="map" resultType="Blog">
select * from blog
<where>
<choose>
<when test="author!=null">
author=#{author}
when>
<when test="title!=null">
title=#{title}
when>
<otherwise>
and views=#{views}
otherwise>
choose>
where>
select>
3.测试
@Test
public void test(){
SqlSession session = MybatisUtils.getSqlSession();
BlogMapper mapper = session.getMapper(BlogMapper.class);
Map<String,Object> map=new HashMap<String, Object>();
map.put("title","Java如此简单2");
map.put("author","狂神说2");
map.put("views",9999);
List<Blog> blogs = mapper.queryBlogChoose(map);
for (Blog blog : blogs) {
System.out.println(blog);
}
session.commit();
session.close();
}
有时候可能某个sql语句我们用的特别多,为了增加代码的复用性,简化代码,我们需要将这些代码抽取出来,然后使用时直接调用。
提取SQL片段:
<sql id="if-title-author">
<if test="author!=null">
author=#{author}
if>
<if test="title!=null">
and title=#{title}
if>
sql>
引用SQL片段:
<select id="queryBlogIf" parameterType="map" resultType="Blog">
select * from `blog`
<where>
<include refid="if-title-author"/>
where>
select>
注意:
动态SQL小结:
问题:
查询:连接数据库,耗费资源。
一次查询的结果,给他暂存在一个可以直接取到的地方——内存:缓存
我们再次查询相同数据的时候,直接走缓存,就不用走数据库了。
1.什么是缓存?
2.为什么使用缓存?
3.什么样的数据能使用缓存
MyBatis包含一个非常强大的查询缓存特性,它可以非常方便地定制和配置缓存。缓存可以极大的提升查询效率。
MyBatis系统中默认定义了两级缓存:一级缓存和二级缓存
在同一SqlSession中查询两次相同记录
开启日志
测试代码:
Mapper接口:
//根据id查询用户
User queryUserbyId(@Param("id") int id);
Mapper.xml:
<select id="queryUserbyId" resultType="com.kuang.pojo.User">
select * from `user` where id=#{id};
select>
test:
public void testQueryUserById(){
SqlSession sqlSession = MybatisUtils.getSqlSession();
UserMapper mapper = sqlSession.getMapper(UserMapper.class);
User user1 =mapper.queryUserbyId(1);
System.out.println(user1);
System.out.println("===========同一个SqlSession中两次查询相同记录================");
User user2 =mapper.queryUserbyId(1);
System.out.println(user2);
System.out.println("user1==user2:"+(user1==user2));
sqlSession.close();
}
SqlSession一级缓存失效的情况
(1)SqlSession不同
public void testQueryUserById(){
SqlSession sqlSession1 = MybatisUtils.getSqlSession();
SqlSession sqlSession2 = MybatisUtils.getSqlSession();
//第一次查询
UserMapper mapper1 = sqlSession1.getMapper(UserMapper.class);
User user1 =mapper1.queryUserbyId(1);
System.out.println(user1);
System.out.println("===========Sqlsession不同================");
//第二次查询
UserMapper mapper2 = sqlSession2.getMapper(UserMapper.class);
User user2 =mapper2.queryUserbyId(1);
System.out.println(user2);
sqlSession1.close();
sqlSession2.close();
}
观察结果:两次查询都查询了数据库;
结论:每个SqlSession中缓存相互独立
(2)SqlSession相同,查询条件不同
public void testQueryUserById(){
SqlSession sqlSession = MybatisUtils.getSqlSession();
UserMapper mapper = sqlSession.getMapper(UserMapper.class);
User user1 =mapper.queryUserbyId(1);
System.out.println(user1);
System.out.println("===========SqlSession相同,查询条件不同================");
User user2 =mapper.queryUserbyId(2);
System.out.println(user2);
System.out.println("user1==user2:"+(user1==user2));
sqlSession.close();
}
(3)增删改操作,可能会改变原来的数据,所以必定会刷新缓存
增删改之后,再次查询,会重新查询数据库;
//第一次查询
User user1 =mapper.queryUserbyId(1);
System.out.println(user1);
System.out.println("===========增删改操作,会刷新缓存================");
//更新
Map<String,Object> map=new HashMap<String, Object>();
map.put("id",1);
map.put("name","zhangsan2");
map.put("pwd","zhang123321");
mapper.updateUser(map);
//第二次查询
User user2 =mapper.queryUserbyId(1);
System.out.println(user2);
(4)SqlSession相同,手动清除一级缓存
第二次查询会重新查询数据库
public void testQueryUserById(){
SqlSession sqlSession = MybatisUtils.getSqlSession();
//第一次查询
UserMapper mapper1 = sqlSession.getMapper(UserMapper.class);
User user1 =mapper1.queryUserbyId(1);
System.out.println(user1);
System.out.println("===========手动清除以及缓存================");
//手动清除以及缓存
sqlSession.clearCache();
//第二次查询
UserMapper mapper2 = sqlSession.getMapper(UserMapper.class);
User user2 =mapper2.queryUserbyId(1);
System.out.println(user2);
sqlSession.close();
}
一级缓存就是一个Map,key-value键值对
二级缓存也叫全局缓存,一级缓存作用域只在一个SqlSession内,作用于太低,所以诞生了二级缓存
基于namespace级别的缓存,一个命名空间,对应一个二级缓存
工作机制:
1.在mybatis-config.xml核心配置文件中,开启全局缓存
<setting name="cacheEnabled" value="true"/>
2.在要使用二级缓存的Mapper.xml中开启
<cache/>
也可以自定义参数
<cache
eviction="FIFO"
flushInterval="60000"
size="512"
readOnly="true"/>
3.测试
(1)遇到问题:实体类需要序列化,否则就会报错
Cause: java.io.NotSerializableException: com.kuang.pojo.User
解决:
public class User implements Serializable {......}
(2)两个SqlSession测试二级缓存:
public void testQueryUserById(){
//第一次查询
SqlSession sqlSession1 = MybatisUtils.getSqlSession();
UserMapper mapper1 = sqlSession1.getMapper(UserMapper.class);
User user1 =mapper1.queryUserbyId(1);
System.out.println(user1);
sqlSession1.close();
System.out.println("===========两个SqlSession测试二级缓存================");
//第二次查询
SqlSession sqlSession2 = MybatisUtils.getSqlSession();
UserMapper mapper2 = sqlSession2.getMapper(UserMapper.class);
User user2 =mapper2.queryUserbyId(1);
System.out.println(user2);
sqlSession2.close();
}
采用缓存后,查询数据先后顺序:
1.先看二级缓存中有没有
2.再看二级缓存中有没有
3.都没有查询数据库
1.使用需要导入jar包
<dependency>
<groupId>org.mybatis.cachesgroupId>
<artifactId>mybatis-ehcacheartifactId>
<version>1.2.1version>
dependency>
2.在mapper.xml中使用对应的缓存即可
<mapper namespace="com.kuang.dao.UserMapper">
<cache type="org.mybatis.caches.ehcache.EhcacheCache"/>
mapper>
3.编写ehcache.xml配置文件,放在resources中;如果在加载时未找到/ehcache.xml资源,将使用默认配置
<ehcache xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:noNamespaceSchemaLocation="http://ehcache.org/ehcache.xsd"
updateCheck="false">
<diskStore path="./tmpdir/Tmp_EhCache"/>
<defaultCache
eternal="false"
maxElementsInMemory="10000"
overflowToDisk="false"
diskPersistent="false"
timeToIdleSeconds="1800"
timeToLiveSeconds="259200"
memoryStoreEvictionPolicy="LRU"/>
<cache
name="cloud_user"
eternal="false"
maxElementsInMemory="5000"
overflowToDisk="false"
diskPersistent="false"
timeToIdleSeconds="1800"
timeToLiveSeconds="1800"
memoryStoreEvictionPolicy="LRU"/>
ehcache>
Mybatis缓存使用不多,大多被Redis缓存数据库,key-value键值对。
否则会出现找不到java方法
或者找到测试类的测试函数,但是传递方法参数不对
Cause: com.sun.org.apache.xerces.internal.impl.io.MalformedByteSequenceExcep
解决方法:之前在pom.xml文件中删除了下面代码,现在加上:
<properties>
<project.build.sourceEncoding>UTF-8project.build.sourceEncoding>
properties>
新建Mapper接口时不要建成了类
Mapper.xml和Mapper接口放在一起
Mapper.xml和Mapper接口放在相同包名下,Mapper.xml放在Resources目录下
1.新建配置文件
2.新建工具类
3.新建实体类
4.新建dao层
5.测试
<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.0modelVersion>
<groupId>org.examplegroupId>
<artifactId>mybatis3artifactId>
<packaging>pompackaging>
<version>1.0-SNAPSHOTversion>
<properties>
<project.build.sourceEncoding>UTF-8project.build.sourceEncoding>
properties>
<dependencies>
<dependency>
<groupId>mysqlgroupId>
<artifactId>mysql-connector-javaartifactId>
<version>5.1.47version>
dependency>
<dependency>
<groupId>org.mybatisgroupId>
<artifactId>mybatisartifactId>
<version>3.5.3version>
dependency>
<dependency>
<groupId>junitgroupId>
<artifactId>junitartifactId>
<version>4.13version>
dependency>
<dependency>
<groupId>log4jgroupId>
<artifactId>log4jartifactId>
<version>1.2.17version>
dependency>
<dependency>
<groupId>org.projectlombokgroupId>
<artifactId>lombokartifactId>
<version>1.18.12version>
dependency>
<dependency>
<groupId>org.mybatis.cachesgroupId>
<artifactId>mybatis-ehcacheartifactId>
<version>1.2.1version>
dependency>
dependencies>
<build>
<resources>
<resource>
<directory>src/main/resourcesdirectory>
<includes>
<include>**/*.propertiesinclude>
<include>**/*.xmlinclude>
includes>
<filtering>truefiltering>
resource>
<resource>
<directory>src/main/javadirectory>
<includes>
<include>**/*.propertiesinclude>
<include>**/*.xmlinclude>
includes>
<filtering>truefiltering>
resource>
resources>
build>
project>
mybatis-config.xml 核心配置文件(后续不要忘记在此注册Mappper)
<configuration>
<properties resource="db.properties"/>
<settings>
<setting name="logImpl" value="LOG4J"/>
<setting name="mapUnderscoreToCamelCase" value="true"/>
<setting name="cacheEnabled" value="true"/>
settings>
<typeAliases>
<package name="com.kuang.pojo"/>
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 class="com.kuang.dao.BlogMapper"/>
mappers>
configuration>
db.properties 数据库配置文件
driver=com.mysql.jdbc.Driver
url=jdbc:mysql://localhost:3306/mybatis?useSSL=true&useUnicode=true&characterEncoding=utf8
username=root
password=123456
log4j.properties 日志配置文件
#将等级为DEBUG的日志信息输出到console和file这两个目的地,console和file的定义在下面的代码
log4j.rootLogger=DEBUG,console,file
#控制台输出的相关设置
log4j.appender.console = org.apache.log4j.ConsoleAppender
log4j.appender.console.Target = System.out
log4j.appender.console.Threshold=DEBUG
log4j.appender.console.layout = org.apache.log4j.PatternLayout
log4j.appender.console.layout.ConversionPattern=[%c]-%m%n
#文件输出的相关设置
log4j.appender.file = org.apache.log4j.RollingFileAppender
log4j.appender.file.File=./log/kuang.log
log4j.appender.file.MaxFileSize=10mb
log4j.appender.file.Threshold=DEBUG
log4j.appender.file.layout=org.apache.log4j.PatternLayout
log4j.appender.file.layout.ConversionPattern=[%p][%d{yy-MM-dd}][%c]%m%n
#日志输出级别
log4j.logger.org.mybatis=DEBUG
log4j.logger.java.sql=DEBUG
log4j.logger.java.sql.Statement=DEBUG
log4j.logger.java.sql.ResultSet=DEBUG
log4j.logger.java.sql.PreparedStatement=DEBUG
MybatisUtils 提取生成SqlSession工具类
//工具类
//需要获得数据库操作对象SqlSession
//SqlSessionFactory---->SqlSession
public class MybatisUtils {
private static SqlSessionFactory sqlSessionFactory;//提升作用域
static {
//使用Mybatis的第一步:获取SqlSessionFactory对象
try {
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();
}
}
其他工具类,如IDUtils
public class IDUtils {
public static String getId(){
return UUID.randomUUID().toString().replaceAll("-","");
}
}
3.新建实体类
import java.util.Date;
@Data
public class Blog {
private String id;
private String title;
private String author;
private Date createTime;
private int views;
}
4.新建dao层
Mapper接口
public interface BlogMapper {
//查询
List<Blog> queryBlogIf(Map map);
}
Mapper.xml(类实现类,书写sql)(每个需要在mybatis-config.xml 核心配置文件中注册)
<mapper namespace="com.kuang.dao.BlogMapper">
<select id="queryBlogIf" parameterType="map" resultType="Blog">
select * from `blog`
<where>
<if test="author!=null">
author=#{author}
if>
<if test="title!=null">
and title=#{title}
if>
where>
select>
mapper>
5.测试
public class BlogTest {
@Test
public void test(){
SqlSession session = MybatisUtils.getSqlSession();
BlogMapper mapper = session.getMapper(BlogMapper.class);
Map<String,Object> map=new HashMap<String, Object>();
map.put("title","Java如此简单2");
map.put("author","狂神说2");
List<Blog> blogs = mapper.queryBlogIf(map);
for (Blog blog : blogs) {
System.out.println(blog);
}
session.commit();
session.close();
}
}