Spring框架,它的主要功能包括IoC容器、AOP支持、事务支持、MVC开发以及强大的第三方集成功能等。
那么,Spring Boot又是什么?它和Spring是什么关系?
Spring Boot是一个基于Spring的套件,它帮我们预组装了Spring的一系列组件,以便以尽可能少的代码和配置来开发基于Spring的Java应用程序。
因此,Spring Boot和Spring的关系就是整车和零部件的关系,它们不是取代关系,试图跳过Spring直接学习Spring Boot是不可能的。
Spring Boot的目标就是提供一个开箱即用的应用程序架构,我们基于Spring Boot的预置结构继续开发,省时省力。

1.一个Spring Boot应用

要了解Spring Boot,我们先来编写第一个Spring Boot应用程序,看看与前面我们编写的Spring应用程序有何异同。
我们新建一个springboot-hello的工程,创建标准的Maven目录结构如下:
image.png
其中,在src/main/resources目录下,注意到几个文件:

1.application.yml

这是Spring Boot默认的配置文件,它采用YAML格式而不是.properties格式,文件名必须是application.yml而不是其他名称。
YAML格式比key=value格式的.properties文件更易读。比较一下两者的写法:
使用.properties格式:

  1. # application.properties
  2. spring.application.name=${APP_NAME:unnamed}
  3. spring.datasource.url=jdbc:hsqldb:file:testdb
  4. spring.datasource.username=sa
  5. spring.datasource.password=
  6. spring.datasource.dirver-class-name=org.hsqldb.jdbc.JDBCDriver
  7. spring.datasource.hikari.auto-commit=false
  8. spring.datasource.hikari.connection-timeout=3000
  9. spring.datasource.hikari.validation-timeout=3000
  10. spring.datasource.hikari.max-lifetime=60000
  11. spring.datasource.hikari.maximum-pool-size=20
  12. spring.datasource.hikari.minimum-idle=1

使用YAML格式:

  1. # application.yml
  2. spring:
  3. application:
  4. name: ${APP_NAME:unnamed}
  5. datasource:
  6. url: jdbc:hsqldb:file:testdb
  7. username: sa
  8. password:
  9. driver-class-name: org.hsqldb.jdbc.JDBCDriver
  10. hikari:
  11. auto-commit: false
  12. connection-timeout: 3000
  13. validation-timeout: 3000
  14. max-lifetime: 60000
  15. maximum-pool-size: 20
  16. minimum-idle: 1

可见,YAML是一种层级格式,它和.properties很容易互相转换,它的优点是去掉了大量重复的前缀,并且更加易读。
也可以使用application.properties作为配置文件,但不如YAML格式简单。

2.使用环境变量

在配置文件中,我们经常使用如下的格式对某个key进行配置:

  1. app:
  2. db:
  3. host: ${DB_HOST:localhost}
  4. user: ${DB_USER:root}
  5. password: ${DB_PASSWORD:password}

这种${DB_HOST:localhost}意思是,首先从环境变量查找DB_HOST,如果环境变量定义了,那么使用环境变量的值,否则,使用默认值localhost。
这使得我们在开发和部署时更加方便,因为开发时无需设定任何环境变量,直接使用默认值即本地数据库,而实际线上运行的时候,只需要传入环境变量即可:

  1. $ DB_HOST=10.0.1.123 DB_USER=prod DB_PASSWORD=xxxx java -jar xxx.jar

3.logback-spring.xml

这是Spring Boot的logback配置文件名称(也可以使用logback.xml),一个标准的写法如下:

  1. <?xml version="1.0" encoding="UTF-8"?>
  2. <configuration>
  3. <include resource="org/springframework/boot/logging/logback/defaults.xml" />
  4. <appender name="CONSOLE" class="ch.qos.logback.core.ConsoleAppender">
  5. <encoder>
  6. <pattern>${CONSOLE_LOG_PATTERN}</pattern>
  7. <charset>utf8</charset>
  8. </encoder>
  9. </appender>
  10. <appender name="APP_LOG" class="ch.qos.logback.core.rolling.RollingFileAppender">
  11. <encoder>
  12. <pattern>${FILE_LOG_PATTERN}</pattern>
  13. <charset>utf8</charset>
  14. </encoder>
  15. <file>app.log</file>
  16. <rollingPolicy class="ch.qos.logback.core.rolling.FixedWindowRollingPolicy">
  17. <maxIndex>1</maxIndex>
  18. <fileNamePattern>app.log.%i</fileNamePattern>
  19. </rollingPolicy>
  20. <triggeringPolicy class="ch.qos.logback.core.rolling.SizeBasedTriggeringPolicy">
  21. <MaxFileSize>1MB</MaxFileSize>
  22. </triggeringPolicy>
  23. </appender>
  24. <root level="INFO">
  25. <appender-ref ref="CONSOLE" />
  26. <appender-ref ref="APP_LOG" />
  27. </root>
  28. </configuration>

它主要通过引入了Spring Boot的一个缺省配置,这样我们就可以引用类似${CONSOLE_LOG_PATTERN}这样的变量。上述配置定义了一个控制台输出和文件输出,可根据需要修改。
static是静态文件目录,templates是模板文件目录,注意它们不再存放在src/main/webapp下,而是直接放到src/main/resources这个classpath目录,因为在Spring Boot中已经不需要专门的webapp目录了。
以上就是Spring Boot的标准目录结构,它完全是一个基于Java应用的普通Maven项目。
我们再来看源码目录结构:
image.png
在存放源码的src/main/java目录中,Spring Boot对Java包的层级结构有一个要求。注意到我们的根package是com.itranswarp.learnjava,下面还有entity、service、web等子package。Spring Boot要求main()方法所在的启动类必须放到根package下,命名不做要求,这里我们以Application.java命名,它的内容如下:

  1. @SpringBootApplication
  2. public class Application {
  3. public static void main(String[] args) throws Exception {
  4. SpringApplication.run(Application.class, args);
  5. }
  6. }

启动Spring Boot应用程序只需要一行代码加上一个注解@SpringBootApplication,该注解实际上又包含了:

  • @SpringBootConfiguration
    • @Configuration
  • @EnableAutoConfiguration
    • @AutoConfigurationPackage
  • @ComponentScan

这样一个注解就相当于启动了自动配置和自动扫描。
我们再观察pom.xml,它的内容如下:

  1. <project ...>
  2. <parent>
  3. <groupId>org.springframework.boot</groupId>
  4. <artifactId>spring-boot-starter-parent</artifactId>
  5. <version>2.3.0.RELEASE</version>
  6. </parent>
  7. <modelVersion>4.0.0</modelVersion>
  8. <groupId>com.itranswarp.learnjava</groupId>
  9. <artifactId>springboot-hello</artifactId>
  10. <version>1.0-SNAPSHOT</version>
  11. <properties>
  12. <maven.compiler.source>11</maven.compiler.source>
  13. <maven.compiler.target>11</maven.compiler.target>
  14. <java.version>11</java.version>
  15. <pebble.version>3.1.2</pebble.version>
  16. </properties>
  17. <dependencies>
  18. <dependency>
  19. <groupId>org.springframework.boot</groupId>
  20. <artifactId>spring-boot-starter-web</artifactId>
  21. </dependency>
  22. <dependency>
  23. <groupId>org.springframework.boot</groupId>
  24. <artifactId>spring-boot-starter-jdbc</artifactId>
  25. </dependency>
  26. <!-- 集成Pebble View -->
  27. <dependency>
  28. <groupId>io.pebbletemplates</groupId>
  29. <artifactId>pebble-spring-boot-starter</artifactId>
  30. <version>${pebble.version}</version>
  31. </dependency>
  32. <!-- JDBC驱动 -->
  33. <dependency>
  34. <groupId>org.hsqldb</groupId>
  35. <artifactId>hsqldb</artifactId>
  36. </dependency>
  37. </dependencies>
  38. </project>

使用Spring Boot时,强烈推荐从spring-boot-starter-parent继承,因为这样就可以引入Spring Boot的预置配置。
紧接着,我们引入了依赖spring-boot-starter-web和spring-boot-starter-jdbc,它们分别引入了Spring MVC相关依赖和Spring JDBC相关依赖,无需指定版本号,因为引入的内已经指定了,只有我们自己引入的某些第三方jar包需要指定版本号。这里我们引入pebble-spring-boot-starter作为View,以及hsqldb作为嵌入式数据库。hsqldb已在spring-boot-starter-jdbc中预置了版本号2.5.0,因此此处无需指定版本号。
根据pebble-spring-boot-starter的文档,加入如下配置到application.yml:

  1. pebble:
  2. # 默认为".pebble",改为"":
  3. suffix:
  4. # 开发阶段禁用模板缓存:
  5. cache: false

对Application稍作改动,添加WebMvcConfigurer这个Bean:

  1. @SpringBootApplication
  2. public class Application {
  3. ...
  4. @Bean
  5. WebMvcConfigurer createWebMvcConfigurer(@Autowired HandlerInterceptor[] interceptors) {
  6. return new WebMvcConfigurer() {
  7. @Override
  8. public void addResourceHandlers(ResourceHandlerRegistry registry) {
  9. // 映射路径`/static/`到classpath路径:
  10. registry.addResourceHandler("/static/**")
  11. .addResourceLocations("classpath:/static/");
  12. }
  13. };
  14. }
  15. }

现在就可以直接运行Application,启动后观察Spring Boot的日志:

  1. . ____ _ __ _ _
  2. /\\ / ___'_ __ _ _(_)_ __ __ _ \ \ \ \
  3. ( ( )\___ | '_ | '_| | '_ \/ _` | \ \ \ \
  4. \\/ ___)| |_)| | | | | || (_| | ) ) ) )
  5. ' |____| .__|_| |_|_| |_\__, | / / / /
  6. =========|_|==============|___/=/_/_/_/
  7. :: Spring Boot :: (v2.3.0.RELEASE)
  8. 2020-06-08 08:47:23.152 INFO 32585 --- [ main] com.itranswarp.learnjava.Application : Starting Application on xxx with PID 32585 (...)
  9. 2020-06-08 08:47:23.154 INFO 32585 --- [ main] com.itranswarp.learnjava.Application : No active profile set, falling back to default profiles: default
  10. 2020-06-08 08:47:24.224 INFO 32585 --- [ main] o.s.b.w.embedded.tomcat.TomcatWebServer : Tomcat initialized with port(s): 8080 (http)
  11. 2020-06-08 08:47:24.235 INFO 32585 --- [ main] o.apache.catalina.core.StandardService : Starting service [Tomcat]
  12. 2020-06-08 08:47:24.235 INFO 32585 --- [ main] org.apache.catalina.core.StandardEngine : Starting Servlet engine: [Apache Tomcat/9.0.35]
  13. 2020-06-08 08:47:24.309 INFO 32585 --- [ main] o.a.c.c.C.[Tomcat].[localhost].[/] : Initializing Spring embedded WebApplicationContext
  14. 2020-06-08 08:47:24.309 INFO 32585 --- [ main] o.s.web.context.ContextLoader : Root WebApplicationContext: initialization completed in 1110 ms
  15. 2020-06-08 08:47:24.446 WARN 32585 --- [ main] com.zaxxer.hikari.HikariConfig : HikariPool-1 - idleTimeout is close to or more than maxLifetime, disabling it.
  16. 2020-06-08 08:47:24.448 INFO 32585 --- [ main] com.zaxxer.hikari.HikariDataSource : HikariPool-1 - Starting...
  17. 2020-06-08 08:47:24.753 INFO 32585 --- [ main] hsqldb.db.HSQLDB729157DF9B.ENGINE : checkpointClose start
  18. 2020-06-08 08:47:24.754 INFO 32585 --- [ main] hsqldb.db.HSQLDB729157DF9B.ENGINE : checkpointClose synched
  19. 2020-06-08 08:47:24.759 INFO 32585 --- [ main] hsqldb.db.HSQLDB729157DF9B.ENGINE : checkpointClose script done
  20. 2020-06-08 08:47:24.763 INFO 32585 --- [ main] hsqldb.db.HSQLDB729157DF9B.ENGINE : checkpointClose end
  21. 2020-06-08 08:47:24.767 INFO 32585 --- [ main] com.zaxxer.hikari.pool.PoolBase : HikariPool-1 - Driver does not support get/set network timeout for connections. (feature not supported)
  22. 2020-06-08 08:47:24.770 INFO 32585 --- [ main] com.zaxxer.hikari.HikariDataSource : HikariPool-1 - Start completed.
  23. 2020-06-08 08:47:24.971 INFO 32585 --- [ main] o.s.s.concurrent.ThreadPoolTaskExecutor : Initializing ExecutorService 'applicationTaskExecutor'
  24. 2020-06-08 08:47:25.130 INFO 32585 --- [ main] o.s.b.w.embedded.tomcat.TomcatWebServer : Tomcat started on port(s): 8080 (http) with context path ''
  25. 2020-06-08 08:47:25.138 INFO 32585 --- [ main] com.itranswarp.learnjava.Application : Started Application in 2.68 seconds (JVM running for 3.097)

Spring Boot自动启动了嵌入式Tomcat,当看到Started Application in xxx seconds时,Spring Boot应用启动成功。
现在,我们在浏览器输入localhost:8080就可以直接访问页面。那么问题来了:
前面我们定义的数据源、声明式事务、JdbcTemplate在哪创建的?怎么就可以直接注入到自己编写的UserService中呢?
这些自动创建的Bean就是Spring Boot的特色:AutoConfiguration。
当我们引入spring-boot-starter-jdbc时,启动时会自动扫描所有的XxxAutoConfiguration:

  • DataSourceAutoConfiguration:自动创建一个DataSource,其中配置项从application.yml的spring.datasource读取;
  • DataSourceTransactionManagerAutoConfiguration:自动创建了一个基于JDBC的事务管理器;
  • JdbcTemplateAutoConfiguration:自动创建了一个JdbcTemplate。

因此,我们自动得到了一个DataSource、一个DataSourceTransactionManager和一个JdbcTemplate。
类似的,当我们引入spring-boot-starter-web时,自动创建了:

  • ServletWebServerFactoryAutoConfiguration:自动创建一个嵌入式Web服务器,默认是Tomcat;
  • DispatcherServletAutoConfiguration:自动创建一个DispatcherServlet;
  • HttpEncodingAutoConfiguration:自动创建一个CharacterEncodingFilter;
  • WebMvcAutoConfiguration:自动创建若干与MVC相关的Bean。

引入第三方pebble-spring-boot-starter时,自动创建了:

  • PebbleAutoConfiguration:自动创建了一个PebbleViewResolver。

Spring Boot大量使用XxxAutoConfiguration来使得许多组件被自动化配置并创建,而这些创建过程又大量使用了Spring的Conditional功能。例如,我们观察JdbcTemplateAutoConfiguration,它的代码如下:

  1. @Configuration(proxyBeanMethods = false)
  2. @ConditionalOnClass({ DataSource.class, JdbcTemplate.class })
  3. @ConditionalOnSingleCandidate(DataSource.class)
  4. @AutoConfigureAfter(DataSourceAutoConfiguration.class)
  5. @EnableConfigurationProperties(JdbcProperties.class)
  6. @Import({ JdbcTemplateConfiguration.class, NamedParameterJdbcTemplateConfiguration.class })
  7. public class JdbcTemplateAutoConfiguration {
  8. }

当满足条件:

  • @ConditionalOnClass:在classpath中能找到DataSource和JdbcTemplate;
  • @ConditionalOnSingleCandidate(DataSource.class):在当前Bean的定义中能找到唯一的DataSource;

该JdbcTemplateAutoConfiguration就会起作用。实际创建由导入的JdbcTemplateConfiguration完成:

  1. @Configuration(proxyBeanMethods = false)
  2. @ConditionalOnMissingBean(JdbcOperations.class)
  3. class JdbcTemplateConfiguration {
  4. @Bean
  5. @Primary
  6. JdbcTemplate jdbcTemplate(DataSource dataSource, JdbcProperties properties) {
  7. JdbcTemplate jdbcTemplate = new JdbcTemplate(dataSource);
  8. JdbcProperties.Template template = properties.getTemplate();
  9. jdbcTemplate.setFetchSize(template.getFetchSize());
  10. jdbcTemplate.setMaxRows(template.getMaxRows());
  11. if (template.getQueryTimeout() != null) {
  12. jdbcTemplate.setQueryTimeout((int) template.getQueryTimeout().getSeconds());
  13. }
  14. return jdbcTemplate;
  15. }
  16. }

创建JdbcTemplate之前,要满足@ConditionalOnMissingBean(JdbcOperations.class),即不存在JdbcOperations的Bean。
如果我们自己创建了一个JdbcTemplate,例如,在Application中自己写个方法:

  1. @SpringBootApplication
  2. public class Application {
  3. ...
  4. @Bean
  5. JdbcTemplate createJdbcTemplate(@Autowired DataSource dataSource) {
  6. return new JdbcTemplate(dataSource);
  7. }
  8. }

那么根据条件@ConditionalOnMissingBean(JdbcOperations.class),Spring Boot就不会再创建一个重复的JdbcTemplate(因为JdbcOperations是JdbcTemplate的父类)。
可见,Spring Boot自动装配功能是通过自动扫描+条件装配实现的,这一套机制在默认情况下工作得很好,但是,如果我们要手动控制某个Bean的创建,就需要详细地了解Spring Boot自动创建的原理,很多时候还要跟踪XxxAutoConfiguration,以便设定条件使得某个Bean不会被自动创建。
Spring Boot是一个基于Spring提供了开箱即用的一组套件,它可以让我们基于很少的配置和代码快速搭建出一个完整的应用程序。
Spring Boot有非常强大的AutoConfiguration功能,它是通过自动扫描+条件装配实现的。

2.使用开发者工具

在开发阶段,我们经常要修改代码,然后重启Spring Boot应用。经常手动停止再启动,比较麻烦。
Spring Boot提供了一个开发者工具,可以监控classpath路径上的文件。只要源码或配置文件发生修改,Spring Boot应用可以自动重启。在开发阶段,这个功能比较有用。
要使用这一开发者功能,我们只需添加如下依赖到pom.xml:

  1. <dependency>
  2. <groupId>org.springframework.boot</groupId>
  3. <artifactId>spring-boot-devtools</artifactId>
  4. </dependency>

直接启动应用程序,然后试着修改源码,保存,观察日志输出,Spring Boot会自动重新加载。
默认配置下,针对/static、/public和/templates目录中的文件修改,不会自动重启,因为禁用缓存后,这些文件的修改可以实时更新。
Spring Boot提供了一个开发阶段非常有用的spring-boot-devtools,能自动检测classpath路径上文件修改并自动重启。

3.打包Spring Boot应用

我们在Maven的使用插件一节中介绍了如何使用maven-shade-plugin打包一个可执行的jar包。在Spring Boot应用中,打包更加简单,因为Spring Boot自带一个更简单的spring-boot-maven-plugin插件用来打包,我们只需要在pom.xml中加入以下配置:

  1. <project ...>
  2. ...
  3. <build>
  4. <plugins>
  5. <plugin>
  6. <groupId>org.springframework.boot</groupId>
  7. <artifactId>spring-boot-maven-plugin</artifactId>
  8. </plugin>
  9. </plugins>
  10. </build>
  11. </project>

无需任何配置,Spring Boot的这款插件会自动定位应用程序的入口Class,我们执行以下Maven命令即可打包:

  1. $ mvn clean package

以springboot-exec-jar项目为例,打包后我们在target目录下可以看到两个jar文件:

  1. $ ls
  2. classes
  3. generated-sources
  4. maven-archiver
  5. maven-status
  6. springboot-exec-jar-1.0-SNAPSHOT.jar
  7. springboot-exec-jar-1.0-SNAPSHOT.jar.original

其中,springboot-exec-jar-1.0-SNAPSHOT.jar.original是Maven标准打包插件打的jar包,它只包含我们自己的Class,不包含依赖,而springboot-exec-jar-1.0-SNAPSHOT.jar是Spring Boot打包插件创建的包含依赖的jar,可以直接运行:

  1. $ java -jar springboot-exec-jar-1.0-SNAPSHOT.jar

这样,部署一个Spring Boot应用就非常简单,无需预装任何服务器,只需要上传jar包即可。
在打包的时候,因为打包后的Spring Boot应用不会被修改,因此,默认情况下,spring-boot-devtools这个依赖不会被打包进去。但是要注意,使用早期的Spring Boot版本时,需要配置一下才能排除spring-boot-devtools这个依赖:

  1. <plugin>
  2. <groupId>org.springframework.boot</groupId>
  3. <artifactId>spring-boot-maven-plugin</artifactId>
  4. <configuration>
  5. <excludeDevtools>true</excludeDevtools>
  6. </configuration>
  7. </plugin>

如果不喜欢默认的项目名+版本号作为文件名,可以加一个配置指定文件名:

  1. <project ...>
  2. ...
  3. <build>
  4. <finalName>awesome-app</finalName>
  5. ...
  6. </build>
  7. </project>

Spring Boot提供了一个Maven插件用于打包所有依赖到单一jar文件,此插件十分易用,无需配置。

4.瘦身Spring Boot应用

在上一节中,我们使用Spring Boot提供的spring-boot-maven-plugin打包Spring Boot应用,可以直接获得一个完整的可运行的jar包,把它上传到服务器上再运行就极其方便。
但是这种方式也不是没有缺点。最大的缺点就是包太大了,动不动几十MB,在网速不给力的情况下,上传服务器非常耗时。并且,其中我们引用到的Tomcat、Spring和其他第三方组件,只要版本号不变,这些jar就相当于每次都重复打进去,再重复上传了一遍。
真正经常改动的代码其实是我们自己编写的代码。如果只打包我们自己编写的代码,通常jar包也就几百KB。但是,运行的时候,classpath中没有依赖的jar包,肯定会报错。
所以问题来了:如何只打包我们自己编写的代码,同时又自动把依赖包下载到某处,并自动引入到classpath中。解决方案就是使用spring-boot-thin-launcher。

1.使用spring-boot-thin-launcher

我们先演示如何使用spring-boot-thin-launcher,再详细讨论它的工作原理。
首先复制一份上一节的Maven项目,并重命名为springboot-thin-jar:

  1. <project ...>
  2. ...
  3. <groupId>com.itranswarp.learnjava</groupId>
  4. <artifactId>springboot-thin-jar</artifactId>
  5. <version>1.0-SNAPSHOT</version>
  6. ...

然后,修改--,给原来的spring-boot-maven-plugin增加一个如下:

  1. <project ...>
  2. ...
  3. <build>
  4. <finalName>awesome-app</finalName>
  5. <plugins>
  6. <plugin>
  7. <groupId>org.springframework.boot</groupId>
  8. <artifactId>spring-boot-maven-plugin</artifactId>
  9. <dependencies>
  10. <dependency>
  11. <groupId>org.springframework.boot.experimental</groupId>
  12. <artifactId>spring-boot-thin-layout</artifactId>
  13. <version>1.0.27.RELEASE</version>
  14. </dependency>
  15. </dependencies>
  16. </plugin>
  17. </plugins>
  18. </build>
  19. </project>

不需要任何其他改动了,我们直接按正常的流程打包,执行mvn clean package,观察target目录最终生成的可执行awesome-app.jar,只有79KB左右。
直接运行java -jar awesome-app.jar,效果和上一节完全一样。显然,79KB的jar肯定无法放下Tomcat和Spring这样的大块头。那么,运行时这个awesome-app.jar又是怎么找到它自己依赖的jar包呢?
实际上spring-boot-thin-launcher这个插件改变了spring-boot-maven-plugin的默认行为。它输出的jar包只包含我们自己代码编译后的class,一个很小的ThinJarWrapper,以及解析pom.xml后得到的所有依赖jar的列表。
运行的时候,入口实际上是ThinJarWrapper,它会先在指定目录搜索看看依赖的jar包是否都存在,如果不存在,先从Maven中央仓库下载到本地,然后,再执行我们自己编写的main()入口方法。这种方式有点类似很多在线安装程序:用户下载后得到的是一个很小的exe安装程序,执行安装程序时,会首先在线下载所需的若干巨大的文件,再进行真正的安装。
这个spring-boot-thin-launcher在启动时搜索的默认目录是用户主目录的.m2,我们也可以指定下载目录,例如,将下载目录指定为当前目录:

  1. $ java -Dthin.root=. -jar awesome-app.jar

上述命令通过环境变量thin.root传入当前目录,执行后发现当前目录下自动生成了一个repository目录,这和Maven的默认下载目录~/.m2/repository的结构是完全一样的,只是它仅包含awesome-app.jar所需的运行期依赖项。
注意:只有首次运行时会自动下载依赖项,再次运行时由于无需下载,所以启动速度会大大加快。如果删除了repository目录,再次运行时就会再次触发下载。

2.预热

把79KB大小的awesome-app.jar直接扔到服务器执行,上传过程就非常快。但是,第一次在服务器上运行awesome-app.jar时,仍需要从Maven中央仓库下载大量的jar包,所以,spring-boot-thin-launcher还提供了一个dryrun选项,专门用来下载依赖项而不执行实际代码:

  1. java -Dthin.dryrun=true -Dthin.root=. -jar awesome-app.jar

执行上述代码会在当前目录创建repository目录,并下载所有依赖项,但并不会运行我们编写的main()方法。此过程称之为“预热”(warm up)。
如果服务器由于安全限制不允许从外网下载文件,那么可以在本地预热,然后把awesome-app.jar和repository目录上传到服务器。只要依赖项没有变化,后续改动只需要上传awesome-app.jar即可。
利用spring-boot-thin-launcher可以给Spring Boot应用瘦身。其原理是记录app依赖的jar包,在首次运行时先下载依赖项并缓存到本地。

5.使用Actuator

在生产环境中,需要对应用程序的状态进行监控。前面我们已经介绍了使用JMX对Java应用程序包括JVM进行监控,使用JMX需要把一些监控信息以MBean的形式暴露给JMX Server,而Spring Boot已经内置了一个监控功能,它叫Actuator。
使用Actuator非常简单,只需添加如下依赖:

  1. <dependency>
  2. <groupId>org.springframework.boot</groupId>
  3. <artifactId>spring-boot-starter-actuator</artifactId>
  4. </dependency>

然后正常启动应用程序,Actuator会把它能收集到的所有信息都暴露给JMX。此外,Actuator还可以通过URL/actuator/挂载一些监控点,例如,输入http://localhost:8080/actuator/health,我们可以查看应用程序当前状态:

  1. {
  2. "status": "UP"
  3. }

许多网关作为反向代理需要一个URL来探测后端集群应用是否存活,这个URL就可以提供给网关使用。
Actuator默认把所有访问点暴露给JMX,但处于安全原因,只有health和info会暴露给Web。Actuator提供的所有访问点均在官方文档列出,要暴露更多的访问点给Web,需要在application.yml中加上配置:

  1. management:
  2. endpoints:
  3. web:
  4. exposure:
  5. include: info, health, beans, env, metrics

要特别注意暴露的URL的安全性,例如,/actuator/env可以获取当前机器的所有环境变量,不可暴露给公网。
Spring Boot提供了一个Actuator,可以方便地实现监控,并可通过Web访问特定类型的监控。

6.使用Profiles

Profile本身是Spring提供的功能,我们在使用条件装配中已经讲到了,Profile表示一个环境的概念,如开发、测试和生产这3个环境:

  • native
  • test
  • production

或者按git分支定义master、dev这些环境:

  • master
  • dev

在启动一个Spring应用程序的时候,可以传入一个或多个环境,例如:

  1. -Dspring.profiles.active=test,master

大多数情况下,使用一个环境就足够了。
Spring Boot对Profiles的支持在于,可以在application.yml中为每个环境进行配置。下面是一个示例配置:

  1. spring:
  2. application:
  3. name: ${APP_NAME:unnamed}
  4. datasource:
  5. url: jdbc:hsqldb:file:testdb
  6. username: sa
  7. password:
  8. dirver-class-name: org.hsqldb.jdbc.JDBCDriver
  9. hikari:
  10. auto-commit: false
  11. connection-timeout: 3000
  12. validation-timeout: 3000
  13. max-lifetime: 60000
  14. maximum-pool-size: 20
  15. minimum-idle: 1
  16. pebble:
  17. suffix:
  18. cache: false
  19. server:
  20. port: ${APP_PORT:8080}
  21. ---
  22. spring:
  23. profiles: test
  24. server:
  25. port: 8000
  26. ---
  27. spring:
  28. profiles: production
  29. server:
  30. port: 80
  31. pebble:
  32. cache: true

注意到分隔符—-,最前面的配置是默认配置,不需要指定Profile,后面的每段配置都必须以spring.profiles: xxx开头,表示一个Profile。上述配置默认使用8080端口,但是在test环境下,使用8000端口,在production环境下,使用80端口,并且启用Pebble的缓存。
如果我们不指定任何Profile,直接启动应用程序,那么Profile实际上就是default,可以从Spring Boot启动日志看出:

  1. 2020-06-13 11:20:58.141 INFO 73265 --- [ restartedMain] com.itranswarp.learnjava.Application : Starting Application on ... with PID 73265 ...
  2. 2020-06-13 11:20:58.144 INFO 73265 --- [ restartedMain] com.itranswarp.learnjava.Application : No active profile set, falling back to default profiles: default

要以test环境启动,可输入如下命令:

  1. $ java -Dspring.profiles.active=test -jar springboot-profiles-1.0-SNAPSHOT.jar
  2. . ____ _ __ _ _
  3. /\\ / ___'_ __ _ _(_)_ __ __ _ \ \ \ \
  4. ( ( )\___ | '_ | '_| | '_ \/ _` | \ \ \ \
  5. \\/ ___)| |_)| | | | | || (_| | ) ) ) )
  6. ' |____| .__|_| |_|_| |_\__, | / / / /
  7. =========|_|==============|___/=/_/_/_/
  8. :: Spring Boot :: (v2.3.0.RELEASE)
  9. 2020-06-13 11:24:45.020 INFO 73987 --- [ main] com.itranswarp.learnjava.Application : Starting Application v1.0-SNAPSHOT on ... with PID 73987 ...
  10. 2020-06-13 11:24:45.022 INFO 73987 --- [ main] com.itranswarp.learnjava.Application : The following profiles are active: test
  11. ...
  12. 2020-06-13 11:24:47.533 INFO 73987 --- [ main] o.s.b.w.embedded.tomcat.TomcatWebServer : Tomcat started on port(s): 8000 (http) with context path ''
  13. ...

