Analysis of SpringCloud Gateway routing configuration and positioning principles

Analysis of SpringCloud Gateway routing configuration and positioning principles

[[409660]]

Environment: springcloud Hoxton.SR11

This section mainly explains how the predicates in the system are initialized and associated with the configured routing information to generate routing objects, and how the Config object in each predicate factory is parsed and configured.

How the property values ​​in Config in all predicate factories are configured.

All predicate factories in SpringCloud Gateway are as follows:


Naming convention: XxxRoutePredicateFactory. All these predicate factories have the following inheritance relationship

  1. public class MethodRoutePredicateFactory extends AbstractRoutePredicateFactory<MethodRoutePredicateFactory.Config>
  2. //
  3. public class PathRoutePredicateFactory extends AbstractRoutePredicateFactory<PathRoutePredicateFactory.Config>
  4. // ...

All predicate factories inherit

The generic types in AbstractRoutePredicateFactory are all Config inner classes. How is this configured?

6.1 Gateway automatic configuration

All Predicates and Filters are configured in the following class.

  1. public class GatewayAutoConfiguration {
  2. @Bean
  3. @ConditionalOnEnabledPredicate
  4. public PathRoutePredicateFactory pathRoutePredicateFactory() {
  5. return new PathRoutePredicateFactory();
  6. }
  7. @Bean
  8. @ConditionalOnEnabledPredicate
  9. public QueryRoutePredicateFactory queryRoutePredicateFactory() {
  10. return new QueryRoutePredicateFactory();
  11. }
  12. @Bean
  13. public RouteLocator routeDefinitionRouteLocator(GatewayProperties properties, List<GatewayFilterFactory> gatewayFilters, List<RoutePredicateFactory> predicates, RouteDefinitionLocator routeDefinitionLocator, ConfigurationService configurationService) {
  14. return new RouteDefinitionRouteLocator(routeDefinitionLocator, predicates,
  15. gatewayFilters, properties, configurationService);
  16. }
  17. @Bean
  18. @Primary  
  19. @ConditionalOnMissingBean( name = "cachedCompositeRouteLocator" )
  20. public RouteLocator cachedCompositeRouteLocator(List<RouteLocator> routeLocators) {
  21. return new CachingRouteLocator(new CompositeRouteLocator(Flux.fromIterable(routeLocators)));
  22. }
  23. }

Here, the final lookup of the routing location will be handed over to

RouteDefinitionRouteLocator. CachingRouteLocator acts as a cache to save all configured routing information.

Note: The routing information here will be initialized after the container is started.

  1. public class CachingRouteLocator {
  2. private final RouteLocator delegate;
  3.  
  4. private final Flux<Route> routes;
  5.  
  6. private final Map<String, List> cache = new ConcurrentHashMap<>();
  7.  
  8. private ApplicationEventPublisher applicationEventPublisher;
  9.  
  10. public CachingRouteLocator(RouteLocator delegate) {
  11. this.delegate = delegate;
  12. routes = CacheFlux.lookup(cache, CACHE_KEY, Route.class) .onCacheMissResume(this:: fetch );
  13. }
  14.  
  15. private Flux<Route> fetch () {
  16. return this.delegate.getRoutes().sort(AnnotationAwareOrderComparator.INSTANCE);
  17. }
  18. }

Instantiating CachingRouteLocator starts looking for all configured Route information. The final result will be delegated to

RouteDefinitionRouteLocator

The initFactories method in the RouteDefinitionRouteLocator constructor is used to map the XxxRoutePredicateFactory of the routing factory.

  1. private void initFactories(List<RoutePredicateFactory> predicates) {
  2. predicates.forEach(factory -> {
  3. String key = factory. name ();
  4. if (this.predicates.containsKey( key )) {
  5. this.logger.warn( "A RoutePredicateFactory named " + key + " already exists, class: " + this.predicates.get( key ) + ". It will be overwritten." );
  6. }
  7. this.predicates.put( key , factory);
  8. });
  9. }

The method resolves the name corresponding to each predicate factory and caches it in the predicates collection.

