DROP TABLE IF EXISTS user;
CREATE TABLE user
(
id BIGINT(20) NOT NULL COMMENT '主鍵ID',
name VARCHAR(30) NULL DEFAULT NULL COMMENT '姓名',
age INT(11) NULL DEFAULT NULL COMMENT '年齡',
email VARCHAR(50) NULL DEFAULT NULL COMMENT '郵箱',
PRIMARY KEY (id)
);
INSERT INTO user (id, name, age, email) VALUES
(1, 'Jone', 18, 'test1@baomidou.com'),
(2, 'Jack', 20, 'test2@baomidou.com'),
(3, 'Tom', 28, 'test3@baomidou.com'),
(4, 'Sandy', 21, 'test4@baomidou.com'),
(5, 'Billie', 24, 'test5@baomidou.com');
-- 真實開發中,version(樂觀鎖)、deleted(邏輯刪除)、gmt_create、gmt_modified
<!-- 資料庫驅動 -->
<dependency>
<groupId>mysql</groupId>
<artifactId>mysql-connector-java</artifactId>
</dependency>
<!-- lombok -->
<dependency>
<groupId>org.projectlombok</groupId>
<artifactId>lombok</artifactId>
</dependency>
<!-- mybatis-plus -->
<!-- mybatis-plus 是自己開發,並非官方的! -->
<dependency>
<groupId>com.baomidou</groupId>
<artifactId>mybatis-plus-boot-starter</artifactId>
<version>3.0.5</version>
</dependency>
# mysql 5 驅動不同 com.mysql.jdbc.Driver
# mysql 8 驅動不同com.mysql.cj.jdbc.Driver、需要增加時區的設定
serverTimezone=GMT%2B8
spring.datasource.username=root
spring.datasource.password=123456
spring.datasource.url=jdbc:mysql://localhost:3306/mybatis_plus?
useSSL=false&useUnicode=true&characterEncoding=utf-8&serverTimezone=GMT%2B8
spring.datasource.driver-class-name=com.mysql.cj.jdbc.Driver
@Data
@AllArgsConstructor
@NoArgsConstructor
public class User {
private Long id;
private String name;
private Integer age;
private String email;
}
// 在對應的Mapper上面繼承基本的類 BaseMapper
@Repository // 代表持久層
public interface UserMapper extends BaseMapper<User> {
// 所有的CRUD操作都已經編寫完成了
// 你不需要像以前的設定一大堆檔案了!
}
在主啟動類上去掃描我們的mapper包下的所有介面
@MapperScan("com.yn.mapper")
我們所有的sql現在是不可見的,我們希望知道它是怎麼執行的,所以我們必須要看紀錄檔!
# 設定紀錄檔
mybatis-plus.configuration.log-impl=org.apache.ibatis.logging.stdout.StdOutImpl
設定完畢紀錄檔之後,後面的學習就需要注意這個自動生成的SQL,你們就會喜歡上 MyBatis-Plus!
@Autowired
private UserMapper userMapper;
@Test
public void testInsert() {
User user = new User();
user.setName("張三");
user.setAge(23);
user.setEmail("163.com");
int result = userMapper.insert(user);//幫我們自動生成id
System.out.println(result);// 受影響的行數
System.out.println(user);// 發現id會自動回填
}
在實體類欄位上 @TableId(type = IdType.xxx),一共有六種主鍵生成策略
@Data
@AllArgsConstructor
@NoArgsConstructor
public class User {
/*
@TableId(type = IdType.AUTO) // 1.資料庫id自增 注意:在資料庫裡欄位一定要設定自增!
@TableId(type = IdType.NONE) // 2.未設定主鍵
@TableId(type = IdType.INPUT) // 3.手動輸入
@TableId(type = IdType.ID_WORKER) // 4.預設的全域性唯一id
@TableId(type = IdType.UUID) // 5.全域性唯一id uuid
@TableId(type = IdType.ID_WORKER_STR) // 6.ID_WORKER 字串表示法
*/
private Long id;
private String name;
private Integer age;
private String email;
}
@Test
public void testUpdate() {
User user = new User();
user.setId(6L);
user.setName("李四");
user.setAge(29);
user.setEmail("qq.com");
int result = userMapper.updateById(user);
}
建立時間、修改時間!這些個操作一遍都是自動化完成的,我們不希望手動更新!
阿里巴巴開發手冊:所有的資料庫表:gmt_create、gmt_modified幾乎所有的表都要設定上!而且需要自動化!
在表中新增欄位 create_time, update_time,
實體類同步
private Date createTime;
private Date updateTime;
以下為操作後的變化
1、刪除資料庫的預設值、更新操作!
2、實體類欄位屬性上需要增加註解
// 欄位新增填充內容
@TableField(fill = FieldFill.INSERT)//插入的時候操作
private Date createTime;
@TableField(fill = FieldFill.INSERT_UPDATE)//插入和更新的時候都操作
private Date updateTime
3、編寫處理器來處理這個註解即可!
@Slf4j
@Component//加入spring容器
public class MuMetaObjecHandler implements MetaObjectHandler {
// 插入時的填充策略
@Override
public void insertFill(MetaObject metaObject) {
log.info("start insert fill.....");
// setFieldValByName(String 欄位名, Object 要插入的值, MetaObject meateObject);
this.setFieldValByName("createTime",new Date(),metaObject);
this.setFieldValByName("updateTime",new Date(),metaObject);
}
// 更新時的填充策略
@Override
public void updateFill(MetaObject metaObject) {
log.info("start update fill.....");
this.setFieldValByName("updateTime",new Date(),metaObject);
}
}
4、測試插入、更新後觀察時間!
樂觀鎖 : 故名思意十分樂觀,它總是認為不會出現問題,無論幹什麼不去上鎖!如果出現了問題,再次更新值測試,給所有的記錄加一個version
悲觀鎖:故名思意十分悲觀,它總是認為總是出現問題,無論幹什麼都會上鎖!再去操作!
樂觀鎖實現方式:
樂觀鎖:1、先查詢,獲得版本號 version = 1
-- A 執行緒
update user set name = "kuangshen", version = version + 1
where id = 2 and version = 1
-- B 執行緒搶先完成,這個時候 version = 2,會導致 A 修改失敗!
update user set name = "kuangshen", version = version + 1
where id = 2 and version = 1
1、給資料庫中增加version欄位!
2、實體類加對應的欄位
@Version //樂觀鎖Version註解
private Integer version;
3、註冊元件
// 掃描的 mapper 資料夾
@MapperScan("com.yn.mapper")
@EnableTransactionManagement
@Configuration // 設定類
public class MyBatisPlusConfig {
// 註冊樂觀鎖外掛
@Bean
public OptimisticLockerInterceptor optimisticLockerInterceptor() {
return new OptimisticLockerInterceptor();
}
}
3、測試
// 測試樂觀鎖成功!
@Test
public void testOptimisticLocker() {
// 1、查詢使用者資訊
User user = userMapper.selectById(1L);
// 2、修改使用者資訊
user.setName("kuangshen");
user.setEmail("24736743@qq.com");
// 3、執行更新操作
userMapper.updateById(user);
}
// 測試樂觀鎖失敗!多執行緒下
@Test
public void testOptimisticLocker2() {
// 執行緒 1
User user = userMapper.selectById(1L);
user.setName("kuangshen111");
user.setEmail("24736743@qq.com");
// 模擬另外一個執行緒執行了插隊操作
User user2 = userMapper.selectById(1L);
user2.setName("kuangshen222");
user2.setEmail("24736743@qq.com");
userMapper.updateById(user2);
// 自旋鎖來多次嘗試提交!
userMapper.updateById(user); // 如果沒有樂觀鎖就會覆蓋插隊執行緒的值!
}
// 測試查詢
@Test
public void testSelectById() {
User user = userMapper.selectById(1L);
System.out.println(user);
}
// 測試批次查詢!
@Test
public void testSelectByBatchId() {
List<User> users = userMapper.selectBatchIds(Arrays.asList(1, 2, 3));
users.forEach(System.out::println);
}
// 按條件查詢之一使用map操作
@Test
public void testSelectByBatchIds() {
HashMap<String, Object> map = new HashMap<>();
// 自定義要查詢
map.put("name", "狂神說Java");
map.put("age", 3);
List<User> users = userMapper.selectByMap(map);
users.forEach(System.out::println);
}
1.設定攔截器元件
// 掃描的 mapper 資料夾
@MapperScan("com.yn.mapper")
@EnableTransactionManagement
@Configuration // 設定類
public class MyBatisPlusConfig {
// 註冊樂觀鎖外掛
@Bean
public OptimisticLockerInterceptor optimisticLockerInterceptor() {
return new OptimisticLockerInterceptor();
}
//分頁外掛
@Bean
public PaginationInterceptor paginationInterceptor() {
return new PaginationInterceptor();
}
}
2.直接使用Page物件即可
// 測試分頁查詢
@Test
public void testPage() {
// 引數一:當前頁
// 引數二:頁面大小
// 使用了分頁外掛之後,所有的分頁操作也變得簡單的!
Page<User> page = new Page<>(2, 3);
userMapper.selectPage(page, null);
page.getRecords().forEach(System.out::println);
System.out.println(page.getTotal());
}
// 測試刪除
@Test
public void testDeleteById() {
userMapper.deleteById(1240620674645544965L);
}
// 通過id批次刪除
@Test
public void testDeleteBatchId() {
userMapper.deleteBatchIds(Arrays.asList(1240620674645544961L, 1240620674645544962L));
}
// 通過map刪除
@Test
public void testDeleteMap() {
HashMap<String, Object> map = new HashMap<>();
map.put("name", "狂神說Java");
userMapper.deleteByMap(map);
}
物理刪除 :從資料庫中直接移除
邏輯刪除 :再資料庫中沒有被移除,而是通過一個變數來讓他失效! deleted = 0 => deleted = 1
管理員可以檢視被刪除的記錄!防止資料的丟失,類似於回收站!
邏輯刪除步驟:
1、在資料表中增加一個 deleted 欄位
2、實體類中增加屬性
@TableLogic //邏輯刪除
private Integer deleted;
3、設定!
// 邏輯刪除元件!
@Bean
public ISqlInjector sqlInjector() {
return new LogicSqlInjector();
}
# 設定邏輯刪除
mybatis-plus.global-config.db-config.logic-delete-value=1
mybatis-plus.global-config.db-config.logic-not-delete-value=0
3、檢視!
我們在平時的開發中,會遇到一些慢sql。
作用:效能分析攔截器,用於輸出每條 SQL 語句及其執行時間
MP也提供效能分析外掛,如果超過這個時間就停止執行!
1、匯入外掛
/**
* * SQL執行效率外掛
*
*/
@Bean
@Profile({"dev", "test"})// 設定 dev test 環境開啟,保證我們的效率
public PerformanceInterceptor performanceInterceptor() {
PerformanceInterceptor performanceInterceptor = new PerformanceInterceptor();
performanceInterceptor.setMaxTime(100); // ms設定sql執行的最大時間,如果超過了則不執行
performanceInterceptor.setFormat(true); // 是否格式化程式碼
return performanceInterceptor;
}
記住,要在SpringBoot中設定環境為dev或者 test 環境!
#設定開發環境
spring.profiles.active=dev
2、測試使用!
@Test
void contextLoads() {
// 引數是一個 Wrapper ,條件構造器,這裡我們先不用 null
// 查詢全部使用者
List<User> users = userMapper.selectList(null);
users.forEach(System.out::println);
}
我們寫一些複雜的sql就可以使用它來替代!
@SpringBootTest
public class WrapperTest {
@Autowired
private UserMapper userMapper;
//1、測試一,記住檢視輸出的SQL進行分析
@Test
void test1() {
// 查詢name不為空的使用者,並且郵箱不為空的使用者,年齡大於等於12
QueryWrapper<User> wrapper = new QueryWrapper<>();
wrapper
.isNotNull("name")
.isNotNull("email")
.ge("age", 12);
userMapper.selectList(wrapper).forEach(System.out::println); // 和我們剛才學習的map對比一下
}
//2、測試二
@Test
void test2() {
// 查詢名字狂神說
QueryWrapper<User> wrapper = new QueryWrapper<>();
wrapper.eq("name", "狂神說");
User user = userMapper.selectOne(wrapper); // 查詢一個資料,出現多個結果使用List或者 Map
System.out.println(user);
}
//3、區間查詢
@Test
void test3() {
// 查詢年齡在 20 ~ 30 歲之間的使用者
QueryWrapper<User> wrapper = new QueryWrapper<>();
wrapper.between("age", 20, 30); // 區間
Integer count = userMapper.selectCount(wrapper);// 查詢結果數
System.out.println(count);
}
//4、模糊查詢
@Test
void test4() {
// 查詢年齡在 20 ~ 30 歲之間的使用者
QueryWrapper<User> wrapper = new QueryWrapper<>();
// 名字中不包含e的 和 郵箱t%
wrapper
.notLike("name", "e")
.likeRight("email", "t");
List<Map<String, Object>> maps = userMapper.selectMaps(wrapper);
maps.forEach(System.out::println);
}
//5、模糊查詢
@Test
void test5() {
QueryWrapper<User> wrapper = new QueryWrapper<>();
// id 在子查詢中查出來
wrapper.inSql("id", "select id from user where id<3");
List<Object> objects = userMapper.selectObjs(wrapper);
objects.forEach(System.out::println);
}
//排序
@Test
void test6() {
QueryWrapper<User> wrapper = new QueryWrapper<>();
// 通過id進行排序
wrapper.orderByDesc("id");
List<User> users = userMapper.selectList(wrapper);
users.forEach(System.out::println);
}
}
AutoGenerator 是 MyBatis-Plus 的程式碼生成器,通過 AutoGenerator 可以快速生成Entity、Mapper、Mapper XML、Service、Controller 等各個模組的程式碼,極大的提升了開發效率。
測試:
package com.yn;
import com.baomidou.mybatisplus.annotation.DbType;
import com.baomidou.mybatisplus.annotation.FieldFill;
import com.baomidou.mybatisplus.annotation.IdType;
import com.baomidou.mybatisplus.generator.AutoGenerator;
import com.baomidou.mybatisplus.generator.config.DataSourceConfig;
import com.baomidou.mybatisplus.generator.config.GlobalConfig;
import com.baomidou.mybatisplus.generator.config.PackageConfig;
import com.baomidou.mybatisplus.generator.config.StrategyConfig;
import com.baomidou.mybatisplus.generator.config.po.TableFill;
import com.baomidou.mybatisplus.generator.config.rules.DateType;
import com.baomidou.mybatisplus.generator.config.rules.NamingStrategy;
import org.springframework.boot.test.context.SpringBootTest;
import java.util.ArrayList;
public class Code {
public static void main(String[] args) {
// 需要構建一個 程式碼自動生成器 物件
AutoGenerator mpg = new AutoGenerator();
// 設定策略
// 1、全域性設定
GlobalConfig gc = new GlobalConfig();
String projectPath = System.getProperty("user.dir");//獲取當前的專案路徑
gc.setOutputDir(projectPath + "/src/main/java");
gc.setAuthor("王六六");//作者
gc.setOpen(false);//是否開啟資源管理器
gc.setFileOverride(false); // 是否覆蓋原來生成的
gc.setServiceName("%sService"); // 去Service的I字首,生成的server就沒有字首了
gc.setIdType(IdType.ID_WORKER); //id生成策略
gc.setDateType(DateType.ONLY_DATE);//日期的型別
gc.setSwagger2(true);//自動設定Swagger檔案
mpg.setGlobalConfig(gc);
//2、設定資料來源
DataSourceConfig dsc = new DataSourceConfig();
dsc.setUrl("jdbc:mysql://localhost:3306/mybatis_plus?useSSL=false&useUnicode=true&characterEncoding=utf-8&serverTimezone=GMT%2B8");
dsc.setDriverName("com.mysql.cj.jdbc.Driver");
dsc.setUsername("root");
dsc.setPassword("root");
dsc.setDbType(DbType.MYSQL);
mpg.setDataSource(dsc);
//3、包的設定
PackageConfig pc = new PackageConfig();
pc.setModuleName("blog");//模組的名字
pc.setParent("com.yn");//放在哪個包下
pc.setEntity("entity");//實體類的包名字
pc.setMapper("mapper");//dao的包字
pc.setService("service");//server的包名
pc.setController("controller");//controller的包名
mpg.setPackageInfo(pc);
//4、策略設定
StrategyConfig strategy = new StrategyConfig();
strategy.setInclude("user"); // 設定要對映的表名
strategy.setNaming(NamingStrategy.underline_to_camel);//資料庫表名 下劃線轉駝峰命名
strategy.setColumnNaming(NamingStrategy.underline_to_camel);//資料庫列的名字 下劃線轉駝峰命名
strategy.setEntityLombokModel(true); // 自動生成 lombok;
strategy.setLogicDeleteFieldName("deleted");//邏輯刪除
// 自動填充設定
TableFill gmtCreate = new TableFill("gmt_create", FieldFill.INSERT);
TableFill gmtModified = new TableFill("gmt_modified", FieldFill.INSERT_UPDATE);
ArrayList<TableFill> tableFills = new ArrayList<>();
tableFills.add(gmtCreate);
tableFills.add(gmtModified);
strategy.setTableFillList(tableFills);
// 樂觀鎖
strategy.setVersionFieldName("version");
strategy.setRestControllerStyle(true);//開啟駝峰命名
strategy.setControllerMappingHyphenStyle(true); //controller中連結請求:localhost:8080/hello_id_2
mpg.setStrategy(strategy);
mpg.execute(); //執行
}
}
報錯的可以導一下這個包
<dependency>
<groupId>org.apache.velocity</groupId>
<artifactId>velocity-engine-core</artifactId>
<version>2.0</version>
</dependency>