forked from mirumee/ariadne-codegen
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathasync_base_client.py
372 lines (319 loc) · 12.2 KB
/
async_base_client.py
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
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
import enum
import json
from typing import IO, Any, AsyncIterator, Dict, List, Optional, Tuple, TypeVar, cast
from uuid import uuid4
import httpx
from pydantic import BaseModel
from pydantic_core import to_jsonable_python
from .base_model import UNSET, Upload
from .exceptions import (
GraphQLClientGraphQLMultiError,
GraphQLClientHttpError,
GraphQLClientInvalidMessageFormat,
GraphQLClientInvalidResponseError,
)
try:
from websockets import ( # type: ignore[import-not-found,unused-ignore]
ClientConnection,
)
from websockets import (
connect as ws_connect,
)
from websockets.typing import ( # type: ignore[import-not-found,unused-ignore]
Data,
Origin,
Subprotocol,
)
except ImportError:
from contextlib import asynccontextmanager
@asynccontextmanager # type: ignore
async def ws_connect(*args, **kwargs):
raise NotImplementedError("Subscriptions require 'websockets' package.")
yield
ClientConnection = Any # type: ignore[misc,assignment,unused-ignore]
Data = Any # type: ignore[misc,assignment,unused-ignore]
Origin = Any # type: ignore[misc,assignment,unused-ignore]
def Subprotocol(*args, **kwargs): # type: ignore # noqa: N802, N803
raise NotImplementedError("Subscriptions require 'websockets' package.")
Self = TypeVar("Self", bound="AsyncBaseClient")
GRAPHQL_TRANSPORT_WS = "graphql-transport-ws"
class GraphQLTransportWSMessageType(str, enum.Enum):
CONNECTION_INIT = "connection_init"
CONNECTION_ACK = "connection_ack"
PING = "ping"
PONG = "pong"
SUBSCRIBE = "subscribe"
NEXT = "next"
ERROR = "error"
COMPLETE = "complete"
class AsyncBaseClient:
def __init__(
self,
url: str = "",
headers: Optional[Dict[str, str]] = None,
http_client: Optional[httpx.AsyncClient] = None,
ws_url: str = "",
ws_headers: Optional[Dict[str, Any]] = None,
ws_origin: Optional[str] = None,
ws_connection_init_payload: Optional[Dict[str, Any]] = None,
) -> None:
self.url = url
self.headers = headers
self.http_client = (
http_client if http_client else httpx.AsyncClient(headers=headers)
)
self.ws_url = ws_url
self.ws_headers = ws_headers or {}
self.ws_origin = Origin(ws_origin) if ws_origin else None
self.ws_connection_init_payload = ws_connection_init_payload
async def __aenter__(self: Self) -> Self:
return self
async def __aexit__(
self,
exc_type: object,
exc_val: object,
exc_tb: object,
) -> None:
await self.http_client.aclose()
async def execute(
self,
query: str,
operation_name: Optional[str] = None,
variables: Optional[Dict[str, Any]] = None,
**kwargs: Any,
) -> httpx.Response:
processed_variables, files, files_map = self._process_variables(variables)
if files and files_map:
return await self._execute_multipart(
query=query,
operation_name=operation_name,
variables=processed_variables,
files=files,
files_map=files_map,
**kwargs,
)
return await self._execute_json(
query=query,
operation_name=operation_name,
variables=processed_variables,
**kwargs,
)
def get_data(self, response: httpx.Response) -> Dict[str, Any]:
if not response.is_success:
raise GraphQLClientHttpError(
status_code=response.status_code, response=response
)
try:
response_json = response.json()
except ValueError as exc:
raise GraphQLClientInvalidResponseError(response=response) from exc
if (not isinstance(response_json, dict)) or (
"data" not in response_json and "errors" not in response_json
):
raise GraphQLClientInvalidResponseError(response=response)
data = response_json.get("data")
errors = response_json.get("errors")
if errors:
raise GraphQLClientGraphQLMultiError.from_errors_dicts(
errors_dicts=errors, data=data
)
return cast(Dict[str, Any], data)
async def execute_ws(
self,
query: str,
operation_name: Optional[str] = None,
variables: Optional[Dict[str, Any]] = None,
**kwargs: Any,
) -> AsyncIterator[Dict[str, Any]]:
headers = self.ws_headers.copy()
headers.update(kwargs.get("extra_headers", {}))
merged_kwargs: Dict[str, Any] = {"origin": self.ws_origin}
merged_kwargs.update(kwargs)
merged_kwargs["extra_headers"] = headers
operation_id = str(uuid4())
async with ws_connect(
self.ws_url,
subprotocols=[Subprotocol(GRAPHQL_TRANSPORT_WS)],
**merged_kwargs,
) as websocket:
await self._send_connection_init(websocket)
# wait for connection_ack from server
await self._handle_ws_message(
await websocket.recv(),
websocket,
expected_type=GraphQLTransportWSMessageType.CONNECTION_ACK,
)
await self._send_subscribe(
websocket,
operation_id=operation_id,
query=query,
operation_name=operation_name,
variables=variables,
)
async for message in websocket:
data = await self._handle_ws_message(message, websocket)
if data:
yield data
def _process_variables(
self, variables: Optional[Dict[str, Any]]
) -> Tuple[
Dict[str, Any], Dict[str, Tuple[str, IO[bytes], str]], Dict[str, List[str]]
]:
if not variables:
return {}, {}, {}
serializable_variables = self._convert_dict_to_json_serializable(variables)
return self._get_files_from_variables(serializable_variables)
def _convert_dict_to_json_serializable(
self, dict_: Dict[str, Any]
) -> Dict[str, Any]:
return {
key: self._convert_value(value)
for key, value in dict_.items()
if value is not UNSET
}
def _convert_value(self, value: Any) -> Any:
if isinstance(value, BaseModel):
return value.model_dump(by_alias=True, exclude_unset=True)
if isinstance(value, list):
return [self._convert_value(item) for item in value]
return value
def _get_files_from_variables(
self, variables: Dict[str, Any]
) -> Tuple[
Dict[str, Any], Dict[str, Tuple[str, IO[bytes], str]], Dict[str, List[str]]
]:
files_map: Dict[str, List[str]] = {}
files_list: List[Upload] = []
def separate_files(path: str, obj: Any) -> Any:
if isinstance(obj, list):
nulled_list = []
for index, value in enumerate(obj):
value = separate_files(f"{path}.{index}", value)
nulled_list.append(value)
return nulled_list
if isinstance(obj, dict):
nulled_dict = {}
for key, value in obj.items():
value = separate_files(f"{path}.{key}", value)
nulled_dict[key] = value
return nulled_dict
if isinstance(obj, Upload):
if obj in files_list:
file_index = files_list.index(obj)
files_map[str(file_index)].append(path)
else:
file_index = len(files_list)
files_list.append(obj)
files_map[str(file_index)] = [path]
return None
return obj
nulled_variables = separate_files("variables", variables)
files: Dict[str, Tuple[str, IO[bytes], str]] = {
str(i): (file_.filename, cast(IO[bytes], file_.content), file_.content_type)
for i, file_ in enumerate(files_list)
}
return nulled_variables, files, files_map
async def _execute_multipart(
self,
query: str,
operation_name: Optional[str],
variables: Dict[str, Any],
files: Dict[str, Tuple[str, IO[bytes], str]],
files_map: Dict[str, List[str]],
**kwargs: Any,
) -> httpx.Response:
data = {
"operations": json.dumps(
{
"query": query,
"operationName": operation_name,
"variables": variables,
},
default=to_jsonable_python,
),
"map": json.dumps(files_map, default=to_jsonable_python),
}
return await self.http_client.post(
url=self.url, data=data, files=files, **kwargs
)
async def _execute_json(
self,
query: str,
operation_name: Optional[str],
variables: Dict[str, Any],
**kwargs: Any,
) -> httpx.Response:
headers: Dict[str, str] = {"Content-Type": "application/json"}
headers.update(kwargs.get("headers", {}))
merged_kwargs: Dict[str, Any] = kwargs.copy()
merged_kwargs["headers"] = headers
return await self.http_client.post(
url=self.url,
content=json.dumps(
{
"query": query,
"operationName": operation_name,
"variables": variables,
},
default=to_jsonable_python,
),
**merged_kwargs,
)
async def _send_connection_init(self, websocket: ClientConnection) -> None:
payload: Dict[str, Any] = {
"type": GraphQLTransportWSMessageType.CONNECTION_INIT.value
}
if self.ws_connection_init_payload:
payload["payload"] = self.ws_connection_init_payload
await websocket.send(json.dumps(payload))
async def _send_subscribe(
self,
websocket: ClientConnection,
operation_id: str,
query: str,
operation_name: Optional[str] = None,
variables: Optional[Dict[str, Any]] = None,
) -> None:
payload: Dict[str, Any] = {
"id": operation_id,
"type": GraphQLTransportWSMessageType.SUBSCRIBE.value,
"payload": {"query": query, "operationName": operation_name},
}
if variables:
payload["payload"]["variables"] = self._convert_dict_to_json_serializable(
variables
)
await websocket.send(json.dumps(payload))
async def _handle_ws_message(
self,
message: Data,
websocket: ClientConnection,
expected_type: Optional[GraphQLTransportWSMessageType] = None,
) -> Optional[Dict[str, Any]]:
try:
message_dict = json.loads(message)
except json.JSONDecodeError as exc:
raise GraphQLClientInvalidMessageFormat(message=message) from exc
type_ = message_dict.get("type")
payload = message_dict.get("payload", {})
if not type_ or type_ not in {t.value for t in GraphQLTransportWSMessageType}:
raise GraphQLClientInvalidMessageFormat(message=message)
if expected_type and expected_type != type_:
raise GraphQLClientInvalidMessageFormat(
f"Invalid message received. Expected: {expected_type.value}"
)
if type_ == GraphQLTransportWSMessageType.NEXT:
if "data" not in payload:
raise GraphQLClientInvalidMessageFormat(message=message)
return cast(Dict[str, Any], payload["data"])
if type_ == GraphQLTransportWSMessageType.COMPLETE:
await websocket.close()
elif type_ == GraphQLTransportWSMessageType.PING:
await websocket.send(
json.dumps({"type": GraphQLTransportWSMessageType.PONG.value})
)
elif type_ == GraphQLTransportWSMessageType.ERROR:
raise GraphQLClientGraphQLMultiError.from_errors_dicts(
errors_dicts=payload, data=message_dict
)
return None