-
Notifications
You must be signed in to change notification settings - Fork 38.4k
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Provide and document a way to handle single-page application redirects #27257
Comments
For reference, here's the best I could come up with, which if not wrong is still ridiculous, throwing loose coupling from dependency injection out the window, since you always have to remember which path prefixes to keep out: import org.springframework.context.annotation.Bean
import org.springframework.core.io.ClassPathResource
import org.springframework.stereotype.Component
import org.springframework.web.reactive.function.server.RouterFunctions
import org.springframework.web.reactive.function.server.RouterFunctions.resources
import reactor.core.publisher.Mono
@Component
class Client {
@Bean
fun client() = resources { request ->
val path = request.uri().path
if (path.startsWith("/graphql") || path.startsWith("/auth")) {
Mono.empty()
} else {
resourceLookup.apply(request)
}
}
private val resourceLookup = RouterFunctions
.resourceLookupFunction("/**", ClassPathResource("public/"))
.andThen {
it.switchIfEmpty(Mono.just(ClassPathResource("public/index.html")))
}
} |
I have a similar issue as described here, so I wanted to document my solution for everyone searching for the same issue. Note that I ended up implementing a WebExceptionHandler. It works well for me so far. @Component
@Order(-2)
public class HtmlRequestNotFoundHandler implements WebExceptionHandler {
private final DispatcherHandler dispatcherHandler;
private final RequestPredicate PREDICATE = RequestPredicates.accept(MediaType.TEXT_HTML);
public HtmlRequestNotFoundHandler(DispatcherHandler dispatcherHandler) {
this.dispatcherHandler = dispatcherHandler;
}
@Override
public Mono<Void> handle(ServerWebExchange exchange, Throwable throwable) {
if (
isNotFoundAndShouldBeForwarded(exchange, throwable)
) {
var forwardRequest = exchange.mutate().request(it -> it.path("/index.html"));
return dispatcherHandler.handle(forwardRequest.build());
}
return Mono.error(throwable);
}
private boolean isNotFoundAndShouldBeForwarded(ServerWebExchange exchange, Throwable throwable) {
if (throwable instanceof ResponseStatusException
&& ((ResponseStatusException) throwable).getStatusCode() == HttpStatus.NOT_FOUND
) {
var serverRequest = ServerRequest.create(exchange, Collections.emptyList());
return PREDICATE.test(serverRequest);
}
return false;
}
} |
There are various solutions described out there and I agree they are all far from perfect. Most of them involve some kind of heuristics that try to describe front-end application routes in general (like I think the main problem here is that the web framework has no way of knowing which routes are declared by the front-end application. Ideally, the back-end app should get a list of routes and patterns and forward those to the index page automatically. Without that, all other solutions will remain imperfect: false positives or maintenance issues. As far as I know, other web frameworks from other languages have the same issue. Some front-end libraries send the In summary, I don't think there's anything actionable right now for Spring. |
Given the traffic on SO for this kind of issues, I am wondering if we could at least try to provide a bit more guidance in our reference doc. I am also wondering if we could make some features already supported more discoverable. See for example this SO answer from @dsyer, where this kind of configuration is proposed and voted massively: public void addViewControllers(ViewControllerRegistry registry) {
registry.addViewController("/").setViewName("forward:/index.html");
} I think that's pretty useful for the need raised here, but:
Maybe we could:
We can maybe discuss that during our next team meeting. |
All of those suggestions would be welcome (to me and to many I expect), but none of them actually nails the central requirement of being able to configure a fallback handler for requests that do not match other mappings (expect in a limited way possibly hinted at with the "patterns are supported" comment). I know why that is an unpopular idea, but it serves a purpose, and maybe we need to solve that problem as well? One suggestion I have that would reduce the unpopularity is to provide a fallback for only requests that can be identified in some way as browser-based and expecting HTML (content negotiation, agent identification, or something). |
I can see the initial appeal of the fallback approach, but in practice you will still have to define patterns, so not sure we would introduce such dedicated mechanism + forwarding transparently is pretty specific and hard to translate in term of programming model. As pointed out by @bclozel, the right solution for that would probably be the frontend framework sharing client-side routes with the backend, but that's hard to provide as a builtin feature, would create a lot of coupling. And the headers set by the frontend framework will indeed not cover the initial request, which is IMO a blocker. After a team related discussion, we are going to introduce a dedicated documentation section that will provide related guidance for both Spring MVC and WebFlux, leveraging the fact that function router gives a great deal of flexibility to deal with that kind of concern. We will also list alternatives like view controllers (Spring MVC only) and filters. Let see how we much we can help fullstack developers with proper guidance on what we have today, and see how it goes. |
While working on the documentation, I found we probably miss a feature in the functional router API to be able to support the most common use case, so I may turn this documentation issue to an enhancement one (with related documentation). Functional router seems the sweet spot to support such feature on both Spring MVC and Spring WebFlux in a consistent way. But I think we miss a related API since in As a consequence, my proposal is to introduce a new In practice, users could specify: @Bean
RouterFunction<ServerResponse> router() {
var index = new ClassPathResource("static/index.html");
return RouterFunctions.route()
.resource("*.html", index)
.resource("admin/*.html", index)
.build();
} Looks cleaner, simpler and more consistent than filter or view controller variants. Custom predicates can of course be created for more advanced use cases. |
I think using this syntax to support SPAs will almost always require the usage of custom predicates. In my experience, paths of SPA routes don't end with .html, and what distinguishes them from the other resources is that
So I think using a resource path to forward all the SPA routes to index.html won't be doable, and a custom predicate will be necessary. |
Thanks for your feedback @jnizet, maybe we can provide something more flexible with |
The more flexible variant with a import static org.springframework.web.servlet.function.RequestPredicates.*;
// ...
@Bean
RouterFunction<ServerResponse> frontendRouter() {
var extensions = Arrays.asList("js", "css", "ico", "png", "jpg", "gif", "eot", "woff", "woff2", "ttf", "json")
return RouterFunctions.route()
.resource(path("/api/**").negate().and(pathExtension(extensions::contains).negate()),
new ClassPathResource("static/index.html"))
.build();
} And in Kotlin, that would lead to something like: @Bean
fun frontendRouter() = router {
val extensions = arrayOf("js", "css", "ico", "png", "jpg", "gif", "eot", "woff", "woff2", "ttf", "json")
resource(!path("/api/**") and !pathExtension(extensions::contains)),
ClassPathResource("static/index.html"))
} So we would add to public static RouterFunction<ServerResponse> resource(String pattern, Resource fileLocation)
public static RouterFunction<ServerResponse> resource(RequestPredicate predicate, Resource fileLocation) Any thoughts? |
My €0.02: I can see the reason for adding support for these use cases, and am I favor of doing so. I am not entirely sure, however, whether this support needs to be implemented in terms of new methods on Instead, can't we implement the required functionality in terms of a |
I can see how
Could please elaborate? I am not sure to understand what you mean. |
The problem with discoverability is that if you make everything discoverable; nothing is discoverable. If I understand correctly, the suggested change would introduce two new methods on So it's not really the name Would you consider introducing only the generic, predicate based public static RouterFunction<ServerResponse> resource(RequestPredicate predicate, Resource fileLocation)
public static RouterFunction<ServerResponse> resource(RequestPredicate predicate, Resource fileLocation, BiConsumer<Resource, HttpHeaders> headersConsumer)
For instance, uses might want to customize headers of the response served, such as Cache-Control. See #29985. |
Thanks for the extra details.
Sure, that's would be perfectly fine and IMO a great tradeoff. Would you be ok if I just introduce this one? |
After a review, sure! |
@dsyer When Spring Boot 3.2.3 will be released, would be great if you could update your amazingly popular SO answer with links to the documentation of the proposed solution Spring MVC and Spring WebFlux, maybe showing an example with Java import static org.springframework.web.reactive.function.server.RequestPredicates.path;
import static org.springframework.web.reactive.function.server.RequestPredicates.pathExtension;
import static org.springframework.web.reactive.function.server.RouterFunctions.route;
// ...
@Bean
RouterFunction<ServerResponse> spaRouter() {
ClassPathResource index = new ClassPathResource("static/index.html");
List<String> extensions = Arrays.asList("js", "css", "ico", "png", "jpg", "gif");
RequestPredicate spaPredicate = path("/api/**").or(path("/error")).or(pathExtension(extensions::contains)).negate();
return route().resource(spaPredicate, index).build();;
} Kotlin import org.springframework.web.reactive.function.server.router
// ...
@Bean
fun spaRouter() = router {
val index = ClassPathResource("static/index.html")
val extensions = listOf("js", "css", "ico", "png", "jpg", "gif")
val spaPredicate = !(path("/api/**") or path("/error") or
pathExtension(extensions::contains))
resource(spaPredicate, index)
} To be clear, we recommend using that regardless of if users are using primarily annotation or functional web programming model, WebMVC or WebFlux. This is possible since functional router are now consistently evaluated before annotation-based controllers. Probably also worth to mention the Spring Boot 3.2.3+ requirement. |
Affects: 5.3.8
The problem was previously discussed in #21328, but as @danbim pointed out, it's not a reliable solution as it overrides other routes in the application.
I tried to annotate the static resource bean with
@Order(Ordered.LOWEST_PRECEDENCE)
, but that seems to only make it the lowest of the annotated beans, not lowest of all beans like it would need to be for this to work. I checked the documentation for ways to specify a custom error page instead of the white label one, and the only thing I could find was a static404.html
file, but as far as I can tell there is no way to change the status to200
.This has been asked for countless of times on StackOverflow and similar places, and the answers range from completely wrong to completely ridiculous, like using regexes or explicit routes to catch everything that the front end might conceivably want to handle.
I'm suggesting that Spring as a back-end for SPAs is a common enough use case to warrant a reliable solution.
The text was updated successfully, but these errors were encountered: