【2018版】最新最全的SpringBoot 2.0入門視頻課程——筆記
SpringBoot,主講:湯小洋
一、SpringBoot簡介
1. SpringBoot是什麽?
? 產生背景:Spring開發變的越來越笨重,大量的XML文件,繁瑣的配置,復雜的部署流程,整合第三方技術時難度大等,導致開發效率低下
? SpringBoot是一個用來簡化Spring應用的初始化創建和開發的框架,簡化配置,實現快速開發
2. 為什麽使用SpringBoot
? 優點:
- 快速創建獨立運行的Spring應用並與主流框架集成
- 內置Servlet容器,應用無需打包war包
- 使用starter(啟動器)管理依賴並進行版本控制
- 大量的自動配置,簡化開發
- 提供了準生產環境的運行時監控,如指標、 健康檢查、外部配置等
- 無需配置XML,沒有生成冗余代碼,開箱即用
二、第一個SpringBoot應用
1. 簡介
? 推薦環境:
- SpringBoot 2.0(基於Spring5.0)
- JDK 1.8及以上
- Maven 3.2及以上
- Tomcat 8.5及以上
2. 步驟
? 步驟:
-
創建一個maven的java工程
傳統Web應用需要創建一個web工程,後期要打成war包,然後放到tomcat中
springboot應用只需要創建一個java工程,後期直接打成jar包,其內置tomcat
-
導入SpringBoot相關依賴
<!-- Inherit defaults from Spring Boot --> <parent> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-parent</artifactId> <version>2.0.3.RELEASE</version> </parent> <!-- Add typical dependencies for a web application --> <dependencies> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-web</artifactId> </dependency> </dependencies>
-
編寫Controller
-
編寫主程序類
@SpringBootApplication public class MainApplication { public static void main(String[] args) { //啟動SpringBoot應用 SpringApplication.run(MainApplication.class, args); //傳入主程序類的Class對象 } }
https://192.168.5.8/svn/wbs18031/
-
部署打包
添加spring-boot-maven-plugin
<!-- 該插件可以將應用打包一個可執行的jar包 --> <build> <plugins> <plugin> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-maven-plugin</artifactId> </plugin> </plugins> </build>
3. 分析HelloWorld
3.1 POM文件
-
父項目是spring-boot-starter-parent
<parent> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-parent</artifactId> <version>2.0.3.RELEASE</version> </parent>
父項目的父項目是spring-boot-dependencies,用來管理SpringBoot應用中依賴的版本
<parent> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-dependencies</artifactId> <version>2.0.3.RELEASE</version> <relativePath>../../spring-boot-dependencies</relativePath> </parent>
-
通過啟動器starter添加依賴
<dependencies> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-web</artifactId> </dependency> </dependencies>
SpringBoot提供了許多Starter(啟動器),分別對應不同中的應用場景,只要在項目中引入這些starter,相應場景的依賴就會被導入
3.2 主程序類
-
@SpringBootApplication
標註在類上,表示這個類是一個SpringBoot應用
@SpringBootConfiguration標註在類上,表示這個SpringBoot的配置類,相當於xml配置文件
@Configuration標註在類上,表示這個類是Spring的配置類
-
@EnableAutoConfiguration
開啟自動配置功能,SpringBoot會自動完成許多配置,簡化了以前的繁瑣的配置
-
@ComponentScan
標註在類上,指定要掃描的包,默認只掃描主程序類所在的包及其子包
三、快速創建SpringBoot項目
1. 簡介
? 使用向導快速創建SpringBoot項目
2. 基本操作
-
默認生成的.mvn、.gitignore等可以刪除
-
POM文件和主程序類都已經生成好了,直接寫業務邏輯即可
-
resources文件夾的目錄結構
|-resources |-static 存放靜態資源,如css js images |-templates 存放模板頁,可以使用模板引擎,如freemarker、velocity、theamleaf等 |-application.properties SpringBoot應用的配置文件
四、配置文件
1. 簡介
? SpringBoot的配置文件默認有兩個:
- application.properties
- application.yml
? 文件名固定,放在classpath:/或classpath:/config目錄下
?
2. YAML用法
2.1 簡介
? YAML不是一種標記語言
? YAML是專門用來寫配置文件的語言,比xml、properties更適合作為配置文件
? YAML文件的後綴是.yml或.yaml
2.2 語法規則
- 大小寫敏感
- 使用縮進表示層級關系
- 縮進時不允許使用Tag鍵,只允許使用空格
- 縮進的空格數目不重要,只要相同層級的元素左側對齊即可
#
表示註釋
# 修改默認配置
server:
port: 8882 # 寫法key: value,冒號後面必須有空格
servlet:
context-path: /springboot03
2.3 基本用法
? YAML支持的數據結構有三種:
- 字面量:單個值
- 對象:鍵值對
- 數組:一組數據的集合
? 三種數據結構的用法:
-
字面量:普通的值,字符串、數字、布爾等
number: 25 str: ‘hello world‘ flag: true
-
對象,也稱為Map映射,包含屬性和值
# 寫法1:換行寫,使用縮進 user: name: tom age: 21 # 寫法2:行內寫法 user: {name: tom,age: 21}
-
數組,如List、Set等
# 寫法1:換行寫,使用短橫線 names: - tom - jack - alice # 寫法2:行內寫法 names: [tom,jack,alice]
3. 為屬性註入值
? 通過加載配置文件,為類中的屬性註入值
3.1 使用.yml配置文件
user:
username: admin
age: 18
status: true
birthday: 2018/2/14
address:
province: 江蘇省
city: 南京市
lists:
- list1
- list2
- list3
maps: {k1: v1,k2: v2}
// 將當前Bean添加到容器中
@Component
// 默認讀取全局配置文件獲取值,將當前類中的屬性與配置文件中的user進行綁定
@ConfigurationProperties(prefix = "user")
public class User implements Serializable {
private String username;
private Integer age;
private Boolean status;
3.2 使用.properties文件
user.username=tom
user.age=21
user.status=false
user.birthday=2017/7/12
user.address.province=山東省
user.address.city=威海市
user.lists=list1,list2,list2
user.maps.k1=v1
user.maps.k2=v2
3.3 使用@Value為屬性註入值
// 將當前Bean添加到容器中
@Component
// 默認讀取全局配置文件獲取值,將當前類中的屬性與配置文件中的user進行綁定
// @ConfigurationProperties(prefix = "user")
public class User implements Serializable {
@Value("${user.username}")
private String username;
@Value("${user.age}")
private Integer age;
@Value("${user.status}")
private Boolean status;
@Value("${user.birthday}")
private Date birthday;
//@Value不支持復雜類型封裝
private Address address;
@Value("${user.lists}")
private List<String> lists;
@Value和@ConfigurationProperties的比較:
- @Value只能一個個為屬性註入值,而@ConfigurationProperties可以指為屬性註入值
- @Value不支持復雜類型封裝,而@ConfigurationProperties可以
4. 多環境配置
? 可以為不同環境提供不同中的配置信息,如開發環境、測試環境、生產環境
? 兩種方式:
- 創建多個properties文件
- 定義yml文檔塊
4.1 創建多個properties文件
? 步驟:
-
創建不同環境的properties文件
文件命名要必須application-xxx.properties
-
在application.properties文件中指定要激活的配置
# 指定激活的配置 spring.profiles.active=prod
4.2 定義yml文檔塊
? 步驟:
-
定義yml文檔塊
--- spring: profiles: develop server: port: 7771 --- spring: profiles: testing server: port: 7772 --- spring: profiles: product server: port: 80
-
在第一個文檔塊中指定要激活的配置
# 指定要激活的配置 spring: profiles: active: testing
5. 加載外部的配置文件
5.1 加載properties屬性文件
? 使用@PropertySource加載外部的屬性文件
// 將當前Bean添加到容器中
@Component
// 加載外部的屬性文件
@PropertySource({"classpath:user.properties"})
// 默認讀取全局配置文件獲取值,將當前類中的屬性與配置文件中的user進行綁定
@ConfigurationProperties(prefix = "user")
public class User implements Serializable {
5.2 加載spring配置文件
? 使用@ImportResoruce加載外部的Spring的XML文件
// 加載外部的spring配置文件
@ImportResource({"classpath:spring.xml"})
@SpringBootApplication
public class Springboot03ConfigApplication {
5.3 使用註解方式添加組件
? 使用@Configuration和@Bean
// 標註在類上,表示這是一個配置文件,相當於以前的spring配置文件
@Configuration
public class SpringConfig {
// 標註在方法上,向容器中添加組件,將方法的返回值添加到到容器中,將方法名作為組件id
@Bean
public Address address(){
Address address = new Address();
address.setProvince("江蘇");
address.setCity("蘇州");
return address;
}
}
五、自動配置的原理
1. 執行過程
-
SpringBoot應用啟動時會加載主程序類,開啟了自動配置功能@EnableAutoConfiguration
-
@EnableAutoConfiguration作用
掃描所有jar包類路徑下的META-INF/spring.factories文件,獲取到EnableAutoConfiguration對應的值,將這些自動配置類添加容器中
- 通過這些自動配置類完成相應的配置功能
2. 原理分析
? 以HttpEncodingAutoConfiguration為例:
// 表示這是一個Spring配置類
@Configuration
// 啟用HttpEncodingProperties類的ConfigurationProperties功能,通過配置文件為其屬性註入值,並將其添加到容器中
@EnableConfigurationProperties({HttpEncodingProperties.class})
// 如果當前應用是Web應用,則該配置類生效,否則不生效
@ConditionalOnWebApplication(
type = Type.SERVLET
)
// 如果當前應用中有CharacterEncodingFilter類,則該配置類生效,否則不生效
@ConditionalOnClass({CharacterEncodingFilter.class})
// 如果配置文件中有spring.http.encoding.enabled選項,則該配置項生效,否則不生效,默認已經設置為True,所以默認生效
@ConditionalOnProperty(
prefix = "spring.http.encoding",
value = {"enabled"},
matchIfMissing = true
)
public class HttpEncodingAutoConfiguration {
private final HttpEncodingProperties properties;
// 將容器中HttpEncodingProperties註入
public HttpEncodingAutoConfiguration(HttpEncodingProperties properties) {
this.properties = properties;
}
// 將方法返回值添加到容器中
@Bean
// 如果容器中沒有這個組件,則添加
@ConditionalOnMissingBean
public CharacterEncodingFilter characterEncodingFilter() {
CharacterEncodingFilter filter = new OrderedCharacterEncodingFilter();
filter.setEncoding(this.properties.getCharset().name());
filter.setForceRequestEncoding(this.properties.shouldForce(org.springframework.boot.autoconfigure.http.HttpEncodingProperties.Type.REQUEST));
filter.setForceResponseEncoding(this.properties.shouldForce(org.springframework.boot.autoconfigure.http.HttpEncodingProperties.Type.RESPONSE));
return filter;
}
spring.http.encoding.charset=gbk
spring.http.encoding.force=true
? 總結:
- SpringBoot啟動時會加載大量的自動配置類(xxxAutoConfiguration) xxxProperties
- 通過這些自動配置類向容器中添加組件
- 通過這些組件來實現自動配置功能,簡化
六、Web開發
1. 簡介
? 步驟:
- 創建SpringBoot應用,選擇相應的Starter
- 在配置文件中指定必要的少量配置
- 編寫業務代碼
? Web開發的自動配置類:WebMvcAutoConfiguration
2. 靜態資源的映射
2.1 靜態資源位置
? 查看WebMvcAutoConfiguration——>getStaticLocations()
? 靜態資源的默認位置:
- "classpath:/META-INF/resources/"
- "classpath:/resources/"
- "classpath:/static/"
- "classpath:/public/"
? 修改默認的靜態資源的位置:
# 指定靜態資源的位置
spring.resources.static-locations=classpath:/static,classpath:/public
2.2 歡迎頁
? 將index.html頁面放到任意一個靜態資源文件夾中即可
2.3 圖標
? 將favicon.ico放到任意一個靜態資源文件夾中即可
七、模板引擎
1. 簡介
? 目前Java Web開發推薦使用模板引擎,不建議使用JSP頁面
- JSP缺點:本質上就是Servlet,需要後臺編譯,耗時,效率低
- 模板引擎:不需要編譯,速度快
? 常見的模板引擎:Freemarker、Velocity、Thymeleaf等
? SpringBoot推薦使用Thymeleaf,且默認不支持JSP,因為JSP必須要打包war包才行
? 補充:目前主流Web開發更推薦采用前後端分離的形式,前端使用MVVM框架:Vue.js、Angular、React等
2. 使用步驟
? 步驟:
-
添加Thymeleaf的依賴
<dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-thymeleaf</artifactId> </dependency>
-
將HTML頁面放到templates目錄中
templates目錄下的HTML頁面默認不能被直接訪問,需要通過controller來訪問,由thymeleaf來渲染,自動添加前綴和後綴
@Controller public class TemplateController { @RequestMapping("/test1") public String test1(Model model){ model.addAttribute("name","alice"); return "success"; //自動添加前綴/templates和後綴.html } }
-
使用Thymeleaf
<!DOCTYPE html> <!--導入thymeleaf的命名空間--> <html lang="en" xmlns:th="http://www.thymeleaf.org"> <head> <meta charset="UTF-8"> <title>Title</title> </head> <body> <h2>success</h2> <!-- 使用th:text屬性,設置標簽中的文本,表達式${}可以獲取模型中的數據 --> <div th:text="${name}"></div> </body> </html>
-
修改頁面後,讓其立即生效
由於thymeleaf默認啟用了緩存,所以修改html頁面並不會實時生效
# 禁用thymeleaf的緩存 spring.thymeleaf.cache=false
補充:還需要開啟IDEA的自動編譯,IDEA默認是不自動編譯
- Settting——>搜索Compiler——>Build Project Automatically
- Help——>Find Action——>搜索Registry——>勾選compiler.automake......
3. 語法規則
3.1 常用屬性
-
th:text、th:utext
設置元素中的文本內容
th:text對特殊字符進行轉義,等價於內聯方式[[${ }]]
th:utext對特殊字符不進行轉義,等價於內聯方式[(${ })]
-
th:html原生屬性
用來替換指定的html原生屬性的值
-
th:if、th:unless、th:switch、th:case
條件判斷,類似於c:if
-
th:each
循環,類似於c:forEach
-
th:object、th:field
用於表單數據對象的綁定,將表單綁定到Controller的一個JavaBean參數,常與th:field一起使用
需要和*{}選擇表達式配合使用
-
th:fragment
聲明代碼片段,常用於頁面頭部和尾部的引入
-
th:include、th:insert、th:replace
引入代碼片段,類似於jsp:include
三者的區別:
th:include 保留自己的標簽,不要th:frament的標簽(Thymeleaf 3.0中不推薦使用)
th:insert 保留自己的標簽,保留th:frament的標簽
th:replace 不要自己的標簽,保留th:frament的標簽
3.2 表達式
-
${} 變量表達式
獲取對象的屬性、方法
使用內置的基本對象,如session、application等
使用內置的工具對象,如#strings、#dates、#arrays、#lists、#maps等
-
*{}選擇表達式(星號表達式)
需要和th:object配合使用,簡化獲取對象的屬性
-
@{} url表達式
定義url
-
運算符
eq gt le == != 三目運算符
4. 熱部署
? 使用SpringBoot提供的devtools實現熱部署
? 原理:實現監控classpath下文件的變化,如果發生變化則自動重啟
? 配置:添加devtools依賴
<!--devtools-->
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-devtools</artifactId>
<!--該依賴不傳遞-->
<optional>true</optional>
</dependency>
八、擴展默認的SpringMVC功能
1. 簡介
? 以前在SpringMVC中通過如下代碼實現視圖跳轉和攔截器:
<mvc:view-controller path="/showLogin" view-name="login"/>
<mvc:interceptors>
<mvc:interceptor>
<mvc:mapping path="/hello"/>
<bean class="com.itany.interceptor.HelloInterceptor"/>
</mvc:interceptor>
</mvc:interceptors>
? SpringBoot自動配置默認並沒有提供以上功能配置,需要自己擴展,使用WebMvcConfigure接口
2. 基本操作
? 步驟:
-
定義一個配置類,實現WebMvcConfigure接口
-
根據需要實現相應的方法
/** * Author:湯小洋 * Date:2018-08-01 11:13 * Description:擴展默認的SpringMVC功能 * 要求: * 1.使用@Configuration標註為配置類 * 2.實現WebMvcConfigurer接口 * 3.根據需要實現相應的方法 * 註:這個接口中的方法都添加了Jdk1.8中的default方法修飾,不強制實現所有的方法(jdk1.8新特性) * 在SpringBoot1.0中是繼承WebMvcConfigurerAdapter類,在SpringBoot2.0中已過時 */ @Configuration public class CustomMvcConfig implements WebMvcConfigurer { //添加ViewController @Override public void addViewControllers(ViewControllerRegistry registry) { //訪問/showLogin時跳轉到login視圖 registry.addViewController("/showLogin").setViewName("login"); } // 添加Interceptor @Override public void addInterceptors(InterceptorRegistry registry) { registry.addInterceptor(new MyInterceptor()).addPathPatterns("/**").excludePathPatterns("/test2"); } }
?
九、全局異常處理
1. 簡介
? 當程序出現異常時進行全局處理,SpringBoot默認的異常提示:Whitelabel Error Page
? 兩種方式:
- 定義錯誤碼頁面
- 定義異常通知
2. 定義錯誤碼頁面
? 創建錯誤狀態碼.html
頁面,放在templates/error目錄中,當發生錯誤時會自動到該目錄下查找對應的錯誤頁面
? 可以創建如4xx.html
或5xx.html
頁面,用來匹配所有該類型的錯誤(會先進行精確匹配)
<h2>5xx錯誤</h2>
<h3>狀態碼:[[${status}]]</h3>
<h3>錯誤提示:[[${error}]]</h3>
<h3>異常消息:[[${message}]]</h3>
<h3>時間戳:[[${timestamp}]]</h3>
3. 定義異常通知
@ControllerAdvice
public class ExceptionAdvice {
@ExceptionHandler(ArithmeticException.class)
public String arithmetic(Exception e){
System.out.println("警報,程序出現異常,發短信:"+e.getMessage());
return "error/5xx";
}
@ExceptionHandler(Exception.class)
public String exception(Exception e){
System.out.println("警報,程序出現異常,發郵件:"+e.getMessage());
return "error/5xx";
}
}
十、關於Servlet容器
1. 簡介
? SpringBoot中默認內置了Servlet容器:Tomcat
? 問題:SpringBoot默認是以jar包的方式啟動內置的Servlet容器,沒有web.xml文件,如何註冊Servlet三大組件:Servlet、Filter、Listener?
? 解決:通過自定義Servlet配置,使用ServletRegistrationBean、FilterRegistrationBean、ListenerRegistrationBean
2. 註冊Servlet組件
? 步驟:
-
定義一個配置類
-
自定義一個方法,用來註冊組件
@Configuration public class CustomServletConfig { // 註冊Servlet @Bean public ServletRegistrationBean myServlet() { ServletRegistrationBean<MyServlet> registrationBean = new ServletRegistrationBean<>(); registrationBean.setServlet(new MyServlet()); registrationBean.addUrlMappings("/myServlet"); return registrationBean; } // 註冊Filter @Bean public FilterRegistrationBean myFilter(){ FilterRegistrationBean<MyFilter> registrationBean = new FilterRegistrationBean<>(); registrationBean.setFilter(new MyFilter()); registrationBean.addUrlPatterns("/showLogin","/test1"); return registrationBean; } // 註冊Listener @Bean public ServletListenerRegistrationBean myListener(){ ServletListenerRegistrationBean<MyListener> registrationBean = new ServletListenerRegistrationBean<>(); registrationBean.setListener(new MyListener()); return registrationBean; } }
?
3. 使用外部的Servlet容器
3.1 優缺點
? 使用內置Servlet容器:將應用打成可執行的jar包,直接運行
? 優點:簡單、方便
? 缺點:不支持JSP、可定制性差
? 使用外部Servlet容器:將應用打成war包,然後部署到外部的Tomcat
? 優點:支持JSP、可定制性強
3.2 操作步驟
? 步驟:
-
創建一個Maven的war工程
有如下三個變化:
-
打包方式為war
<packaging>war</packaging>
-
將內置Tomcat的scope配置為provided
<dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-tomcat</artifactId> <scope>provided</scope> </dependency>
-
定義了一個SpringBootServletInitializer的子類
/** * 要求: * 1.繼承SpringBootServletInitializer類 * 2.重寫configure()方法 * 3.調用SpringApplicationBuilder的sources()方法,傳入SpringBoot應用的主程序類 */ public class ServletInitializer extends SpringBootServletInitializer { @Override protected SpringApplicationBuilder configure(SpringApplicationBuilder application) { // 傳入SpringBoot應用的主程序類 return application.sources(Springboot05WarApplication.class); } }
-
創建Web目錄
Project Structure——>Modules——>Deployment Descriptors——>+
-
配置前綴和後綴
spring.mvc.view.prefix=/WEB-INF/views/ spring.mvc.view.suffix=.jsp
?
-
配置Tomcat
Tomcat 8.5及以上
-
十一、SpringBoot數據訪問
1. JDBC
? 步驟:
-
創建一個工程,選擇以下模板:Web、MySQL、JDBC
-
配置數據庫連接信息
spring.datasource.driver-class-name=com.mysql.jdbc.Driver spring.datasource.url=jdbc:mysql://localhost:3306/springboot?useUnicode=true&characterEncoding=utf-8 spring.datasource.username=root spring.datasource.password= spring.datasource.type=org.apache.commons.dbcp.BasicDataSource
-
測試
@RunWith(SpringRunner.class) @SpringBootTest public class Springboot06JdbcApplicationTests { @Autowired private DataSource dataSource; @Test public void contextLoads() throws SQLException { System.out.println("----------------------------------------------"); System.out.println("DataSource類型:"+dataSource.getClass()); System.out.println("Connection連接:"+dataSource.getConnection()); } }
-
配置連接池參數
spring.datasource.initialSize=10 spring.datasource.maxActive=100 spring.datasource.minIdle=5 spring.datasource.maxWait=50000
?
問題:添加上面的參數後並不生效,因為SpringBoot默認並不支持這些參數(DataSourceProperties)
解決:自定義數據源配置
@Configuration public class DataSourceConfig { @Bean // 從配置文件中讀取spring.datasource屬性,並註入給數據源的屬性 @ConfigurationProperties(prefix = "spring.datasource") public DataSource dataSource(){ return new BasicDataSource(); } }
-
使用JdbcTemplate操作數據庫
@Controller @RequestMapping("/user") public class UserController { @Autowired private JdbcTemplate jdbcTemplate; @RequestMapping("/findAll") @ResponseBody public List<Map<String, Object>> findAll(){ List<Map<String, Object>> list = jdbcTemplate.queryForList("select * from t_user"); return list; } }
2. MyBatis
2.1 基本用法
? 步驟:
-
創建一個工程,選擇以下模塊:Web、MySQL、MyBatis
-
配置application.yml
# 配置DataSource spring: datasource: driver-class-name: com.mysql.jdbc.Driver url: jdbc:mysql://localhost:3306/springboot?useUnicode=true&characterEncoding=utf-8 username: root password: initialSize: 5 maxActive: 100 minIdle: 3 maxWait: 50000 # 配置MyBatis mybatis: type-aliases-package: com.itany.pojo mapper-locations: classpath:mapper/*.xml
-
編寫Mapper、Service、Controller
映射文件
-
配置MyBatisConfig
@Configuration //掃描MyBatis的Mapper接口所在的包 @MapperScan("com.itany.mapper") public class MyBatisConfig { @Bean @ConfigurationProperties(prefix = "spring.datasource") public DataSource dataSource(){ return new DruidDataSource(); } }
2.2 配置PageHelper分頁插件
? 步驟:
-
添加PageHelper的依賴
<dependency> <groupId>com.github.pagehelper</groupId> <artifactId>pagehelper-spring-boot-starter</artifactId> <version>1.2.5</version> </dependency>
-
配置PageHelper的屬性
# 配置PageHelper pagehelper: helper-dialect: mysql
-
使用PageHelper實現分頁
public PageInfo<User> findByPage(int pageNum, int pageSize) { //使用PageHelper設置分頁 PageHelper.startPage(pageNum,pageSize); List<User> users = userMapper.selectAll(); PageInfo<User> pageInfo = new PageInfo<>(users); return pageInfo; }
2.3 使用MyBatis-Plus
? 參考:http://mp.baomidou.com/
? 步驟:
-
添加mybatis-plus的依賴(starter)
<!--mybatis-plus--> <dependency> <groupId>com.baomidou</groupId> <artifactId>mybatis-plus-boot-starter</artifactId> <version>2.3</version> </dependency> <!--druid--> <dependency> <groupId>com.alibaba</groupId> <artifactId>druid</artifactId> <version>1.1.10</version> </dependency>
-
配置application.yml
mybatis-plus: mapper-locations: classpath:mapper/*.xml typeAliasesPackage: com.itany.pojo global-config: #主鍵類型 0:"數據庫ID自增", 1:"用戶輸入ID",2:"全局唯一ID (數字類型唯一ID)", 3:"全局唯一ID UUID"; id-type: 0 #字段策略 0:"忽略判斷",1:"非 NULL 判斷"),2:"非空判斷" field-strategy: 2 #駝峰下劃線轉換 db-column-underline: true #mp2.3+ 全局表前綴 t_ #table-prefix: t_ #刷新mapper 調試神器 refresh-mapper: true #邏輯刪除配置(下面3個配置) logic-delete-value: 1 logic-not-delete-value: 0 sql-injector: com.baomidou.mybatisplus.mapper.LogicSqlInjector #配置返回數據庫(column下劃線命名&&返回java實體是駝峰命名),自動匹配無需as(沒開啟這個,SQL需要寫as: select user_id as userId) map-underscore-to-camel-case: true cache-enabled: false
-
配置MybatisPlusConfig
@Configuration @MapperScan("com.itany.mapper") public class MybatisPlusConfig { /* * 分頁插件,自動識別數據庫類型 */ @Bean public PaginationInterceptor paginationInterceptor() { return new PaginationInterceptor(); } /* * 數據源 */ @Bean @ConfigurationProperties(prefix = "spring.datasource") public DataSource dataSource(){ return new DruidDataSource(); } }
-
編寫Mapper,繼承BaseMapper
public interface UserMapper extends BaseMapper<User> { }
? 補充:lombok的使用
? 步驟:
-
添加lombok的依賴
<dependency> <groupId>org.projectlombok</groupId> <artifactId>lombok</artifactId> <version>1.16.18</version> <scope>provided</scope> </dependency>
-
使用lombok提供的註解
/** * Author:湯小洋 * Date:2018-08-02 9:51 * Description:lombok的使用 * lombok提供了許多註解,標註在類上或屬性上 * 常用註解:@Getter、@Setter、@ToString、@EqualsAndHashCode */ @TableName("t_user") // 指定對應的數據庫表名 // @Getter // @Setter // @ToString // @EqualsAndHashCode @Data public class User implements Serializable { private Integer id; private String username; private String password; }
-
在IDEA安裝lombok插件
由於源代碼中並沒有getter/setter等的定義,IDEA默認無法識別,會報錯,需要安裝lombok插件
十二、SpringBoot整合Redis
1. 簡介
? Redis是一個內存數據庫,可以作為緩存、消息中間件、key-value數據庫等來使用
2. 操作
? 步驟:
-
添加相關依賴
<!--整合redis--> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-data-redis</artifactId> <!--springboot2.o默認使用的redis客戶端是lettuce--> <exclusions> <exclusion> <groupId>io.lettuce</groupId> <artifactId>lettuce-core</artifactId> </exclusion> </exclusions> </dependency> <!--jedis--> <dependency> <groupId>redis.clients</groupId> <artifactId>jedis</artifactId> </dependency>
註:在SpringBoot1.0中使用的Redis客戶端是Jedis,在SpringBoot2.0中使用的是lettuce
-
配置redis
# Redis配置 spring.redis.host=192.168.5.40 spring.redis.port=6379 spring.redis.password=itany spring.redis.database=0 spring.redis.jedis.pool.max-active=100 spring.redis.jedis.pool.max-idle=10 spring.redis.jedis.pool.min-idle=3
-
基本用法
使用SpringDataRedis提供的工具:StringRedisTemplate、RedisTemplate
/** * 使用stringRedisTemplate * Redis數據類型:String、List、Set、ZSet、Hash */ @Test public void test1(){ // ValueOperations<String, String> stringStringValueOperations = stringRedisTemplate.opsForValue(); // ListOperations<String, String> stringStringListOperations = stringRedisTemplate.opsForList(); // SetOperations<String, String> stringStringSetOperations = stringRedisTemplate.opsForSet(); // ZSetOperations<String, String> stringStringZSetOperations = stringRedisTemplate.opsForZSet(); // HashOperations<String, Object, Object> stringObjectObjectHashOperations = stringRedisTemplate.opsForHash(); /* * 操作String */ // stringRedisTemplate.opsForValue().set("username","admin"); // System.out.println(stringRedisTemplate.opsForValue().get("username")); /* * 操作List */ // stringRedisTemplate.opsForList().leftPush("names","tom"); // stringRedisTemplate.opsForList().leftPushAll("names","aaa","bbb","ccc"); // System.out.println(stringRedisTemplate.opsForList().range("names",0,-1)); /* * 存儲對象 */ User user = new User(); user.setId(1001); user.setUsername("tom"); user.setPassword("123"); //將對象轉換為json字符串 // String jsonString = JsonUtils.objectToJson(user); // System.out.println(jsonString); // stringRedisTemplate.opsForValue().set("user",jsonString); //將json字符串轉換為對象 String str = stringRedisTemplate.opsForValue().get("user"); User u = JsonUtils.jsonToObject(str, User.class); System.out.println(u); }
?
【2018版】最新最全的SpringBoot 2.0入門視頻課程——筆記