在Finagle

时间:2017-08-11 12:36:35

标签: finagle twitter-finagle

我想在使用Finagle Client时将被叫远程主机记录到STDOUT。但据我所知,这不可能通过com.twitter.finagle.http.filter.LoggingFilter;其#format(示例见下文)方法无法访问实际主机:

  • request.remoteHost()返回0.0.0.0
  • request.remoteAddress()返回一个基本上包含上述IP的对象
  • request.host()会返回None个对象

我的第一个猜测是,访问主机是不可能的,因为 Finagle的客户端负载平衡发生在堆栈的更深层

这是我使用的测试代码:

    LoggingFilter<Request> loggingFilter = new LoggingFilter<>(
            new Logger(this.getClass().getSimpleName(), java.util.logging.Logger.getLogger(this.getClass().getSimpleName())),

            new LogFormatter<Request, Response>() {
                @Override
                public String format(Request request, Response reply, Duration replyTime) {
                    return null;
                }

                @Override
                public String formatException(Request request, Throwable throwable, Duration replyTime) {
                    return null;
                }
            });

    Service<Request, Response> service = Http.client().newService("localhost:8090,localhost:8091");
    Future<Response> response = loggingFilter.andThen(service).apply(Request.apply("/profiles/me"));

1 个答案:

答案 0 :(得分:5)

请求发送到的实际端点在负载均衡器中确定。因此,确实只能在负载平衡模块之后完成远程主机的记录。

负载平衡器模块使参数class MyLoggingFilter(addr: Address) extends SimpleFilter[Request, Response] { override def apply(request: Request, service: Service[Request, Response]) = { println(s"Sending request to $addr") service(request) } } 可用。该参数包含实际地址。为了使用这个参数,你应该在负载均衡模块之后将模块添加到HTTP客户端堆栈。

Scala中的一个例子:

创建日志记录过滤器:

def endpointLoggerModule: Stackable[ServiceFactory[Request, Response]] =
  new Stack.Module1[Transporter.EndpointAddr, ServiceFactory[Request, Response]] {
    val role: Role = Role("EndpointLogger")
    val description = "Log remote address"
    def make(_addr: Transporter.EndpointAddr, 
             next: ServiceFactory[Request, Response]) = {
      val Transporter.EndpointAddr(addr) = _addr
      new MyLoggingFilter(addr).andThen(next)
    }
  }

定义新模块

val stackWithLogging = Http.client.stack
  .insertAfter(LoadBalancerFactory.role, endpointLoggerModule)
val service = Http.client.copy(stack = stackWithLogging)
  .newService("localhost:8090,localhost:8091")

在堆栈中使用此模块创建一个新的Http客户端:

{{1}}

然后,此创建的服务应记录发送请求的实际地址。

请参阅more information on module composition的官方Finagle文档。