The factory.name() method resolves the predicate name.

  1. default String name () {
  2. return NameUtils.normalizeRoutePredicateName(getClass());
  3. }

CachingRouteLocator is a caching route locator, which is the preferred RouteLocator (@Primary).

RouteDefinitionRouteLocator was merged.

6.2 Generate route object Route and Config configuration

getRoutes---》convertToRoute---》combinePredicates---》lookup.

According to the automatic configuration above, we also know that all routing information is initialized when the service starts.

Get routing information

  1. public Flux<Route> getRoutes() {
  2. Flux<Route> routes = this.routeDefinitionLocator.getRouteDefinitions() .map(this::convertToRoute);
  3. routes = routes.onErrorContinue((error, obj) -> {
  4. return routes.map(route -> {
  5. return route;
  6. });
  7. }

Merge predicates

  1. private AsyncPredicate<ServerWebExchange> combinePredicates(
  2. RouteDefinition routeDefinition) {
  3. // other code
  4. for (PredicateDefinition andPredicate : predicates.subList(1, predicates. size ())) {
  5. AsyncPredicate<ServerWebExchange> found = lookup(routeDefinition, andPredicate);
  6. predicate = predicate. and (found);
  7. }
  8. return predicate;
  9. }

Enter the lookup

  1. private AsyncPredicate<ServerWebExchange> lookup(RouteDefinition route, PredicateDefinition predicate) {
  2. RoutePredicateFactory<Object> factory = this.predicates.get(predicate.getName());
  3. if (factory == null ) {
  4. throw new IllegalArgumentException( "Unable to find RoutePredicateFactory with name " + predicate.getName());
  5. }
  6. // Here, the name and args configured in the configuration (yml file) are associated with the Config in the predicate factory to set the value
  7. Object config = this.configurationService.with (factory )
  8. .name (predicate.getName())
  9. .properties(predicate.getArgs())
  10. .eventFunction((bound, properties) -> new PredicateArgsEvent(
  11. RouteDefinitionRouteLocator.this, route.getId(), properties))
  12. .bind();
  13. //Finally call the predicate factory (the apply method of XxxRoutePredicateFactory returns the RoutePredicate object that inherits Predicate)
  14. return factory.applyAsync(config);
  15. }

Lookup method, that is, here the corresponding predicate Config is associated with the corresponding attribute defined in RouteDefinition(Predicate).

Enter the factory.applyAsync method

  1. @FunctionalInterface
  2. public interface RoutePredicateFactory<C> extends ShortcutConfigurable, Configurable<C> {
  3. default AsyncPredicate<ServerWebExchange> applyAsync(C config) {
  4. return toAsyncPredicate(apply(config)); // See the following 6.2-1 figure. All the implementations of the current apply are the XxxRoutePredicateFactory defined in the system.
  5. }
  6. }
  7. // apply(config), if the Path predicate is configured here, then it will enter the apply method in PathRoutePredicateFactory
  8. public Predicate<ServerWebExchange> apply(Config config) {
  9. // other code
  10. return new GatewayPredicate() {
  11. public boolean test() {
  12. // todo
  13. }
  14. }
  15. }
  16. //Finally returns an asynchronous predicate
  17. public   static AsyncPredicate<ServerWebExchange> toAsyncPredicate(Predicate<? super ServerWebExchange> predicate) {
  18. Assert.notNull(predicate, "predicate must not be null" );
  19. // Here from returns a DefaultAsyncPredicate default asynchronous predicate
  20. return AsyncPredicate. from (predicate);
  21. }
  22. static AsyncPredicate<ServerWebExchange> from ( Predicate<? super ServerWebExchange> predicate) {
  23. return new DefaultAsyncPredicate<>(GatewayPredicate.wrapIfNeeded(predicate));
  24. }

Finally, in the combinePredicates method, all predicates configured in the current route are returned by AND operation. Finally, in the convertToRoute method, the predicates and filters configured in the current route are integrated and packaged to return Route (a route object)

  1. public class Route implements Ordered {
  2. private final String id;
  3.     
  4. private final URI uri;
  5.     
  6. private final int   order ;
  7.     
  8. private final AsyncPredicate<ServerWebExchange> predicate;
  9.     
  10. private final List<GatewayFilter> gatewayFilters;
  11.     
  12. private final Map<String, Object> metadata;
  13. }

These Route objects will be saved in the above

CachingRouteLocator.routes.

6.3 Positioning Routes

According to the above configuration, the RouteLocator class is used to locate the route (find which specific route to use); when a request comes in, it will find which route it is.

RouteLocator defines a method

  1. public interface RouteLocator {
  2.  
  3. Flux<Route> getRoutes();
  4.  
  5. }

Check who called the getRoutes method


See this

Does RoutePredicateHandlerMapping remind you of HandlerMapping in Spring MVC (all our Controllers will be matched by RequestMappingHandlerMapping). By the name, you can know who this HandlerMapping is used to match our route predicate to handle the route.

Let’s go back to what I said before.

RequestMappingHanlderMapping object. When we request a routing address, the lookup method in this class will be executed to find the routing.

  1. protected Mono<Route> lookupRoute(ServerWebExchange exchange) {
  2. // this.routeLocator here is the CachingRouteLocator object
  3. return this.routeLocator.getRoutes()
  4. .concatMap(route -> Mono.just(route).filterWhen(r -> {
  5. exchange.getAttributes().put(GATEWAY_PREDICATE_ROUTE_ATTR, r.getId());
  6. // Filter and find matching routes
  7. return r.getPredicate().apply(exchange);
  8. }).doOnError(e -> logger.error(
  9. "Error applying predicate for route: " + route.getId(),
  10. e)).onErrorResume(e -> Mono.empty()))
  11. .next ()
  12. .map(route -> {
  13. if (logger.isDebugEnabled()) {
  14. logger.debug( "Route matched: " + route.getId());
  15. }
  16. validateRoute(route, exchange);
  17. return route;
  18. });
  19. }

Enter r.getPredicate().apply(exchange)

  1. public interface AsyncPredicate<T> extends Function <T, Publisher<Boolean>> {
  2. static AsyncPredicate<ServerWebExchange> from (Predicate<? super ServerWebExchange> predicate) {
  3. return new DefaultAsyncPredicate<>(GatewayPredicate.wrapIfNeeded(predicate));
  4. }
  5.  
  6. class DefaultAsyncPredicate<T> implements AsyncPredicate<T> {
  7.  
  8. private final Predicate<T> delegate;
  9.  
  10. public DefaultAsyncPredicate(Predicate<T> delegate) {
  11. this.delegate = delegate;
  12. }
  13.  
  14. @Override
  15. public Publisher<Boolean> apply(T t) {
  16. return Mono.just(delegate.test(t));
  17. }
  18.  
  19. @Override
  20. public String toString() {
  21. return this.delegate.toString();
  22. }
  23.  
  24. }
  25.  
  26. }

The Predicate.test method (the GatewayPredicate returned by the apply method in XxxRoutePredicateFactory) will be called here.

Call GatewayPredicate.test to return whether the route of the current request matches.

The overall process:

1. The system first initializes all Predicates and Filters

2. Package and return Route object according to the configured routing information (filter, predicate)

3. Find matching routes based on request routing path

<<:  The Ultimate Guide to SD-WAN Architecture

>>:  NTT and CheckPoint Join Forces to Help Enterprises Defend Against Security Threats

Recommend

edgeNAT Los Angeles 4837 dual ISP host simple test

In February, the tribe shared the news that edgeN...

Healthcare and smart city services will lead 5G IoT adoption

Juniper Research predicts that by 2026, there wil...

Using DDC to build AI networks? This may just be a beautiful illusion

ChatGPT, AIGC, big models... a series of dazzling...

...

Are enterprises ready for open RAN?

The increasing deployment of 5G has brought about...

GSA: A total of 122 5G commercial networks have been launched worldwide

As technical standards and specifications are det...