# Java Config 常用注解
# 修饰配置类
- @Configuration:修饰类,用于声明当前类是一个配置类(本身自带 @Component 注解,启动时 Spring 会使用 CGLIB 创建该类的代理对象)
- @ImportResource:修饰配置类,用于导入指定的 XML 配置文件
- @Import:修饰配置类,用于向当前配置类中导入其它配置类,以及 ImportSelector、 DeferredImportSelector 或 ImportBeanDefinitionRegistrar 的实现类
- @ComponentScan:修饰配置类,相当于
<context:component-scan base-package="包1, 包2, ..."/>
,默认扫描当前包以及子包下所有使用 @Service、©Components @Repository @Controller 的类,并注册为 Bean。属性:basePackages、lazyInit - @PropertySource:修饰配置类,用于加载指定的资源配置文件(可同时使用多个),如
@PropertySource("classpath:jdbc-${spring.profiles.active}.properties")
- @PropertySources:修饰配置类,用于同时加载多个的资源配置文件
- @ConfigurationProperties:修饰配置类或其内部的 @Bean 方法,用于将配置文件的某类名下所有的参数值赋给配置类的属性(该类还需使用 @Component 或 @Configuration 修饰,或者在启动类上添加 @EnableConfigurationProperties)
- @AutoConfigureAfter:在指定的配置类初始化后再加载
- @AutoConfigureBefore:在指定的配置类初始化前加载
- @AutoConfigureOrder:数越小越先初始化
# 修饰属性或方法
@Value:修饰属性、方法或构造器函数,通过使用属性占位符从资源配置文件中加载一个参数值,如 @Value("${db.username}"),此时要配置一个 PropertySourcesPlaceholderConfigurer 的 Bean 用于解析属性占位符(创建该 Bean 的 方法用 static 修饰,Spring Boot 中不需要配置该 Bean),或者使用 Environment 获取配置文件中的参数值
environment.getProperty("app.name")
、environment.resolvePlaceholders(${app.name})
@Bean:修饰方法,将该方法的返回值定义成容器中的一个 Bean(方法体提供了 Bean 的实例化逻辑),Bean 的类型由方法返回值的类型决定,名称默认和方法名相同(属性:name、initMethod、destroyMethod)
Spring 会对完整的配置类中所有标注 @Bean 的方法进行 AOP 增强(将对 Bean 生命周期管理的逻辑植入进来),所以当其它 Bean 调用该方法时,实际上是从 Spring 容器中返回该 Bean 的单例(将 @Bean 方法之间的交叉调用重定向到容器的生命周期管理)
完整的配置类(full configuration class candidate):类上有 @Configuration 注解的配置类
ConfigurationClassUtils#isFullConfigurationCandidate
destroyMethod,“销毁方法推断”目前仅限于检测名为“close”或“shutdown”的公共、无参数方法
@Scope:修饰属性或方法,指定该方法对应的 Bean 的生命域
@Lazy:修饰属性、方法或 Bean 类,指定该属性延迟到调用此属性时才注入属性值,或该方法对应的 Bean 延迟初始化(可用来解决循环依赖)
@DependsOn:修饰方法,指定在初始化该方法对应的 Bean 之前初始化指定的 Bean(在同一个配置类内中提升优先级:内部类里的 @Bean 比外部类会先加载,静态内部类的 @Bean 又会比普通内部类的 @Bean 先加载)
@Profile:修饰配置类或方法,设定当前 context 需要使用的配置环境,可达到在不同情况下选择实例化不同的 Bean
@Conditional:满足某个特定的条件才创建该一个特定的 Bean,其属性 value 的类型是 Class<? extends Condition>[]
@Scheduled:修饰方法,用于声明该方法是一个计划任务,属性:
cron:指定 cron 表达式:
秒 分 时 日期 月 星期 [年]
,按照指定时间执行:,
列举多个项,-
指定范围,*
表示任意值,?
不指定值(用于处理日期和星期配置的冲突,需要在日期和星期字段之一中使用),/
指定增量(例如,秒字段中的 "5/15" 表示“秒 5、20、35 和 50”,在/
之前指定 '*' 等同于指定 0 是开始的值)。org.apache.logging.log4j.core.util.CronExpression (opens new window)fixedRate:上一次开始执行时间点向后延迟多少时间执行,单位是毫秒
fixedDelay:上一次执行完毕时间点向后延迟多少时间执行,单位是毫秒
initialDelay:初次执行任务之前需要等待的时间,和 fixedRate、fixedDelay 组合使用
# @Enable* 注解
Spring Boot 启动时自动导入 spring-boot-autoconfigure.jar 包 META-INF/spring.factories 文件中 key 为 EnableAutoConfiguration 的类,所以部分 @Enable* 注解无须显式开启使用
- @EnableWebMvc:开启 Web MVC 的配置支持,相当于
<mvc:annotation-driven/>
(在 Spring Boot 中无须使用,否则由于该注解导入了 DelegatingWebMvcConfiguration 配置类,该类继承 WebMvcConfigurationSupport (opens new window),从而导致 WebMvcAutoConfiguration 不被自动装配) - @EnableTransactionManagement:开启注解式事务的支持,Spring 容器会自动扫描注解 @Transactional 的方法和类,相当于
<tx:annotation-driven/>
(在 Spring Boot 中无须显式开启使用,自动配置类 TransactionAutoConfiguration) - @EnableAspectJAutoProxy:开启对 AspectJ 自动代理的支持,相当于
<aop:aspectj-autoproxy/>
(在 Spring Boot 中无须显式开启使用,自动配置类 AopAutoConfiguration) - @EnableCaching:开启注解式的缓存支持(在 Spring Boot 中无须显式开启使用,自动配置类 CacheAutoConfiguration)
- @EnableScheduling:开启计划任务的支持,再在执行计划任务的 Bean 的方法上使用 @Scheduled 声明这是一个计划任务(通过 TaskSchedulingAutoConfiguration#taskScheduler 创建 ThreadPoolTaskScheduler,默认单线程)
- @EnableAsync:开启对异步任务的支持,再通过在实际执行的 Bean 的方法中使用 @Async 注解来声明其是一个异步任务
- 通过实现 AsyncConfigurer 配置 Executor、AsyncUncaughtExceptionHandler
- AsyncExecutionAspectSupport#getDefaultExecutor
- 在 Spring Boot 中默认使用的线程池 ThreadPoolTaskExecutor#threadPoolExecutor(通过
TaskExecutionAutoConfiguration#applicationTaskExecutor
创建) - 如果异步方法返回值不是 Future,则默认使用 SimpleAsyncUncaughtExceptionHandler 处理未捕获到的异常
AsyncExecutionAspectSupport#handleError
- 异步方法返回值可以为 void 或者 Future(实际类型应为 AsyncResult),调用方法和异步方法要写在不同的类中)
# 条件注解
- @Conditional
- @ConditionalOnBean:当容器里有指定的 Bean 的条件下
- @ConditionalOnMissingBean:当容器里没有指定 Bean 的情况下
- @ConditionalOnClass:当类路径下有指定的类的条件下
- @ConditionalOnMissingClass:当类路径下没有指定的类的条件下
- @ConditionalOnProperty:基于属性作为判断条件
- @ConditionalOnResource
- @ConditionalOnExpression:基于 SpEL 表达式作为判断条件
- @ConditionalOnWebApplication:当前项目是 Web 项目的条件下
- @ConditionalOnNotWebApplication:当前项目不是 Web 项目的条件下
# 单元测试相关注解
@RunWith(SpringRunner.class):JUnit 5 后无须再使用@SpringBootTest
@ActiveProfiles("test"):声明生效的 profile
@Transactional:修饰测试类或测试类中的方法,在测试中使用事务管理时,最终不会进行 commit 操作
@Rollback:修饰测试类或测试类中的方法,事务执行完后是否进行回滚,默认为 true
@MockBean:mock 容器中的 Bean
- 会将目标对象的所有方法全部 mock,对于未指定 mock 的方法, mock 默认不执行,有返回值时默认返回 null,默认属性 answer = Answers.RETURNS_DEFAULTS
- 使用方式:
Mockito.when(service.doSomething(ArgumentMatchers.any())).thenReturn("Hello Mock");
@SpyBean:mock 容器中的 Bean,对于修饰的变量,Mockito 会重新创建一个实例的 copy,并不直接作用于真实实例
- partial mocking, real methods are invoked but still can be verified and stubbed. 对于未指定 mock 的方法,默认会调用目标对象的真实方法
- 使用方式:
Mockito.doReturn("Hello Mock").when(service).doSomething(ArgumentMatchers.any());
- Sometimes it's impossible or impractical to use
when(Object)
for stubbing spies. Therefore when using spies please considerdoReturn|Answer|Throw()
family of methods for stubbing. 当使用 Spy 时,考虑使用 doReturn()、 doAnswer()、doThrow(),而不是 when(Object)
// 先启动 Spring Boot 程序,然后运行测试代码
// @RunWith(SpringRunner.class)
// server.port=-1 表示创建 WebApplicationContext 但完全关闭 HTTP 端点
// server.port=${random.int[8000,9000]} 表示设置端口为随机值
// 创建的测试环境为 Web 测试环境,端口设置为随机,相当于配置 server.port=0
@SpringBootTest(webEnvironment = SpringBootTest.WebEnvironment.RANDOM_PORT)
public class HelloControllerTest {
// 注解注入当前的端口号,相当于 @Value("${local.server.port}")
// 只能用在设置了 SpringBootTest.WebEnvironment.RANDOM_PORT
@LocalServerPort
private int port;
private URL base;
@Autowired
private TestRestTemplate template
@Autowired
private Environment environment;
@Before
public void setup() throws Exception {
// port = environment.getProperty("local.server.port");
this.base = new URL("http://localhost:" + port + "/hello");
}
@Test
public void getHello() throws Exception {
ResponseEntity<String> response = template.getForEntity(base.toString(), String.class);
assertThat(response.getBody(), equalTo("Hello SpringBoot"));
}
@Test
public void contextLoads() {
}
}
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
- 使用 MockMvc 模拟 Http 请求
// @RunWith(SpringRunner.class)
@SpringBootTest
@AutoConfigureMockMvc
@WebMvcTest(GreetingController.class) // 可设置只需要实例化的 controller
public class WebMockTest {
@Autowired
private MockMvc mockMvc;
@MockBean
private GreetingService service;
@Test
public void greetingShouldReturnMessageFromService() throws Exception {
Mockito.when(service.greet(ArgumentMatchers.any())).thenReturn("Hello Mock"); // 模拟数据的返回
mockMvc.perform(get("/greeting")).andDo(print()).andExpect(status().isOk())
.andExpect(content().string(containsString("Hello Mock")));
}
}
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
# Spring Boot 简介
官方文档:https://docs.spring.io/spring-boot/docs/current/reference/htmlsingle (opens new window)
https://github.com/spring-projects/spring-boot/wiki
Spring Boot 核心功能
- 独立运行的 Spring 项目。可以以 jar 包的形式独立运行
java -jar xx.jar
- 内嵌 Servlet 容器
- 提供 starter 简化 Maven 配置。spring-boot-starter-parent
- 自动配置 Spring。根据在 classpath 路径中的 jar 包、类,为 jar 包里的类自动配置 Bean
- 准生产的应用监控
- 独立运行的 Spring 项目。可以以 jar 包的形式独立运行
无代码生成和 xml 配置。通过条件注解来实现
主要功能
- 自动配置(auto-configuration)
- 简化依赖(starters):Core、Web、Template Engines、SQL、NoSQL、Integration、Cloud Core、I/O、Ops
- 命令行界面(CLI 或 command-line interface):Spring Boot CLI
- 执行器(Actuator):对应用系统的自省和监控
Spring Boot 快速搭建
Spring Tool Suite,新建 Spring Starter Project
IntellIJ IDEA,新建 Spring Initializr 项目
Spring IO Platform has reached the end of its supported life on 9 April 2019.
Maven 手工构建:使用 spring-boot-starter-parent 作为项目的 parent(using
spring-boot-starter-parent
as their Maven project’s parent),在 <dependencies> 添加 Web 支持的 starter pom,添加 Spring Boot 的编译插件
<parent> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-parent</artifactId> <version>2.1.1.RELEASE</version> <relativePath/> <!-- lookup parent from repository --> </parent> <properties> <project.build.sourceEncoding>UTF-8</project.build.sourceEncoding> <project.reporting.outputEncoding>UTF-8</project.reporting.outputEncoding> <java.version>1.8</java.version> </properties> <dependencies> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-web</artifactId> </dependency> </dependencies> <build> <plugins> <!-- SpringBoot 应用打包插件(To create an executable jar) --> <plugin> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-maven-plugin</artifactId> </plugin> </plugins> </build>
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29- Maven 手工构建:引入 spring-boot-dependencies 进行依赖管理(importing the
spring-boot-dependencies
bom),在 <dependencies> 添加 Web 支持的 starter pom,添加 Spring Boot 的编译插件
<properties> <java.version>1.8</java.version> </properties> <dependencyManagement> <dependencies> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-dependencies</artifactId> <version>2.1.1.RELEASE</version> <type>pom</type> <scope>import</scope> </dependency> </dependencies> </dependencyManagement> <dependencies> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-web</artifactId> </dependency> </dependencies> <build> <plugins> <plugin> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-maven-plugin</artifactId> <version>2.1.1.RELEASE</version> <executions> <execution> <goals> <goal>repackage</goal> <!-- 生成 META-INF/build-info.properties,/info 端点显示构建信息 --> <goal>build-info</goal> </goals> </execution> </executions> </plugin> </plugins> </build>
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
# 安装 Spring Boot 应用
使用
java -jar
运行可执行 Jar(opens new window)
通过 BOOT-INF/ 目录下的索引文件 classpath.idx 指定将 jars 添加到 classpath 的顺序
-
- A fully executable jar can be executed like any other executable binary or it can be registered with
init.d
orsystemd
.
<plugin> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-maven-plugin</artifactId> <configuration> <executable>true</executable> </configuration> </plugin>
1
2
3
4
5
6
7- 打包后的 Jar 可直接运行,无需 java 命令,如
./my-application.jar
- 定制启动脚本 (opens new window)
- A fully executable jar can be executed like any other executable binary or it can be registered with
mvn spring-boot:run
# 基本配置
# 启动类和 @SpringBootApplication
@SpringBootApplication
public class AppConfig {
public static void main(String[] args) {
SpringApplication.run(AppConfig.class, args);
// new SpringApplicationBuilder().sources(AppConfig.class).run(args);
}
}
2
3
4
5
6
7
- @SpringBootApplication:修饰启动类,组合了以下注解:
- @Configuration:用于声明当前类是一个配置类
- @EnableAutoConfiguration:让 Spring Boot 根据类路径中的 jar 包依赖为当前项目进行自动配置,可以通过使用 exclude 属性关闭特定的自动配置
- @ComponentScan:组件扫描,可自动发现和装配 Bean
# 定制 Banner
- 关闭 banner:
spring.main.banner-mode=off
- 自定义 Banner,banner.txt 或 banner.gif(jpg or png can also be used)
# ApplicationRunner 或 CommandLineRunner 接口
- 自定义 Bean,通过重写其 run 方法,该方法在
SpringApplication.run(…)
完成之前调用
# 常用 starter
# 官方 starter (opens new window)
- spring-boot-starter:核心 starter,包含自动配置、日志和 YAML 配置文件的支持
- spring-boot-starter-web:用于使用 Spring MVC 构建 web 应用,包括 RESTful(默认的内嵌容器是 Tomcat)
- spring-boot-starter-validation:Starter for using Java Bean Validation with Hibernate Validator
- spring-boot-starter-test:用于测试 Spring Boot 应用,支持常用测试类库,包括 JUnit, Hamcrest 和 Mockito
- spring-boot-starter-cache:用于使用 Spring 框架的缓存支持
- spring-boot-starter-aop:用于使用 Spring AOP 和 AspectJ 实现面向切面编程
- spring-boot-starter-jdbc:对 JDBC 的支持(使用 Tomcat JDBC 连接池)
- spring-boot-starter-data-mongodb:用于使用基于文档的数据库 MongoDB 和 Spring Data MongoDB
- spring-boot-starter-data-redis:用于使用 Spring Data Redis 和 Jedis 客户端操作键-值存储的 Redis
- spring-boot-starter-data-solr:通过 Spring Data Solr 使用 Apache Solr 搜索平台
- spring-boot-starter-data-elasticsearch:用于使用 Elasticsearch 搜索,分析引擎和 Spring Data Elasticsearch
- spring-boot-starter-freemarker:用于使用 FreeMarker 模板引擎构建 MVC web 应用
- spring-boot-starter-mail:用于使用 Java Mail 和 Spring 框架 email 发送支持
- spring-boot-starter-activemq:用于使用 Apache ActiveMQ 实现 JMS 消息
- spring-boot-starter-amqp:用于使用 Spring AMQP 和 RabbitMQ
# 常用第三方 starter
- druid-spring-boot-starter
- mybatis-spring-boot-starter
- pagehelper-spring-boot-starter
# 开发自己的 starter
- 准备第三方的 jar
- 制作 starter
- 建 Maven 工程,xxx-spring-boot-starter
- 引入 spring-boot-start、spring-boot-autoconfigure、第三方 jar
- 如需要生成配置元信息,加入 spring-boot-configuration-processor 依赖
- 编写自动配置类
- 配置发现配置文件:META-INF/spring.factories
- 打包发布
# 外部配置 (opens new window)
- 可以使用 properties 文件、YAML 文件、环境变量和命令行参数来外部化配置
- 属性会以如下的顺序进行设值(即后面读取的不覆盖前面读取到的):
- 命令行参数(优先级最高)
- Java 系统属性
System.getProperties()
- 操作系统环境变量
- jar 包外部的 Profile-specific 应用属性(application-{profile}.properties 或 YAML 文件)
- jar 包内部的 Profile-specific 应用属性(application-{profile}.properties 或 YAML 文件)
- jar 包外部的应用配置(application.properties 或 YAML 文件)
- jar 包内部的应用配置(application.properties 或 YAML 文件)
- @Configuration 类上的 @PropertySource 注解
- 使用 SpringApplication.setDefaultProperties 指定的默认属性
YAML 使用冒号加缩进的方式代表层级(属性)关系,使用短横杠(-)代表数组元素
字符串默认不使用引号表示;如果字符串之中包含空格或特殊字符,需要放在引号之中
YAML 中单引号与双引号的区别:单引号会把转义字符当成普通字符,如\n
变为\\n
;而双引号则不会,转义字符能正常表示
YAML 中对特殊字符的处理:使用双引号引起来" "
;使用单引号加中括号引起来'[ ]'
引用变量时需要使用双引号引起来,如foo: ""
YAML 中用~
表示null
,如parent: ~
YAML 语法 (opens new window)
YAML JavaScript parser (opens new window)
# 命令行参数配置
- Spring Boot 会将所有命令行配置参数(以 '--' 开头,比如
--server.port=9000 --app.name="MyApp"
)转化成一个 property,并将其添加到 Spring Environment 中
# 使用 properties 文件配置参数 (opens new window)
SpringApplication 默认从以下位置加载 application.properties 文件,并把它们添加到 Spring Environment 中:
- 项目根目录下的 /config 子目录
file:config/
(优先级最高) - 项目根目录
file:
- 项目 classpath 下的 /config 包
classpath:/config
- 项目 classpath 根路径
classpath:
- 项目根目录下的 /config 子目录
指定其它的配置文件名:
spring.config.name
指定配置文件的加载路径(目录位置或文件路径列表以逗号分割,目录应以 / 结尾):
spring.config.location
ConfigurableApplicationContext context = new SpringApplicationBuilder(TestDefaultFile.class).properties("spring.config.location=classpath:/test-folder/my-config.properties").run(args);
1在 properties 文件中可以使用
${属性名:默认值}
引用对应属性的值(当在 properties 文件中找不到引用的属性时默认使用的属性),如port=9090
、server.port=${port:8080}
通过
@..@
占位符引用 Maven 项目的属性,通过${..}
占位符引用 Gradle 项目的属性
# 属性绑定
使用
@Value("${app.name}")
直接将非静态属性值注入到 Bean 中(注意:为静态变量赋值时,需在其 setter 方法上使用;绑定到列表/数组时配置值使用英文逗号分隔,如@Value("${config.list.ids: 1,2,3}")
)通过 @ConfigurationProperties 将 properties 属性和一个 Bean 及其属性关联(可为不受控的第三方组件绑定属性)
松绑定 (opens new window):使用 @ConfigurationProperties 将 Environment 属性绑定到 Bean 时会使用一些宽松的规则
@ConfigurationProperties(prefix="db") private String userName;
允许匹配方式
db.userName=root
、db.user_name=root
、db.user-name=root
、db_user_name=root
、DB_USER_NAME=root
# application.properties 文件 db.username=root db.password=admin db.url=jdbc:mysql:///test
1
2
3
4// 绑定到自定义 Bean 属性 @Component // 或者在启动类上添加 @EnableConfigurationProperties(DataSourceConfigProperties.class) @ConfigurationProperties(prefix = "db") public class DataSourceConfigProperties { private String username; private String password; private String url; } // 绑定到第三方组件属性 @Bean @ConfigurationProperties(prefix = "db") public DriverManagerDataSource getDataSource() { return new DriverManagerDataSource(); }
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
- 注入一个 ApplicationArguments 类型的 Bean,ApplicationArguments 接口既提供对原始 String[] 参数的访问,也提供对解析成 option 和 non-option 参数的访问,如
args.getNonOptionArgs().toString()
# 自定义 Environment (opens new window)
实现 EnvironmentPostProcessor 接口,重写 postProcessEnvironment 方法
PropertiesPropertySource propertySource = new PropertiesPropertySource("mine", properties); // PropertySource propertySource = new MapPropertySource("mine", map); // Resource path = new ClassPathResource("com/example/myapp/config.yml"); // PropertySource propertySource = new PropertiesPropertySourceLoader().load("mine", path).get(0); environment.getPropertySources().addLast(propertySource);
1
2
3
4
5将实现类注册到 META-INF/spring.factories,即在该配置文件中添加
org.springframework.boot.env.EnvironmentPostProcessor=com.example.YourEnvironmentPostProcessor
Spring Boot prepares the
Environment
before theApplicationContext
is refreshed. Any key defined with@PropertySource
is loaded too late to have any effect on auto-configuration.
# Profile 配置
- 针对不同的环境使用不同的配置
- 配置文件的命名格式为 application-{profile}.properties,如 application-prod.properties
- 通过在 application.properties 中设置
spring.profiles.active=prod
来指定生效的 Profile 为 application-prod.properties - 通过调用 ConfigurableEnvironment 接口控制 Profile 的激活:setActiveProfiles、addActiveProfile、setDefaultProfiles 方法
# 定义 dev 与 prod 两个 profiles,profiels 间使用“---”进行分隔
server:
address: 192.168.1.100
---
spring:
profiles: dev
server:
address: 127.0.0.1
---
spring:
profiles: prod
server:
address: 192.168.1.120
2
3
4
5
6
7
8
9
10
11
12
13
# 日志配置
- 默认情况下,Spring Boot 使用 Logback 作为日志框架
- 默认的日志级别是 INFO 级别
- 默认的日志格式为:时间 级别 PID --- [线程名] 日志类:日志内容
- 配置日志级别(org.springframework.boot.logging.LogLevel 枚举值:TRACE、DEBUG、INFO、WARN、ERROR、OFF),默认是 INFO 级别,格式为
logging.level.包名=级别
,如:logging.level.root=DEBUG
、logging.level.org.springframework=DEBUG
- 输出日志到文件(默认 10M 自动分割文件):
logging.file=myapp.log
、logging.path=/var/log
- 可参考 logback/defaults.xml、log4j2/log4j2.xml
# 外部日志框架 LogBack
# LogBack
- The logback manual (opens new window)
- logger
- 应根据类的全限定名来对 logger 进行命名
- logger 的命名层次结构:如果一个 logger 的名字加上一个
.
作为另一个 logger 名字的前缀,那么该 logger 就是另一个 logger 的祖先。如果一个 logger 与另一个 logger 之间没有其它的 logger,则该 logger 就是另一个 logger 的父级。比如,名为 "com.foo" 的 logger 是名为 "com.foo.Bar" 的父级,同理,"java" 是 "java.util" 的父级,也是 "java.util.Vector" 的祖先。 - root logger 是 logger 层次结构的最高层
- 常用的获取 Logger 的方式:
LoggerFactory.getLogger(loggerName)
或LoggerFactory.getLogger(clazz)
,名字相同则返回的 logger 实例也相同 - 一个 logger 可以有多个 appender,对于给定的 logger,每一个允许输出的日志都会被转发到该 logger 的所有 appender 中去
- appender 将格式化后的日志输出到指定的目的地
- 属性 additivity:用于设置 appender 的叠加性,默认为 true,此时,logger L 的记录语句的输出会发送给 L 及其祖先的全部 appender
- 如果 logger L 的某个祖先 P 设置叠加性标识 additivity 为 false,那么,L 的输出会发送给 L 与 P 之间(含 P)的所有 appender,但不会发送给 P 的任何祖先的 appender
- 如果同一个 appender 附加到多个 logger 身上,会导致日志重复打印
- layout 或 encoder 的作用是将日志格式化,每一个 layout 或 encoder 有且只与一个 appender 相关联
- encoder 将日志事件转换为字节数组,并将字节数组写入到合适的 OutputStream 中
- layout 将日志事件转换为字符串
- filter 通过将一个或者多个过滤器添加到 appender 上来过滤日志事件,常见过滤器:
- LevelFilter 基于级别来过滤日志事件,必须同时指定 onMatch、onMismatch
- ThresholdFilter 基于给定的临界值来过滤事件,事件的级别低于临界值将会被拒绝
- EvaluatorFilter
# 配置 (opens new window)
- 自动加载根据配置文件 logback.xml(早于 application.yml 加载) 和 logback-spring.xml(推荐,晚于application.yml 加载)
- 或者指定日志配置文件:
logging.config=classpath:mylogback.xml
- 常用标签:<configuration>:子标签 <appender>(负责写日志的组件)、<logger>、<root>
- 可参考:org/springframework/boot/logging/logback/base.xml
- LogBack PatternLayout (opens new window)、Log4j2 Pattern Layout (opens new window)
<configuration>
<include resource="org/springframework/boot/logging/logback/defaults.xml" />
<include resource="org/springframework/boot/logging/logback/console-appender.xml" />
<include resource="org/springframework/boot/logging/logback/file-appender.xml" />
<!-- 引入外部配置文件 -->
<property resource="application.properties"/>
<!--<property file="system.properties"/>-->
<!--<property file="e:\\system.properties"/>-->
<!--<property file="/home/webadminconfig/system.properties"/>-->
<!-- 从 Spring Environment 读取属性 -->
<springProperty scope="context" name="APPLICATION_NAME" source="spring.application.name" defaultValue="myapp"/>
<!-- 定义属性,在配置文件中可使用 ${} 取值 -->
<property name="LOG_DIR" value="./logs"/>
<!-- 彩色日志依赖的渲染类 -->
<conversionRule conversionWord="clr" converterClass="org.springframework.boot.logging.logback.ColorConverter"/>
<!-- 输出到控制台 -->
<appender name="CONSOLE" class="ch.qos.logback.core.ConsoleAppender">
<encoder>
<pattern>%clr(%d{yyyy-MM-dd HH:mm:ss}) %clr(%level) [%thread]-%class:%line>>%msg%n</pattern>
</encoder>
<!-- 输出的日志级别是大于或等于此级别 -->
<!-- deny all events with a level below INFO, that is TRACE and DEBUG -->
<filter class="ch.qos.logback.classic.filter.ThresholdFilter">
<level>INFO</level>
</filter>
</appender>
<!-- 输出到文件 -->
<appender name="FILE" class="ch.qos.logback.core.FileAppender">
<file>${LOG_DIR}/${APPLICATION_NAME}.log</file>
<encoder>
<pattern>%date %level [%thread] %logger{10} [%file:%line] %msg%n</pattern>
</encoder>
</appender>
<!-- 滚动输出到文件 -->
<appender name="ROLLFILE" class="ch.qos.logback.core.rolling.RollingFileAppender">
<encoder>
<!-- Generating the file information(%file) or the line number information(%line) is not particularly fast. Thus, its use should be avoided unless execution speed is not an issue. -->
<!-- If you need to treat the parenthesis character as a literal, it needs to be escaped by preceding each parenthesis with a backslash. As in, \(%d{HH:mm:ss.SSS} [%thread]\). -->
<pattern>%d{yyyy-MM-dd HH:mm:ss.SSS} [%thread] %-5level %logger{36}\(%file:%line\) - %msg%n</pattern>
</encoder>
<!-- 如果为 true(默认值),立即刷新输出流以确保日志事件被立即写入,保证应用没有正确关闭 appender 时日志事件也不会丢失 -->
<immediateFlush>true</immediateFlush>
<!-- 基于大小以及时间的轮转策略 -->
<rollingPolicy class="ch.qos.logback.core.rolling.SizeAndTimeBasedRollingPolicy">
<fileNamePattern>${LOG_DIR}/${APPLICATION_NAME}_%d{yyyy-MM-dd}.%i.log</fileNamePattern>
<maxFileSize>100MB</maxFileSize>
<maxHistory>30</maxHistory><!-- 日志文件保留份数 -->
<totalSizeCap>20GB</totalSizeCap><!-- 当归档文件总的大小达到这个值后,旧的归档文件将会被异步地删除 -->
</rollingPolicy>
<!-- 只输出 INFO 级别日志 -->
<filter class="ch.qos.logback.classic.filter.LevelFilter">
<level>INFO</level>
<onMatch>ACCEPT</onMatch>
<onMismatch>DENY</onMismatch>
</filter>
</appender>
<!-- 异步输出 ILoggingEvents -->
<!-- AsyncAppender:通过队列储存日志事件,单 Worker 线程读取日志事件并写入关联的 Appender中 -->
<appender name="ASYNCFILE" class="ch.qos.logback.classic.AsyncAppender">
<appender-ref ref="FILE" />
<queueSize>1000</queueSize><!-- 队列的最大容量,默认 256,计算:假设 IO 影响 30s,日志和 qps 比例是 1:1,单容器压测值 1500 qps,则可以推算出 queueSize 的值:30*1500=45000 -->
<discardingThreshold>100</discardingThreshold><!-- 默认丢弃阈值,默认情况下,当队列剩余 20% 的容量时,它将丢弃 TRACE、DEBUG 和 INFO 级别的日志,只保留 WARM 和 ERROR 级别的日志,如果要保留所有日志,请将 discardingThreshold 设置为 0 -->
<neverBlock>true</neverBlock><!-- 如果为 false(默认值),当队列满了,block 线程,而不是直接丢弃要添加到队列的数据 -->
</appender>
<!-- 设置某一个包或具体的某一个类的日志打印级别以及指定 appender -->
<!-- 对于一个给定的名为 L 的 logger,它的有效层级为从自身一直回溯到 root logger,直到找到第一个不为空的层级作为自己的层级 -->
<!-- additivity="false" 表示只在自定义的 Appender 中进行输出,不再重复输出到 root 定义的 Appender -->
<logger name="com.example.app" level="DEBUG" additivity="false">
<appender-ref ref="FILE" />
</logger>
<!-- 特殊的 logger,代表根配置,如果没有单独指定日志包层级,都默认使用 root 定义的日志输出级别 -->
<root level="INFO">
<appender-ref ref="CONSOLE" />
<!-- <appender-ref ref="FILE" />-->
</root>
<springProfile name="dev,test">
<!-- 开发或测试环境时激活 -->
</springProfile>
<springProfile name="!prod">
<!-- 生产环境时不激活 -->
</springProfile>
</configuration>
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
# 自动配置原理
- spring-boot-autoconfiguration
- 查看当前项目中已启用和未启用的自动配置的报告(ConditionEvaluationReportLoggingListener):debug=true 或者在启动命令添加
--debug
- Springboot 的启动,主要创建了配置环境(environment)、事件监听(listeners)、应用上下文(applicationContext),并基于以上条件,在容器中开始创建需要的 Bean
SpringApplication.run(AppConfig.class,args);
执行流程中有refreshContext(context);
语句,该方法内部会解析在配置类上的注解,其中包括 @EnableAutoConfiguration(开启 Spring 应用程序上下文的自动配置),该注解使用 @Import 导入了 AutoConfigurationImportSelector 配置类,而这个类会调用SpringFactoriesLoader.loadFactoryNames(getSpringFactoriesLoaderFactoryClass(), getBeanClassLoader());
方法 去读取 jar 包中或项目中的 META-INF/spring.factories 文件中 key 为 EnableAutoConfiguration 对应的全限定类名(配置类)的值(类似 SPI 机制),主要作用是告诉 Spring Boot 该 stareter 需要加载的配置类,然后 Spring Boot 根据配置类使用的条件注解自动装配 Bean- 自动配置失败分析器:FailureAnalyzer
- 自动配置的类 (opens new window)
# 实现热部署
# Spring Boot 的 Web 开发
- 创建 no-web 应用:
SpringApplication.setWebEnvironment(false);
或spring.main.web-environment=false
或spring.main.web-application-type=none
或setWebApplicationType(WebApplicationType.NONE)
- 定制 MVC 配置 (opens new window)(如拦截器、格式化处理器、视图控制器等):自定义一个配置类实现 WebMvcConfigurer 接口
或继承 WebMvcConfigurerAdapter 抽象类(已过时)
@Configuration
public class WebConfig implements WebMvcConfigurer {
@Override
public void addInterceptors(InterceptorRegistry registry) {
}
@Override
public void addCorsMappings(CorsRegistry registry) {
registry.addMapping("/api/**")
.allowedOrigins("http://domain2.com")
.allowedMethods("PUT", "DELETE")
.allowedHeaders("header1", "header2", "header3")
.exposedHeaders("header1", "header2")
.allowCredentials(false).maxAge(3600);
}
@Override
public void configureMessageConverters(List<HttpMessageConverter<?>> converters) {
}
@Override
public void addFormatters(FormatterRegistry registry) {
}
@Override
public Validator getValidator(); {
return null;
}
}
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
- @EnableWebMvc + extends WebMvcConfigurerAdapter,在扩展类中重写父类的方法即可,这种方式会导致 WebMvcAutoConfiguration 不被自动装配
- extends WebMvcConfigurationSupport,在扩展类中重写父类的方法即可,这种方式会导致 WebMvcAutoConfiguration(
@ConditionalOnMissingBean(WebMvcConfigurationSupport.class)
) 不被自动装配 - extends WebMvcConfigurerAdapter 或 implements WebMvcConfigurer,在扩展类中重写父类的方法即可,使用这种方式时 WebMvcAutoConfiguration 可以被自动装配
If you want to keep Spring Boot MVC features and you want to add additional MVC configuration (opens new window) (interceptors, formatters, view controllers, and other features), you can add your own
@Configuration
class of typeWebMvcConfigurer
but without@EnableWebMvc
. If you wish to provide custom instances ofRequestMappingHandlerMapping
,RequestMappingHandlerAdapter
, orExceptionHandlerExceptionResolver
, you can declare aWebMvcRegistrationsAdapter
instance to provide such components.If you want to take complete control of Spring MVC, you can add your own
@Configuration
annotated with@EnableWebMvc
.
# 静态资源配置
- WebMvcConfigurer#addResourceHandlers
- 默认情况下,Spring Boot 会从 classpath 下的 /static、/public、/resources、/META-INF/resources 下加载静态资源:
spring.resources.add-mappings=true
- 自定义静态资源加载路径:
spring.resources.staticLocations
,默认值为classpath:/META-INF/resources/,classpath:/resources/,classpath:/static/,classpath:/public/
(注意以 / 结尾) - 自定义静态资源映射:
spring.mvc.static-path-pattern
,默认值为/**
(表示所有的访问都经过静态资源路径) - 可以把静态资源打成 jar 包,Spring Boot 会自动加载 /webjars/** 下的所有 jar 包中的静态资源
# HTTP 响应缓存 (opens new window)
常用配置(默认时间单位都是秒),ResourceProperties.Cache
spring.resources.cache.cachecontrol.max-age=时间
spring.resources.cache.cachecontrol.no-cache=true/false
spring.resources.cache.cachecontrol.s-max-age=时间
Controller 中手动设置缓存
@GetMapping("/book/{id}") public ResponseEntity<Book> showBook(@PathVariable Long id) { Book book = findBook(id); String version = book.getVersion(); return ResponseEntity .ok() .cacheControl(CacheControl.maxAge(30, TimeUnit.DAYS)) .eTag(version) // lastModified is also available .body(book); }
1
2
3
4
5
6
7
8
9
10
11
12
# 拦截器配置
- 自定义拦截器:自定义一个类实现 HandlerInterceptor 接口或者继承 HandlerInterceptorAdapter 抽象类,重写 preHandle 方法(在请求发生前执行),或重写 postHandle 方法(在请求完成后执行)
- 注册拦截器:自定义一个配置类实现 WebMvcConfigurer 接口,在配置类中配置该拦截器的 Bean,重写 addInterceptors 方法(Spring Boot 2.x 对静态资源也进行了拦截)
# Freemarker 集成
添加依赖 spring-boot-starter-freemarker 后,Spring Boot 会自动添加 FreeMarkerViewResolver(Bean id 为 freeMarkerViewResolver)
通过加了前缀和后缀(默认值为空和 '.ftl')的视图名从默认的加载路径 "classpath:/templates/" 下加载模板文件
spring.freemarker.expose-session-attributes
:设定在 merge 到模板之前,是否将所有 HttpSession 的属性都添加到 model 中,默认 false前台访问的资源名,去掉后缀,找 controller 方法:
- 找到 controller 方法:
- 如果返回是的页面,返回的字符串加上 .ftl 再去 templates 下找资源,找不到报 404 错误
- 如果返回的是 JSON 数据,此时如果资源名的后缀为 .html 或 .htm,则报 406 错误(当请求的后缀为 .html 或 .htm 时,会欺骗浏览器当做一个静态网页来解析,是一个简单的 SEO 优化,但返回的是 json 字符串,浏览器收到数据后不知该以哪种类型数据来进行解析,所以就会报 406 状态码)
- 找不到 controller 方法,不去掉后缀,直接去 static 下找该文件,找不到报 404 错误
- 找到 controller 方法:
# Servlet 相关 (opens new window)
- 可选内嵌 Web 容器:Tomcat、Jetty、Undertow、Reactor Netty
# 常见的服务器配置
监听 HTTP 请求的端口:
server.port
上下文路径:
server.servlet.context-path
session 是否持久化:
server.servlet.session.persistent=false
session 超时时间:
server.servlet.session.timeout=30m
session 数据存放位置:
server.servlet.session.store-dir
session-cookie 配置:
server.servlet.session.cookie.****
错误页面的位置:
server.error.path=/error
HTTP 响应压缩:
server.compression.enabled=true
Tomcat 特定配置
server.tomcat.max-connections=10000
server.tomcat.max-http-post-size=2MB
server.tomcat.max-swallow-size=2MB
server.tomcat.max-threads=200
server.tomcat.min-spare-threads=10
可通过编程方式修改容器器配置,自定义 Bean 实现 WebServerFactoryCustomizer<TomcatServletWebServerFactory> 接口
SSL 相关配置
server.ssl.key-store
server.ssl.key-store-type
,JKS 或者 PKCS12server.ssl.key-store-password=
# Favicon 配置
- 关闭 Favicon:
pring.mvc.favicon.enabled=false
- 自定义 Favicon,favicon.ico
# 添加 Servlet 组件
- 方式 1:在配置类上添加 @ServletComponentScan,会自动扫描使用 @WebServlet、@WebFilter 和 @WebListener 的类,并自动注册到内嵌 servlet 容器(默认情况下从被注解类的 package 开始扫描)
- 方式 2:使用 @Bean 创建 ServletRegistrationBean、FilterRegistrationBean 和 ServletListenerRegistrationBean 并添加转换和初始化参数来完成注册
# 文件上传
- Spring Boot 采用 Servlet 3 javax.servlet.http.Part API 来支持文件上传(MultipartAutoConfiguration )
- 支持类型 multipart/form-data,使用 MultipartFile 接收上传的文件
- 相关配置(Spring Boot 1.4 版本和 1.5 版本)
spring.http.multipart.enabled=true
:是否允许处理上传spring.http.multipart.maxFileSize=1MB
:允许最大的单文件上传大小,单位可以是 kb、mbspring.http.multipart.maxRequestSize=10MB
:允许的最大请求大小
- 也可以通过 @Bean 创建一个 MultipartConfigElement 对象对上传进行配置
- 上传文件的处理:由于应用是打成 jar 包,所以一般会把上传的文件放到其它位置,并通过设置
spring.resources.static-locations
来完成资源位置转换
file.path=D:/IdeaProjects/springbootdemo/uploads
spring.resources.static-locations=classpath:/META-INF/resources/,classpath:/resources/,classpath:/static/,classpath:/public/,file:${file.path}
# 错误处理
通过 ErrorMvcAutoConfiguration 注册:
- ErrorPageCustomizer 注册错误路径 server.error.path
- BasicErrorController 处理 /error 请求
- DefaultErrorViewResolver 错误视图解析器,如
/<templates>/error/4xx.<ext>
、/<static>/error/4xx.html
- DefaultErrorAttributes 定义要返回的错误属性,默认包含 timestamp、status、error、message、path
默认情况下,Spring Boot 把所有错误都重新定位到 /error 这个处理路径上,由 BasicErrorController 类完成处理
自定义错误页面:将错误页面(可以是静态 HTML 文件,也可以是使用模板文件)添加到 /error 文件夹下(DefaultErrorViewResolver),文件名必须是明确的状态码或一系列标签,如 resources/public/error/404.html、resources/templates/error/5xx.ftl
@Configuration public class ContainerConfig implements ErrorPageRegistrar { @Override public void registerErrorPages(ErrorPageRegistry registry) { ErrorPage[] errorPages = new ErrorPage[2]; errorPages[0] = new ErrorPage(HttpStatus.INTERNAL_SERVER_ERROR, "/error/500"); errorPages[1] = new ErrorPage(HttpStatus.NOT_FOUND, "/error/404"); registry.addErrorPages(errorPages); } }
1
2
3
4
5
6
7
8
9
10对于复杂的错误转换,添加实现 ErrorViewResolver 接口的 Bean
使用统一的异常处理类
@ControllerAdvice public class GlobalErrorAdvice { @ExceptionHandler(value = Exception.class) public String error(Model model, Exception e) { model.addAttribute("ex", e); return "err"; } }
1
2
3
4
5
6
7
8
# Spring Session
- 支持的存储:JDBC、Redis、Hazelcast、MongoDB
- 实现原理:通过定制的 HttpServletRequest 返回定制的 HttpSession
- 相关类:SessionRepositoryRequestWrapper、SessionRepositoryFilter、DelegatingFilterProxy
- 基于 Redis 的 HttpSession:添加依赖 spring-session-data-redis;在启动类上添加 @EnableRedisHttpSession
- 相关配置
spring.session.store-type=redis
spring.session.timeout=
spring.session.redis.flush-mode=on-save
spring.session.redis.namespace=spring:session
# Spring Boot 的 RDBMS 访问
# 配置数据源
Spring Boot 使用 DataSourceConfiguration 类来完成 datasource 的自动创建
Spring Boot 2.x 默认使用 HikariCP 作为数据库连接池(Spring Boot 2.x 默认使用 Tomcat 连接池)
如果需要使用其它数据库连接池,需在 spring-boot-starter-jdbc 依赖中排除 HikariCP
添加配置(注意:HikariCP 使用 jdbc-url 属性,配置项 (opens new window))
spring.datasource.url=jdbc:mysql://localhost/test spring.datasource.username=dbuser spring.datasource.password=dbpass spring.datasource.driver-class-name=com.mysql.jdbc.Driver
1
2
3
4方式 1:使用 @Bean 创建一个 DataSource 对象,并设置相关属性
方式 2:添加依赖 spring-boot-starter-jdbc
# 配置多个数据源
- 配置多个数据源时,必须将其中一个 DataSource 实例例标记为 @Primary,否则需要在启动时排除相关的自动配置类(DataSourceAutoConfiguration、DataSourceTransactionManagerAutoConfiguration、JdbcTemplateAutoConfiguration),再手动配置相关 Bean(PlatformTransactionManager、JdbcTemplate)
app.datasource.first.url=jdbc:mysql://localhost/first
app.datasource.first.username=dbuser
app.datasource.first.password=dbpass
app.datasource.first.configuration.maximum-pool-size=30
app.datasource.second.url=jdbc:mysql://localhost/second
app.datasource.second.username=dbuser
app.datasource.second.password=dbpass
app.datasource.second.max-total=30
2
3
4
5
6
7
8
9
// 方式 1:使用 DataSourceProperties 来构造数据源
@Bean
@Primary
@ConfigurationProperties("app.datasource.first")
public DataSourceProperties firstDataSourceProperties() {
return new DataSourceProperties();
}
@Bean
@Primary
@ConfigurationProperties("app.datasource.first.configuration")
public HikariDataSource firstDataSource() {
return firstDataSourceProperties().initializeDataSourceBuilder().type(HikariDataSource.class).build();
}
// 方式 2:使用 DataSourceBuilder 来构造数据源
@Bean
@ConfigurationProperties("app.datasource.second")
public HikariDataSource secondDataSource() {
return DataSourceBuilder.create().type(HikariDataSource.class).build();
}
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
# 动态多数据源
@Configuration
@MapperScan(basePackages={"com.example.**.mapper", "com.example.mapper.**"})
public class DataSourceConfig {
@Bean
@ConfigurationProperties(prefix = "spring.datasource.master")
public DataSource masterDataSource() {
return DataSourceBuilder.create().build();
}
@Bean
@ConfigurationProperties(prefix = "spring.datasource.slave")
public DataSource slaveDataSource() {
return DataSourceBuilder.create().build();
}
@Bean
public DynamicDataSource dynamicDataSource(DataSource masterDataSource, DataSource slaveDataSource) {
Map<Object, Object> targetDataSource = new HashMap<>();
targetDataSource.put("master", masterDataSource);
targetDataSource.put("slave", slaveDataSource);
DynamicDataSource dataSource = new DynamicDataSource();
dataSource.setTargetDataSources(targetDataSource);
dataSource.setDefaultTargetDataSource(masterDataSource);
return dataSource;
}
@Bean
public SqlSessionFactory sqlSessionFactory(DataSource dynamicDataSource)
throws Exception {
SqlSessionFactoryBean factoryBean = new SqlSessionFactoryBean();
factoryBean.setDataSource(dynamicDataSource); // 使用动态数据源
factoryBean.setMapperLocations(new PathMatchingResourcePatternResolver().getResources("classpath:mapper/**/*.xml"));
return factoryBean.getObject();
}
}
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
public class DynamicDataSource extends AbstractRoutingDataSource {
@Override
protected Object determineCurrentLookupKey() {
return DynamicDataSourceContextHolder.peek();
}
}
2
3
4
5
6
7
/**
* 核心基于ThreadLocal的切换数据源工具类
* @author TaoYu Kanyuxia
*/
public class DynamicDataSourceContextHolder {
/**
* 为什么要用链表存储(准确的是栈)
*
* 为了支持嵌套切换,如ABC三个service都是不同的数据源
* 其中A的某个业务要调B的方法,B的方法需要调用C的方法。一级一级调用切换,形成了链。
* 传统的只设置当前线程的方式不能满足此业务需求,必须使用栈,后进先出。
*/
private static final ThreadLocal<Deque<String>> CONTEXT_HOLDER = ThreadLocal.withInitial(ArrayDeque::new);
/**
* 获得当前线程数据源
* @return 数据源名称
*/
public static String peek() {
return CONTEXT_HOLDER.get().peek();
}
/**
* 设置当前线程数据源
* @param dataSource 数据源名称
*/
public static void push(String dataSource) {
CONTEXT_HOLDER.get().push(dataSource);
}
/**
* 清空当前线程数据源
*/
public static void poll() {
Deque<String> deque = CONTEXT_HOLDER.get();
deque.poll();
if (deque.isEmpty()) {
CONTEXT_HOLDER.remove();
}
}
}
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
/**
* 多数据源注解
*/
@Target({ElementType.METHOD, ElementType.TYPE})
@Retention(RetentionPolicy.RUNTIME)
@Documented
@Inherited
public @interface DS {
String value();
}
2
3
4
5
6
7
8
9
10
/**
* 多数据源,切面处理类
*/
@Slf4j
@Aspect
@Component
@Order(Ordered.HIGHEST_PRECEDENCE)
public class DataSourceAspect {
@Around("@annotation(com.baomidou.samples.mybatis.dynamicdatasource.DS) " +
"|| @within(com.baomidou.samples.mybatis.dynamicdatasource.DS)")
public Object around(ProceedingJoinPoint point) throws Throwable {
MethodSignature signature = (MethodSignature) point.getSignature();
Class<?> targetClass = point.getTarget().getClass();
Method method = signature.getMethod();
DS targetDataSource = targetClass.getAnnotation(DS.class);
DS methodDataSource = method.getAnnotation(DS.class);
if (targetDataSource != null || methodDataSource != null) {
String value;
if (methodDataSource != null) {
value = methodDataSource.value();
} else {
value = targetDataSource.value();
}
DynamicDataSourceContextHolder.push(value);
log.debug("set datasource is {}", value);
}
try {
return point.proceed();
} finally {
DynamicDataSourceContextHolder.poll();
log.debug("clean datasource");
}
}
}
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
# 操作数据库
# 使用 JdbcTemplate 操作数据库
# 使用 JPA(Hibernate)操作数据
- 添加依赖 spring-boot-starter-data-jpa
- @EnableJpaRepositories:启用 JPA 编程
- @EntityScan
- 继承 JpaRepository<T, ID>
- 按照一定规则 (opens new window)命名的方法也可以在不写接口实现的情况下完成逻辑(JPA 会根据方法命名生成 SQL)
# 集成 MyBatis
添加依赖 mybatis-spring-boot-starter,官网 (opens new window)
mapper 接口、mapper.xml、mybatis.xml
添加配置
mybatis.config-location=classpath:mybatis.xml mybatis.mapper-locations=classpath:mapper/*Mapper.xml mybatis.type-aliases-package=com.example.springbootdemo.domain logging.level.com.example.springbootdemo=debug
1
2
3
4扫描 mapper 接口
- 方式 1:在配置类使用
@MapperScan(basePackages={"com.example.**.mapper", "com.example.mapper.**"})
修饰,常用属性:basePackages、sqlSessionFactoryRef、sqlSessionTemplateRef(指定 sqlSessionTemplateRef 将忽略 sqlSessionFactoryRef)、markerInterface(限定扫描接口) - 方式 2:使用 @Bean 创建一个 MapperScannerConfigurer 对象,并设置相关属性,所在的配置类需添加
@AutoConfigureAfter(MybatisAutoConfiguration.class)
- 方式 3:在 每个 Mapper 接口类上增加 @Mapper
- 方式 1:在配置类使用
- 已自动创建 sqlSessionFactory、sqlSessionTemplate
- 自定义类型转换
- 自定义类型处理器继承 BaseTypeHandler<T>
- 添加配置
mybatis.type-handlers-package=com.example.springbootdemo.typehandler
- 集成 MyBatis, 分页插件 PageHelper, 通用 Mapper (opens new window)
# 事务支持
添加依赖 spring-boot-starter-aop
在 Spring Boot 中,无须显式开启使用 @EnableTransactionManagement 注解,直接在 service 上使用 @Transactional 标注类或方法
手动配置事务管理器
@Bean @Resource public PlatformTransactionManager firstTxManager(DataSource firstDataSource) { return new DataSourceTransactionManager(firstDataSource); }
1
2
3
4
5
# 记录 SQL 日志
- P6SQL, https://github.com/p6spy/p6spy
# 通过 Reactive 的方式访问
- R2DBC,Reactive Relational Database Connectivity
- Spring Data R2DBC (opens new window),目前支持的数据库:Postgres、H2、Microsoft SQL Server
- 相关的类
- ConnectionFactory
- R2dbcCustomConversions
- DatabaseClient:
execute().sql(SQL)
、inTransaction(db -> {})
- R2dbcExceptionTranslator、SqlErrorCodeR2dbcExceptionTranslator
# 集成 Redis (opens new window)
添加依赖 spring-boot-starter-data-redis(2. x 版本的 starter 在默认的情况下使用 Lettuce 作为 Redis 连接池
io.lettuce:lettuce-core
,1.x 版本的 starter 使用redis.clients:jedis
)添加配置
spring.redis.database=0 spring.redis.host=127.0.0.1 spring.redis.port=6379 spring.redis.password=
1
2
3
4注入 RedisTemplate 或 StringRedisTemplate 对象,调用其方法
- RedisTemplate 默认使用的序列化器是 JdkSerializationRedisSerializer,序列化成 byte[]
- StringRedisTemplate 使用的序列化器是 StringRedisSerializer,key、value、hashKey、hashValue 序列化成 String,
StringRedisTemplate extends RedisTemplate<String, String>
@Autowired private ObjectMapper objectMapper; @Bean public RedisTemplate<String, ?> redisTemplate(RedisConnectionFactory redisConnectionFactory) { RedisTemplate<String, ?> redisTemplate = new RedisTemplate<>(); redisTemplate.setConnectionFactory(redisConnectionFactory); RedisSerializer<String> stringRedisSerializer = RedisSerializer.string(); // RedisSerializer<Object> jsonRedisSerializer = RedisSerializer.json(); ObjectMapper mapper = objectMapper.copy(); mapper.registerModule(new SimpleModule().addSerializer(new NullValueSerializer(null))); // 设置序列化时包含的属性类型信息 mapper.enableDefaultTyping(ObjectMapper.DefaultTyping.NON_FINAL, JsonTypeInfo.As.PROPERTY); // Jackson2JsonRedisSerializer 默认情况下不会把类型信息保存在 Value 中 // GenericJackson2JsonRedisSerializer 默认情况下会把类型作为属性保存到 Value 中 GenericJackson2JsonRedisSerializer jsonRedisSerializer = new GenericJackson2JsonRedisSerializer(mapper); // 设置序列化规则 redisTemplate.setKeySerializer(stringRedisSerializer); redisTemplate.setHashKeySerializer(stringRedisSerializer); redisTemplate.setValueSerializer(jsonRedisSerializer); redisTemplate.setHashKeySerializer(jsonRedisSerializer); redisTemplate.afterPropertiesSet(); return redisTemplate; } private Long getLongFromRedis(String key) { // RedisTemplate<String, Long> redisTemplate Object o = redisTemplate.opsForValue().get(key); if (o instanceof Integer) { return ((Integer) o).longValue(); } if (o instanceof Long) { return (Long) o; } return null; }
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
- 配置连接工厂 LettuceConnectionFactory、JedisConnectionFactory:RedisStandaloneConfiguration、RedisSentinelConfiguration、RedisClusterConfiguration
- Lettuce 对读写分离的支持:LettuceClientConfiguration、LettucePoolingClientConfiguration、LettuceClientConfigurationBuilderCustomizer
- Lettuce 对 Reactive 的支持:ReactiveRedisConnection、ReactiveRedisConnectionFactory、ReactiveRedisTemplate
- 自定义类型转换:使用 @Bean 手动创建 RedisCustomConversions
# 使用 Spring 缓存注解操作 Redis
添加依赖 spring-boot-starter-cache在启动类上添加 @EnableCaching,开启注解式的缓存支持
配置 Redis 缓存管理器 RedisCacheManager
# spring.cache.type=REDIS # 缓存类型,在默认的情况下,Spring 会自动根据上下文检测 # spring.cache.redis.key-prefix= # Redis 的键前缀 # spring.cache.redis.use-key-prefix=true # 是否启用 Redis 的键前缀,默认是 true spring.cache.redis.cache-null-values=true # 是否允许 Redis 缓存空值,默认是 true spring.cache.redis.time-to-live=0ms # 缓存超时时间戳,配置为 0 则不设置超时时间,默认是永不过期
1
2
3
4
5
Spring 缓存相关注解
- @Cacheable 表示先从缓存中通过定义的键查询,如果可以查询到数据,则返回,否则执行该方法,返回数据,并且将返回结果保存到缓存中,如
@Cacheable(value = "redisCache", key = "'redis_user_' + #id", unless = "#result == null")
,属性:- value:指定缓存区名称
- key:通过 SpEL 表达式显式指定缓存的 key,如
#方法参数名
代表对应的实参(也可以使用#p0
或#a0
的形式,0 代表参数的索引),#result
代表返回的结果对象 - condition :指定一个返回 boolean 值的 SpEL 表达式,只有当该表达式返回 true 时,Spring 才会缓存方法返回值
- unless:指定一个返回 boolean 值的 SpEL 表达式,当该表达式返回 true 时,Spring 不缓存方法返回值
- sync
- @CachePut 表示将方法结果返回存放到缓存中,如
@CachePut(value = "redisCache", key = "'redis_user_' + #result.id")
- @CacheEvict 通过定义的键移除缓存,如
@CacheEvict(value = "redisCachen", key = "'redis_user_' + #id" , beforeinvocation = false)
,属性:- value:指定该方法用于清除哪个缓存区的数据
- key
- allEntries:指定是否清空整个缓存区
- beforelnvocation:是否在执行方法之前清除缓存,默认 false,即在方法成功返回后将缓存移除
- @Caching,属性 Cacheable、CachePut、CacheEvict
- @CacheConfig,修饰类,属性 cacheNames、cacheManager
当注解标注在接口上时,SpEL 表达式无法获取到方法入参的变量名
MethodBasedEvaluationContext 解析方法参数时使用 ParameterNameDiscoverer(其实现类 DefaultParameterNameDiscoverer) 去解析方法入参的名字
- @Cacheable 表示先从缓存中通过定义的键查询,如果可以查询到数据,则返回,否则执行该方法,返回数据,并且将返回结果保存到缓存中,如
org.springframework.cache.interceptor.CacheAspectSupport.CacheOperationContext#generateKey
当注解中没有指定缓存的 key 时,使用默认 key 的生成策略(SimpleKeyGenerator):如果方法没有参数,则使用
SimpleKey []
作为 key;如果只有一个参数的话则使用该参数作为 key;如果参数多余一个的话则使用所有参数的 hashCode 作为 keyRedis 缓存管理器默认会使用
<prefix><cacheName>::<key>
的形式作为键保存数据缓存注解自调用失效:在添加有缓存注解的方法 A 中调用添加有缓存注解的另一方法 B 时,方法 B 上的缓存注解将会失效
自定义缓存管理器:使用 @Bean 手动创建 RedisCacheManager
@Slf4j
@Configuration
@EnableConfigurationProperties(CacheProperties.class)
public class CacheConfig {
@Bean
public CacheManager cacheManager(CacheProperties cacheProperties, RedisConnectionFactory redisConnectionFactory,
ObjectMapper objectMapper) {
// 生成一个默认配置,通过 config 对象可对缓存进行自定义配置
RedisCacheConfiguration defaultConfig = RedisCacheConfiguration.defaultCacheConfig();
CacheProperties.Redis redisProperties = cacheProperties.getRedis();
if (!redisProperties.isCacheNullValues()) {
defaultConfig = defaultConfig.disableCachingNullValues(); // 不缓存空值
}
if (redisProperties.getKeyPrefix() != null) {
defaultConfig = defaultConfig.prefixCacheNameWith(redisProperties.getKeyPrefix());
}
if (!redisProperties.isUseKeyPrefix()) {
defaultConfig = defaultConfig.disableKeyPrefix();
}
defaultConfig = defaultConfig.entryTtl(Optional.ofNullable(redisProperties.getTimeToLive()).orElse(Duration.ZERO)) // 设置缓存的默认过期时间(默认不过期)
.serializeKeysWith(RedisSerializationContext.SerializationPair.fromSerializer(RedisSerializer.string()))
.serializeValuesWith(RedisSerializationContext.SerializationPair.fromSerializer(new GenericJackson2JsonRedisSerializer(objectMapper)));
// 使用默认缓存配置初始化一个 cacheManager
RedisCacheManager.RedisCacheManagerBuilder builder = RedisCacheManager.builder(redisConnectionFactory)
.cacheDefaults(defaultConfig);
List<String> cacheNames = cacheProperties.getCacheNames();
if (!cacheNames.isEmpty()) {
builder.initialCacheNames(new LinkedHashSet<>(cacheNames));
}
// 定义缓存空间,并应用不同的缓存配置
Map<String, RedisCacheConfiguration> configMap = new HashMap<>();
configMap.put("my-redis-cache1", defaultConfig);
configMap.put("my-redis-cache2", defaultConfig.entryTtl(Duration.ofSeconds(120)));
builder.withInitialCacheConfigurations(configMap);
return builder.build();
// return new TtlCacheManager(RedisCacheWriter.nonLockingRedisCacheWriter(redisConnectionFactory), defaultConfig, configMap);
}
static class TtlCacheManager extends RedisCacheManager {
public TtlCacheManager(RedisCacheWriter cacheWriter, RedisCacheConfiguration defaultCacheConfiguration, Map<String, RedisCacheConfiguration> initialCacheConfigurations) {
super(cacheWriter, defaultCacheConfiguration, initialCacheConfigurations);
}
private static final String TAG = "#";
/**
* 约定从 cacheName 中以 # 为分隔符将 cacheName 分为实际的 name 和代表 duration 的字符串
*/
@Override
protected RedisCache createRedisCache(String name, RedisCacheConfiguration cacheConfig) {
String[] array = StringUtils.delimitedListToStringArray(name, TAG);
name = array[0];
if (array.length > 1) {
try {
Duration duration = Duration.parse(array[1]);
cacheConfig = cacheConfig.entryTtl(duration);
} catch (DateTimeParseException e) {
log.warn("Cannot parse duration: {}", name);
}
}
return super.createRedisCache(name, cacheConfig);
}
}
}
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
# 集成 Caffeine (opens new window)
添加依赖 com.github.ben-manes.caffeine:caffeine
添加配置
spring.cache.type=CAFFEINE
1配置缓存管理器(每个缓存设置不同缓存策略)
@Configuration @EnableConfigurationProperties(CacheProperties.class) public class CacheConfig { @Autowired(required = false) private List<Cache> customCaches; @Bean public CacheManager cacheManager(CacheProperties cacheProperties) { SimpleCacheManager cacheManager = new SimpleCacheManager(); List<Cache> caches = new ArrayList<>(); List<String> cacheNames = cacheProperties.getCacheNames(); String caffeineSpec = cacheProperties.getCaffeine().getSpec(); if (!CollectionUtils.isEmpty(cacheNames)) { Caffeine<Object, Object> caffeine = Caffeine.from(caffeineSpec); for (String cacheName : cacheNames) { caches.add(new CaffeineCache(cacheName, caffeine.build(), true)); } } if (!CollectionUtils.isEmpty(customCaches)) { caches.addAll(customCaches); } cacheManager.setCaches(caches); return cacheManager; } @Bean public Cache myCaffeineCache() { return new CaffeineCache("my-caffeine-cache1", Caffeine.newBuilder() .maximumSize(10000) .expireAfterWrite(10, TimeUnit.SECONDS) .build(), true); } }
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
# 集成 MongoDB (opens new window)
添加依赖 spring-boot-starter-data-mongodb
添加配置
# https://docs.mongodb.com/manual/reference/connection-string/ # 如果不指定数据库则默认连接并登录到 admin 数据库 # 如果要访问的数据库没有该用户,需要使用 authSource 指定验证数据库 # authSource 用于指定数据库账号所属的数据库,如果不配置该参数,<database> 会作为鉴权数据库 # replicaSet 参数可以将读请求发送到副本集实例的所有节点 spring.data.mongodb: uri: mongodb://用户名:密码@127.0.0.1:27017/数据库?authSource=admin field-naming-strategy: org.springframework.data.mapping.model.SnakeCaseFieldNamingStrategy # 设置日志级别 logging.level: org.mongodb.driver: debug # com.mongodb.diagnostics.logging.Loggers#PREFIX
1
2
3
4
5
6
7
8
9
10
11
12注入 MongoTemplate 对象,调用其方法,或者使用 JPA(MongoRepository<T,ID> 接口)
自定义类型转换:使用 @Bean 手动创建 MongoCustomConversions
对 Reactive 的支持
- 依赖 spring-boot-starter-data-mongodb-reactive
- ReactiveMongoClientFactoryBean、ReactiveMongoDatabaseFactory、ReactiveMongoTemplate
@Configuration
public class MongoConfiguration {
@Autowired
private MappingMongoConverter mappingMongoConverter;
/**
* https://stackoverflow.com/questions/23517977/spring-boot-mongodb-how-to-remove-the-class-column
*/
@PostConstruct
public void configureMappingMongoConverter() {
// 不生成 _class 字段
mappingMongoConverter.setTypeMapper(new DefaultMongoTypeMapper(null));
}
}
2
3
4
5
6
7
8
9
10
11
12
13
14
15
# 集成 Elasticsearch (opens new window)
添加依赖 spring-boot-starter-data-elasticsearch
使用 RestHighLevelClient 或 ElasticsearchRestTemplate 时,配置
spring.elasticsearch.rest.uris=https://search.example.com:9200 spring.elasticsearch.rest.read-timeout=10s spring.elasticsearch.rest.username=user spring.elasticsearch.rest.password=secret logging.level.tracer=trace # 启用跟踪日志记录来跟踪请求,以 curl 格式输出请求和响应
1
2
3
4
5
6使用 ReactiveElasticsearchClient 或 ReactiveElasticsearchTemplate 时(需要添加依赖 spring-boot-starter-webflux),配置
spring.data.elasticsearch.client.reactive.endpoints=search.example.com:9200 spring.data.elasticsearch.client.reactive.use-ssl=true spring.data.elasticsearch.client.reactive.socket-timeout=10s spring.data.elasticsearch.client.reactive.username=user spring.data.elasticsearch.client.reactive.password=secret logging.level.org.springframework.data.elasticsearch.client.WIRE=trace
1
2
3
4
5
6
7
@Configuration
public class ElasticsearchConfig {
@Bean
RestClientBuilderCustomizer restClientBuilderCustomizer() {
return new RestClientBuilderCustomizer() {
@Override
public void customize(RestClientBuilder builder) {
}
@Override
public void customize(HttpAsyncClientBuilder builder) {
builder.setKeepAliveStrategy(new CustomConnectionKeepAliveStrategy());
}
};
}
/**
* Client 默认 KeepAlive 为 -1
* java.io.IOException: Connection reset by peer
* @see DefaultConnectionKeepAliveStrategy
*/
public static class CustomConnectionKeepAliveStrategy implements ConnectionKeepAliveStrategy {
private final long DEFAULT_SECONDS = 2 * 60;
@Override
public long getKeepAliveDuration(HttpResponse response, HttpContext context) {
return Arrays.stream(response.getHeaders(HTTP.CONN_KEEP_ALIVE))
.filter(h -> StringUtils.equalsIgnoreCase(h.getName(), "timeout")
&& StringUtils.isNumeric(h.getValue()))
.findFirst()
.map(h -> NumberUtils.toLong(h.getValue(), DEFAULT_SECONDS))
.orElse(DEFAULT_SECONDS) * 1000;
}
}
}
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
# 集成 Dubbo
添加依赖 org.apache.dubbo:dubbo-spring-boot-starter (opens new window)、org.apache.dubbo:dubbo
添加配置
# 服务提供者的配置文件 spring.application.name=xxx # 当前应用名称 # dubbo.application.name=${spring.application.name} # Dubbo 应用名默认值为 ${spring.application.name} embedded.zookeeper.port = 2181 dubbo.registry.address=zookeeper://127.0.0.1:${embedded.zookeeper.port} # 注册中心的地址 dubbo.scan.base-packages=xxx # 扫描 Dubbo 注解的包路径 dubbo.protocol.name=dubbo # 服务提供者使用的协议 dubbo.protocol.port=20880 # 服务提供者所使用协议的端口 dubbo.provider.timeout=5000 #(可选)远程服务超时时间 demo.service.version=1.0.0 # DemoService version
1
2
3
4
5
6
7
8
9
10
11# 服务消费者的配置文件 spring.application.name=xxx # 当前应用名称 embedded.zookeeper.port=2181 dubbo.registry.address=zookeeper://127.0.0.1:${embedded.zookeeper.port} # 注册中心的地址 dubbo.consumer.timeout=5000 #(可选)远程服务调用超时(默认为 1000) dubbo.consumer.check=false #(可选)启动时检查提供者是否存在,true 报错,false 忽略(默认 true) demo.service.version=1.0.0 # DemoService version
1
2
3
4
5
6
7
8发布服务,在接口的实现类上添加
@Service(version = "${demo.service.version}")
调用服务,通过@Reference(version = "${demo.service.version}")
注入代理的接口实现类
# 集成 ActiveMQ (opens new window)
添加依赖 spring-boot-starter-activemq
添加配置
spring.activemq.broker-url=tcp://127.0.0.1:61616 spring.activemq.user=admin spring.activemq.password=admin
1
2
3使用 @Bean 创建 Destination 消息地点对象(ActiveMQTopic 及 ActiveMQQueue);
使用 @Bean 创建消息监听容器 JmsListenerContainerFactory 对象(DefaultJmsListenerContainerFactory),并设置属性(pubSubDomain、connectionFactory、sessionAcknowledgeMode 等)消息生产者 Bean:注入 JmsTemplate 和 Destination 对象,通过调用
jmsTemplate.convertAndSend(destination, content);
发布消息
消息消费者 Bean:在消息处理的方法上使用 @JmsListener 注解,并通过属性 destination、containerFactory 指要监听的消息地点和使用的消息监听容器
# 集成 RabbitMQ (opens new window)
添加依赖 spring-boot-starter-amqp
添加配置
spring.rabbitmq.host=localhost spring.rabbitmq.port=5672 spring.rabbitmq.username=guest spring.rabbitmq.password=guest spring.rabbitmq.virtual-host=/ spring.rabbitmq.listener.simple.concurrency=1 # 监听器线程数,默认为 1,大于 1 时消息并行处理无法保证顺序性 spring.rabbitmq.listener.simple.prefetch=250 # 消费者缓冲的消息数,默认 250
1
2
3
4
5
6
7RabbitAdmin,封装了对 RabbitMQ 的管理操作
void declareExchange(Exchange exchange)
boolean deleteExchange(String exchangeName)
String declareQueue(Queue queue)
void purgeQueue(String queueName, boolean noWait)
void declareBinding(Binding binding)
void removeBinding(Binding binding)
RabbitTemplate,发送和接收消息,可在初始化 RabbitTemplate 时设置默认交换器、默认路由键、默认队列
void send(String exchange, String routingKey, Message message, @Nullable CorrelationData correlationData)
void convertAndSend(String exchange, String routingKey, Object object, @Nullable CorrelationData correlationData)
:默认使用 SimpleMessageConverter 进行消息转换Message receive(String queueName, long timeoutMillis)
Object receiveAndConvert(String queueName, long timeoutMillis)
:RPC 方式
RabbitMessagingTemplate,This allows you to create the message to send in generic manner.
@RabbitListener,修饰类、方法,用于接收消息
@RabbitListener(queues = "myQueue1")
@RabbitListener(queuesToDeclare = @Queue("myQueue2"))
// 自动创建队列
@RabbitListener(bindings = @QueueBinding(value = @Queue("myQueue3"), exchange = @Exchange("testExChange")))
// 自动创建队列、交换器,并绑定RabbitListenerContainerFactory 实现类:SimpleRabbitListenerContainerFactory、DirectRabbitListenerContainerFactory
开启消费重试(spring.rabbitmq.listener.simple.retry.enabled=true)后,即使设置 spring.rabbitmq.listener.simple.default-requeue-rejected=true,被拒绝的消息也不会重新加入到队列
SimpleMessageConverter 对于要发送的消息体 body 为 byte[] 时不进行处理,如果是 String 则转成字节数组,如果是 Java 对象,则使用 jdk 序列化将消息转成字节数组,转出来的结果较大,含 class 类名、类相应方法等信息,因此性能较差
Jackson2JsonMessageConverter 如果接收到的消息属性里面没有 content_type 属性,或者 content_type 值不包含 json,则转换后的结果是 byte[]
@Bean
public MessageConverter messageConverter() {
return new Jackson2JsonMessageConverter(objectMapper);
}
// rabbitTemplate.setMessageConverter(messageConverter);
@Bean
public MessageRecoverer republishMessageRecoverer() {
// 重试后仍失败,使用 RepublishMessageRecoverer 把消息重新投入一个“死信交换器”中
// 默认是 RejectAndDontRequeueRecoverer(仅将异常打印抛出)
return new RepublishMessageRecoverer(rabbitTemplate, DEAD_EXCHANGE, DEAD_ROUTING_KEY);
}
// 定义死信交换器和队列,并且进行绑定
@Bean
public Declarables declarablesForDead() {
Queue queue = new Queue(DEAD_QUEUE);
DirectExchange directExchange = new DirectExchange(DEAD_EXCHANGE);
return new Declarables(queue, directExchange, BindingBuilder.bind(queue).to(directExchange).with(DEAD_ROUTING_KEY));
}
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
# Spring Boot Actuator (opens new window)
- 目的:监控并管理应用程序
- 访问方式:HTTP、JMX
- 依赖:spring-boot-starter-actuator
# 端点
常用 Endpoint
ID 说明 默认启用 默认 HTTP 默认 JMX beans 显示容器中的 Bean 列表 Y N Y caches 显示应用中的缓存 Y N Y conditions 显示配置条件的计算情况 Y N Y configprops 显示 @ConfigurationProperties 的信息 Y N Y env 显示 ConfigurableEnvironment 中的属性 Y N Y health 显示健康检查信息 Y Y Y httptrace 显示 HTTP Trace 信息(默认为最新 100 次) Y N Y info 显示当前应用信息 Y Y Y loggers 显示并更新日志配置 Y N Y metrics 显示应用的度量信息 Y N Y mappings 显示所有的 @RequestMapping 信息 Y N Y scheduledtasks 显示应用的调度任务信息 Y N Y shutdown 优雅地关闭应用程序 N N Y threaddump 执行 Thread Dump Y N Y heapdump 返回 Heap Dump 文件,格式为 HPROF Y N N/A prometheus 返回可供 Prometheus 抓取的信息 Y N N/A 默认情况下不启用 shutdown 端点,需要添加配置
management.endpoint.shutdown.enabled=true
,且通过 POST 请求端口与路径
management.server.address=
management.server.port=
management.endpoints.web.base-path=/actuator
management.endpoints.web.path-mapping.<id>=路径
(修改端点的请求路径)
启用 Endpoint
management.endpoint.<id>.enabled=true
management.endpoints.enabled-by-default=false
暴露 Endpoint
management.endpoints.jmx.exposure.exclude=
management.endpoints.jmx.exposure.include=*
management.endpoints.web.exposure.exclude=
management.endpoints.web.exposure.include=info, health
访问 Actuator Endpoint
- HTTP 访问:/actuator/<id>
- 使用 Jconsle 或 Visual VM 通过 JMX 查看
自定义端点
- 自定义 Bean,使用 @Endpoint、@JmxEndpoint 或 @WebEndpoint 修饰类,声明该类为 Actuator 的端点,或者使用 @EndpointWebExtension 和@EndpointJmxExtension 对已有端点进行扩展
- 在类中使用 @ReadOperation、@WriteOperation 或 @DeleteOperation 修饰方法
# 应用信息
访问 info 端点
相关配置项
info.app.author=Sdky
info.app.encoding=@project.build.sourceEncoding@
info.app.java.source=@java.version@
info.app.java.target=@java.version@
自定义 InfoContributor:自定义 Bean 实现 InfoContributor 接口
# 健康检测
- 目的:检查应用程序的运行状态
- 访问 health 端点
- 内置状态:DOWN - 503、OUT_OF_SERVICE - 503、UP - 200、UNKNOWN - 200
- 机制:通过 HealthIndicatorRegistry 收集信息,HealthIndicator 实现具体检查逻辑
- 相关配置项
management.health.defaults.enabled=true|false
management.health.<id>.enabled=true
management.endpoint.health.show-details=never|whenauthorized|always
management.endpoint.health.status.order=[DOWN, OUT_OF_SERVICE, UP, UNKNOWN]
- 内置 HealthIndicator:ReadinessStateHealthIndicator(就绪探针)、LivenessStateHealthIndicator(存活探针)、DiskSpaceHealthIndicator、DataSourceHealthIndicator、RedisHealthIndicator、MongoHealthIndicator、JmsHealthIndicator、MailHealthIndicator、RabbitHealthIndicator、InfluxDbHealthIndicator、CassandraHealthIndicator、Neo4jHealthIndicator、ElasticsearchHealthIndicator、SolrHealthIndicator
- 自定义 HealthIndicator:自定义 Bean 实现 HealthIndicator 接口
- 自定义 CompositeHealthContributor 来聚合多个 HealthContributor
# 指标监控/度量 (opens new window)
- Micrometer (opens new window), an application metrics facade that supports numerous monitoring systems.
- 目的:获取运行数据
- 访问 metrics 或 prometheus 端点
- 相关配置项
management.metrics.export.*
management.metrics.tags.*
management.metrics.enable.*
management.metrics.distribution.*
management.metrics.web.server.auto-time-requests
- 常用指标:gauge、counter、timer
- 自定义度量指标,注入 MeterRegistry 对象
# Prometheus (opens new window)
# 常见应用属性
Common application properties (opens new window)
META-INF/spring-configuration-metadata.json 文件
# ===================================================================
# COMMON SPRING BOOT PROPERTIES
#
# This sample file is provided as a guideline. Do NOT copy it in its
# entirety to your own application. ^^^
# ===================================================================
2
3
4
5
6
# Core Properties
debug=false # Enable debug logs.
trace=false # Enable trace logs.
2
# Logging
# LOGGING
logging.config= # Location of the logging configuration file. For instance, `classpath:logback.xml` for Logback.
logging.exception-conversion-word=%wEx # Conversion word used when logging exceptions.
logging.file= # Log file name (for instance, `myapp.log`). Names can be an exact location or relative to the current directory.
logging.file.max-history=0 # Maximum of archive log files to keep. Only supported with the default logback setup.
logging.file.max-size=10MB # Maximum log file size. Only supported with the default logback setup.
logging.group.*= # Log groups to quickly change multiple loggers at the same time. For instance, `logging.group.db=org.hibernate,org.springframework.jdbc`.
logging.level.*= # Log levels severity mapping. For instance, `logging.level.org.springframework=DEBUG`.
logging.path= # Location of the log file. For instance, `/var/log`.
logging.pattern.console= # Appender pattern for output to the console. Supported only with the default Logback setup.
logging.pattern.dateformat=yyyy-MM-dd HH:mm:ss.SSS # Appender pattern for log date format. Supported only with the default Logback setup.
logging.pattern.file= # Appender pattern for output to a file. Supported only with the default Logback setup.
logging.pattern.level=%5p # Appender pattern for log level. Supported only with the default Logback setup.
logging.register-shutdown-hook=false # Register a shutdown hook for the logging system when it is initialized.
2
3
4
5
6
7
8
9
10
11
12
13
14
# AOP
# AOP
spring.aop.auto=true # Add @EnableAspectJAutoProxy.
spring.aop.proxy-target-class=true # Whether subclass-based (CGLIB) proxies are to be created (true), as opposed to standard Java interface-based proxies (false).
2
3
# Identity
# IDENTITY (ContextIdApplicationContextInitializer)
spring.application.name= # Application name.
2
# Admin
# ADMIN (SpringApplicationAdminJmxAutoConfiguration)
spring.application.admin.enabled=false # Whether to enable admin features for the application.
spring.application.admin.jmx-name=org.springframework.boot:type=Admin,name=SpringApplication # JMX name of the application admin MBean.
2
3
# Auto-configuration
# AUTO-CONFIGURATION
spring.autoconfigure.exclude= # Auto-configuration classes to exclude.
2
# Banner
# BANNER
spring.banner.charset=UTF-8 # Banner file encoding.
spring.banner.location=classpath:banner.txt # Banner text resource location.
spring.banner.image.location=classpath:banner.gif # Banner image file location (jpg or png can also be used).
spring.banner.image.width=76 # Width of the banner image in chars.
spring.banner.image.height= # Height of the banner image in chars (default based on image height).
spring.banner.image.margin=2 # Left hand image margin in chars.
spring.banner.image.invert=false # Whether images should be inverted for dark terminal themes.
2
3
4
5
6
7
8
# Spring Core
# SPRING CORE
spring.beaninfo.ignore=true # Whether to skip search of BeanInfo classes.
2
# Spring Cache
# SPRING CACHE (CacheProperties)
spring.cache.cache-names= # Comma-separated list of cache names to create if supported by the underlying cache manager.
spring.cache.caffeine.spec= # The spec to use to create caches. See CaffeineSpec for more details on the spec format.
spring.cache.couchbase.expiration= # Entry expiration. By default the entries never expire. Note that this value is ultimately converted to seconds.
spring.cache.ehcache.config= # The location of the configuration file to use to initialize EhCache.
spring.cache.infinispan.config= # The location of the configuration file to use to initialize Infinispan.
spring.cache.jcache.config= # The location of the configuration file to use to initialize the cache manager.
spring.cache.jcache.provider= # Fully qualified name of the CachingProvider implementation to use to retrieve the JSR-107 compliant cache manager. Needed only if more than one JSR-107 implementation is available on the classpath.
spring.cache.redis.cache-null-values=true # Allow caching null values.
spring.cache.redis.key-prefix= # Key prefix.
spring.cache.redis.time-to-live= # Entry expiration. By default the entries never expire.
spring.cache.redis.use-key-prefix=true # Whether to use the key prefix when writing to Redis.
spring.cache.type= # Cache type. By default, auto-detected according to the environment.
2
3
4
5
6
7
8
9
10
11
12
13
# Spring Config
# SPRING CONFIG - using environment property only (ConfigFileApplicationListener)
spring.config.additional-location= # Config file locations used in addition to the defaults.
spring.config.location= # Config file locations that replace the defaults.
spring.config.name=application # Config file name.
2
3
4
# Hazelcast
# HAZELCAST (HazelcastProperties)
spring.hazelcast.config= # The location of the configuration file to use to initialize Hazelcast.
2
# Project Information
# PROJECT INFORMATION (ProjectInfoProperties)
spring.info.build.encoding=UTF-8 # File encoding.
spring.info.build.location=classpath:META-INF/build-info.properties # Location of the generated build-info.properties file.
spring.info.git.encoding=UTF-8 # File encoding.
spring.info.git.location=classpath:git.properties # Location of the generated git.properties file.
2
3
4
5
# ### Email (MailProperties)
spring.mail.default-encoding=UTF-8 # Default MimeMessage encoding.
spring.mail.host= # SMTP server host. For instance, `smtp.example.com`.
spring.mail.jndi-name= # Session JNDI name. When set, takes precedence over other Session settings.
spring.mail.password= # Login password of the SMTP server.
spring.mail.port= # SMTP server port.
spring.mail.properties.*= # Additional JavaMail Session properties.
spring.mail.protocol=smtp # Protocol used by the SMTP server.
spring.mail.test-connection=false # Whether to test that the mail server is available on startup.
spring.mail.username= # Login user of the SMTP server.
2
3
4
5
6
7
8
9
10
# Application Settings
# APPLICATION SETTINGS (SpringApplication)
spring.main.allow-bean-definition-overriding=false # Whether bean definition overriding, by registering a definition with the same name as an existing definition, is allowed.
spring.main.banner-mode=console # Mode used to display the banner when the application runs.
spring.main.sources= # Sources (class names, package names, or XML resource locations) to include in the ApplicationContext.
spring.main.web-application-type= # Flag to explicitly request a specific type of web application. If not set, auto-detected based on the classpath.
spring.main.lazy-initialization=false # Sets if beans should be initialized lazily.
2
3
4
5
6
# File Encoding
# FILE ENCODING (FileEncodingApplicationListener)
spring.mandatory-file-encoding= # Expected character encoding the application must use.
2
# Profiles
# PROFILES
spring.profiles.active= # Comma-separated list of active profiles. Can be overridden by a command line switch.
spring.profiles.include= # Unconditionally activate the specified comma-separated list of profiles (or list of profiles if using YAML).
2
3
# Quartz Scheduler
# QUARTZ SCHEDULER (QuartzProperties)
spring.quartz.auto-startup=true # Whether to automatically start the scheduler after initialization.
spring.quartz.jdbc.comment-prefix=-- # Prefix for single-line comments in SQL initialization scripts.
spring.quartz.jdbc.initialize-schema=embedded # Database schema initialization mode.
spring.quartz.jdbc.schema=classpath:org/quartz/impl/jdbcjobstore/tables_@@platform@@.sql # Path to the SQL file to use to initialize the database schema.
spring.quartz.job-store-type=memory # Quartz job store type.
spring.quartz.overwrite-existing-jobs=false # Whether configured jobs should overwrite existing job definitions.
spring.quartz.properties.*= # Additional Quartz Scheduler properties.
spring.quartz.scheduler-name=quartzScheduler # Name of the scheduler.
spring.quartz.startup-delay=0s # Delay after which the scheduler is started once initialization completes.
spring.quartz.wait-for-jobs-to-complete-on-shutdown=false # Whether to wait for running jobs to complete on shutdown.
2
3
4
5
6
7
8
9
10
11
# Task Execution
# TASK EXECUTION (TaskExecutionProperties)
spring.task.execution.pool.allow-core-thread-timeout=true # Whether core threads are allowed to time out. This enables dynamic growing and shrinking of the pool.
spring.task.execution.pool.core-size=8 # Core number of threads.
spring.task.execution.pool.keep-alive=60s # Time limit for which threads may remain idle before being terminated.
spring.task.execution.pool.max-size= # Maximum allowed number of threads. If tasks are filling up the queue, the pool can expand up to that size to accommodate the load. Ignored if the queue is unbounded.
spring.task.execution.pool.queue-capacity= # Queue capacity. An unbounded capacity does not increase the pool and therefore ignores the "max-size" property.
spring.task.execution.thread-name-prefix=task- # Prefix to use for the names of newly created threads.
2
3
4
5
6
7
# Task Scheduling
# TASK SCHEDULING (TaskSchedulingProperties)
spring.task.scheduling.pool.size=1 # Maximum allowed number of threads.
spring.task.scheduling.thread-name-prefix=scheduling- # Prefix to use for the names of newly created threads.
2
3
# Web Properties
# Embedded Server Configuration
# EMBEDDED SERVER CONFIGURATION (ServerProperties)
server.address= # Network address to which the server should bind.
server.compression.enabled=false # Whether response compression is enabled.
server.compression.excluded-user-agents= # Comma-separated list of user agents for which responses should not be compressed.
server.compression.mime-types=text/html,text/xml,text/plain,text/css,text/javascript,application/javascript,application/json,application/xml # Comma-separated list of MIME types that should be compressed.
server.compression.min-response-size=2KB # Minimum "Content-Length" value that is required for compression to be performed.
server.connection-timeout= # Time that connectors wait for another HTTP request before closing the connection. When not set, the connector's container-specific default is used. Use a value of -1 to indicate no (that is, an infinite) timeout.
server.error.include-exception=false # Include the "exception" attribute.
server.error.include-stacktrace=never # When to include a "stacktrace" attribute.
server.error.path=/error # Path of the error controller.
server.error.whitelabel.enabled=true # Whether to enable the default error page displayed in browsers in case of a server error.
server.http2.enabled=false # Whether to enable HTTP/2 support, if the current environment supports it.
server.max-http-header-size=8KB # Maximum size of the HTTP message header.
server.port=8080 # Server HTTP port.
server.server-header= # Value to use for the Server response header (if empty, no header is sent).
server.use-forward-headers= # Whether X-Forwarded-* headers should be applied to the HttpRequest.
server.servlet.context-parameters.*= # Servlet context init parameters.
server.servlet.context-path= # Context path of the application.
server.servlet.application-display-name=application # Display name of the application.
server.servlet.jsp.class-name=org.apache.jasper.servlet.JspServlet # Class name of the servlet to use for JSPs.
server.servlet.jsp.init-parameters.*= # Init parameters used to configure the JSP servlet.
server.servlet.jsp.registered=true # Whether the JSP servlet is registered.
server.servlet.session.cookie.comment= # Comment for the session cookie.
server.servlet.session.cookie.domain= # Domain for the session cookie.
server.servlet.session.cookie.http-only= # Whether to use "HttpOnly" cookies for session cookies.
server.servlet.session.cookie.max-age= # Maximum age of the session cookie. If a duration suffix is not specified, seconds will be used.
server.servlet.session.cookie.name= # Session cookie name.
server.servlet.session.cookie.path= # Path of the session cookie.
server.servlet.session.cookie.secure= # Whether to always mark the session cookie as secure.
server.servlet.session.persistent=false # Whether to persist session data between restarts.
server.servlet.session.store-dir= # Directory used to store session data.
server.servlet.session.timeout=30m # Session timeout. If a duration suffix is not specified, seconds will be used.
server.servlet.session.tracking-modes= # Session tracking modes.
server.servlet.encoding.charset=UTF-8 # Charset of HTTP requests and responses. Added to the "Content-Type" header if not set explicitly.
server.servlet.encoding.enabled=true # Whether to enable http encoding support.
server.servlet.encoding.force= # Whether to force the encoding to the configured charset on HTTP requests and responses.
server.servlet.encoding.force-request= # Whether to force the encoding to the configured charset on HTTP requests. Defaults to true when "force" has not been specified.
server.servlet.encoding.force-response= # Whether to force the encoding to the configured charset on HTTP responses.
server.servlet.encoding.mapping.*= # Locale in which to encode mapping.
server.ssl.ciphers= # Supported SSL ciphers.
server.ssl.client-auth= # Client authentication mode.
server.ssl.enabled=true # Whether to enable SSL support.
server.ssl.enabled-protocols= # Enabled SSL protocols.
server.ssl.key-alias= # Alias that identifies the key in the key store.
server.ssl.key-password= # Password used to access the key in the key store.
server.ssl.key-store= # Path to the key store that holds the SSL certificate (typically a jks file).
server.ssl.key-store-password= # Password used to access the key store.
server.ssl.key-store-provider= # Provider for the key store.
server.ssl.key-store-type= # Type of the key store.
server.ssl.protocol=TLS # SSL protocol to use.
server.ssl.trust-store= # Trust store that holds SSL certificates.
server.ssl.trust-store-password= # Password used to access the trust store.
server.ssl.trust-store-provider= # Provider for the trust store.
server.ssl.trust-store-type= # Type of the trust store.
server.tomcat.accept-count=100 # Maximum queue length for incoming connection requests when all possible request processing threads are in use.
server.tomcat.accesslog.buffered=true # Whether to buffer output such that it is flushed only periodically.
server.tomcat.accesslog.directory=logs # Directory in which log files are created. Can be absolute or relative to the Tomcat base dir.
server.tomcat.accesslog.enabled=false # Enable access log.
server.tomcat.accesslog.file-date-format=.yyyy-MM-dd # Date format to place in the log file name.
server.tomcat.accesslog.pattern=common # Format pattern for access logs.
server.tomcat.accesslog.prefix=access_log # Log file name prefix.
server.tomcat.accesslog.rename-on-rotate=false # Whether to defer inclusion of the date stamp in the file name until rotate time.
server.tomcat.accesslog.request-attributes-enabled=false # Set request attributes for the IP address, Hostname, protocol, and port used for the request.
server.tomcat.accesslog.rotate=true # Whether to enable access log rotation.
server.tomcat.accesslog.suffix=.log # Log file name suffix.
server.tomcat.additional-tld-skip-patterns= # Comma-separated list of additional patterns that match jars to ignore for TLD scanning.
server.tomcat.background-processor-delay=10s # Delay between the invocation of backgroundProcess methods. If a duration suffix is not specified, seconds will be used.
server.tomcat.basedir= # Tomcat base directory. If not specified, a temporary directory is used.
server.tomcat.internal-proxies=10\\.\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}|\\
192\\.168\\.\\d{1,3}\\.\\d{1,3}|\\
169\\.254\\.\\d{1,3}\\.\\d{1,3}|\\
127\\.\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}|\\
172\\.1[6-9]{1}\\.\\d{1,3}\\.\\d{1,3}|\\
172\\.2[0-9]{1}\\.\\d{1,3}\\.\\d{1,3}|\\
172\\.3[0-1]{1}\\.\\d{1,3}\\.\\d{1,3}\\
0:0:0:0:0:0:0:1\\
::1 # Regular expression that matches proxies that are to be trusted.
server.tomcat.max-connections=10000 # Maximum number of connections that the server accepts and processes at any given time.
server.tomcat.max-http-post-size=2MB # Maximum size of the HTTP post content.
server.tomcat.max-swallow-size=2MB # Maximum amount of request body to swallow.
server.tomcat.max-threads=200 # Maximum amount of worker threads.
server.tomcat.min-spare-threads=10 # Minimum amount of worker threads.
server.tomcat.port-header=X-Forwarded-Port # Name of the HTTP header used to override the original port value.
server.tomcat.protocol-header= # Header that holds the incoming protocol, usually named "X-Forwarded-Proto".
server.tomcat.protocol-header-https-value=https # Value of the protocol header indicating whether the incoming request uses SSL.
server.tomcat.redirect-context-root=true # Whether requests to the context root should be redirected by appending a / to the path.
server.tomcat.remote-ip-header= # Name of the HTTP header from which the remote IP is extracted. For instance, `X-FORWARDED-FOR`.
server.tomcat.resource.allow-caching=true # Whether static resource caching is permitted for this web application.
server.tomcat.resource.cache-ttl= # Time-to-live of the static resource cache.
server.tomcat.uri-encoding=UTF-8 # Character encoding to use to decode the URI.
server.tomcat.use-relative-redirects= # Whether HTTP 1.1 and later location headers generated by a call to sendRedirect will use relative or absolute redirects.
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
# FreeMarker
# FREEMARKER (FreeMarkerProperties)
spring.freemarker.allow-request-override=false # Whether HttpServletRequest attributes are allowed to override (hide) controller generated model attributes of the same name.
spring.freemarker.allow-session-override=false # Whether HttpSession attributes are allowed to override (hide) controller generated model attributes of the same name.
spring.freemarker.cache=false # Whether to enable template caching.
spring.freemarker.charset=UTF-8 # Template encoding.
spring.freemarker.check-template-location=true # Whether to check that the templates location exists.
spring.freemarker.content-type=text/html # Content-Type value.
spring.freemarker.enabled=true # Whether to enable MVC view resolution for this technology.
spring.freemarker.expose-request-attributes=false # Whether all request attributes should be added to the model prior to merging with the template.
spring.freemarker.expose-session-attributes=false # Whether all HttpSession attributes should be added to the model prior to merging with the template.
spring.freemarker.expose-spring-macro-helpers=true # Whether to expose a RequestContext for use by Spring's macro library, under the name "springMacroRequestContext".
spring.freemarker.prefer-file-system-access=true # Whether to prefer file system access for template loading. File system access enables hot detection of template changes.
spring.freemarker.prefix= # Prefix that gets prepended to view names when building a URL.
spring.freemarker.request-context-attribute= # Name of the RequestContext attribute for all views.
spring.freemarker.settings.*= # Well-known FreeMarker keys which are passed to FreeMarker's Configuration.
spring.freemarker.suffix=.ftl # Suffix that gets appended to view names when building a URL.
spring.freemarker.template-loader-path=classpath:/templates/ # Comma-separated list of template paths.
spring.freemarker.view-names= # White list of view names that can be resolved.
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
# Groovy Templates
# GROOVY TEMPLATES (GroovyTemplateProperties)
spring.groovy.template.allow-request-override=false # Whether HttpServletRequest attributes are allowed to override (hide) controller generated model attributes of the same name.
spring.groovy.template.allow-session-override=false # Whether HttpSession attributes are allowed to override (hide) controller generated model attributes of the same name.
spring.groovy.template.cache=false # Whether to enable template caching.
spring.groovy.template.charset=UTF-8 # Template encoding.
spring.groovy.template.check-template-location=true # Whether to check that the templates location exists.
spring.groovy.template.configuration.*= # See GroovyMarkupConfigurer
spring.groovy.template.content-type=text/html # Content-Type value.
spring.groovy.template.enabled=true # Whether to enable MVC view resolution for this technology.
spring.groovy.template.expose-request-attributes=false # Whether all request attributes should be added to the model prior to merging with the template.
spring.groovy.template.expose-session-attributes=false # Whether all HttpSession attributes should be added to the model prior to merging with the template.
spring.groovy.template.expose-spring-macro-helpers=true # Whether to expose a RequestContext for use by Spring's macro library, under the name "springMacroRequestContext".
spring.groovy.template.prefix= # Prefix that gets prepended to view names when building a URL.
spring.groovy.template.request-context-attribute= # Name of the RequestContext attribute for all views.
spring.groovy.template.resource-loader-path=classpath:/templates/ # Template path.
spring.groovy.template.suffix=.tpl # Suffix that gets appended to view names when building a URL.
spring.groovy.template.view-names= # White list of view names that can be resolved.
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
# Multipart
# MULTIPART (MultipartProperties)
spring.servlet.multipart.enabled=true # Whether to enable support of multipart uploads.
spring.servlet.multipart.file-size-threshold=0B # Threshold after which files are written to disk.
spring.servlet.multipart.location= # Intermediate location of uploaded files.
spring.servlet.multipart.max-file-size=1MB # Max file size.
spring.servlet.multipart.max-request-size=10MB # Max request size.
spring.servlet.multipart.resolve-lazily=false # Whether to resolve the multipart request lazily at the time of file or parameter access.
2
3
4
5
6
7
# Jackson
# JACKSON (JacksonProperties)
spring.jackson.date-format= # Date format string or a fully-qualified date format class name. For instance, `yyyy-MM-dd HH:mm:ss`.
spring.jackson.default-property-inclusion= # Controls the inclusion of properties during serialization. Configured with one of the values in Jackson's JsonInclude.Include enumeration.
spring.jackson.deserialization.*= # Jackson on/off features that affect the way Java objects are deserialized.
spring.jackson.generator.*= # Jackson on/off features for generators.
spring.jackson.joda-date-time-format= # Joda date time format string. If not configured, "date-format" is used as a fallback if it is configured with a format string.
spring.jackson.locale= # Locale used for formatting.
spring.jackson.mapper.*= # Jackson general purpose on/off features.
spring.jackson.parser.*= # Jackson on/off features for parsers.
spring.jackson.property-naming-strategy= # One of the constants on Jackson's PropertyNamingStrategy. Can also be a fully-qualified class name of a PropertyNamingStrategy subclass.
spring.jackson.serialization.*= # Jackson on/off features that affect the way Java objects are serialized.
spring.jackson.time-zone= # Time zone used when formatting dates. For instance, "America/Los_Angeles" or "GMT+10".
spring.jackson.visibility.*= # Jackson visibility thresholds that can be used to limit which methods (and fields) are auto-detected.
2
3
4
5
6
7
8
9
10
11
12
13
# GSON
# GSON (GsonProperties)
spring.gson.date-format= # Format to use when serializing Date objects.
spring.gson.disable-html-escaping= # Whether to disable the escaping of HTML characters such as '<', '>', etc.
spring.gson.disable-inner-class-serialization= # Whether to exclude inner classes during serialization.
spring.gson.enable-complex-map-key-serialization= # Whether to enable serialization of complex map keys (i.e. non-primitives).
spring.gson.exclude-fields-without-expose-annotation= # Whether to exclude all fields from consideration for serialization or deserialization that do not have the "Expose" annotation.
spring.gson.field-naming-policy= # Naming policy that should be applied to an object's field during serialization and deserialization.
spring.gson.generate-non-executable-json= # Whether to generate non executable JSON by prefixing the output with some special text.
spring.gson.lenient= # Whether to be lenient about parsing JSON that doesn't conform to RFC 4627.
spring.gson.long-serialization-policy= # Serialization policy for Long and long types.
spring.gson.pretty-printing= # Whether to output serialized JSON that fits in a page for pretty printing.
spring.gson.serialize-nulls= # Whether to serialize null fields.
2
3
4
5
6
7
8
9
10
11
12
# Spring MVC
# SPRING MVC
spring.mvc.async.request-timeout= # Amount of time before asynchronous request handling times out.
spring.mvc.contentnegotiation.favor-parameter=false # Whether a request parameter ("format" by default) should be used to determine the requested media type.
spring.mvc.contentnegotiation.favor-path-extension=false # Whether the path extension in the URL path should be used to determine the requested media type.
spring.mvc.contentnegotiation.media-types.*= # Map file extensions to media types for content negotiation. For instance, yml to text/yaml.
spring.mvc.contentnegotiation.parameter-name= # Query parameter name to use when "favor-parameter" is enabled.
spring.mvc.converters.preferred-json-mapper= # Preferred JSON mapper to use for HTTP message conversion. By default, auto-detected according to the environment.
spring.mvc.date-format= # Date format to use. For instance, `dd/MM/yyyy`.
spring.mvc.dispatch-trace-request=false # Whether to dispatch TRACE requests to the FrameworkServlet doService method.
spring.mvc.dispatch-options-request=true # Whether to dispatch OPTIONS requests to the FrameworkServlet doService method.
spring.mvc.favicon.enabled=true # Whether to enable resolution of favicon.ico.
spring.mvc.formcontent.filter.enabled=true # Whether to enable Spring's FormContentFilter.
spring.mvc.hiddenmethod.filter.enabled=true # Whether to enable Spring's HiddenHttpMethodFilter.
spring.mvc.ignore-default-model-on-redirect=true # Whether the content of the "default" model should be ignored during redirect scenarios.
spring.mvc.locale= # Locale to use. By default, this locale is overridden by the "Accept-Language" header.
spring.mvc.locale-resolver=accept-header # Define how the locale should be resolved.
spring.mvc.log-request-details=false # Whether logging of (potentially sensitive) request details at DEBUG and TRACE level is allowed.
spring.mvc.log-resolved-exception=false # Whether to enable warn logging of exceptions resolved by a "HandlerExceptionResolver", except for "DefaultHandlerExceptionResolver".
spring.mvc.message-codes-resolver-format= # Formatting strategy for message codes. For instance, `PREFIX_ERROR_CODE`.
spring.mvc.pathmatch.use-registered-suffix-pattern=false # Whether suffix pattern matching should work only against extensions registered with "spring.mvc.contentnegotiation.media-types.*".
spring.mvc.pathmatch.use-suffix-pattern=false # Whether to use suffix pattern match (".*") when matching patterns to requests.
spring.mvc.servlet.load-on-startup=-1 # Load on startup priority of the dispatcher servlet.
spring.mvc.servlet.path=/ # Path of the dispatcher servlet.
spring.mvc.static-path-pattern=/** # Path pattern used for static resources.
spring.mvc.throw-exception-if-no-handler-found=false # Whether a "NoHandlerFoundException" should be thrown if no Handler was found to process a request.
spring.mvc.view.prefix= # Spring MVC view prefix.
spring.mvc.view.suffix= # Spring MVC view suffix.
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
# Spring Resources Handling
# SPRING RESOURCES HANDLING (ResourceProperties)
spring.resources.add-mappings=true # Whether to enable default resource handling.
spring.resources.cache.cachecontrol.cache-private= # Indicate that the response message is intended for a single user and must not be stored by a shared cache.
spring.resources.cache.cachecontrol.cache-public= # Indicate that any cache may store the response.
spring.resources.cache.cachecontrol.max-age= # Maximum time the response should be cached, in seconds if no duration suffix is not specified.
spring.resources.cache.cachecontrol.must-revalidate= # Indicate that once it has become stale, a cache must not use the response without re-validating it with the server.
spring.resources.cache.cachecontrol.no-cache= # Indicate that the cached response can be reused only if re-validated with the server.
spring.resources.cache.cachecontrol.no-store= # Indicate to not cache the response in any case.
spring.resources.cache.cachecontrol.no-transform= # Indicate intermediaries (caches and others) that they should not transform the response content.
spring.resources.cache.cachecontrol.proxy-revalidate= # Same meaning as the "must-revalidate" directive, except that it does not apply to private caches.
spring.resources.cache.cachecontrol.s-max-age= # Maximum time the response should be cached by shared caches, in seconds if no duration suffix is not specified.
spring.resources.cache.cachecontrol.stale-if-error= # Maximum time the response may be used when errors are encountered, in seconds if no duration suffix is not specified.
spring.resources.cache.cachecontrol.stale-while-revalidate= # Maximum time the response can be served after it becomes stale, in seconds if no duration suffix is not specified.
spring.resources.cache.period= # Cache period for the resources served by the resource handler. If a duration suffix is not specified, seconds will be used.
spring.resources.chain.cache=true # Whether to enable caching in the Resource chain.
spring.resources.chain.compressed=false # Whether to enable resolution of already compressed resources (gzip, brotli).
spring.resources.chain.enabled= # Whether to enable the Spring Resource Handling chain. By default, disabled unless at least one strategy has been enabled.
spring.resources.chain.html-application-cache=false # Whether to enable HTML5 application cache manifest rewriting.
spring.resources.chain.strategy.content.enabled=false # Whether to enable the content Version Strategy.
spring.resources.chain.strategy.content.paths=/** # Comma-separated list of patterns to apply to the content Version Strategy.
spring.resources.chain.strategy.fixed.enabled=false # Whether to enable the fixed Version Strategy.
spring.resources.chain.strategy.fixed.paths=/** # Comma-separated list of patterns to apply to the fixed Version Strategy.
spring.resources.chain.strategy.fixed.version= # Version string to use for the fixed Version Strategy.
spring.resources.static-locations=classpath:/META-INF/resources/,classpath:/resources/,classpath:/static/,classpath:/public/ # Locations of static resources.
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
# Spring Session
# SPRING SESSION (SessionProperties)
spring.session.store-type= # Session store type.
spring.session.timeout= # Session timeout. If a duration suffix is not specified, seconds will be used.
spring.session.servlet.filter-order=-2147483598 # Session repository filter order.
spring.session.servlet.filter-dispatcher-types=async,error,request # Session repository filter dispatcher types.
2
3
4
5
# Spring Webflux
# SPRING WEBFLUX (WebFluxProperties)
spring.webflux.date-format= # Date format to use. For instance, `dd/MM/yyyy`.
spring.webflux.hiddenmethod.filter.enabled=true # Whether to enable Spring's HiddenHttpMethodFilter.
spring.webflux.static-path-pattern=/** # Path pattern used for static resources.
2
3
4
# Spring Web Services
# SPRING WEB SERVICES (WebServicesProperties)
spring.webservices.path=/services # Path that serves as the base URI for the services.
spring.webservices.servlet.init= # Servlet init parameters to pass to Spring Web Services.
spring.webservices.servlet.load-on-startup=-1 # Load on startup priority of the Spring Web Services servlet.
spring.webservices.wsdl-locations= # Comma-separated list of locations of WSDLs and accompanying XSDs to be exposed as beans.
2
3
4
5
# Security Properties
# Security
# SECURITY (SecurityProperties)
spring.security.filter.order=-100 # Security filter chain order.
spring.security.filter.dispatcher-types=async,error,request # Security filter chain dispatcher types.
spring.security.user.name=user # Default user name.
spring.security.user.password= # Password for the default user name.
spring.security.user.roles= # Granted roles for the default user name.
2
3
4
5
6
# Security Oauth2 Client
# SECURITY OAUTH2 CLIENT (OAuth2ClientProperties)
spring.security.oauth2.client.provider.*= # OAuth provider details.
spring.security.oauth2.client.registration.*= # OAuth client registrations.
2
3
# Security Oauth2 Resource Server
# SECURITY OAUTH2 RESOURCE SERVER (OAuth2ResourceServerProperties)
spring.security.oauth2.resourceserver.jwt.jwk-set-uri= # JSON Web Key URI to use to verify the JWT token.
spring.security.oauth2.resourceserver.jwt.issuer-uri= # URI that an OpenID Connect Provider asserts as its Issuer Identifier.
2
3
# Data Properties
# Data JDBC
# DATA JDBC
spring.data.jdbc.repositories.enabled=true # Whether to enable JDBC repositories.
2
# MongoDB
# MONGODB (MongoProperties)
spring.data.mongodb.authentication-database= # Authentication database name.
spring.data.mongodb.database= # Database name.
spring.data.mongodb.field-naming-strategy= # Fully qualified name of the FieldNamingStrategy to use.
spring.data.mongodb.grid-fs-database= # GridFS database name.
spring.data.mongodb.host= # Mongo server host. Cannot be set with URI.
spring.data.mongodb.password= # Login password of the mongo server. Cannot be set with URI.
spring.data.mongodb.port= # Mongo server port. Cannot be set with URI.
spring.data.mongodb.repositories.type=auto # Type of Mongo repositories to enable.
spring.data.mongodb.uri=mongodb://localhost/test # Mongo database URI. Cannot be set with host, port and credentials.
spring.data.mongodb.username= # Login user of the mongo server. Cannot be set with URI.
2
3
4
5
6
7
8
9
10
11
# Data Redis
# DATA REDIS
spring.data.redis.repositories.enabled=true # Whether to enable Redis repositories.
2
# Solr
# SOLR (SolrProperties)
spring.data.solr.host=http://127.0.0.1:8983/solr # Solr host. Ignored if "zk-host" is set.
spring.data.solr.repositories.enabled=true # Whether to enable Solr repositories.
spring.data.solr.zk-host= # ZooKeeper host address in the form HOST:PORT.
2
3
4
# Datasource
# DATASOURCE (DataSourceAutoConfiguration & DataSourceProperties)
spring.datasource.continue-on-error=false # Whether to stop if an error occurs while initializing the database.
spring.datasource.data= # Data (DML) script resource references.
spring.datasource.data-username= # Username of the database to execute DML scripts (if different).
spring.datasource.data-password= # Password of the database to execute DML scripts (if different).
spring.datasource.dbcp2.*= # Commons DBCP2 specific settings
spring.datasource.driver-class-name= # Fully qualified name of the JDBC driver. Auto-detected based on the URL by default.
spring.datasource.generate-unique-name=false # Whether to generate a random datasource name.
spring.datasource.hikari.*= # Hikari specific settings
spring.datasource.initialization-mode=embedded # Initialize the datasource with available DDL and DML scripts.
spring.datasource.jmx-enabled=false # Whether to enable JMX support (if provided by the underlying pool).
spring.datasource.jndi-name= # JNDI location of the datasource. Class, url, username & password are ignored when set.
spring.datasource.name= # Name of the datasource. Default to "testdb" when using an embedded database.
spring.datasource.password= # Login password of the database.
spring.datasource.platform=all # Platform to use in the DDL or DML scripts (such as schema-${platform}.sql or data-${platform}.sql).
spring.datasource.schema= # Schema (DDL) script resource references.
spring.datasource.schema-username= # Username of the database to execute DDL scripts (if different).
spring.datasource.schema-password= # Password of the database to execute DDL scripts (if different).
spring.datasource.separator=; # Statement separator in SQL initialization scripts.
spring.datasource.sql-script-encoding= # SQL scripts encoding.
spring.datasource.tomcat.*= # Tomcat datasource specific settings
spring.datasource.type= # Fully qualified name of the connection pool implementation to use. By default, it is auto-detected from the classpath.
spring.datasource.url= # JDBC URL of the database.
spring.datasource.username= # Login username of the database.
spring.datasource.xa.data-source-class-name= # XA datasource fully qualified name.
spring.datasource.xa.properties= # Properties to pass to the XA data source.
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
# JDBC
# JDBC (JdbcProperties)
spring.jdbc.template.fetch-size=-1 # Number of rows that should be fetched from the database when more rows are needed.
spring.jdbc.template.max-rows=-1 # Maximum number of rows.
spring.jdbc.template.query-timeout= # Query timeout. Default is to use the JDBC driver's default configuration. If a duration suffix is not specified, seconds will be used.
2
3
4
# Embedded MongoDB
# EMBEDDED MONGODB (EmbeddedMongoProperties)
spring.mongodb.embedded.features=sync_delay # Comma-separated list of features to enable.
spring.mongodb.embedded.storage.database-dir= # Directory used for data storage.
spring.mongodb.embedded.storage.oplog-size= # Maximum size of the oplog.
spring.mongodb.embedded.storage.repl-set-name= # Name of the replica set.
spring.mongodb.embedded.version=3.5.5 # Version of Mongo to use.
2
3
4
5
6
# Elasticsearch
# ReactiveElasticsearchRestClientProperties
spring.data.elasticsearch.client.reactive.connection-timeout= # Connection timeout.
spring.data.elasticsearch.client.reactive.endpoints=[localhost:9200] # Comma-separated list of the Elasticsearch endpoints to connect to.
spring.data.elasticsearch.client.reactive.max-in-memory-size= # Limit on the number of bytes that can be buffered whenever the input stream needs to be aggregated.
spring.data.elasticsearch.client.reactive.password= # Credentials password.
spring.data.elasticsearch.client.reactive.socket-timeout= # Read and Write Socket timeout.
spring.data.elasticsearch.client.reactive.use-ssl=false # Whether the client should use SSL to connect to the endpoints.
spring.data.elasticsearch.client.reactive.username= # Credentials username.
spring.data.elasticsearch.repositories.enabled=true # Whether to enable Elasticsearch repositories.
# ElasticsearchRestClientProperties
spring.elasticsearch.rest.connection-timeout=1s # Connection timeout.
spring.elasticsearch.rest.password= # Credentials password.
spring.elasticsearch.rest.read-timeout=30s# Read timeout.
spring.elasticsearch.rest.sniffer.delay-after-failure=1m # Delay of a sniff execution scheduled after a failure.
spring.elasticsearch.rest.sniffer.interval=5m # Interval between consecutive ordinary sniff executions.
spring.elasticsearch.rest.uris=[http://localhost:9200] # Comma-separated list of the Elasticsearch instances to use.
spring.elasticsearch.rest.username= # Credentials username.
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
# Redis
# REDIS (RedisProperties)
spring.redis.cluster.max-redirects= # Maximum number of redirects to follow when executing commands across the cluster.
spring.redis.cluster.nodes= # Comma-separated list of "host:port" pairs to bootstrap from.
spring.redis.database=0 # Database index used by the connection factory.
spring.redis.url= # Connection URL. Overrides host, port, and password. User is ignored. Example: redis://user:password@example.com:6379
spring.redis.host=localhost # Redis server host.
spring.redis.jedis.pool.max-active=8 # Maximum number of connections that can be allocated by the pool at a given time. Use a negative value for no limit.
spring.redis.jedis.pool.max-idle=8 # Maximum number of "idle" connections in the pool. Use a negative value to indicate an unlimited number of idle connections.
spring.redis.jedis.pool.max-wait=-1ms # Maximum amount of time a connection allocation should block before throwing an exception when the pool is exhausted. Use a negative value to block indefinitely.
spring.redis.jedis.pool.min-idle=0 # Target for the minimum number of idle connections to maintain in the pool. This setting only has an effect if it is positive.
spring.redis.lettuce.pool.max-active=8 # Maximum number of connections that can be allocated by the pool at a given time. Use a negative value for no limit.
spring.redis.lettuce.pool.max-idle=8 # Maximum number of "idle" connections in the pool. Use a negative value to indicate an unlimited number of idle connections.
spring.redis.lettuce.pool.max-wait=-1ms # Maximum amount of time a connection allocation should block before throwing an exception when the pool is exhausted. Use a negative value to block indefinitely.
spring.redis.lettuce.pool.min-idle=0 # Target for the minimum number of idle connections to maintain in the pool. This setting only has an effect if it is positive.
spring.redis.lettuce.shutdown-timeout=100ms # Shutdown timeout.
spring.redis.password= # Login password of the redis server.
spring.redis.port=6379 # Redis server port.
spring.redis.sentinel.master= # Name of the Redis server.
spring.redis.sentinel.nodes= # Comma-separated list of "host:port" pairs.
spring.redis.ssl=false # Whether to enable SSL support.
spring.redis.timeout= # Connection timeout.
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
# Transaction
# TRANSACTION (TransactionProperties)
spring.transaction.default-timeout= # Default transaction timeout. If a duration suffix is not specified, seconds will be used.
spring.transaction.rollback-on-commit-failure= # Whether to roll back on commit failures.
2
3
# Integration Properties
# ActiveMQ
# ACTIVEMQ (ActiveMQProperties)
spring.activemq.broker-url= # URL of the ActiveMQ broker. Auto-generated by default.
spring.activemq.close-timeout=15s # Time to wait before considering a close complete.
spring.activemq.in-memory=true # Whether the default broker URL should be in memory. Ignored if an explicit broker has been specified.
spring.activemq.non-blocking-redelivery=false # Whether to stop message delivery before re-delivering messages from a rolled back transaction. This implies that message order is not preserved when this is enabled.
spring.activemq.password= # Login password of the broker.
spring.activemq.send-timeout=0ms # Time to wait on message sends for a response. Set it to 0 to wait forever.
spring.activemq.user= # Login user of the broker.
spring.activemq.packages.trust-all= # Whether to trust all packages.
spring.activemq.packages.trusted= # Comma-separated list of specific packages to trust (when not trusting all packages).
spring.activemq.pool.block-if-full=true # Whether to block when a connection is requested and the pool is full. Set it to false to throw a "JMSException" instead.
spring.activemq.pool.block-if-full-timeout=-1ms # Blocking period before throwing an exception if the pool is still full.
spring.activemq.pool.enabled=false # Whether a JmsPoolConnectionFactory should be created, instead of a regular ConnectionFactory.
spring.activemq.pool.idle-timeout=30s # Connection idle timeout.
spring.activemq.pool.max-connections=1 # Maximum number of pooled connections.
spring.activemq.pool.max-sessions-per-connection=500 # Maximum number of pooled sessions per connection in the pool.
spring.activemq.pool.time-between-expiration-check=-1ms # Time to sleep between runs of the idle connection eviction thread. When negative, no idle connection eviction thread runs.
spring.activemq.pool.use-anonymous-producers=true # Whether to use only one anonymous "MessageProducer" instance. Set it to false to create one "MessageProducer" every time one is required.
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
# RabbitMQ
# RABBIT (RabbitProperties)
spring.rabbitmq.addresses= # Comma-separated list of addresses to which the client should connect.
spring.rabbitmq.cache.channel.checkout-timeout= # Duration to wait to obtain a channel if the cache size has been reached.
spring.rabbitmq.cache.channel.size= # Number of channels to retain in the cache.
spring.rabbitmq.cache.connection.mode=channel # Connection factory cache mode.
spring.rabbitmq.cache.connection.size= # Number of connections to cache.
spring.rabbitmq.connection-timeout= # Connection timeout. Set it to zero to wait forever.
spring.rabbitmq.dynamic=true # Whether to create an AmqpAdmin bean.
spring.rabbitmq.host=localhost # RabbitMQ host.
spring.rabbitmq.listener.direct.acknowledge-mode= # Acknowledge mode of container.
spring.rabbitmq.listener.direct.auto-startup=true # Whether to start the container automatically on startup.
spring.rabbitmq.listener.direct.consumers-per-queue= # Number of consumers per queue.
spring.rabbitmq.listener.direct.default-requeue-rejected= # Whether rejected deliveries are re-queued by default.
spring.rabbitmq.listener.direct.idle-event-interval= # How often idle container events should be published.
spring.rabbitmq.listener.direct.missing-queues-fatal=false # Whether to fail if the queues declared by the container are not available on the broker.
spring.rabbitmq.listener.direct.prefetch= # Maximum number of unacknowledged messages that can be outstanding at each consumer.
spring.rabbitmq.listener.direct.retry.enabled=false # Whether publishing retries are enabled.
spring.rabbitmq.listener.direct.retry.initial-interval=1000ms # Duration between the first and second attempt to deliver a message.
spring.rabbitmq.listener.direct.retry.max-attempts=3 # Maximum number of attempts to deliver a message.
spring.rabbitmq.listener.direct.retry.max-interval=10000ms # Maximum duration between attempts.
spring.rabbitmq.listener.direct.retry.multiplier=1 # Multiplier to apply to the previous retry interval.
spring.rabbitmq.listener.direct.retry.stateless=true # Whether retries are stateless or stateful.
spring.rabbitmq.listener.simple.acknowledge-mode= # Acknowledge mode of container.
spring.rabbitmq.listener.simple.auto-startup=true # Whether to start the container automatically on startup.
spring.rabbitmq.listener.simple.concurrency= # Minimum number of listener invoker threads.
spring.rabbitmq.listener.simple.max-concurrency= # Maximum number of listener invoker threads.
spring.rabbitmq.listener.simple.default-requeue-rejected= # Whether rejected deliveries are re-queued by default.
spring.rabbitmq.listener.simple.idle-event-interval= # How often idle container events should be published.
spring.rabbitmq.listener.simple.missing-queues-fatal=true # Whether to fail if the queues declared by the container are not available on the broker and/or whether to stop the container if one or more queues are deleted at runtime.
spring.rabbitmq.listener.simple.prefetch= # Maximum number of unacknowledged messages that can be outstanding at each consumer.
spring.rabbitmq.listener.simple.retry.enabled=false # Whether publishing retries are enabled.
spring.rabbitmq.listener.simple.retry.initial-interval=1000ms # Duration between the first and second attempt to deliver a message.
spring.rabbitmq.listener.simple.retry.max-attempts=3 # Maximum number of attempts to deliver a message.
spring.rabbitmq.listener.simple.retry.max-interval=10000ms # Maximum duration between attempts.
spring.rabbitmq.listener.simple.retry.multiplier=1 # Multiplier to apply to the previous retry interval.
spring.rabbitmq.listener.simple.retry.stateless=true # Whether retries are stateless or stateful.
spring.rabbitmq.listener.simple.transaction-size= # Number of messages to be processed between acks when the acknowledge mode is AUTO. If larger than prefetch, prefetch will be increased to this value.
spring.rabbitmq.listener.type=simple # Listener container type.
spring.rabbitmq.password=guest # Login to authenticate against the broker.
spring.rabbitmq.port=5672 # RabbitMQ port.
spring.rabbitmq.publisher-confirms=false # Whether to enable publisher confirms.
spring.rabbitmq.publisher-returns=false # Whether to enable publisher returns.
spring.rabbitmq.requested-heartbeat= # Requested heartbeat timeout; zero for none. If a duration suffix is not specified, seconds will be used.
spring.rabbitmq.ssl.algorithm= # SSL algorithm to use. By default, configured by the Rabbit client library.
spring.rabbitmq.ssl.enabled=false # Whether to enable SSL support.
spring.rabbitmq.ssl.key-store= # Path to the key store that holds the SSL certificate.
spring.rabbitmq.ssl.key-store-password= # Password used to access the key store.
spring.rabbitmq.ssl.key-store-type=PKCS12 # Key store type.
spring.rabbitmq.ssl.trust-store= # Trust store that holds SSL certificates.
spring.rabbitmq.ssl.trust-store-password= # Password used to access the trust store.
spring.rabbitmq.ssl.trust-store-type=JKS # Trust store type.
spring.rabbitmq.ssl.validate-server-certificate=true # Whether to enable server side certificate validation.
spring.rabbitmq.ssl.verify-hostname=true # Whether to enable hostname verification.
spring.rabbitmq.template.default-receive-queue= # Name of the default queue to receive messages from when none is specified explicitly.
spring.rabbitmq.template.exchange= # Name of the default exchange to use for send operations.
spring.rabbitmq.template.mandatory= # Whether to enable mandatory messages.
spring.rabbitmq.template.receive-timeout= # Timeout for `receive()` operations.
spring.rabbitmq.template.reply-timeout= # Timeout for `sendAndReceive()` operations.
spring.rabbitmq.template.retry.enabled=false # Whether publishing retries are enabled.
spring.rabbitmq.template.retry.initial-interval=1000ms # Duration between the first and second attempt to deliver a message.
spring.rabbitmq.template.retry.max-attempts=3 # Maximum number of attempts to deliver a message.
spring.rabbitmq.template.retry.max-interval=10000ms # Maximum duration between attempts.
spring.rabbitmq.template.retry.multiplier=1 # Multiplier to apply to the previous retry interval.
spring.rabbitmq.template.routing-key= # Value of a default routing key to use for send operations.
spring.rabbitmq.username=guest # Login user to authenticate to the broker.
spring.rabbitmq.virtual-host= # Virtual host to use when connecting to the broker.
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
# Apache Kafka
# APACHE KAFKA (KafkaProperties)
spring.kafka.admin.client-id= # ID to pass to the server when making requests. Used for server-side logging.
spring.kafka.admin.fail-fast=false # Whether to fail fast if the broker is not available on startup.
spring.kafka.admin.properties.*= # Additional admin-specific properties used to configure the client.
spring.kafka.admin.ssl.key-password= # Password of the private key in the key store file.
spring.kafka.admin.ssl.key-store-location= # Location of the key store file.
spring.kafka.admin.ssl.key-store-password= # Store password for the key store file.
spring.kafka.admin.ssl.key-store-type= # Type of the key store.
spring.kafka.admin.ssl.protocol= # SSL protocol to use.
spring.kafka.admin.ssl.trust-store-location= # Location of the trust store file.
spring.kafka.admin.ssl.trust-store-password= # Store password for the trust store file.
spring.kafka.admin.ssl.trust-store-type= # Type of the trust store.
spring.kafka.bootstrap-servers= # Comma-delimited list of host:port pairs to use for establishing the initial connections to the Kafka cluster. Applies to all components unless overridden.
spring.kafka.client-id= # ID to pass to the server when making requests. Used for server-side logging.
spring.kafka.consumer.auto-commit-interval= # Frequency with which the consumer offsets are auto-committed to Kafka if 'enable.auto.commit' is set to true.
spring.kafka.consumer.auto-offset-reset= # What to do when there is no initial offset in Kafka or if the current offset no longer exists on the server.
spring.kafka.consumer.bootstrap-servers= # Comma-delimited list of host:port pairs to use for establishing the initial connections to the Kafka cluster. Overrides the global property, for consumers.
spring.kafka.consumer.client-id= # ID to pass to the server when making requests. Used for server-side logging.
spring.kafka.consumer.enable-auto-commit= # Whether the consumer's offset is periodically committed in the background.
spring.kafka.consumer.fetch-max-wait= # Maximum amount of time the server blocks before answering the fetch request if there isn't sufficient data to immediately satisfy the requirement given by "fetch-min-size".
spring.kafka.consumer.fetch-min-size= # Minimum amount of data the server should return for a fetch request.
spring.kafka.consumer.group-id= # Unique string that identifies the consumer group to which this consumer belongs.
spring.kafka.consumer.heartbeat-interval= # Expected time between heartbeats to the consumer coordinator.
spring.kafka.consumer.key-deserializer= # Deserializer class for keys.
spring.kafka.consumer.max-poll-records= # Maximum number of records returned in a single call to poll().
spring.kafka.consumer.properties.*= # Additional consumer-specific properties used to configure the client.
spring.kafka.consumer.ssl.key-password= # Password of the private key in the key store file.
spring.kafka.consumer.ssl.key-store-location= # Location of the key store file.
spring.kafka.consumer.ssl.key-store-password= # Store password for the key store file.
spring.kafka.consumer.ssl.key-store-type= # Type of the key store.
spring.kafka.consumer.ssl.protocol= # SSL protocol to use.
spring.kafka.consumer.ssl.trust-store-location= # Location of the trust store file.
spring.kafka.consumer.ssl.trust-store-password= # Store password for the trust store file.
spring.kafka.consumer.ssl.trust-store-type= # Type of the trust store.
spring.kafka.consumer.value-deserializer= # Deserializer class for values.
spring.kafka.jaas.control-flag=required # Control flag for login configuration.
spring.kafka.jaas.enabled=false # Whether to enable JAAS configuration.
spring.kafka.jaas.login-module=com.sun.security.auth.module.Krb5LoginModule # Login module.
spring.kafka.jaas.options= # Additional JAAS options.
spring.kafka.listener.ack-count= # Number of records between offset commits when ackMode is "COUNT" or "COUNT_TIME".
spring.kafka.listener.ack-mode= # Listener AckMode. See the spring-kafka documentation.
spring.kafka.listener.ack-time= # Time between offset commits when ackMode is "TIME" or "COUNT_TIME".
spring.kafka.listener.client-id= # Prefix for the listener's consumer client.id property.
spring.kafka.listener.concurrency= # Number of threads to run in the listener containers.
spring.kafka.listener.idle-event-interval= # Time between publishing idle consumer events (no data received).
spring.kafka.listener.log-container-config= # Whether to log the container configuration during initialization (INFO level).
spring.kafka.listener.monitor-interval= # Time between checks for non-responsive consumers. If a duration suffix is not specified, seconds will be used.
spring.kafka.listener.no-poll-threshold= # Multiplier applied to "pollTimeout" to determine if a consumer is non-responsive.
spring.kafka.listener.poll-timeout= # Timeout to use when polling the consumer.
spring.kafka.listener.type=single # Listener type.
spring.kafka.producer.acks= # Number of acknowledgments the producer requires the leader to have received before considering a request complete.
spring.kafka.producer.batch-size= # Default batch size.
spring.kafka.producer.bootstrap-servers= # Comma-delimited list of host:port pairs to use for establishing the initial connections to the Kafka cluster. Overrides the global property, for producers.
spring.kafka.producer.buffer-memory= # Total memory size the producer can use to buffer records waiting to be sent to the server.
spring.kafka.producer.client-id= # ID to pass to the server when making requests. Used for server-side logging.
spring.kafka.producer.compression-type= # Compression type for all data generated by the producer.
spring.kafka.producer.key-serializer= # Serializer class for keys.
spring.kafka.producer.properties.*= # Additional producer-specific properties used to configure the client.
spring.kafka.producer.retries= # When greater than zero, enables retrying of failed sends.
spring.kafka.producer.ssl.key-password= # Password of the private key in the key store file.
spring.kafka.producer.ssl.key-store-location= # Location of the key store file.
spring.kafka.producer.ssl.key-store-password= # Store password for the key store file.
spring.kafka.producer.ssl.key-store-type= # Type of the key store.
spring.kafka.producer.ssl.protocol= # SSL protocol to use.
spring.kafka.producer.ssl.trust-store-location= # Location of the trust store file.
spring.kafka.producer.ssl.trust-store-password= # Store password for the trust store file.
spring.kafka.producer.ssl.trust-store-type= # Type of the trust store.
spring.kafka.producer.transaction-id-prefix= # When non empty, enables transaction support for producer.
spring.kafka.producer.value-serializer= # Serializer class for values.
spring.kafka.properties.*= # Additional properties, common to producers and consumers, used to configure the client.
spring.kafka.ssl.key-password= # Password of the private key in the key store file.
spring.kafka.ssl.key-store-location= # Location of the key store file.
spring.kafka.ssl.key-store-password= # Store password for the key store file.
spring.kafka.ssl.key-store-type= # Type of the key store.
spring.kafka.ssl.protocol= # SSL protocol to use.
spring.kafka.ssl.trust-store-location= # Location of the trust store file.
spring.kafka.ssl.trust-store-password= # Store password for the trust store file.
spring.kafka.ssl.trust-store-type= # Type of the trust store.
spring.kafka.streams.application-id= # Kafka streams application.id property; default spring.application.name.
spring.kafka.streams.auto-startup=true # Whether or not to auto-start the streams factory bean.
spring.kafka.streams.bootstrap-servers= # Comma-delimited list of host:port pairs to use for establishing the initial connections to the Kafka cluster. Overrides the global property, for streams.
spring.kafka.streams.cache-max-size-buffering= # Maximum memory size to be used for buffering across all threads.
spring.kafka.streams.client-id= # ID to pass to the server when making requests. Used for server-side logging.
spring.kafka.streams.properties.*= # Additional Kafka properties used to configure the streams.
spring.kafka.streams.replication-factor= # The replication factor for change log topics and repartition topics created by the stream processing application.
spring.kafka.streams.ssl.key-password= # Password of the private key in the key store file.
spring.kafka.streams.ssl.key-store-location= # Location of the key store file.
spring.kafka.streams.ssl.key-store-password= # Store password for the key store file.
spring.kafka.streams.ssl.key-store-type= # Type of the key store.
spring.kafka.streams.ssl.protocol= # SSL protocol to use.
spring.kafka.streams.ssl.trust-store-location= # Location of the trust store file.
spring.kafka.streams.ssl.trust-store-password= # Store password for the trust store file.
spring.kafka.streams.ssl.trust-store-type= # Type of the trust store.
spring.kafka.streams.state-dir= # Directory location for the state store.
spring.kafka.template.default-topic= # Default topic to which messages are sent.
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95