Requests
Requests
Requests
Release 2.22.0
Kenneth Reitz
1 User Testimonials 3
2 Beloved Features 5
Index 119
i
ii
Requests Documentation, Release 2.22.0
Requests is the only Non-GMO HTTP library for Python, safe for human consumption.
Note: Requests 2.x is officially in maintenance-mode only. This means we only respond to CVE-level tickets.
All of our limited available attention / energy is being allocated towards the development of Requests III. Technical
contributions are welcome!
Contents 1
Requests Documentation, Release 2.22.0
2 Contents
CHAPTER 1
User Testimonials
Nike, Twitter, Spotify, Microsoft, Amazon, Lyft, BuzzFeed, Reddit, The NSA, Her Majesty’s Government, Google,
Twilio, Runscope, Mozilla, Heroku, PayPal, NPR, Obama for America, Transifex, Native Instruments, The Washing-
ton Post, SoundCloud, Kippt, Sony, and Federal U.S. Institutions that prefer to be unnamed claim to use Requests
internally.
Armin Ronacher, creator of Flask— Requests is the perfect example how beautiful an API can be with the right
level of abstraction.
Matt DeBoard— I’m going to get Kenneth Reitz’s Python requests module tattooed on my body, somehow. The whole
thing.
Daniel Greenfeld— Nuked a 1200 LOC spaghetti code library with 10 lines of code thanks to Kenneth Reitz’s Re-
quests library. Today has been AWESOME.
Kenny Meyers— Python HTTP: When in doubt, or when not in doubt, use Requests. Beautiful, simple, Pythonic.
Requests is one of the most downloaded Python packages of all time, pulling in over 400,000 downloads each day.
Join the party!
If your organization uses Requests internally, consider supporting the development of 3.0. Your generosity will be
greatly appreciated, and help drive the project forward into the future.
3
Requests Documentation, Release 2.22.0
Beloved Features
5
Requests Documentation, Release 2.22.0
This part of the documentation, which is mostly prose, begins with some background information about Requests,
then focuses on step-by-step instructions for getting the most out of Requests.
7
Requests Documentation, Release 2.22.0
3.1 Introduction
3.1.1 Philosophy
A large number of open source projects you find today are GPL Licensed. While the GPL has its time and place, it
should most certainly not be your go-to license for your next open source project.
A project that is released as GPL cannot be used in any commercial product without the product itself also being
offered as open source.
The MIT, BSD, ISC, and Apache2 licenses are great alternatives to the GPL that allow your open-source software to
be used freely in proprietary, closed-source software.
This part of the documentation covers the installation of Requests. The first step to using any software package is
getting it properly installed.
To install Requests, simply run this simple command in your terminal of choice:
If you don’t have pipenv installed (tisk tisk!), head over to the Pipenv website for installation instructions. Or, if you
prefer to just use pip and don’t have it installed, this Python installation guide can guide you through the process.
Once you have a copy of the source, you can embed it in your own Python package, or install it into your site-packages
easily:
$ cd requests
$ pip install .
3.3 Quickstart
Eager to get started? This page gives a good introduction in how to get started with Requests.
First, make sure that:
• Requests is installed
• Requests is up-to-date
Let’s get started with some simple examples.
Now, let’s try to get a webpage. For this example, let’s get GitHub’s public timeline:
>>> r = requests.get('https://api.github.com/events')
Now, we have a Response object called r. We can get all the information we need from this object.
Requests’ simple API means that all forms of HTTP request are as obvious. For example, this is how you make an
HTTP POST request:
3.3. Quickstart 11
Requests Documentation, Release 2.22.0
Nice, right? What about the other HTTP request types: PUT, DELETE, HEAD and OPTIONS? These are all just as
simple:
That’s all well and good, but it’s also only the start of what Requests can do.
You often want to send some sort of data in the URL’s query string. If you were constructing the URL by hand, this
data would be given as key/value pairs in the URL after a question mark, e.g. httpbin.org/get?key=val.
Requests allows you to provide these arguments as a dictionary of strings, using the params keyword argument. As
an example, if you wanted to pass key1=value1 and key2=value2 to httpbin.org/get, you would use the
following code:
You can see that the URL has been correctly encoded by printing the URL:
>>> print(r.url)
https://httpbin.org/get?key2=value2&key1=value1
Note that any dictionary key whose value is None will not be added to the URL’s query string.
You can also pass a list of items as a value:
We can read the content of the server’s response. Consider the GitHub timeline again:
>>> r = requests.get('https://api.github.com/events')
>>> r.text
u'[{"repository":{"open_issues":0,"url":"https://github.com/...
Requests will automatically decode content from the server. Most unicode charsets are seamlessly decoded.
When you make a request, Requests makes educated guesses about the encoding of the response based on the HTTP
headers. The text encoding guessed by Requests is used when you access r.text. You can find out what encoding
Requests is using, and change it, using the r.encoding property:
>>> r.encoding
'utf-8'
>>> r.encoding = 'ISO-8859-1'
If you change the encoding, Requests will use the new value of r.encoding whenever you call r.text. You might
want to do this in any situation where you can apply special logic to work out what the encoding of the content will
be. For example, HTML and XML have the ability to specify their encoding in their body. In situations like this, you
should use r.content to find the encoding, and then set r.encoding. This will let you use r.text with the
correct encoding.
Requests will also use custom encodings in the event that you need them. If you have created your own encoding
and registered it with the codecs module, you can simply use the codec name as the value of r.encoding and
Requests will handle the decoding for you.
You can also access the response body as bytes, for non-text requests:
>>> r.content
b'[{"repository":{"open_issues":0,"url":"https://github.com/...
The gzip and deflate transfer-encodings are automatically decoded for you.
For example, to create an image from binary data returned by a request, you can use the following code:
>>> i = Image.open(BytesIO(r.content))
There’s also a builtin JSON decoder, in case you’re dealing with JSON data:
>>> r = requests.get('https://api.github.com/events')
>>> r.json()
[{u'repository': {u'open_issues': 0, u'url': 'https://github.com/...
In case the JSON decoding fails, r.json() raises an exception. For example, if the response gets a 204 (No Con-
tent), or if the response contains invalid JSON, attempting r.json() raises ValueError: No JSON object
could be decoded.
It should be noted that the success of the call to r.json() does not indicate the success of the response. Some
servers may return a JSON object in a failed response (e.g. error details with HTTP 500). Such JSON will be decoded
and returned. To check that a request is successful, use r.raise_for_status() or check r.status_code is
what you expect.
In the rare case that you’d like to get the raw socket response from the server, you can access r.raw. If you want to
do this, make sure you set stream=True in your initial request. Once you do, you can do this:
3.3. Quickstart 13
Requests Documentation, Release 2.22.0
>>> r.raw
<urllib3.response.HTTPResponse object at 0x101194810>
>>> r.raw.read(10)
'\x1f\x8b\x08\x00\x00\x00\x00\x00\x00\x03'
In general, however, you should use a pattern like this to save what is being streamed to a file:
Using Response.iter_content will handle a lot of what you would otherwise have to handle when using
Response.raw directly. When streaming a download, the above is the preferred and recommended way to retrieve
the content. Note that chunk_size can be freely adjusted to a number that may better fit your use cases.
If you’d like to add HTTP headers to a request, simply pass in a dict to the headers parameter.
For example, we didn’t specify our user-agent in the previous example:
Note: Custom headers are given less precedence than more specific sources of information. For instance:
• Authorization headers set with headers= will be overridden if credentials are specified in .netrc, which in
turn will be overridden by the auth= parameter.
• Authorization headers will be removed if you get redirected off-host.
• Proxy-Authorization headers will be overridden by proxy credentials provided in the URL.
• Content-Length headers will be overridden when we can determine the length of the content.
Furthermore, Requests does not change its behavior at all based on which custom headers are specified. The headers
are simply passed on into the final request.
Note: All header values must be a string, bytestring, or unicode. While permitted, it’s advised to avoid passing
unicode header values.
Typically, you want to send some form-encoded data — much like an HTML form. To do this, simply pass a dictionary
to the data argument. Your dictionary of data will automatically be form-encoded when the request is made:
The data argument can also have multiple values for each key. This can be done by making data either a list of
tuples or a dictionary with lists as values. This is particularly useful when the form has multiple elements that use the
same key:
There are times that you may want to send data that is not form-encoded. If you pass in a string instead of a dict,
that data will be posted directly.
For example, the GitHub API v3 accepts JSON-Encoded POST/PATCH data:
Instead of encoding the dict yourself, you can also pass it directly using the json parameter (added in version 2.4.2)
and it will be encoded automatically:
3.3. Quickstart 15
Requests Documentation, Release 2.22.0
In the event you are posting a very large file as a multipart/form-data request, you may want to stream
the request. By default, requests does not support this, but there is a separate package which does -
requests-toolbelt. You should read the toolbelt’s documentation for more details about how to use it.
For sending multiple files in one request refer to the advanced section.
Warning: It is strongly recommended that you open files in binary mode. This is because Requests may attempt
to provide the Content-Length header for you, and if it does this value will be set to the number of bytes in
the file. Errors may occur if you open the file in text mode.
>>> r = requests.get('https://httpbin.org/get')
>>> r.status_code
200
Requests also comes with a built-in status code lookup object for easy reference:
If we made a bad request (a 4XX client error or 5XX server error response), we can raise it with Response.
raise_for_status():
>>> bad_r.raise_for_status()
Traceback (most recent call last):
File "requests/models.py", line 832, in raise_for_status
raise http_error
requests.exceptions.HTTPError: 404 Client Error
But, since our status_code for r was 200, when we call raise_for_status() we get:
>>> r.raise_for_status()
None
All is well.
>>> r.headers
{
'content-encoding': 'gzip',
'transfer-encoding': 'chunked',
'connection': 'close',
'server': 'nginx/1.0.4',
'x-runtime': '148ms',
'etag': '"e1ca502697e5c9317743dc078f67693f"',
'content-type': 'application/json'
}
The dictionary is special, though: it’s made just for HTTP headers. According to RFC 7230, HTTP Header names are
case-insensitive.
So, we can access the headers using any capitalization we want:
>>> r.headers['Content-Type']
'application/json'
3.3. Quickstart 17
Requests Documentation, Release 2.22.0
It is also special in that the server could have sent the same header multiple times with different values, but requests
combines them so they can be represented in the dictionary within a single mapping, as per RFC 7230:
A recipient MAY combine multiple header fields with the same field name into one “field-name: field-
value” pair, without changing the semantics of the message, by appending each subsequent field value to
the combined field value in order, separated by a comma.
3.3.12 Cookies
>>> r.cookies['example_cookie_name']
'example_cookie_value'
To send your own cookies to the server, you can use the cookies parameter:
Cookies are returned in a RequestsCookieJar, which acts like a dict but also offers a more complete interface,
suitable for use over multiple domains or paths. Cookie jars can also be passed in to requests:
By default Requests will perform location redirection for all verbs except HEAD.
We can use the history property of the Response object to track redirection.
The Response.history list contains the Response objects that were created in order to complete the request.
The list is sorted from the oldest to the most recent response.
For example, GitHub redirects all HTTP requests to HTTPS:
>>> r = requests.get('http://github.com/')
>>> r.url
(continues on next page)
>>> r.status_code
200
>>> r.history
[<Response [301]>]
If you’re using GET, OPTIONS, POST, PUT, PATCH or DELETE, you can disable redirection handling with the
allow_redirects parameter:
>>> r.status_code
301
>>> r.history
[]
>>> r.url
'https://github.com/'
>>> r.history
[<Response [301]>]
3.3.14 Timeouts
You can tell Requests to stop waiting for a response after a given number of seconds with the timeout parameter.
Nearly all production code should use this parameter in nearly all requests. Failure to do so can cause your program
to hang indefinitely:
Note
timeout is not a time limit on the entire response download; rather, an exception is raised if the server has not
issued a response for timeout seconds (more precisely, if no bytes have been received on the underlying socket for
timeout seconds). If no timeout is specified explicitly, requests do not time out.
In the event of a network problem (e.g. DNS failure, refused connection, etc), Requests will raise a
ConnectionError exception.
3.3. Quickstart 19
Requests Documentation, Release 2.22.0
The Session object allows you to persist certain parameters across requests. It also persists cookies across all requests
made from the Session instance, and will use urllib3’s connection pooling. So if you’re making several requests to
the same host, the underlying TCP connection will be reused, which can result in a significant performance increase
(see HTTP persistent connection).
A Session object has all the methods of the main Requests API.
s.get('https://httpbin.org/cookies/set/sessioncookie/123456789')
r = s.get('https://httpbin.org/cookies')
print(r.text)
# '{"cookies": {"sessioncookie": "123456789"}}'
Sessions can also be used to provide default data to the request methods. This is done by providing data to the
properties on a Session object:
s = requests.Session()
s.auth = ('user', 'pass')
s.headers.update({'x-test': 'true'})
Any dictionaries that you pass to a request method will be merged with the session-level values that are set. The
method-level parameters override session parameters.
Note, however, that method-level parameters will not be persisted across requests, even if using a session. This
example will only send the cookies with the first request, but not the second:
s = requests.Session()
r = s.get('https://httpbin.org/cookies')
print(r.text)
# '{"cookies": {}}'
If you want to manually add cookies to your session, use the Cookie utility functions to manipulate Session.
cookies.
Sessions can also be used as context managers:
with requests.Session() as s:
s.get('https://httpbin.org/cookies/set/sessioncookie/123456789')
This will make sure the session is closed as soon as the with block is exited, even if unhandled exceptions occurred.
All values that are contained within a session are directly available to you. See the Session API Docs to learn more.
Whenever a call is made to requests.get() and friends, you are doing two major things. First, you are construct-
ing a Request object which will be sent off to a server to request or query some resource. Second, a Response
object is generated once Requests gets a response back from the server. The Response object contains all of the
information returned by the server and also contains the Request object you created originally. Here is a simple
request to get some very important information from Wikipedia’s servers:
>>> r = requests.get('https://en.wikipedia.org/wiki/Monty_Python')
If we want to access the headers the server sent back to us, we do this:
>>> r.headers
{'content-length': '56170', 'x-content-type-options': 'nosniff', 'x-cache':
'HIT from cp1006.eqiad.wmnet, MISS from cp1010.eqiad.wmnet', 'content-encoding':
'gzip', 'age': '3080', 'content-language': 'en', 'vary': 'Accept-Encoding,Cookie',
'server': 'Apache', 'last-modified': 'Wed, 13 Jun 2012 01:33:50 GMT',
'connection': 'close', 'cache-control': 'private, s-maxage=0, max-age=0,
must-revalidate', 'date': 'Thu, 14 Jun 2012 12:59:39 GMT', 'content-type':
'text/html; charset=UTF-8', 'x-cache-lookup': 'HIT from cp1006.eqiad.wmnet:3128,
MISS from cp1010.eqiad.wmnet:80'}
However, if we want to get the headers we sent the server, we simply access the request, and then the request’s headers:
>>> r.request.headers
{'Accept-Encoding': 'identity, deflate, compress, gzip',
'Accept': '*/*', 'User-Agent': 'python-requests/1.2.0'}
Whenever you receive a Response object from an API call or a Session call, the request attribute is actually the
PreparedRequest that was used. In some cases you may wish to do some extra work to the body or headers (or
anything else really) before sending a request. The simple recipe for this is the following:
s = Session()
resp = s.send(prepped,
stream=stream,
verify=verify,
proxies=proxies,
cert=cert,
timeout=timeout
)
print(resp.status_code)
Since you are not doing anything special with the Request object, you prepare it immediately and modify the
PreparedRequest object. You then send that with the other parameters you would have sent to requests.* or
Session.*.
However, the above code will lose some of the advantages of having a Requests Session object. In particular,
Session-level state such as cookies will not get applied to your request. To get a PreparedRequest with that
state applied, replace the call to Request.prepare() with a call to Session.prepare_request(), like
this:
s = Session()
req = Request('GET', url, data=data, headers=headers)
prepped = s.prepare_request(req)
resp = s.send(prepped,
stream=stream,
verify=verify,
proxies=proxies,
cert=cert,
timeout=timeout
)
print(resp.status_code)
When you are using the prepared request flow, keep in mind that it does not take into account the environment.
This can cause problems if you are using environment variables to change the behaviour of requests. For example:
Self-signed SSL certificates specified in REQUESTS_CA_BUNDLE will not be taken into account. As a result an
SSL: CERTIFICATE_VERIFY_FAILED is thrown. You can get around this behaviour by explicitly merging the
environment settings into your session:
s = Session()
req = Request('GET', url)
prepped = s.prepare_request(req)
print(resp.status_code)
Requests verifies SSL certificates for HTTPS requests, just like a web browser. By default, SSL verification is enabled,
and Requests will throw a SSLError if it’s unable to verify the certificate:
>>> requests.get('https://requestb.in')
requests.exceptions.SSLError: hostname 'requestb.in' doesn't match either of '*.
˓→herokuapp.com', 'herokuapp.com'
I don’t have SSL setup on this domain, so it throws an exception. Excellent. GitHub does though:
>>> requests.get('https://github.com')
<Response [200]>
You can pass verify the path to a CA_BUNDLE file or directory with certificates of trusted CAs:
or persistent:
s = requests.Session()
s.verify = '/path/to/certfile'
Note: If verify is set to a path to a directory, the directory must have been processed using the c_rehash utility
supplied with OpenSSL.
This list of trusted CAs can also be specified through the REQUESTS_CA_BUNDLE environment variable.
Requests can also ignore verifying the SSL certificate if you set verify to False:
By default, verify is set to True. Option verify only applies to host certs.
You can also specify a local cert to use as client side certificate, as a single file (containing the private key and the
certificate) or as a tuple of both files’ paths:
<Response [200]>
or persistent:
s = requests.Session()
s.cert = '/path/client.cert'
Warning: The private key to your local certificate must be unencrypted. Currently, Requests does not support
using encrypted keys.
3.4.6 CA Certificates
Requests uses certificates from the package certifi. This allows for users to update their trusted certificates without
changing the version of Requests.
Before version 2.16, Requests bundled a set of root CAs that it trusted, sourced from the Mozilla trust store. The
certificates were only updated once for each Requests version. When certifi was not installed, this led to extremely
out-of-date certificate bundles when using significantly older versions of Requests.
For the sake of security we recommend upgrading certifi frequently!
By default, when you make a request, the body of the response is downloaded immediately. You can override this
behaviour and defer downloading the response body until you access the Response.content attribute with the
stream parameter:
tarball_url = 'https://github.com/requests/requests/tarball/master'
r = requests.get(tarball_url, stream=True)
At this point only the response headers have been downloaded and the connection remains open, hence allowing us to
make content retrieval conditional:
You can further control the workflow by use of the Response.iter_content() and Response.
iter_lines() methods. Alternatively, you can read the undecoded body from the underlying urllib3 urllib3.
HTTPResponse at Response.raw.
If you set stream to True when making a request, Requests cannot release the connection back to the pool unless
you consume all the data or call Response.close. This can lead to inefficiency with connections. If you find
yourself partially reading request bodies (or not reading them at all) while using stream=True, you should make
the request within a with statement to ensure it’s always closed:
3.4.8 Keep-Alive
Excellent news — thanks to urllib3, keep-alive is 100% automatic within a session! Any requests that you make within
a session will automatically reuse the appropriate connection!
Note that connections are only released back to the pool for reuse once all body data has been read; be sure to either
set stream to False or read the content property of the Response object.
Requests supports streaming uploads, which allow you to send large streams or files without reading them into memory.
To stream and upload, simply provide a file-like object for your body:
Warning: It is strongly recommended that you open files in binary mode. This is because Requests may attempt
to provide the Content-Length header for you, and if it does this value will be set to the number of bytes in
the file. Errors may occur if you open the file in text mode.
Requests also supports Chunked transfer encoding for outgoing and incoming requests. To send a chunk-encoded
request, simply provide a generator (or any iterator without a length) for your body:
def gen():
yield 'hi'
yield 'there'
requests.post('http://some.url/chunked', data=gen())
For chunked encoded responses, it’s best to iterate over the data using Response.iter_content(). In an ideal
situation you’ll have set stream=True on the request, in which case you can iterate chunk-by-chunk by calling
iter_content with a chunk_size parameter of None. If you want to set a maximum size of the chunk, you can
set a chunk_size parameter to any integer.
You can send multiple files in one request. For example, suppose you want to upload image files to an HTML form
with a multiple file field ‘images’:
<input type="file" name="images" multiple="true" required="true"/>
Warning: It is strongly recommended that you open files in binary mode. This is because Requests may attempt
to provide the Content-Length header for you, and if it does this value will be set to the number of bytes in
the file. Errors may occur if you open the file in text mode.
Requests has a hook system that you can use to manipulate portions of the request process, or signal event handling.
Available hooks:
hooks={'response': print_url}
You can add multiple hooks to a single request. Let’s call two hooks at once:
>>> r.hook_called
True
You can also add hooks to a Session instance. Any hooks you add will then be called on every request made to the
session. For example:
>>> s = requests.Session()
>>> s.hooks['response'].append(print_url)
>>> s.get('https://httpbin.org/')
https://httpbin.org/
<Response [200]>
A Session can have multiple hooks, which will be called in the order they are added.
class PizzaAuth(AuthBase):
"""Attaches HTTP Pizza Authentication to the given Request object."""
def __init__(self, username):
# setup any auth-related data here
self.username = username
With Response.iter_lines() you can easily iterate over streaming APIs such as the Twitter Streaming API.
Simply set stream to True and iterate over the response with iter_lines:
import json
import requests
r = requests.get('https://httpbin.org/stream/20', stream=True)
if r.encoding is None:
r.encoding = 'utf-8'
Warning: iter_lines is not reentrant safe. Calling this method multiple times causes some of the received
data being lost. In case you need to call it from multiple places, use the resulting iterator object instead:
lines = r.iter_lines()
# Save the first line for later or just skip it
first_line = next(lines)
3.4.15 Proxies
If you need to use a proxy, you can configure individual requests with the proxies argument to any request method:
import requests
proxies = {
'http': 'http://10.10.1.10:3128',
'https': 'http://10.10.1.10:1080',
}
requests.get('http://example.org', proxies=proxies)
You can also configure proxies by setting the environment variables HTTP_PROXY and HTTPS_PROXY.
$ export HTTP_PROXY="http://10.10.1.10:3128"
$ export HTTPS_PROXY="http://10.10.1.10:1080"
$ python
>>> import requests
>>> requests.get('http://example.org')
To use HTTP Basic Auth with your proxy, use the http://user:password@host/ syntax:
To give a proxy for a specific scheme and host, use the scheme://hostname form for the key. This will match for any
request to the given scheme and exact hostname.
SOCKS
Once you’ve installed those dependencies, using a SOCKS proxy is just as easy as using a HTTP one:
proxies = {
'http': 'socks5://user:pass@host:port',
'https': 'socks5://user:pass@host:port'
}
Using the scheme socks5 causes the DNS resolution to happen on the client, rather than on the proxy server. This
is in line with curl, which uses the scheme to decide whether to do the DNS resolution on the client or proxy. If you
want to resolve the domains on the proxy server, use socks5h as the scheme.
3.4.16 Compliance
Requests is intended to be compliant with all relevant specifications and RFCs where that compliance will not cause
difficulties for users. This attention to the specification can lead to some behaviour that may seem unusual to those not
familiar with the relevant specification.
Encodings
When you receive a response, Requests makes a guess at the encoding to use for decoding the response when you
access the Response.text attribute. Requests will first check for an encoding in the HTTP header, and if none is
present, will use chardet to attempt to guess the encoding.
The only time Requests will not do this is if no explicit charset is present in the HTTP headers and the
Content-Type header contains text. In this situation, RFC 2616 specifies that the default charset must be
ISO-8859-1. Requests follows the specification in this case. If you require a different encoding, you can man-
ually set the Response.encoding property, or use the raw Response.content.
Requests provides access to almost the full range of HTTP verbs: GET, OPTIONS, HEAD, POST, PUT, PATCH and
DELETE. The following provides detailed examples of using these various verbs in Requests, using the GitHub API.
We will begin with the verb most commonly used: GET. HTTP GET is an idempotent method that returns a resource
from a given URL. As a result, it is the verb you ought to use when attempting to retrieve data from a web location.
An example usage would be attempting to get information about a specific commit from GitHub. Suppose we wanted
commit a050faf on Requests. We would get it like so:
>>> import requests
>>> r = requests.get('https://api.github.com/repos/requests/requests/git/commits/
˓→a050faf084662f3a352dd1a941f2c7c9f886d4ad')
We should confirm that GitHub responded correctly. If it has, we want to work out what type of content it is. Do this
like so:
>>> if r.status_code == requests.codes.ok:
... print(r.headers['content-type'])
...
application/json; charset=utf-8
So, GitHub returns JSON. That’s great, we can use the r.json method to parse it into Python objects.
>>> commit_data = r.json()
>>> print(commit_data.keys())
[u'committer', u'author', u'url', u'tree', u'sha', u'parents', u'message']
>>> print(commit_data[u'committer'])
{u'date': u'2012-05-10T11:10:50-07:00', u'email': u'[email protected]', u'name': u
˓→'Kenneth Reitz'}
>>> print(commit_data[u'message'])
makin' history
So far, so simple. Well, let’s investigate the GitHub API a little bit. Now, we could look at the documentation, but we
might have a little more fun if we use Requests instead. We can take advantage of the Requests OPTIONS verb to see
what kinds of HTTP methods are supported on the url we just used.
Uh, what? That’s unhelpful! Turns out GitHub, like many API providers, don’t actually implement the OPTIONS
method. This is an annoying oversight, but it’s OK, we can just use the boring documentation. If GitHub had correctly
implemented OPTIONS, however, they should return the allowed methods in the headers, e.g.
>>> verbs = requests.options('http://a-good-website.com/api/cats')
>>> print(verbs.headers['allow'])
GET,HEAD,POST,OPTIONS
Turning to the documentation, we see that the only other method allowed for commits is POST, which creates a new
commit. As we’re using the Requests repo, we should probably avoid making ham-handed POSTS to it. Instead, let’s
play with the Issues feature of GitHub.
This documentation was added in response to Issue #482. Given that this issue already exists, we will use it as an
example. Let’s start by getting it.
>>> r = requests.get('https://api.github.com/repos/requests/requests/issues/482')
>>> r.status_code
200
>>> print(issue[u'title'])
Feature any http verb in docs
>>> print(issue[u'comments'])
3
Cool, we have three comments. Let’s take a look at the last of them.
>>> r = requests.get(r.url + u'/comments')
>>> r.status_code
200
>>> print(comments[0].keys())
[u'body', u'url', u'created_at', u'updated_at', u'user', u'id']
>>> print(comments[2][u'body'])
Probably in the "advanced" section
Well, that seems like a silly place. Let’s post a comment telling the poster that he’s silly. Who is the poster, anyway?
>>> print(comments[2][u'user'][u'login'])
kennethreitz
OK, so let’s tell this Kenneth guy that we think this example should go in the quickstart guide instead. According to
the GitHub API doc, the way to do this is to POST to the thread. Let’s do it.
>>> body = json.dumps({u"body": u"Sounds great! I'll get right on it!"})
>>> url = u"https://api.github.com/repos/requests/requests/issues/482/comments"
Huh, that’s weird. We probably need to authenticate. That’ll be a pain, right? Wrong. Requests makes it easy to use
many forms of authentication, including the very common Basic Auth.
Brilliant. Oh, wait, no! I meant to add that it would take me a while, because I had to go feed my cat. If only I could
edit this comment! Happily, GitHub allows us to use another HTTP verb, PATCH, to edit this comment. Let’s do that.
>>> print(content[u"id"])
5804413
>>> body = json.dumps({u"body": u"Sounds great! I'll get right on it once I feed my
˓→cat."})
Excellent. Now, just to torture this Kenneth guy, I’ve decided to let him sweat and not tell him that I’m working on
this. That means I want to delete this comment. GitHub lets us delete comments using the incredibly aptly named
DELETE method. Let’s get rid of it.
Excellent. All gone. The last thing I want to know is how much of my ratelimit I’ve used. Let’s find out. GitHub sends
that information in the headers, so rather than download the whole page I’ll send a HEAD request to get the headers.
Excellent. Time to write a Python program that abuses the GitHub API in all kinds of exciting ways, 4995 more times.
From time to time you may be working with a server that, for whatever reason, allows use or even requires use of
HTTP verbs not covered above. One example of this would be the MKCOL method some WEBDAV servers use. Do
not fret, these can still be used with Requests. These make use of the built-in .request method. For example:
Utilising this, you can make use of any method verb that your server allows.
Many HTTP APIs feature Link headers. They make APIs more self describing and discoverable.
GitHub uses these for pagination in their API, for example:
Requests will automatically parse these link headers and make them easily consumable:
>>> r.links["next"]
{'url': 'https://api.github.com/users/kennethreitz/repos?page=2&per_page=10', 'rel':
˓→'next'}
>>> r.links["last"]
{'url': 'https://api.github.com/users/kennethreitz/repos?page=7&per_page=10', 'rel':
˓→'last'}
As of v1.0.0, Requests has moved to a modular internal design. Part of the reason this was done was to implement
Transport Adapters, originally described here. Transport Adapters provide a mechanism to define interaction methods
for an HTTP service. In particular, they allow you to apply per-service configuration.
Requests ships with a single Transport Adapter, the HTTPAdapter. This adapter provides the default Requests
interaction with HTTP and HTTPS using the powerful urllib3 library. Whenever a Requests Session is initialized,
one of these is attached to the Session object for HTTP, and one for HTTPS.
Requests enables users to create and use their own Transport Adapters that provide specific functionality. Once created,
a Transport Adapter can be mounted to a Session object, along with an indication of which web services it should apply
to.
>>> s = requests.Session()
>>> s.mount('https://github.com/', MyAdapter())
The mount call registers a specific instance of a Transport Adapter to a prefix. Once mounted, any HTTP request made
using that session whose URL starts with the given prefix will use the given Transport Adapter.
Many of the details of implementing a Transport Adapter are beyond the scope of this documentation, but take a look
at the next example for a simple SSL use- case. For more than that, you might look at subclassing the BaseAdapter.
The Requests team has made a specific choice to use whatever SSL version is default in the underlying library (urllib3).
Normally this is fine, but from time to time, you might find yourself needing to connect to a service-endpoint that uses
a version that isn’t compatible with the default.
You can use Transport Adapters for this by taking most of the existing implementation of HTTPAdapter, and adding a
parameter ssl_version that gets passed-through to urllib3. We’ll make a Transport Adapter that instructs the library to
use SSLv3:
import ssl
from urllib3.poolmanager import PoolManager
class Ssl3HttpAdapter(HTTPAdapter):
""""Transport adapter" that allows us to use SSLv3."""
With the default Transport Adapter in place, Requests does not provide any kind of non-blocking IO. The Response.
content property will block until the entire response has been downloaded. If you require more granularity, the
streaming features of the library (see Streaming Requests) allow you to retrieve smaller quantities of the response at a
time. However, these calls will still block.
If you are concerned about the use of blocking IO, there are lots of projects out there that combine Requests with one
of Python’s asynchronicity frameworks. Some excellent examples are requests-threads, grequests, requests-futures,
and requests-async.
In unusual circumstances you may want to provide headers in an ordered manner. If you pass an OrderedDict
to the headers keyword argument, that will provide the headers with an ordering. However, the ordering of the
default headers used by Requests will be preferred, which means that if you override default headers in the headers
keyword argument, they may appear out of order compared to other headers in that keyword argument.
If this is problematic, users should consider setting the default headers on a Session object, by setting Session to
a custom OrderedDict. That ordering will always be preferred.
3.4.23 Timeouts
Most requests to external servers should have a timeout attached, in case the server is not responding in a timely
manner. By default, requests do not time out unless a timeout value is set explicitly. Without a timeout, your code may
hang for minutes or more.
The connect timeout is the number of seconds Requests will wait for your client to establish a connection to a remote
machine (corresponding to the connect()) call on the socket. It’s a good practice to set connect timeouts to slightly
larger than a multiple of 3, which is the default TCP packet retransmission window.
Once your client has connected to the server and sent the HTTP request, the read timeout is the number of seconds
the client will wait for the server to send a response. (Specifically, it’s the number of seconds that the client will wait
between bytes sent from the server. In 99.9% of cases, this is the time before the server sends the first byte).
If you specify a single value for the timeout, like this:
r = requests.get('https://github.com', timeout=5)
The timeout value will be applied to both the connect and the read timeouts. Specify a tuple if you would like to
set the values separately:
If the remote server is very slow, you can tell Requests to wait forever for a response, by passing None as a timeout
value and then retrieving a cup of coffee.
r = requests.get('https://github.com', timeout=None)
3.5 Authentication
3.5. Authentication 35
Requests Documentation, Release 2.22.0
Many web services that require authentication accept HTTP Basic Auth. This is the simplest kind, and Requests
supports it straight out of the box.
Making requests with HTTP Basic Auth is very simple:
In fact, HTTP Basic Auth is so common that Requests provides a handy shorthand for using it:
Providing the credentials in a tuple like this is exactly the same as the HTTPBasicAuth example above.
netrc Authentication
If no authentication method is given with the auth argument, Requests will attempt to get the authentication creden-
tials for the URL’s hostname from the user’s netrc file. The netrc file overrides raw HTTP authentication headers set
with headers=.
If credentials for the hostname are found, the request is sent with HTTP Basic Auth.
Another very popular form of HTTP Authentication is Digest Authentication, and Requests supports this out of the
box as well:
A common form of authentication for several web APIs is OAuth. The requests-oauthlib library allows Re-
quests users to easily make OAuth 1 authenticated requests:
For more information on how to OAuth flow works, please see the official OAuth website. For examples and docu-
mentation on requests-oauthlib, please see the requests_oauthlib repository on GitHub
The requests-oauthlib library also handles OAuth 2, the authentication mechanism underpinning OpenID Con-
nect. See the requests-oauthlib OAuth2 documentation for details of the various OAuth 2 credential management
flows:
• Web Application Flow
• Mobile Application Flow
• Legacy Application Flow
• Backend Application Flow
Requests is designed to allow other forms of authentication to be easily and quickly plugged in. Members of the
open-source community frequently write authentication handlers for more complicated or less commonly-used forms
of authentication. Some of the best have been brought together under the Requests organization, including:
• Kerberos
• NTLM
If you want to use any of these forms of authentication, go straight to their GitHub page and follow the instructions.
If you can’t find a good implementation of the form of authentication you want, you can implement it yourself.
Requests makes it easy to add your own forms of authentication.
To do so, subclass AuthBase and implement the __call__() method:
When an authentication handler is attached to a request, it is called during request setup. The __call__ method must
therefore do whatever is required to make the authentication work. Some forms of authentication will additionally add
hooks to provide further functionality.
Further examples can be found under the Requests organization and in the auth.py file.
3.5. Authentication 37
Requests Documentation, Release 2.22.0
This part of the documentation, which is mostly prose, details the Requests ecosystem and community.
tl;dr: Requests development is currently funded by the Python community, and some wonderful organizations that
utilize the software in their businesses.
Whether you’re just getting started or deploying a complex system, launching a Linode cloud server has never been
easier. They offer the fastest hardware and network in the industry with scalable environments, and their 24x7 customer
support team is always standing by to help with any questions.
This slot is reserved for ethical organizations willing to invest $10,000 or more in Requests per year.
39
Requests Documentation, Release 2.22.0
By becoming a patron–level sponsor, your organization will receive the following benefits:
• Prominent placement on the Requests documentation sidebar (~11,000 uniques / day).
• Honorable mention here, with logo.
• Peace of mind knowing that the infrastructure you rely on is being actively maintained.
Organizations that sign up will be listed in order — first come first serve!
Slack was extremely kind to be the first organization to generously donate a large sum towards the 2018 Requests
3.0 fundraiser, surpassing our entire fundraising goal immediately! They are helping the world become a better place
through connectiveness, and reducing the amount of email we all have to deal with on a daily basis.
P.S. They’re hiring!
Twilio was the second organization to generously donate a large sum towards the 2018 Requests 3.0 fundraiser, match-
ing the donation of Slack! They are helping the world become a better place through interconnectivity, providing
easy–to–use APIs, and empowering developers world-over to help humans communicate in meaningful and effective
ways.
Azure was the third organization to generously donate a large sum towards the 2018 Requests 3.0 fundraiser, matching
the donation of Twilio! Awesome group of generous folks :)
Niteo was the fourth company to generously donate towards the 2018 Requests 3.0 fundraiser. Niteo is a company
employing tech enthusiasts from all over the world who love to build great stuff.
Heroku
Heroku has allowed Kenneth Reitz to work on some open source projects during work hours, including Requests (but
mostly Pipenv), from time–to–time, so they are listed here as an honorable mention.
If your organization is interested in becoming either a sponsor or a patron, please send us an email.
Countless individuals, too many to list here, have individually contributed towards the sustainability of the Requests
project over the years. Some, financially, others, with code. Contributions (from humans) of all kinds are greatly
appreciated.
Requests has a great variety of powerful and useful third-party extensions. This page provides an overview of some of
the best of them.
Certifi is a carefully curated collection of Root Certificates for validating the trustworthiness of SSL certificates while
verifying the identity of TLS hosts. It has been extracted from the Requests project.
4.2.2 CacheControl
CacheControl is an extension that adds a full HTTP cache to Requests. This makes your web requests substantially
more efficient, and should be used whenever you’re making a lot of web requests.
4.2.3 Requests-Toolbelt
Requests-Toolbelt is a collection of utilities that some users of Requests may desire, but do not belong in Requests
proper. This library is actively maintained by members of the Requests core team, and reflects the functionality most
requested by users within the community.
4.2.4 Requests-Threads
Requests-Threads is a Requests session that returns the amazing Twisted’s awaitable Deferreds instead of Response
objects. This allows the use of async/await keyword usage on Python 3, or Twisted’s style of programming, if
desired.
4.2.5 Requests-OAuthlib
requests-oauthlib makes it possible to do the OAuth dance from Requests automatically. This is useful for the large
number of websites that use OAuth to provide authentication. It also provides a lot of tweaks that handle ways that
specific OAuth providers differ from the standard specifications.
4.2.6 Betamax
Betamax records your HTTP interactions so the NSA does not have to. A VCR imitation designed only for Python-
Requests.
Requests automatically decompresses gzip-encoded responses, and does its best to decode response content to unicode
when possible.
You can get direct access to the raw response (and even the socket), if needed as well.
Requests allows you to easily override User-Agent strings, along with any other HTTP Header.
These errors occur when SSL certificate verification fails to match the certificate the server responds with to the
hostname Requests thinks it’s contacting. If you’re certain the server’s SSL setup is correct (for example, because
you can visit the site with your browser) and you’re using Python 2.7, a possible explanation is that you need Server-
Name-Indication.
Server-Name-Indication, or SNI, is an official extension to SSL where the client tells the server what hostname it is
contacting. This is important when servers are using Virtual Hosting. When such servers are hosting more than one
SSL site they need to be able to return the appropriate certificate based on the hostname the client is connecting to.
Python3 and Python 2.7.9+ include native support for SNI in their SSL modules. For information on using SNI with
Requests on Python < 2.7.9 refer to this Stack Overflow answer.
4.4 Integrations
import requests
• Python for the Web teaches how to use Python to interact with the web, using Requests.
• Daniel Greenfeld’s Review of Requests
• My ‘Python for Humans’ talk ( audio )
• Issac Kelly’s ‘Consuming Web APIs’ talk
• Blog post about Requests via Yum
4.6 Support
If you have questions or issues about Requests, there are several options:
If your question does not contain sensitive (possibly proprietary) information or can be properly anonymized, please
ask a question on Stack Overflow and use the tag python-requests.
If your question is less than 280 characters, feel free to send a tweet to @kennethreitz, @sigmavirus24, @lukasaoz, or
@nateprewitt.
If you notice some unexpected behaviour in Requests, or want to see support for a new feature, file an issue on GitHub.
4.6. Support 45
Requests Documentation, Release 2.22.0
4.6.4 E-mail
I’m more than happy to answer any personal or in-depth questions about Requests. Feel free to email re-
[email protected].
4.6.5 IRC
If you think you have found a potential security vulnerability in requests, please email sigmavirus24 and Nate directly.
Do not file a public issue.
Our PGP Key fingerprints are:
• 0161 BB7E B208 B5E0 4FDC 9F81 D9DA 0A04 9113 F853 (@sigmavirus24)
• 8722 7E29 AD9C FF5C FAC3 EA6A 44D3 FF97 B80D C864 (@nateprewitt)
If English is not your first language, please try to describe the problem and its impact to the best of your ability. For
greater detail, please use your native language and we will try our best to translate it using online services.
Please also include the code you used to find the problem and the shortest amount of code necessary to reproduce it.
Please do not disclose this to anyone else. We will retrieve a CVE identifier if necessary and give you full credit under
whatever name or alias you provide. We will only request an identifier when we have a fix and can publish it in a
release.
We will respect your privacy and will only publicize your involvement if you grant us permission.
4.7.1 Process
This following information discusses the process the requests project follows in response to vulnerability disclosures.
If you are disclosing a vulnerability, this section of the documentation lets you know how we will respond to your
disclosure.
Timeline
When you report an issue, one of the project members will respond to you within two days at the outside. In most
cases responses will be faster, usually within 12 hours. This initial response will at the very least confirm receipt of
the report.
If we were able to rapidly reproduce the issue, the initial response will also contain confirmation of the issue. If we
are not, we will often ask for more information about the reproduction scenario.
Our goal is to have a fix for any vulnerability released within two weeks of the initial disclosure. This may potentially
involve shipping an interim release that simply disables function while a more mature fix can be prepared, but will in
the vast majority of cases mean shipping a complete release as soon as possible.
Throughout the fix process we will keep you up to speed with how the fix is progressing. Once the fix is prepared, we
will notify you that we believe we have a fix. Often we will ask you to confirm the fix resolves the problem in your
environment, especially if we are not confident of our reproduction scenario.
At this point, we will prepare for the release. We will obtain a CVE number if one is required, providing you with full
credit for the discovery. We will also decide on a planned release date, and let you know when it is. This release date
will always be on a weekday.
At this point we will reach out to our major downstream packagers to notify them of an impending security-related
patch so they can make arrangements. In addition, these packagers will be provided with the intended patch ahead
of time, to ensure that they are able to promptly release their downstream packages. Currently the list of people we
actively contact ahead of a public release is:
• Jeremy Cline, Red Hat (@jeremycline)
• Daniele Tricoli, Debian (@eriol)
We will notify these individuals at least a week ahead of our planned release date to ensure that they have sufficient
time to prepare. If you believe you should be on this list, please let one of the maintainers know at one of the email
addresses at the top of this article.
On release day, we will push the patch to our public repository, along with an updated changelog that describes the
issue and credits you. We will then issue a PyPI release containing the patch.
At this point, we will publicise the release. This will involve mails to mailing lists, Tweets, and all other communica-
tion mechanisms available to the core team.
We will also explicitly mention which commits contain the fix to make it easier for other distributors and users to
easily patch their own versions of requests if upgrading is not an option.
If you’d like to stay up to date on the community and development of Requests, there are several options:
4.8.1 GitHub
The best way to track the development of Requests is through the GitHub repo.
4.8.2 Twitter
The author, Kenneth Reitz, often tweets about new features and releases of Requests.
Follow @kennethreitz for updates.
4.10.1 dev
Bugfixes
• [Short description of non-trivial change.]
Dependencies
• Requests now supports urllib3 v1.25.2. (note: 1.25.0 and 1.25.1 are incompatible)
Deprecations
• Requests has officially stopped support for Python 3.4.
Dependencies
• Requests now supports idna v2.8.
Bugfixes
• Fixed bug with unintended Authorization header stripping for redirects using default ports (http/80, https/443).
Bugfixes
• Content-Type header parsing is now case-insensitive (e.g. charset=utf8 v Charset=utf8).
• Fixed exception leak where certain redirect urls would raise uncaught urllib3 exceptions.
• Requests removes Authorization header from requests redirected from https to http on the same hostname.
(CVE-2018-18074)
• should_bypass_proxies now handles URIs without hostnames (e.g. files).
Dependencies
• Requests now supports urllib3 v1.24.
Deprecations
• Requests has officially stopped support for Python 2.6.
Bugfixes
• Fixed issue where status_codes.py’s init function failed trying to append to a __doc__ value of None.
Improvements
• Warn user about possible slowdown when using cryptography version < 1.3.4
• Check for invalid host in proxy URL, before forwarding request to adapter.
• Fragments are now properly maintained across redirects. (RFC7231 7.1.2)
• Removed use of cgi module to expedite library load time.
• Added support for SHA-256 and SHA-512 digest auth algorithms.
• Minor performance improvement to Request.content.
• Migrate to using collections.abc for 3.7 compatibility.
Bugfixes
• Parsing empty Link headers with parse_header_links() no longer return one bogus entry.
• Fixed issue where loading the default certificate bundle from a zip archive would raise an IOError.
• Fixed issue with unexpected ImportError on windows system which do not support winreg module.
• DNS resolution in proxy bypass no longer includes the username and password in the request. This also fixes
the issue of DNS queries failing on macOS.
• Properly normalize adapter prefixes for url comparison.
• Passing None as a file pointer to the files param no longer raises an exception.
• Calling copy on a RequestsCookieJar will now preserve the cookie policy correctly.
Dependencies
• We now support idna v2.7.
• We now support urllib3 v1.23.
Improvements
• Error messages for invalid headers now include the header name for easier debugging
Dependencies
• We now support idna v2.6.
Improvements
• Running $ python -m requests.help now includes the installed version of idna.
Bugfixes
• Fixed issue where Requests would raise ConnectionError instead of SSLError when encountering SSL problems
when using urllib3 v1.22.
Bugfixes
• requests.help no longer fails on Python 2.6 due to the absence of ssl.OPENSSL_VERSION_NUMBER.
Dependencies
• We now support urllib3 v1.22.
Bugfixes
• Fix an error in the packaging whereby the *.whl contained incorrect data that regressed the fix in v2.17.3.
Improvements
• Response is now a context manager, so can be used directly in a with statement without first having to be wrapped
by contextlib.closing().
Bugfixes
• Resolve installation failure if multiprocessing is not available
• Resolve tests crash if multiprocessing is not able to determine the number of CPU cores
• Resolve error swallowing in utils set_environ generator
Improvements
• Improved packages namespace identity support, for monkeypatching libraries.
Improvements
• Improved packages namespace identity support, for monkeypatching libraries.
Improvements
• Improved packages namespace identity support, for monkeypatching libraries.
Improvements
• Removal of the 301 redirect cache. This improves thread-safety.
Improvements
• Introduction of the Response.next property, for getting the next PreparedResponse from a redirect chain (when
allow_redirects=False).
• Internal refactoring of __version__ module.
Bugfixes
• Restored once-optional parameter for requests.utils.get_environ_proxies().
Bugfixes
• Changed a less-than to an equal-to and an or in the dependency markers to widen compatibility with older
setuptools releases.
Bugfixes
• Changed the dependency markers to widen compatibility with older pip releases.
Improvements
• It is now possible to pass no_proxy as a key to the proxies dictionary to provide handling similar to the
NO_PROXY environment variable.
• When users provide invalid paths to certificate bundle files or directories Requests now raises IOError, rather
than failing at the time of the HTTPS request with a fairly inscrutable certificate validation error.
• The behavior of SessionRedirectMixin was slightly altered. resolve_redirects will now detect a redi-
rect by calling get_redirect_target(response) instead of directly querying Response.is_redirect and Re-
sponse.headers[‘location’]. Advanced users will be able to process malformed redirects more easily.
• Changed the internal calculation of elapsed request time to have higher resolution on Windows.
• Added win_inet_pton as conditional dependency for the [socks] extra on Windows with Python 2.7.
• Changed the proxy bypass implementation on Windows: the proxy bypass check doesn’t use forward and reverse
DNS requests anymore
• URLs with schemes that begin with http but are not http or https no longer have their host parts forced to
lowercase.
Bugfixes
• Much improved handling of non-ASCII Location header values in redirects. Fewer UnicodeDecodeErrors are
encountered on Python 2, and Python 3 now correctly understands that Latin-1 is unlikely to be the correct
encoding.
• If an attempt to seek file to find out its length fails, we now appropriately handle that by aborting our content-
length calculations.
• Restricted HTTPDigestAuth to only respond to auth challenges made on 4XX responses, rather than to all auth
challenges.
• Fixed some code that was firing DeprecationWarning on Python 3.6.
• The dismayed person emoticon (/o\) no longer has a big head. I’m sure this is what you were all worrying about
most.
Miscellaneous
• Updated bundled urllib3 to v1.21.1.
• Updated bundled chardet to v3.0.2.
• Updated bundled idna to v2.5.
• Updated bundled certifi to 2017.4.17.
Features
• Only load the idna library when we’ve determined we need it. This will save some memory for users.
Miscellaneous
• Updated bundled urllib3 to 1.20.
• Updated bundled idna to 2.2.
Bugfixes
• Fixed an issue with JSON encoding detection, specifically detecting big-endian UTF-32 with BOM.
Bugfixes
• Fixed regression from 2.12.2 where non-string types were rejected in the basic auth parameters. While support
for this behaviour has been readded, the behaviour is deprecated and will be removed in the future.
Bugfixes
• Fixed regression from v2.12.1 for URLs with schemes that begin with “http”. These URLs have historically been
processed as though they were HTTP-schemed URLs, and so have had parameters added. This was removed
in v2.12.2 in an overzealous attempt to resolve problems with IDNA-encoding those URLs. This change was
reverted: the other fixes for IDNA-encoding have been judged to be sufficient to return to the behaviour Requests
had before v2.12.0.
Bugfixes
• Fixed several issues with IDNA-encoding URLs that are technically invalid but which are widely accepted.
Requests will now attempt to IDNA-encode a URL if it can but, if it fails, and the host contains only ASCII
characters, it will be passed through optimistically. This will allow users to opt-in to using IDNA2003 them-
selves if they want to, and will also allow technically invalid but still common hostnames.
• Fixed an issue where URLs with leading whitespace would raise InvalidSchema errors.
• Fixed an issue where some URLs without the HTTP or HTTPS schemes would still have HTTP URL preparation
applied to them.
• Fixed an issue where Unicode strings could not be used in basic auth.
• Fixed an issue encountered by some Requests plugins where constructing a Response object would cause Re-
sponse.content to raise an AttributeError.
Bugfixes
• Updated setuptools ‘security’ extra for the new PyOpenSSL backend in urllib3.
Miscellaneous
• Updated bundled urllib3 to 1.19.1.
Improvements
• Updated support for internationalized domain names from IDNA2003 to IDNA2008. This updated support is
required for several forms of IDNs and is mandatory for .de domains.
• Much improved heuristics for guessing content lengths: Requests will no longer read an entire StringIO into
memory.
• Much improved logic for recalculating Content-Length headers for PreparedRequest objects.
• Improved tolerance for file-like objects that have no tell method but do have a seek method.
• Anything that is a subclass of Mapping is now treated like a dictionary by the data= keyword argument.
• Requests now tolerates empty passwords in proxy credentials, rather than stripping the credentials.
• If a request is made with a file-like object as the body and that request is redirected with a 307 or 308 status
code, Requests will now attempt to rewind the body object so it can be replayed.
Bugfixes
• When calling response.close, the call to close will be propagated through to non-urllib3 backends.
• Fixed issue where the ALL_PROXY environment variable would be preferred over scheme-specific variables
like HTTP_PROXY.
• Fixed issue where non-UTF8 reason phrases got severely mangled by falling back to decoding using ISO 8859-1
instead.
• Fixed a bug where Requests would not correctly correlate cookies set when using custom Host headers if those
Host headers did not use the native string type for the platform.
Miscellaneous
• Updated bundled urllib3 to 1.19.
• Updated bundled certifi certs to 2016.09.26.
Bugfixes
• Fixed a bug when using iter_content with decode_unicode=True for streamed bodies would raise AttributeError.
This bug was introduced in 2.11.
• Strip Content-Type and Transfer-Encoding headers from the header block when following a redirect that trans-
forms the verb from POST/PUT to GET.
Improvements
• Added support for the ALL_PROXY environment variable.
• Reject header values that contain leading whitespace or newline characters to reduce risk of header smuggling.
Bugfixes
• Fixed occasional TypeError when attempting to decode a JSON response that occurred in an error case. Now
correctly returns a ValueError.
• Requests would incorrectly ignore a non-CIDR IP address in the NO_PROXY environment variables: Requests
now treats it as a specific IP.
• Fixed a bug when sending JSON data that could cause us to encounter obscure OpenSSL errors in certain
network conditions (yes, really).
• Added type checks to ensure that iter_content only accepts integers and None for chunk sizes.
• Fixed issue where responses whose body had not been fully consumed would have the underlying connection
closed but not returned to the connection pool, which could cause Requests to hang in situations where the
HTTPAdapter had been configured to use a blocking connection pool.
Miscellaneous
• Updated bundled urllib3 to 1.16.
• Some previous releases accidentally accepted non-strings as acceptable header values. This release does not.
New Features
• SOCKS Proxy Support! (requires PySocks; $ pip install requests[socks])
Miscellaneous
• Updated bundled urllib3 to 1.15.1.
Improvements
• Change built-in CaseInsensitiveDict (used for headers) to use OrderedDict as its underlying datastore.
Bugfixes
• Don’t use redirect_cache if allow_redirects=False
• When passed objects that throw exceptions from tell(), send them via chunked transfer encoding instead of
failing.
• Raise a ProxyError for proxy related connection issues.
Bugfixes
• Resolve regression introduced in 2.9.0 that made it impossible to send binary strings as bodies in Python 3.
• Fixed errors when calculating cookie expiration dates in certain locales.
Miscellaneous
• Updated bundled urllib3 to 1.13.1.
Bugfixes
• Update certificate bundle to match certifi 2015.9.6.2’s weak certificate bundle.
• Fix a bug in 2.8.0 where requests would raise ConnectTimeout instead of ConnectionError
• When using the PreparedRequest flow, requests will now correctly respect the json parameter. Broken in 2.8.0.
• When using the PreparedRequest flow, requests will now correctly handle a Unicode-string method name on
Python 2. Broken in 2.8.0.
This is the first release that follows our new release process. For more, see [our documentation](http://docs.
python-requests.org/en/latest/community/release-process/).
Bugfixes
• Updated urllib3 to 1.10.4, resolving several bugs involving chunked transfer encoding and response framing.
Bugfixes
• Fix regression where compressed data that was sent as chunked data was not properly decompressed. (#2561)
Bugfixes
• Remove VendorAlias import machinery introduced in v2.5.2.
• Simplify the PreparedRequest.prepare API: We no longer require the user to pass an empty list to the hooks
keyword argument. (c.f. #2552)
• Resolve redirects now receives and forwards all of the original arguments to the adapter. (#2503)
• Handle UnicodeDecodeErrors when trying to deal with a unicode URL that cannot be encoded in ASCII.
(#2540)
• Populate the parsed path of the URI field when performing Digest Authentication. (#2426)
• Copy a PreparedRequest’s CookieJar more reliably when it is not an instance of RequestsCookieJar. (#2527)
Bugfixes
• CVE-2015-2296: Fix handling of cookies on redirect. Previously a cookie without a host value set would use
the hostname for the redirected URL exposing requests users to session fixation attacks and potentially cookie
stealing. This was disclosed privately by Matthew Daley of [BugFuzz](https://bugfuzz.com). This affects all
versions of requests from v2.1.0 to v2.5.3 (inclusive on both ends).
• Fix error when requests is an install_requires dependency and python setup.py test is run. (#2462)
• Fix error when urllib3 is unbundled and requests continues to use the vendored import location.
• Include fixes to urllib3’s header handling.
• Requests’ handling of unvendored dependencies is now more restrictive.
Features and Improvements
• Support bytearrays when passed as parameters in the files argument. (#2468)
• Avoid data duplication when creating a request with str, bytes, or bytearray input to the files argument.
Bugfixes
• Revert changes to our vendored certificate bundle. For more context see (#2455, #2456, and <https://bugs.
python.org/issue23476>)
Behavioural Changes
• Only catch HTTPErrors in raise_for_status (#2382)
Bugfixes
• Handle LocationParseError from urllib3 (#2344)
• Handle file-like object filenames that are not strings (#2379)
• Unbreak HTTPDigestAuth handler. Allow new nonces to be negotiated (#2389)
Improvements
• Allow usage of urllib3’s Retry object with HTTPAdapters (#2216)
• The iter_lines method on a response now accepts a delimiter with which to split the content (#2295)
Behavioural Changes
• Add deprecation warnings to functions in requests.utils that will be removed in 3.0 (#2309)
• Sessions used by the functional API are always closed (#2326)
Bugfixes
• Unicode URL improvements for Python 2.
• Re-order JSON param for backwards compat.
• Automatically defrag authentication schemes from host/pass URIs. ([#2249](https://github.com/requests/
requests/issues/2249))
Improvements
• FINALLY! Add json parameter for uploads! ([#2258](https://github.com/requests/requests/pull/2258))
• Support for bytestring URLs on Python 3.x ([#2238](https://github.com/requests/requests/pull/2238))
Bugfixes
• Avoid getting stuck in a loop ([#2244](https://github.com/requests/requests/pull/2244))
• Multiple calls to iter* fail with unhelpful error. ([#2240](https://github.com/requests/requests/issues/2240),
[#2241](https://github.com/requests/requests/issues/2241))
Documentation
• Correct redirection introduction ([#2245](https://github.com/requests/requests/pull/2245/))
• Added example of how to send multiple files in one request. ([#2227](https://github.com/requests/requests/pull/
2227/))
• Clarify how to pass a custom set of CAs ([#2248](https://github.com/requests/requests/pull/2248/))
Behavioral Changes
• Connection: keep-alive header is now sent automatically.
Improvements
• Support for connect timeouts! Timeout now accepts a tuple (connect, read) which is used to set individual
connect and read timeouts.
• Allow copying of PreparedRequests without headers/cookies.
• Updated bundled urllib3 version.
• Refactored settings loading from environment – new Session.merge_environment_settings.
• Handle socket errors in iter_content.
API Changes
• New Response property is_redirect, which is true when the library could have processed this response as a
redirection (whether or not it actually did).
• The timeout parameter now affects requests with both stream=True and stream=False equally.
• The change in v2.0.0 to mandate explicit proxy schemes has been reverted. Proxy schemes now default to
http://.
• The CaseInsensitiveDict used for HTTP headers now behaves like a normal dictionary when references as string
or viewed in the interpreter.
Bugfixes
• No longer expose Authorization or Proxy-Authorization headers on redirect. Fix CVE-2014-1829 and CVE-
2014-1830 respectively.
• Authorization is re-evaluated each redirect.
• On redirect, pass url as native strings.
• Fall-back to autodetected encoding for JSON when Unicode detection fails.
• Headers set to None on the Session are now correctly not sent.
• Correctly honor decode_unicode even if it wasn’t used earlier in the same response.
• Stop advertising compress as a supported Content-Encoding.
• The Response.history parameter is now always a list.
• Many, many urllib3 bugfixes.
Bugfixes
• Fixes incorrect parsing of proxy credentials that contain a literal or encoded ‘#’ character.
• Assorted urllib3 fixes.
API Changes
• New exception: ContentDecodingError. Raised instead of urllib3 DecodeError exceptions.
Bugfixes
• Avoid many many exceptions from the buggy implementation of proxy_bypass on OS X in Python 2.6.
• Avoid crashing when attempting to get authentication credentials from ~/.netrc when running as a user without
a home directory.
• Use the correct pool size for pools of connections to proxies.
• Fix iteration of CookieJar objects.
• Ensure that cookies are persisted over redirect.
• Switch back to using chardet, since it has merged with charade.
• Actually added MD5-sess to Digest Auth instead of pretending to like last time.
• Updated internal urllib3.
• Fixed @Lukasa’s lack of taste.
• Updated included CA Bundle with new mistrusts and automated process for the future
• Added MD5-sess to Digest Auth
• Accept per-file headers in multipart file POST messages.
• Fixed: Don’t send the full URL on CONNECT messages.
• Fixed: Correctly lowercase a redirect scheme.
• Fixed: Cookies not persisted when set via functional API.
• Fixed: Translate urllib3 ProxyError into a requests ProxyError derived from ConnectionError.
• Updated internal urllib3 and chardet.
API Changes:
• Keys in the Headers dictionary are now native strings on all Python versions, i.e. bytestrings on Python 2,
unicode on Python 3.
• Proxy URLs now must have an explicit scheme. A MissingSchema exception will be raised if they don’t.
• Timeouts now apply to read time if Stream=False.
• RequestException is now a subclass of IOError, not RuntimeError.
• Added new method to PreparedRequest objects: PreparedRequest.copy().
• Added new method to Session objects: Session.update_request(). This method updates a Request object with
the data (e.g. cookies) stored on the Session.
• Added new method to Session objects: Session.prepare_request(). This method updates and prepares a Request
object, and returns the corresponding PreparedRequest object.
• Added new method to HTTPAdapter objects: HTTPAdapter.proxy_headers(). This should not be called directly,
but improves the subclass interface.
• httplib.IncompleteRead exceptions caused by incorrect chunked encoding will now raise a Requests Chunke-
dEncodingError instead.
• Invalid percent-escape sequences now cause a Requests InvalidURL exception to be raised.
• HTTP 208 no longer uses reason phrase “im_used”. Correctly uses “already_reported”.
• HTTP 226 reason added (“im_used”).
Bugfixes:
• Vastly improved proxy support, including the CONNECT verb. Special thanks to the many contributors who
worked towards this improvement.
• Cookies are now properly managed when 401 authentication responses are received.
• Chunked encoding fixes.
• 301 and 302 redirects now change the verb to GET for all verbs, not just POST, improving browser compatibility.
• Python 3.3.2 compatibility
• Always percent-encode location headers
• Fix connection adapter matching to be most-specific first
• new argument to the default connection adapter for passing a block argument
• prevent a KeyError when there’s no link headers
• CHUNKED REQUESTS
• Support for iterable response bodies
• Assume servers persist redirect params
• Allow explicit content types to be specified for file data
• Make merge_kwargs case-insensitive when looking up keys
• Packaging fix
• GSSAPI/Kerberos authentication!
• App Engine 2.7 Fixes!
• Fix leaking connections (from urllib3 update)
• OAuthlib path hack fix
• OAuthlib URL parameters fix.
• POST redirects now break RFC to do what browsers do: Follow up with a GET.
• New strict_mode configuration to disable new redirect behavior.
• encode_uri = False
• Honor netrc.
• PYTHON 3 SUPPORT!
• Dropped 2.5 Support. (Backwards Incompatible)
• Packaging fix.
• Response.iter_lines!
• Prefetch bugfix.
• Added license to installed version.
• Keep-alive support!
• Complete removal of Urllib2
• Complete removal of Poster
• Complete removal of CookieJars
• New ConnectionError raising
• Safe_mode for error catching
• prefetch parameter for request methods
• OPTION method
• Async pool size throttling
• File uploads send real names
• Vendored in urllib3
• PATCH Fix.
• PATCH Support
• Support for Proxies
• HTTPBin Test Suite
• Redirect Fixes
• settings.verbose stream writing
• Querystrings for all methods
• URLErrors (Connection Refused, Timeout, Invalid URLs) are treated as explicitly raised
r.requests.get(‘hwe://blah’); r.raise_for_status()
• Request timeouts
• Unicode url-encoded data
• Settings context manager and module
• Cookie Changes
• Response.read()
• Poster fix
• Added file attribute to POST and PUT requests for multipart-encode file uploads.
• Added Request.url attribute for context and redirects
• Birth!
• Frustration
• Conception
A major release will include breaking changes. When it is versioned, it will be versioned as vX.0.0. For example, if
the previous release was v10.2.7 the next version will be v11.0.0.
Breaking changes are changes that break backwards compatibility with prior versions. If the project were to change
the text attribute on a Response object to a method, that would only happen in a Major release.
Major releases may also include miscellaneous bug fixes. The core developers of Requests are committed to providing
a good user experience. This means we’re also committed to preserving backwards compatibility as much as possible.
Major releases will be infrequent and will need strong justifications before they are considered.
A minor release will not include breaking changes but may include miscellaneous bug fixes. If the previous version of
Requests released was v10.2.7 a minor release would be versioned as v10.3.0.
Minor releases will be backwards compatible with releases that have the same major version number. In other words,
all versions that would start with v10. should be compatible with each other.
A hotfix release will only include bug fixes that were missed when the project released the previous version. If the
previous version of Requests released v10.2.7 the hotfix release would be versioned as v10.2.8.
Hotfixes will not include upgrades to vendored dependencies after v2.6.2
4.11.4 Reasoning
In the 2.5 and 2.6 release series, the Requests core team upgraded vendored dependencies and caused a great deal
of headaches for both users and the core team. To reduce this pain, we’re forming a concrete set of procedures so
expectations will be properly set.
If you are looking for information on a specific function, class, or method, this part of the documentation is for you.
This part of the documentation covers all the interfaces of Requests. For parts where Requests depends on external
libraries, we document the most important right here and provide links to the canonical documentation.
All of Requests’ functionality can be accessed by these 7 methods. They all return an instance of the Response
object.
requests.request(method, url, **kwargs)
Constructs and sends a Request.
Parameters
• method – method for the new Request object: GET, OPTIONS, HEAD, POST, PUT,
PATCH, or DELETE.
• url – URL for the new Request object.
• params – (optional) Dictionary, list of tuples or bytes to send in the query string for the
Request.
• data – (optional) Dictionary, list of tuples, bytes, or file-like object to send in the body of
the Request.
• json – (optional) A JSON serializable Python object to send in the body of the Request.
• headers – (optional) Dictionary of HTTP Headers to send with the Request.
• cookies – (optional) Dict or CookieJar object to send with the Request.
81
Requests Documentation, Release 2.22.0
requests.head(url, **kwargs)
Sends a HEAD request.
Parameters
• url – URL for the new Request object.
• **kwargs – Optional arguments that request takes. If allow_redirects is not provided,
it will be set to False (as opposed to the default request behavior).
Returns Response object
Return type requests.Response
requests.get(url, params=None, **kwargs)
Sends a GET request.
Parameters
• url – URL for the new Request object.
• params – (optional) Dictionary, list of tuples or bytes to send in the query string for the
Request.
• **kwargs – Optional arguments that request takes.
Returns Response object
Return type requests.Response
5.1.2 Exceptions
class requests.Session
A Requests session.
Provides cookie persistence, connection-pooling, and configuration.
Basic Usage:
Or as a context manager:
auth = None
Default Authentication tuple or object to attach to Request.
cert = None
SSL client certificate default, if String, path to ssl client cert file (.pem). If Tuple, (‘cert’, ‘key’) pair.
close()
Closes all adapters and as such the session
cookies = None
A CookieJar containing all currently outstanding cookies set on this session. By default it is a
RequestsCookieJar, but may be any other cookielib.CookieJar compatible object.
delete(url, **kwargs)
Sends a DELETE request. Returns Response object.
Parameters
• url – URL for the new Request object.
• **kwargs – Optional arguments that request takes.
Return type requests.Response
get(url, **kwargs)
Sends a GET request. Returns Response object.
Parameters
• url – URL for the new Request object.
• **kwargs – Optional arguments that request takes.
Return type requests.Response
get_adapter(url)
Returns the appropriate connection adapter for the given URL.
Return type requests.adapters.BaseAdapter
get_redirect_target(resp)
Receives a Response. Returns a redirect URI or None
head(url, **kwargs)
Sends a HEAD request. Returns Response object.
Parameters
• url – URL for the new Request object.
• **kwargs – Optional arguments that request takes.
Return type requests.Response
headers = None
A case-insensitive dictionary of headers to be sent on each Request sent from this Session.
hooks = None
Event-handling hooks.
max_redirects = None
Maximum number of redirects allowed. If the request exceeds this limit, a TooManyRedirects excep-
tion is raised. This defaults to requests.models.DEFAULT_REDIRECT_LIMIT, which is 30.
merge_environment_settings(url, proxies, stream, verify, cert)
Check the environment and merge it with some settings.
Return type dict
mount(prefix, adapter)
Registers a connection adapter to a prefix.
Adapters are sorted in descending order by prefix length.
options(url, **kwargs)
Sends a OPTIONS request. Returns Response object.
Parameters
• url – URL for the new Request object.
• **kwargs – Optional arguments that request takes.
Return type requests.Response
params = None
Dictionary of querystring data to attach to each Request. The dictionary values may be lists for repre-
senting multivalued query parameters.
patch(url, data=None, **kwargs)
Sends a PATCH request. Returns Response object.
Parameters
• url – URL for the new Request object.
• data – (optional) Dictionary, list of tuples, bytes, or file-like object to send in the body
of the Request.
• **kwargs – Optional arguments that request takes.
Return type requests.Response
post(url, data=None, json=None, **kwargs)
Sends a POST request. Returns Response object.
Parameters
• url – URL for the new Request object.
• data – (optional) Dictionary, list of tuples, bytes, or file-like object to send in the body
of the Request.
• json – (optional) json to send in the body of the Request.
• **kwargs – Optional arguments that request takes.
Return type requests.Response
prepare_request(request)
Constructs a PreparedRequest for transmission and returns it. The PreparedRequest has settings
merged from the Request instance and those of the Session.
Parameters request – Request instance to prepare with this session’s settings.
Return type requests.PreparedRequest
proxies = None
Dictionary mapping protocol or protocol and host to the URL of the proxy (e.g. {‘http’: ‘foo.bar:3128’,
‘http://host.name’: ‘foo.bar:4012’}) to be used on each Request.
put(url, data=None, **kwargs)
Sends a PUT request. Returns Response object.
Parameters
• url – URL for the new Request object.
• data – (optional) Dictionary, list of tuples, bytes, or file-like object to send in the body
of the Request.
• **kwargs – Optional arguments that request takes.
Return type requests.Response
rebuild_auth(prepared_request, response)
When being redirected we may want to strip authentication from the request to avoid leaking credentials.
This method intelligently removes and reapplies authentication where possible to avoid credential loss.
rebuild_method(prepared_request, response)
When being redirected we may want to change the method of the request based on certain specs or browser
behavior.
rebuild_proxies(prepared_request, proxies)
This method re-evaluates the proxy configuration by considering the environment variables. If we are
redirected to a URL covered by NO_PROXY, we strip the proxy configuration. Otherwise, we set missing
proxy keys for this URL (in case they were stripped by a previous redirect).
This method also replaces the Proxy-Authorization header where necessary.
Return type dict
request(method, url, params=None, data=None, headers=None, cookies=None, files=None,
auth=None, timeout=None, allow_redirects=True, proxies=None, hooks=None,
stream=None, verify=None, cert=None, json=None)
Constructs a Request, prepares it and sends it. Returns Response object.
Parameters
• method – method for the new Request object.
• url – URL for the new Request object.
• params – (optional) Dictionary or bytes to be sent in the query string for the Request.
• data – (optional) Dictionary, list of tuples, bytes, or file-like object to send in the body
of the Request.
• json – (optional) json to send in the body of the Request.
• headers – (optional) Dictionary of HTTP Headers to send with the Request.
• cookies – (optional) Dict or CookieJar object to send with the Request.
• files – (optional) Dictionary of 'filename': file-like-objects for multi-
part encoding upload.
• auth – (optional) Auth tuple or callable to enable Basic/Digest/Custom HTTP Auth.
• timeout (float or tuple) – (optional) How long to wait for the server to send data
before giving up, as a float, or a (connect timeout, read timeout) tuple.
• allow_redirects (bool) – (optional) Set to True by default.
• proxies – (optional) Dictionary mapping protocol or protocol and hostname to the URL
of the proxy.
• stream – (optional) whether to immediately download the response content. Defaults to
False.
• verify – (optional) Either a boolean, in which case it controls whether we verify the
server’s TLS certificate, or a string, in which case it must be a path to a CA bundle to use.
Defaults to True.
• cert – (optional) if String, path to ssl client cert file (.pem). If Tuple, (‘cert’, ‘key’) pair.
Return type requests.Response
resolve_redirects(resp, req, stream=False, timeout=None, verify=True, cert=None, prox-
ies=None, yield_requests=False, **adapter_kwargs)
Receives a Response. Returns a generator of Responses or Requests.
send(request, **kwargs)
Send a given PreparedRequest.
Return type requests.Response
should_strip_auth(old_url, new_url)
Decide whether Authorization header should be removed when redirecting
stream = None
Stream response content default.
trust_env = None
Trust environment settings for proxy configuration, default authentication and similar.
verify = None
SSL Verification default.
deregister_hook(event, hook)
Deregister a previously registered hook. Returns True if the hook existed, False if not.
prepare()
Constructs a PreparedRequest for transmission and returns it.
register_hook(event, hook)
Properly register a hook.
class requests.Response
The Response object, which contains a server’s response to an HTTP request.
apparent_encoding
The apparent encoding, provided by the chardet library.
close()
Releases the connection back to the pool. Once this method has been called the underlying raw object
must not be accessed again.
Note: Should not normally need to be called explicitly.
content
Content of the response, in bytes.
cookies = None
A CookieJar of Cookies the server sent back.
elapsed = None
The amount of time elapsed between sending the request and the arrival of the response (as a timedelta).
This property specifically measures the time taken between sending the first byte of the request and finish-
ing parsing the headers. It is therefore unaffected by consuming the response content or the value of the
stream keyword argument.
encoding = None
Encoding to decode with when accessing r.text.
headers = None
Case-insensitive Dictionary of Response Headers. For example, headers['content-encoding']
will return the value of a 'Content-Encoding' response header.
history = None
A list of Response objects from the history of the Request. Any redirect responses will end up here. The
list is sorted from the oldest to the most recent request.
is_permanent_redirect
True if this Response one of the permanent versions of redirect.
is_redirect
True if this Response is a well-formed HTTP redirect that could have been processed automatically (by
Session.resolve_redirects).
iter_content(chunk_size=1, decode_unicode=False)
Iterates over the response data. When stream=True is set on the request, this avoids reading the content at
once into memory for large responses. The chunk size is the number of bytes it should read into memory.
This is not necessarily the length of each item returned as decoding can take place.
chunk_size must be of type int or None. A value of None will function differently depending on the
value of stream. stream=True will read data as it arrives in whatever size the chunks are received. If
stream=False, data is returned as a single chunk.
If decode_unicode is True, content will be decoded using the best available encoding based on the response.
iter_lines(chunk_size=512, decode_unicode=False, delimiter=None)
Iterates over the response data, one line at a time. When stream=True is set on the request, this avoids
reading the content at once into memory for large responses.
json(**kwargs)
Returns the json-encoded content of a response, if any.
Parameters **kwargs – Optional arguments that json.loads takes.
Raises ValueError – If the response body does not contain valid json.
links
Returns the parsed header links of the response, if any.
next
Returns a PreparedRequest for the next request in a redirect chain, if there is one.
ok
Returns True if status_code is less than 400, False if not.
This attribute checks if the status code of the response is between 400 and 600 to see if there was a client
error or a server error. If the status code is between 200 and 400, this will return True. This is not a check
to see if the response code is 200 OK.
raise_for_status()
Raises stored HTTPError, if one occurred.
reason = None
Textual reason of responded HTTP Status, e.g. “Not Found” or “OK”.
request = None
The PreparedRequest object to which this is a response.
status_code = None
Integer Code of responded HTTP Status, e.g. 404 or 200.
text
Content of the response, in unicode.
If Response.encoding is None, encoding will be guessed using chardet.
The encoding of the response content is determined based solely on HTTP headers, following RFC 2616
to the letter. If you can take advantage of non-HTTP knowledge to make a better guess at the encoding,
you should set r.encoding appropriately before accessing this property.
url = None
Final URL location of Response.
class requests.PreparedRequest
The fully mutable PreparedRequest object, containing the exact bytes that will be sent to the server.
Generated from either a Request object or manually.
Usage:
>>> s = requests.Session()
>>> s.send(r)
<Response [200]>
body = None
request body to send to the server.
deregister_hook(event, hook)
Deregister a previously registered hook. Returns True if the hook existed, False if not.
headers = None
dictionary of HTTP headers.
hooks = None
dictionary of callback hooks, for internal usage.
method = None
HTTP verb to send to the server.
path_url
Build the path URL to use.
prepare(method=None, url=None, headers=None, files=None, data=None, params=None,
auth=None, cookies=None, hooks=None, json=None)
Prepares the entire request with the given parameters.
prepare_auth(auth, url=”)
Prepares the given HTTP auth data.
prepare_body(data, files, json=None)
Prepares the given HTTP body data.
prepare_content_length(body)
Prepare Content-Length header based on request method and body
prepare_cookies(cookies)
Prepares the given HTTP cookie data.
This function eventually generates a Cookie header from the given cookies using cookielib. Due to
cookielib’s design, the header will not be regenerated if it already exists, meaning this function can only be
called once for the life of the PreparedRequest object. Any subsequent calls to prepare_cookies
will have no actual effect, unless the “Cookie” header is removed beforehand.
prepare_headers(headers)
Prepares the given HTTP headers.
prepare_hooks(hooks)
Prepares the given hooks.
prepare_method(method)
Prepares the given HTTP method.
prepare_url(url, params)
Prepares the given HTTP URL.
register_hook(event, hook)
Properly register a hook.
url = None
HTTP URL to send the request to.
class requests.adapters.BaseAdapter
The Base Transport Adapter
close()
Cleans up adapter specific items.
add_headers(request, **kwargs)
Add any headers needed by the connection. As of v2.0 this does nothing by default, but is left for overriding
by users that subclass the HTTPAdapter.
This should not be called from user code, and is only exposed for use when subclassing the
HTTPAdapter.
Parameters
• request – The PreparedRequest to add headers to.
• kwargs – The keyword arguments from the call to send().
build_response(req, resp)
Builds a Response object from a urllib3 response. This should not be called from user code, and is only
exposed for use when subclassing the HTTPAdapter
Parameters
proxy_manager_for(proxy, **proxy_kwargs)
Return urllib3 ProxyManager for the given proxy.
This method should not be called from user code, and is only exposed for use when subclassing the
HTTPAdapter.
Parameters
• proxy – The proxy to return a urllib3 ProxyManager for.
• proxy_kwargs – Extra keyword arguments used to configure the Proxy Manager.
Returns ProxyManager
Return type urllib3.ProxyManager
request_url(request, proxies)
Obtain the url to use when making the final request.
If the message is being sent through a HTTP proxy, the full URL has to be used. Otherwise, we should
only use the path portion of the URL.
This should not be called from user code, and is only exposed for use when subclassing the
HTTPAdapter.
Parameters
• request – The PreparedRequest being sent.
• proxies – A dictionary of schemes or schemes and hosts to proxy URLs.
Return type str
send(request, stream=False, timeout=None, verify=True, cert=None, proxies=None)
Sends PreparedRequest object. Returns Response object.
Parameters
• request – The PreparedRequest being sent.
• stream – (optional) Whether to stream the request content.
• timeout (float or tuple or urllib3 Timeout object) – (optional)
How long to wait for the server to send data before giving up, as a float, or a (connect
timeout, read timeout) tuple.
• verify – (optional) Either a boolean, in which case it controls whether we verify the
server’s TLS certificate, or a string, in which case it must be a path to a CA bundle to use
• cert – (optional) Any user-provided SSL certificate to be trusted.
• proxies – (optional) The proxies dictionary to apply to the request.
Return type requests.Response
5.1.6 Authentication
class requests.auth.AuthBase
Base class that all auth implementations derive from
class requests.auth.HTTPBasicAuth(username, password)
Attaches HTTP Basic Authentication to the given Request object.
class requests.auth.HTTPProxyAuth(username, password)
Attaches HTTP Proxy Authentication to a given Request object.
5.1.7 Encodings
requests.utils.get_encodings_from_content(content)
Returns encodings from given content string.
Parameters content – bytestring to extract encodings from.
requests.utils.get_encoding_from_headers(headers)
Returns encodings from given HTTP Header Dict.
Parameters headers – dictionary to extract encoding from.
Return type str
requests.utils.get_unicode_from_response(r)
Returns the requested content back in unicode.
Parameters r – Response object to get unicode content from.
Tried:
1. charset from content-type
2. fall back and replace all unicode characters
5.1.8 Cookies
requests.utils.dict_from_cookiejar(cj)
Returns a key/value dictionary from a CookieJar.
Parameters cj – CookieJar object to extract cookies from.
Return type dict
requests.utils.add_dict_to_cookiejar(cj, cookie_dict)
Returns a CookieJar from a key/value dictionary.
Parameters
• cj – CookieJar to insert cookies into.
• cookie_dict – Dict of key/values to insert into CookieJar.
Return type CookieJar
requests.cookies.cookiejar_from_dict(cookie_dict, cookiejar=None, overwrite=True)
Returns a CookieJar from a key/value dictionary.
Parameters
• cookie_dict – Dict of key/values to insert into CookieJar.
• cookiejar – (optional) A cookiejar to add the cookies to.
• overwrite – (optional) If False, will not replace cookies already in the jar with new ones.
Return type CookieJar
class requests.cookies.RequestsCookieJar(policy=None)
Compatibility class; is a cookielib.CookieJar, but exposes a dict interface.
This is the CookieJar we create by default for requests and sessions that don’t specify one, since some clients
may expect response.cookies and session.cookies to support dict operations.
Requests does not use the dict interface internally; it’s just for compatibility with external client code.
All requests code should work out of the box with externally provided instances of CookieJar, e.g.
LWPCookieJar and FileCookieJar.
Unlike a regular CookieJar, this class is pickleable.
add_cookie_header(request)
Add correct Cookie: header to request (urllib2.Request object).
The Cookie2 header is also added unless policy.hide_cookie2 is true.
clear(domain=None, path=None, name=None)
Clear some cookies.
Invoking this method without arguments will clear all cookies. If given a single argument, only cookies
belonging to that domain will be removed. If given two arguments, cookies belonging to the specified path
within that domain are removed. If given three arguments, then the cookie with the specified name, path
and domain is removed.
Raises KeyError if no matching cookie exists.
clear_expired_cookies()
Discard all expired cookies.
You probably don’t need to call this method: expired cookies are never sent back to the server (provided
you’re using DefaultCookiePolicy), this method is called by CookieJar itself every so often, and the .save()
method won’t save expired cookies anyway (unless you ask otherwise by passing a true ignore_expires
argument).
clear_session_cookies()
Discard all session cookies.
Note that the .save() method won’t save session cookies anyway, unless you ask otherwise by passing a
true ignore_discard argument.
copy()
Return a copy of this RequestsCookieJar.
extract_cookies(response, request)
Extract cookies from response, where allowable given the request.
get(name, default=None, domain=None, path=None)
Dict-like get() that also supports optional domain and path args in order to resolve naming collisions from
using one cookie jar over multiple domains.
get_dict(domain=None, path=None)
Takes as an argument an optional domain and path and returns a plain old Python dict of name-value pairs
of cookies that meet the requirements.
requests.codes
The codes object defines a mapping from common names for HTTP statuses to their numerical codes, accessible
either as attributes or as dictionary items.
>>> requests.codes['temporary_redirect']
307
>>> requests.codes.teapot
418
>>> requests.codes['\o/']
200
Some codes have multiple names, and both upper- and lower-case versions of the names are allowed. For example,
codes.ok, codes.OK, and codes.okay all correspond to the HTTP status code 200.
• 100: continue
• 101: switching_protocols
• 102: processing
• 103: checkpoint
• 122: uri_too_long, request_uri_too_long
• 200: ok, okay, all_ok, all_okay, all_good, \o/, X
• 201: created
• 202: accepted
• 203: non_authoritative_info, non_authoritative_information
• 204: no_content
• 205: reset_content, reset
• 206: partial_content, partial
• 207: multi_status, multiple_status, multi_stati, multiple_stati
• 208: already_reported
• 226: im_used
• 300: multiple_choices
• 301: moved_permanently, moved, \o-
• 302: found
• 303: see_other, other
• 304: not_modified
• 305: use_proxy
• 306: switch_proxy
• 307: temporary_redirect, temporary_moved, temporary
• 308: permanent_redirect, resume_incomplete, resume
• 400: bad_request, bad
• 401: unauthorized
• 402: payment_required, payment
• 403: forbidden
• 404: not_found, -o-
• 405: method_not_allowed, not_allowed
• 406: not_acceptable
• 407: proxy_authentication_required, proxy_auth, proxy_authentication
• 408: request_timeout, timeout
• 409: conflict
• 410: gone
• 411: length_required
• 412: precondition_failed, precondition
• 413: request_entity_too_large
• 414: request_uri_too_large
• 415: unsupported_media_type, unsupported_media, media_type
• 416: requested_range_not_satisfiable, requested_range, range_not_satisfiable
• 417: expectation_failed
• 418: im_a_teapot, teapot, i_am_a_teapot
• 421: misdirected_request
• 422: unprocessable_entity, unprocessable
• 423: locked
• 424: failed_dependency, dependency
• 425: unordered_collection, unordered
• 426: upgrade_required, upgrade
This section details the main differences between 0.x and 1.x and is meant to ease the pain of upgrading.
API Changes
import requests
r = requests.get('https://github.com/timeline.json')
r.json() # This *call* raises an exception if JSON decoding fails
• The Session API has changed. Sessions objects no longer take parameters. Session is also now capitalized,
but it can still be instantiated with a lowercase session for backwards compatibility.
• The parameter for streaming requests was changed from prefetch to stream and the logic was inverted. In
addition, stream is now required for raw response reading.
• The config parameter to the requests method has been removed. Some of these options are now configured
on a Session such as keep-alive and maximum number of redirects. The verbosity option should be handled
by configuring logging.
import requests
import logging
# the only thing missing will be the response.body which is not logged.
try: # for Python 3
from http.client import HTTPConnection
except ImportError:
from httplib import HTTPConnection
HTTPConnection.debuglevel = 1
logging.getLogger().setLevel(logging.DEBUG)
requests_log = logging.getLogger("urllib3")
requests_log.setLevel(logging.DEBUG)
requests_log.propagate = True
requests.get('https://httpbin.org/headers')
Licensing
One key difference that has nothing to do with the API is a change in the license from the ISC license to the Apache
2.0 license. The Apache 2.0 license ensures that contributions to Requests are also covered by the Apache 2.0 license.
Compared with the 1.0 release, there were relatively few backwards incompatible changes, but there are still a few
issues to be aware of with this major release.
For more details on the changes in this release including new APIs, links to the relevant GitHub issues and some of
the bug fixes, read Cory’s blog on the subject.
API Changes
• There were a couple changes to how Requests handles exceptions. RequestException is now a subclass
of IOError rather than RuntimeError as that more accurately categorizes the type of error. In addition, an
invalid URL escape sequence now raises a subclass of RequestException rather than a ValueError.
Lastly, httplib.IncompleteRead exceptions caused by incorrect chunked encoding will now raise a
Requests ChunkedEncodingError instead.
• The proxy API has changed slightly. The scheme for a proxy URL is now required.
proxies = {
"http": "10.10.1.10:3128", # use http://10.10.1.10:3128 instead
}
Behavioural Changes
• Keys in the headers dictionary are now native strings on all Python versions, i.e. bytestrings on Python 2 and
unicode on Python 3. If the keys are not native strings (unicode on Python 2 or bytestrings on Python 3) they
will be converted to the native string type assuming UTF-8 encoding.
• Values in the headers dictionary should always be strings. This has been the project’s position since before
1.0 but a recent change (since version 2.11.0) enforces this more strictly. It’s advised to avoid passing header
values as unicode when possible.
If you want to contribute to the project, this part of the documentation is for you.
103
Requests Documentation, Release 2.22.0
If you’re reading this, you’re probably interested in contributing to Requests. Thank you very much! Open source
projects live-and-die based on the support they receive from others, and the fact that you’re even considering contribut-
ing to the Requests project is very generous of you.
This document lays out guidelines and advice for contributing to this project. If you’re thinking of contributing, please
start by reading this document and getting a feel for how contributing to this project works. If you have any questions,
feel free to reach out to either Ian Cordasco, Cory Benfield, or Nate Prewitt, the primary maintainers.
If you have non-technical feedback, philosophical ponderings, crazy ideas, or other general thoughts about Requests
or its position within the Python ecosystem, the BDFL, Kenneth Reitz, would love to hear from you.
The guide is split into sections based on the type of contribution you’re thinking of making, with a section that covers
general guidelines for all contributors.
6.1.1 Be Cordial
If you are contributing, do not feel the need to sit on your contribution until it is perfectly polished and complete. It
helps everyone involved for you to seek feedback as early as you possibly can. Submitting an early, unfinished version
of your contribution for feedback in no way prejudices your chances of getting that contribution accepted, and can
save you from putting a lot of work into a contribution that is not suitable for the project.
Our project maintainers have the last word on whether or not a contribution is suitable for Requests. All contributions
will be considered carefully, but from time to time, contributions will be rejected because they do not suit the current
goals or needs of the project.
If your contribution is rejected, don’t despair! As long as you followed these guidelines, you will have a much better
chance of getting your next contribution accepted.
6. Send a GitHub Pull Request to the main repository’s master branch. GitHub Pull Requests are the expected
method of code collaboration on this project.
The following sub-sections go into more detail on some of the points above.
Code Review
Contributions will not be merged until they’ve been code reviewed. You should implement any code review feedback
unless you strongly object to it. In the event that you object to the code review feedback, you should make your case
clearly and calmly. If, after doing so, the feedback is judged to still apply, you must either apply the feedback or
withdraw your contribution.
New Contributors
If you are new or relatively new to Open Source, welcome! Requests aims to be a gentle introduction to the world of
Open Source. If you’re concerned about how best to contribute, please consider mailing a maintainer (listed above)
and asking for help.
Please also check the Get Early Feedback section.
foo = long_function_name(
var_one,
var_two,
var_three,
var_four,
)
def the_earth_is_flat():
"""NASA divided up the seas into thirty-three degrees."""
pass
def fibonacci_spiral_tool():
"""With my feet upon the ground I lose myself / between the sounds
and open wide to suck it in. / I feel it move across my skin. / I'm
reaching up and reaching out. / I'm reaching for the random or
whatever will bewilder me. / Whatever will bewilder me. / And
following our will and wind we may just go where no one's been. /
We'll ride the spiral to the end and may just go where no one's
been.
All functions, methods, and classes are to contain docstrings. Object data model methods (e.g. __repr__) are
typically the exception to this rule.
Thanks for helping to make the world a better place!
Documentation improvements are always welcome! The documentation files live in the docs/ directory of the
codebase. They’re written in reStructuredText, and use Sphinx to generate the full suite of documentation.
When contributing documentation, please do your best to follow the style of the documentation files. This means a
soft-limit of 79 characters wide in your text files and a semi-formal, yet friendly and approachable, prose style.
When presenting Python code, use single-quoted strings ('hello' instead of "hello").
Bug reports are hugely important! Before you raise one, though, please check through the GitHub issues, both open
and closed, to confirm that the bug hasn’t been reported before. Duplicate bug reports are a huge drain on the time of
other contributors, and should be avoided as much as possible.
Requests is in a perpetual feature freeze, only the BDFL can add or approve of new features. The maintainers believe
that Requests is a feature-complete piece of software at this time.
One of the most important skills to have while maintaining a largely-used open source project is learning the ability to
say “no” to suggested changes, while keeping an open ear and mind.
If you believe there is a feature missing, feel free to raise a feature request, but please do be aware that the overwhelm-
ing likelihood is that your feature request will not be accepted.
Requests is an open but opinionated library, created by an open but opinionated developer.
Kenneth Reitz is the BDFL. He has final say in any decision related to the Requests project. Kenneth is responsible
for the direction and form of the library, as well as its presentation. In addition to making decisions based on technical
merit, he is responsible for making decisions based on the development philosophy of Requests.
Ian Cordasco, Cory Benfield, and Nate Prewitt are the core contributors. They are responsible for triaging bug reports,
reviewing pull requests and ensuring that Kenneth is kept up to speed with developments around the library. The
day-to-day managing of the project is done by the core contributors. They are responsible for making judgements
about whether or not a feature request is likely to be accepted by Kenneth. Their word is, in some ways, more final
than Kenneth’s.
6.2.2 Values
For many years, the open source community has been plagued with version number dystonia. Numbers vary so greatly
from project to project, they are practically meaningless.
Requests uses Semantic Versioning. This specification seeks to put an end to this madness with a small set of practical
guidelines for you and your colleagues to use in your next project.
Requests has no active plans to be included in the standard library. This decision has been discussed at length with
Guido as well as numerous core developers.
Essentially, the standard library is where a library goes to die. It is appropriate for a module to be included when active
development is no longer necessary.
Distributions have been made for many Linux repositories, including: Ubuntu, Debian, RHEL, and Arch.
These distributions are sometimes divergent forks, or are otherwise not kept up-to-date with the latest code and bug-
fixes. PyPI (and its mirrors) and GitHub are the official distribution sources; alternatives are not supported by the
Requests project.
Requests is under active development, and contributions are more than welcome!
1. Check for open issues or open a fresh issue to start a discussion around a bug. There is a Contributor Friendly
tag for issues that should be ideal for people who are not very familiar with the codebase yet.
2. Fork the repository on GitHub and start making your changes to a new branch.
3. Write a test which shows that the bug was fixed.
4. Send a pull request and bug the maintainer until it gets merged and published. :) Make sure to add yourself to
AUTHORS.
As of v1.0.0, Requests has now entered a feature freeze. Requests for new features and Pull Requests implementing
those features will not be accepted.
You’ll need to install py.test in order to run the Requests’ test suite:
$ venv .venv
$ source .venv/bin/activate
$ make
$ python setup.py test
============================= test session starts ==============================
platform darwin -- Python 3.4.4, pytest-3.0.6, py-1.4.32, pluggy-0.4.0
...
collected 445 items
tests/test_hooks.py ...
tests/test_lowlevel.py ............
tests/test_requests.py ...........................................................
tests/test_structures.py ....................
tests/test_testserver.py ...........
tests/test_utils.py ..s...........................................................
You can also run $ make tests to run against all supported Python versions, using tox/detox.
6.4 Authors
• Rob Madole
• Aram Dulyan
• Johannes Gorset
• (Megane Murayama)
• James Rowe
• Daniel Schauenberg
• Zbigniew Siciarz
• Daniele Tricoli ‘Eriol’
• Richard Boulton
• Miguel Olivares <[email protected]>
• Alberto Paro
• Jérémy Bethmont
• (Xu Pan)
• Tamás Gulácsi
• Rubén Abad
• Peter Manser
• Jeremy Selier
• Jens Diemer
• Alex (@alopatin)
• Tom Hogans <[email protected]>
• Armin Ronacher
• Shrikant Sharat Kandula
• Mikko Ohtamaa
• Den Shabalin
• Daniel Miller <[email protected]>
• Alejandro Giacometti
• Rick Mak
• Johan Bergström
• Josselin Jacquard
• Travis N. Vaught
• Fredrik Möllerstrand
• Daniel Hengeveld
• Dan Head
• Bruno Renié
• David Fischer
• Joseph McCullough
• Juergen Brendel
• Juan Riaza
• Ryan Kelly
• Rolando Espinoza La fuente
• Robert Gieseke
• Idan Gazit
• Ed Summers
• Chris Van Horne
• Christopher Davis
• Ori Livneh
• Jason Emerick
• Bryan Helmig
• Jonas Obrist
• Lucian Ursu
• Tom Moertel
• Frank Kumro Jr
• Chase Sterling
• Marty Alchin
• takluyver
• Ben Toews (@mastahyeti)
• David Kemp
• Brendon Crawford
• Denis (@Telofy)
• Matt Giuca
• Adam Tauber
• Honza Javorek
• Brendan Maguire <[email protected]>
• Chris Dary
• Danver Braganza <[email protected]>
• Max Countryman
• Nick Chadwick
• Jonathan Drosdeck
• Jiri Machalek
• Steve Pulec
• Michael Kelly
• Michael Newman <[email protected]>
• Flavio Curella
• David Pursehouse <[email protected]> (@dpursehouse)
• Jon Parise (@jparise)
• Alexander Karpinsky (@homm86)
• Marc Schlaich (@schlamar)
• Park Ilsu <[email protected]> (@daftshady)
• Matt Spitz (@mattspitz)
• Vikram Oberoi (@voberoi)
• Can Ibanoglu <[email protected]> (@canibanoglu)
• Thomas Weißschuh <[email protected]> (@t-8ch)
• Jayson Vantuyl <[email protected]>
• Pengfei.X <[email protected]>
• Kamil Madac <[email protected]>
• Michael Becker <[email protected]> (@beckerfuffle)
• Erik Wickstrom <[email protected]> (@erikwickstrom)
• (@podshumok)
• Ben Bass (@codedstructure)
• Jonathan Wong <[email protected]> (@ContinuousFunction)
• Martin Jul (@mjul)
• Joe Alcorn (@buttscicles)
• Syed Suhail Ahmed <[email protected]> (@syedsuhail)
• Scott Sadler (@ssadler)
• Arthur Darcet (@arthurdarcet)
• Ulrich Petri (@ulope)
• Muhammad Yasoob Ullah Khalid <[email protected]> (@yasoob)
• Paul van der Linden (@pvanderlinden)
• Colin Dickson (@colindickson)
• Smiley Barry (@smiley)
• Shagun Sodhani (@shagunsodhani)
• Robin Linderborg (@vienno)
• Brian Samek (@bsamek)
• Dmitry Dygalo (@Stranger6667)
• piotrjurkiewicz
• Jesse Shapiro <[email protected]> (@haikuginger)
• Nate Prewitt <[email protected]> (@nateprewitt)
• Maik Himstedt
• Michael Hunsinger
• Brian Bamsch <[email protected]> (@bbamsch)
• Om Prakash Kumar <[email protected]> (@iamprakashom)
• Philipp Konrad <[email protected]> (@gardiac2002)
• Hussain Tamboli <[email protected]> (@hussaintamboli)
• Casey Davidson (@davidsoncasey)
• Andrii Soldatenko (@a_soldatenko)
• Moinuddin Quadri <[email protected]> (@moin18)
• Matt Kohl (@mattkohl)
• Jonathan Vanasco (@jvanasco)
• David Fontenot (@davidfontenot)
• Shmuel Amar (@shmuelamar)
• Gary Wu (@garywu)
• Ryan Pineo (@ryanpineo)
• Ed Morley (@edmorley)
• Matt Liu <[email protected]> (@mlcrazy)
• Taylor Hoff <[email protected]> (@PrimordialHelios)
• Arthur Vigil (@ahvigil)
• Nehal J Wani (@nehaljwani)
• Demetrios Bairaktaris (@DemetriosBairaktaris)
• Darren Dormer (@ddormer)
• Rajiv Mayani (@mayani)
• Antti Kaihola (@akaihola)
• “Dull Bananas” <[email protected]> (@dullbananas)
There are no more guides. You are now guideless. Good luck.
r
requests, 81
requests.models, 11
requests.status_codes, 98
117
Requests Documentation, Release 2.22.0
119
Requests Documentation, Release 2.22.0
get_redirect_target() (requests.Session M
method), 85 make_cookies() (re-
get_unicode_from_response() (in module re- quests.cookies.RequestsCookieJar method),
quests.utils), 95 97
max_redirects (requests.Session attribute), 85
H merge_environment_settings() (re-
head() (in module requests), 82 quests.Session method), 85
head() (requests.Session method), 85 method (requests.PreparedRequest attribute), 91
headers (requests.PreparedRequest attribute), 91 mount() (requests.Session method), 85
headers (requests.Response attribute), 89 multiple_domains() (re-
headers (requests.Session attribute), 85 quests.cookies.RequestsCookieJar method),
history (requests.Response attribute), 89 97
hooks (requests.PreparedRequest attribute), 91
hooks (requests.Session attribute), 85 N
HTTPAdapter (class in requests.adapters), 92 next (requests.Response attribute), 90
HTTPBasicAuth (class in requests.auth), 94
HTTPDigestAuth (class in requests.auth), 94 O
HTTPError, 84 ok (requests.Response attribute), 90
HTTPProxyAuth (class in requests.auth), 94 options() (requests.Session method), 85
I P
init_poolmanager() (re- params (requests.Session attribute), 86
quests.adapters.HTTPAdapter method), patch() (in module requests), 83
93 patch() (requests.Session method), 86
is_permanent_redirect (requests.Response at- path_url (requests.PreparedRequest attribute), 91
tribute), 89 pop() (requests.cookies.RequestsCookieJar method), 97
is_redirect (requests.Response attribute), 89 popitem() (requests.cookies.RequestsCookieJar
items() (requests.cookies.RequestsCookieJar method), method), 97
97 post() (in module requests), 82
iter_content() (requests.Response method), 89 post() (requests.Session method), 86
iter_lines() (requests.Response method), 89 prepare() (requests.PreparedRequest method), 91
iteritems() (requests.cookies.RequestsCookieJar prepare() (requests.Request method), 88
method), 97 prepare_auth() (requests.PreparedRequest
iterkeys() (requests.cookies.RequestsCookieJar method), 91
method), 97 prepare_body() (requests.PreparedRequest
itervalues() (requests.cookies.RequestsCookieJar method), 91
method), 97 prepare_content_length() (re-
quests.PreparedRequest method), 91
J prepare_cookies() (requests.PreparedRequest
json() (requests.Response method), 89 method), 91
prepare_headers() (requests.PreparedRequest
K method), 91
keys() (requests.cookies.RequestsCookieJar method), prepare_hooks() (requests.PreparedRequest
97 method), 91
prepare_method() (requests.PreparedRequest
L method), 91
links (requests.Response attribute), 90 prepare_request() (requests.Session method), 86
list_domains() (re- prepare_url() (requests.PreparedRequest method),
quests.cookies.RequestsCookieJar method), 91
97 PreparedRequest (class in requests), 90
list_paths() (requests.cookies.RequestsCookieJar proxies (requests.Session attribute), 86
method), 97 proxy_headers() (requests.adapters.HTTPAdapter
method), 93
120 Index
Requests Documentation, Release 2.22.0
S
send() (requests.adapters.BaseAdapter method), 91
send() (requests.adapters.HTTPAdapter method), 94
send() (requests.Session method), 87
Session (class in requests), 84
set() (requests.cookies.RequestsCookieJar method), 97
set_cookie() (requests.cookies.RequestsCookieJar
method), 97
set_cookie_if_ok() (re-
quests.cookies.RequestsCookieJar method),
98
setdefault() (requests.cookies.RequestsCookieJar
method), 98
should_strip_auth() (requests.Session method),
88
status_code (requests.Response attribute), 90
stream (requests.Session attribute), 88
T
text (requests.Response attribute), 90
Index 121