如何记录某个网址的整个请求(标头、正文等)?

问题描述 投票:0回答:2

我需要将所有请求(包括 HTTP 标头、正文等)记录到某个 url。我试过这段代码:

def index
  global_request_logging
end

private

def global_request_logging 
    http_request_header_keys = request.headers.keys.select{|header_name| header_name.match("^HTTP.*")}
    http_request_headers = request.headers.select{|header_name, header_value| http_request_header_keys.index(header_name)}
    logger.info "Received #{request.method.inspect} to #{request.url.inspect} from #{request.remote_ip.inspect}.  Processing with headers #{http_request_headers.inspect} and params #{params.inspect}"
    begin 
      yield 
    ensure 
      logger.info "Responding with #{response.status.inspect} => #{response.body.inspect}"
    end 
  end 

但它说

request.headers
不包含名为
keys
的方法。我还认为应该有一个更简单的方法或标准来做到这一点。最好不要使用宝石。

ruby-on-rails ruby ruby-on-rails-4 logging
2个回答
24
投票

看起来

request.headers
返回一个哈希值,但实际上,它返回一个
Http::Headers
的实例,但没有定义
keys
方法。

但是

Http::Headers
会响应
env
,返回原始的 env 哈希值。因此,以下工作:

http_request_header_keys = request.headers.env.keys.select do |header_name| 
  header_name.match("^HTTP.*")
end

或者您可以迭代所有键值对并将它们复制到另一个哈希中:

http_envs = {}.tap do |envs|
  request.headers.each do |key, value|
    envs[key] = value if key.downcase.starts_with?('http')
  end
end

logger.info <<-LOG.squish
  Received     #{request.method.inspect} 
  to           #{request.url.inspect} 
  from         #{request.remote_ip.inspect}.  
  Processing 
  with headers #{http_envs.inspect} 
  and params   #{params.inspect}"
LOG

总结一下:

around_action :log_everything, only: :index

def index
  # ...
end

private
def log_everything
  log_headers
  yield
ensure
  log_response
end

def log_headers
  http_envs = {}.tap do |envs|
    request.headers.each do |key, value|
      envs[key] = value if key.downcase.starts_with?('http')
    end
  end

  logger.info "Received #{request.method.inspect} to #{request.url.inspect} from #{request.remote_ip.inspect}. Processing with headers #{http_envs.inspect} and params #{params.inspect}"
end

def log_response
  logger.info "Responding with #{response.status.inspect} => #{response.body.inspect}"
end

7
投票

我用它来获取完整的标题:

request.headers.env.select do |k, _| 
  k.downcase.start_with?('http') ||
  k.in?(ActionDispatch::Http::Headers::CGI_VARIABLES)
end
© www.soinside.com 2019 - 2024. All rights reserved.