搭建SpringCloudAlibaba开发环境之网关Gateway

搭建SpringCloudAlibaba开发环境之网关Gateway

  • 搭建程序的统一入口(网关)
  • gateway全局过滤器

搭建程序的统一入口(网关)

特别注意
spring cloud gateway 使用WebFlux作为服务器,不使用web作为
服务器,默认加入的WebFlux的依赖,所以在pom中切记不要添加
web依赖,也不要添加WebFlux相关依赖

在pom文件加入gateway依赖


    4.0.0
    bygones-gateway
    1.0.0-SNAPSHOT
    jar

    
        com.bygones
        bygones-dependencies
        1.0.0-SNAPSHOST
        ../bygones-dependencies/pom.xml
    

    
        
            org.springframework.boot
            spring-boot-starter-actuator
        

        
        
            com.alibaba.cloud
            spring-cloud-starter-alibaba-nacos-discovery
        

        
        
            org.springframework.cloud
            spring-cloud-starter-openfeign
        

        
        
            com.alibaba.cloud
            spring-cloud-starter-alibaba-sentinel
        

        
        
            org.springframework.cloud
            spring-cloud-starter-gateway
        
    


在application.yml中配置路由的规则和策略
策略:
设置gateway组件与服务注册发现组件结合,采用服务名作为路由
策略
spring.cloud.gateway.discovery.locator.enabled=true
规则:
spring.cloud.gateway.routes

spring:
  application:
    name: gateway
  cloud:
    nacos:
      discovery:
        server-addr: 127.0.0.1:8848
    gateway:
      discovery: # 设置gateway组件与服务注册发现组件结合,采用服务名作为路由策略
        locator:
          enabled: true
      routes: # 为消费者配置路由规则,并支持负载均衡(id,uri,predicates 可以配置多组指向不同的消费者)
        - id: CONSUMER
          uri: lb://consumer # lb(load balance负载均衡)
          predicates:
            - Method=GET,POST
    sentinel:
      transport:
        dashboard: localhost:8090 # 将服务注册到sentinel dashboard中

server:
  port: 8080

gateway全局过滤器

实现GlobalFilter与Ordered接口即可

import org.springframework.cloud.gateway.filter.GatewayFilterChain;
import org.springframework.cloud.gateway.filter.GlobalFilter;
import org.springframework.core.Ordered;
import org.springframework.stereotype.Component;
import org.springframework.web.server.ServerWebExchange;
import reactor.core.publisher.Mono;

@Component
public class AuthFilter implements GlobalFilter,Ordered {
     

    @Override
    public Mono<Void> filter(ServerWebExchange exchange, GatewayFilterChain chain) {
     
        System.out.println("执行过滤器");
        return chain.filter(exchange);
    }

    /** 设置过滤器的执行顺序,数字越小,优先级越高 */
    @Override
    public int getOrder() {
     
        return Ordered.LOWEST_PRECEDENCE; // 最低优先级
    }
}

你可能感兴趣的:(SpringCloud,网关,spring,boot,springcloud,gateway)