溫馨提示×

溫馨提示×

您好,登錄后才能下訂單哦!

密碼登錄×
登錄注冊×
其他方式登錄
點擊 登錄注冊 即表示同意《億速云用戶服務條款》

Spring Boot數(shù)據(jù)訪問之Mybatis的示例分析

發(fā)布時間:2021-12-30 09:51:13 來源:億速云 閱讀:149 作者:小新 欄目:大數(shù)據(jù)

這篇文章主要介紹Spring Boot數(shù)據(jù)訪問之Mybatis的示例分析,文中介紹的非常詳細,具有一定的參考價值,感興趣的小伙伴們一定要看完!


一、什么是MyBatis

  1. 支持定制化SQL、存儲過程以及高級映射的優(yōu)秀的持久層框架
  2. 避免了幾乎所有的 JDBC 代碼和手動設置參數(shù)以及獲取結(jié)果集
  3. 可以對配置和原生Map使用簡單的 XML 或注解
  4. 將接口和 Java 的 POJOs(Plain Old Java Objects,普通的 Java對象)映射成數(shù)據(jù)庫中的記錄
  5. 數(shù)據(jù)庫、數(shù)據(jù)源、數(shù)據(jù)庫連接池、JDBC、JDBC實現(xiàn)是什么關系?

Spring Boot數(shù)據(jù)訪問之Mybatis的示例分析

  • JDBC:Java和關系型數(shù)據(jù)庫的橋梁,是一個規(guī)范,不是實現(xiàn)。不同類型的數(shù)據(jù)庫需要有自己的JDBC實現(xiàn)

  • 數(shù)據(jù)源:包含數(shù)據(jù)庫連接池,連接池管理。常見的有C3P0、HikariDataSoiurce、Druid等

  • 連接池:預先創(chuàng)建一些數(shù)據(jù)庫連接,放到連接池里面,用的時候從連接池里面取,用完后放回連接池

  • 連接池管理:創(chuàng)建數(shù)據(jù)庫連接,管理數(shù)據(jù)庫連接

  • JDBC實現(xiàn):MySQL JDBC實現(xiàn)、Oracle JDBC實現(xiàn)等其他實現(xiàn)

  • MyBatis對JDBC進行了封裝

二、整合MyBatis

我們基于之前創(chuàng)建的項目spring-boot-06-data-druid 來創(chuàng)建spring-boot-07-data-mybatis項目

1)引入MyBatis依賴

<!-- mybatis -->
<dependency>
 <groupId>org.mybatis.spring.boot</groupId>
 <artifactId>mybatis-spring-boot-starter</artifactId>
 <version>2.1.1</version>
</dependency>

2)引入其他依賴

<dependencies>
 <!-- web -->
 <dependency>
   <groupId>org.springframework.boot</groupId>
   <artifactId>spring-boot-starter-web</artifactId>
 </dependency>

 <!-- mysql -->
 <dependency>
   <groupId>mysql</groupId>
   <artifactId>mysql-connector-java</artifactId>
   <scope>runtime</scope>
 </dependency>

 <!-- swagger -->
 <dependency>
   <groupId>io.springfox</groupId>
   <artifactId>springfox-swagger2</artifactId>
   <version>2.9.2</version>
 </dependency>
 <dependency>
   <groupId>io.springfox</groupId>
   <artifactId>springfox-swagger-ui</artifactId>
   <version>2.9.2</version>
 </dependency>

 <!-- Druid -->
 <dependency>
   <groupId>com.alibaba</groupId>
   <artifactId>druid</artifactId>
   <version>1.1.21</version>
 </dependency>

3)依賴圖

Spring Boot數(shù)據(jù)訪問之Mybatis的示例分析

三、用注解方式使用 MyBatis

1.準備創(chuàng)建department表的腳本

DROP TABLE IF EXISTS `department`;
CREATE TABLE `department` (
 `id` int(11) NOT NULL AUTO_INCREMENT,
 `department_name` varchar(255) DEFAULT NULL,
 PRIMARY KEY (`id`)
) ENGINE=InnoDB AUTO_INCREMENT=1 DEFAULT CHARSET=utf8;

2.application.yml 自動執(zhí)行腳本

initialization-mode: always
schema:
 - classpath:department.sql

執(zhí)行一次后,注釋 initialization-mode

# initialization-mode: always

3.創(chuàng)建department 實體類