从日志看到活动的Profile是test,Tomcat的监听端口是8000。
通过Profile可以实现一套代码在不同环境启用不同的配置和功能。假设我们需要一个存储服务,在本地开发时,直接使用文件存储即可,但是,在测试和生产环境,需要存储到云端如S3上,如何通过Profile实现该功能?
首先,我们要定义存储接口StorageService:

  1. public interface StorageService {
  2. // 根据URI打开InputStream:
  3. InputStream openInputStream(String uri) throws IOException;
  4. // 根据扩展名+InputStream保存并返回URI:
  5. String store(String extName, InputStream input) throws IOException;
  6. }

本地存储可通过LocalStorageService实现:

  1. @Component
  2. @Profile("default")
  3. public class LocalStorageService implements StorageService {
  4. @Value("${storage.local:/var/static}")
  5. String localStorageRootDir;
  6. final Logger logger = LoggerFactory.getLogger(getClass());
  7. private File localStorageRoot;
  8. @PostConstruct
  9. public void init() {
  10. logger.info("Intializing local storage with root dir: {}", this.localStorageRootDir);
  11. this.localStorageRoot = new File(this.localStorageRootDir);
  12. }
  13. @Override
  14. public InputStream openInputStream(String uri) throws IOException {
  15. File targetFile = new File(this.localStorageRoot, uri);
  16. return new BufferedInputStream(new FileInputStream(targetFile));
  17. }
  18. @Override
  19. public String store(String extName, InputStream input) throws IOException {
  20. String fileName = UUID.randomUUID().toString() + "." + extName;
  21. File targetFile = new File(this.localStorageRoot, fileName);
  22. try (OutputStream output = new BufferedOutputStream(new FileOutputStream(targetFile))) {
  23. input.transferTo(output);
  24. }
  25. return fileName;
  26. }
  27. }

