calculating response time in java filter

2019-07-29 17:31发布

问题:

I don't know the lifecycle of the doFilter() method in a java filter. I am wondering if I were to set a start time in the request at the beginning of the method, is there a way or place to set a stop time in the method that would give me the total elapsed time from the beginning of the request to the time the response is given? I've seen a doFilter() method with a finally block in it, and I was wondering if setting a stop time in the response in there would be appropriate?

回答1:

import java.io.IOException;
import javax.servlet.Filter;
import javax.servlet.FilterChain;
import javax.servlet.FilterConfig;
import javax.servlet.ServletException;
import javax.servlet.ServletRequest;
import javax.servlet.ServletResponse;
import javax.servlet.http.HttpServletRequest;

public class ResponseTimerFilter implements Filter {
  protected FilterConfig config;

  public void init(FilterConfig config) throws ServletException {
    this.config = config;
  }

  public void destroy() {
  }

  public void doFilter(ServletRequest request, ServletResponse response, FilterChain chain)
      throws ServletException, IOException {
    long startTime = System.currentTimeMillis();
    chain.doFilter(request, response);
    long elapsed = System.currentTimeMillis() - startTime;
    String name = "servlet";
    if (request instanceof HttpServletRequest) {
      name = ((HttpServletRequest) request).getRequestURI();
    }

    config.getServletContext().log(name + " took " + elapsed + " ms");
  }
}

web.xml

<filter>
  <filter-name>Timing Filter</filter-name>
  <filter-class>com.omh.filters.ResponseTimerFilter</filter-class>
</filter>

<filter-mapping>
  <filter-name>Timing Filter</filter-name>
  <url-pattern>/*</url-pattern>
</filter-mapping>