-
Notifications
You must be signed in to change notification settings - Fork 2
Expand file tree
/
Copy pathasync_oauth_client.py
More file actions
69 lines (56 loc) · 2.7 KB
/
async_oauth_client.py
File metadata and controls
69 lines (56 loc) · 2.7 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
import base64
from typing import Any, Dict, List
import httpx
from .oauth_client import OAUTH_BASE_URL, TEST_OAUTH_BASE_URL
class AsyncOauthClient:
"""
Asynchronous client for handling Openapi authentication and token management.
Suitable for use with FastAPI, aiohttp, etc.
"""
def __init__(self, username: str, apikey: str, test: bool = False):
self.client = httpx.AsyncClient()
self.url: str = TEST_OAUTH_BASE_URL if test else OAUTH_BASE_URL
self.auth_header: str = (
"Basic " + base64.b64encode(f"{username}:{apikey}".encode("utf-8")).decode()
)
self.headers: Dict[str, Any] = {
"Authorization": self.auth_header,
"Content-Type": "application/json",
}
async def __aenter__(self):
"""Enable use as an asynchronous context manager."""
return self
async def __aexit__(self, exc_type, exc_val, exc_tb):
"""Ensure the underlying HTTP client is closed on exit (async)."""
await self.client.aclose()
async def aclose(self):
"""Manually close the underlying HTTP client (async)."""
await self.client.aclose()
async def get_scopes(self, limit: bool = False) -> Dict[str, Any]:
"""Retrieve available scopes for the current user (async)."""
params = {"limit": int(limit)}
url = f"{self.url}/scopes"
resp = await self.client.get(url=url, headers=self.headers, params=params)
return resp.json()
async def create_token(self, scopes: List[str] = [], ttl: int = 0) -> Dict[str, Any]:
"""Create a new bearer token with specified scopes and TTL (async)."""
payload = {"scopes": scopes, "ttl": ttl}
url = f"{self.url}/token"
resp = await self.client.post(url=url, headers=self.headers, json=payload)
return resp.json()
async def get_token(self, scope: str = None) -> Dict[str, Any]:
"""Retrieve an existing token, optionally filtered by scope (async)."""
params = {"scope": scope or ""}
url = f"{self.url}/token"
resp = await self.client.get(url=url, headers=self.headers, params=params)
return resp.json()
async def delete_token(self, id: str) -> Dict[str, Any]:
"""Revoke/Delete a specific token by ID (async)."""
url = f"{self.url}/token/{id}"
resp = await self.client.delete(url=url, headers=self.headers)
return resp.json()
async def get_counters(self, period: str, date: str) -> Dict[str, Any]:
"""Retrieve usage counters for a specific period and date (async)."""
url = f"{self.url}/counters/{period}/{date}"
resp = await self.client.get(url=url, headers=self.headers)
return resp.json()