数据库:mybatis_lesson
表:user
user表的字段:id,name,age,phone_number


<dependency>
<groupId>org.mybatisgroupId>
<artifactId>mybatisartifactId>
<version>3.4.6version>
dependency>
<dependency>
<groupId>mysqlgroupId>
<artifactId>mysql-connector-javaartifactId>
<version>8.0.18version>
dependency>
在resources目录下创建mybatis的核心配置文件Mybatis-config.xml,

内容如下:
DOCTYPE configuration
PUBLIC "-//mybatis.org//DTD Config 3.0//EN"
"https://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.cj.jdbc.Driver"/>
<property name="url" value="jdbc:mysql://localhost:3306/mybatis_lesson"/>
<property name="username" value="root"/>
<property name="password" value="12345678"/>
dataSource>
environment>
environments>
<mappers>
mappers>
configuration>

package com.lesson.mybatis.entity;
import lombok.Getter;
import lombok.Setter;
@Getter
@Setter
public class User {
private Integer id;
private String name;
private Integer age;
private String phoneNumber;
}

在mybatis中,接口实现类由原来的UserDaoImpl转变为一个 Mapper配置文件

DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="com.lesson.mybatis.mapper.UserMapper">
<select id="getUserList" resultType="com.lesson.mybatis.entity.User">
select * from user
select>
mapper>

完整的mybatis配置文件(Mybatis-config)如下:
DOCTYPE configuration
PUBLIC "-//mybatis.org//DTD Config 3.0//EN"
"https://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.cj.jdbc.Driver"/>
<property name="url" value="jdbc:mysql://localhost:3306/mybatis_lesson"/>
<property name="username" value="root"/>
<property name="password" value="12345678"/>
dataSource>
environment>
environments>
<mappers>
<mapper resource="mapper/UserMapper.xml" />
mappers>
configuration>

import com.lesson.mybatis.entity.User;
import com.lesson.mybatis.mapper.UserMapper;
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 org.junit.Test;
import java.io.InputStream;
import java.util.List;
public class TestMybatis1 {
@Test
public void testSelect() throws Exception{
String resource = "Mybatis-config.xml"; //mybatis配置文件
InputStream inputStream = Resources.getResourceAsStream(resource);
SqlSessionFactory sqlSessionFactory = new SqlSessionFactoryBuilder().build(inputStream);
SqlSession sqlSession = sqlSessionFactory.openSession(true); //开启自动提交
UserMapper userMapper = sqlSession.getMapper(UserMapper.class);
List<User> users = userMapper.getUserList();
for (User user:users){
System.out.println(user);
}
sqlSession.close();
}
}
打印结果为对象:
com.lesson.mybatis.entity.User@4fb0f2b9
com.lesson.mybatis.entity.User@79924b
原因:
User类中没有重新toString方法
解决:
package com.lesson.mybatis.entity;
import lombok.Getter;
import lombok.Setter;
import lombok.ToString;
@Getter
@Setter
@ToString //添加重新toString方法的注解
public class User {
private Integer id;
private String name;
private Integer age;
private String phoneNumber;
}
打印结果中的某个字段为null:
User(id=1, name=marry, age=16, phoneNumber=null)
User(id=2, name=jack, age=17, phoneNumber=null)
原因:
数据库中的字段为phone_number,实体类中的字段为phoneNumber
解决:
方法1:设置查询字段别名法
我们通过将不一致的字段设置别名,并且别名与对应类的属性名一致,UserMapper.xml中select语句如下:
<select id="getUserList" resultType="com.lesson.mybatis.entity.User">
select id,name,age,phone_number phoneNumber from user
select>
方法2: 在mybatis的核心配置文件中设置全局配置信息mapUnderscoreToCamelCase为true,将表中字段的下划线自动转换为驼峰,此方法仅适用于字段名的下划线转化为驼峰后恰好与类的属性名一致的情况。Mybatis-config.xml配置如下:
DOCTYPE configuration
PUBLIC "-//mybatis.org//DTD Config 3.0//EN"
"https://mybatis.org/dtd/mybatis-3-config.dtd">
<configuration>
<settings>
<setting name="mapUnderscoreToCamelCase" value="true"/>
settings>
<environments default="development">
<environment id="development">
<transactionManager type="JDBC"/>
<dataSource type="POOLED">
<property name="driver" value="com.mysql.cj.jdbc.Driver"/>
<property name="url" value="jdbc:mysql://localhost:3306/mybatis_lesson"/>
<property name="username" value="root"/>
<property name="password" value="12345678"/>
dataSource>
environment>
environments>
<mappers>
<mapper resource="mapper/UserMapper.xml" />
mappers>
configuration>
方法3:将select语句的resultType换为resultMap,在resultMap中配置字段名和属性值的对应关系,UserMapper.xml配置如下:
DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="com.lesson.mybatis.mapper.UserMapper">
<resultMap id="user" type="com.lesson.mybatis.entity.User">
<id property="id" column="id">id>
<result property="name" column="name">result>
<result property="age" column="age">result>
<result property="phoneNumber" column="phone_number">result>
resultMap>
<select id="getUserList" resultMap="user">
select * from user
select>
mapper>

