tornado.httpclient — Asynchronous HTTP client¶
Blocking and non-blocking HTTP client interfaces.
This module defines a common interface shared by two implementations,
simple_httpclient and curl_httpclient. Applications may either
instantiate their chosen implementation class directly or use the
AsyncHTTPClient class from this module, which selects an implementation
that can be overridden with the AsyncHTTPClient.configure method.
The default implementation is simple_httpclient, and this is expected
to be suitable for most users’ needs. However, some applications may wish
to switch to curl_httpclient for reasons such as the following:
curl_httpclienthas some features not found insimple_httpclient, including support for HTTP proxies and the ability to use a specified network interface.curl_httpclientis more likely to be compatible with sites that are not-quite-compliant with the HTTP spec, or sites that use little-exercised features of HTTP.curl_httpclientis faster.curl_httpclientwas the default prior to Tornado 2.0.
Note that if you are using curl_httpclient, it is highly
recommended that you use a recent version of libcurl and
pycurl. Currently the minimum supported version of libcurl is
7.21.1, and the minimum version of pycurl is 7.18.2. It is highly
recommended that your libcurl installation is built with
asynchronous DNS resolver (threaded or c-ares), otherwise you may
encounter various problems with request timeouts (for more
information, see
http://curl.haxx.se/libcurl/c/curl_easy_setopt.html#CURLOPTCONNECTTIMEOUTMS
and comments in curl_httpclient.py).
To select curl_httpclient, call AsyncHTTPClient.configure at startup:
AsyncHTTPClient.configure("tornado.curl_httpclient.CurlAsyncHTTPClient")
HTTP client interfaces¶
-
class
tornado.httpclient.HTTPClient(async_client_class=None, **kwargs)[source]¶ A blocking HTTP client.
This interface is provided for convenience and testing; most applications that are running an IOLoop will want to use
AsyncHTTPClientinstead. Typical usage looks like this:http_client = httpclient.HTTPClient() try: response = http_client.fetch("http://www.google.com/") print response.body except httpclient.HTTPError as e: # HTTPError is raised for non-200 responses; the response # can be found in e.response. print("Error: " + str(e)) except Exception as e: # Other errors are possible, such as IOError. print("Error: " + str(e)) http_client.close()
-
fetch(request, **kwargs)[source]¶ Executes a request, returning an
HTTPResponse.The request may be either a string URL or an
HTTPRequestobject. If it is a string, we construct anHTTPRequestusing any additional kwargs:HTTPRequest(request, **kwargs)If an error occurs during the fetch, we raise an
HTTPErrorunless theraise_errorkeyword argument is set to False.
-
-
class
tornado.httpclient.AsyncHTTPClient[source]¶ An non-blocking HTTP client.
Example usage:
def handle_request(response): if response.error: print "Error:", response.error else: print response.body http_client = AsyncHTTPClient() http_client.fetch("http://www.google.com/", handle_request)
The constructor for this class is magic in several respects: It actually creates an instance of an implementation-specific subclass, and instances are reused as a kind of pseudo-singleton (one per
IOLoop). The keyword argumentforce_instance=Truecan be used to suppress this singleton behavior. Unlessforce_instance=Trueis used, no arguments other thanio_loopshould be passed to theAsyncHTTPClientconstructor. The implementation subclass as well as arguments to its constructor can be set with the static methodconfigure()All
AsyncHTTPClientimplementations support adefaultskeyword argument, which can be used to set default values forHTTPRequestattributes. For example:AsyncHTTPClient.configure( None, defaults=dict(user_agent="MyUserAgent")) # or with force_instance: client = AsyncHTTPClient(force_instance=True, defaults=dict(user_agent="MyUserAgent"))
Changed in version 4.1: The
io_loopargument is deprecated.-
close()[source]¶ Destroys this HTTP client, freeing any file descriptors used.
This method is not needed in normal use due to the way that
AsyncHTTPClientobjects are transparently reused.close()is generally only necessary when either theIOLoopis also being closed, or theforce_instance=Trueargument was used when creating theAsyncHTTPClient.No other methods may be called on the
AsyncHTTPClientafterclose().
-
fetch(request, callback=None, raise_error=True, **kwargs)[source]¶ Executes a request, asynchronously returning an
HTTPResponse.The request may be either a string URL or an
HTTPRequestobject. If it is a string, we construct anHTTPRequestusing any additional kwargs:HTTPRequest(request, **kwargs)This method returns a
Futurewhose result is anHTTPResponse. By default, theFuturewill raise anHTTPErrorif the request returned a non-200 response code. Instead, ifraise_erroris set to False, the response will always be returned regardless of the response code.If a
callbackis given, it will be invoked with theHTTPResponse. In the callback interface,HTTPErroris not automatically raised. Instead, you must check the response’serrorattribute or call itsrethrowmethod.
-
classmethod
configure(impl, **kwargs)[source]¶ Configures the
AsyncHTTPClientsubclass to use.AsyncHTTPClient()actually creates an instance of a subclass. This method may be called with either a class object or the fully-qualified name of such a class (orNoneto use the default,SimpleAsyncHTTPClient)If additional keyword arguments are given, they will be passed to the constructor of each subclass instance created. The keyword argument
max_clientsdetermines the maximum number of simultaneousfetch()operations that can execute in parallel on eachIOLoop. Additional arguments may be supported depending on the implementation class in use.Example:
AsyncHTTPClient.configure("tornado.curl_httpclient.CurlAsyncHTTPClient")
-
Request objects¶
-
class
tornado.httpclient.HTTPRequest(url, method='GET', headers=None, body=None, auth_username=None, auth_password=None, auth_mode=None, connect_timeout=None, request_timeout=None, if_modified_since=None, follow_redirects=None, max_redirects=None, user_agent=None, use_gzip=None, network_interface=None, streaming_callback=None, header_callback=None, prepare_curl_callback=None, proxy_host=None, proxy_port=None, proxy_username=None, proxy_password=None, allow_nonstandard_methods=None, validate_cert=None, ca_certs=None, allow_ipv6=None, client_key=None, client_cert=None, body_producer=None, expect_100_continue=False, decompress_response=None)[source]¶ HTTP client request object.
All parameters except
urlare optional.Parameters: - url (string) – URL to fetch
- method (string) – HTTP method, e.g. “GET” or “POST”
- headers (
HTTPHeadersordict) – Additional HTTP headers to pass on the request - body – HTTP request body as a string (byte or unicode; if unicode the utf-8 encoding will be used)
- body_producer – Callable used for lazy/asynchronous request bodies.
It is called with one argument, a
writefunction, and should return aFuture. It should call the write function with new data as it becomes available. The write function returns aFuturewhich can be used for flow control. Only one ofbodyandbody_producermay be specified.body_produceris not supported oncurl_httpclient. When usingbody_producerit is recommended to pass aContent-Lengthin the headers as otherwise chunked encoding will be used, and many servers do not support chunked encoding on requests. New in Tornado 4.0 - auth_username (string) – Username for HTTP authentication
- auth_password (string) – Password for HTTP authentication
- auth_mode (string) – Authentication mode; default is “basic”.
Allowed values are implementation-defined;
curl_httpclientsupports “basic” and “digest”;simple_httpclientonly supports “basic” - connect_timeout (float) – Timeout for initial connection in seconds
- request_timeout (float) – Timeout for entire request in seconds
- if_modified_since (
datetimeorfloat) – Timestamp forIf-Modified-Sinceheader - follow_redirects (bool) – Should redirects be followed automatically or return the 3xx response?
- max_redirects (int) – Limit for
follow_redirects - user_agent (string) – String to send as
User-Agentheader - decompress_response (bool) – Request a compressed response from the server and decompress it after downloading. Default is True. New in Tornado 4.0.
- use_gzip (bool) – Deprecated alias for
decompress_responsesince Tornado 4.0. - network_interface (string) – Network interface to use for request.
curl_httpclientonly; see note below. - streaming_callback (callable) – If set,
streaming_callbackwill be run with each chunk of data as it is received, andHTTPResponse.bodyandHTTPResponse.bufferwill be empty in the final response. - header_callback (callable) – If set,
header_callbackwill be run with each header line as it is received (including the first line, e.g.HTTP/1.0 200 OK\r\n, and a final line containing only\r\n. All lines include the trailing newline characters).HTTPResponse.headerswill be empty in the final response. This is most useful in conjunction withstreaming_callback, because it’s the only way to get access to header data while the request is in progress. - prepare_curl_callback (callable) – If set, will be called with
a
pycurl.Curlobject to allow the application to make additionalsetoptcalls. - proxy_host (string) – HTTP proxy hostname. To use proxies,
proxy_hostandproxy_portmust be set;proxy_usernameandproxy_passare optional. Proxies are currently only supported withcurl_httpclient. - proxy_port (int) – HTTP proxy port
- proxy_username (string) – HTTP proxy username
- proxy_password (string) – HTTP proxy password
- allow_nonstandard_methods (bool) – Allow unknown values for
methodargument? - validate_cert (bool) – For HTTPS requests, validate the server’s certificate?
- ca_certs (string) – filename of CA certificates in PEM format,
or None to use defaults. See note below when used with
curl_httpclient. - allow_ipv6 (bool) – Use IPv6 when available? Default is false in
simple_httpclientand true incurl_httpclient - client_key (string) – Filename for client SSL key, if any. See
note below when used with
curl_httpclient. - client_cert (string) – Filename for client SSL certificate, if any.
See note below when used with
curl_httpclient. - expect_100_continue (bool) – If true, send the
Expect: 100-continueheader and wait for a continue response before sending the request body. Only supported with simple_httpclient.
Note
When using
curl_httpclientcertain options may be inherited by subsequent fetches becausepycurldoes not allow them to be cleanly reset. This applies to theca_certs,client_key,client_cert, andnetwork_interfacearguments. If you use these options, you should pass them on every request (you don’t have to always use the same values, but it’s not possible to mix requests that specify these options with ones that use the defaults).New in version 3.1: The
auth_modeargument.New in version 4.0: The
body_producerandexpect_100_continuearguments.
Response objects¶
-
class
tornado.httpclient.HTTPResponse(request, code, headers=None, buffer=None, effective_url=None, error=None, request_time=None, time_info=None, reason=None)[source]¶ HTTP Response object.
Attributes:
- request: HTTPRequest object
- code: numeric HTTP status code, e.g. 200 or 404
- reason: human-readable reason phrase describing the status code
- headers:
tornado.httputil.HTTPHeadersobject - effective_url: final location of the resource after following any redirects
- buffer:
cStringIOobject for response body - body: response body as string (created on demand from
self.buffer) - error: Exception object, if any
- request_time: seconds from request start to finish
- time_info: dictionary of diagnostic timing information from the request.
Available data are subject to change, but currently uses timings
available from http://curl.haxx.se/libcurl/c/curl_easy_getinfo.html,
plus
queue, which is the delay (if any) introduced by waiting for a slot underAsyncHTTPClient‘smax_clientssetting.
Exceptions¶
-
exception
tornado.httpclient.HTTPError(code, message=None, response=None)[source]¶ Exception thrown for an unsuccessful HTTP request.
Attributes:
code- HTTP error integer error code, e.g. 404. Error code 599 is used when no HTTP response was received, e.g. for a timeout.response-HTTPResponseobject, if any.
Note that if
follow_redirectsis False, redirects become HTTPErrors, and you can look aterror.response.headers['Location']to see the destination of the redirect.
Command-line interface¶
This module provides a simple command-line interface to fetch a url using Tornado’s HTTP client. Example usage:
# Fetch the url and print its body
python -m tornado.httpclient http://www.google.com
# Just print the headers
python -m tornado.httpclient --print_headers --print_body=false http://www.google.com