如何将httplib调试器信息转换为logger调试级别

时间:2015-12-14 13:04:01

标签: python urllib httplib

默认情况下,httplib debug send,headers和reply信息返回logger.info,

相反,如何在调试信息中显示发送,标题和重播?

import requests
import logging
import httplib
httplib.HTTPConnection.debuglevel = 1

logging.basicConfig() # you need to initialize logging, otherwise you will not see anything from requests
logging.getLogger().setLevel(logging.DEBUG)
requests_log = logging.getLogger("requests.packages.urllib3")
requests_log.setLevel(logging.DEBUG)
requests_log.propagate = True

requests.get('http://httpbin.org/headers')

打印

INFO:requests.packages.urllib3.connectionpool:Starting new HTTP Connection (1):
httpbin.org
send: 'GET /headers HTTP/1.1\r\nHost: httpbin.org\r\nConnection: keep-alive\r\nA
ccept-Encoding: gzip, deflate\r\nAccept: */*\r\nUser-Agent: python-requests/2.8.
1\r\n\r\n'
reply: 'HTTP/1.1 200 OK\r\n'
header: Server: nginx
header: Date: Mon, 14 Dec 2015 12:50:44 GMT
header: Content-Type: application/json
header: Content-Length: 156
header: Connection: keep-alive
header: Access-Control-Allow-Origin: *
header: Access-Control-Allow-Credentials: true
DEBUG:requests.packages.urllib3.connectionpool:"GET /headers HTTP/1.1" 200 156
<Response [200]>

2 个答案:

答案 0 :(得分:1)

some_logger.set_level()没有按照您的想法行事。它没有设置记录器发出的日志级别。它设置处理程序将关心和确认的记录器发出的最小日志级别。为了做你要问的事,我只能想到一个真实,合理的方式:

在他们进入日志时捕获日志并重新登录。您可以使用here描述的概念捕获它们,并在请求的子类中使用它。毫无疑问,这将是复杂的。所以,这可能是开始问自己的好时机,&#34;我真正想要实现的是什么,还有另一种方法可以实现吗?&#34;

答案 1 :(得分:1)

谢谢@Eli

我可以使用这篇文章http://stefaanlippens.net/redirect_python_print

import logging
import sys
import requests
import httplib


# HTTP stream handler
class WritableObject:
    def __init__(self):
        self.content = []
    def write(self, string):
        self.content.append(string)

# A writable object
http_log = WritableObject() 
# Redirection
sys.stdout = http_log 

# Enable 
httplib.HTTPConnection.debuglevel = 2

# get operation
requests.get('http://httpbin.org/headers')

# Remember to reset sys.stdout!
sys.stdout = sys.__stdout__  
debug_info = ''.join(http_log.content).replace('\\r', '').decode('string_escape').replace('\'', '')

# Remove empty lines
debug_info = "\n".join([ll.rstrip() for ll in debug_info.splitlines() if ll.strip()])

打印如

C:\Users\vkosuri\Dropbox\robot\lab>python New-Redirect_Stdout.py
send: GET /headers HTTP/1.1
Host: httpbin.org
Connection: keep-alive
Accept-Encoding: gzip, deflate
Accept: */*
User-Agent: python-requests/2.8.1
reply: HTTP/1.1 200 OK
header: Server: nginx
header: Date: Tue, 15 Dec 2015 09:36:36 GMT
header: Content-Type: application/json
header: Content-Length: 156
header: Connection: keep-alive
header: Access-Control-Allow-Origin: *
header: Access-Control-Allow-Credentials: true

由于

Malli