详见https://blog.csdn.net/weixin_43654975/article/details/128842227?spm=1001.2014.3001.5501
配置配置ip和端口
server:
ip: localhost
port: 9090
配置数据库连接信息
spring:
datasource:
driver-class-name: com.mysql.cj.jdbc.Driver
url: jdbc:mysql://localhost:3306/mybatis_lesson?serverTimezone=GMT%2b8
username: root
password: 12345678
完整配置文件如下:
server:
ip: localhost
port: 9090
spring:
datasource:
driver-class-name: com.mysql.cj.jdbc.Driver
url: jdbc:mysql://localhost:3306/mybatis_lesson?serverTimezone=GMT%2b8
username: root
password: 12345678

UserMapper接口

UserMapper.xml

DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="com.example.mybatisspringbootlesson.mapper.UserMapper">
<resultMap id="user" type="com.example.mybatisspringbootlesson.entity.User">
<id property="id" column="id">id>
<result property="name" column="name">result>
<result property="age" column="age">result>
<result property="phoneNumber" column="phone_number">result>
resultMap>
<select id="getUserList" resultMap="user">
select * from user
select>
mapper>
在application.yml中添加配置mapper.xml文件的路径:
mybatis:
mapper-locations:
- classpath:mapper/*.xml
在程序入口类MybatisSpringbootLessonApplication中添加扫描,MybatisSpringbootLessonApplication内容如下:
package com.example.mybatisspringbootlesson;
import org.mybatis.spring.annotation.MapperScan;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
@SpringBootApplication
@MapperScan("com.example.mybatisspringbootlesson.mapper")
public class MybatisSpringbootLessonApplication {
public static void main(String[] args) {
SpringApplication.run(MybatisSpringbootLessonApplication.class, args);
}
}
或
在UserMapper接口上添加注解@Mapper,UserMapper接口如下:
package com.example.mybatisspringbootlesson.mapper;
import com.example.mybatisspringbootlesson.entity.User;
import org.apache.ibatis.annotations.Mapper;
import org.springframework.stereotype.Repository;
import java.util.List;
@Repository
@Mapper //添加此注解
public interface UserMapper {
List<User> getUserList();
}
UserService接口:

UserServiceImpl类

UserController类:

package com.example.mybatisspringbootlesson.controller;
import com.example.mybatisspringbootlesson.entity.User;
import com.example.mybatisspringbootlesson.service.UserService;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;
import javax.annotation.Resource;
import java.util.List;
@RestController
@RequestMapping("/user")
public class UserController {
@Resource
UserService userService;
@GetMapping("/all")
public List<User> getAllUsers(){
return userService.getUserList();
}
}
浏览器访问localhost:9090/user/all

DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="com.lesson.mybatis.mapper.UserMapper">
<resultMap id="user" type="com.lesson.mybatis.entity.User">
<id property="id" column="id">id>
<result property="name" column="name">result>
<result property="age" column="age">result>
<result property="phoneNumber" column="phone_number">result>
resultMap>
<select id="getUserList" resultMap="user">
select * from user
select>
<select id="getUserById" parameterType="int" resultMap="user">
select * from user where id=#{id}
select>
<insert id="addUser" parameterType="com.lesson.mybatis.entity.User">
insert into user (id, name, age, phone_number) values (#{id},#{name},#{age},#{phoneNumber});
insert>
<insert id="addUser1" parameterType="com.lesson.mybatis.entity.User" useGeneratedKeys="true" keyProperty="id" keyColumn="id">
insert into user (id, name, age, phone_number) values (#{id},#{name},#{age},#{phoneNumber});
insert>
<insert id="addUserBatch" parameterType="list">
INSERT INTO user (id,name,age,phone_number)
VALUES
<foreach collection ="list" item="user" separator =",">
(#{user.id},#{user.name},#{user.age},#{user.phoneNumber})
foreach>
insert>
<update id="updateUser" parameterType="com.lesson.mybatis.entity.User">
update user set name=#{name},age=#{age},phone_number=#{phoneNumber} where id = #{id}
update>
<update id="updateUserBatch" parameterType="com.lesson.mybatis.entity.User">
<foreach collection="list" item="user" separator=";">
update user set name=#{user.name},age=#{user.age},phone_number=#{user.phoneNumber} where id=#{user.id}
foreach>
update>
<delete id="deleteUserById" parameterType="int" >
delete from user where id=#{id}
delete>
<delete id="deleteUserBatch" parameterType="list">
delete from user where id in
<foreach collection="list" item="item" separator="," open="(" close=")">
#{item}
foreach>
delete>
<delete id="deleteUserByNameAndId" >
delete from user where id=#{arg1} and name=#{arg0}
delete>
<insert id="addUserByMap" parameterType="map">
insert into user (name, age) values (#{name},#{age});
insert>
<select id="getUserLikeName" resultMap="user" >
select * from user where name like "%"#{name}"%"
select>
<select id="getUserLikeName" resultMap="user" >
select * from user where name like concat('%',#{name},'%')
select>
mapper>
DOCTYPE configuration
PUBLIC "-//mybatis.org//DTD Config 3.0//EN"
"https://mybatis.org/dtd/mybatis-3-config.dtd">
<configuration>
<properties>properties>(属性)
<settings>settings>(设置)
<typeAliases>typeAliases>(类型别名)
<typeHandlers>typeHandlers>(类型处理器)
<objectFactory>objectFactory>(对象工厂)
<plugins>plugins>(插件)
<environments>(环境配置)
<environment>(环境变量)
<transactionManager>transactionManager>(事务管理器)
<dataSource>dataSource>(数据源)
environment>
environments>
<databaseIdProvider>databaseIdProvider>(数据库厂商标识)
<mappers>mappers>(映射器)
configuration>
注意:
配置文件中的元素必须按照下面的顺序: properties?,settings?,typeAliases?,typeHandlers?,objectFactory?,objectWrapperFactory?,reflectorFactory?,plugins?,environments?,databaseIdProvider?,mappers?
使用可以将外部的配置文件引入到核心配置文件中,编写一个配置文件db.properties,内容如下:
driver=com.mysql.jdbc.Driver
url=jdbc:mysql://localhost:3306/mybatis?useSSL=true&useUnicode=true&characterEncoding=UTF-8
username=root password=123456
在核心配置文件中引入:
<properties resource="db.properties">
<property name="username" value="root"/>
<property name="pwd" value="11111"/>
properties>
**注意:**如果两个文件有同一个字段,优先使用外部配置文件的!
可以用来减少类完全限定名的冗余
<typeAliases>
<typeAlias type="com.lesson.mybatis.entity.User" alias="User"/>
typeAliases>
也可以指定一个包名,MyBatis 会在包名下面搜索需要的 Java Bean
<typeAliases>
<package name="com.lesson.mybatis.entity"/>
typeAliases>
在实体类比较少的时候,使用第一种方式。 如果实体类十分多,建议使用第二种。 第一种可以DIY别名,第二种则不行·,如果非要改,需要在实体上增加注解@Alias()
@Alias("user")
public class User {}
<settings>
<setting name="logImpl" value="STDOUT_LOGGING" /> 指定 MyBatis 所用日志的具体实现,未指定时将自动查找。可选值为:SLF4J\LOG4J\LOG4J2\JDK_LOGGING\COMMONS_LOGGING\STDOUT_LOGGING\NO_LOGGING
settings>
STDOUT_LOGGING日志:
标准日志工厂,不需要导包就可以使用,可以在控制台打印执行的sql语句。打印的日志信息格式如下:
//初始化StdOutImpl类,其实就是这个STDOUT_LOGGING类
Logging initialized using 'class org.apache.ibatis.logging.stdout.StdOutImpl' adapter.
....
//打开JDBC连接
Opening JDBC Connection
Created connection 1293680848.
Setting autocommit to false on JDBC Connection [com.mysql.cj.jdbc.ConnectionImpl@4d1c00d0]
//查询语句
==> Preparing: select * from mybatis.user t where t.id = ?
//输入参数等信息
==> Parameters: 2(Integer)
<== Columns: id, name, pwd
<== Row: 2, RZP1, 123
<== Total: 1
User{id=2, name='RZP1', password='123'}
Resetting autocommit to true on JDBC Connection [com.mysql.cj.jdbc.ConnectionImpl@4d1c00d0]
Closing JDBC Connection [com.mysql.cj.jdbc.ConnectionImpl@4d1c00d0]
//连接放回连接池
Returned connection 1293680848 to pool.
LOG4J日志:
Log4j是Apache的一个开源项目,通过使用Log4j,我们可以控制日志信息输送的目的地是控制台、文件、GUI组件,甚至是套接口服务器、NT的事件记录器、UNIX/Syslog/守护进程等. 有如下特点:
1. 可以控制每一条日志的输出格式;
2. 通过定义每一条日志信息的级别,我们能够更加细致地控制日志的生成过程。---意思就是可以分等级输出:info/Eception/Error/Debug...
3. 可以通过一个配置文件来灵活地进行配置,而不需要修改应用的代码。
详见LOG4J使用手册。https://www.cnblogs.com/renzhongpei/p/12578461.html
对于支持自动生成记录主键的数据库,如:MySQL,SQL Server,若设置useGeneratedKeys参数值为true,则在执行添加记录之后可以获取到数据库自动生成的主键ID。在settings元素中设置useGeneratedKeys是一个全局参数,但是只会对接口映射器产生影响,对mapper.xml映射器不起效
把数据库字段的下划线映射成JavaBean小驼峰命名
目的:注册绑定我们的Mapper文件,每一个Mapper.XML都需要在Mybatis核心配置文件中注册!
方式一:
<mappers>
<mapper resource="mapper/UserMapper.xml"/>
mappers>
方式二:使用class文件绑定注册
<mappers>
<mapper class="com.lesson.mybatis.mapper.UserMapper"/>
mappers>
方式三: 使用扫描包(dao层)进行注入绑定
<mappers>
<package name="com.lesson.mybatis.mapper"/>
mappers>
**注意:**使用方式二和方式三时,接口和对应的Mapper.xml映射文件必须同名!且接口和对应的Mapper.xml映射文件必须在同一个包下!且需要在maven中pom.xml文件中增加配置,因为IDEA maven项目默认不会把src下除java文件外的文件打包到classes文件夹,pom.xml内容如下:
<build>
<resources>
<resource>
<directory>src/main/javadirectory>
<includes>
<include>**/*.xmlinclude>
includes>
resource>
resources>
build>

