Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Handle #925 rate limit error #1364

Merged
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
22 changes: 17 additions & 5 deletions jira/resilientsession.py
Original file line number Diff line number Diff line change
Expand Up @@ -88,7 +88,7 @@ def raise_on_error(r: Optional[Response], verb="???", **kwargs):
class ResilientSession(Session):
"""This class is supposed to retry requests that do return temporary errors.

At this moment it supports: 502, 503, 504
At this moment it supports: 429
"""

def __init__(self, timeout=None):
Expand All @@ -113,11 +113,23 @@ def __recoverable(
f"Got ConnectionError [{response}] errno:{response.errno} on {request} {url}\n{vars(response)}\n{response.__dict__}"
)
if isinstance(response, Response):
if response.status_code in [502, 503, 504, 401]:
# 401 UNAUTHORIZED still randomly returned by Atlassian Cloud as of 2017-01-16
if response.status_code in [429]:
number_of_tokens_issued_per_interval = response.headers[
"X-RateLimit-FillRate"
]
token_issuing_rate_interval_seconds = response.headers[
"X-RateLimit-Interval-Seconds"
]
maximum_number_of_tokens = response.headers["X-RateLimit-Limit"]
retry_after = response.headers["retry-after"]
msg = f"{response.status_code} {response.reason}"
# 2019-07-25: Disabled recovery for codes above^
return False
logging.warning(
f"Request rate limited by Jira: request should be retried after {retry_after} seconds.\n"
+ f"{number_of_tokens_issued_per_interval} tokens are issued every {token_issuing_rate_interval_seconds} seconds. "
+ f"You can accumulate up to {maximum_number_of_tokens} tokens.\n"
+ "Consider adding an exemption for the user as explained in: "
+ "https://confluence.atlassian.com/adminjiraserver/improving-instance-stability-with-rate-limiting-983794911.html"
)
elif not (
response.status_code == 200
and len(response.content) == 0
Expand Down
45 changes: 45 additions & 0 deletions tests/test_resilientsession.py
Original file line number Diff line number Diff line change
@@ -1,6 +1,11 @@
import logging
from unittest.mock import Mock, patch

import pytest
from requests import Response

import jira.resilientsession
from jira.exceptions import JIRAError
from tests.conftest import JiraTestCase


Expand Down Expand Up @@ -53,3 +58,43 @@ def test_logging_with_connection_error(self):
def tearDown(self):
jira.resilientsession.logging.getLogger().removeHandler(self.loggingHandler)
del self.loggingHandler


status_codes_retries_test_data = [
(429, 4, 3),
(401, 1, 0),
(403, 1, 0),
(404, 1, 0),
(502, 1, 0),
(503, 1, 0),
(504, 1, 0),
]


@patch("requests.Session.get")
@patch("time.sleep")
@pytest.mark.parametrize(
"status_code,expected_number_of_retries,expected_number_of_sleep_invocations",
status_codes_retries_test_data,
)
def test_status_codes_retries(
mocked_sleep_method: Mock,
mocked_get_method: Mock,
status_code: int,
expected_number_of_retries: int,
expected_number_of_sleep_invocations: int,
):
mocked_response: Response = Response()
mocked_response.status_code = status_code
mocked_response.headers["X-RateLimit-FillRate"] = "1"
mocked_response.headers["X-RateLimit-Interval-Seconds"] = "1"
mocked_response.headers["retry-after"] = "1"
mocked_response.headers["X-RateLimit-Limit"] = "1"
mocked_get_method.return_value = mocked_response
session: jira.resilientsession.ResilientSession = (
jira.resilientsession.ResilientSession()
)
with pytest.raises(JIRAError):
session.get("mocked_url")
assert mocked_get_method.call_count == expected_number_of_retries
assert mocked_sleep_method.call_count == expected_number_of_sleep_invocations