Spring-Framework - Optimize - Chapter 6. Web On Reactive Sta
Spring-Framework - Optimize - Chapter 6. Web On Reactive Sta
Both web frameworks mirror the names of their source modules (spring-webmvc and spring-
webflux) and co-exist side by side in the Spring Framework. Each module is optional. Applications
can use one or the other module or, in some cases, both — for example, Spring MVC controllers with
the reactive WebClient.
6.1.1. Overview
Part of the answer is the need for a non-blocking web stack to handle concurrency with a small
number of threads and scale with fewer hardware resources. Servlet non-blocking I/O leads away
from the rest of the Servlet API, where contracts are synchronous (Filter, Servlet) or blocking
(getParameter, getPart). This was the motivation for a new common API to serve as a foundation
across any non-blocking runtime. That is important because of servers (such as Netty) that are well-
established in the async, non-blocking space.
The other part of the answer is functional programming. Much as the addition of annotations in
Java 5 created opportunities (such as annotated REST controllers or unit tests), the addition of
lambda expressions in Java 8 created opportunities for functional APIs in Java. This is a boon for
non-blocking applications and continuation-style APIs (as popularized by CompletableFuture and
ReactiveX) that allow declarative composition of asynchronous logic. At the programming-model
level, Java 8 enabled Spring WebFlux to offer functional web endpoints alongside annotated
controllers.
Define “Reactive”
The term, “reactive,” refers to programming models that are built around reacting to
change — network components reacting to I/O events, UI controllers reacting to mouse events, and
others. In that sense, non-blocking is reactive, because, instead of being blocked, we are now in the
mode of reacting to notifications as operations complete or data becomes available.
1107
There is also another important mechanism that we on the Spring team associate with “reactive”
and that is non-blocking back pressure. In synchronous, imperative code, blocking calls serve as a
natural form of back pressure that forces the caller to wait. In non-blocking code, it becomes
important to control the rate of events so that a fast producer does not overwhelm its destination.
Reactive Streams is a small spec (also adopted in Java 9) that defines the interaction between
asynchronous components with back pressure. For example a data repository (acting as Publisher)
can produce data that an HTTP server (acting as Subscriber) can then write to the response. The
main purpose of Reactive Streams is to let the subscriber control how quickly or how slowly the
publisher produces data.
Reactive API
Reactive Streams plays an important role for interoperability. It is of interest to libraries and
infrastructure components but less useful as an application API, because it is too low-level.
Applications need a higher-level and richer, functional API to compose async logic — similar to the
Java 8 Stream API but not only for collections. This is the role that reactive libraries play.
Reactor is the reactive library of choice for Spring WebFlux. It provides the Mono and Flux API types
to work on data sequences of 0..1 (Mono) and 0..N (Flux) through a rich set of operators aligned with
the ReactiveX vocabulary of operators. Reactor is a Reactive Streams library and, therefore, all of its
operators support non-blocking back pressure. Reactor has a strong focus on server-side Java. It is
developed in close collaboration with Spring.
WebFlux requires Reactor as a core dependency but it is interoperable with other reactive libraries
via Reactive Streams. As a general rule, a WebFlux API accepts a plain Publisher as input, adapts it
to a Reactor type internally, uses that, and returns either a Flux or a Mono as output. So, you can pass
any Publisher as input and you can apply operations on the output, but you need to adapt the
output for use with another reactive library. Whenever feasible (for example, annotated
controllers), WebFlux adapts transparently to the use of RxJava or another reactive library. See
Reactive Libraries for more details.
In addition to Reactive APIs, WebFlux can also be used with Coroutines APIs in
Kotlin which provides a more imperative style of programming. The following
Kotlin code samples will be provided with Coroutines APIs.
Programming Models
The spring-web module contains the reactive foundation that underlies Spring WebFlux, including
HTTP abstractions, Reactive Streams adapters for supported servers, codecs, and a core WebHandler
API comparable to the Servlet API but with non-blocking contracts.
1108
• Annotated Controllers: Consistent with Spring MVC and based on the same annotations from the
spring-web module. Both Spring MVC and WebFlux controllers support reactive (Reactor and
RxJava) return types, and, as a result, it is not easy to tell them apart. One notable difference is
that WebFlux also supports reactive @RequestBody arguments.
• Functional Endpoints: Lambda-based, lightweight, and functional programming model. You can
think of this as a small library or a set of utilities that an application can use to route and handle
requests. The big difference with annotated controllers is that the application is in charge of
request handling from start to finish versus declaring intent through annotations and being
called back.
Applicability
A natural question to ask but one that sets up an unsound dichotomy. Actually, both work together
to expand the range of available options. The two are designed for continuity and consistency with
each other, they are available side by side, and feedback from each side benefits both sides. The
following diagram shows how the two relate, what they have in common, and what each supports
uniquely:
• If you have a Spring MVC application that works fine, there is no need to change. Imperative
programming is the easiest way to write, understand, and debug code. You have maximum
choice of libraries, since, historically, most are blocking.
• If you are already shopping for a non-blocking web stack, Spring WebFlux offers the same
execution model benefits as others in this space and also provides a choice of servers (Netty,
Tomcat, Jetty, Undertow, and Servlet containers), a choice of programming models (annotated
controllers and functional web endpoints), and a choice of reactive libraries (Reactor, RxJava, or
1109
other).
• If you are interested in a lightweight, functional web framework for use with Java 8 lambdas or
Kotlin, you can use the Spring WebFlux functional web endpoints. That can also be a good
choice for smaller applications or microservices with less complex requirements that can
benefit from greater transparency and control.
• In a microservice architecture, you can have a mix of applications with either Spring MVC or
Spring WebFlux controllers or with Spring WebFlux functional endpoints. Having support for
the same annotation-based programming model in both frameworks makes it easier to re-use
knowledge while also selecting the right tool for the right job.
• A simple way to evaluate an application is to check its dependencies. If you have blocking
persistence APIs (JPA, JDBC) or networking APIs to use, Spring MVC is the best choice for
common architectures at least. It is technically feasible with both Reactor and RxJava to
perform blocking calls on a separate thread but you would not be making the most of a non-
blocking web stack.
• If you have a Spring MVC application with calls to remote services, try the reactive WebClient.
You can return reactive types (Reactor, RxJava, or other) directly from Spring MVC controller
methods. The greater the latency per call or the interdependency among calls, the more
dramatic the benefits. Spring MVC controllers can call other reactive components too.
• If you have a large team, keep in mind the steep learning curve in the shift to non-blocking,
functional, and declarative programming. A practical way to start without a full switch is to use
the reactive WebClient. Beyond that, start small and measure the benefits. We expect that, for a
wide range of applications, the shift is unnecessary. If you are unsure what benefits to look for,
start by learning about how non-blocking I/O works (for example, concurrency on single-
threaded Node.js) and its effects.
Servers
Spring WebFlux does not have built-in support to start or stop a server. However, it is easy to
assemble an application from Spring configuration and WebFlux infrastructure and run it with a
few lines of code.
Spring Boot has a WebFlux starter that automates these steps. By default, the starter uses Netty, but
it is easy to switch to Tomcat, Jetty, or Undertow by changing your Maven or Gradle dependencies.
Spring Boot defaults to Netty, because it is more widely used in the asynchronous, non-blocking
space and lets a client and a server share resources.
Tomcat and Jetty can be used with both Spring MVC and WebFlux. Keep in mind, however, that the
way they are used is very different. Spring MVC relies on Servlet blocking I/O and lets applications
use the Servlet API directly if they need to. Spring WebFlux relies on Servlet non-blocking I/O and
uses the Servlet API behind a low-level adapter. It is not exposed for direct use.
For Undertow, Spring WebFlux uses Undertow APIs directly without the Servlet API.
1110
Performance
Performance has many characteristics and meanings. Reactive and non-blocking generally do not
make applications run faster. They can, in some cases, (for example, if using the WebClient to run
remote calls in parallel). On the whole, it requires more work to do things the non-blocking way
and that can slightly increase the required processing time.
The key expected benefit of reactive and non-blocking is the ability to scale with a small, fixed
number of threads and less memory. That makes applications more resilient under load, because
they scale in a more predictable way. In order to observe those benefits, however, you need to have
some latency (including a mix of slow and unpredictable network I/O). That is where the reactive
stack begins to show its strengths, and the differences can be dramatic.
Concurrency Model
Both Spring MVC and Spring WebFlux support annotated controllers, but there is a key difference
in the concurrency model and the default assumptions for blocking and threads.
In Spring MVC (and servlet applications in general), it is assumed that applications can block the
current thread, (for example, for remote calls). For this reason, servlet containers use a large thread
pool to absorb potential blocking during request handling.
In Spring WebFlux (and non-blocking servers in general), it is assumed that applications do not
block. Therefore, non-blocking servers use a small, fixed-size thread pool (event loop workers) to
handle requests.
“To scale” and “small number of threads” may sound contradictory but to never
block the current thread (and rely on callbacks instead) means that you do not
need extra threads, as there are no blocking calls to absorb.
Mutable State
In Reactor and RxJava, you declare logic through operators. At runtime, a reactive pipeline is
formed where data is processed sequentially, in distinct stages. A key benefit of this is that it frees
applications from having to protect mutable state because application code within that pipeline is
never invoked concurrently.
Threading Model
What threads should you expect to see on a server running with Spring WebFlux?
• On a “vanilla” Spring WebFlux server (for example, no data access nor other optional
dependencies), you can expect one thread for the server and several others for request
processing (typically as many as the number of CPU cores). Servlet containers, however, may
start with more threads (for example, 10 on Tomcat), in support of both servlet (blocking) I/O
and servlet 3.1 (non-blocking) I/O usage.
1111
• The reactive WebClient operates in event loop style. So you can see a small, fixed number of
processing threads related to that (for example, reactor-http-nio- with the Reactor Netty
connector). However, if Reactor Netty is used for both client and server, the two share event
loop resources by default.
• Reactor and RxJava provide thread pool abstractions, called schedulers, to use with the
publishOn operator that is used to switch processing to a different thread pool. The schedulers
have names that suggest a specific concurrency strategy — for example, “parallel” (for CPU-
bound work with a limited number of threads) or “elastic” (for I/O-bound work with a large
number of threads). If you see such threads, it means some code is using a specific thread pool
Scheduler strategy.
• Data access libraries and other third party dependencies can also create and use threads of
their own.
Configuring
The Spring Framework does not provide support for starting and stopping servers. To configure the
threading model for a server, you need to use server-specific configuration APIs, or, if you use
Spring Boot, check the Spring Boot configuration options for each server. You can configure the
WebClient directly. For all other libraries, see their respective documentation.
The spring-web module contains the following foundational support for reactive web applications:
◦ HttpHandler: Basic contract for HTTP request handling with non-blocking I/O and Reactive
Streams back pressure, along with adapters for Reactor Netty, Undertow, Tomcat, Jetty, and
any Servlet container.
◦ WebHandler API: Slightly higher level, general-purpose web API for request handling, on top
of which concrete programming models such as annotated controllers and functional
endpoints are built.
• For the client side, there is a basic ClientHttpConnector contract to perform HTTP requests with
non-blocking I/O and Reactive Streams back pressure, along with adapters for Reactor Netty,
reactive Jetty HttpClient and Apache HttpComponents. The higher level WebClient used in
applications builds on this basic contract.
• For client and server, codecs for serialization and deserialization of HTTP request and response
content.
HttpHandler
HttpHandler is a simple contract with a single method to handle a request and a response. It is
intentionally minimal, and its main and only purpose is to be a minimal abstraction over different
HTTP server APIs.
1112
Server name Server API used Reactive Streams support
Tomcat Servlet non-blocking I/O; Tomcat API spring-web: Servlet non-blocking I/O
to read and write ByteBuffers vs byte[] to Reactive Streams bridge
Jetty Servlet non-blocking I/O; Jetty API to spring-web: Servlet non-blocking I/O
write ByteBuffers vs byte[] to Reactive Streams bridge
The following table describes server dependencies (also see supported versions):
The code snippets below show using the HttpHandler adapters with each server API:
Reactor Netty
Java
Kotlin
Undertow
Java
1113
Kotlin
Tomcat
Java
Kotlin
Jetty
1114
Java
Kotlin
Servlet Container
To deploy as a WAR to any Servlet container, you can extend and include
AbstractReactiveWebInitializer in the WAR. That class wraps an HttpHandler with
ServletHttpHandlerAdapter and registers that as a Servlet.
WebHandler API
While HttpHandler has a simple goal to abstract the use of different HTTP servers, the WebHandler API
aims to provide a broader set of features commonly used in web applications such as:
1115
• Request attributes.
• and more..
The table below lists the components that WebHttpHandlerBuilder can auto-detect in a Spring
ApplicationContext, or that can be registered directly with it:
1116
Form Data
Java
Kotlin
Multipart Data
Web MVC
Java
Kotlin
To parse multipart data in streaming fashion, you can use the Flux<PartEvent> returned from the
PartEventHttpMessageReader instead of using @RequestPart, as that implies Map-like access to
individual parts by name and, hence, requires parsing multipart data in full. By contrast, you can
use @RequestBody to decode the content to Flux<PartEvent> without collecting to a MultiValueMap.
Forwarded Headers
Web MVC
As a request goes through proxies (such as load balancers), the host, port, and scheme may change.
That makes it a challenge, from a client perspective, to create links that point to the correct host,
port, and scheme.
RFC 7239 defines the Forwarded HTTP header that proxies can use to provide information about the
1117
original request. There are other non-standard headers, too, including X-Forwarded-Host, X-
Forwarded-Port, X-Forwarded-Proto, X-Forwarded-Ssl, and X-Forwarded-Prefix.
ForwardedHeaderTransformer is a component that modifies the host, port, and scheme of the request,
based on forwarded headers, and then removes those headers. If you declare it as a bean with the
name forwardedHeaderTransformer, it will be detected and used.
There are security considerations for forwarded headers, since an application cannot know if the
headers were added by a proxy, as intended, or by a malicious client. This is why a proxy at the
boundary of trust should be configured to remove untrusted forwarded traffic coming from the
outside. You can also configure the ForwardedHeaderTransformer with removeOnly=true, in which case
it removes but does not use the headers.
Filters
Web MVC
In the WebHandler API, you can use a WebFilter to apply interception-style logic before and after the
rest of the processing chain of filters and the target WebHandler. When using the WebFlux Config,
registering a WebFilter is as simple as declaring it as a Spring bean and (optionally) expressing
precedence by using @Order on the bean declaration or by implementing Ordered.
CORS
Web MVC
Spring WebFlux provides fine-grained support for CORS configuration through annotations on
controllers. However, when you use it with Spring Security, we advise relying on the built-in
CorsFilter, which must be ordered ahead of Spring Security’s chain of filters.
See the section on CORS and the CORS WebFilter for more details.
Exceptions
Web MVC
In the WebHandler API, you can use a WebExceptionHandler to handle exceptions from the chain of
WebFilter instances and the target WebHandler. When using the WebFlux Config, registering a
WebExceptionHandler is as simple as declaring it as a Spring bean and (optionally) expressing
precedence by using @Order on the bean declaration or by implementing Ordered.
1118
Exception Handler Description
ResponseStatusExceptionHandler Provides handling for exceptions of type ResponseStatusException
by setting the response to the HTTP status code of the exception.
WebFluxResponseStatusException Extension of ResponseStatusExceptionHandler that can also
Handler determine the HTTP status code of a @ResponseStatus annotation
on any exception.
Codecs
Web MVC
The spring-web and spring-core modules provide support for serializing and deserializing byte
content to and from higher level objects through non-blocking I/O with Reactive Streams back
pressure. The following describes this support:
• Encoder and Decoder are low level contracts to encode and decode content independent of HTTP.
• HttpMessageReader and HttpMessageWriter are contracts to encode and decode HTTP message
content.
The spring-core module provides byte[], ByteBuffer, DataBuffer, Resource, and String encoder and
decoder implementations. The spring-web module provides Jackson JSON, Jackson Smile, JAXB2,
Protocol Buffers and other encoders and decoders along with web-only HTTP message reader and
writer implementations for form data, multipart content, server-sent events, and others.
ClientCodecConfigurer and ServerCodecConfigurer are typically used to configure and customize the
codecs to use in an application. See the section on configuring HTTP message codecs.
Jackson JSON
JSON and binary JSON (Smile) are both supported when the Jackson library is present.
• Jackson’s asynchronous, non-blocking parser is used to aggregate a stream of byte chunks into
TokenBuffer's each representing a JSON object.
• When decoding to a multi-value publisher (e.g. Flux), each TokenBuffer is passed to the
ObjectMapper as soon as enough bytes are received for a fully formed object. The input content
can be a JSON array, or any line-delimited JSON format such as NDJSON, JSON Lines, or JSON
1119
Text Sequences.
• For a single value publisher (e.g. Mono), simply serialize it through the ObjectMapper.
• For a multi-value publisher with application/json, by default collect the values with
Flux#collectToList() and then serialize the resulting collection.
• For SSE the Jackson2Encoder is invoked per event and the output is flushed to ensure delivery
without delay.
Form Data
On the server side where form content often needs to be accessed from multiple places,
ServerWebExchange provides a dedicated getFormData() method that parses the content through
FormHttpMessageReader and then caches the result for repeated access. See Form Data in the
WebHandler API section.
Once getFormData() is used, the original raw content can no longer be read from the request body.
For this reason, applications are expected to go through ServerWebExchange consistently for access to
the cached form data versus reading from the raw request body.
Multipart
On the server side where multipart form content may need to be accessed from multiple places,
ServerWebExchange provides a dedicated getMultipartData() method that parses the content through
MultipartHttpMessageReader and then caches the result for repeated access. See Multipart Data in
the WebHandler API section.
Once getMultipartData() is used, the original raw content can no longer be read from the request
body. For this reason applications have to consistently use getMultipartData() for repeated, map-
1120
like access to parts, or otherwise rely on the SynchronossPartHttpMessageReader for a one-time access
to Flux<Part>.
Limits
Decoder and HttpMessageReader implementations that buffer some or all of the input stream can be
configured with a limit on the maximum number of bytes to buffer in memory. In some cases
buffering occurs because input is aggregated and represented as a single object — for example, a
controller method with @RequestBody byte[], x-www-form-urlencoded data, and so on. Buffering can
also occur with streaming, when splitting the input stream — for example, delimited text, a stream
of JSON objects, and so on. For those streaming cases, the limit applies to the number of bytes
associated with one object in the stream.
To configure buffer sizes, you can check if a given Decoder or HttpMessageReader exposes a
maxInMemorySize property and if so the Javadoc will have details about default values. On the server
side, ServerCodecConfigurer provides a single place from where to set all codecs, see HTTP message
codecs. On the client side, the limit for all codecs can be changed in WebClient.Builder.
For Multipart parsing the maxInMemorySize property limits the size of non-file parts. For file parts, it
determines the threshold at which the part is written to disk. For file parts written to disk, there is
an additional maxDiskUsagePerPart property to limit the amount of disk space per part. There is also
a maxParts property to limit the overall number of parts in a multipart request. To configure all
three in WebFlux, you’ll need to supply a pre-configured instance of MultipartHttpMessageReader to
ServerCodecConfigurer.
Streaming
Web MVC
DataBuffer
DataBuffer is the representation for a byte buffer in WebFlux. The Spring Core part of this reference
has more on that in the section on Data Buffers and Codecs. The key point to understand is that on
some servers like Netty, byte buffers are pooled and reference counted, and must be released when
consumed to avoid memory leaks.
WebFlux applications generally do not need to be concerned with such issues, unless they consume
or produce data buffers directly, as opposed to relying on codecs to convert to and from higher
level objects, or unless they choose to create custom codecs. For such cases please review the
information in Data Buffers and Codecs, especially the section on Using DataBuffer.
Logging
Web MVC
DEBUG level logging in Spring WebFlux is designed to be compact, minimal, and human-friendly. It
1121
focuses on high value bits of information that are useful over and over again vs others that are
useful only when debugging a specific issue.
TRACE level logging generally follows the same principles as DEBUG (and for example also should not
be a firehose) but can be used for debugging any issue. In addition, some log messages may show a
different level of detail at TRACE vs DEBUG.
Good logging comes from the experience of using the logs. If you spot anything that does not meet
the stated goals, please let us know.
Log Id
In WebFlux, a single request can be run over multiple threads and the thread ID is not useful for
correlating log messages that belong to a specific request. This is why WebFlux log messages are
prefixed with a request-specific ID by default.
On the server side, the log ID is stored in the ServerWebExchange attribute (LOG_ID_ATTRIBUTE), while a
fully formatted prefix based on that ID is available from ServerWebExchange#getLogPrefix(). On the
WebClient side, the log ID is stored in the ClientRequest attribute (LOG_ID_ATTRIBUTE) ,while a fully
formatted prefix is available from ClientRequest#logPrefix().
Sensitive Data
Web MVC
DEBUG and TRACE logging can log sensitive information. This is why form parameters and headers are
masked by default and you must explicitly enable their logging in full.
Java
@Configuration
@EnableWebFlux
class MyConfig implements WebFluxConfigurer {
@Override
public void configureHttpMessageCodecs(ServerCodecConfigurer configurer) {
configurer.defaultCodecs().enableLoggingRequestDetails(true);
}
}
1122
Kotlin
@Configuration
@EnableWebFlux
class MyConfig : WebFluxConfigurer {
Java
Kotlin
Appenders
Logging libraries such as SLF4J and Log4J 2 provide asynchronous loggers that avoid blocking.
While those have their own drawbacks such as potentially dropping messages that could not be
queued for logging, they are the best available options currently for use in a reactive, non-blocking
application.
Custom codecs
Applications can register custom codecs for supporting additional media types, or specific
behaviors that are not supported by the default codecs.
Some configuration options expressed by developers are enforced on default codecs. Custom codecs
might want to get a chance to align with those preferences, like enforcing buffering limits or
logging sensitive data.
1123
Java
Kotlin
6.1.3. DispatcherHandler
Web MVC
Spring WebFlux, similarly to Spring MVC, is designed around the front controller pattern, where a
central WebHandler, the DispatcherHandler, provides a shared algorithm for request processing, while
actual work is performed by configurable, delegate components. This model is flexible and supports
diverse workflows.
DispatcherHandler discovers the delegate components it needs from Spring configuration. It is also
designed to be a Spring bean itself and implements ApplicationContextAware for access to the
context in which it runs. If DispatcherHandler is declared with a bean name of webHandler, it is, in
turn, discovered by WebHttpHandlerBuilder, which puts together a request-processing chain, as
described in WebHandler API.
• Others
The configuration is given to WebHttpHandlerBuilder to build the processing chain, as the following
example shows:
Java
1124
Kotlin
Web MVC
The DispatcherHandler delegates to special beans to process requests and render the appropriate
responses. By “special beans,” we mean Spring-managed Object instances that implement WebFlux
framework contracts. Those usually come with built-in contracts, but you can customize their
properties, extend them, or replace them.
The following table lists the special beans detected by the DispatcherHandler. Note that there are
also some other beans detected at a lower level (see Special bean types in the Web Handler API).
WebFlux Config
Web MVC
Applications can declare the infrastructure beans (listed under Web Handler API and
DispatcherHandler) that are required to process requests. However, in most cases, the WebFlux
Config is the best starting point. It declares the required beans and provides a higher-level
configuration callback API to customize it.
1125
Spring Boot relies on the WebFlux config to configure Spring WebFlux and also
provides many extra convenient options.
Processing
Web MVC
• Each HandlerMapping is asked to find a matching handler, and the first match is used.
• If a handler is found, it is run through an appropriate HandlerAdapter, which exposes the return
value from the execution as HandlerResult.
Result Handling
The return value from the invocation of a handler, through a HandlerAdapter, is wrapped as a
HandlerResult, along with some additional context, and passed to the first HandlerResultHandler that
claims support for it. The following table shows the available HandlerResultHandler
implementations, all of which are declared in the WebFlux Config:
Exceptions
Web MVC
HandlerAdapter implementations can handle internally exceptions from invoking a request handler,
such as a controller method. However, an exception may be deferred if the request handler returns
an asynchronous value.
1126
DispatcherHandler will apply it to exceptions that arise before a handler is mapped, e.g. during
handler mapping, or earlier, e.g. in a WebFilter.
See also Exceptions in the “Annotated Controller” section or Exceptions in the WebHandler API
section.
View Resolution
Web MVC
View resolution enables rendering to a browser with an HTML template and a model without tying
you to a specific view technology. In Spring WebFlux, view resolution is supported through a
dedicated HandlerResultHandler that uses ViewResolver instances to map a String (representing a
logical view name) to a View instance. The View is then used to render the response.
Handling
Web MVC
The HandlerResult passed into ViewResolutionResultHandler contains the return value from the
handler and the model that contains attributes added during request handling. The return value is
processed as one of the following:
• String, CharSequence: A logical view name to be resolved to a View through the list of configured
ViewResolver implementations.
• void: Select a default view name based on the request path, minus the leading and trailing slash,
and resolve it to a View. The same also happens when a view name was not provided (for
example, model attribute was returned) or an async return value (for example, Mono completed
empty).
• Rendering: API for view resolution scenarios. Explore the options in your IDE with code
completion.
• Model, Map: Extra model attributes to be added to the model for the request.
• Any other: Any other return value (except for simple types, as determined by
BeanUtils#isSimpleProperty) is treated as a model attribute to be added to the model. The
attribute name is derived from the class name by using conventions, unless a handler method
@ModelAttribute annotation is present.
The model can contain asynchronous, reactive types (for example, from Reactor or RxJava). Prior to
rendering, AbstractView resolves such model attributes into concrete values and updates the model.
Single-value reactive types are resolved to a single value or no value (if empty), while multi-value
reactive types (for example, Flux<T>) are collected and resolved to List<T>.
See View Technologies for more on the view technologies integrated with Spring WebFlux.
1127
Redirecting
Web MVC
The special redirect: prefix in a view name lets you perform a redirect. The UrlBasedViewResolver
(and sub-classes) recognize this as an instruction that a redirect is needed. The rest of the view
name is the redirect URL.
The net effect is the same as if the controller had returned a RedirectView or
Rendering.redirectTo("abc").build(), but now the controller itself can operate in terms of logical
view names. A view name such as redirect:/some/resource is relative to the current application,
while a view name such as redirect:https://example.com/arbitrary/path redirects to an absolute
URL.
Content Negotiation
Web MVC
In order to support media types such as JSON and XML, Spring WebFlux provides
HttpMessageWriterView, which is a special View that renders through an HttpMessageWriter.
Typically, you would configure these as default views through the WebFlux Configuration. Default
views are always selected and used if they match the requested media type.
Java
@RestController
public class HelloController {
@GetMapping("/hello")
public String handle() {
return "Hello WebFlux";
}
}
1128
Kotlin
@RestController
class HelloController {
@GetMapping("/hello")
fun handle() = "Hello WebFlux"
}
In the preceding example, the method returns a String to be written to the response body.
@Controller
Web MVC
You can define controller beans by using a standard Spring bean definition. The @Controller
stereotype allows for auto-detection and is aligned with Spring general support for detecting
@Component classes in the classpath and auto-registering bean definitions for them. It also acts as a
stereotype for the annotated class, indicating its role as a web component.
To enable auto-detection of such @Controller beans, you can add component scanning to your Java
configuration, as the following example shows:
Java
@Configuration
@ComponentScan("org.example.web") ①
public class WebConfig {
// ...
}
Kotlin
@Configuration
@ComponentScan("org.example.web") ①
class WebConfig {
// ...
}
1129
AOP Proxies
Web MVC
In some cases, you may need to decorate a controller with an AOP proxy at runtime. One example is
if you choose to have @Transactional annotations directly on the controller. When this is the case,
for controllers specifically, we recommend using class-based proxying. This is automatically the
case with such annotations directly on the controller.
If the controller implements an interface, and needs AOP proxying, you may need to explicitly
configure class-based proxying. For example, with @EnableTransactionManagement you can change to
@EnableTransactionManagement(proxyTargetClass = true), and with <tx:annotation-driven/> you can
change to <tx:annotation-driven proxy-target-class="true"/>.
Keep in mind that as of 6.0, with interface proxying, Spring WebFlux no longer
detects controllers based solely on a type-level @RequestMapping annotation on the
interface. Please, enable class based proxying, or otherwise the interface must also
have an @Controller annotation.
Request Mapping
Web MVC
The @RequestMapping annotation is used to map requests to controllers methods. It has various
attributes to match by URL, HTTP method, request parameters, headers, and media types. You can
use it at the class level to express shared mappings or at the method level to narrow down to a
specific endpoint mapping.
• @GetMapping
• @PostMapping
• @PutMapping
• @DeleteMapping
• @PatchMapping
The preceding annotations are Custom Annotations that are provided because, arguably, most
controller methods should be mapped to a specific HTTP method versus using @RequestMapping,
which, by default, matches to all HTTP methods. At the same time, a @RequestMapping is still needed
at the class level to express shared mappings.
1130
Java
@RestController
@RequestMapping("/persons")
class PersonController {
@GetMapping("/{id}")
public Person getPerson(@PathVariable Long id) {
// ...
}
@PostMapping
@ResponseStatus(HttpStatus.CREATED)
public void add(@RequestBody Person person) {
// ...
}
}
Kotlin
@RestController
@RequestMapping("/persons")
class PersonController {
@GetMapping("/{id}")
fun getPerson(@PathVariable id: Long): Person {
// ...
}
@PostMapping
@ResponseStatus(HttpStatus.CREATED)
fun add(@RequestBody person: Person) {
// ...
}
}
URI Patterns
Web MVC
1131
Pattern Description Example
* Matches zero or more "/resources/*.png" matches
characters within a path "/resources/file.png"
segment
"/projects/*/versions" matches
"/projects/spring/versions" but does not match
"/projects/spring/boot/versions"
** Matches zero or more path "/resources/**" matches "/resources/file.png"
segments until the end of and "/resources/images/file.png"
the path
"/resources/**/file.png" is invalid as ** is only
allowed at the end of the path.
{name} Matches a path segment and "/projects/{project}/versions" matches
captures it as a variable "/projects/spring/versions" and captures
named "name" project=spring
Captured URI variables can be accessed with @PathVariable, as the following example shows:
Java
@GetMapping("/owners/{ownerId}/pets/{petId}")
public Pet findPet(@PathVariable Long ownerId, @PathVariable Long petId) {
// ...
}
Kotlin
@GetMapping("/owners/{ownerId}/pets/{petId}")
fun findPet(@PathVariable ownerId: Long, @PathVariable petId: Long): Pet {
// ...
}
You can declare URI variables at the class and method levels, as the following example shows:
1132
Java
@Controller
@RequestMapping("/owners/{ownerId}") ①
public class OwnerController {
@GetMapping("/pets/{petId}") ②
public Pet findPet(@PathVariable Long ownerId, @PathVariable Long petId) {
// ...
}
}
Kotlin
@Controller
@RequestMapping("/owners/{ownerId}") ①
class OwnerController {
@GetMapping("/pets/{petId}") ②
fun findPet(@PathVariable ownerId: Long, @PathVariable petId: Long): Pet {
// ...
}
}
URI variables can be named explicitly (for example, @PathVariable("customId")), but you can leave
that detail out if the names are the same and you compile your code with the -parameters compiler
flag.
The syntax {*varName} declares a URI variable that matches zero or more remaining path segments.
For example /resources/{*path} matches all files under /resources/, and the "path" variable
captures the complete path under /resources.
The syntax {varName:regex} declares a URI variable with a regular expression that has the syntax:
{varName:regex}. For example, given a URL of /spring-web-3.0.5.jar, the following method extracts
the name, version, and file extension:
1133
Java
@GetMapping("/{name:[a-z-]+}-{version:\\d\\.\\d\\.\\d}{ext:\\.[a-z]+}")
public void handle(@PathVariable String version, @PathVariable String ext) {
// ...
}
Kotlin
@GetMapping("/{name:[a-z-]+}-{version:\\d\\.\\d\\.\\d}{ext:\\.[a-z]+}")
fun handle(@PathVariable version: String, @PathVariable ext: String) {
// ...
}
URI path patterns can also have embedded ${…} placeholders that are resolved on startup through
PropertySourcesPlaceholderConfigurer against local, system, environment, and other property
sources. You can use this to, for example, parameterize a base URL based on some external
configuration.
Spring WebFlux uses PathPattern and the PathPatternParser for URI path matching
support. Both classes are located in spring-web and are expressly designed for use
with HTTP URL paths in web applications where a large number of URI path
patterns are matched at runtime.
Spring WebFlux does not support suffix pattern matching — unlike Spring MVC, where a mapping
such as /person also matches to /person.*. For URL-based content negotiation, if needed, we
recommend using a query parameter, which is simpler, more explicit, and less vulnerable to URL
path based exploits.
Pattern Comparison
Web MVC
When multiple patterns match a URL, they must be compared to find the best match. This is done
with PathPattern.SPECIFICITY_COMPARATOR, which looks for patterns that are more specific.
For every pattern, a score is computed, based on the number of URI variables and wildcards, where
a URI variable scores lower than a wildcard. A pattern with a lower total score wins. If two patterns
have the same score, the longer is chosen.
Catch-all patterns (for example, **, {*varName}) are excluded from the scoring and are always sorted
last instead. If two patterns are both catch-all, the longer is chosen.
Web MVC
You can narrow the request mapping based on the Content-Type of the request, as the following
example shows:
1134
Java
Kotlin
The consumes attribute also supports negation expressions — for example, !text/plain means any
content type other than text/plain.
You can declare a shared consumes attribute at the class level. Unlike most other request mapping
attributes, however, when used at the class level, a method-level consumes attribute overrides rather
than extends the class-level declaration.
Web MVC
You can narrow the request mapping based on the Accept request header and the list of content
types that a controller method produces, as the following example shows:
Java
Kotlin
The media type can specify a character set. Negated expressions are supported — for example,
1135
!text/plain means any content type other than text/plain.
You can declare a shared produces attribute at the class level. Unlike most other request mapping
attributes, however, when used at the class level, a method-level produces attribute overrides rather
than extend the class level declaration.
Web MVC
You can narrow request mappings based on query parameter conditions. You can test for the
presence of a query parameter (myParam), for its absence (!myParam), or for a specific value
(myParam=myValue). The following examples tests for a parameter with a value:
Java
Kotlin
You can also use the same with request header conditions, as the following example shows:
Java
1136
Kotlin
Web MVC
By default, HTTP OPTIONS is handled by setting the Allow response header to the list of HTTP
methods listed in all @RequestMapping methods with matching URL patterns.
For a @RequestMapping without HTTP method declarations, the Allow header is set to
GET,HEAD,POST,PUT,PATCH,DELETE,OPTIONS. Controller methods should always declare the supported
HTTP methods (for example, by using the HTTP method specific variants — @GetMapping,
@PostMapping, and others).
You can explicitly map a @RequestMapping method to HTTP HEAD and HTTP OPTIONS, but that is not
necessary in the common case.
Custom Annotations
Web MVC
Spring WebFlux supports the use of composed annotations for request mapping. Those are
annotations that are themselves meta-annotated with @RequestMapping and composed to redeclare a
subset (or all) of the @RequestMapping attributes with a narrower, more specific purpose.
Spring WebFlux also supports custom request mapping attributes with custom request matching
logic. This is a more advanced option that requires sub-classing RequestMappingHandlerMapping and
overriding the getCustomMethodCondition method, where you can check the custom attribute and
return your own RequestCondition.
Explicit Registrations
Web MVC
You can programmatically register Handler methods, which can be used for dynamic registrations
1137
or for advanced cases, such as different instances of the same handler under different URLs. The
following example shows how to do so:
Java
@Configuration
public class MyConfig {
@Autowired
public void setHandlerMapping(RequestMappingHandlerMapping mapping, UserHandler
handler) ①
throws NoSuchMethodException {
Kotlin
@Configuration
class MyConfig {
@Autowired
fun setHandlerMapping(mapping: RequestMappingHandlerMapping, handler: UserHandler)
{ ①
val info =
RequestMappingInfo.paths("/user/{id}").methods(RequestMethod.GET).build() ②
1138
③ Get the handler method.
Handler Methods
Web MVC
@RequestMapping handler methods have a flexible signature and can choose from a range of
supported controller method arguments and return values.
Method Arguments
Web MVC
Reactive types (Reactor, RxJava, or other) are supported on arguments that require blocking I/O (for
example, reading the request body) to be resolved. This is marked in the Description column.
Reactive types are not expected on arguments that do not require blocking.
java.util.TimeZone + The time zone associated with the current request, as determined
java.time.ZoneId by a LocaleContextResolver.
@PathVariable For access to URI template variables. See URI Patterns.
@MatrixVariable For access to name-value pairs in URI path segments. See Matrix
Variables.
1139
Controller method argument Description
@RequestParam For access to query parameters. Parameter values are converted
to the declared method argument type. See @RequestParam.
java.util.Map, For access to the model that is used in HTML controllers and is
org.springframework.ui.Model, exposed to templates as part of view rendering.
and
org.springframework.ui.ModelMa
p.
@ModelAttribute For access to an existing attribute in the model (instantiated if
not present) with data binding and validation applied. See
@ModelAttribute as well as Model and DataBinder.
Errors, BindingResult For access to errors from validation and data binding for a
command object, i.e. a @ModelAttribute argument. An Errors, or
BindingResult argument must be declared immediately after the
validated method argument.
SessionStatus + class-level For marking form processing complete, which triggers cleanup of
@SessionAttributes session attributes declared through a class-level
@SessionAttributes annotation. See @SessionAttributes for more
details.
UriComponentsBuilder For preparing a URL relative to the current request’s host, port,
scheme, and context path. See URI Links.
@SessionAttribute For access to any session attribute — in contrast to model
attributes stored in the session as a result of a class-level
@SessionAttributes declaration. See @SessionAttribute for more
details.
1140
Controller method argument Description
@RequestAttribute For access to request attributes. See @RequestAttribute for more
details.
Any other argument If a method argument is not matched to any of the above, it is, by
default, resolved as a @RequestParam if it is a simple type, as
determined by BeanUtils#isSimpleProperty, or as a
@ModelAttribute, otherwise.
Return Values
Web MVC
The following table shows the supported controller method return values. Note that reactive types
from libraries such as Reactor, RxJava, or other are generally supported for all return values.
HttpEntity<B>, The return value specifies the full response, including HTTP
ResponseEntity<B> headers, and the body is encoded through HttpMessageWriter
instances and written to the response. See ResponseEntity.
HttpHeaders For returning a response with headers and no body.
ErrorResponse To render an RFC 7807 error response with details in the body,
see Error Responses
ProblemDetail To render an RFC 7807 error response with details in the body,
see Error Responses
String A view name to be resolved with ViewResolver instances and used
together with the implicit model — determined through
command objects and @ModelAttribute methods. The handler
method can also programmatically enrich the model by declaring
a Model argument (described earlier).
View A View instance to use for rendering together with the implicit
model — determined through command objects and
@ModelAttribute methods. The handler method can also
programmatically enrich the model by declaring a Model
argument (described earlier).
java.util.Map, Attributes to be added to the implicit model, with the view name
org.springframework.ui.Model implicitly determined based on the request path.
@ModelAttribute An attribute to be added to the model, with the view name
implicitly determined based on the request path.
1141
Controller method return Description
value
Rendering An API for model and view rendering scenarios.
void A method with a void, possibly asynchronous (for example,
Mono<Void>), return type (or a null return value) is considered to
have fully handled the response if it also has a
ServerHttpResponse, a ServerWebExchange argument, or an
@ResponseStatus annotation. The same is also true if the
controller has made a positive ETag or lastModified timestamp
check. See Controllers for details.
If none of the above is true, a void return type can also indicate
“no response body” for REST controllers or default view name
selection for HTML controllers.
Other return values If a return value remains unresolved in any other way, it is
treated as a model attribute, unless it is a simple type as
determined by BeanUtils#isSimpleProperty, in which case it
remains unresolved.
Type Conversion
Web MVC
Some annotated controller method arguments that represent String-based request input (for
example, @RequestParam, @RequestHeader, @PathVariable, @MatrixVariable, and @CookieValue) can
require type conversion if the argument is declared as something other than String.
For such cases, type conversion is automatically applied based on the configured converters. By
default, simple types (such as int, long, Date, and others) are supported. Type conversion can be
customized through a WebDataBinder (see DataBinder) or by registering Formatters with the
FormattingConversionService (see Spring Field Formatting).
A practical issue in type conversion is the treatment of an empty String source value. Such a value
is treated as missing if it becomes null as a result of type conversion. This can be the case for Long,
UUID, and other target types. If you want to allow null to be injected, either use the required flag on
the argument annotation, or declare the argument as @Nullable.
Matrix Variables
Web MVC
RFC 3986 discusses name-value pairs in path segments. In Spring WebFlux, we refer to those as
“matrix variables” based on an “old post” by Tim Berners-Lee, but they can be also be referred to as
URI path parameters.
1142
Matrix variables can appear in any path segment, with each variable separated by a semicolon and
multiple values separated by commas — for example, "/cars;color=red,green;year=2012". Multiple
values can also be specified through repeated variable names — for example,
"color=red;color=green;color=blue".
Unlike Spring MVC, in WebFlux, the presence or absence of matrix variables in a URL does not
affect request mappings. In other words, you are not required to use a URI variable to mask
variable content. That said, if you want to access matrix variables from a controller method, you
need to add a URI variable to the path segment where matrix variables are expected. The following
example shows how to do so:
Java
// GET /pets/42;q=11;r=22
@GetMapping("/pets/{petId}")
public void findPet(@PathVariable String petId, @MatrixVariable int q) {
// petId == 42
// q == 11
}
Kotlin
// GET /pets/42;q=11;r=22
@GetMapping("/pets/{petId}")
fun findPet(@PathVariable petId: String, @MatrixVariable q: Int) {
// petId == 42
// q == 11
}
Given that all path segments can contain matrix variables, you may sometimes need to
disambiguate which path variable the matrix variable is expected to be in, as the following
example shows:
Java
// GET /owners/42;q=11/pets/21;q=22
@GetMapping("/owners/{ownerId}/pets/{petId}")
public void findPet(
@MatrixVariable(name="q", pathVar="ownerId") int q1,
@MatrixVariable(name="q", pathVar="petId") int q2) {
// q1 == 11
// q2 == 22
}
1143
Kotlin
@GetMapping("/owners/{ownerId}/pets/{petId}")
fun findPet(
@MatrixVariable(name = "q", pathVar = "ownerId") q1: Int,
@MatrixVariable(name = "q", pathVar = "petId") q2: Int) {
// q1 == 11
// q2 == 22
}
You can define a matrix variable may be defined as optional and specify a default value as the
following example shows:
Java
// GET /pets/42
@GetMapping("/pets/{petId}")
public void findPet(@MatrixVariable(required=false, defaultValue="1") int q) {
// q == 1
}
Kotlin
// GET /pets/42
@GetMapping("/pets/{petId}")
fun findPet(@MatrixVariable(required = false, defaultValue = "1") q: Int) {
// q == 1
}
To get all matrix variables, use a MultiValueMap, as the following example shows:
1144
Java
// GET /owners/42;q=11;r=12/pets/21;q=22;s=23
@GetMapping("/owners/{ownerId}/pets/{petId}")
public void findPet(
@MatrixVariable MultiValueMap<String, String> matrixVars,
@MatrixVariable(pathVar="petId") MultiValueMap<String, String> petMatrixVars)
{
Kotlin
// GET /owners/42;q=11;r=12/pets/21;q=22;s=23
@GetMapping("/owners/{ownerId}/pets/{petId}")
fun findPet(
@MatrixVariable matrixVars: MultiValueMap<String, String>,
@MatrixVariable(pathVar="petId") petMatrixVars: MultiValueMap<String, String>)
{
@RequestParam
Web MVC
You can use the @RequestParam annotation to bind query parameters to a method argument in a
controller. The following code snippet shows the usage:
1145
Java
@Controller
@RequestMapping("/pets")
public class EditPetForm {
// ...
@GetMapping
public String setupForm(@RequestParam("petId") int petId, Model model) { ①
Pet pet = this.clinic.loadPet(petId);
model.addAttribute("pet", pet);
return "petForm";
}
// ...
}
① Using @RequestParam.
Kotlin
import org.springframework.ui.set
@Controller
@RequestMapping("/pets")
class EditPetForm {
// ...
@GetMapping
fun setupForm(@RequestParam("petId") petId: Int, model: Model): String { ①
val pet = clinic.loadPet(petId)
model["pet"] = pet
return "petForm"
}
// ...
}
① Using @RequestParam.
The Servlet API “request parameter” concept conflates query parameters, form
data, and multiparts into one. However, in WebFlux, each is accessed individually
through ServerWebExchange. While @RequestParam binds to query parameters only,
you can use data binding to apply query parameters, form data, and multiparts to
a command object.
Method parameters that use the @RequestParam annotation are required by default, but you can
specify that a method parameter is optional by setting the required flag of a @RequestParam to false
1146
or by declaring the argument with a java.util.Optional wrapper.
Type conversion is applied automatically if the target method parameter type is not String. See
Type Conversion.
Note that use of @RequestParam is optional — for example, to set its attributes. By default, any
argument that is a simple value type (as determined by BeanUtils#isSimpleProperty) and is not
resolved by any other argument resolver is treated as if it were annotated with @RequestParam.
@RequestHeader
Web MVC
You can use the @RequestHeader annotation to bind a request header to a method argument in a
controller.
Host localhost:8080
Accept text/html,application/xhtml+xml,application/xml;q=0.9
Accept-Language fr,en-gb;q=0.7,en;q=0.3
Accept-Encoding gzip,deflate
Accept-Charset ISO-8859-1,utf-8;q=0.7,*;q=0.7
Keep-Alive 300
The following example gets the value of the Accept-Encoding and Keep-Alive headers:
Java
@GetMapping("/demo")
public void handle(
@RequestHeader("Accept-Encoding") String encoding, ①
@RequestHeader("Keep-Alive") long keepAlive) { ②
//...
}
1147
Kotlin
@GetMapping("/demo")
fun handle(
@RequestHeader("Accept-Encoding") encoding: String, ①
@RequestHeader("Keep-Alive") keepAlive: Long) { ②
//...
}
Type conversion is applied automatically if the target method parameter type is not String. See
Type Conversion.
@CookieValue
Web MVC
You can use the @CookieValue annotation to bind the value of an HTTP cookie to a method argument
in a controller.
JSESSIONID=415A4AC178C59DACE0B2C9CA727CDD84
The following code sample demonstrates how to get the cookie value:
Java
@GetMapping("/demo")
public void handle(@CookieValue("JSESSIONID") String cookie) { ①
//...
}
1148
Kotlin
@GetMapping("/demo")
fun handle(@CookieValue("JSESSIONID") cookie: String) { ①
//...
}
Type conversion is applied automatically if the target method parameter type is not String. See
Type Conversion.
@ModelAttribute
Web MVC
You can use the @ModelAttribute annotation on a method argument to access an attribute from the
model or have it instantiated if not present. The model attribute is also overlaid with the values of
query parameters and form fields whose names match to field names. This is referred to as data
binding, and it saves you from having to deal with parsing and converting individual query
parameters and form fields. The following example binds an instance of Pet:
Java
@PostMapping("/owners/{ownerId}/pets/{petId}/edit")
public String processSubmit(@ModelAttribute Pet pet) { } ①
Kotlin
@PostMapping("/owners/{ownerId}/pets/{petId}/edit")
fun processSubmit(@ModelAttribute pet: Pet): String { } ①
• From the invocation of a “primary constructor” with arguments that match query parameters
or form fields. Argument names are determined through JavaBeans @ConstructorProperties or
through runtime-retained parameter names in the bytecode.
After the model attribute instance is obtained, data binding is applied. The WebExchangeDataBinder
class matches names of query parameters and form fields to field names on the target Object.
Matching fields are populated after type conversion is applied where necessary. For more on data
binding (and validation), see Validation. For more on customizing data binding, see DataBinder.
1149
Data binding can result in errors. By default, a WebExchangeBindException is raised, but, to check for
such errors in the controller method, you can add a BindingResult argument immediately next to
the @ModelAttribute, as the following example shows:
Java
@PostMapping("/owners/{ownerId}/pets/{petId}/edit")
public String processSubmit(@ModelAttribute("pet") Pet pet, BindingResult result) { ①
if (result.hasErrors()) {
return "petForm";
}
// ...
}
① Adding a BindingResult.
Kotlin
@PostMapping("/owners/{ownerId}/pets/{petId}/edit")
fun processSubmit(@ModelAttribute("pet") pet: Pet, result: BindingResult): String { ①
if (result.hasErrors()) {
return "petForm"
}
// ...
}
① Adding a BindingResult.
You can automatically apply validation after data binding by adding the jakarta.validation.Valid
annotation or Spring’s @Validated annotation (see also Bean Validation and Spring validation). The
following example uses the @Valid annotation:
Java
@PostMapping("/owners/{ownerId}/pets/{petId}/edit")
public String processSubmit(@Valid @ModelAttribute("pet") Pet pet, BindingResult
result) { ①
if (result.hasErrors()) {
return "petForm";
}
// ...
}
1150
Kotlin
@PostMapping("/owners/{ownerId}/pets/{petId}/edit")
fun processSubmit(@Valid @ModelAttribute("pet") pet: Pet, result: BindingResult):
String { ①
if (result.hasErrors()) {
return "petForm"
}
// ...
}
Spring WebFlux, unlike Spring MVC, supports reactive types in the model — for example,
Mono<Account> or io.reactivex.Single<Account>. You can declare a @ModelAttribute argument with or
without a reactive type wrapper, and it will be resolved accordingly, to the actual value if necessary.
However, note that, to use a BindingResult argument, you must declare the @ModelAttribute
argument before it without a reactive type wrapper, as shown earlier. Alternatively, you can handle
any errors through the reactive type, as the following example shows:
Java
@PostMapping("/owners/{ownerId}/pets/{petId}/edit")
public Mono<String> processSubmit(@Valid @ModelAttribute("pet") Mono<Pet> petMono) {
return petMono
.flatMap(pet -> {
// ...
})
.onErrorResume(ex -> {
// ...
});
}
Kotlin
@PostMapping("/owners/{ownerId}/pets/{petId}/edit")
fun processSubmit(@Valid @ModelAttribute("pet") petMono: Mono<Pet>): Mono<String> {
return petMono
.flatMap { pet ->
// ...
}
.onErrorResume{ ex ->
// ...
}
}
Note that use of @ModelAttribute is optional — for example, to set its attributes. By default, any
argument that is not a simple value type( as determined by BeanUtils#isSimpleProperty) and is not
resolved by any other argument resolver is treated as if it were annotated with @ModelAttribute.
1151
@SessionAttributes
Web MVC
@SessionAttributes is used to store model attributes in the WebSession between requests. It is a type-
level annotation that declares session attributes used by a specific controller. This typically lists the
names of model attributes or types of model attributes that should be transparently stored in the
session for subsequent requests to access.
Java
@Controller
@SessionAttributes("pet") ①
public class EditPetForm {
// ...
}
Kotlin
@Controller
@SessionAttributes("pet") ①
class EditPetForm {
// ...
}
On the first request, when a model attribute with the name, pet, is added to the model, it is
automatically promoted to and saved in the WebSession. It remains there until another controller
method uses a SessionStatus method argument to clear the storage, as the following example
shows:
1152
Java
@Controller
@SessionAttributes("pet") ①
public class EditPetForm {
// ...
@PostMapping("/pets/{id}")
public String handle(Pet pet, BindingResult errors, SessionStatus status) { ②
if (errors.hasErrors()) {
// ...
}
status.setComplete();
// ...
}
}
}
Kotlin
@Controller
@SessionAttributes("pet") ①
class EditPetForm {
// ...
@PostMapping("/pets/{id}")
fun handle(pet: Pet, errors: BindingResult, status: SessionStatus): String { ②
if (errors.hasErrors()) {
// ...
}
status.setComplete()
// ...
}
}
@SessionAttribute
Web MVC
If you need access to pre-existing session attributes that are managed globally (that is, outside the
controller — for example, by a filter) and may or may not be present, you can use the
@SessionAttribute annotation on a method parameter, as the following example shows:
1153
Java
@GetMapping("/")
public String handle(@SessionAttribute User user) { ①
// ...
}
① Using @SessionAttribute.
Kotlin
@GetMapping("/")
fun handle(@SessionAttribute user: User): String { ①
// ...
}
① Using @SessionAttribute.
For use cases that require adding or removing session attributes, consider injecting WebSession into
the controller method.
For temporary storage of model attributes in the session as part of a controller workflow, consider
using SessionAttributes, as described in @SessionAttributes.
@RequestAttribute
Web MVC
Similarly to @SessionAttribute, you can use the @RequestAttribute annotation to access pre-existing
request attributes created earlier (for example, by a WebFilter), as the following example shows:
Java
@GetMapping("/")
public String handle(@RequestAttribute Client client) { ①
// ...
}
① Using @RequestAttribute.
Kotlin
@GetMapping("/")
fun handle(@RequestAttribute client: Client): String { ①
// ...
}
① Using @RequestAttribute.
1154
Multipart Content
Web MVC
As explained in Multipart Data, ServerWebExchange provides access to multipart content. The best
way to handle a file upload form (for example, from a browser) in a controller is through data
binding to a command object, as the following example shows:
Java
class MyForm {
// ...
@Controller
public class FileUploadController {
@PostMapping("/form")
public String handleFormUpload(MyForm form, BindingResult errors) {
// ...
}
Kotlin
class MyForm(
val name: String,
val file: MultipartFile)
@Controller
class FileUploadController {
@PostMapping("/form")
fun handleFormUpload(form: MyForm, errors: BindingResult): String {
// ...
}
You can also submit multipart requests from non-browser clients in a RESTful service scenario. The
following example uses a file along with JSON:
1155
POST /someUrl
Content-Type: multipart/mixed
--edt7Tfrdusa7r3lNQc79vXuhIIMlatb7PQg7Vp
Content-Disposition: form-data; name="meta-data"
Content-Type: application/json; charset=UTF-8
Content-Transfer-Encoding: 8bit
{
"name": "value"
}
--edt7Tfrdusa7r3lNQc79vXuhIIMlatb7PQg7Vp
Content-Disposition: form-data; name="file-data"; filename="file.properties"
Content-Type: text/xml
Content-Transfer-Encoding: 8bit
... File Data ...
You can access individual parts with @RequestPart, as the following example shows:
Java
@PostMapping("/")
public String handle(@RequestPart("meta-data") Part metadata, ①
@RequestPart("file-data") FilePart file) { ②
// ...
}
Kotlin
@PostMapping("/")
fun handle(@RequestPart("meta-data") Part metadata, ①
@RequestPart("file-data") FilePart file): String { ②
// ...
}
To deserialize the raw part content (for example, to JSON — similar to @RequestBody), you can
declare a concrete target Object, instead of Part, as the following example shows:
1156
Java
@PostMapping("/")
public String handle(@RequestPart("meta-data") MetaData metadata) { ①
// ...
}
Kotlin
@PostMapping("/")
fun handle(@RequestPart("meta-data") metadata: MetaData): String { ①
// ...
}
Java
@PostMapping("/")
public String handle(@Valid @RequestPart("meta-data") Mono<MetaData> metadata) {
// use one of the onError* operators...
}
Kotlin
@PostMapping("/")
fun handle(@Valid @RequestPart("meta-data") metadata: MetaData): String {
// ...
}
To access all multipart data as a MultiValueMap, you can use @RequestBody, as the following example
shows:
Java
@PostMapping("/")
public String handle(@RequestBody Mono<MultiValueMap<String, Part>> parts) { ①
// ...
}
① Using @RequestBody.
1157
Kotlin
@PostMapping("/")
fun handle(@RequestBody parts: MultiValueMap<String, Part>): String { ①
// ...
}
① Using @RequestBody.
PartEvent
To access multipart data sequentially, in a streaming fashion, you can use @RequestBody with
Flux<PartEvent> (or Flow<PartEvent> in Kotlin). Each part in a multipart HTTP message will produce
at least one PartEvent containing both headers and a buffer with the contents of the part.
• Form fields will produce a single FormPartEvent, containing the value of the field.
• File uploads will produce one or more FilePartEvent objects, containing the filename used
when uploading. If the file is large enough to be split across multiple buffers, the first
FilePartEvent will be followed by subsequent events.
For example:
Java
@PostMapping("/")
public void handle(@RequestBody Flux<PartEvent> allPartsEvents) { ①
allPartsEvents.windowUntil(PartEvent::isLast) ②
.concatMap(p -> p.switchOnFirst((signal, partEvents) -> { ③
if (signal.hasValue()) {
PartEvent event = signal.get();
if (event instanceof FormPartEvent formEvent) { ④
String value = formEvent.value();
// handle form field
}
else if (event instanceof FilePartEvent fileEvent) { ⑤
String filename = fileEvent.filename();
Flux<DataBuffer> contents =
partEvents.map(PartEvent::content); ⑥
// handle file upload
}
else {
return Mono.error(new RuntimeException("Unexpected event: " +
event));
}
}
else {
return partEvents; // either complete or error signal
}
}));
}
1158
① Using @RequestBody.
② The final PartEvent for a particular part will have isLast() set to true, and can be followed by
additional events belonging to subsequent parts. This makes the isLast property suitable as a
predicate for the Flux::windowUntil operator, to split events from all parts into windows that
each belong to a single part.
③ The Flux::switchOnFirst operator allows you to see whether you are handling a form field or file
upload.
⑥ The body contents must be completely consumed, relayed, or released to avoid memory leaks.
Kotlin
@PostMapping("/")
fun handle(@RequestBody allPartsEvents: Flux<PartEvent>) = { ①
allPartsEvents.windowUntil(PartEvent::isLast) ②
.concatMap {
it.switchOnFirst { signal, partEvents -> ③
if (signal.hasValue()) {
val event = signal.get()
if (event is FormPartEvent) { ④
val value: String = event.value();
// handle form field
} else if (event is FilePartEvent) { ⑤
val filename: String = event.filename();
val contents: Flux<DataBuffer> =
partEvents.map(PartEvent::content); ⑥
// handle file upload
} else {
return Mono.error(RuntimeException("Unexpected event: " +
event));
}
} else {
return partEvents; // either complete or error signal
}
}
}
}
① Using @RequestBody.
② The final PartEvent for a particular part will have isLast() set to true, and can be followed by
additional events belonging to subsequent parts. This makes the isLast property suitable as a
predicate for the Flux::windowUntil operator, to split events from all parts into windows that
each belong to a single part.
③ The Flux::switchOnFirst operator allows you to see whether you are handling a form field or file
upload.
1159
④ Handling the form field.
⑥ The body contents must be completely consumed, relayed, or released to avoid memory leaks.
Received part events can also be relayed to another service by using the WebClient. See Multipart
Data.
@RequestBody
Web MVC
You can use the @RequestBody annotation to have the request body read and deserialized into an
Object through an HttpMessageReader. The following example uses a @RequestBody argument:
Java
@PostMapping("/accounts")
public void handle(@RequestBody Account account) {
// ...
}
Kotlin
@PostMapping("/accounts")
fun handle(@RequestBody account: Account) {
// ...
}
Unlike Spring MVC, in WebFlux, the @RequestBody method argument supports reactive types and
fully non-blocking reading and (client-to-server) streaming.
Java
@PostMapping("/accounts")
public void handle(@RequestBody Mono<Account> account) {
// ...
}
Kotlin
@PostMapping("/accounts")
fun handle(@RequestBody accounts: Flow<Account>) {
// ...
}
You can use the HTTP message codecs option of the WebFlux Config to configure or customize
message readers.
1160
You can use @RequestBody in combination with jakarta.validation.Valid or Spring’s @Validated
annotation, which causes Standard Bean Validation to be applied. Validation errors cause a
WebExchangeBindException, which results in a 400 (BAD_REQUEST) response. The exception contains
a BindingResult with error details and can be handled in the controller method by declaring the
argument with an async wrapper and then using error related operators:
Java
@PostMapping("/accounts")
public void handle(@Valid @RequestBody Mono<Account> account) {
// use one of the onError* operators...
}
Kotlin
@PostMapping("/accounts")
fun handle(@Valid @RequestBody account: Mono<Account>) {
// ...
}
HttpEntity
Web MVC
HttpEntity is more or less identical to using @RequestBody but is based on a container object that
exposes request headers and the body. The following example uses an HttpEntity:
Java
@PostMapping("/accounts")
public void handle(HttpEntity<Account> entity) {
// ...
}
Kotlin
@PostMapping("/accounts")
fun handle(entity: HttpEntity<Account>) {
// ...
}
@ResponseBody
Web MVC
You can use the @ResponseBody annotation on a method to have the return serialized to the response
body through an HttpMessageWriter. The following example shows how to do so:
1161
Java
@GetMapping("/accounts/{id}")
@ResponseBody
public Account handle() {
// ...
}
Kotlin
@GetMapping("/accounts/{id}")
@ResponseBody
fun handle(): Account {
// ...
}
@ResponseBody is also supported at the class level, in which case it is inherited by all controller
methods. This is the effect of @RestController, which is nothing more than a meta-annotation
marked with @Controller and @ResponseBody.
@ResponseBody supports reactive types, which means you can return Reactor or RxJava types and
have the asynchronous values they produce rendered to the response. For additional details, see
Streaming and JSON rendering.
You can combine @ResponseBody methods with JSON serialization views. See Jackson JSON for
details.
You can use the HTTP message codecs option of the WebFlux Config to configure or customize
message writing.
ResponseEntity
Web MVC
ResponseEntity is like @ResponseBody but with status and headers. For example:
Java
@GetMapping("/something")
public ResponseEntity<String> handle() {
String body = ... ;
String etag = ... ;
return ResponseEntity.ok().eTag(etag).body(body);
}
1162
Kotlin
@GetMapping("/something")
fun handle(): ResponseEntity<String> {
val body: String = ...
val etag: String = ...
return ResponseEntity.ok().eTag(etag).build(body)
}
WebFlux supports using a single value reactive type to produce the ResponseEntity asynchronously,
and/or single and multi-value reactive types for the body. This allows a variety of async responses
with ResponseEntity as follows:
Jackson JSON
JSON Views
Web MVC
Spring WebFlux provides built-in support for Jackson’s Serialization Views, which allows rendering
only a subset of all fields in an Object. To use it with @ResponseBody or ResponseEntity controller
methods, you can use Jackson’s @JsonView annotation to activate a serialization view class, as the
following example shows:
1163
Java
@RestController
public class UserController {
@GetMapping("/user")
@JsonView(User.WithoutPasswordView.class)
public User getUser() {
return new User("eric", "7!jd#h23");
}
}
public User() {
}
@JsonView(WithoutPasswordView.class)
public String getUsername() {
return this.username;
}
@JsonView(WithPasswordView.class)
public String getPassword() {
return this.password;
}
}
1164
Kotlin
@RestController
class UserController {
@GetMapping("/user")
@JsonView(User.WithoutPasswordView::class)
fun getUser(): User {
return User("eric", "7!jd#h23")
}
}
class User(
@JsonView(WithoutPasswordView::class) val username: String,
@JsonView(WithPasswordView::class) val password: String
) {
interface WithoutPasswordView
interface WithPasswordView : WithoutPasswordView
}
@JsonView allows an array of view classes but you can only specify only one per
controller method. Use a composite interface if you need to activate multiple
views.
Model
Web MVC
• On a method argument in @RequestMapping methods to create or access an Object from the model
and to bind it to the request through a WebDataBinder.
This section discusses @ModelAttribute methods, or the second item from the preceding list. A
controller can have any number of @ModelAttribute methods. All such methods are invoked before
@RequestMapping methods in the same controller. A @ModelAttribute method can also be shared
across controllers through @ControllerAdvice. See the section on Controller Advice for more details.
@ModelAttribute methods have flexible method signatures. They support many of the same
arguments as @RequestMapping methods (except for @ModelAttribute itself and anything related to the
request body).
1165
Java
@ModelAttribute
public void populateModel(@RequestParam String number, Model model) {
model.addAttribute(accountRepository.findAccount(number));
// add more ...
}
Kotlin
@ModelAttribute
fun populateModel(@RequestParam number: String, model: Model) {
model.addAttribute(accountRepository.findAccount(number))
// add more ...
}
Java
@ModelAttribute
public Account addAccount(@RequestParam String number) {
return accountRepository.findAccount(number);
}
Kotlin
@ModelAttribute
fun addAccount(@RequestParam number: String): Account {
return accountRepository.findAccount(number);
}
When a name is not explicitly specified, a default name is chosen based on the
type, as explained in the javadoc for Conventions. You can always assign an explicit
name by using the overloaded addAttribute method or through the name attribute
on @ModelAttribute (for a return value).
Spring WebFlux, unlike Spring MVC, explicitly supports reactive types in the model (for example,
Mono<Account> or io.reactivex.Single<Account>). Such asynchronous model attributes can be
transparently resolved (and the model updated) to their actual values at the time of @RequestMapping
invocation, provided a @ModelAttribute argument is declared without a wrapper, as the following
example shows:
1166
Java
@ModelAttribute
public void addAccount(@RequestParam String number) {
Mono<Account> accountMono = accountRepository.findAccount(number);
model.addAttribute("account", accountMono);
}
@PostMapping("/accounts")
public String handle(@ModelAttribute Account account, BindingResult errors) {
// ...
}
Kotlin
import org.springframework.ui.set
@ModelAttribute
fun addAccount(@RequestParam number: String) {
val accountMono: Mono<Account> = accountRepository.findAccount(number)
model["account"] = accountMono
}
@PostMapping("/accounts")
fun handle(@ModelAttribute account: Account, errors: BindingResult): String {
// ...
}
In addition, any model attributes that have a reactive type wrapper are resolved to their actual
values (and the model updated) just prior to view rendering.
Java
@GetMapping("/accounts/{id}")
@ModelAttribute("myAccount")
public Account handle() {
// ...
return account;
}
1167
Kotlin
@GetMapping("/accounts/{id}")
@ModelAttribute("myAccount")
fun handle(): Account {
// ...
return account
}
DataBinder
Web MVC
• Bind request parameters (that is, form data or query) to a model object.
• Convert String-based request values (such as request parameters, path variables, headers,
cookies, and others) to the target type of controller method arguments.
• Format model object values as String values when rendering HTML forms.
@InitBinder methods support many of the same arguments that @RequestMapping methods do, except
for @ModelAttribute (command object) arguments. Typically, they are declared with a WebDataBinder
argument, for registrations, and a void return value. The following example uses the @InitBinder
annotation:
Java
@Controller
public class FormController {
@InitBinder ①
public void initBinder(WebDataBinder binder) {
SimpleDateFormat dateFormat = new SimpleDateFormat("yyyy-MM-dd");
dateFormat.setLenient(false);
binder.registerCustomEditor(Date.class, new CustomDateEditor(dateFormat,
false));
}
// ...
}
1168
Kotlin
@Controller
class FormController {
@InitBinder ①
fun initBinder(binder: WebDataBinder) {
val dateFormat = SimpleDateFormat("yyyy-MM-dd")
dateFormat.isLenient = false
binder.registerCustomEditor(Date::class.java, CustomDateEditor(dateFormat,
false))
}
// ...
}
Java
@Controller
public class FormController {
@InitBinder
protected void initBinder(WebDataBinder binder) {
binder.addCustomFormatter(new DateFormatter("yyyy-MM-dd")); ①
}
// ...
}
Kotlin
@Controller
class FormController {
@InitBinder
fun initBinder(binder: WebDataBinder) {
binder.addCustomFormatter(DateFormatter("yyyy-MM-dd")) ①
}
// ...
}
1169
Model Design
Web MVC
In the context of web applications, data binding involves the binding of HTTP request parameters
(that is, form data or query parameters) to properties in a model object and its nested objects.
Only public properties following the JavaBeans naming conventions are exposed for data binding
— for example, public String getFirstName() and public void setFirstName(String) methods for a
firstName property.
The model object, and its nested object graph, is also sometimes referred to as a
command object, form-backing object, or POJO (Plain Old Java Object).
By default, Spring permits binding to all public properties in the model object graph. This means
you need to carefully consider what public properties the model has, since a client could target any
public property path, even some that are not expected to be targeted for a given use case.
For example, given an HTTP form data endpoint, a malicious client could supply values for
properties that exist in the model object graph but are not part of the HTML form presented in the
browser. This could lead to data being set on the model object and any of its nested objects, that is
not expected to be updated.
The recommended approach is to use a dedicated model object that exposes only properties that are
relevant for the form submission. For example, on a form for changing a user’s email address, the
model object should declare a minimum set of properties such as in the following ChangeEmailForm.
1170
If you cannot or do not want to use a dedicated model object for each data binding use case, you
must limit the properties that are allowed for data binding. Ideally, you can achieve this by
registering allowed field patterns via the setAllowedFields() method on WebDataBinder.
For example, to register allowed field patterns in your application, you can implement an
@InitBinder method in a @Controller or @ControllerAdvice component as shown below:
@Controller
public class ChangeEmailController {
@InitBinder
void initBinder(WebDataBinder binder) {
binder.setAllowedFields("oldEmailAddress", "newEmailAddress");
}
In addition to registering allowed patterns, it is also possible to register disallowed field patterns via
the setDisallowedFields() method in DataBinder and its subclasses. Please note, however, that an
"allow list" is safer than a "deny list". Consequently, setAllowedFields() should be favored over
setDisallowedFields().
Note that matching against allowed field patterns is case-sensitive; whereas, matching against
disallowed field patterns is case-insensitive. In addition, a field matching a disallowed pattern will
not be accepted even if it also happens to match a pattern in the allowed list.
Exceptions
Web MVC
1171
Java
@Controller
public class SimpleController {
// ...
@ExceptionHandler ①
public ResponseEntity<String> handle(IOException ex) {
// ...
}
}
① Declaring an @ExceptionHandler.
Kotlin
@Controller
class SimpleController {
// ...
@ExceptionHandler ①
fun handle(ex: IOException): ResponseEntity<String> {
// ...
}
}
① Declaring an @ExceptionHandler.
The exception can match against a top-level exception being propagated (that is, a direct
IOException being thrown) or against the immediate cause within a top-level wrapper exception
(for example, an IOException wrapped inside an IllegalStateException).
For matching exception types, preferably declare the target exception as a method argument, as
shown in the preceding example. Alternatively, the annotation declaration can narrow the
exception types to match. We generally recommend being as specific as possible in the argument
signature and to declare your primary root exception mappings on a @ControllerAdvice prioritized
with a corresponding order. See the MVC section for details.
Support for @ExceptionHandler methods in Spring WebFlux is provided by the HandlerAdapter for
@RequestMapping methods. See DispatcherHandler for more detail.
Method Arguments
Web MVC
1172
@ExceptionHandler methods support the same method arguments as @RequestMapping methods,
except the request body might have been consumed already.
Return Values
Web MVC
Controller Advice
Web MVC
Typically, the @ExceptionHandler, @InitBinder, and @ModelAttribute methods apply within the
@Controller class (or class hierarchy) in which they are declared. If you want such methods to apply
more globally (across controllers), you can declare them in a class annotated with
@ControllerAdvice or @RestControllerAdvice.
@ControllerAdvice is annotated with @Component, which means that such classes can be registered as
Spring beans through component scanning. @RestControllerAdvice is a composed annotation that is
annotated with both @ControllerAdvice and @ResponseBody, which essentially means
@ExceptionHandler methods are rendered to the response body through message conversion (versus
view resolution or template rendering).
On startup, the infrastructure classes for @RequestMapping and @ExceptionHandler methods detect
Spring beans annotated with @ControllerAdvice and then apply their methods at runtime. Global
@ExceptionHandler methods (from a @ControllerAdvice) are applied after local ones (from the
@Controller). By contrast, global @ModelAttribute and @InitBinder methods are applied before local
ones.
By default, @ControllerAdvice methods apply to every request (that is, all controllers), but you can
narrow that down to a subset of controllers by using attributes on the annotation, as the following
example shows:
Java
1173
Kotlin
The selectors in the preceding example are evaluated at runtime and may negatively impact
performance if used extensively. See the @ControllerAdvice javadoc for more details.
Overview
Web MVC
Incoming requests are routed to a handler function with a RouterFunction: a function that takes
ServerRequest and returns a delayed HandlerFunction (i.e. Mono<HandlerFunction>). When the router
function matches, a handler function is returned; otherwise an empty Mono. RouterFunction is the
equivalent of a @RequestMapping annotation, but with the major difference that router functions
provide not just data, but also behavior.
RouterFunctions.route() provides a router builder that facilitates the creation of routers, as the
following example shows:
1174
Java
// ...
1175
Kotlin
// ...
① Create router using Coroutines router DSL; a Reactive alternative is also available via router { }.
One way to run a RouterFunction is to turn it into an HttpHandler and install it through one of the
built-in server adapters:
• RouterFunctions.toHttpHandler(RouterFunction)
• RouterFunctions.toHttpHandler(RouterFunction, HandlerStrategies)
Most applications can run through the WebFlux Java configuration, see Running a Server.
HandlerFunction
Web MVC
ServerRequest and ServerResponse are immutable interfaces that offer JDK 8-friendly access to the
HTTP request and response. Both request and response provide Reactive Streams back pressure
against the body streams. The request body is represented with a Reactor Flux or Mono. The response
body is represented with any Reactive Streams Publisher, including Flux and Mono. For more on that,
see Reactive Libraries.
1176
ServerRequest
ServerRequest provides access to the HTTP method, URI, headers, and query parameters, while
access to the body is provided through the body methods.
Java
Kotlin
The following example extracts the body to a Flux<Person> (or a Flow<Person> in Kotlin), where
Person objects are decoded from some serialized form, such as JSON or XML:
Java
Kotlin
The preceding examples are shortcuts that use the more general
ServerRequest.body(BodyExtractor), which accepts the BodyExtractor functional strategy interface.
The utility class BodyExtractors provides access to a number of instances. For example, the
preceding examples can also be written as follows:
Java
Kotlin
Java
1177
Kotlin
Java
Kotlin
The following example shows how to access multipart data, one at a time, in streaming fashion:
Java
1178
Kotlin
Note that the body contents of the PartEvent objects must be completely consumed, relayed, or
released to avoid memory leaks.
ServerResponse
ServerResponse provides access to the HTTP response and, since it is immutable, you can use a build
method to create it. You can use the builder to set the response status, to add response headers, or
to provide a body. The following example creates a 200 (OK) response with JSON content:
Java
Kotlin
The following example shows how to build a 201 (CREATED) response with a Location header and
no body:
1179
Java
Kotlin
Depending on the codec used, it is possible to pass hint parameters to customize how the body is
serialized or deserialized. For example, to specify a Jackson JSON view:
Java
ServerResponse.ok().hint(Jackson2CodecSupport.JSON_VIEW_HINT,
MyJacksonView.class).body(...);
Kotlin
ServerResponse.ok().hint(Jackson2CodecSupport.JSON_VIEW_HINT,
MyJacksonView::class.java).body(...)
Handler Classes
Java
HandlerFunction<ServerResponse> helloWorld =
request -> ServerResponse.ok().bodyValue("Hello World");
Kotlin
That is convenient, but in an application we need multiple functions, and multiple inline lambda’s
can get messy. Therefore, it is useful to group related handler functions together into a handler
class, which has a similar role as @Controller in an annotation-based application. For example, the
following class exposes a reactive Person repository:
1180
Java
① listPeople is a handler function that returns all Person objects found in the repository as JSON.
② createPerson is a handler function that stores a new Person contained in the request body. Note
that PersonRepository.savePerson(Person) returns Mono<Void>: an empty Mono that emits a
completion signal when the person has been read from the request and stored. So we use the
build(Publisher<Void>) method to send a response when that completion signal is received (that
is, when the Person has been saved).
③ getPerson is a handler function that returns a single person, identified by the id path variable.
We retrieve that Person from the repository and create a JSON response, if it is found. If it is not
found, we use switchIfEmpty(Mono<T>) to return a 404 Not Found response.
1181
Kotlin
}
}
① listPeople is a handler function that returns all Person objects found in the repository as JSON.
② createPerson is a handler function that stores a new Person contained in the request body. Note
that PersonRepository.savePerson(Person) is a suspending function with no return type.
③ getPerson is a handler function that returns a single person, identified by the id path variable.
We retrieve that Person from the repository and create a JSON response, if it is found. If it is not
found, we return a 404 Not Found response.
Validation
A functional endpoint can use Spring’s validation facilities to apply validation to the request body.
For example, given a custom Spring Validator implementation for a Person:
1182
Java
// ...
② Apply validation.
1183
Kotlin
// ...
② Apply validation.
Handlers can also use the standard bean validation API (JSR-303) by creating and injecting a global
Validator instance based on LocalValidatorFactoryBean. See Spring Validation.
RouterFunction
Web MVC
Router functions are used to route the requests to the corresponding HandlerFunction. Typically, you
do not write router functions yourself, but rather use a method on the RouterFunctions utility class
to create one. RouterFunctions.route() (no parameters) provides you with a fluent builder for
creating a router function, whereas RouterFunctions.route(RequestPredicate, HandlerFunction)
offers a direct way to create a router.
Generally, it is recommended to use the route() builder, as it provides convenient short-cuts for
typical mapping scenarios without requiring hard-to-discover static imports. For instance, the
router function builder offers the method GET(String, HandlerFunction) to create a mapping for
GET requests; and POST(String, HandlerFunction) for POSTs.
Besides HTTP method-based mapping, the route builder offers a way to introduce additional
predicates when mapping to requests. For each HTTP method there is an overloaded variant that
takes a RequestPredicate as a parameter, though which additional constraints can be expressed.
1184
Predicates
You can write your own RequestPredicate, but the RequestPredicates utility class offers commonly
used implementations, based on the request path, HTTP method, content-type, and so on. The
following example uses a request predicate to create a constraint based on the Accept header:
Java
Kotlin
Routes
Router functions are evaluated in order: if the first route does not match, the second is evaluated,
and so on. Therefore, it makes sense to declare more specific routes before general ones. This is also
important when registering router functions as Spring beans, as will be described later. Note that
this behavior is different from the annotation-based programming model, where the "most specific"
controller method is picked automatically.
When using the router function builder, all defined routes are composed into one RouterFunction
that is returned from build(). There are also other ways to compose multiple router functions
together:
• RouterFunction.and(RouterFunction)
1185
Java
① GET /person/{id} with an Accept header that matches JSON is routed to PersonHandler.getPerson
② GET /person with an Accept header that matches JSON is routed to PersonHandler.listPeople
④ otherRoute is a router function that is created elsewhere, and added to the route built.
Kotlin
import org.springframework.http.MediaType.APPLICATION_JSON
① GET /person/{id} with an Accept header that matches JSON is routed to PersonHandler.getPerson
② GET /person with an Accept header that matches JSON is routed to PersonHandler.listPeople
④ otherRoute is a router function that is created elsewhere, and added to the route built.
Nested Routes
It is common for a group of router functions to have a shared predicate, for instance a shared path.
In the example above, the shared predicate would be a path predicate that matches /person, used
by three of the routes. When using annotations, you would remove this duplication by using a type-
level @RequestMapping annotation that maps to /person. In WebFlux.fn, path predicates can be
1186
shared through the path method on the router function builder. For instance, the last few lines of
the example above can be improved in the following way by using nested routes:
Java
① Note that second parameter of path is a consumer that takes the router builder.
Kotlin
① Create router using Coroutines router DSL; a Reactive alternative is also available via router { }.
Though path-based nesting is the most common, you can nest on any kind of predicate by using the
nest method on the builder. The above still contains some duplication in the form of the shared
Accept-header predicate. We can further improve by using the nest method together with accept:
Java
1187
Kotlin
Running a Server
Web MVC
How do you run a router function in an HTTP server? A simple option is to convert a router
function to an HttpHandler by using one of the following:
• RouterFunctions.toHttpHandler(RouterFunction)
• RouterFunctions.toHttpHandler(RouterFunction, HandlerStrategies)
You can then use the returned HttpHandler with a number of server adapters by following
HttpHandler for server-specific instructions.
A more typical option, also used by Spring Boot, is to run with a DispatcherHandler-based setup
through the WebFlux Config, which uses Spring configuration to declare the components required
to process requests. The WebFlux Java configuration declares the following infrastructure
components to support functional endpoints:
The preceding components let functional endpoints fit within the DispatcherHandler request
processing lifecycle and also (potentially) run side by side with annotated controllers, if any are
declared. It is also how functional endpoints are enabled by the Spring Boot WebFlux starter.
The following example shows a WebFlux Java configuration (see DispatcherHandler for how to run
it):
1188
Java
@Configuration
@EnableWebFlux
public class WebConfig implements WebFluxConfigurer {
@Bean
public RouterFunction<?> routerFunctionA() {
// ...
}
@Bean
public RouterFunction<?> routerFunctionB() {
// ...
}
// ...
@Override
public void configureHttpMessageCodecs(ServerCodecConfigurer configurer) {
// configure message conversion...
}
@Override
public void addCorsMappings(CorsRegistry registry) {
// configure CORS...
}
@Override
public void configureViewResolvers(ViewResolverRegistry registry) {
// configure view resolution for HTML rendering...
}
}
1189
Kotlin
@Configuration
@EnableWebFlux
class WebConfig : WebFluxConfigurer {
@Bean
fun routerFunctionA(): RouterFunction<*> {
// ...
}
@Bean
fun routerFunctionB(): RouterFunction<*> {
// ...
}
// ...
Web MVC
You can filter handler functions by using the before, after, or filter methods on the routing
function builder. With annotations, you can achieve similar functionality by using
@ControllerAdvice, a ServletFilter, or both. The filter will apply to all routes that are built by the
builder. This means that filters defined in nested routes do not apply to "top-level" routes. For
instance, consider the following example:
1190
Java
① The before filter that adds a custom request header is only applied to the two GET routes.
② The after filter that logs the response is applied to all routes, including the nested ones.
Kotlin
① The before filter that adds a custom request header is only applied to the two GET routes.
② The after filter that logs the response is applied to all routes, including the nested ones.
The filter method on the router builder takes a HandlerFilterFunction: a function that takes a
ServerRequest and HandlerFunction and returns a ServerResponse. The handler function parameter
represents the next element in the chain. This is typically the handler that is routed to, but it can
also be another filter if multiple are applied.
Now we can add a simple security filter to our route, assuming that we have a SecurityManager that
can determine whether a particular path is allowed. The following example shows how to do so:
1191
Java
Kotlin
Besides using the filter method on the router function builder, it is possible to apply a filter to an
existing router function via RouterFunction.filter(HandlerFilterFunction).
1192
6.1.6. URI Links
Web MVC
This section describes various options available in the Spring Framework to prepare URIs.
UriComponents
UriComponentsBuilder helps to build URI’s from URI templates with variables, as the following
example shows:
Java
④ Build a UriComponents.
Kotlin
④ Build a UriComponents.
The preceding example can be consolidated into one chain and shortened with buildAndExpand, as
the following example shows:
1193
Java
Kotlin
You can shorten it further by going directly to a URI (which implies encoding), as the following
example shows:
Java
Kotlin
You can shorten it further still with a full URI template, as the following example shows:
Java
1194
Kotlin
UriBuilder
You can configure RestTemplate and WebClient with a UriBuilderFactory to customize the
preparation of URIs. DefaultUriBuilderFactory is a default implementation of UriBuilderFactory that
uses UriComponentsBuilder internally and exposes shared configuration options.
Java
// import org.springframework.web.util.DefaultUriBuilderFactory.EncodingMode;
Kotlin
// import org.springframework.web.util.DefaultUriBuilderFactory.EncodingMode
1195
Java
// import org.springframework.web.util.DefaultUriBuilderFactory.EncodingMode;
Kotlin
// import org.springframework.web.util.DefaultUriBuilderFactory.EncodingMode
Java
Kotlin
URI Encoding
• UriComponentsBuilder#encode(): Pre-encodes the URI template first and then strictly encodes
1196
URI variables when expanded.
Both options replace non-ASCII and illegal characters with escaped octets. However, the first option
also replaces characters with reserved meaning that appear in URI variables.
Consider ";", which is legal in a path but has reserved meaning. The first option
replaces ";" with "%3B" in URI variables but not in the URI template. By contrast,
the second option never replaces ";", since it is a legal character in a path.
For most cases, the first option is likely to give the expected result, because it treats URI variables as
opaque data to be fully encoded, while the second option is useful if URI variables do intentionally
contain reserved characters. The second option is also useful when not expanding URI variables at
all since that will also encode anything that incidentally looks like a URI variable.
Java
// Result is "/hotel%20list/New%20York?q=foo%2Bbar"
Kotlin
// Result is "/hotel%20list/New%20York?q=foo%2Bbar"
You can shorten the preceding example by going directly to the URI (which implies encoding), as
the following example shows:
Java
1197
Kotlin
You can shorten it further still with a full URI template, as the following example shows:
Java
Kotlin
The WebClient and the RestTemplate expand and encode URI templates internally through the
UriBuilderFactory strategy. Both can be configured with a custom strategy, as the following example
shows:
Java
1198
Kotlin
• VALUES_ONLY: Does not encode the URI template and, instead, applies strict encoding to URI
variables through UriUtils#encodeUriVariables prior to expanding them into the template.
The RestTemplate is set to EncodingMode.URI_COMPONENT for historic reasons and for backwards
compatibility. The WebClient relies on the default value in DefaultUriBuilderFactory, which was
changed from EncodingMode.URI_COMPONENT in 5.0.x to EncodingMode.TEMPLATE_AND_VALUES in 5.1.
6.1.7. CORS
Web MVC
Spring WebFlux lets you handle CORS (Cross-Origin Resource Sharing). This section describes how
to do so.
Introduction
Web MVC
For security reasons, browsers prohibit AJAX calls to resources outside the current origin. For
example, you could have your bank account in one tab and evil.com in another. Scripts from
evil.com should not be able to make AJAX requests to your bank API with your credentials — for
example, withdrawing money from your account!
Cross-Origin Resource Sharing (CORS) is a W3C specification implemented by most browsers that
1199
lets you specify what kind of cross-domain requests are authorized, rather than using less secure
and less powerful workarounds based on IFRAME or JSONP.
Processing
Web MVC
The CORS specification distinguishes between preflight, simple, and actual requests. To learn how
CORS works, you can read this article, among many others, or see the specification for more details.
Spring WebFlux HandlerMapping implementations provide built-in support for CORS. After
successfully mapping a request to a handler, a HandlerMapping checks the CORS configuration for the
given request and handler and takes further actions. Preflight requests are handled directly, while
simple and actual CORS requests are intercepted, validated, and have the required CORS response
headers set.
In order to enable cross-origin requests (that is, the Origin header is present and differs from the
host of the request), you need to have some explicitly declared CORS configuration. If no matching
CORS configuration is found, preflight requests are rejected. No CORS headers are added to the
responses of simple and actual CORS requests and, consequently, browsers reject them.
You can combine global CORS configuration at the HandlerMapping level with more fine-grained,
handler-level CORS configuration. For example, annotated controllers can use class- or method-
level @CrossOrigin annotations (other handlers can implement CorsConfigurationSource).
The rules for combining global and local configuration are generally additive — for example, all
global and all local origins. For those attributes where only a single value can be accepted, such as
allowCredentials and maxAge, the local overrides the global value. See
CorsConfiguration#combine(CorsConfiguration) for more details.
• CorsConfiguration
• CorsProcessor and DefaultCorsProcessor
• AbstractHandlerMapping
@CrossOrigin
Web MVC
The @CrossOrigin annotation enables cross-origin requests on annotated controller methods, as the
following example shows:
1200
Java
@RestController
@RequestMapping("/account")
public class AccountController {
@CrossOrigin
@GetMapping("/{id}")
public Mono<Account> retrieve(@PathVariable Long id) {
// ...
}
@DeleteMapping("/{id}")
public Mono<Void> remove(@PathVariable Long id) {
// ...
}
}
Kotlin
@RestController
@RequestMapping("/account")
class AccountController {
@CrossOrigin
@GetMapping("/{id}")
suspend fun retrieve(@PathVariable id: Long): Account {
// ...
}
@DeleteMapping("/{id}")
suspend fun remove(@PathVariable id: Long) {
// ...
}
}
• All origins.
• All headers.
allowCredentials is not enabled by default, since that establishes a trust level that exposes sensitive
user-specific information (such as cookies and CSRF tokens) and should be used only where
appropriate. When it is enabled either allowOrigins must be set to one or more specific domain (but
not the special value "*") or alternatively the allowOriginPatterns property may be used to match to
a dynamic set of origins.
1201
@CrossOrigin is supported at the class level, too, and inherited by all methods. The following
example specifies a certain domain and sets maxAge to an hour:
Java
@GetMapping("/{id}")
public Mono<Account> retrieve(@PathVariable Long id) {
// ...
}
@DeleteMapping("/{id}")
public Mono<Void> remove(@PathVariable Long id) {
// ...
}
}
Kotlin
@GetMapping("/{id}")
suspend fun retrieve(@PathVariable id: Long): Account {
// ...
}
@DeleteMapping("/{id}")
suspend fun remove(@PathVariable id: Long) {
// ...
}
}
You can use @CrossOrigin at both the class and the method level, as the following example shows:
1202
Java
@CrossOrigin(maxAge = 3600) ①
@RestController
@RequestMapping("/account")
public class AccountController {
@CrossOrigin("https://domain2.com") ②
@GetMapping("/{id}")
public Mono<Account> retrieve(@PathVariable Long id) {
// ...
}
@DeleteMapping("/{id}")
public Mono<Void> remove(@PathVariable Long id) {
// ...
}
}
Kotlin
@CrossOrigin(maxAge = 3600) ①
@RestController
@RequestMapping("/account")
class AccountController {
@CrossOrigin("https://domain2.com") ②
@GetMapping("/{id}")
suspend fun retrieve(@PathVariable id: Long): Account {
// ...
}
@DeleteMapping("/{id}")
suspend fun remove(@PathVariable id: Long) {
// ...
}
}
Global Configuration
Web MVC
1203
individually on any HandlerMapping. Most applications, however, use the WebFlux Java
configuration to do that.
• All origins.
• All headers.
allowedCredentials is not enabled by default, since that establishes a trust level that exposes
sensitive user-specific information( such as cookies and CSRF tokens) and should be used only
where appropriate. When it is enabled either allowOrigins must be set to one or more specific
domain (but not the special value "*") or alternatively the allowOriginPatterns property may be
used to match to a dynamic set of origins.
To enable CORS in the WebFlux Java configuration, you can use the CorsRegistry callback, as the
following example shows:
Java
@Configuration
@EnableWebFlux
public class WebConfig implements WebFluxConfigurer {
@Override
public void addCorsMappings(CorsRegistry registry) {
registry.addMapping("/api/**")
.allowedOrigins("https://domain2.com")
.allowedMethods("PUT", "DELETE")
.allowedHeaders("header1", "header2", "header3")
.exposedHeaders("header1", "header2")
.allowCredentials(true).maxAge(3600);
1204
Kotlin
@Configuration
@EnableWebFlux
class WebConfig : WebFluxConfigurer {
registry.addMapping("/api/**")
.allowedOrigins("https://domain2.com")
.allowedMethods("PUT", "DELETE")
.allowedHeaders("header1", "header2", "header3")
.exposedHeaders("header1", "header2")
.allowCredentials(true).maxAge(3600)
CORS WebFilter
Web MVC
You can apply CORS support through the built-in CorsWebFilter, which is a good fit with functional
endpoints.
If you try to use the CorsFilter with Spring Security, keep in mind that Spring
Security has built-in support for CORS.
To configure the filter, you can declare a CorsWebFilter bean and pass a CorsConfigurationSource to
its constructor, as the following example shows:
1205
Java
@Bean
CorsWebFilter corsFilter() {
// Possibly...
// config.applyPermitDefaultValues()
config.setAllowCredentials(true);
config.addAllowedOrigin("https://domain1.com");
config.addAllowedHeader("*");
config.addAllowedMethod("*");
Kotlin
@Bean
fun corsFilter(): CorsWebFilter {
// Possibly...
// config.applyPermitDefaultValues()
config.allowCredentials = true
config.addAllowedOrigin("https://domain1.com")
config.addAllowedHeader("*")
config.addAllowedMethod("*")
A common requirement for REST services is to include details in the body of error responses. The
Spring Framework supports the "Problem Details for HTTP APIs" specification, RFC 7807.
1206
• ProblemDetail — representation for an RFC 7807 problem detail; a simple container for both
standard fields defined in the spec, and for non-standard ones.
• ErrorResponse — contract to expose HTTP error response details including HTTP status, response
headers, and a body in the format of RFC 7807; this allows exceptions to encapsulate and expose
the details of how they map to an HTTP response. All Spring WebFlux exceptions implement
this.
Render
Web MVC
You can return ProblemDetail or ErrorResponse from any @ExceptionHandler or from any
@RequestMapping method to render an RFC 7807 response. This is processed as follows:
• The instance property of ProblemDetail is set from the current URL path, if not already set.
To enable RFC 7807 responses for Spring WebFlux exceptions and for any ErrorResponseException,
extend ResponseEntityExceptionHandler and declare it as an @ControllerAdvice in Spring
configuration. The handler has an @ExceptionHandler method that handles any ErrorResponse
exception, which includes all built-in web exceptions. You can add more exception handling
methods, and use a protected method to map any exception to a ProblemDetail.
Non-Standard Fields
Web MVC
You can extend an RFC 7807 response with non-standard fields in one of two ways.
One, insert into the "properties" Map of ProblemDetail. When using the Jackson library, the Spring
Framework registers ProblemDetailJacksonMixin that ensures this "properties" Map is unwrapped
and rendered as top level JSON properties in the response, and likewise any unknown property
during deserialization is inserted into this Map.
You can also extend ProblemDetail to add dedicated non-standard properties. The copy constructor
in ProblemDetail allows a subclass to make it easy to be created from an existing ProblemDetail. This
could be done centrally, e.g. from an @ControllerAdvice such as ResponseEntityExceptionHandler that
re-creates the ProblemDetail of an exception into a subclass with the additional non-standard fields.
1207
Internationalization
Web MVC
• Each ErrorResponse exposes a message code and arguments to resolve the "detail" field through
a MessageSource. The actual message code value is parameterized with placeholders, e.g. "HTTP
method {0} not supported" to be expanded from the arguments.
• Each ErrorResponse also exposes a message code to resolve the "title" field.
• ResponseEntityExceptionHandler uses the message code and arguments to resolve the "detail"
and the "title" fields.
By default, the message code for the "detail" field is "problemDetail." + the fully qualified exception
class name. Some exceptions may expose additional message codes in which case a suffix is added
to the default message code. The table below lists message arguments and codes for Spring
WebFlux exceptions:
By default, the message code for the "title" field is "problemDetail.title." + the fully qualified
exception class name.
1208
Client Handling
Web MVC
The Spring Security project provides support for protecting web applications from malicious
exploits. See the Spring Security reference documentation, including:
• WebFlux Security
• CSRF protection
HTTP caching can significantly improve the performance of a web application. HTTP caching
revolves around the Cache-Control response header and subsequent conditional request headers,
such as Last-Modified and ETag. Cache-Control advises private (for example, browser) and public
(for example, proxy) caches how to cache and re-use responses. An ETag header is used to make a
conditional request that may result in a 304 (NOT_MODIFIED) without a body, if the content has not
changed. ETag can be seen as a more sophisticated successor to the Last-Modified header.
This section describes the HTTP caching related options available in Spring WebFlux.
CacheControl
Web MVC
CacheControl provides support for configuring settings related to the Cache-Control header and is
accepted as an argument in a number of places:
• Controllers
• Static Resources
While RFC 7234 describes all possible directives for the Cache-Control response header, the
CacheControl type takes a use case-oriented approach that focuses on the common scenarios, as the
following example shows:
1209
Java
Kotlin
Controllers
Web MVC
Controllers can add explicit support for HTTP caching. We recommend doing so, since the
lastModified or ETag value for a resource needs to be calculated before it can be compared against
conditional request headers. A controller can add an ETag and Cache-Control settings to a
ResponseEntity, as the following example shows:
1210
Java
@GetMapping("/book/{id}")
public ResponseEntity<Book> showBook(@PathVariable Long id) {
return ResponseEntity
.ok()
.cacheControl(CacheControl.maxAge(30, TimeUnit.DAYS))
.eTag(version) // lastModified is also available
.body(book);
}
Kotlin
@GetMapping("/book/{id}")
fun showBook(@PathVariable id: Long): ResponseEntity<Book> {
return ResponseEntity
.ok()
.cacheControl(CacheControl.maxAge(30, TimeUnit.DAYS))
.eTag(version) // lastModified is also available
.body(book)
}
The preceding example sends a 304 (NOT_MODIFIED) response with an empty body if the
comparison to the conditional request headers indicates the content has not changed. Otherwise,
the ETag and Cache-Control headers are added to the response.
You can also make the check against conditional request headers in the controller, as the following
example shows:
1211
Java
@RequestMapping
public String myHandleMethod(ServerWebExchange exchange, Model model) {
if (exchange.checkNotModified(eTag)) {
return null; ②
}
model.addAttribute(...); ③
return "myViewName";
}
① Application-specific calculation.
Kotlin
@RequestMapping
fun myHandleMethod(exchange: ServerWebExchange, model: Model): String? {
if (exchange.checkNotModified(eTag)) {
return null②
}
model.addAttribute(...) ③
return "myViewName"
}
① Application-specific calculation.
There are three variants for checking conditional requests against eTag values, lastModified values,
or both. For conditional GET and HEAD requests, you can set the response to 304 (NOT_MODIFIED).
For conditional POST, PUT, and DELETE, you can instead set the response to 412
(PRECONDITION_FAILED) to prevent concurrent modification.
Static Resources
Web MVC
You should serve static resources with a Cache-Control and conditional response headers for
optimal performance. See the section on configuring Static Resources.
1212
6.1.11. View Technologies
Web MVC
The use of view technologies in Spring WebFlux is pluggable. Whether you decide to use Thymeleaf,
FreeMarker, or some other view technology is primarily a matter of a configuration change. This
chapter covers the view technologies integrated with Spring WebFlux. We assume you are already
familiar with View Resolution.
Thymeleaf
Web MVC
Thymeleaf is a modern server-side Java template engine that emphasizes natural HTML templates
that can be previewed in a browser by double-clicking, which is very helpful for independent work
on UI templates (for example, by a designer) without the need for a running server. Thymeleaf
offers an extensive set of features, and it is actively developed and maintained. For a more
complete introduction, see the Thymeleaf project home page.
The Thymeleaf integration with Spring WebFlux is managed by the Thymeleaf project. The
configuration involves a few bean declarations, such as SpringResourceTemplateResolver,
SpringWebFluxTemplateEngine, and ThymeleafReactiveViewResolver. For more details, see
Thymeleaf+Spring and the WebFlux integration announcement.
FreeMarker
Web MVC
Apache FreeMarker is a template engine for generating any kind of text output from HTML to email
and others. The Spring Framework has built-in integration for using Spring WebFlux with
FreeMarker templates.
View Configuration
Web MVC
1213
Java
@Configuration
@EnableWebFlux
public class WebConfig implements WebFluxConfigurer {
@Override
public void configureViewResolvers(ViewResolverRegistry registry) {
registry.freeMarker();
}
// Configure FreeMarker...
@Bean
public FreeMarkerConfigurer freeMarkerConfigurer() {
FreeMarkerConfigurer configurer = new FreeMarkerConfigurer();
configurer.setTemplateLoaderPath("classpath:/templates/freemarker");
return configurer;
}
}
Kotlin
@Configuration
@EnableWebFlux
class WebConfig : WebFluxConfigurer {
// Configure FreeMarker...
@Bean
fun freeMarkerConfigurer() = FreeMarkerConfigurer().apply {
setTemplateLoaderPath("classpath:/templates/freemarker")
}
}
Your templates need to be stored in the directory specified by the FreeMarkerConfigurer, shown in
the preceding example. Given the preceding configuration, if your controller returns the view
name, welcome, the resolver looks for the classpath:/templates/freemarker/welcome.ftl template.
FreeMarker Configuration
Web MVC
You can pass FreeMarker 'Settings' and 'SharedVariables' directly to the FreeMarker Configuration
object (which is managed by Spring) by setting the appropriate bean properties on the
FreeMarkerConfigurer bean. The freemarkerSettings property requires a java.util.Properties object,
1214
and the freemarkerVariables property requires a java.util.Map. The following example shows how
to use a FreeMarkerConfigurer:
Java
@Configuration
@EnableWebFlux
public class WebConfig implements WebFluxConfigurer {
// ...
@Bean
public FreeMarkerConfigurer freeMarkerConfigurer() {
Map<String, Object> variables = new HashMap<>();
variables.put("xml_escape", new XmlEscape());
Kotlin
@Configuration
@EnableWebFlux
class WebConfig : WebFluxConfigurer {
// ...
@Bean
fun freeMarkerConfigurer() = FreeMarkerConfigurer().apply {
setTemplateLoaderPath("classpath:/templates")
setFreemarkerVariables(mapOf("xml_escape" to XmlEscape()))
}
}
See the FreeMarker documentation for details of settings and variables as they apply to the
Configuration object.
Form Handling
Web MVC
Spring provides a tag library for use in JSPs that contains, among others, a <spring:bind/> element.
This element primarily lets forms display values from form-backing objects and show the results of
failed validations from a Validator in the web or business tier. Spring also has support for the same
functionality in FreeMarker, with additional convenience macros for generating form input
elements themselves.
1215
The Bind Macros
Web MVC
A standard set of macros are maintained within the spring-webflux.jar file for FreeMarker, so they
are always available to a suitably configured application.
Some of the macros defined in the Spring templating libraries are considered internal (private), but
no such scoping exists in the macro definitions, making all macros visible to calling code and user
templates. The following sections concentrate only on the macros you need to directly call from
within your templates. If you wish to view the macro code directly, the file is called spring.ftl and
is in the org.springframework.web.reactive.result.view.freemarker package.
For additional details on binding support, see Simple Binding for Spring MVC.
Form Macros
For details on Spring’s form macro support for FreeMarker templates, consult the following
sections of the Spring MVC documentation.
• Input Macros
• Input Fields
• Selection Fields
• HTML Escaping
Script Views
Web MVC
The Spring Framework has a built-in integration for using Spring WebFlux with any templating
library that can run on top of the JSR-223 Java scripting engine. The following table shows the
templating libraries that we have tested on different script engines:
Handlebars Nashorn
Mustache Nashorn
React Nashorn
EJS Nashorn
ERB JRuby
The basic rule for integrating any other script engine is that it must implement the
ScriptEngine and Invocable interfaces.
1216
Requirements
Web MVC
You need to have the script engine on your classpath, the details of which vary by script engine:
• The Nashorn JavaScript engine is provided with Java 8+. Using the latest update release
available is highly recommended.
You need to have the script templating library. One way to do that for JavaScript is through
WebJars.
Script Templates
Web MVC
You can declare a ScriptTemplateConfigurer bean to specify the script engine to use, the script files
to load, what function to call to render templates, and so on. The following example uses Mustache
templates and the Nashorn JavaScript engine:
Java
@Configuration
@EnableWebFlux
public class WebConfig implements WebFluxConfigurer {
@Override
public void configureViewResolvers(ViewResolverRegistry registry) {
registry.scriptTemplate();
}
@Bean
public ScriptTemplateConfigurer configurer() {
ScriptTemplateConfigurer configurer = new ScriptTemplateConfigurer();
configurer.setEngineName("nashorn");
configurer.setScripts("mustache.js");
configurer.setRenderObject("Mustache");
configurer.setRenderFunction("render");
return configurer;
}
}
1217
Kotlin
@Configuration
@EnableWebFlux
class WebConfig : WebFluxConfigurer {
@Bean
fun configurer() = ScriptTemplateConfigurer().apply {
engineName = "nashorn"
setScripts("mustache.js")
renderObject = "Mustache"
renderFunction = "render"
}
}
Mustache.render() is natively compatible with this signature, so you can call it directly.
If your templating technology requires some customization, you can provide a script that
implements a custom render function. For example, Handlerbars needs to compile templates
before using them and requires a polyfill in order to emulate some browser facilities not available
in the server-side script engine. The following example shows how to set a custom render function:
1218
Java
@Configuration
@EnableWebFlux
public class WebConfig implements WebFluxConfigurer {
@Override
public void configureViewResolvers(ViewResolverRegistry registry) {
registry.scriptTemplate();
}
@Bean
public ScriptTemplateConfigurer configurer() {
ScriptTemplateConfigurer configurer = new ScriptTemplateConfigurer();
configurer.setEngineName("nashorn");
configurer.setScripts("polyfill.js", "handlebars.js", "render.js");
configurer.setRenderFunction("render");
configurer.setSharedEngine(false);
return configurer;
}
}
Kotlin
@Configuration
@EnableWebFlux
class WebConfig : WebFluxConfigurer {
@Bean
fun configurer() = ScriptTemplateConfigurer().apply {
engineName = "nashorn"
setScripts("polyfill.js", "handlebars.js", "render.js")
renderFunction = "render"
isSharedEngine = false
}
}
polyfill.js defines only the window object needed by Handlebars to run properly, as the following
snippet shows:
1219
var window = {};
This basic render.js implementation compiles the template before using it. A production ready
implementation should also store and reused cached templates or pre-compiled templates. This can
be done on the script side, as well as any customization you need (managing template engine
configuration for example). The following example shows how compile a template:
Check out the Spring Framework unit tests, Java, and resources, for more configuration examples.
Web MVC
For Content Negotiation purposes, it is useful to be able to alternate between rendering a model
with an HTML template or as other formats (such as JSON or XML), depending on the content type
requested by the client. To support doing so, Spring WebFlux provides the HttpMessageWriterView,
which you can use to plug in any of the available Codecs from spring-web, such as
Jackson2JsonEncoder, Jackson2SmileEncoder, or Jaxb2XmlEncoder.
Unlike other view technologies, HttpMessageWriterView does not require a ViewResolver but is
instead configured as a default view. You can configure one or more such default views, wrapping
different HttpMessageWriter instances or Encoder instances. The one that matches the requested
content type is used at runtime.
In most cases, a model contains multiple attributes. To determine which one to serialize, you can
configure HttpMessageWriterView with the name of the model attribute to use for rendering. If the
model contains only one attribute, that one is used.
The WebFlux Java configuration declares the components that are required to process requests
with annotated controllers or functional endpoints, and it offers an API to customize the
configuration. That means you do not need to understand the underlying beans created by the Java
configuration. However, if you want to understand them, you can see them in
WebFluxConfigurationSupport or read more about what they are in Special Bean Types.
For more advanced customizations, not available in the configuration API, you can gain full control
over the configuration through the Advanced Configuration Mode.
1220
Enabling WebFlux Config
Web MVC
You can use the @EnableWebFlux annotation in your Java config, as the following example shows:
Java
@Configuration
@EnableWebFlux
public class WebConfig {
}
Kotlin
@Configuration
@EnableWebFlux
class WebConfig
The preceding example registers a number of Spring WebFlux infrastructure beans and adapts to
dependencies available on the classpath — for JSON, XML, and others.
Web MVC
In your Java configuration, you can implement the WebFluxConfigurer interface, as the following
example shows:
Java
@Configuration
@EnableWebFlux
public class WebConfig implements WebFluxConfigurer {
Kotlin
@Configuration
@EnableWebFlux
class WebConfig : WebFluxConfigurer {
1221
Conversion, formatting
Web MVC
By default, formatters for various number and date types are installed, along with support for
customization via @NumberFormat and @DateTimeFormat on fields.
To register custom formatters and converters in Java config, use the following:
Java
@Configuration
@EnableWebFlux
public class WebConfig implements WebFluxConfigurer {
@Override
public void addFormatters(FormatterRegistry registry) {
// ...
}
Kotlin
@Configuration
@EnableWebFlux
class WebConfig : WebFluxConfigurer {
By default Spring WebFlux considers the request Locale when parsing and formatting date values.
This works for forms where dates are represented as Strings with "input" form fields. For "date"
and "time" form fields, however, browsers use a fixed format defined in the HTML spec. For such
cases date and time formatting can be customized as follows:
1222
Java
@Configuration
@EnableWebFlux
public class WebConfig implements WebFluxConfigurer {
@Override
public void addFormatters(FormatterRegistry registry) {
DateTimeFormatterRegistrar registrar = new DateTimeFormatterRegistrar();
registrar.setUseIsoFormat(true);
registrar.registerFormatters(registry);
}
}
Kotlin
@Configuration
@EnableWebFlux
class WebConfig : WebFluxConfigurer {
Validation
Web MVC
By default, if Bean Validation is present on the classpath (for example, the Hibernate Validator), the
LocalValidatorFactoryBean is registered as a global validator for use with @Valid and @Validated on
@Controller method arguments.
In your Java configuration, you can customize the global Validator instance, as the following
example shows:
1223
Java
@Configuration
@EnableWebFlux
public class WebConfig implements WebFluxConfigurer {
@Override
public Validator getValidator() {
// ...
}
Kotlin
@Configuration
@EnableWebFlux
class WebConfig : WebFluxConfigurer {
Note that you can also register Validator implementations locally, as the following example shows:
Java
@Controller
public class MyController {
@InitBinder
protected void initBinder(WebDataBinder binder) {
binder.addValidators(new FooValidator());
}
1224
Kotlin
@Controller
class MyController {
@InitBinder
protected fun initBinder(binder: WebDataBinder) {
binder.addValidators(FooValidator())
}
}
Web MVC
You can configure how Spring WebFlux determines the requested media types for @Controller
instances from the request. By default, only the Accept header is checked, but you can also enable a
query parameter-based strategy.
The following example shows how to customize the requested content type resolution:
Java
@Configuration
@EnableWebFlux
public class WebConfig implements WebFluxConfigurer {
@Override
public void configureContentTypeResolver(RequestedContentTypeResolverBuilder
builder) {
// ...
}
}
Kotlin
@Configuration
@EnableWebFlux
class WebConfig : WebFluxConfigurer {
1225
HTTP message codecs
Web MVC
The following example shows how to customize how the request and response body are read and
written:
Java
@Configuration
@EnableWebFlux
public class WebConfig implements WebFluxConfigurer {
@Override
public void configureHttpMessageCodecs(ServerCodecConfigurer configurer) {
configurer.defaultCodecs().maxInMemorySize(512 * 1024);
}
}
Kotlin
@Configuration
@EnableWebFlux
class WebConfig : WebFluxConfigurer {
ServerCodecConfigurer provides a set of default readers and writers. You can use it to add more
readers and writers, customize the default ones, or replace the default ones completely.
For Jackson JSON and XML, consider using Jackson2ObjectMapperBuilder, which customizes
Jackson’s default properties with the following ones:
• DeserializationFeature.FAIL_ON_UNKNOWN_PROPERTIES is disabled.
• MapperFeature.DEFAULT_VIEW_INCLUSION is disabled.
It also automatically registers the following well-known modules if they are detected on the
classpath:
1226
View Resolvers
Web MVC
Java
@Configuration
@EnableWebFlux
public class WebConfig implements WebFluxConfigurer {
@Override
public void configureViewResolvers(ViewResolverRegistry registry) {
// ...
}
}
Kotlin
@Configuration
@EnableWebFlux
class WebConfig : WebFluxConfigurer {
The ViewResolverRegistry has shortcuts for view technologies with which the Spring Framework
integrates. The following example uses FreeMarker (which also requires configuring the underlying
FreeMarker view technology):
1227
Java
@Configuration
@EnableWebFlux
public class WebConfig implements WebFluxConfigurer {
@Override
public void configureViewResolvers(ViewResolverRegistry registry) {
registry.freeMarker();
}
// Configure Freemarker...
@Bean
public FreeMarkerConfigurer freeMarkerConfigurer() {
FreeMarkerConfigurer configurer = new FreeMarkerConfigurer();
configurer.setTemplateLoaderPath("classpath:/templates");
return configurer;
}
}
Kotlin
@Configuration
@EnableWebFlux
class WebConfig : WebFluxConfigurer {
// Configure Freemarker...
@Bean
fun freeMarkerConfigurer() = FreeMarkerConfigurer().apply {
setTemplateLoaderPath("classpath:/templates")
}
}
You can also plug in any ViewResolver implementation, as the following example shows:
1228
Java
@Configuration
@EnableWebFlux
public class WebConfig implements WebFluxConfigurer {
@Override
public void configureViewResolvers(ViewResolverRegistry registry) {
ViewResolver resolver = ... ;
registry.viewResolver(resolver);
}
}
Kotlin
@Configuration
@EnableWebFlux
class WebConfig : WebFluxConfigurer {
To support Content Negotiation and rendering other formats through view resolution (besides
HTML), you can configure one or more default views based on the HttpMessageWriterView
implementation, which accepts any of the available Codecs from spring-web. The following example
shows how to do so:
Java
@Configuration
@EnableWebFlux
public class WebConfig implements WebFluxConfigurer {
@Override
public void configureViewResolvers(ViewResolverRegistry registry) {
registry.freeMarker();
// ...
}
1229
Kotlin
@Configuration
@EnableWebFlux
class WebConfig : WebFluxConfigurer {
// ...
}
See View Technologies for more on the view technologies that are integrated with Spring WebFlux.
Static Resources
Web MVC
This option provides a convenient way to serve static resources from a list of Resource-based
locations.
In the next example, given a request that starts with /resources, the relative path is used to find and
serve static resources relative to /static on the classpath. Resources are served with a one-year
future expiration to ensure maximum use of the browser cache and a reduction in HTTP requests
made by the browser. The Last-Modified header is also evaluated and, if present, a 304 status code is
returned. The following listing shows the example:
Java
@Configuration
@EnableWebFlux
public class WebConfig implements WebFluxConfigurer {
@Override
public void addResourceHandlers(ResourceHandlerRegistry registry) {
registry.addResourceHandler("/resources/**")
.addResourceLocations("/public", "classpath:/static/")
.setCacheControl(CacheControl.maxAge(365, TimeUnit.DAYS));
}
1230
Kotlin
@Configuration
@EnableWebFlux
class WebConfig : WebFluxConfigurer {
You can use the VersionResourceResolver for versioned resource URLs based on an MD5 hash
computed from the content, a fixed application version, or other information. A
ContentVersionStrategy (MD5 hash) is a good choice with some notable exceptions (such as
JavaScript resources used with a module loader).
The following example shows how to use VersionResourceResolver in your Java configuration:
Java
@Configuration
@EnableWebFlux
public class WebConfig implements WebFluxConfigurer {
@Override
public void addResourceHandlers(ResourceHandlerRegistry registry) {
registry.addResourceHandler("/resources/**")
.addResourceLocations("/public/")
.resourceChain(true)
.addResolver(new
VersionResourceResolver().addContentVersionStrategy("/**"));
}
1231
Kotlin
@Configuration
@EnableWebFlux
class WebConfig : WebFluxConfigurer {
You can use ResourceUrlProvider to rewrite URLs and apply the full chain of resolvers and
transformers (for example, to insert versions). The WebFlux configuration provides a
ResourceUrlProvider so that it can be injected into others.
Unlike Spring MVC, at present, in WebFlux, there is no way to transparently rewrite static resource
URLs, since there are no view technologies that can make use of a non-blocking chain of resolvers
and transformers. When serving only local resources, the workaround is to use ResourceUrlProvider
directly (for example, through a custom element) and block.
Note that, when using both EncodedResourceResolver (for example, Gzip, Brotli encoded) and
VersionedResourceResolver, they must be registered in that order, to ensure content-based versions
are always computed reliably based on the unencoded file.
For WebJars, versioned URLs like /webjars/jquery/1.2.0/jquery.min.js are the recommended and
most efficient way to use them. The related resource location is configured out of the box with
Spring Boot (or can be configured manually via ResourceHandlerRegistry) and does not require to
add the org.webjars:webjars-locator-core dependency.
Path Matching
Web MVC
1232
You can customize options related to path matching. For details on the individual options, see the
PathMatchConfigurer javadoc. The following example shows how to use PathMatchConfigurer:
Java
@Configuration
@EnableWebFlux
public class WebConfig implements WebFluxConfigurer {
@Override
public void configurePathMatch(PathMatchConfigurer configurer) {
configurer
.setUseCaseSensitiveMatch(true)
.addPathPrefix("/api",
HandlerTypePredicate.forAnnotation(RestController.class));
}
}
Kotlin
@Configuration
@EnableWebFlux
class WebConfig : WebFluxConfigurer {
@Override
fun configurePathMatch(configurer: PathMatchConfigurer) {
configurer
.setUseCaseSensitiveMatch(true)
.addPathPrefix("/api",
HandlerTypePredicate.forAnnotation(RestController::class.java))
}
}
Spring WebFlux also does not support suffix pattern matching, unlike in Spring
MVC, where we are also recommend moving away from reliance on it.
WebSocketService
The WebFlux Java config declares of a WebSocketHandlerAdapter bean which provides support for the
invocation of WebSocket handlers. That means all that remains to do in order to handle a
WebSocket handshake request is to map a WebSocketHandler to a URL via SimpleUrlHandlerMapping.
In some cases it may be necessary to create the WebSocketHandlerAdapter bean with a provided
1233
WebSocketService service which allows configuring WebSocket server properties. For example:
Java
@Configuration
@EnableWebFlux
public class WebConfig implements WebFluxConfigurer {
@Override
public WebSocketService getWebSocketService() {
TomcatRequestUpgradeStrategy strategy = new TomcatRequestUpgradeStrategy();
strategy.setMaxSessionIdleTimeout(0L);
return new HandshakeWebSocketService(strategy);
}
}
Kotlin
@Configuration
@EnableWebFlux
class WebConfig : WebFluxConfigurer {
@Override
fun webSocketService(): WebSocketService {
val strategy = TomcatRequestUpgradeStrategy().apply {
setMaxSessionIdleTimeout(0L)
}
return HandshakeWebSocketService(strategy)
}
}
Web MVC
For advanced mode, you can remove @EnableWebFlux and extend directly from
DelegatingWebFluxConfiguration instead of implementing WebFluxConfigurer, as the following
example shows:
1234
Java
@Configuration
public class WebConfig extends DelegatingWebFluxConfiguration {
// ...
}
Kotlin
@Configuration
class WebConfig : DelegatingWebFluxConfiguration {
// ...
}
You can keep existing methods in WebConfig, but you can now also override bean declarations from
the base class and still have any number of other WebMvcConfigurer implementations on the
classpath.
6.1.13. HTTP/2
Web MVC
HTTP/2 is supported with Reactor Netty, Tomcat, Jetty, and Undertow. However, there are
considerations related to server configuration. For more details, see the HTTP/2 wiki page.
6.2. WebClient
Spring WebFlux includes a client to perform HTTP requests with. WebClient has a functional, fluent
API based on Reactor, see Reactive Libraries, which enables declarative composition of
asynchronous logic without the need to deal with threads or concurrency. It is fully non-blocking, it
supports streaming, and relies on the same codecs that are also used to encode and decode request
and response content on the server side.
WebClient needs an HTTP client library to perform requests with. There is built-in support for the
following:
• Reactor Netty
• JDK HttpClient
• Apache HttpComponents
6.2.1. Configuration
The simplest way to create a WebClient is through one of the static factory methods:
1235
• WebClient.create()
• WebClient.create(String baseUrl)
For example:
Java
Kotlin
Once built, a WebClient is immutable. However, you can clone it and build a modified copy as
follows:
Java
1236
Kotlin
MaxInMemorySize
Codecs have limits for buffering data in memory to avoid application memory issues. By default
those are set to 256KB. If that’s not enough you’ll get the following error:
Java
Kotlin
Reactor Netty
Java
1237
Kotlin
Resources
If the server is timed with the process, there is typically no need for an explicit shutdown. However,
if the server can start or stop in-process (for example, a Spring MVC application deployed as a
WAR), you can declare a Spring-managed bean of type ReactorResourceFactory with
globalResources=true (the default) to ensure that the Reactor Netty global resources are shut down
when the Spring ApplicationContext is closed, as the following example shows:
Java
@Bean
public ReactorResourceFactory reactorResourceFactory() {
return new ReactorResourceFactory();
}
Kotlin
@Bean
fun reactorResourceFactory() = ReactorResourceFactory()
You can also choose not to participate in the global Reactor Netty resources. However, in this mode,
the burden is on you to ensure that all Reactor Netty client and server instances use shared
resources, as the following example shows:
1238
Java
@Bean
public ReactorResourceFactory resourceFactory() {
ReactorResourceFactory factory = new ReactorResourceFactory();
factory.setUseGlobalResources(false); ①
return factory;
}
@Bean
public WebClient webClient() {
ClientHttpConnector connector =
new ReactorClientHttpConnector(resourceFactory(), mapper); ②
return WebClient.builder().clientConnector(connector).build(); ③
}
Kotlin
@Bean
fun resourceFactory() = ReactorResourceFactory().apply {
isUseGlobalResources = false ①
}
@Bean
fun webClient(): WebClient {
return WebClient.builder().clientConnector(connector).build() ③
}
1239
Timeouts
Java
import io.netty.channel.ChannelOption;
Kotlin
import io.netty.channel.ChannelOption
Java
import io.netty.handler.timeout.ReadTimeoutHandler;
import io.netty.handler.timeout.WriteTimeoutHandler;
// Create WebClient...
1240
Kotlin
import io.netty.handler.timeout.ReadTimeoutHandler
import io.netty.handler.timeout.WriteTimeoutHandler
// Create WebClient...
Java
// Create WebClient...
Kotlin
// Create WebClient...
Java
WebClient.create().get()
.uri("https://example.org/path")
.httpRequest(httpRequest -> {
HttpClientRequest reactorRequest = httpRequest.getNativeRequest();
reactorRequest.responseTimeout(Duration.ofSeconds(2));
})
.retrieve()
.bodyToMono(String.class);
1241
Kotlin
WebClient.create().get()
.uri("https://example.org/path")
.httpRequest { httpRequest: ClientHttpRequest ->
val reactorRequest = httpRequest.getNativeRequest<HttpClientRequest>()
reactorRequest.responseTimeout(Duration.ofSeconds(2))
}
.retrieve()
.bodyToMono(String::class.java)
JDK HttpClient
Java
ClientHttpConnector connector =
new JdkClientHttpConnector(httpClient, new DefaultDataBufferFactory());
Kotlin
Jetty
1242
Java
Kotlin
By default, HttpClient creates its own resources (Executor, ByteBufferPool, Scheduler), which remain
active until the process exits or stop() is called.
You can share resources between multiple instances of the Jetty client (and server) and ensure that
the resources are shut down when the Spring ApplicationContext is closed by declaring a Spring-
managed bean of type JettyResourceFactory, as the following example shows:
Java
@Bean
public JettyResourceFactory resourceFactory() {
return new JettyResourceFactory();
}
@Bean
public WebClient webClient() {
ClientHttpConnector connector =
new JettyClientHttpConnector(httpClient, resourceFactory()); ①
return WebClient.builder().clientConnector(connector).build(); ②
}
1243
Kotlin
@Bean
fun resourceFactory() = JettyResourceFactory()
@Bean
fun webClient(): WebClient {
return WebClient.builder().clientConnector(connector).build() ②
}
HttpComponents
The following example shows how to customize Apache HttpComponents HttpClient settings:
Java
Kotlin
6.2.2. retrieve()
The retrieve() method can be used to declare how to extract the response. For example:
1244
Java
Kotlin
Java
Kotlin
Java
1245
Kotlin
Java
Kotlin
6.2.3. Exchange
1246
Java
Kotlin
When using the above, after the returned Mono or Flux completes, the response body is checked and
if not consumed it is released to prevent memory and connection leaks. Therefore the response
cannot be decoded further downstream. It is up to the provided function to declare how to decode
the response if needed.
The request body can be encoded from any asynchronous type handled by ReactiveAdapterRegistry,
like Mono or Kotlin Coroutines Deferred as the following example shows:
Java
1247
Kotlin
client.post()
.uri("/persons/{id}", id)
.contentType(MediaType.APPLICATION_JSON)
.body<Person>(personDeferred)
.retrieve()
.awaitBody<Unit>()
You can also have a stream of objects be encoded, as the following example shows:
Java
Kotlin
client.post()
.uri("/persons/{id}", id)
.contentType(MediaType.APPLICATION_JSON)
.body(people)
.retrieve()
.awaitBody<Unit>()
Alternatively, if you have the actual value, you can use the bodyValue shortcut method, as the
following example shows:
Java
1248
Kotlin
client.post()
.uri("/persons/{id}", id)
.contentType(MediaType.APPLICATION_JSON)
.bodyValue(person)
.retrieve()
.awaitBody<Unit>()
Form Data
To send form data, you can provide a MultiValueMap<String, String> as the body. Note that the
content is automatically set to application/x-www-form-urlencoded by the FormHttpMessageWriter. The
following example shows how to use MultiValueMap<String, String>:
Java
Kotlin
client.post()
.uri("/path", id)
.bodyValue(formData)
.retrieve()
.awaitBody<Unit>()
You can also supply form data in-line by using BodyInserters, as the following example shows:
Java
1249
Kotlin
import org.springframework.web.reactive.function.BodyInserters.*
client.post()
.uri("/path", id)
.body(fromFormData("k1", "v1").with("k2", "v2"))
.retrieve()
.awaitBody<Unit>()
Multipart Data
To send multipart data, you need to provide a MultiValueMap<String, ?> whose values are either
Object instances that represent part content or HttpEntity instances that represent the content and
headers for a part. MultipartBodyBuilder provides a convenient API to prepare a multipart request.
The following example shows how to create a MultiValueMap<String, ?>:
Java
Kotlin
In most cases, you do not have to specify the Content-Type for each part. The content type is
determined automatically based on the HttpMessageWriter chosen to serialize it or, in the case of a
Resource, based on the file extension. If necessary, you can explicitly provide the MediaType to use for
each part through one of the overloaded builder part methods.
Once a MultiValueMap is prepared, the easiest way to pass it to the WebClient is through the body
method, as the following example shows:
1250
Java
Kotlin
client.post()
.uri("/path", id)
.body(builder.build())
.retrieve()
.awaitBody<Unit>()
If the MultiValueMap contains at least one non-String value, which could also represent regular form
data (that is, application/x-www-form-urlencoded), you need not set the Content-Type to
multipart/form-data. This is always the case when using MultipartBodyBuilder, which ensures an
HttpEntity wrapper.
Java
Kotlin
import org.springframework.web.reactive.function.BodyInserters.*
client.post()
.uri("/path", id)
.body(fromMultipartData("fieldPart", "value").with("filePart", resource))
.retrieve()
.awaitBody<Unit>()
1251
PartEvent
To stream multipart data sequentially, you can provide multipart content through PartEvent objects.
You can concatenate the streams returned from methods via Flux::concat, and create a request for
the WebClient.
For instance, this sample will POST a multipart form containing a form field and a file.
Java
Kotlin
On the server side, PartEvent objects that are received via @RequestBody or
ServerRequest::bodyToFlux(PartEvent.class) can be relayed to another service via the WebClient.
6.2.5. Filters
You can register a client filter (ExchangeFilterFunction) through the WebClient.Builder in order to
intercept and modify requests, as the following example shows:
1252
Java
return next.exchange(filtered);
})
.build();
Kotlin
next.exchange(filtered)
}
.build()
This can be used for cross-cutting concerns, such as authentication. The following example uses a
filter for basic authentication through a static factory method:
Java
import static
org.springframework.web.reactive.function.client.ExchangeFilterFunctions.basicAuthenti
cation;
Kotlin
import
org.springframework.web.reactive.function.client.ExchangeFilterFunctions.basicAuthenti
cation
1253
Filters can be added or removed by mutating an existing WebClient instance, resulting in a new
WebClient instance that does not affect the original one. For example:
Java
import static
org.springframework.web.reactive.function.client.ExchangeFilterFunctions.basicAuthenti
cation;
Kotlin
WebClient is a thin facade around the chain of filters followed by an ExchangeFunction. It provides a
workflow to make requests, to encode to and from higher level objects, and it helps to ensure that
response content is always consumed. When filters handle the response in some way, extra care
must be taken to always consume its content or to otherwise propagate it downstream to the
WebClient which will ensure the same. Below is a filter that handles the UNAUTHORIZED status code but
ensures that any response content, whether expected or not, is released:
Java
1254
Kotlin
6.2.6. Attributes
You can add attributes to a request. This is convenient if you want to pass information through the
filter chain and influence the behavior of filters for a given request. For example:
Java
client.get().uri("https://example.org/")
.attribute("myAttribute", "...")
.retrieve()
.bodyToMono(Void.class);
}
1255
Kotlin
client.get().uri("https://example.org/")
.attribute("myAttribute", "...")
.retrieve()
.awaitBody<Unit>()
Note that you can configure a defaultRequest callback globally at the WebClient.Builder level which
lets you insert attributes into all requests, which could be used for example in a Spring MVC
application to populate request attributes based on ThreadLocal data.
6.2.7. Context
Attributes provide a convenient way to pass information to the filter chain but they only influence
the current request. If you want to pass information that propagates to additional requests that are
nested, e.g. via flatMap, or executed after, e.g. via concatMap, then you’ll need to use the Reactor
Context.
The Reactor Context needs to be populated at the end of a reactive chain in order to apply to all
operations. For example:
Java
client.get().uri("https://example.org/")
.retrieve()
.bodyToMono(String.class)
.flatMap(body -> {
// perform nested request (context propagates automatically)...
})
.contextWrite(context -> context.put("foo", ...));
WebClient can be used in synchronous style by blocking at the end for the result:
1256
Java
Kotlin
However if multiple calls need to be made, it’s more efficient to avoid blocking on each response
individually, and instead wait for the combined result:
Java
1257
Kotlin
The above is merely one example. There are lots of other patterns and operators for putting
together a reactive pipeline that makes many remote calls, potentially some nested, inter-
dependent, without ever blocking until the end.
With Flux or Mono, you should never have to block in a Spring MVC or Spring
WebFlux controller. Simply return the resulting reactive type from the controller
method. The same principle apply to Kotlin Coroutines and Spring WebFlux, just
use suspending function or return Flow in your controller method .
6.2.9. Testing
To test code that uses the WebClient, you can use a mock web server, such as the OkHttp
MockWebServer. To see an example of its use, check out WebClientIntegrationTests in the Spring
Framework test suite or the static-server sample in the OkHttp repository.
6.4. WebSockets
Same as in the Servlet stack
This part of the reference documentation covers support for reactive-stack WebSocket messaging.
= Introduction to WebSocket
1258
The WebSocket protocol, RFC 6455, provides a standardized way to establish a full-duplex, two-way
communication channel between client and server over a single TCP connection. It is a different
TCP protocol from HTTP but is designed to work over HTTP, using ports 80 and 443 and allowing re-
use of existing firewall rules.
A WebSocket interaction begins with an HTTP request that uses the HTTP Upgrade header to
upgrade or, in this case, to switch to the WebSocket protocol. The following example shows such an
interaction:
Instead of the usual 200 status code, a server with WebSocket support returns output similar to the
following:
① Protocol switch
After a successful handshake, the TCP socket underlying the HTTP upgrade request remains open
for both the client and the server to continue to send and receive messages.
A complete introduction of how WebSockets work is beyond the scope of this document. See RFC
6455, the WebSocket chapter of HTML5, or any of the many introductions and tutorials on the Web.
Note that, if a WebSocket server is running behind a web server (e.g. nginx), you likely need to
configure it to pass WebSocket upgrade requests on to the WebSocket server. Likewise, if the
application runs in a cloud environment, check the instructions of the cloud provider related to
WebSocket support.
Even though WebSocket is designed to be HTTP-compatible and starts with an HTTP request, it is
important to understand that the two protocols lead to very different architectures and application
programming models.
1259
In HTTP and REST, an application is modeled as many URLs. To interact with the application, clients
access those URLs, request-response style. Servers route requests to the appropriate handler based
on the HTTP URL, method, and headers.
By contrast, in WebSockets, there is usually only one URL for the initial connect. Subsequently, all
application messages flow on that same TCP connection. This points to an entirely different
asynchronous, event-driven, messaging architecture.
WebSocket is also a low-level transport protocol, which, unlike HTTP, does not prescribe any
semantics to the content of messages. That means that there is no way to route or process a
message unless the client and the server agree on message semantics.
WebSocket clients and servers can negotiate the use of a higher-level, messaging protocol (for
example, STOMP), through the Sec-WebSocket-Protocol header on the HTTP handshake request. In
the absence of that, they need to come up with their own conventions.
WebSockets can make a web page be dynamic and interactive. However, in many cases, a
combination of Ajax and HTTP streaming or long polling can provide a simple and effective
solution.
For example, news, mail, and social feeds need to update dynamically, but it may be perfectly okay
to do so every few minutes. Collaboration, games, and financial apps, on the other hand, need to be
much closer to real-time.
Latency alone is not a deciding factor. If the volume of messages is relatively low (for example,
monitoring network failures) HTTP streaming or polling can provide an effective solution. It is the
combination of low latency, high frequency, and high volume that make the best case for the use of
WebSocket.
Keep in mind also that over the Internet, restrictive proxies that are outside of your control may
preclude WebSocket interactions, either because they are not configured to pass on the Upgrade
header or because they close long-lived connections that appear idle. This means that the use of
WebSocket for internal applications within the firewall is a more straightforward decision than it is
for public facing applications.
The Spring Framework provides a WebSocket API that you can use to write client- and server-side
applications that handle WebSocket messages.
Server
To create a WebSocket server, you can first create a WebSocketHandler. The following example shows
how to do so:
1260
Java
import org.springframework.web.reactive.socket.WebSocketHandler;
import org.springframework.web.reactive.socket.WebSocketSession;
@Override
public Mono<Void> handle(WebSocketSession session) {
// ...
}
}
Kotlin
import org.springframework.web.reactive.socket.WebSocketHandler
import org.springframework.web.reactive.socket.WebSocketSession
Java
@Configuration
class WebConfig {
@Bean
public HandlerMapping handlerMapping() {
Map<String, WebSocketHandler> map = new HashMap<>();
map.put("/path", new MyWebSocketHandler());
int order = -1; // before annotated controllers
1261
Kotlin
@Configuration
class WebConfig {
@Bean
fun handlerMapping(): HandlerMapping {
val map = mapOf("/path" to MyWebSocketHandler())
val order = -1 // before annotated controllers
If using the WebFlux Config there is nothing further to do, or otherwise if not using the WebFlux
config you’ll need to declare a WebSocketHandlerAdapter as shown below:
Java
@Configuration
class WebConfig {
// ...
@Bean
public WebSocketHandlerAdapter handlerAdapter() {
return new WebSocketHandlerAdapter();
}
}
Kotlin
@Configuration
class WebConfig {
// ...
@Bean
fun handlerAdapter() = WebSocketHandlerAdapter()
}
WebSocketHandler
The handle method of WebSocketHandler takes WebSocketSession and returns Mono<Void> to indicate
when application handling of the session is complete. The session is handled through two streams,
one for inbound and one for outbound messages. The following table describes the two methods
that handle the streams:
1262
WebSocketSession method Description
Flux<WebSocketMessage> receive() Provides access to the inbound message stream
and completes when the connection is closed.
Mono<Void> send(Publisher<WebSocketMessage>) Takes a source for outgoing messages, writes the
messages, and returns a Mono<Void> that
completes when the source completes and
writing is done.
A WebSocketHandler must compose the inbound and outbound streams into a unified flow and
return a Mono<Void> that reflects the completion of that flow. Depending on application
requirements, the unified flow completes when:
• The inbound stream completes (that is, the connection closed), while the outbound stream is
infinite.
When inbound and outbound message streams are composed together, there is no need to check if
the connection is open, since Reactive Streams signals end activity. The inbound stream receives a
completion or error signal, and the outbound stream receives a cancellation signal.
The most basic implementation of a handler is one that handles the inbound stream. The following
example shows such an implementation:
Java
@Override
public Mono<Void> handle(WebSocketSession session) {
return session.receive() ①
.doOnNext(message -> {
// ... ②
})
.concatMap(message -> {
// ... ③
})
.then(); ④
}
}
1263
Kotlin
Java
@Override
public Mono<Void> handle(WebSocketSession session) {
return session.send(output); ③
}
}
1264
② Create the outbound message, producing a combined flow.
Kotlin
return session.send(output) ③
}
}
Inbound and outbound streams can be independent and be joined only for completion, as the
following example shows:
1265
Java
@Override
public Mono<Void> handle(WebSocketSession session) {
③ Join the streams and return a Mono<Void> that completes when either stream ends.
Kotlin
1266
② Send outgoing messages.
③ Join the streams and return a Mono<Void> that completes when either stream ends.
DataBuffer
DataBuffer is the representation for a byte buffer in WebFlux. The Spring Core part of the reference
has more on that in the section on Data Buffers and Codecs. The key point to understand is that on
some servers like Netty, byte buffers are pooled and reference counted, and must be released when
consumed to avoid memory leaks.
Handshake
Server Configuration
The RequestUpgradeStrategy for each server exposes configuration specific to the underlying
WebSocket server engine. When using the WebFlux Java config you can customize such properties
as shown in the corresponding section of the WebFlux Config, or otherwise if not using the
WebFlux config, use the below:
1267
Java
@Configuration
class WebConfig {
@Bean
public WebSocketHandlerAdapter handlerAdapter() {
return new WebSocketHandlerAdapter(webSocketService());
}
@Bean
public WebSocketService webSocketService() {
TomcatRequestUpgradeStrategy strategy = new TomcatRequestUpgradeStrategy();
strategy.setMaxSessionIdleTimeout(0L);
return new HandshakeWebSocketService(strategy);
}
}
Kotlin
@Configuration
class WebConfig {
@Bean
fun handlerAdapter() =
WebSocketHandlerAdapter(webSocketService())
@Bean
fun webSocketService(): WebSocketService {
val strategy = TomcatRequestUpgradeStrategy().apply {
setMaxSessionIdleTimeout(0L)
}
return HandshakeWebSocketService(strategy)
}
}
Check the upgrade strategy for your server to see what options are available. Currently, only
Tomcat and Jetty expose such options.
CORS
The easiest way to configure CORS and restrict access to a WebSocket endpoint is to have your
WebSocketHandler implement CorsConfigurationSource and return a CorsConfiguration with allowed
origins, headers, and other details. If you cannot do that, you can also set the corsConfigurations
property on the SimpleUrlHandler to specify CORS settings by URL pattern. If both are specified, they
are combined by using the combine method on CorsConfiguration.
1268
Client
Spring WebFlux provides a WebSocketClient abstraction with implementations for Reactor Netty,
Tomcat, Jetty, Undertow, and standard Java (that is, JSR-356).
The Tomcat client is effectively an extension of the standard Java one with some
extra functionality in the WebSocketSession handling to take advantage of the
Tomcat-specific API to suspend receiving messages for back pressure.
To start a WebSocket session, you can create an instance of the client and use its execute methods:
Java
Kotlin
Some clients, such as Jetty, implement Lifecycle and need to be stopped and started before you can
use them. All clients have constructor options related to configuration of the underlying WebSocket
client.
6.5. Testing
Same in Spring MVC
WebTestClient builds on these mock request and response objects to provide support for testing
WebFlux applications without an HTTP server. You can use the WebTestClient for end-to-end
integration tests, too.
1269
6.6. RSocket
This section describes Spring Framework’s support for the RSocket protocol.
6.6.1. Overview
RSocket is an application protocol for multiplexed, duplex communication over TCP, WebSocket,
and other byte stream transports, using one of the following interaction models:
Once the initial connection is made, the "client" vs "server" distinction is lost as both sides become
symmetrical and each side can initiate one of the above interactions. This is why in the protocol
calls the participating sides "requester" and "responder" while the above interactions are called
"request streams" or simply "requests".
These are the key features and benefits of the RSocket protocol:
• Request throttling — this feature is named "Leasing" after the LEASE frame that can be sent from
each end to limit the total number of requests allowed by other end for a given time. Leases are
renewed periodically.
• Session resumption — this is designed for loss of connectivity and requires some state to be
maintained. The state management is transparent for applications, and works well in
combination with back pressure which can stop a producer when possible and reduce the
amount of state required.
• Keepalive (heartbeats).
RSocket has implementations in multiple languages. The Java library is built on Project Reactor, and
Reactor Netty for the transport. That means signals from Reactive Streams Publishers in your
application propagate transparently through RSocket across the network.
The Protocol
One of the benefits of RSocket is that it has well defined behavior on the wire and an easy to read
specification along with some protocol extensions. Therefore it is a good idea to read the spec,
independent of language implementations and higher level framework APIs. This section provides
a succinct overview to establish some context.
1270
Connecting
Initially a client connects to a server via some low level streaming transport such as TCP or
WebSocket and sends a SETUP frame to the server to set parameters for the connection.
The server may reject the SETUP frame, but generally after it is sent (for the client) and received (for
the server), both sides can begin to make requests, unless SETUP indicates use of leasing semantics to
limit the number of requests, in which case both sides must wait for a LEASE frame from the other
end to permit making requests.
Making Requests
Once a connection is established, both sides may initiate a request through one of the frames
REQUEST_RESPONSE, REQUEST_STREAM, REQUEST_CHANNEL, or REQUEST_FNF. Each of those frames carries one
message from the requester to the responder.
The responder may then return PAYLOAD frames with response messages, and in the case of
REQUEST_CHANNEL the requester may also send PAYLOAD frames with more request messages.
When a request involves a stream of messages such as Request-Stream and Channel, the responder
must respect demand signals from the requester. Demand is expressed as a number of messages.
Initial demand is specified in REQUEST_STREAM and REQUEST_CHANNEL frames. Subsequent demand is
signaled via REQUEST_N frames.
Each side may also send metadata notifications, via the METADATA_PUSH frame, that do not pertain to
any individual request but rather to the connection as a whole.
Message Format
RSocket messages contain data and metadata. Metadata can be used to send a route, a security
token, etc. Data and metadata can be formatted differently. Mime types for each are declared in the
SETUP frame and apply to all requests on a given connection.
While all messages can have metadata, typically metadata such as a route are per-request and
therefore only included in the first message on a request, i.e. with one of the frames
REQUEST_RESPONSE, REQUEST_STREAM, REQUEST_CHANNEL, or REQUEST_FNF.
Java Implementation
The Java implementation for RSocket is built on Project Reactor. The transports for TCP and
WebSocket are built on Reactor Netty. As a Reactive Streams library, Reactor simplifies the job of
implementing the protocol. For applications it is a natural fit to use Flux and Mono with declarative
operators and transparent back pressure support.
The API in RSocket Java is intentionally minimal and basic. It focuses on protocol features and
leaves the application programming model (e.g. RPC codegen vs other) as a higher level,
1271
independent concern.
The main contract io.rsocket.RSocket models the four request interaction types with Mono
representing a promise for a single message, Flux a stream of messages, and io.rsocket.Payload the
actual message with access to data and metadata as byte buffers. The RSocket contract is used
symmetrically. For requesting, the application is given an RSocket to perform requests with. For
responding, the application implements RSocket to handle requests.
This is not meant to be a thorough introduction. For the most part, Spring applications will not have
to use its API directly. However it may be important to see or experiment with RSocket independent
of Spring. The RSocket Java repository contains a number of sample apps that demonstrate its API
and protocol features.
Spring Support
The spring-web module contains Encoder and Decoder implementations such as Jackson CBOR/JSON,
and Protobuf that RSocket applications will likely need. It also contains the PathPatternParser that
can be plugged in for efficient route matching.
Spring Boot 2.2 supports standing up an RSocket server over TCP or WebSocket, including the
option to expose RSocket over WebSocket in a WebFlux server. There is also client support and
auto-configuration for an RSocketRequester.Builder and RSocketStrategies. See the RSocket section
in the Spring Boot reference for more details.
Spring Integration 5.2 provides inbound and outbound gateways to interact with RSocket clients
and servers. See the Spring Integration Reference Manual for more details.
6.6.2. RSocketRequester
RSocketRequester provides a fluent API to perform RSocket requests, accepting and returning
objects for data and metadata instead of low level data buffers. It can be used symmetrically, to
make requests from clients and to make requests from servers.
Client Requester
To obtain an RSocketRequester on the client side is to connect to a server which involves sending an
RSocket SETUP frame with connection settings. RSocketRequester provides a builder that helps to
prepare an io.rsocket.core.RSocketConnector including connection settings for the SETUP frame.
1272
Java
Kotlin
The above does not connect immediately. When requests are made, a shared connection is
established transparently and used.
Connection Setup
For data, the default mime type is derived from the first configured Decoder. For metadata, the
default mime type is composite metadata which allows multiple metadata value and mime type
pairs per request. Typically both don’t need to be changed.
Data and metadata in the SETUP frame is optional. On the server side, @ConnectMapping methods
can be used to handle the start of a connection and the content of the SETUP frame. Metadata may be
used for connection level security.
Strategies
1273
Java
Kotlin
RSocketStrategies is designed for re-use. In some scenarios, e.g. client and server in the same
application, it may be preferable to declare it in Spring configuration.
Client Responders
You can use annotated handlers for client-side responding based on the same infrastructure that’s
used on a server, but registered programmatically as follows:
Java
SocketAcceptor responder =
RSocketMessageHandler.responder(strategies, new ClientHandler()); ②
1274
Kotlin
val responder =
RSocketMessageHandler.responder(strategies, new ClientHandler()); ②
Note the above is only a shortcut designed for programmatic registration of client responders. For
alternative scenarios, where client responders are in Spring configuration, you can still declare
RSocketMessageHandler as a Spring bean and then apply as follows:
Java
Kotlin
import org.springframework.beans.factory.getBean
For the above you may also need to use setHandlerPredicate in RSocketMessageHandler to switch to a
different strategy for detecting client responders, e.g. based on a custom annotation such as
@RSocketClientResponder vs the default @Controller. This is necessary in scenarios with client and
server, or multiple clients in the same application.
1275
Advanced
Java
Kotlin
Server Requester
To make requests from a server to connected clients is a matter of obtaining the requester for the
connected client from the server.
Java
@ConnectMapping
Mono<Void> handle(RSocketRequester requester) {
requester.route("status").data("5")
.retrieveFlux(StatusReport.class)
.subscribe(bar -> { ①
// ...
});
return ... ②
}
1276
Kotlin
@ConnectMapping
suspend fun handle(requester: RSocketRequester) {
GlobalScope.launch {
requester.route("status").data("5").retrieveFlow<StatusReport>().collect { ①
// ...
}
}
/// ... ②
}
Requests
Once you have a client or server requester, you can make requests as follows:
Java
Kotlin
The interaction type is determined implicitly from the cardinality of the input and output. The
above example is a Request-Stream because one value is sent and a stream of values is received. For
the most part you don’t need to think about this as long as the choice of input and output matches
an RSocket interaction type and the types of input and output expected by the responder. The only
example of an invalid combination is many-to-one.
1277
The data(Object) method also accepts any Reactive Streams Publisher, including Flux and Mono, as
well as any other producer of value(s) that is registered in the ReactiveAdapterRegistry. For a multi-
value Publisher such as Flux which produces the same types of values, consider using one of the
overloaded data methods to avoid having type checks and Encoder lookup on every element:
The data(Object) step is optional. Skip it for requests that don’t send data:
Java
Kotlin
import org.springframework.messaging.rsocket.retrieveAndAwait
Extra metadata values can be added if using composite metadata (the default) and if the values are
supported by a registered Encoder. For example:
Java
1278
Kotlin
import org.springframework.messaging.rsocket.retrieveFlow
For Fire-and-Forget use the send() method that returns Mono<Void>. Note that the Mono indicates only
that the message was successfully sent, and not that it was handled.
For Metadata-Push use the sendMetadata() method with a Mono<Void> return value.
Server Responders
To use annotated responders on the server side, add RSocketMessageHandler to your Spring
configuration to detect @Controller beans with @MessageMapping and @ConnectMapping methods:
Java
@Configuration
static class ServerConfig {
@Bean
public RSocketMessageHandler rsocketMessageHandler() {
RSocketMessageHandler handler = new RSocketMessageHandler();
handler.routeMatcher(new PathPatternRouteMatcher());
return handler;
}
}
1279
Kotlin
@Configuration
class ServerConfig {
@Bean
fun rsocketMessageHandler() = RSocketMessageHandler().apply {
routeMatcher = PathPatternRouteMatcher()
}
}
Then start an RSocket server through the Java RSocket API and plug the RSocketMessageHandler for
the responder as follows:
Java
CloseableChannel server =
RSocketServer.create(handler.responder())
.bind(TcpServerTransport.create("localhost", 7000))
.block();
Kotlin
import org.springframework.beans.factory.getBean
RSocketMessageHandler supports composite and routing metadata by default. You can set its
MetadataExtractor if you need to switch to a different mime type or register additional metadata
mime types.
You’ll need to set the Encoder and Decoder instances required for metadata and data formats to
support. You’ll likely need the spring-web module for codec implementations.
RSocketMessageHandler can be configured via RSocketStrategies which may be useful if you need to
share configuration between a client and a server in the same process:
1280
Java
@Configuration
static class ServerConfig {
@Bean
public RSocketMessageHandler rsocketMessageHandler() {
RSocketMessageHandler handler = new RSocketMessageHandler();
handler.setRSocketStrategies(rsocketStrategies());
return handler;
}
@Bean
public RSocketStrategies rsocketStrategies() {
return RSocketStrategies.builder()
.encoders(encoders -> encoders.add(new Jackson2CborEncoder()))
.decoders(decoders -> decoders.add(new Jackson2CborDecoder()))
.routeMatcher(new PathPatternRouteMatcher())
.build();
}
}
Kotlin
@Configuration
class ServerConfig {
@Bean
fun rsocketMessageHandler() = RSocketMessageHandler().apply {
rSocketStrategies = rsocketStrategies()
}
@Bean
fun rsocketStrategies() = RSocketStrategies.builder()
.encoders { it.add(Jackson2CborEncoder()) }
.decoders { it.add(Jackson2CborDecoder()) }
.routeMatcher(PathPatternRouteMatcher())
.build()
}
Client Responders
Annotated responders on the client side need to be configured in the RSocketRequester.Builder. For
details, see Client Responders.
@MessageMapping
Once server or client responder configuration is in place, @MessageMapping methods can be used as
follows:
1281
Java
@Controller
public class RadarsController {
@MessageMapping("locate.radars.within")
public Flux<AirportLocation> radars(MapRequest request) {
// ...
}
}
Kotlin
@Controller
class RadarsController {
@MessageMapping("locate.radars.within")
fun radars(request: MapRequest): Flow<AirportLocation> {
// ...
}
}
The above @MessageMapping method responds to a Request-Stream interaction having the route
"locate.radars.within". It supports a flexible method signature with the option to use the following
method arguments:
The return value is expected to be one or more Objects to be serialized as response payloads. That
can be asynchronous types like Mono or Flux, a concrete value, or either void or a no-value
asynchronous type such as Mono<Void>.
The RSocket interaction type that an @MessageMapping method supports is determined from the
1282
cardinality of the input (i.e. @Payload argument) and of the output, where cardinality means the
following:
Cardinali Description
ty
0 For input this means the method does not have an @Payload argument.
The table below shows all input and output cardinality combinations and the corresponding
interaction type(s):
0, 1 0 Fire-and-Forget, Request-Response
0, 1 1 Request-Response
0, 1 Many Request-Stream
@ConnectMapping
@ConnectMapping handles the SETUP frame at the start of an RSocket connection, and any subsequent
metadata push notifications through the METADATA_PUSH frame, i.e. metadataPush(Payload) in
io.rsocket.RSocket.
@ConnectMapping methods cannot return data and must be declared with void or Mono<Void> as the
return value. If handling returns an error for a new connection then the connection is rejected.
Handling must not be held up to make requests to the RSocketRequester for the connection. See
Server Requester for details.
6.6.4. MetadataExtractor
MetadataExtractor is a contract to take serialized metadata and return decoded name-value pairs
that can then be accessed like headers by name, for example via @Header in annotated handler
methods.
1283
DefaultMetadataExtractor can be given Decoder instances to decode metadata. Out of the box it has
built-in support for "message/x.rsocket.routing.v0" which it decodes to String and saves under the
"route" key. For any other mime type you’ll need to provide a Decoder and register the mime type as
follows:
Java
Kotlin
import org.springframework.messaging.rsocket.metadataToExtract
Composite metadata works well to combine independent metadata values. However the requester
might not support composite metadata, or may choose not to use it. For this,
DefaultMetadataExtractor may needs custom logic to map the decoded value to the output map.
Here is an example where JSON is used for metadata:
Java
Kotlin
import org.springframework.messaging.rsocket.metadataToExtract
1284
Java
Kotlin
import org.springframework.messaging.rsocket.metadataToExtract
The Spring Framework lets you define an RSocket service as a Java interface with annotated
methods for RSocket exchanges. You can then generate a proxy that implements this interface and
performs the exchanges. This helps to simplify RSocket remote access by wrapping the use of the
underlying RSocketRequester.
interface RadarService {
@RSocketExchange("radars")
Flux<AirportLocation> getRadars(@Payload MapRequest request);
Two, create a proxy that will perform the declared RSocket exchanges:
1285
Method Parameters
Annotated, RSocket exchange methods support flexible method signatures with the following
method parameters:
Object, if followed by MimeType The value for a metadata entry in the input payload. This can be
any Object as long as the next argument is the metadata entry
MimeType. The value can be a concrete value or any producer of a
single value that can be adapted to a Reactive Streams Publisher
via ReactiveAdapterRegistry.
MimeType The MimeType for a metadata entry. The preceding method
argument is expected to be the metadata value.
Return Values
Annotated, RSocket exchange methods support return values that are concrete value(s), or any
producer of value(s) that can be adapted to a Reactive Streams Publisher via
ReactiveAdapterRegistry.
For annotated controllers, WebFlux transparently adapts to the reactive library chosen by the
application. This is done with the help of the ReactiveAdapterRegistry, which provides pluggable
support for reactive library and other asynchronous types. The registry has built-in support for
RxJava 3, Kotlin coroutines and SmallRye Mutiny, but you can register others, too.
For functional APIs (such as Functional Endpoints, the WebClient, and others), the general rules for
WebFlux APIs apply — Flux and Mono as return values and a Reactive Streams Publisher as input.
When a Publisher, whether custom or from another reactive library, is provided, it can be treated
only as a stream with unknown semantics (0..N). If, however, the semantics are known, you can
wrap it with Flux or Mono.from(Publisher) instead of passing the raw Publisher.
1286
For example, given a Publisher that is not a Mono, the Jackson JSON message writer expects multiple
values. If the media type implies an infinite stream (for example, application/json+stream), values
are written and flushed individually. Otherwise, values are buffered into a list and rendered as a
JSON array.
1287