String resource = "Mybatis-config.xml"; //mybatis配置文件
InputStream inputStream = Resources.getResourceAsStream(resource);
SqlSessionFactory sqlSessionFactory = new SqlSessionFactoryBuilder().build(inputStream);
SqlSession sqlSession = sqlSessionFactory.openSession();
UserMapper userMapper = sqlSession.getMapper(UserMapper.class);
Integer integer = userMapper.getAllUser();
sqlSession.commit();
sqlSession.close();
一旦创建了 SqlSessionFactory,就不再需要它了,局部变量
可以想象为 :数据库连接池。SqlSessionFactory 一旦被创建就应该在应用的运行期间一直存在,没有任何理由丢弃它或重新创建另一个实例,因此 SqlSessionFactory 的最佳作用域是应用作用域。最简单的就是使用单例模式或者静态单例模式。
连接到连接池的一个请求,SqlSession 的实例不是线程安全的,因此是不能被共享的,所以它的最佳的作用域是请求或方法作用域。用完之后需要赶紧关闭,否则资源被占用!
sql语句中使用limit进行数据的提取(分页),但是limit不通用,是mysql特有的,其他数据库中没有。limit是sql语句最后执行的一个环节。
select * from user limit m, n
#其中m是指记录开始的index,从0开始,表示第一条记录;m,n是指从m+1条开始,取n条。
select * from user limit 2, 4;
#即从第3条开始,取出4条记录。
select * from user limit 0, 5;
#等价于 select * from user limit 5;
#等同于limit 5;
limit分页公式 :
#currentPage:当前页
#pageSize:每页显示的数量
select * from user limit (currentPage-1) × pageSize,pageSize
Dao层:UserMapper.java
@Mapper
public interface UserMapper {
List<User> getUserByPage(
@Param("currentPage") Integer currentPage, @Param("pageSize") Integer pageSize);
}
UserMapper.xml
<select id="getUserByPage" resultType="com.example.mybatisspringbootlesson.entity.User">
select * from user limit #{currentPage},#{pageSize}
select>
Service层:UserService.java
public interface UserService {
List<User> getUserByPage(Integer currentPage,Integer pageSize);
}
UserServiceImpl.java
@Service
public class UserServiceImpl implements UserService {
@Resource
UserMapper userMapper;
@Override
public List<User> getUserByPage(Integer currentPage,Integer pageSize) {
return userMapper.getUserByPage((currentPage-1)*pageSize,pageSize);//分页公式
}
}
Controller层:UserController
@RestController
@RequestMapping("/user")
public class UserController {
@Resource
UserService userService;
@GetMapping("/page")
public List<User> getUserByPage(
@RequestParam("currentPage") Integer currentPage,
@RequestParam("pageSize") Integer pageSize){
return userService.getUserByPage(currentPage,pageSize);
}
}
在Sql中使用Limit分页时,需要先写一个查询count的select语句,然后再写一个真正分页查询的语句,当查询条件多了之后,会浪费大量的时间来写 count 和 select。因此我们可以借助分页插件: pagehelper,pagehelper 是一个强大实用的 MyBatis 分页插件,可以帮助我们快速的实现MyBatis分页功能,而且pagehelper有个优点是,分页和Mapper.xml完全解耦,并以插件的形式实现,对Mybatis执行的流程进行了强化,这有效的避免了我们需要直接写分页SQL语句来实现分页功能。
在 pom.xml 文件中添加分页插件依赖包
<dependency>
<groupId>com.github.pagehelpergroupId>
<artifactId>pagehelper-spring-boot-starterartifactId>
<version>1.4.1version>
dependency>
在 application.yml 配置文件中添加分页插件有关的配置。
# pagehelper
pagehelper:
helperDialect: mysql
reasonable: true
supportMethodsArguments: true
params: count=countSql
在 DAO 层添加一个分页查找方法。分页查询方法和不分页查询全部数据的方法除了方法名之外,其他几乎一样。UserMapper.java内容如下:
@Mapper
public interface UserMapper {
//不分页查询全部数据
List<User> getUserList();
//分页查询全部数据
List<User> selectPage();
}
UserMapper.xml 中加入selectPage的实现。UserMapper.xml中selectPage()方法的具体实现就是不分页查找全部记录的select SQL语句,并不需要写分页SQL,分页插件会拦截查询请求,并读取前台传来的分页查询参数重新生成分页查询语句。
DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="com.example.mybatisspringbootlesson.mapper.UserMapper">
<resultMap id="user" type="com.example.mybatisspringbootlesson.entity.User">
<id property="id" column="id">id>
<result property="name" column="name">result>
<result property="age" column="age">result>
<result property="phoneNumber" column="phone_number">result>
resultMap>
<select id="getUserList" resultMap="user">
select * from user
select>
<select id="selectPage" resultMap="user">
select * from user
select>
mapper>
编写Service层,Service层通过调用DAO层分页查询方法来完成分页查询。**可以在Service层统一封装分页查询的请求和结果类,从而避免因为替换ORM框架而导致服务层、控制层的分页接口也需要变动的情况,替换ORM框架也不会影响服务层以上的分页接口,起到了解耦的作用。**UserService.java内容如下:
public interface UserService {
//不分页查询全部数据
List<User> getUserList();
//分页查询全部数据,其中PageRequest和PageResult都是自定义类,分别封装了统一分页查询请求和统一分页查询结果
PageResult selectPage(PageRequest pageRequest);
}
PageRequest (PageRequest类写在DTO包内) 内容如下:
package com.example.mybatisspringbootlesson.controller.dto;
import lombok.Data;
@Data
public class PageRequest {
//当前页码
private int pageNum;
//每页数量
private int pageSize;
}
PageResult( PageResult类写在DTO包内 )内容如下:
package com.example.mybatisspringbootlesson.controller.dto;
import lombok.Data;
import java.util.List;
@Data
public class PageResult {
//当前页码
private int pageNum;
//每页显示的数量
private int pageSize;
//数据总数
private long totalSize;
//页码总数
private int totalPages;
//具体数据
private List<?> data;
}
编写Service层接口的实现类。UserServiceImpl.java通过调用分页插件完成最终的分页查询,关键代码是 PageHelper.startPage(pageNum, pageSize),将前台分页查询参数传入并拦截MyBtis执行实现分页效果。
package com.example.mybatisspringbootlesson.service.impl;
import com.example.mybatisspringbootlesson.controller.dto.PageRequest;
import com.example.mybatisspringbootlesson.controller.dto.PageResult;
import com.example.mybatisspringbootlesson.entity.User;
import com.example.mybatisspringbootlesson.mapper.UserMapper;
import com.example.mybatisspringbootlesson.service.UserService;
import com.github.pagehelper.PageHelper;
import com.github.pagehelper.PageInfo;
import org.springframework.stereotype.Service;
import javax.annotation.Resource;
import java.util.List;
@Service
public class UserServiceImpl implements UserService {
@Resource
UserMapper userMapper;
/**
* 不分页查询全部数据
* @return
*/
@Override
public List<User> getUserList() {
return userMapper.getUserList();
}
/**
* 分页查询全部数据
* @param pageRequest
* @return
*/
@Override
public PageResult selectPage(PageRequest pageRequest) {
int pageNum = pageRequest.getPageNum();
int pageSize = pageRequest.getPageSize();
PageHelper.startPage(pageNum, pageSize);
List<User> sysMenus = userMapper.selectPage();//此语句需要根据实际需求修改,其他语句皆为固定写法
PageInfo<User> userPageInfo = new PageInfo<User>(sysMenus);
PageResult pageResult = new PageResult();
pageResult.setPageNum(userPageInfo.getPageNum());
pageResult.setPageSize(userPageInfo.getPageSize());
pageResult.setTotalSize(userPageInfo.getTotal());
pageResult.setTotalPages(userPageInfo.getPages());
pageResult.setData(userPageInfo.getList());
return pageResult;
}
}
编写controller层,UserController.java内容如下:
package com.example.mybatisspringbootlesson.controller;
import com.example.mybatisspringbootlesson.controller.dto.PageRequest;
import com.example.mybatisspringbootlesson.controller.dto.PageResult;
import com.example.mybatisspringbootlesson.entity.User;
import com.example.mybatisspringbootlesson.service.UserService;
import org.springframework.web.bind.annotation.*;
import javax.annotation.Resource;
import java.util.List;
@RestController
@RequestMapping("/user")
public class UserController {
@Resource
UserService userService;
@GetMapping("/all")
public List<User> getAllUsers(){
return userService.getUserList();
}
@PostMapping("/selectPage") //注意:这里是post方法
public PageResult selectPage(@RequestBody PageRequest pageRequest){
return userService.selectPage(pageRequest);
}
}
测试:
postman请求:

