42 lines
1.4 KiB
Python
42 lines
1.4 KiB
Python
import httpx
|
|
import os
|
|
import sys
|
|
from urllib.parse import urljoin
|
|
|
|
|
|
class API:
|
|
URLBASE = "https://api.github.com" # note: no slash
|
|
headers = {
|
|
"Accept": "application/vnd.github.v3+json",
|
|
"Authorization": f"token {os.environ['GITHUB_TOKEN']}",
|
|
}
|
|
|
|
def raise_on_4xx_5xx(self, response):
|
|
response.raise_for_status()
|
|
|
|
def get(self, url: str) -> list:
|
|
"""Uses httpx.Client().get to send the appropriate github headers, and return the url"""
|
|
content = []
|
|
with httpx.Client(
|
|
headers=self.headers, event_hooks={"response": [self.raise_on_4xx_5xx]}
|
|
) as client:
|
|
return client.get(urljoin(self.URLBASE, url)).json()
|
|
|
|
def get_with_pagination(self, url: str) -> list:
|
|
"""Uses httpx.Client().get to send the appropriate github headers, and return the url"""
|
|
content = []
|
|
with httpx.Client(
|
|
headers=self.headers, event_hooks={"response": [self.raise_on_4xx_5xx]}
|
|
) as client:
|
|
while True:
|
|
resp = client.get(urljoin(self.URLBASE, url))
|
|
body = resp.json()
|
|
if isinstance(body, dict):
|
|
# short circuit if not list
|
|
return body
|
|
content.extend(body)
|
|
if not resp.links.get("next"):
|
|
break
|
|
url = resp.links["next"]["url"]
|
|
return content
|