Rate-limiting for the requests library
Project description
Requests-Ratelimiter
This package is a simple wrapper around pyrate-limiter v2 that adds convenient integration with the requests library.
Full project documentation can be found at requests-ratelimiter.readthedocs.io.
Features
pyrate-limiter
is a general-purpose rate-limiting library that implements the leaky bucket algorithm, supports multiple rate limits, and has optional persistence with SQLite and Redis backendsrequests-ratelimiter
adds some conveniences for sending rate-limited HTTP requests with therequests
library- It can be used as either a session or a transport adapter
- It can also be used as a mixin, for compatibility with other
requests
-based libraries - Rate limits are tracked separately per host
- Different rate limits can optionally be applied to different hosts
Installation
pip install requests-ratelimiter
Usage
Usage Options
There are three ways to use requests-ratelimiter
:
Session
The simplest option is
LimiterSession
,
which can be used as a drop-in replacement for
requests.Session
.
Example:
from requests_ratelimiter import LimiterSession
from time import time
# Apply a rate limit of 5 requests per second to all requests
session = LimiterSession(per_second=5)
start = time()
# Send requests that stay within the defined rate limit
for i in range(20):
response = session.get('https://httpbin.org/get')
print(f'[t+{time()-start:.2f}] Sent request {i+1}')
Example output:
[t+0.22] Sent request 1
[t+0.26] Sent request 2
[t+0.30] Sent request 3
[t+0.34] Sent request 4
[t+0.39] Sent request 5
[t+1.24] Sent request 6
[t+1.28] Sent request 7
[t+1.32] Sent request 8
[t+1.37] Sent request 9
[t+1.41] Sent request 10
[t+2.04] Sent request 11
...
Adapter
For more advanced usage,
LimiterAdapter
is available to be used as a
transport adapter.
Example:
from requests import Session
from requests_ratelimiter import LimiterAdapter
session = Session()
# Apply a rate-limit (5 requests per second) to all requests
adapter = LimiterAdapter(per_second=5)
session.mount('http://', adapter)
session.mount('https://', adapter)
# Send rate-limited requests
for user_id in range(100):
response = session.get(f'https://api.some_site.com/v1/users/{user_id}')
print(response.json())
Mixin
Finally,
LimiterMixin
is available for advanced use cases in which you want add rate-limiting features to a custom session
or adapter class. See
Custom Session Example below for an example.
Rate Limit Settings
Basic Settings
The following parameters are available for the most common rate limit intervals:
per_second
: Max requests per secondper_minute
: Max requests per minuteper_hour
: Max requests per hourper_day
: Max requests per dayper_month
: Max requests per monthburst
: Max number of consecutive requests allowed before applying per-second rate-limiting
Advanced Settings
If you need to define more complex rate limits, you can create a Limiter
object instead:
from pyrate_limiter import Duration, RequestRate, Limiter
from requests_ratelimiter import LimiterSession
nanocentury_rate = RequestRate(10, Duration.SECOND * 3.156)
fortnight_rate = RequestRate(1000, Duration.DAY * 14)
trimonthly_rate = RequestRate(10000, Duration.MONTH * 3)
limiter = Limiter(nanocentury_rate, fortnight_rate, trimonthly_rate)
session = LimiterSession(limiter=limiter)
See pyrate-limiter docs for more Limiter
usage details.
Backends
By default, rate limits are tracked in memory and are not persistent. You can optionally use either
SQLite or Redis to persist rate limits across threads, processes, and/or application restarts.
You can specify which backend to use with the bucket_class
argument. For example, to use SQLite:
from pyrate_limiter import SQLiteBucket
from requests_ratelimiter import LimiterSession
session = LimiterSession(per_second=5, bucket_class=SQLiteBucket)
See pyrate-limiter docs for more details.
Other Features
Per-Host Rate Limit Tracking
With either LimiterSession
or LimiterAdapter
, rate limits are tracked separately for each host.
In other words, requests sent to one host will not count against the rate limit for any other hosts:
session = LimiterSession(per_second=5)
# Make requests for two different hosts
for _ in range(10):
response = session.get(f'https://httpbin.org/get')
print(response.json())
session.get(f'https://httpbingo.org/get')
print(response.json())
If you have a case where multiple hosts share the same rate limit, you can disable this behavior
with the per_host
option:
session = LimiterSession(per_second=5, per_host=False)
Per-Host Rate Limit Definitions
With LimiterAdapter
, you can apply different rate limits to different hosts or URLs:
# Apply a different set of rate limits (2/second and 100/minute) to a specific host
adapter_2 = LimiterAdapter(per_second=2, per_minute=100)
session.mount('https://api.some_site.com', adapter_2)
Behavior for matching requests is the same as other transport adapters: requests
will use the
adapter with the most specific (i.e., longest) URL prefix that matches a given request. For example:
session.mount('https://api.some_site.com/v1', adapter_3)
session.mount('https://api.some_site.com/v1/users', adapter_4)
# This request will use adapter_3
session.get('https://api.some_site.com/v1/')
# This request will use adapter_4
session.get('https://api.some_site.com/v1/users/1234')
Custom Tracking
For advanced use cases, you can define your own custom tracking behavior with the bucket
option.
For example, an API that enforces rate limits based on a tenant ID, this feature can be used to track
rate limits per tenant. If bucket
is specified, host tracking is disabled.
Note: It is advisable to use SQLite or Redis backends when using custom tracking because using the default backend each session will track rate limits independently, even if both sessions call the same URL.
sessionA = LimiterSession(per_second=5, bucket='tenant1')
sessionB = LimiterSession(per_second=5, bucket='tenant2')
Rate Limit Error Handling
Sometimes, server-side rate limiting may not behave exactly as documented (or may not be documented
at all). Or you might encounter other scenarios where your client-side limit gets out of sync with
the server-side limit. Typically, a server will send a 429: Too Many Requests
response for an
exceeded rate limit.
When this happens, requests-ratelimiter
will adjust its request log in an attempt to catch up to
the server-side limit. If a server sends a different status code other than 429 to indicate an
exceeded limit, you can set this with limit_statuses
:
session = LimiterSession(per_second=5, limit_statuses=[429, 500])
Or if you would prefer to disable this behavior and handle it yourself:
session = LimiterSession(per_second=5, limit_statuses=[])
Compatibility
There are many other useful libraries out there that add features to requests
, most commonly by
extending or modifying
requests.Session or
requests.HTTPAdapter.
To use requests-ratelimiter
with one of these libraries, you have a few different options:
- If the library provides a custom
Session
class, mount aLimiterAdapter
on it - Or use
LimiterMixin
to create a customSession
class with features from both libraries - If the library provides a custom
Adapter
class, useLimiterMixin
to create a customAdapter
class with features from both libraries
Custom Session Example: Requests-Cache
For example, to combine with requests-cache, which also includes a separate mixin class:
from requests import Session
from requests_cache import CacheMixin, RedisCache
from requests_ratelimiter import LimiterMixin, RedisBucket
class CachedLimiterSession(CacheMixin, LimiterMixin, Session):
"""Session class with caching and rate-limiting behavior. Accepts arguments for both
LimiterSession and CachedSession.
"""
# Optionally use Redis as both the bucket backend and the cache backend
session = CachedLimiterSession(
per_second=5,
bucket_class=RedisBucket,
backend=RedisCache(),
)
This example has an extra benefit: cache hits won't count against your rate limit!
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
File details
Details for the file requests_ratelimiter-0.6.0.tar.gz
.
File metadata
- Download URL: requests_ratelimiter-0.6.0.tar.gz
- Upload date:
- Size: 13.2 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: poetry/1.5.1 CPython/3.11.8 Linux/6.5.0-1015-azure
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | ad72f033323df3c1012a3ac4bb91be36606741f58ec9faede62b89b475ea99f6 |
|
MD5 | 6ec35ea4a384e1dc34c4b085a896cce0 |
|
BLAKE2b-256 | 6d9082c076f226828ebdbacc5c9e265f47d3fa51ca4b674eb7e3d9ee0b38f305 |
File details
Details for the file requests_ratelimiter-0.6.0-py3-none-any.whl
.
File metadata
- Download URL: requests_ratelimiter-0.6.0-py3-none-any.whl
- Upload date:
- Size: 9.1 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: poetry/1.5.1 CPython/3.11.8 Linux/6.5.0-1015-azure
File hashes
Algorithm | Hash digest | |
---|---|---|
SHA256 | 0641ec7b3dd919a64a8e390358d416c7369f89eb61bec0cf6113ea8d2ec4f072 |
|
MD5 | f1611aed86c641c6f45e12e49f8e7c3d |
|
BLAKE2b-256 | abc2f8ac48cf378d4da920b103544ddb748ac5c230574d35962eb865d3338e02 |