返回:

报错:
Description:
The dependencies of some of the beans in the application context form a cycle:
┌──->──┐
| com.github.pagehelper.autoconfigure.PageHelperAutoConfiguration
└──<-──┘
Action:
Relying upon circular references is discouraged and they are prohibited by default. Update your application to remove the dependency cycle between beans. As a last resort, it may be possible to break the cycle automatically by setting spring.main.allow-circular-references to true.
原因:springboot2.6版本及2.6以上版本禁止循环依赖
解决办法:降低springboot版本到2.6以下,或将pagehelper 的版本到1.4.1
使用注解开发,适合简单的增删改查语句。对于批量插入,更新等操作,使用mapper.xml的方式比较好
1~4步骤见 一、 mybatis连接mysql(普通maven工程)
编写DAO接口及方法,并使用注解编写sql

package com.lesson.mybatis.mapper;
import com.lesson.mybatis.entity.User;
import org.apache.ibatis.annotations.*;
import java.util.List;
public interface UserMapper {
@Select("select * from user")
List<User> getUserList();
@Select("select * from user where id=#{id}")
User getUserById(Integer id);
@Insert("insert into user (name,age,phone_number) values (#{name},#{age},#{phoneNumber})")
Integer addUser(User user);
@Update("update user set name=#{name},age=#{age},phone_number=#{phoneNumber} where id=#{id}")
Integer updateUser(User user);
@Delete("delete from user where id=#{id}")
Integer deleteUserById(Integer id);
@Delete("delete from user where name=#{name} and age=#{age}")
Integer deleteUserByNameAndAge(@Param("name") String name,@Param("age") Integer age);
@Select("select * from user where name like \"%\"#{name}\"%\"")
List<User> getUserLikeName(String name);
}
核心配置文件Mybatis-config.xml中绑定dao接口, 和只能二选一,两个同时存在时会报错