而云端存储可通过CloudStorageService实现:

  1. @Component
  2. @Profile("!default")
  3. public class CloudStorageService implements StorageService {
  4. @Value("${storage.cloud.bucket:}")
  5. String bucket;
  6. @Value("${storage.cloud.access-key:}")
  7. String accessKey;
  8. @Value("${storage.cloud.access-secret:}")
  9. String accessSecret;
  10. final Logger logger = LoggerFactory.getLogger(getClass());
  11. @PostConstruct
  12. public void init() {
  13. // TODO:
  14. logger.info("Initializing cloud storage...");
  15. }
  16. @Override
  17. public InputStream openInputStream(String uri) throws IOException {
  18. // TODO:
  19. throw new IOException("File not found: " + uri);
  20. }
  21. @Override
  22. public String store(String extName, InputStream input) throws IOException {
  23. // TODO:
  24. throw new IOException("Unable to access cloud storage.");
  25. }
  26. }

注意到LocalStorageService使用了条件装配@Profile(“default”),即默认启用LocalStorageService,而CloudStorageService使用了条件装配@Profile(“!default”),即非default环境时,自动启用CloudStorageService。这样,一套代码,就实现了不同环境启用不同的配置。
Spring Boot允许在一个配置文件中针对不同Profile进行配置;
Spring Boot在未指定Profile时默认为default。

7.使用Conditional

使用Profile能根据不同的Profile进行条件装配,但是Profile控制比较糙,如果想要精细控制,例如,配置本地存储,AWS存储和阿里云存储,将来很可能会增加Azure存储等,用Profile就很难实现。
Spring本身提供了条件装配@Conditional,但是要自己编写比较复杂的Condition来做判断,比较麻烦。Spring Boot则为我们准备好了几个非常有用的条件:

  • @ConditionalOnProperty:如果有指定的配置,条件生效;
  • @ConditionalOnBean:如果有指定的Bean,条件生效;
  • @ConditionalOnMissingBean:如果没有指定的Bean,条件生效;
  • @ConditionalOnMissingClass:如果没有指定的Class,条件生效;
  • @ConditionalOnWebApplication:在Web环境中条件生效;
  • @ConditionalOnExpression:根据表达式判断条件是否生效。

我们以最常用的@ConditionalOnProperty为例,把上一节的StorageService改写如下。首先,定义配置storage.type=xxx,用来判断条件,默认为local:

  1. storage:
  2. type: ${STORAGE_TYPE:local}

设定为local时,启用LocalStorageService:

  1. @Component
  2. @ConditionalOnProperty(value = "storage.type", havingValue = "local", matchIfMissing = true)
  3. public class LocalStorageService implements StorageService {
  4. ...
  5. }

设定为aws时,启用AwsStorageService:

  1. @Component
  2. @ConditionalOnProperty(value = "storage.type", havingValue = "aws")
  3. public class AwsStorageService implements StorageService {
  4. ...
  5. }

设定为aliyun时,启用AliyunStorageService:

  1. @Component
  2. @ConditionalOnProperty(value = "storage.type", havingValue = "aliyun")
  3. public class AliyunStorageService implements StorageService {
  4. ...
  5. }

注意到LocalStorageService的注解,当指定配置为local,或者配置不存在,均启用LocalStorageService。
可见,Spring Boot提供的条件装配使得应用程序更加具有灵活性。
Spring Boot提供了几个非常有用的条件装配注解,可实现灵活的条件装配。

8.加载配置文件

加载配置文件可以直接使用注解@Value,例如,我们定义了一个最大允许上传的文件大小配置:

  1. storage:
  2. local:
  3. max-size: 102400

在某个FileUploader里,需要获取该配置,可使用@Value注入:

  1. @Component
  2. public class FileUploader {
  3. @Value("${storage.local.max-size:102400}")
  4. int maxSize;
  5. ...
  6. }

在另一个UploadFilter中,因为要检查文件的MD5,同时也要检查输入流的大小,因此,也需要该配置:

  1. @Component
  2. public class UploadFilter implements Filter {
  3. @Value("${storage.local.max-size:100000}")
  4. int maxSize;
  5. ...
  6. }

多次引用同一个@Value不但麻烦,而且@Value使用字符串,缺少编译器检查,容易造成多处引用不一致(例如,UploadFilter把缺省值误写为100000)。
为了更好地管理配置,Spring Boot允许创建一个Bean,持有一组配置,并由Spring Boot自动注入。
假设我们在application.yml中添加了如下配置:

  1. storage:
  2. local:
  3. # 文件存储根目录:
  4. root-dir: ${STORAGE_LOCAL_ROOT:/var/storage}
  5. # 最大文件大小,默认100K:
  6. max-size: ${STORAGE_LOCAL_MAX_SIZE:102400}
  7. # 是否允许空文件:
  8. allow-empty: false
  9. # 允许的文件类型:
  10. allow-types: jpg, png, gif

可以首先定义一个Java Bean,持有该组配置:

  1. public class StorageConfiguration {
  2. private String rootDir;
  3. private int maxSize;
  4. private boolean allowEmpty;
  5. private List<String> allowTypes;
  6. // TODO: getters and setters
  7. }

保证Java Bean的属性名称与配置一致即可。然后,我们添加两个注解:

  1. @Configuration
  2. @ConfigurationProperties("storage.local")
  3. public class StorageConfiguration {
  4. ...
  5. }

注意到@ConfigurationProperties(“storage.local”)表示将从配置项storage.local读取该项的所有子项配置,并且,@Configuration表示StorageConfiguration也是一个Spring管理的Bean,可直接注入到其他Bean中:

  1. @Component
  2. public class StorageService {
  3. final Logger logger = LoggerFactory.getLogger(getClass());
  4. @Autowired
  5. StorageConfiguration storageConfig;
  6. @PostConstruct
  7. public void init() {
  8. logger.info("Load configuration: root-dir = {}", storageConfig.getRootDir());
  9. logger.info("Load configuration: max-size = {}", storageConfig.getMaxSize());
  10. logger.info("Load configuration: allowed-types = {}", storageConfig.getAllowTypes());
  11. }
  12. }

这样一来,引入storage.local的相关配置就很容易了,因为只需要注入StorageConfiguration这个Bean,这样可以由编译器检查类型,无需编写重复的@Value注解。
Spring Boot提供了@ConfigurationProperties注解,可以非常方便地把一段配置加载到一个Bean中。

9.禁用自动配置

Spring Boot大量使用自动配置和默认配置,极大地减少了代码,通常只需要加上几个注解,并按照默认规则设定一下必要的配置即可。例如,配置JDBC,默认情况下,只需要配置一个spring.datasource:

  1. spring:
  2. datasource:
  3. url: jdbc:hsqldb:file:testdb
  4. username: sa
  5. password:
  6. dirver-class-name: org.hsqldb.jdbc.JDBCDriver

Spring Boot就会自动创建出DataSource、JdbcTemplate、DataSourceTransactionManager,非常方便。
但是,有时候,我们又必须要禁用某些自动配置。例如,系统有主从两个数据库,而Spring Boot的自动配置只能配一个,怎么办?
这个时候,针对DataSource相关的自动配置,就必须关掉。我们需要用exclude指定需要关掉的自动配置:

  1. @SpringBootApplication
  2. // 启动自动配置,但排除指定的自动配置:
  3. @EnableAutoConfiguration(exclude = DataSourceAutoConfiguration.class)
  4. public class Application {
  5. ...
  6. }

