Zuul的主要功能是路由和过滤器。路由功能是微服务的一部分,zuul实现了负载均衡。
1.1
新建模块zuul
pom.xml
?xml version="1.0" encoding="UTF-8"?
project xmlns="http://maven.apache.org/POM/4.0.0"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd"
parent
artifactIdspring-cloud/artifactId
groupIdcom.feng/groupId
version0.0.1/version
/parent
modelVersion4.0.0/modelVersion
artifactIdzuul/artifactId
dependencies
dependency
groupIdorg.springframework.cloud/groupId
artifactIdspring-cloud-starter-zuul/artifactId
/dependency
/dependencies
/project
1.2
application.yml:
spring:
application:
name: zuul
server:
port: 8020
eureka:
client:
service-url:
defaultZone: http://localhost:8010/eureka/
zuul:
routes:
api-a:
path: /service-a/**
serviceId: service-a
api-b:
path: /service-b/**
serviceId: service-b
sensitive-headers:
add-host-header: true
上面配置说明把/service-a/开头的所有请求都转发给service-a服务执行,把/service-b/开头的所有请求都转发给service-b服务执行
1.3
ZuulApplication,使用EnableZuulProxy注解开启zuul功能,并且注册了一个zuul的过滤器
@SpringCloudApplication
@EnableZuulProxy
public class ZuulApplication {
public static void main(String[] args) {
SpringApplication.run(ZuulApplication.class, args);
}
@Bean
public MyZuulFilter getZuulFilter(){
return new MyZuulFilter();
}
}
MyZuulFilter,过滤器加了个判断id是否为空,空则返回401错误码
public class MyZuulFilter extends ZuulFilter {
private static Logger log = LoggerFactory.getLogger(MyZuulFilter.class);
@Override
public String filterType() {
return "pre";
}
@Override
public int filterOrder() {
return 0;
}
@Override
public boolean shouldFilter() {
return true;
}
@Override
public Object run() {
RequestContext ctx = RequestContext.getCurrentContext();
HttpServletRequest request = ctx.getRequest();
log.info(String.format("%s request to %s", request.getMethod(), request.getRequestURL().toString()));
Object accessToken = request.getParameter("id");
if(accessToken == null) {
log.warn("id is null");
ctx.setSendZuulResponse(false);
ctx.setResponseStatusCode(401);
return null;
}
log.info("pass!");
return null;
}
}
1.4
把之前负载的service-b的spring.application.name改为service-b, 运行项目,分别打开http://localhost:8020/service-a/hi?id=zuul和http://localhost:8020/service-b/hi?id=zuul