方法同上,无需在mybatis核心配置文件Mybatis-config.xml中绑定dao接口,而是需要在dao层接口上添加@Mapper注解或在启动类上添加包扫描注解@MapperScan()
动态 SQL 是 MyBatis 的强大特性之一,在 JDBC 或其它类似的框架中,开发人员通常需要手动拼接 SQL 语句。根据不同的条件拼接 SQL 语句是一件极其痛苦的工作。例如,拼接时要确保添加了必要的空格,还要注意去掉列表最后一个列名的逗号。而动态 SQL 恰好解决了这一问题,可以根据场景动态的构建查询。动态SQL就是指根据不同的条件生成不同的SQL语句。

<if test="判断条件"> 需要追加的sql if>
public interface UserMapper {
List<User> selectUserIf(Map<String,Object> map);
}
DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="com.lesson.mybatis.mapper.UserMapper">
<select id="selectUserIf" parameterType="map" resultType="com.lesson.mybatis.entity.User">
select * from user where 1=1
<if test="name != null and name !='' ">
and name = #{name}
if>
<if test="age != null">
and age = #{age}
if>
select>
mapper>
public void testSelect() throws Exception{
String resource = "Mybatis-config.xml"; //mybatis配置文件
...
UserMapper userMapper = sqlSession.getMapper(UserMapper.class);
HashMap<String, Object> stringObjectHashMap = new HashMap<>();
List<User> users = userMapper.selectUserIf(stringObjectHashMap); //map中没有任何数据,执行的sql语句为:select * from user where 1=1
HashMap<String, Object> stringObjectHashMap = new HashMap<>();
stringObjectHashMap.put("name","kiko");
stringObjectHashMap.put("age",2);
List<User> users = userMapper.selectUserIf(stringObjectHashMap);//执行的sql语句为:select * from user where 1=1 and name = "kiko" and age = "2"
HashMap<String, Object> stringObjectHashMap = new HashMap<>();
stringObjectHashMap.put("name","kiko");
List<User> users = userMapper.selectUserIf(stringObjectHashMap);//执行的sql语句为:select * from user where 1=1 and name = "kiko"
choose/when/otherwise相当于java中的if…else if…else
<choose>
<when test="条件1">
满足条件1追加的sql
when>
<when test="条件2">
满足条件2追加的sql
when>
<when test="条件n">
满足条件n追加的sql
when>
<otherwise>
都不满足追加的sql
otherwise>
choose>
public interface UserMapper {
List<User> selectUserChoose(Map<String,Object> map);
}
<select id="selectUserChoose" parameterType="map" resultType="com.lesson.mybatis.entity.User">
select * from user where 1=1
<choose>
<when test="id !=null">
and id=#{id}
when>
<when test="name !=null">
and name=#{name}
when>
<when test="age !=null">
and age=#{age}
when>
choose>
select>
...
UserMapper userMapper = sqlSession.getMapper(UserMapper.class);
HashMap<String, Object> stringObjectHashMap = new HashMap<>();
stringObjectHashMap.put("id",1);
stringObjectHashMap.put("name","kiko");
stringObjectHashMap.put("age",2);
List<User> users = userMapper.selectUserChoose(stringObjectHashMap);//执行的sql为select * from user where 1=1 and id=1
上面2个案例的sql中都有where 1=1这部分代码,虽然可以解决问题,但是看起来不美观,如果将where 1=1中1=1这部分干掉,上面的两个案例都会出问题,where后面会多一个AND符号,mybatis中已经考虑到这种问题了,属于通用性的问题,mybatis中通过where 元素来解决,当使用where元素的时候,mybatis会将where内部拼接的sql进行处理,会将这部分sql前面的AND 或者 OR给去掉,并在前面追加一个where,我们使用where元素来对上面的案例1进行改造,如下:
public interface UserMapper {
List<User> selectUserIf(Map<String,Object> map);
}
<select id="selectUserIf" parameterType="map" resultType="com.lesson.mybatis.entity.User">
select * from user
<where>
<if test="name != null and name !='' ">
and name = #{name}
if>
<if test="age != null">
and age = #{age}
if>
where>
select>
现在我们想通过用户id更新用户信息,参数为User对象,对象中的属性如果不为空,就进行更新,我们可以这么写:
<update id="updateUserSet" parameterType="com.lesson.mybatis.entity.User">
UPDATE user SET
<if test="name!=null">
name = #{name},
if>
<if test="age!=null">
age = #{age},
if>
<where>
<if test="id!=null">
id = #{id}
if>
where>
update>
当所有属性都传值了,sql变成了下面这样:
UPDATE user SET name = ?, age = ?, where id = ?
上面这个sql是有问题的,where前面多了一个逗号,得想办法将这个逗号去掉,这个逗号属于最后一个需要更新的字段后面的逗号,属于多余的,mybatis中提供了set元素来解决这个问题,将上面的代码改成下面这样:
<update id="updateUserSet" parameterType="com.lesson.mybatis.entity.User">
UPDATE user
<set>
<if test="name!=null">
name = #{name},
if>
<if test="age!=null">
age = #{age},
if>
set>
id = #{id}
update>
对应的DAO层接口为:
public interface UserMapper {
Integer updateUserSet(User user);
}
我们将sql中的set去掉了,加了个set元素,set元素会对其内部拼接的sql进行处理,会将这部分sql前后的逗号给去掉并在前面加上set。
当传入id和age的时候,生成的sql:
UPDATE user SET age = ? where id = ?
trim标记是一个格式化的标记,可以代替set元素或者是where元素的功能
<trim prefix="" prefixOverrides="" suffix="" suffixOverrides="">
trim>
trim元素内部可以包含各种动态sql,如where、chose、sql等各种元素,使用trim包含的元素,mybatis处理过程:
① 先对trim标签内部的sql进行拼接,比如这部分sql叫做sql1
② 将sql1字符串开头的部分中包含prefixOverrides指定的部分给去掉,得到sql2
③ 将sql2字符串结尾的部分中包含suffixOverrides指定的部分给去掉,得到sql3
④ 在sql3开头追加prefix指定的值,得到sql4
⑤ 在sql4结尾追加suffix指定的值,得到最终需要拼接的sql5
⑥ 将trim标签外部的sql语句和sql5拼接,得到最终的sql6
<select id="selectUserTrim" parameterType="map" resultType="com.lesson.mybatis.entity.User">
select * from user
<trim prefix="where" prefixOverrides="and|or">
<if test="name != null and name !='' ">
and name = #{name}
if>
<if test="age != null">
and age = #{age}
if>
trim>
select>
① 先对trim标签内部的sql进行拼接:and name = ?and age = ?
② 因为prefixOverrides="and|or",所以要将and name = ?and age = ?开头的的and或or去掉,得到name = ?and age = ?
③ 因为prefix="where",所以要在name = ?and age = ?的开头追加where,得到where name = ?and age = ?
④ 将trim标签外部的sql语句: select * from user和where name = ?and age = ?拼接,得到最终的sql语句:select * from user where name = ?and age = ?
<update id="updateUserTrim" parameterType="com.lesson.mybatis.entity.User">
UPDATE user
<trim prefix="set" prefixOverrides="," suffixOverrides=",">
<if test="name!=null">
name = #{name},
if>
<if test="age!=null">
age = #{age},
if>
trim>
where id = #{id}
update>
上面的prefixOverrides和suffixOverrides都设置的是逗号,表示trim标签内部的sql前后的逗号会被去掉,最后会在结尾拼接一个prefix指定的set。
相当于java中的循环,可以用来遍历数组、集合、map等。常用于批量操作:批量删除、批量更新、批量插入等操作。
批量查询
List<ArticleAccumulatedIncomeDTO> batchAccumulatedIncome(List<Long> ids);
实体类:
@Data
@AllArgsConstructor
@NoArgsConstructor
public class Urban {
private int id; //市的编号
private String cityId; //省的编号(此博文没用到)
private String urbanName; //城市名字
private List<School> schools; //对应的所有的学校
private List<Hospital> hospitals; //对应的所有的医院
}
@Data
@AllArgsConstructor
@NoArgsConstructor
public class School {
private int id; //学校编号
private int urbanId; //市的编号
private String schoolName; //学校名字
private Long people; //学校人数
}
@Data
@AllArgsConstructor
@NoArgsConstructor
public class Hospital {
private int id; //医院编号
private int urbanId; //市的编号
private String hospitalName; //医院名称
private Long people; //医院人数
}
mapper.xml:
DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="com.yh.mybatis.dao.mapper.UrbanMapper">
<resultMap id="findAllUrbanSandH2" type="com.yh.mybatis.dao.pojo.Urban">
<id property="id" column="id"/>
<result property="cityId" column="city_id"/>
<result property="urbanName" column="urban_name"/>
<collection property="schools" javaType="java.util.List" ofType="com.yh.mybatis.dao.pojo.School">
<id property="id" column="sid"/>
<result property="urbanId" column="surban_id"/>
<result property="schoolName" column="school_name"/>
<result property="people" column="speople"/>
collection>
<collection property="hospitals" javaType="java.util.List" ofType="com.yh.mybatis.dao.pojo.Hospital">
<id property="id" column="hid"/>
<result property="urbanId" column="hurban_id"/>
<result property="hospitalName" column="hospital_name"/>
<result property="people" column="hpeople"/>
collection>
resultMap>
<select id="findAllUrbanSandH2" resultMap="findAllUrbanSandH2">
select urban.city_id
,urban.id
,urban.urban_name
,school.id sid
,school.urban_id surban_id
,school.school_name
,school.people speople
,hospital.id hid
,hospital.urban_id hurban_id
,hospital.hospital_name
,hospital.people hpeople
from urban
inner join school on urban.id = school.urban_id
inner join hospital on urban.id = hospital.urban_id
select>
mapper>
这两2个元素一般进行配合使用,可以实现代码重用的效果。在实际开发中会遇到许多相同的SQL,比如根据某个条件筛选,这个筛选很多地方都能用到,我们可以将其抽取出来成为一个公用的部分,这样修改也方便,一旦出现了错误,只需要改这一处便能处处生效了,此时就用到了这个标签了。
<sql id="sql片段id">
各种动态sql
sql>
其他地方需要使用的时候需要通过include关键字进行引入:
<include refid="需要引入的sql片段的id"/>
注意:refid值的写法,refid的值为mapper xml的namespace的值.sql的id,如果在同一个mapper中,namespace可以省略,直接写对应的sql的id就可以了,如:
<include refid="selectSql"/>
<include refid="com.lesson.mybatis.mapper.UserMapper.selectSql"/>
下面定义2个查询,他们的查询条件一样,最后将条件抽出来用sql元素定义了一个片段,然后进行共用。
抽离:
<sql id="selectSql">
<where>
<if test="id !=null">
AND id = #{id}
if>
<if test="name !=null and name !=''">
AND name = #{name}
if>
<if test="age !=null">
AND age = #{age}
if>
where>
sql>
引用:
<select id="selectUser" resultType="com.lesson.mybatis.entity.User" parameterType="map">
SELECT id,name,age FROM user
<include refid="selectSql" />
select>
bind元素允许我们通过ognl表达式在上下文中自定义一个变量,最后在动态sql中可以使用这个变量。
<bind name="变量名称" value="ognl表达式">
对sql、include中的案例进行扩展,添加一个按照用户名模糊查询,用户名在map中对应的key为likeName,主要修改上面sql片段部分,在sql中加入下面部分:
<if test="likeName != null and likeName.trim() !=''">
<bind name="nameLike" value="'%'+likeName.trim()+'%'" />
AND name like #{nameLike}
if>
先判断传入的参数likeName是否不为空字符串,然后使用bind元素创建了一个变量nameLike,值为’%‘+likeName.trim()+’%'。
UserMapper userMapper = sqlSession.getMapper(UserMapper.class);
Map<String, Object> paramMap = new HashMap<>();
paramMap.put("likeName","java");
List<User> userList = userMapper.selectUser(paramMap);
==> Preparing: SELECT id,name,age FROM user WHERE name like ?
==> Parameters: %java%(String)
<== Total: 1
...
参数的值为%java%
动态SQL就是在拼接SQL语句,我们只要保证SQL的正确性,按照SQL的格式,去排列组合就可以了
先在Mysql中写出完整的SQL,再对应的去修改成为我们的动态SQL实现通用即可!
#和KaTeX parse error: Expected 'EOF', got '#' at position 15: 一般都是结合变量来使用,如:#̲{}、{}这种来进行使用。
#{}:为参数占位符?,即sql预编译,相当于使用jdbc中的PreparedStatement中的sql占位符,可以防止sql注入
${}:为字符串替换, 即字符串拼接,不能防止sql注入。
#{}的用法上面已经有很多案例了,此处我们来一个${}的案例。
下面通过orderSql变量传入任意的排序sql,如下:
<select id="selectUser" resultType="com.lesson.mybatis.entity.User" parameterType="map">
SELECT id,name,age FROM user
<if test="orderSql">
${orderSql}
if>
select>
传入值:
orderSql = "order by id asc,age desc"
最后运行产生的sql如下:
==> Preparing: SELECT id,name,age FROM user order by id asc,age desc
==> Parameters:
<== Total: 6
...
mybatis会对$包含部分进行sql替换。