package com.jackson0714.springboot.entity;
public class Department {    private Long id;    private String departmentName;
   public void setId(Long id) {        this.id = id;    }
   public Long getId() {        return id;    }
   public void setDepartmentName(String departmentName) {        this.departmentName = departmentName;    }
   public String getDepartmentName() {        return departmentName;    }}

4.創(chuàng)建Mapper映射類,并將SQL注解到方法上

增刪改查,你要的都在這里:

@Mapperpublic interface DepartmentMapper {
   @Select("select * from department")    List<Map<String, Object>> getAllDepartment();
   @Select("select * from department where id=#{id}")    Department getDepartmentById(Long id);
   @Delete("delete from department where id=#{id}")    int deleteDepartment(Long id);
   @Insert("insert into department(department_name) values(#{departmentName})")    int createDepartment(String departmentName);
   @Update("update department set department_name=#{departmentName} where id=#{id}")    int updateDepartmentById(Long id, String departmentName);}

5.創(chuàng)建MyBatis 配置類

增加自定義配置:如果表的字段名有下劃線格式的,轉(zhuǎn)為駝峰命名格式

@org.springframework.context.annotation.Configurationpublic class MyBatisConfig {    @Bean    public ConfigurationCustomizer configurationCustomizer() {        return new ConfigurationCustomizer() {            @Override            public void customize(Configuration configuration) {                // 如果表的字段名有下劃線格式的,轉(zhuǎn)為駝峰命名格式                configuration.setMapUnderscoreToCamelCase(true);            }        };    }}

6.創(chuàng)建DepartmentController

@Api(value = "DepartmentController", description = "部門controller")@RequestMapping("/v1/client")@RestControllerpublic class DepartmentController {
   @Autowired    DepartmentMapper departmentMapper;
   @ApiOperation(value = "1.查詢所有部門")    @GetMapping("/dept/getAllDepartment")    public List<Map<String, Object>> getAllDepartment() {        return departmentMapper.getAllDepartment();    }
   @ApiOperation(value = "2.根據(jù)id查詢某個部門")    @ApiImplicitParams({            @ApiImplicitParam(name = "id", value = "需要查詢的部門id")    })    @GetMapping("/dept/{id}")    public Department getDepartmentById(@PathVariable Long id) {        return departmentMapper.getDepartmentById(id);    }
   @ApiOperation(value = "3.新增部門")    @ApiImplicitParams({            @ApiImplicitParam(name = "name", value = "部門名稱")    })    @PostMapping("/dept/create")    public int createDepartment(@RequestParam String name) {        return departmentMapper.createDepartment(name);    }
   @ApiOperation(value = "4.根據(jù)id刪除部門")    @ApiImplicitParams({            @ApiImplicitParam(name = "id", value = "需要刪除的部門id")    })    @PostMapping("/dept/delete")    public int deleteDepartment(@RequestParam Long id) {        return departmentMapper.deleteDepartment(id);    }
   @ApiOperation(value = "5.根據(jù)id更新部門名稱")    @ApiImplicitParams({            @ApiImplicitParam(name = "id", value = "需要更新的部門id"),            @ApiImplicitParam(name = "name", value = "需要更新的部門名稱")    })    @PostMapping("/dept/update")    public int updateDepartmentById(@RequestParam Long id, @RequestParam String name) {        return departmentMapper.updateDepartmentById(id, name);    }}

使用Swagger來測試

Spring Boot數(shù)據(jù)訪問之Mybatis的示例分析

四、用配置方式使用 MyBatis

1. 文件結(jié)構(gòu)

Spring Boot數(shù)據(jù)訪問之Mybatis的示例分析

2. 創(chuàng)建user表的腳本

SET FOREIGN_KEY_CHECKS=0;
-- ------------------------------ Table structure for user-- ----------------------------DROP TABLE IF EXISTS `user`;CREATE TABLE `user` (  `user_id` int(11) NOT NULL AUTO_INCREMENT COMMENT '主鍵ID',  `user_name` varchar(255) COLLATE utf8mb4_bin NOT NULL COMMENT '用戶名',  `password` varchar(255) COLLATE utf8mb4_bin NOT NULL,  `salt` varchar(255) COLLATE utf8mb4_bin DEFAULT NULL COMMENT '隨機鹽',  `nickName` varchar(255) COLLATE utf8mb4_bin NOT NULL COMMENT '用戶名',  `phone` varchar(20) COLLATE utf8mb4_bin DEFAULT NULL COMMENT '手機號',  `avatar` varchar(255) COLLATE utf8mb4_bin DEFAULT NULL COMMENT '頭像',  `mini_openId`  varchar(32) COLLATE utf8mb4_bin DEFAULT NULL COMMENT '小程序OpenId',  `lock_flag` char(1) COLLATE utf8mb4_bin DEFAULT '0' COMMENT '0-正常,9-鎖定',  `del_flag` char(1) COLLATE utf8mb4_bin DEFAULT '0' COMMENT '0-正常,1-刪除',  `create_time` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP COMMENT '創(chuàng)建時間',  `update_time` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP COMMENT '更新時間',  PRIMARY KEY (`user_id`),  KEY `user_wx_openid` (`mini_openId`),  KEY `user_idx1_username` (`user_name`)) ENGINE=InnoDB AUTO_INCREMENT=4 DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci ROW_FORMAT=DYNAMIC COMMENT='用戶表';

3. 插入一條User數(shù)據(jù)

INSERT INTO user(user_name, password, nick_name, phone) values ("jackson0714", "123", "悟空聊架構(gòu)", "123456")

4. 創(chuàng)建User實體類

package com.jackson0714.springboot.entity;
import lombok.Data;
import java.sql.Timestamp;
@Datapublic class User {
   private Long userId;    private String userName;    private String password;    private String salt;    private String nickName;    private String phone;    private String avatar;    private String miniOpenId;    private String openId;    private Boolean lockFlag;    private Boolean delFlag;    private Timestamp createTime;    private Timestamp updateTime;}

需要安裝Lombok插件

Spring Boot數(shù)據(jù)訪問之Mybatis的示例分析

需要引入Lombok依賴

<!-- https://mvnrepository.com/artifact/org.projectlombok/lombok -->
<dependency>
 <groupId>org.projectlombok</groupId>
 <artifactId>lombok</artifactId>
 <version>1.18.12</version>
 <scope>provided</scope>
</dependency>

5. 創(chuàng)建調(diào)用User方法的 UserMapper 接口

// @Mapper 或MapperScan 將接口掃描裝配到裝配容器中
public interface UserMapper {
   User getUserById(Long userId);
}

6. 創(chuàng)建接口方法與SQL腳本的映射文件

<?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.jackson0714.springboot.mapper.UserMapper">
   <select id="getUserById" resultType="com.jackson0714.springboot.entity.User">
       SELECT * FROM user WHERE user_id=#{userId}
   </select>
</mapper>

7. 創(chuàng)建UserController文件

@Api(value = "UserController", description = "用戶controller")@RequestMapping("/v1/client")@RestControllerpublic class UserController {
   @Autowired    UserMapper userMapper;
   @ApiOperation(value = "1.根據(jù)id查詢某個用戶")    @ApiImplicitParams({            @ApiImplicitParam(name = "需要查詢的用戶userId", value = "需要查詢的用戶userId")    })    @GetMapping("/emp/{userId}")    public User getUser(@PathVariable("userId") Long userId) {        return userMapper.getUserById(userId);    }}

8. 添加MapperScan注解

@MapperScan(value = "com.jackson0714.springboot.mapper")@SpringBootApplicationpublic class Springboot07DataMybatisApplication {    public static void main(String[] args) {        SpringApplication.run(Springboot07DataMybatisApplication.class, args);    }}

9.在Swagger上測試

Spring Boot數(shù)據(jù)訪問之Mybatis的示例分析

10. 查看Druid監(jiān)控

Spring Boot數(shù)據(jù)訪問之Mybatis的示例分析

代碼下載:

https://github.com/Jackson0714/study-spring-boot.git

以上是“Spring Boot數(shù)據(jù)訪問之Mybatis的示例分析”這篇文章的所有內(nèi)容,感謝各位的閱讀!希望分享的內(nèi)容對大家有幫助,更多相關知識,歡迎關注億速云行業(yè)資訊頻道!

向AI問一下細節(jié)

免責聲明:本站發(fā)布的內(nèi)容(圖片、視頻和文字)以原創(chuàng)、轉(zhuǎn)載和分享為主,文章觀點不代表本網(wǎng)站立場,如果涉及侵權請聯(lián)系站長郵箱:is@yisu.com進行舉報,并提供相關證據(jù),一經(jīng)查實,將立刻刪除涉嫌侵權內(nèi)容。

AI