现在,Spring Boot不再给我们自动创建DataSource、JdbcTemplate和DataSourceTransactionManager了,要实现主从数据库支持,怎么办?
让我们一步一步开始编写支持主从数据库的功能。首先,我们需要把主从数据库配置写到application.yml中,仍然按照Spring Boot默认的格式写,但datasource改为datasource-master和datasource-slave:

  1. spring:
  2. datasource-master:
  3. url: jdbc:hsqldb:file:testdb
  4. username: sa
  5. password:
  6. dirver-class-name: org.hsqldb.jdbc.JDBCDriver
  7. datasource-slave:
  8. url: jdbc:hsqldb:file:testdb
  9. username: sa
  10. password:
  11. dirver-class-name: org.hsqldb.jdbc.JDBCDriver

注意到两个数据库实际上是同一个库。如果使用MySQL,可以创建一个只读用户,作为datasource-slave的用户来模拟一个从库。
下一步,我们分别创建两个HikariCP的DataSource:

  1. public class MasterDataSourceConfiguration {
  2. @Bean("masterDataSourceProperties")
  3. @ConfigurationProperties("spring.datasource-master")
  4. DataSourceProperties dataSourceProperties() {
  5. return new DataSourceProperties();
  6. }
  7. @Bean("masterDataSource")
  8. DataSource dataSource(@Autowired @Qualifier("masterDataSourceProperties") DataSourceProperties props) {
  9. return props.initializeDataSourceBuilder().build();
  10. }
  11. }
  12. public class SlaveDataSourceConfiguration {
  13. @Bean("slaveDataSourceProperties")
  14. @ConfigurationProperties("spring.datasource-slave")
  15. DataSourceProperties dataSourceProperties() {
  16. return new DataSourceProperties();
  17. }
  18. @Bean("slaveDataSource")
  19. DataSource dataSource(@Autowired @Qualifier("slaveDataSourceProperties") DataSourceProperties props) {
  20. return props.initializeDataSourceBuilder().build();
  21. }
  22. }

注意到上述class并未添加@Configuration和@Component,要使之生效,可以使用@Import导入:

  1. SpringBootApplication
  2. @EnableAutoConfiguration(exclude = DataSourceAutoConfiguration.class)
  3. @Import({ MasterDataSourceConfiguration.class, SlaveDataSourceConfiguration.class})
  4. public class Application {
  5. ...
  6. }

此外,上述两个DataSource的Bean名称分别为masterDataSource和slaveDataSource,我们还需要一个最终的@Primary标注的DataSource,它采用Spring提供的AbstractRoutingDataSource,代码实现如下:

  1. class RoutingDataSource extends AbstractRoutingDataSource {
  2. @Override
  3. protected Object determineCurrentLookupKey() {
  4. // 从ThreadLocal中取出key:
  5. return RoutingDataSourceContext.getDataSourceRoutingKey();
  6. }
  7. }

RoutingDataSource本身并不是真正的DataSource,它通过Map关联一组DataSource,下面的代码创建了包含两个DataSource的RoutingDataSource,关联的key分别为masterDataSource和slaveDataSource:

  1. public class RoutingDataSourceConfiguration {
  2. @Primary
  3. @Bean
  4. DataSource dataSource(
  5. @Autowired @Qualifier("masterDataSource") DataSource masterDataSource,
  6. @Autowired @Qualifier("slaveDataSource") DataSource slaveDataSource) {
  7. var ds = new RoutingDataSource();
  8. // 关联两个DataSource:
  9. ds.setTargetDataSources(Map.of(
  10. "masterDataSource", masterDataSource,
  11. "slaveDataSource", slaveDataSource));
  12. // 默认使用masterDataSource:
  13. ds.setDefaultTargetDataSource(masterDataSource);
  14. return ds;
  15. }
  16. @Bean
  17. JdbcTemplate jdbcTemplate(@Autowired DataSource dataSource) {
  18. return new JdbcTemplate(dataSource);
  19. }
  20. @Bean
  21. DataSourceTransactionManager dataSourceTransactionManager(@Autowired DataSource dataSource) {
  22. return new DataSourceTransactionManager(dataSource);
  23. }
  24. }

仍然需要自己创建JdbcTemplate和PlatformTransactionManager,注入的是标记为@Primary的RoutingDataSource。
这样,我们通过如下的代码就可以切换RoutingDataSource底层使用的真正的DataSource:

  1. RoutingDataSourceContext.setDataSourceRoutingKey("slaveDataSource");
  2. jdbcTemplate.query(...);

只不过写代码切换DataSource即麻烦又容易出错,更好的方式是通过注解配合AOP实现自动切换,这样,客户端代码实现如下:

  1. @Controller
  2. public class UserController {
  3. @RoutingWithSlave // <-- 指示在此方法中使用slave数据库
  4. @GetMapping("/profile")
  5. public ModelAndView profile(HttpSession session) {
  6. ...
  7. }
  8. }

实现上述功能需要编写一个@RoutingWithSlave注解,一个AOP织入和一个ThreadLocal来保存key。由于代码比较简单,这里我们不再详述。
如果我们想要确认是否真的切换了DataSource,可以覆写determineTargetDataSource()方法并打印出DataSource的名称:

  1. class RoutingDataSource extends AbstractRoutingDataSource {
  2. ...
  3. @Override
  4. protected DataSource determineTargetDataSource() {
  5. DataSource ds = super.determineTargetDataSource();
  6. logger.info("determin target datasource: {}", ds);
  7. return ds;
  8. }
  9. }

访问不同的URL,可以在日志中看到两个DataSource,分别是HikariPool-1和hikariPool-2:

  1. 2020-06-14 17:55:21.676 INFO 91561 --- [nio-8080-exec-7] c.i.learnjava.config.RoutingDataSource : determin target datasource: HikariDataSource (HikariPool-1)
  2. 2020-06-14 17:57:08.992 INFO 91561 --- [io-8080-exec-10] c.i.learnjava.config.RoutingDataSource : determin target datasource: HikariDataSource (HikariPool-2)

我们用一个图来表示创建的DataSource以及相关Bean的关系:
image.png
注意到DataSourceTransactionManager和JdbcTemplate引用的都是RoutingDataSource,所以,这种设计的一个限制就是:在一个请求中,一旦切换了内部数据源,在同一个事务中,不能再切到另一个,否则,DataSourceTransactionManager和JdbcTemplate操作的就不是同一个数据库连接。
可以通过@EnableAutoConfiguration(exclude = {…})指定禁用的自动配置;
可以通过@Import({…})导入自定义配置。

10.添加Filter

我们在Spring中已经学过了集成Filter,本质上就是通过代理,把Spring管理的Bean注册到Servlet容器中,不过步骤比较繁琐,需要配置web.xml。
在Spring Boot中,添加一个Filter更简单了,可以做到零配置。我们来看看在Spring Boot中如何添加Filter。
Spring Boot会自动扫描所有的FilterRegistrationBean类型的Bean,然后,将它们返回的Filter自动注册到Servlet容器中,无需任何配置。
我们还是以AuthFilter为例,首先编写一个AuthFilterRegistrationBean,它继承自FilterRegistrationBean:

  1. @Component
  2. public class AuthFilterRegistrationBean extends FilterRegistrationBean<Filter> {
  3. @Autowired
  4. UserService userService;
  5. @Override
  6. public Filter getFilter() {
  7. setOrder(10);
  8. return new AuthFilter();
  9. }
  10. class AuthFilter implements Filter {
  11. ...
  12. }
  13. }

