《仁王2》釋出版本更新 加入存檔轉移及跨平臺聯機
技術標籤:mysql
Mybatis
環境:
- jdk1.8
- Mysql5.7
- maven3.6.1
- IDEA
回顧:
- JDBC
- MySQL
- java基礎
- maven
- Junit
框架:配置檔案的。最好的方式,看官方文件;
1、簡介
1.1、什麼是mybatis
- MyBatis 是一款優秀的持久層框架
- 它支援自定義 SQL、儲存過程以及高階對映
- MyBatis 免除了幾乎所有的 JDBC 程式碼以及設定引數和獲取結果集的工作。MyBatis 可以通過簡單的 XML 或註解來配置和對映原始型別、介面和 Java POJO(Plain Old Java Objects,普通老式 Java 物件)為資料庫中的記錄。
- MyBatis 本是apache的一個開源專案iBatis, 2010年這個專案由apache software foundation 遷移到了[google code](https://baike.baidu.com/item/google code/2346604),並且改名為MyBatis 。
- 2013年11月遷移到Github。
如何獲得mybatis
-
maven倉庫:
<!-- https://mvnrepository.com/artifact/org.mybatis/mybatis --> <dependency> <groupId>org.mybatis</
-
github:https://github.com/mybatis/mybatis-3/releases
-
中文文件:https://mybatis.org/mybatis-3/zh/index.html
1.2、持久層
資料持久化
-
持久化就是將程式的資料在持久狀態和瞬時狀態轉化的過程
-
記憶體:斷點即失
-
資料庫(jdbc),io檔案持久化。
-
生活:冷藏
為什麼需要持久化?
- 有一些物件,不能讓他丟。
- 記憶體太貴
1.3、持久層
Dao層,Service層,Controller層…
- 完成持久化工作的程式碼塊
- 層界限十分明顯。
1.4、為什麼需要mybatis?
- 幫助程式設計師將資料存入到資料庫中。
- 方便
- 傳統的jdbc程式碼太複雜了,簡化,框架,自動化。
- 不用mybatis也可以。更容易上手。技術沒有高低之分
- 優點:
- 簡單易學
- 靈活
- sql和程式碼的分離,提高了可維護性
- 提供對映標籤,支援物件與資料庫的orm欄位關係對映
- 提供物件關係對映標籤,支援物件關係組建維護
- 提供xml標籤,支援編寫動態sql。
最重要的一點:使用的人多!
spring springmvc springboot
2、第一個mybatis程式
思路:搭建環境–>匯入mybatis–>編寫程式碼–>測試!
2.1、搭建環境
搭建資料庫
CREATE DATABASE `mybatis`;
USE `mybatis`
CREATE TABLE `user`(
`id` INT(20) NOT NULL,
`name` VARCHAR(30) DEFAULT NULL,
`pwd` VARCHAR(30) DEFAULT NULL,
PRIMARY KEY(`id`)
)ENGINE=INNODB DEFAULT CHARSET=utf8
INSERT INTO `user`(`id`,`name`,`pwd`) VALUES
(1,'狂神','123456'),
(2,'張三','123456'),
(3,'李四','123456')
新建專案
-
新建一個普通的maven專案
-
刪除src目錄
-
匯入maven依賴
<?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>Mybatis</artifactId> <version>1.0-SNAPSHOT</version> <properties> <maven.compiler.source>8</maven.compiler.source> <maven.compiler.target>8</maven.compiler.target> </properties> <!--匯入依賴--> <!--mysql驅動--> <dependencies> <dependency> <groupId>mysql</groupId> <artifactId>mysql-connector-java</artifactId> <version>5.1.49</version> </dependency> <!--mybatis--> <!-- https://mvnrepository.com/artifact/org.mybatis/mybatis --> <dependency> <groupId>org.mybatis</groupId> <artifactId>mybatis</artifactId> <version>3.5.6</version> </dependency> <!--Junit--> <dependency> <groupId>junit</groupId> <artifactId>junit</artifactId> <version>4.13.1</version> <scope>test</scope> </dependency> </dependencies> </project>
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.Driver"/> <property name="url" value="jdbc:mysql://localhost:3306/mybatis?useSSL=true&useUnicode=true&characterEncoding=UTF-8"/> <property name="username" value="root"/> <property name="password" value="664732047"/> </dataSource> </environment> </environments> <mappers> <mapper resource="org/mybatis/example/BlogMapper.xml"/> </mappers> </configuration>
-
編寫mybatis的工具類
package com.liu.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();
}
}
public static SqlSession getSqlSession(){
return sqlSessionFactory.openSession();
}
}
2.3、編寫程式碼
-
實體類
package com.liu.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介面
public interface UserDao { List<User> getUserList(); }
-
介面實現類
<?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.liu.dao.UserDao"> <!--select查詢語句--> <select id="getUserList" resultType="com.liu.pojo.User"> select * from user; </select> </mapper>
2.4、測試
MapperRegistry是什麼?
核心配置檔案中註冊mappers
-
Junit
package com.liu.dao; import com.liu.pojo.User; import com.liu.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(); //執行sql UserDao mapper = sqlSession.getMapper(UserDao.class); List<User> userList = mapper.getUserList(); for (User user : userList) { System.out.println(user); } //關閉SqlSession sqlSession.close(); } }
可能會遇到的問題:
- 配置檔案沒有註冊
- 繫結介面錯誤。
- 方法名不對
- 返回型別不對
- maven匯出資源問題
3、CRUD
1、namespace
namespace中的包名要喝Dao/mapper介面的包名一致!
2、select
選擇,查詢語句:
- id:就是對應的namespace中的方法名;
- resultType:Sql語句執行的返回值!
- paramenterType:引數型別!
-
編寫介面
//根據id查詢使用者 User getUserById(int id);
-
編寫對應的mapper中的sql語句
<select id="getUserById" resultType="com.liu.pojo.User"> select * from user where id = #{id} </select>
-
測試
@Test public void test01(){ SqlSession sqlSession = MybatisUtils.getSqlSession(); UserMapper mapper = sqlSession.getMapper(UserMapper.class); User user = mapper.getUserById(1); System.out.println(user); sqlSession.close(); }
3、Insert
<insert id="addUser" parameterType="com.liu.pojo.User">
insert into user(id,name,pwd) values (#{id},#{name},#{pwd})
</insert>
4、update
<update id="updateUser" parameterType="com.liu.pojo.User">
update user
set name = #{name},
pwd = #{pwd}
where id = #{id};
</update>
5、Delete
<delete id="deleteUser" parameterType="int">
delete from user where id = #{id}
</delete>
注意點:
- 增刪改需要提交事務!
6、分析錯誤
- 標籤不要匹配錯
- resource繫結mapper,需要使用路徑!
- 程式配置檔案必須符合規範!
- NullPointerException,沒有註冊到資源!
- 輸出的xml檔案中存在中文亂碼問題!
- maven資源匯出問題!
7、萬能Map
假設,我們的實體類,或者資料庫中的表,欄位或者引數過多,我們應當考慮使用Map!
//萬能的map
int addUser2(Map<String,Object> map);
<!--物件中的屬性可以直接取出來
傳遞map的key
-->
<insert id="addUser2" parameterType="map">
insert into user(id,name,pwd) values (#{idUser},#{nameUser},#{password})
</insert>
Map傳遞引數,直接在SQL中取出key即可!【parameterType=“map”】
物件傳遞引數,直接在SQL中取物件的屬性即可!【parameterType=“Object”】
只有一個基本型別引數的情況下,可以直接在SQL中取到!
多個引數用map,或者註解!
8、思考題
模糊查詢怎麼寫?
-
java程式碼執行的時候,傳遞萬用字元%%
List<User> userList = mapper.getUserLike("%李%");
-
在SQL拼接中使用萬用字元!
select * from mybatis.user where name like "%"#{value}"%"
4、配置解析
1、核心配置檔案
-
mybatis-config.xml
-
mybatis的配置檔案包含了會深深影響mybatis行為的設定和屬性資訊。
configuration(配置) properties(屬性) settings(設定) typeAliases(類型別名) typeHandlers(型別處理器) objectFactory(物件工廠) plugins(外掛) environments(環境配置) environment(環境變數) transactionManager(事務管理器) dataSource(資料來源) databaseIdProvider(資料庫廠商標識) mappers(對映器)
2、環境配置(environments)
MyBatis 可以配置成適應多種環境。
不過要記住:儘管可以配置多個環境,但每個 SqlSessionFactory例項只能選擇一種環境。
學會使用配置多套執行環境!
mybatis預設的事務管理器就是jdbc,連線池:POOLED
3、屬性(properties)
我們可以通過properties屬性來實現引用配置檔案
這些屬性可以在外部進行配置,並可以進行動態替換。你既可以在典型的 Java 屬性檔案中配置這些屬性,也可以在 properties 元素的子元素中設定。【db.properties】
編寫一個配置檔案
db.properties
driver=com.mysql.jdbc.Driver
url=jdbc:mysql://localhost:3306/mybatis?useSSL=false&useUnicode=true&characterEncoding=UTF-8&serverTimezone=GMT%2B8
username=root
password=664732047
在核心配置檔案中引入
- 可以直接引入外部檔案
- 可以在其中增加一些屬性配置
- 如果兩個檔案有同一個欄位,優先使用外部配置檔案!!
4、類型別名(typeAliases)
-
類型別名可為 Java 型別設定一個縮寫名字。
-
它僅用於 XML 配置,意在降低冗餘的全限定類名書寫。
<!--可以給實體類起別名--> <typeAliases> <typeAlias type="com.liu.pojo.User" alias="user"></typeAlias> </typeAliases>
-
也可以指定一個包名,MyBatis 會在包名下面搜尋需要的 Java Bean
-
掃描實體類的包,它的預設別名就是這個類的類名,首字母小寫!
<typeAliases> <package name="com.liu.pojo"/> </typeAliases>
在實體類比較少的時候,使用第一種方式。
如果實體類十分多,建議使用第二種。
第一種可以DIV別名,第二種則不行,如果非要改,需要在實體上增加註解
@Alias("user")
5、設定(settings)
這是mybatis中極為重要的調整設定,它們會改變mybatis的執行時行為。
6、其它配置
-
- mybatis-generator-core
- mybatis-plus
- 通用mapper
7、對映器(mappers)
MapperRegistry:註冊繫結我們的mapper檔案;
方式一:【推薦使用】
<!--每一個Mapper.xml都需要在Mybatis核心配置檔案中註冊!-->
<mappers>
<mapper resource="com/liu/dao/UserMapper.xml"/>
</mappers>
方式二:使用class檔案繫結註冊
注意點:
- 介面和他的mapper配置檔案必須同名!
- 介面和他的mapper配置檔案必須在同一個包下!
方式三:使用掃描包進行注入繫結
- 介面和他的mapper配置檔案必須同名!
- 介面和他的mapper配置檔案必須在同一個包下!
8、作用域(Scope)和生命週期
生命週期和作用域是至關重要的,因為錯誤的使用會導致非常嚴重的併發問題。
SqlSessionFactoryBuilder:
- 一旦建立了 SqlSessionFactory,就不再需要它了。
- 區域性變數
SqlSessionFactory:
- 說白了就是可以想象為:資料庫連線池
- SqlSessionFactory 一旦被建立就應該在應用的執行期間一直存在,沒有任何理由丟棄它或重新建立另一個例項。
- SqlSessionFactory 的最佳作用域是應用作用域。
- 最簡單的就是使用單例模式或者靜態單例模式。
SqlSession:
- 連線到連線池的一個請求!
- SqlSession 的例項不是執行緒安全的,因此是不能被共享的,所以它的最佳的作用域是請求或方法作用域。
- 用完之後需要趕緊關閉,否則資源被佔用!
這裡的每一個mapper,就代表一個具體的業務!
5、解決屬性名和欄位名不一致的問題
1、問題
資料庫中的欄位
[外鏈圖片轉存失敗,源站可能有防盜鏈機制,建議將圖片儲存下來直接上傳(img-PMYtPhSd-1612346799537)(C:\Users\66473\AppData\Roaming\Typora\typora-user-images\image-20210202090410682.png)]
新建一個專案,拷貝之前的,測試實體類欄位不一致的情況
public class User {
private int id;
private String name;
private String password;
測試出現問題
[外鏈圖片轉存失敗,源站可能有防盜鏈機制,建議將圖片儲存下來直接上傳(img-xiW12kyK-1612346799539)(C:\Users\66473\AppData\Roaming\Typora\typora-user-images\image-20210202092128259.png)]
select * from user where id = #{id}
//型別處理器
select id,name,pwd from user where id = #{id}
解決方法:
-
起別名
<select id="getUserById" resultType="user"> select id,name,pwd as password from user where id = #{id} </select>
2、resultMap
結果集對映
id name pwd
id name password
<!--結果集對映-->
<resultMap id="UserMap" type="User">
<!--column 資料庫中的欄位,property實體類中的屬性-->
<result column="id" property="id"/>
<result column="name" property="name"/>
<result column="pwd" property="password"/>
</resultMap>
<select id="getUserById" resultMap="UserMap">
select * from user where id = #{id}
</select>
resultMap
元素是 MyBatis 中最重要最強大的元素。- ResultMap的設計思想是,對簡單的語句做到零配置,對於複雜一點的語句,只需要描述語句之間的關係就行了。
- ResultMap 最優秀的地方在於,雖然你已經對它相當瞭解了,但是根本就不需要顯示地用到他們。
- 如果這個世界總是這麼簡單就好了。
6、日誌
6.1、日誌工廠
如果一個數據庫操作,出現了異常,我們需要排錯,日誌就是最好的助手!
曾經sout、debug
現在:日誌工廠!
- SLF4J
- LOG4J 【掌握】
- LOG4J2
- JDK_LOGGING
- COMMONS_LOGGING
- STDOUT_LOGGING 【掌握】
- NO_LOGGING
在mybatis中具體使用哪一個日誌實現,在設定中設定!
STDOUT_LOGGING 標準日誌輸出
在mybatis核心檔案中,配置我們的日誌!
<settings>
<setting name="logImpl" value="STDOUT_LOGGING"/>
</settings>
[外鏈圖片轉存失敗,源站可能有防盜鏈機制,建議將圖片儲存下來直接上傳(img-ck17o07D-1612346799540)(C:\Users\66473\AppData\Roaming\Typora\typora-user-images\image-20210202163050436.png)]
6.2、Log4j
什麼是Log4j?
- Log4j是Apache的一個開源專案,通過使用Log4j,我們可以控制日誌資訊輸送的目的地是控制檯、檔案、GUI元件
- 我們也可以控制每一條日誌的輸出格式
- 通過定義每一條日誌資訊的級別,我們能夠更加細緻地控制日誌的生成過程。
- 最令人感興趣的就是,這些可以通過一個配置檔案來靈活地進行配置,而不需要修改應用的程式碼。
-
先匯入Log4j的包
<!-- https://mvnrepository.com/artifact/log4j/log4j --> <dependency> <groupId>log4j</groupId> <artifactId>log4j</artifactId> <version>1.2.17</version> </dependency>
-
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/liu.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
-
配置log4j為日誌的實現
<settings> <setting name="logImpl" value="LOG4J"/> </settings>
-
Log4j的使用!,直接測試執行查詢
-
[外鏈圖片轉存失敗,源站可能有防盜鏈機制,建議將圖片儲存下來直接上傳(img-8QocZlH0-1612346799542)(C:\Users\66473\AppData\Roaming\Typora\typora-user-images\image-20210202171814306.png)]
簡單使用
-
在要使用Log4j的類中,匯入包import org.apache.;og4j.Logger;
-
日誌物件,引數為當前類的class;
static Logger logger = Logger.getLogger(UserDaoTest.class);
-
日誌級別
logger.info("info:進入了test01"); logger.debug("debug:進入了test01"); logger.error("error:進入了test01");
7、分頁
思考:為什麼要分頁?
- 減少資料的處理量
7.1、使用Limit分頁
select * from user limit startIndex,pageSize;
select * from user limit 3; #[0,n]
使用mybatis實現分頁,核心SQL
-
介面
//分頁 List<User> getUserByLimit(Map<String,Integer> map);
-
mapper.xml
<!--分頁--> <select id="getUserByLimit" resultMap="UserMap" parameterType="map"> select * from user limit #{startIndex},#{pageSize} </select>
-
測試
@Test public void test02(){ SqlSession sqlSession = MybatisUtils.getSqlSession(); UserMapper mapper = sqlSession.getMapper(UserMapper.class); Map<String,Integer> map = new HashMap<>(); map.put("startIndex",0); map.put("pageSize",2); List<User> users = mapper.getUserByLimit(map); for (User user : users) { System.out.println(user); } sqlSession.close(); }
7.2、RowBounds分頁
不再使用SQL實現分頁
-
介面
//分頁2 List<User> getUserByRowBounds();
-
mapper.xml
<!--分頁2--> <select id="getUserByRowBounds" resultMap="UserMap"> select * from user </select>
-
測試
@Test public void test03(){ SqlSession sqlSession = MybatisUtils.getSqlSession(); //RowBounds實現 RowBounds rowBounds = new RowBounds(0,2); List<User> userList = sqlSession.selectList("com.liu.dao.UserMapper.getUserByRowBounds",null,rowBounds); for (User user : userList) { System.out.println(user); } sqlSession.close(); }
7.3、分頁外掛
瞭解即可,萬一以後公司的架構師,說要使用,你需要知道它是什麼東西!
8、使用註解開發
8.1、面向介面程式設計
在一個面向物件的系統中,系統的各種功能是由許許多多的不同物件協作完成的。在這種情況下,各個物件內部是如何實現自己的,對系統設計人員來講就不那麼重要了;而各個物件之間的協作關係則成為系統設計的關鍵。小到不同類之間的通訊,大到各模組之間的互動,在系統設計之初都是要著重考慮的,這也是系統設計的主要工作內容。面向介面程式設計就是指按照這種思想來程式設計。
關於介面的理解。
介面從更深層次的理解,應是定義(規範,約束)與實現(名實分離的原則)的分離。
介面的本身反映了系統設計人員對系統的抽象理解。
介面應有兩類:第一類是對一個個體的抽象,它可對應為一個抽象體(abstract class);
第二類是對一個個體某一方面的抽象,即形成一個抽象面(interface);
一個體有可能有多個抽象面。
抽象體與抽象面是有區別的。
三個面向的區別
面向物件是指,我們考慮問題時,以物件為單位,考慮它的屬性及方法
面向過程是指,我們考慮問題時,以一個具體的流程(事務過程)為單位,考慮它的實現
介面設計與非介面設計是針對複用技術而言的,與面向物件(過程)不是一個問題,更多的體現就是對系統整體的架構
8.2、使用註解開發
-
註解在介面上實現
@Select("select * from user where id = #{id}")
-
需要在核心配置檔案中繫結介面!
<!--繫結介面--> <mappers> <mapper class="com.liu.dao.UserMapper"></mapper> </mappers>
-
測試
@Test public void test(){ SqlSession sqlSession = MybatisUtils.getSqlSession(); //底層主要應用反射 UserMapper mapper = sqlSession.getMapper(UserMapper.class); User userById = mapper.getUserById(1); System.out.println(userById); sqlSession.close(); }
本質:反射機制實現
底層:動態代理!
mybatis詳細的執行流程!
8.3、CRUD
我們可以在工具類建立的時候
public static SqlSession getSqlSession(){
return sqlSessionFactory.openSession(true);
}
編寫介面,增加註解
//根據id查詢使用者
@Select("select * from user where id = #{id}")
User getUserById(@Param("id") int id);
@Insert("insert into user(id,name,pwd) values(#{id},#{name},#{password})")
int addUser(User user);
【注意:我們必須要注意介面註冊繫結到我們的核心配置檔案中!】
關於@Param()註解
- 基本型別的引數或者String,需要加上
- 引用型別不需要加
- 如果只有一個基本型別的話,可以忽略,但是建議大家都加上!
- 我們在SQL中引用的就是我們這裡的@Param()中設定的屬性名!
#{} ${}
9、Lombok
Project Lombok is a java library that automatically plugs into your editor and build tools, spicing up your java.
Never write another getter or equals method again, with one annotation your class has a fully featured builder, Automate your logging variables, and much more.
-
在idea中安裝Lombok外掛!
-
在專案中匯入lombok的jar包
<dependency> <groupId>org.projectlombok</groupId> <artifactId>lombok</artifactId> <version>1.18.16</version> </dependency>
在實體類上加註解即可!
@Data:無參構造,get、set、tostring、hashcode、equals @AllAragsConstructor @NoArgsConstructor
-
@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
說明:
@Data:無參構造,get、set、tostring、hashcode、equals @AllAragsConstructor @NoArgsConstructor @EqualsAndHashCode @ToString
10、多對一處理
多對一:
-
多個學生,對應一個老師
-
對於學生這邊而言,關聯 … 多個學生關聯一個老師【多對一】
-
對於老師而言,集合,一個老師有很多學生【一對多】
[外鏈圖片轉存失敗,源站可能有防盜鏈機制,建議將圖片儲存下來直接上傳(img-nqjGRVxK-1612346799544)(C:\Users\66473\AppData\Roaming\Typora\typora-user-images\image-20210203073933328.png)]
create table `teacher`(
`id` int(10) not null,
`name` varchar(30) default null,
primary key(`id`)
)engine=innodb default CHARSET=utf8
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 `teacher`(id,name) values(1,'張老師');
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);
測試環境搭建
- 匯入lombok
- 新建實體類Teacher,Student
- 建立Mapper介面
- 建立Mapper.xml檔案
- 在核心配置檔案中繫結註冊我們的Mapper介面或檔案!【方式很多,隨心選】
- 測試查詢是否成功!
按照查詢巢狀處理
<!--
思路:
1. 查詢所有的學生資訊
2. 根據查詢出來的學生的tid,尋找對應的老師!
-->
<resultMap id="StudentTeacher" type="student">
<result property="id" column="id"/>
<result property="name" column="name"/>
<!--複雜的屬性,我們要單獨處理
物件:association
集合:collection
-->
<association property="teacher" column="tid" javaType="teacher" select="getTeacher"/>
</resultMap>
<select id="getStudent" resultMap="StudentTeacher">
select s.id,s.name,tid,t.name from student s inner join teacher t on s.tid = t.id
</select>
<select id="getTeacher" resultType="teacher">
select * from teacher where id = #{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"></result>
</association>
</resultMap>
<select id="getStudent2" resultMap="StudentTeacher2">
select s.id as sid,s.name as sname,t.name as tname
from student s
inner join
teacher t
on
s.tid = t.id
</select>
回顧Mysql多對一查詢方式:
- 子查詢
- 聯表查詢
11、一對多處理
比如:一個老師擁有多個學生!
對於老師而言,就是一對多的關係!
環境搭建
-
環境搭建,和剛才一樣
-
實體類
@Data @AllArgsConstructor @NoArgsConstructor public class Student { private int id; private String name; private int tid; }
@Data @AllArgsConstructor @NoArgsConstructor public class Teacher { private int id; private String name; //一個老師擁有多個學生 private List<Student> students; }
按照結果巢狀處理
<!--按結果巢狀查詢--> <select id="getTeacher" resultMap="teacherStudent" parameterType="_int"> 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 = #{tid} </select> <resultMap id="teacherStudent" type="teacher"> <result property="id" column="tid" /> <result property="name" column="tname"/> <!--複雜的屬性,我們需要單獨處理 物件:association 集合:collection JavaType=“” 指定屬性的型別! 集合中的泛型資訊,我們使用ofType獲取 --> <collection property="students" ofType="student"> <result property="id" column="sid"/> <result property="name" column="sname"/> <result property="tid" column="tid"/> </collection> </resultMap>
按照查詢巢狀處理
<select id="getTeacher2" resultMap="teacherStudent2"> select * from teacher where id = #{tid} </select> <resultMap id="teacherStudent2" type="teacher"> <result property="id" column="id"/> <collection property="students" javaType="ArrayList" ofType="student" column="id" select="getStudentByTeacherId"/> </resultMap> <select id="getStudentByTeacherId" resultType="student"> select * from student where tid = #{id} </select>
小結
- 關聯 -association 【多對一】
- 集合 -collection 【一對多】
- JavaType & ofType
- javaType 用來指定實體類中屬性的型別
- ofType 用來指定對映到List或者集合中的pojo型別,泛型中的約束型別!
注意點:
- 保證sql的可讀性,儘量保證通俗易懂
- 注意一對多和多對一中,屬性名和欄位的問題!
- 如果問題不好排查錯誤,可以使用日誌,建議使用log4j
慢SQL 1s 1000s
面試高頻
- Mysql引擎
- innoDB底層原理
- 索引
- 索引優化!
12、動態SQL
什麼是動態SQL:動態SQL就是根據不同的條件生成不用的SQL語句
動態 SQL 是 MyBatis 的強大特性之一。如果你使用過 JDBC 或其它類似的框架,你應該能理解根據不同條件拼接 SQL 語句有多痛苦,例如拼接時要確保不能忘記新增必要的空格,還要注意去掉列表最後一個列名的逗號。利用動態 SQL,可以徹底擺脫這種痛苦。
使用動態 SQL 並非一件易事,但藉助可用於任何 SQL 對映語句中的強大的動態 SQL 語言,MyBatis 顯著地提升了這一特性的易用性。
如果你之前用過 JSTL 或任何基於類 XML 語言的文字處理器,你對動態 SQL 元素可能會感覺似曾相識。在 MyBatis 之前的版本中,需要花時間瞭解大量的元素。藉助功能強大的基於 OGNL 的表示式,MyBatis 3 替換了之前的大部分元素,大大精簡了元素種類,現在要學習的元素種類比原來的一半還要少。
if
choose (when, otherwise)
trim (where, set)
foreach
搭建環境
CREATE TABLE `blog`(
`id` VARCHAR(50) not null comment '部落格id',
`title` varchar(100) not null comment '部落格標題',
`author` varchar(30) not null comment '部落格作者',
`create_time` datetime not null comment '建立時間',
`views` int(30) not null comment '瀏覽量'
)engine=innodb default charset=utf8
建立一個基礎工程
-
導包
-
編寫配置檔案
-
編寫實體類
@Data @AllArgsConstructor @NoArgsConstructor public class Blog { private int id; private String title; private String author; private Date createTime; private int views; }
-
編寫實體類對應的mapper介面和mapper對應的xml
IF
<select id="queryListIf" resultType="com.liu.pojo.Blog" parameterType="map">
select * from blog where 1=1
<if test="title != null">
and title = #{title}
</if>
<if test="author != null">
and author = #{author}
</if>
</select>
choose(when,otherwise)
<select id="queryBlogChoose" resultType="com.liu.pojo.Blog" parameterType="map">
select * from blog
<where>
<choose>
<when test="title != null">
title = #{title}
</when>
<when test="author != null">
author = #{author}
</when>
<otherwise>
views = #{views}
</otherwise>
</choose>
</where>
</select>
trim(where,set)
<select id="queryListIf" resultType="com.liu.pojo.Blog" parameterType="map">
select * from blog
<where>
<if test="title != null">
and title = #{title}
</if>
<if test="author != null">
and author = #{author}
</if>
</where>
</select>
<update id="updateBlog" parameterType="map">
update blog
<set>
<if test="title != null">
title = #{title},
</if>
<if test="author != author">
author = #{author}
</if>
</set>
where id = #{id}
</update>
所謂的動態SQL,本質還是SQL語句,只是我們可以在SQL層面,去執行一個邏輯程式碼
if
where,set,choose,when
SQL片段
有的時候,我們可能會將一些功能的部分抽取出來,方便複用!
-
使用SQL標籤抽取公共的部分
<sql id="query-sql"> <if test="title != null"> and title = #{title} </if> <if test="author != null"> and author = #{author} </if> </sql>
-
在需要使用的地方使用include標籤引用即可
<select id="queryListIf" resultType="com.liu.pojo.Blog" parameterType="map"> select * from blog <where> <include refid="query-sql"></include> </where> </select>
注意事項:
- 最好基於單表來定義SQL片段!
- 不要存在where標籤
Foreach
<!--
select * from blog where 1=1 and (id=1 or id=2 or id=3)
我們現在傳遞一個萬能的map,這map中可以存在一個集合!
-->
<select id="queryForEach" resultType="com.liu.pojo.Blog" parameterType="map">
select * from blog
<where>
<foreach collection="ids" item="id" open="and (" close=")" separator="or">
id = #{id}
</foreach>
</where>
</select>
動態SQL就是在拼接SQL語句,我們只要保證SQL的正確性,按照SQL的格式,去排列組合就可以了
建議:
- 先在mysql中寫出完整的SQL,再對應的修改成為我們的動態SQL實現通用即可!
13、快取
13.1、簡介
查詢 : 連線資料庫 , 耗資源!
一次查詢的結果,給他暫存在一個可以直接取到的地方!---》 記憶體 : 快取
我們再次查詢相同資料的時候,直接走快取,就不用走資料庫了
- 什麼是快取![Cache]?
- 存在記憶體中的臨時資料。
- 將使用者經常查詢的資料庫放在快取(記憶體)中,使用者去查詢資料就不用從磁碟上(關係型資料庫資料檔案)查詢,從快取中查詢,從而提高查詢效率,解決了高併發系統的效能問題。
- 為什麼使用快取?
- 減少和資料庫的互動次數,減少系統開銷,提高系統效率。
- 什麼樣的資料能使用快取?
- 經常查詢並且不經常改變的資料。【可以使用快取】
13.2、mybatis快取
- mybatis包含一個非常強大的查詢快取特性,它可以非常方便地定製和配置快取。快取可以極大的提升查詢效率。
- mybatis系統中預設定義了兩種快取:一級快取和二級快取
- 預設情況下,只有一級快取開啟。(sqlsession級別的快取,也稱為本地快取)
- 二級快取需要手動開啟和配置,它是基於namespace級別的快取。
- 為了提高擴充套件性,mybatis定義了快取介面cache,我們可以通過實現cache介面來自定義二級快取
13.3、一級快取
- 一級快取也叫本地快取:
- 與資料庫同一次會話期間查詢到的資料會放在本地快取中。
- 以後如果需要獲取相同的資料,直接從快取中拿,沒必要再去查詢資料庫;
測試步驟:
-
開啟日誌!
-
測試在一個session中查詢兩次相同記錄!
-
檢視日誌輸出
[外鏈圖片轉存失敗,源站可能有防盜鏈機制,建議將圖片儲存下來直接上傳(img-BmsFbfug-1612346799546)(C:\Users\66473\AppData\Roaming\Typora\typora-user-images\image-20210203162548569.png)]
快取失效的情況:
- 查詢不同的東西。
- 增刪改操作,可能會改變原來的資料,所以必定會重新整理快取!
- 查詢不同的mapper.xml
- 手動清理快取[外鏈圖片轉存失敗,源站可能有防盜鏈機制,建議將圖片儲存下來直接上傳(img-Cp3gyg8t-1612346799547)(C:\Users\66473\AppData\Roaming\Typora\typora-user-images\image-20210203163608439.png)]
小結:一級快取預設是開啟的,只在一次sqlsession中有效,也就是拿到連線到關閉連線這個區間段!
一級快取相當於一個Map.
13.4、二級快取
- 二級快取也叫全域性快取,一級快取作用域太低了,所以誕生了二級快取
- 基於namespace級別的快取,一個名稱空間,對應一個二級快取;
- 工作機制
- 一個會話查詢一條資料,這個資料就會被放在當前會話的一級快取中;
- 如果當前會話關閉了,這個會話對應的一級快取就沒了;但是我們想要的是,會話關閉了,一級快取中的資料被儲存到二級快取中;
- 新的會話查詢資訊,就可以從二級快取中獲取內容;
- 不同的mapper查出的資料會放在自己對應的快取(map)中;
步驟:
-
開啟全域性快取
<!--顯示的開啟全域性快取--> <setting name="cacheEnabled" value="true"/>
-
在要使用二級快取的mapper中開啟
<!--在當前mapper.xml中使用二級快取--> <cache />
也可以自定義引數
<!--在當前mapper.xml中使用二級快取--> <cache eviction="FIFO" flushInterval="60000" size="512" readOnly="true"/>
-
測試
-
問題:我們需要將實體類序列化!否則就會報錯!
Caused by: java.io.NotSerializableException: com.liu.pojo.User
-
小結:
- 只要開啟了二級快取,在同一個Mapper下就有效
- 所有的資料都會先放在一級快取中;
- 只有當會話提交,或者關閉的時候,才會提交到二級快取中!
13.5、快取原理
13.6、自定義快取-ehcache
Ehcache是一種廣泛使用的開源Java分散式快取。主要面向通用快取
要在程式中使用ehcache,先要導包!
<dependency>
<groupId>org.mybatis.caches</groupId>
<artifactId>mybatis-ehcache</artifactId>
<version>1.2.1</version>
</dependency>
在mapper中指定使用我們的ehcache快取實現!
<!--在當前mapper.xml中使用二級快取-->
<cache type="org.mybatis.caches.ehcache.EhcacheCache"/>
ehcache.xml
<?xml version="1.0" encoding="UTF-8"?>
<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>
Redis資料庫來做快取!