FilterRegistrationBean本身不是Filter,它实际上是Filter的工厂。Spring Boot会调用getFilter(),把返回的Filter注册到Servlet容器中。因为我们可以在FilterRegistrationBean中注入需要的资源,然后,在返回的AuthFilter中,这个内部类可以引用外部类的所有字段,自然也包括注入的UserService,所以,整个过程完全基于Spring的IoC容器完成。
再注意到AuthFilterRegistrationBean使用了setOrder(10),因为Spring Boot支持给多个Filter排序,数字小的在前面,所以,多个Filter的顺序是可以固定的。
我们再编写一个ApiFilter,专门过滤/api/*这样的URL。首先编写一个ApiFilterRegistrationBean

  1. @Component
  2. public class ApiFilterRegistrationBean extends FilterRegistrationBean<Filter> {
  3. @PostConstruct
  4. public void init() {
  5. setOrder(20);
  6. setFilter(new ApiFilter());
  7. setUrlPatterns(List.of("/api/*"));
  8. }
  9. class ApiFilter implements Filter {
  10. ...
  11. }
  12. }

这个ApiFilterRegistrationBean和AuthFilterRegistrationBean又有所不同。因为我们要过滤URL,而不是针对所有URL生效,因此,在@PostConstruct方法中,通过setFilter()设置一个Filter实例后,再调用setUrlPatterns()传入要过滤的URL列表。
在Spring Boot中添加Filter更加方便,并且支持对多个Filter进行排序。

11.集成第三方组件

将详细介绍如何通过Spring Boot集成常用的第三方组件,包括:

  • Open API
  • Redis
  • Artemis
  • RabbitMQ
  • Kafka

    1.集成Open API

    Open API是一个标准,它的主要作用是描述REST API,既可以作为文档给开发者阅读,又可以让机器根据这个文档自动生成客户端代码等。
    在Spring Boot应用中,假设我们编写了一堆REST API,如何添加Open API的支持?
    我们只需要在pom.xml中加入以下依赖:

    1. org.springdoc:springdoc-openapi-ui:1.4.0

    直接启动应用,打开浏览器输入http://localhost:8080/swagger-ui.html:
    image.png
    立刻可以看到自动生成的API文档,这里列出了3个API,来自api-controller(因为定义在ApiController这个类中),点击某个API还可以交互,即输入API参数,点“Try it out”按钮,获得运行结果。
    因为我们引入springdoc-openapi-ui这个依赖后,它自动引入Swagger UI用来创建API文档。可以给API加入一些描述信息,例如:

    1. @RestController
    2. @RequestMapping("/api")
    3. public class ApiController {
    4. ...
    5. @Operation(summary = "Get specific user object by it's id.")
    6. @GetMapping("/users/{id}")
    7. public User user(@Parameter(description = "id of the user.") @PathVariable("id") long id) {
    8. return userService.getUserById(id);
    9. }
    10. ...
    11. }

    @Operation可以对API进行描述,@Parameter可以对参数进行描述,它们的目的是用于生成API文档的描述信息。添加了描述的API文档如下:
    image.png
    大多数情况下,不需要任何配置,我们就直接得到了一个运行时动态生成的可交互的API文档,该API文档总是和代码保持同步,大大简化了文档的编写工作。
    要自定义文档的样式、控制某些API显示等,请参考springdoc文档

    1.配置反向代理

    如果在服务器上,用户访问的域名是https://example.com,但内部是通过类似Nginx这样的反向代理访问实际的Spring Boot应用,比如http://localhost:8080,这个时候,在页面https://example.com/swagger-ui.html上,显示的URL仍然是http://localhost:8080,这样一来,就无法直接在页面执行API,非常不方便。
    这是因为Spring Boot内置的Tomcat默认获取的服务器名称是localhost,端口是实际监听端口,而不是对外暴露的域名和80或443端口。要让Tomcat获取到对外暴露的域名等信息,必须在Nginx配置中传入必要的HTTP Header,常用的配置如下:

    1. # Nginx配置
    2. server {
    3. ...
    4. location / {
    5. proxy_pass http://localhost:8080;
    6. proxy_set_header Host $host;
    7. proxy_set_header X-Real-IP $remote_addr;
    8. proxy_set_header X-Forwarded-Proto $scheme;
    9. proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for;
    10. }
    11. ...
    12. }

    然后,在Spring Boot的application.yml中,加入如下配置:

    1. erver:
    2. # 实际监听端口:
    3. port: 8080
    4. # 从反向代理读取相关的HTTP Header:
    5. forward-headers-strategy: native

    重启Spring Boot应用,即可在Swagger中显示正确的URL。
    使用springdoc让其自动创建API文档非常容易,引入依赖后无需任何配置即可访问交互式API文档。
    可以对API添加注解以便生成更详细的描述。

    2.访问Redis

    在Spring Boot中,要访问Redis,可以直接引入spring-boot-starter-data-redis依赖,它实际上是Spring Data的一个子项目——Spring Data Redis,主要用到了这几个组件:

  • Lettuce:一个基于Netty的高性能Redis客户端;

  • RedisTemplate:一个类似于JdbcTemplate的接口,用于简化Redis的操作。

因为Spring Data Redis引入的依赖项很多,如果只是为了使用Redis,完全可以只引入Lettuce,剩下的操作都自己来完成。
本节我们稍微深入一下Redis的客户端,看看怎么一步一步把一个第三方组件引入到Spring Boot中。
首先,我们添加必要的几个依赖项:

  • io.lettuce:lettuce-core
  • org.apache.commons:commons-pool2

注意我们并未指定版本号,因为在spring-boot-starter-parent中已经把常用组件的版本号确定下来了。
第一步是在配置文件application.yml中添加Redis的相关配置:

  1. spring:
  2. redis:
  3. host: ${REDIS_HOST:localhost}
  4. port: ${REDIS_PORT:6379}
  5. password: ${REDIS_PASSWORD:}
  6. ssl: ${REDIS_SSL:false}
  7. database: ${REDIS_DATABASE:0}

然后,通过RedisConfiguration来加载它:

  1. @ConfigurationProperties("spring.redis")
  2. public class RedisConfiguration {
  3. private String host;
  4. private int port;
  5. private String password;
  6. private int database;
  7. // getters and setters...
  8. }

再编写一个@Bean方法来创建RedisClient,可以直接放在RedisConfiguration中:

  1. @ConfigurationProperties("spring.redis")
  2. public class RedisConfiguration {
  3. ...
  4. @Bean
  5. RedisClient redisClient() {
  6. RedisURI uri = RedisURI.Builder.redis(this.host, this.port)
  7. .withPassword(this.password)
  8. .withDatabase(this.database)
  9. .build();
  10. return RedisClient.create(uri);
  11. }
  12. }

在启动入口引入该配置:

  1. @SpringBootApplication
  2. @Import(RedisConfiguration.class) // 加载Redis配置
  3. public class Application {
  4. ...
  5. }

注意:如果在RedisConfiguration中标注@Configuration,则可通过Spring Boot的自动扫描机制自动加载,否则,使用@Import手动加载。
紧接着,我们用一个RedisService来封装所有的Redis操作。基础代码如下:

  1. @Component
  2. public class RedisService {
  3. @Autowired
  4. RedisClient redisClient;
  5. GenericObjectPool<StatefulRedisConnection<String, String>> redisConnectionPool;
  6. @PostConstruct
  7. public void init() {
  8. GenericObjectPoolConfig<StatefulRedisConnection<String, String>> poolConfig = new GenericObjectPoolConfig<>();
  9. poolConfig.setMaxTotal(20);
  10. poolConfig.setMaxIdle(5);
  11. poolConfig.setTestOnReturn(true);
  12. poolConfig.setTestWhileIdle(true);
  13. this.redisConnectionPool = ConnectionPoolSupport.createGenericObjectPool(() -> redisClient.connect(), poolConfig);
  14. }
  15. @PreDestroy
  16. public void shutdown() {
  17. this.redisConnectionPool.close();
  18. this.redisClient.shutdown();
  19. }
  20. }

注意到上述代码引入了Commons Pool的一个对象池,用于缓存Redis连接。因为Lettuce本身是基于Netty的异步驱动,在异步访问时并不需要创建连接池,但基于Servlet模型的同步访问时,连接池是有必要的。连接池在@PostConstruct方法中初始化,在@PreDestroy方法中关闭。
下一步,是在RedisService中添加Redis访问方法。为了简化代码,我们仿照JdbcTemplate.execute(ConnectionCallback)方法,传入回调函数,可大幅减少样板代码。
首先定义回调函数接口SyncCommandCallback:

  1. @FunctionalInterface
  2. public interface SyncCommandCallback<T> {
  3. // 在此操作Redis:
  4. T doInConnection(RedisCommands<String, String> commands);
  5. }

编写executeSync方法,在该方法中,获取Redis连接,利用callback操作Redis,最后释放连接,并返回操作结果:

  1. public <T> T executeSync(SyncCommandCallback<T> callback) {
  2. try (StatefulRedisConnection<String, String> connection = redisConnectionPool.borrowObject()) {
  3. connection.setAutoFlushCommands(true);
  4. RedisCommands<String, String> commands = connection.sync();
  5. return callback.doInConnection(commands);
  6. } catch (Exception e) {
  7. logger.warn("executeSync redis failed.", e);
  8. throw new RuntimeException(e);
  9. }
  10. }

这样访问Redis的代码太复杂了,实际上我们可以针对常用操作把它封装一下,例如set和get命令:

  1. public String set(String key, String value) {
  2. return executeSync(commands -> commands.set(key, value));
  3. }
  4. public String get(String key) {
  5. return executeSync(commands -> commands.get(key));
  6. }

类似的,hget和hset操作如下:

  1. public boolean hset(String key, String field, String value) {
  2. return executeSync(commands -> commands.hset(key, field, value));
  3. }
  4. public String hget(String key, String field) {
  5. return executeSync(commands -> commands.hget(key, field));
  6. }
  7. public Map<String, String> hgetall(String key) {
  8. return executeSync(commands -> commands.hgetall(key));
  9. }

常用命令可以提供方法接口,如果要执行任意复杂的操作,就可以通过executeSync(SyncCommandCallback)来完成。
完成了RedisService后,我们就可以使用Redis了。例如,在UserController中,我们在Session中只存放登录用户的ID,用户信息存放到Redis,提供两个方法用于读写:

  1. @Controller
  2. public class UserController {
  3. public static final String KEY_USER_ID = "__userid__";
  4. public static final String KEY_USERS = "__users__";
  5. @Autowired ObjectMapper objectMapper;
  6. @Autowired RedisService redisService;
  7. // 把User写入Redis:
  8. private void putUserIntoRedis(User user) throws Exception {
  9. redisService.hset(KEY_USERS, user.getId().toString(), objectMapper.writeValueAsString(user));
  10. }
  11. // 从Redis读取User:
  12. private User getUserFromRedis(HttpSession session) throws Exception {
  13. Long id = (Long) session.getAttribute(KEY_USER_ID);
  14. if (id != null) {
  15. String s = redisService.hget(KEY_USERS, id.toString());
  16. if (s != null) {
  17. return objectMapper.readValue(s, User.class);
  18. }
  19. }
  20. return null;
  21. }
  22. ...
  23. }

用户登录成功后,把ID放入Session,把User实例放入Redis:

  1. @PostMapping("/signin")
  2. public ModelAndView doSignin(@RequestParam("email") String email, @RequestParam("password") String password, HttpSession session) throws Exception {
  3. try {
  4. User user = userService.signin(email, password);
  5. session.setAttribute(KEY_USER_ID, user.getId());
  6. putUserIntoRedis(user);
  7. } catch (RuntimeException e) {
  8. return new ModelAndView("signin.html", Map.of("email", email, "error", "Signin failed"));
  9. }
  10. return new ModelAndView("redirect:/profile");
  11. }

需要获取User时,从Redis取出:

  1. @GetMapping("/profile")
  2. public ModelAndView profile(HttpSession session) throws Exception {
  3. User user = getUserFromRedis(session);
  4. if (user == null) {
  5. return new ModelAndView("redirect:/signin");
  6. }
  7. return new ModelAndView("profile.html", Map.of("user", user));
  8. }

从Redis读写Java对象时,序列化和反序列化是应用程序的工作,上述代码使用JSON作为序列化方案,简单可靠。也可将相关序列化操作封装到RedisService中,这样可以提供更加通用的方法:

  1. public <T> T get(String key, Class<T> clazz) {
  2. ...
  3. }
  4. public <T> T set(String key, T value) {
  5. ...
  6. }

Spring Boot默认使用Lettuce作为Redis客户端,同步使用时,应通过连接池提高效率。

3.集成Artemis

ActiveMQ Artemis是一个JMS服务器,在集成JMS一节中我们已经详细讨论了如何在Spring中集成Artemis,本节我们讨论如何在Spring Boot中集成Artemis。
我们还是以实际工程为例,创建一个springboot-jms工程,引入的依赖除了spring-boot-starter-web,spring-boot-starter-jdbc等以外,新增spring-boot-starter-artemis:

  1. <dependency>
  2. <groupId>org.springframework.boot</groupId>
  3. <artifactId>spring-boot-starter-artemis</artifactId>
  4. </dependency>

同样无需指定版本号。
如何创建Artemis服务器我们已经在集成JMS一节中详细讲述了,此处不再重复。创建Artemis服务器后,我们在application.yml中加入相关配置:

  1. spring:
  2. artemis:
  3. # 指定连接外部Artemis服务器,而不是启动嵌入式服务:
  4. mode: native
  5. # 服务器地址和端口号:
  6. host: 127.0.0.1
  7. port: 61616
  8. # 连接用户名和口令由创建Artemis服务器时指定:
  9. user: admin
  10. password: password

和Spring版本的JMS代码相比,使用Spring Boot集成JMS时,只要引入了spring-boot-starter-artemis,Spring Boot会自动创建JMS相关的ConnectionFactory、JmsListenerContainerFactory、JmsTemplate等,无需我们再手动配置了。
发送消息时只需要引入JmsTemplate:

  1. @Component
  2. public class MessagingService {
  3. @Autowired
  4. JmsTemplate jmsTemplate;
  5. public void sendMailMessage() throws Exception {
  6. String text = "...";
  7. jmsTemplate.send("jms/queue/mail", new MessageCreator() {
  8. public Message createMessage(Session session) throws JMSException {
  9. return session.createTextMessage(text);
  10. }
  11. });
  12. }
  13. }

接收消息时只需要标注@JmsListener:

  1. @Component
  2. public class MailMessageListener {
  3. final Logger logger = LoggerFactory.getLogger(getClass());
  4. @JmsListener(destination = "jms/queue/mail", concurrency = "10")
  5. public void onMailMessageReceived(Message message) throws Exception {
  6. logger.info("received message: " + message);
  7. }
  8. }

可见,应用程序收发消息的逻辑和Spring中使用JMS完全相同,只是通过Spring Boot,我们把工程简化到只需要设定Artemis相关配置。
在Spring Boot中使用Artemis作为JMS服务时,只需引入spring-boot-starter-artemis依赖,即可直接使用JMS。

4.集成RabbitMQ

前面我们讲了ActiveMQ Artemis,它实现了JMS的消息服务协议。JMS是JavaEE的消息服务标准接口,但是,如果Java程序要和另一种语言编写的程序通过消息服务器进行通信,那么JMS就不太适合了。
AMQP是一种使用广泛的独立于语言的消息协议,它的全称是Advanced Message Queuing Protocol,即高级消息队列协议,它定义了一种二进制格式的消息流,任何编程语言都可以实现该协议。实际上,Artemis也支持AMQP,但实际应用最广泛的AMQP服务器是使用Erlang编写的RabbitMQ

1.安装RabbitMQ

我们先从RabbitMQ的官网下载并安装RabbitMQ,安装和启动RabbitMQ请参考官方文档。要验证启动是否成功,可以访问RabbitMQ的管理后台http://localhost:15672,如能看到登录界面表示RabbitMQ启动成功:
image.png
RabbitMQ后台管理的默认用户名和口令均为guest。

2.AMQP协议

AMQP协议和前面我们介绍的JMS协议有所不同。在JMS中,有两种类型的消息通道:

  1. 点对点的Queue,即Producer发送消息到指定的Queue,接收方从Queue收取消息;
  2. 一对多的Topic,即Producer发送消息到指定的Topic,任意多个在线的接收方均可从Topic获得一份完整的消息副本。

但是AMQP协议比JMS要复杂一点,它只有Queue,没有Topic,并且引入了Exchange的概念。当Producer想要发送消息的时候,它将消息发送给Exchange,由Exchange将消息根据各种规则投递到一个或多个Queue:
image.png
如果某个Exchange总是把消息发送到固定的Queue,那么这个消息通道就相当于JMS的Queue。如果某个Exchange把消息发送到多个Queue,那么这个消息通道就相当于JMS的Topic。和JMS的Topic相比,Exchange的投递规则更灵活,比如一个“登录成功”的消息被投递到Queue-1和Queue-2,而“登录失败”的消息则被投递到Queue-3。这些路由规则称之为Binding,通常都在RabbitMQ的管理后台设置。
我们以具体的业务为例子,在RabbitMQ中,首先创建3个Queue,分别用于发送邮件、短信和App通知:
image.png
创建Queue时注意到可配置为持久化(Durable)和非持久化(Transient),当Consumer不在线时,持久化的Queue会暂存消息,非持久化的Queue会丢弃消息。
紧接着,我们在Exchanges中创建一个Direct类型的Exchange,命名为registration,并添加如下两个Binding:
image.png
上述Binding的规则就是:凡是发送到registration这个Exchange的消息,均被发送到q_mail和q_sms这两个Queue。
我们再创建一个Direct类型的Exchange,命名为login,并添加如下Binding:
image.png
上述Binding的规则稍微复杂一点,当发送消息给login这个Exchange时,如果消息没有指定Routing Key,则被投递到q_app和q_mail,如果消息指定了Routing Key=”login_failed”,那么消息被投递到q_sms。
配置好RabbitMQ后,我们就可以基于Spring Boot开发AMQP程序。

3.使用RabbitMQ

我们首先创建Spring Boot工程springboot-rabbitmq,并添加如下依赖引入RabbitMQ:

  1. <dependency>
  2. <groupId>org.springframework.boot</groupId>
  3. <artifactId>spring-boot-starter-amqp</artifactId>
  4. </dependency>

然后在application.yml中添加RabbitMQ相关配置:

  1. spring:
  2. rabbitmq:
  3. host: localhost
  4. port: 5672
  5. username: guest
  6. password: guest

我们还需要在Application中添加一个MessageConverter:

  1. import org.springframework.amqp.support.converter.MessageConverter;
  2. @SpringBootApplication
  3. public class Application {
  4. ...
  5. @Bean
  6. MessageConverter createMessageConverter() {
  7. return new Jackson2JsonMessageConverter();
  8. }
  9. }

MessageConverter用于将Java对象转换为RabbitMQ的消息。默认情况下,Spring Boot使用SimpleMessageConverter,只能发送String和byte[]类型的消息,不太方便。使用Jackson2JsonMessageConverter,我们就可以发送JavaBean对象,由Spring Boot自动序列化为JSON并以文本消息传递。
因为引入了starter,所有RabbitMQ相关的Bean均自动装配,我们需要在Producer注入的是RabbitTemplate:

  1. @Component
  2. public class MessagingService {
  3. @Autowired
  4. RabbitTemplate rabbitTemplate;
  5. public void sendRegistrationMessage(RegistrationMessage msg) {
  6. rabbitTemplate.convertAndSend("registration", "", msg);
  7. }
  8. public void sendLoginMessage(LoginMessage msg) {
  9. String routingKey = msg.success ? "" : "login_failed";
  10. rabbitTemplate.convertAndSend("login", routingKey, msg);
  11. }
  12. }

发送消息时,使用convertAndSend(exchange, routingKey, message)可以指定Exchange、Routing Key以及消息本身。这里传入JavaBean后会自动序列化为JSON文本。上述代码将RegistrationMessage发送到registration,将LoginMessage发送到login,并根据登录是否成功来指定Routing Key。
接收消息时,需要在消息处理的方法上标注@RabbitListener:

  1. @Component
  2. public class QueueMessageListener {
  3. final Logger logger = LoggerFactory.getLogger(getClass());
  4. static final String QUEUE_MAIL = "q_mail";
  5. static final String QUEUE_SMS = "q_sms";
  6. static final String QUEUE_APP = "q_app";
  7. @RabbitListener(queues = QUEUE_MAIL)
  8. public void onRegistrationMessageFromMailQueue(RegistrationMessage message) throws Exception {
  9. logger.info("queue {} received registration message: {}", QUEUE_MAIL, message);
  10. }
  11. @RabbitListener(queues = QUEUE_SMS)
  12. public void onRegistrationMessageFromSmsQueue(RegistrationMessage message) throws Exception {
  13. logger.info("queue {} received registration message: {}", QUEUE_SMS, message);
  14. }
  15. @RabbitListener(queues = QUEUE_MAIL)
  16. public void onLoginMessageFromMailQueue(LoginMessage message) throws Exception {
  17. logger.info("queue {} received message: {}", QUEUE_MAIL, message);
  18. }
  19. @RabbitListener(queues = QUEUE_SMS)
  20. public void onLoginMessageFromSmsQueue(LoginMessage message) throws Exception {
  21. logger.info("queue {} received message: {}", QUEUE_SMS, message);
  22. }
  23. @RabbitListener(queues = QUEUE_APP)
  24. public void onLoginMessageFromAppQueue(LoginMessage message) throws Exception {
  25. logger.info("queue {} received message: {}", QUEUE_APP, message);
  26. }
  27. }

上述代码一共定义了5个Consumer,监听3个Queue。
启动应用程序,我们注册一个新用户,然后发送一条RegistrationMessage消息。此时,根据registration这个Exchange的设定,我们会在两个Queue收到消息:

  1. ... c.i.learnjava.service.UserService : try register by bob@example.com...
  2. ... c.i.learnjava.web.UserController : user registered: bob@example.com
  3. ... c.i.l.service.QueueMessageListener : queue q_mail received registration message: [RegistrationMessage: email=bob@example.com, name=Bob, timestamp=1594559871495]
  4. ... c.i.l.service.QueueMessageListener : queue q_sms received registration message: [RegistrationMessage: email=bob@example.com, name=Bob, timestamp=1594559871495]

当我们登录失败时,发送LoginMessage并设定Routing Key为login_failed,此时,只有q_sms会收到消息:

  1. ... c.i.learnjava.service.UserService : try login by bob@example.com...
  2. ... c.i.l.service.QueueMessageListener : queue q_sms received message: [LoginMessage: email=bob@example.com, name=(unknown), success=false, timestamp=1594559886722]

登录成功后,发送LoginMessage,此时,q_mail和q_app将收到消息:

  1. ... c.i.learnjava.service.UserService : try login by bob@example.com...
  2. ... c.i.l.service.QueueMessageListener : queue q_mail received message: [LoginMessage: email=bob@example.com, name=Bob, success=true, timestamp=1594559895251]
  3. ... c.i.l.service.QueueMessageListener : queue q_app received message: [LoginMessage: email=bob@example.com, name=Bob, success=true, timestamp=1594559895251]

RabbitMQ还提供了使用Topic的Exchange(此Topic指消息的标签,并非JMS的Topic概念),可以使用*进行匹配并路由。可见,掌握RabbitMQ的核心是理解其消息的路由规则。
直接指定一个Queue并投递消息也是可以的,此时指定Routing Key为Queue的名称即可,因为RabbitMQ提供了一个default exchange用于根据Routing Key查找Queue并直接投递消息到指定的Queue。但是要实现一对多的投递就必须自己配置Exchange。
Spring Boot提供了AMQP的集成,默认使用RabbitMQ作为AMQP消息服务器。
使用RabbitMQ发送消息时,理解Exchange如何路由至一个或多个Queue至关重要。

5.集成Kafka

我们在前面已经介绍了JMS和AMQP,JMS是JavaEE的标准消息接口,Artemis是一个JMS实现产品,AMQP是跨语言的一个标准消息接口,RabbitMQ是一个AMQP实现产品。
Kafka也是一个消息服务器,它的特点一是快,二是有巨大的吞吐量,那么Kafka实现了什么标准消息接口呢?
Kafka没有实现任何标准的消息接口,它自己提供的API就是Kafka的接口。
Kafka本身是Scala编写的,运行在JVM之上。Producer和Consumer都通过Kafka的客户端使用网络来与之通信。从逻辑上讲,Kafka设计非常简单,它只有一种类似JMS的Topic的消息通道:
image.png
那么Kafka如何支持十万甚至百万的并发呢?答案是分区。Kafka的一个Topic可以有一个至多个Partition,并且可以分布到多台机器上:
image.png
Kafka只保证在一个Partition内部,消息是有序的,但是,存在多个Partition的情况下,Producer发送的3个消息会依次发送到Partition-1、Partition-2和Partition-3,Consumer从3个Partition接收的消息并不一定是Producer发送的顺序,因此,多个Partition只能保证接收消息大概率按发送时间有序,并不能保证完全按Producer发送的顺序。这一点在使用Kafka作为消息服务器时要特别注意,对发送顺序有严格要求的Topic只能有一个Partition。
Kafka的另一个特点是消息发送和接收都尽量使用批处理,一次处理几十甚至上百条消息,比一次一条效率要高很多。
最后要注意的是消息的持久性。Kafka总是将消息写入Partition对应的文件,消息保存多久取决于服务器的配置,可以按照时间删除(默认3天),也可以按照文件大小删除,因此,只要Consumer在离线期内的消息还没有被删除,再次上线仍然可以接收到完整的消息流。这一功能实际上是客户端自己实现的,客户端会存储它接收到的最后一个消息的offsetId,再次上线后按上次的offsetId查询。offsetId是Kafka标识某个Partion的每一条消息的递增整数,客户端通常将它存储在ZooKeeper中。
有了Kafka消息设计的基本概念,我们来看看如何在Spring Boot中使用Kafka。

1.安装Kafka

首先从Kafka官网下载最新版Kafaka,解压后在bin目录找到两个文件:

  • zookeeper-server-start.sh:启动ZooKeeper(已内置在Kafka中);
  • kafka-server-start.sh:启动Kafka。

先启动ZooKeeper:

  1. $ ./zookeeper-server-start.sh ../config/zookeeper.properties

再启动Kafka:

  1. ./kafka-server-start.sh ../config/server.properties

看到如下输出表示启动成功:

  1. ... INFO [KafkaServer id=0] started (kafka.server.KafkaServer)

如果要关闭Kafka和ZooKeeper,依次按Ctrl-C退出即可。注意这是在本地开发时使用Kafka的方式,线上Kafka服务推荐使用云服务厂商托管模式(AWS的MSK,阿里云的消息队列Kafka版)。

2.使用Kafka

在Spring Boot中使用Kafka,首先要引入依赖:

  1. <dependency>
  2. <groupId>org.springframework.kafka</groupId>
  3. <artifactId>spring-kafka</artifactId>
  4. </dependency>

注意这个依赖是spring-kafka项目提供的。
然后,在application.yml中添加Kafka配置:

  1. spring:
  2. kafka:
  3. bootstrap-servers: localhost:9092
  4. consumer:
  5. auto-offset-reset: latest
  6. max-poll-records: 100
  7. max-partition-fetch-bytes: 1000000

除了bootstrap-servers必须指定外,consumer相关的配置项均为调优选项。例如,max-poll-records表示一次最多抓取100条消息。配置名称去哪里看?IDE里定义一个KafkaProperties.Consumer的变量:

  1. KafkaProperties.Consumer c = null;

然后按住Ctrl查看源码即可。

3.发送消息

Spring Boot自动为我们创建一个KafkaTemplate用于发送消息。注意到这是一个泛型类,而默认配置总是使用String作为Kafka消息的类型,所以注入KafkaTemplate即可:

  1. @Component
  2. public class MessagingService {
  3. @Autowired ObjectMapper objectMapper;
  4. @Autowired KafkaTemplate<String, String> kafkaTemplate;
  5. public void sendRegistrationMessage(RegistrationMessage msg) throws IOException {
  6. send("topic_registration", msg);
  7. }
  8. public void sendLoginMessage(LoginMessage msg) throws IOException {
  9. send("topic_login", msg);
  10. }
  11. private void send(String topic, Object msg) throws IOException {
  12. ProducerRecord<String, String> pr = new ProducerRecord<>(topic, objectMapper.writeValueAsString(msg));
  13. pr.headers().add("type", msg.getClass().getName().getBytes(StandardCharsets.UTF_8));
  14. kafkaTemplate.send(pr);
  15. }
  16. }

发送消息时,需指定Topic名称,消息正文。为了发送一个JavaBean,这里我们没有使用MessageConverter来转换JavaBean,而是直接把消息类型作为Header添加到消息中,Header名称为type,值为Class全名。消息正文是序列化的JSON。

4.接收消息

接收消息可以使用@KafkaListener注解:

  1. @Component
  2. public class TopicMessageListener {
  3. private final Logger logger = LoggerFactory.getLogger(getClass());
  4. @Autowired
  5. ObjectMapper objectMapper;
  6. @KafkaListener(topics = "topic_registration", groupId = "group1")
  7. public void onRegistrationMessage(@Payload String message, @Header("type") String type) throws Exception {
  8. RegistrationMessage msg = objectMapper.readValue(message, getType(type));
  9. logger.info("received registration message: {}", msg);
  10. }
  11. @KafkaListener(topics = "topic_login", groupId = "group1")
  12. public void onLoginMessage(@Payload String message, @Header("type") String type) throws Exception {
  13. LoginMessage msg = objectMapper.readValue(message, getType(type));
  14. logger.info("received login message: {}", msg);
  15. }
  16. @KafkaListener(topics = "topic_login", groupId = "group2")
  17. public void processLoginMessage(@Payload String message, @Header("type") String type) throws Exception {
  18. LoginMessage msg = objectMapper.readValue(message, getType(type));
  19. logger.info("process login message: {}", msg);
  20. }
  21. @SuppressWarnings("unchecked")
  22. private static <T> Class<T> getType(String type) {
  23. // TODO: use cache:
  24. try {
  25. return (Class<T>) Class.forName(type);
  26. } catch (ClassNotFoundException e) {
  27. throw new RuntimeException(e);
  28. }
  29. }
  30. }

在接收消息的方法中,使用@Payload表示传入的是消息正文,使用@Header可传入消息的指定Header,这里传入@Header(“type”),就是我们发送消息时指定的Class全名。接收消息时,我们需要根据Class全名来反序列化获得JavaBean。
上述代码一共定义了3个Listener,其中有两个方法监听的是同一个Topic,但它们的Group ID不同。假设Producer发送的消息流是A、B、C、D,Group ID不同表示这是两个不同的Consumer,它们将分别收取完整的消息流,即各自均收到A、B、C、D。Group ID相同的多个Consumer实际上被视作一个Consumer,即如果有两个Group ID相同的Consumer,那么它们各自收到的很可能是A、C和B、D。
运行应用程序,注册新用户后,观察日志输出:

  1. ... c.i.learnjava.service.UserService : try register by bob@example.com...
  2. ... c.i.learnjava.web.UserController : user registered: bob@example.com
  3. ... c.i.l.service.TopicMessageListener : received registration message: [RegistrationMessage: email=bob@example.com, name=Bob, timestamp=1594637517458]

用户登录后,观察日志输出:

  1. ... c.i.learnjava.service.UserService : try login by bob@example.com...
  2. ... c.i.l.service.TopicMessageListener : received login message: [LoginMessage: email=bob@example.com, name=Bob, success=true, timestamp=1594637523470]
  3. ... c.i.l.service.TopicMessageListener : process login message: [LoginMessage: email=bob@example.com, name=Bob, success=true, timestamp=1594637523470]

因为Group ID不同,同一个消息被两个Consumer分别独立接收。如果把Group ID改为相同,那么同一个消息只会被两者之一接收。
在Kafka中是如何创建Topic的?又如何指定某个Topic的分区数量?
实际上开发使用的Kafka默认允许自动创建Topic,创建Topic时默认的分区数量是2,可以通过server.properties修改默认分区数量。
在生产环境中通常会关闭自动创建功能,Topic需要由运维人员先创建好。和RabbitMQ相比,Kafka并不提供网页版管理后台,管理Topic需要使用命令行,比较繁琐,只有云服务商通常会提供更友好的管理后台。
Spring Boot通过KafkaTemplate发送消息,通过@KafkaListener接收消息;
配置Consumer时,指定Group ID非常重要。