-
Notifications
You must be signed in to change notification settings - Fork 5
/
Copy pathhttp.py
562 lines (508 loc) · 19.8 KB
/
http.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
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
import json
import logging
import os.path
import ssl
import time
from io import BytesIO
from pathlib import Path
from typing import (
Any,
AsyncIterable,
Dict,
Iterable,
List,
Optional,
Tuple,
Type,
Union,
overload,
)
import aiohttp
from aiohttp.web import HTTPNotFound
from aleph_message import parse_message
from aleph_message.models import (
AlephMessage,
Chain,
ExecutableContent,
ItemHash,
ItemType,
MessageType,
ProgramContent,
)
from aleph_message.status import MessageStatus
from pydantic import ValidationError
from ..conf import settings
from ..exceptions import (
FileTooLarge,
ForgottenMessageError,
InvalidHashError,
MessageNotFoundError,
)
from ..query.filters import MessageFilter, PostFilter
from ..query.responses import MessagesResponse, Post, PostsResponse, PriceResponse
from ..types import GenericMessage, StoredContent
from ..utils import (
Writable,
check_unix_socket_valid,
compute_sha256,
copy_async_readable_to_buffer,
extended_json_encoder,
get_message_type_value,
safe_getattr,
)
from .abstract import AlephClient
logger = logging.getLogger(__name__)
class AlephHttpClient(AlephClient):
api_server: str
_http_session: Optional[aiohttp.ClientSession]
def __init__(
self,
api_server: Optional[str] = None,
api_unix_socket: Optional[str] = None,
allow_unix_sockets: bool = True,
timeout: Optional[aiohttp.ClientTimeout] = None,
ssl_context: Optional[ssl.SSLContext] = None,
):
"""AlephClient can use HTTP(S) or HTTP over Unix sockets.
Unix sockets are used when running inside a virtual machine,
and can be shared across containers in a more secure way than TCP ports.
"""
self.api_server = api_server or settings.API_HOST
if not self.api_server:
raise ValueError("Missing API host")
self.connector: Union[aiohttp.BaseConnector, None]
unix_socket_path = api_unix_socket or settings.API_UNIX_SOCKET
if ssl_context:
self.connector = aiohttp.TCPConnector(ssl=ssl_context)
elif unix_socket_path and allow_unix_sockets:
check_unix_socket_valid(unix_socket_path)
self.connector = aiohttp.UnixConnector(path=unix_socket_path)
else:
self.connector = None
self.timeout = timeout
self._http_session = None
@property
def http_session(self) -> aiohttp.ClientSession:
if self._http_session is None:
raise Exception(
f"{self.__class__.__name__} can only be using within an async context manager.\n\n"
"Please use it this way:\n\n"
f" async with {self.__class__.__name__}(...) as client:"
)
return self._http_session
async def __aenter__(self):
if self._http_session is None:
self._http_session = (
aiohttp.ClientSession(
base_url=self.api_server,
connector=self.connector,
timeout=self.timeout,
json_serialize=extended_json_encoder,
)
if self.timeout
else aiohttp.ClientSession(
base_url=self.api_server,
connector=self.connector,
json_serialize=lambda obj: json.dumps(
obj, default=extended_json_encoder
),
)
)
return self
async def __aexit__(self, exc_type, exc_val, exc_tb):
# Avoid cascade in error handling
if self._http_session is not None:
await self._http_session.close()
async def fetch_aggregate(self, address: str, key: str) -> Dict[str, Dict]:
params: Dict[str, Any] = {"keys": key}
async with self.http_session.get(
f"/api/v0/aggregates/{address}.json", params=params
) as resp:
resp.raise_for_status()
result = await resp.json()
data = result.get("data", dict())
return data.get(key)
async def fetch_aggregates(
self, address: str, keys: Optional[Iterable[str]] = None
) -> Dict[str, Dict]:
keys_str = ",".join(keys) if keys else ""
params: Dict[str, Any] = {}
if keys_str:
params["keys"] = keys_str
async with self.http_session.get(
f"/api/v0/aggregates/{address}.json",
params=params,
) as resp:
resp.raise_for_status()
result = await resp.json()
data = result.get("data", dict())
return data
async def get_posts(
self,
page_size: int = 200,
page: int = 1,
post_filter: Optional[PostFilter] = None,
ignore_invalid_messages: Optional[bool] = True,
invalid_messages_log_level: Optional[int] = logging.NOTSET,
) -> PostsResponse:
ignore_invalid_messages = (
True if ignore_invalid_messages is None else ignore_invalid_messages
)
invalid_messages_log_level = (
logging.NOTSET
if invalid_messages_log_level is None
else invalid_messages_log_level
)
if not post_filter:
params = {
"page": str(page),
"pagination": str(page_size),
}
else:
params = post_filter.as_http_params()
params["page"] = str(page)
params["pagination"] = str(page_size)
async with self.http_session.get("/api/v0/posts.json", params=params) as resp:
resp.raise_for_status()
response_json = await resp.json()
posts_raw = response_json["posts"]
posts: List[Post] = []
for post_raw in posts_raw:
try:
posts.append(Post.model_validate(post_raw))
except ValidationError as e:
if not ignore_invalid_messages:
raise e
if invalid_messages_log_level:
logger.log(level=invalid_messages_log_level, msg=e)
return PostsResponse(
posts=posts,
pagination_page=response_json["pagination_page"],
pagination_total=response_json["pagination_total"],
pagination_per_page=response_json["pagination_per_page"],
pagination_item=response_json["pagination_item"],
)
async def download_file_to_buffer(
self,
file_hash: str,
output_buffer: Writable[bytes],
) -> None:
"""
Download a file from the storage engine and write it to the specified output buffer.
:param file_hash: The hash of the file to retrieve.
:param output_buffer: Writable binary buffer. The file will be written to this buffer.
"""
async with self.http_session.get(
f"/api/v0/storage/raw/{file_hash}"
) as response:
if response.status == 200:
await copy_async_readable_to_buffer(
response.content, output_buffer, chunk_size=16 * 1024
)
if response.status == 413:
ipfs_hash = ItemHash(file_hash)
if ipfs_hash.item_type == ItemType.ipfs:
return await self.download_file_ipfs_to_buffer(
file_hash, output_buffer
)
else:
raise FileTooLarge(f"The file from {file_hash} is too large")
async def download_file_ipfs_to_buffer(
self,
file_hash: str,
output_buffer: Writable[bytes],
) -> None:
"""
Download a file from the storage engine and write it to the specified output buffer.
:param file_hash: The hash of the file to retrieve.
:param output_buffer: The binary output buffer to write the file data to.
"""
async with aiohttp.ClientSession() as session:
async with session.get(
f"https://ipfs.aleph.im/ipfs/{file_hash}"
) as response:
if response.status == 200:
await copy_async_readable_to_buffer(
response.content, output_buffer, chunk_size=16 * 1024
)
else:
response.raise_for_status()
async def download_file(self, file_hash: str) -> bytes:
"""
Get a file from the storage engine as raw bytes.
Warning: Downloading large files can be slow and memory intensive. Use `download_file_to()` to download them directly to disk instead.
:param file_hash: The hash of the file to retrieve.
"""
buffer = BytesIO()
await self.download_file_to_buffer(file_hash, output_buffer=buffer)
return buffer.getvalue()
async def download_file_to_path(
self,
file_hash: str,
path: Union[Path, str],
) -> Path:
"""
Download a file from the storage engine to given path.
:param file_hash: The hash of the file to retrieve.
:param path: The path to which the file should be saved.
"""
if not isinstance(path, Path):
path = Path(path)
if not os.path.exists(path):
dir_path = os.path.dirname(path)
if dir_path:
os.makedirs(dir_path, exist_ok=True)
with open(path, "wb") as file_buffer:
await self.download_file_to_buffer(file_hash, output_buffer=file_buffer)
return path
async def download_file_ipfs(
self,
file_hash: str,
) -> bytes:
"""
Get a file from the ipfs storage engine as raw bytes.
Warning: Downloading large files can be slow.
:param file_hash: The hash of the file to retrieve.
"""
buffer = BytesIO()
await self.download_file_ipfs_to_buffer(file_hash, output_buffer=buffer)
return buffer.getvalue()
async def get_messages(
self,
page_size: int = 200,
page: int = 1,
message_filter: Optional[MessageFilter] = None,
ignore_invalid_messages: Optional[bool] = True,
invalid_messages_log_level: Optional[int] = logging.NOTSET,
) -> MessagesResponse:
ignore_invalid_messages = (
True if ignore_invalid_messages is None else ignore_invalid_messages
)
invalid_messages_log_level = (
logging.NOTSET
if invalid_messages_log_level is None
else invalid_messages_log_level
)
if not message_filter:
params = {
"page": str(page),
"pagination": str(page_size),
}
else:
params = message_filter.as_http_params()
params["page"] = str(page)
params["pagination"] = str(page_size)
async with self.http_session.get(
"/api/v0/messages.json", params=params
) as resp:
resp.raise_for_status()
response_json = await resp.json()
messages_raw = response_json["messages"]
# All messages may not be valid according to the latest specification in
# aleph-message. This allows the user to specify how errors should be handled.
messages: List[AlephMessage] = []
for message_raw in messages_raw:
try:
message = parse_message(message_raw)
messages.append(message)
except KeyError as e:
if not ignore_invalid_messages:
raise e
logger.log(
level=invalid_messages_log_level,
msg=f"KeyError: Field '{e.args[0]}' not found",
)
except ValidationError as e:
if not ignore_invalid_messages:
raise e
if invalid_messages_log_level:
logger.log(level=invalid_messages_log_level, msg=e)
return MessagesResponse(
messages=messages,
pagination_page=response_json["pagination_page"],
pagination_total=response_json["pagination_total"],
pagination_per_page=response_json["pagination_per_page"],
pagination_item=response_json["pagination_item"],
)
@overload
async def get_message( # type: ignore
self,
item_hash: str,
message_type: Optional[Type[GenericMessage]] = None,
) -> GenericMessage: ...
@overload
async def get_message(
self,
item_hash: str,
message_type: Optional[Type[GenericMessage]] = None,
with_status: bool = False,
) -> Tuple[GenericMessage, MessageStatus]: ...
async def get_message(
self,
item_hash: str,
message_type: Optional[Type[GenericMessage]] = None,
with_status: bool = False,
) -> Union[GenericMessage, Tuple[GenericMessage, MessageStatus]]:
async with self.http_session.get(f"/api/v0/messages/{item_hash}") as resp:
try:
resp.raise_for_status()
except aiohttp.ClientResponseError as e:
if e.status == 404:
raise MessageNotFoundError(f"No such hash {item_hash}") from e
raise e
message_raw = await resp.json()
if message_raw["status"] == "forgotten":
raise ForgottenMessageError(
f"The requested message {message_raw['item_hash']} has been forgotten by {', '.join(message_raw['forgotten_by'])}"
)
message = parse_message(message_raw["message"])
if message_type:
expected_type = get_message_type_value(message_type)
if message.type != expected_type:
raise TypeError(
f"The message type '{message.type}' "
f"does not match the expected type '{expected_type}'"
)
if with_status:
return message, message_raw["status"] # type: ignore
else:
return message # type: ignore
async def get_message_error(
self,
item_hash: str,
) -> Optional[Dict[str, Any]]:
async with self.http_session.get(f"/api/v0/messages/{item_hash}") as resp:
try:
resp.raise_for_status()
except aiohttp.ClientResponseError as e:
if e.status == 404:
raise MessageNotFoundError(f"No such hash {item_hash}")
raise e
message_raw = await resp.json()
if message_raw["status"] == "forgotten":
raise ForgottenMessageError(
f"The requested message {message_raw['item_hash']} has been forgotten by {', '.join(message_raw['forgotten_by'])}"
)
if message_raw["status"] != "rejected":
return None
return {
"error_code": message_raw["error_code"],
"details": message_raw["details"],
}
async def watch_messages(
self,
message_filter: Optional[MessageFilter] = None,
) -> AsyncIterable[AlephMessage]:
message_filter = message_filter or MessageFilter()
params = message_filter.as_http_params()
async with self.http_session.ws_connect(
"/api/ws0/messages", params=params
) as ws:
logger.debug("Websocket connected")
async for msg in ws:
if msg.type == aiohttp.WSMsgType.TEXT:
if msg.data == "close cmd":
await ws.close()
break
else:
data = json.loads(msg.data)
yield parse_message(data)
elif msg.type == aiohttp.WSMsgType.ERROR:
break
async def get_estimated_price(
self,
content: ExecutableContent,
) -> PriceResponse:
cleaned_content = content.dict(exclude_none=True)
item_content: str = json.dumps(
cleaned_content,
separators=(",", ":"),
default=extended_json_encoder,
)
message = parse_message(
dict(
sender=content.address,
chain=Chain.ETH,
type=(
MessageType.program
if isinstance(content, ProgramContent)
else MessageType.instance
),
content=cleaned_content,
item_content=item_content,
time=time.time(),
channel=settings.DEFAULT_CHANNEL,
item_type=ItemType.inline,
item_hash=compute_sha256(item_content),
)
)
async with self.http_session.post(
"/api/v0/price/estimate", json=dict(message=message)
) as resp:
try:
resp.raise_for_status()
response_json = await resp.json()
return PriceResponse(
required_tokens=response_json["required_tokens"],
payment_type=response_json["payment_type"],
)
except aiohttp.ClientResponseError as e:
raise e
async def get_program_price(self, item_hash: str) -> PriceResponse:
async with self.http_session.get(f"/api/v0/price/{item_hash}") as resp:
try:
resp.raise_for_status()
response_json = await resp.json()
return PriceResponse(
required_tokens=response_json["required_tokens"],
payment_type=response_json["payment_type"],
)
except aiohttp.ClientResponseError as e:
if e.status == 400:
raise InvalidHashError(f"Bad request or no such hash {item_hash}")
raise e
async def get_message_status(self, item_hash: str) -> MessageStatus:
"""return Status of a message"""
async with self.http_session.get(f"/api/v0/messages/{item_hash}") as resp:
if resp.status == HTTPNotFound.status_code:
raise MessageNotFoundError(f"No such hash {item_hash}")
resp.raise_for_status()
result = await resp.json()
return MessageStatus(result["status"])
async def get_stored_content(
self,
item_hash: str,
) -> StoredContent:
"""return the underlying content for a store message"""
result, resp = None, None
try:
message: AlephMessage
message, status = await self.get_message(
item_hash=ItemHash(item_hash), with_status=True
)
if status != MessageStatus.PROCESSED:
resp = f"Invalid message status: {status}"
elif message.type != MessageType.store:
resp = f"Invalid message type: {message.type}"
elif not message.content.item_hash:
resp = f"Invalid CID: {message.content.item_hash}"
else:
filename = safe_getattr(message.content, "metadata.name")
item_hash = message.content.item_hash
url = (
f"{self.api_server}/api/v0/storage/raw/"
if len(item_hash) == 64
else settings.IPFS_GATEWAY
) + item_hash
result = StoredContent(
filename=filename, hash=item_hash, url=url, error=None
)
except MessageNotFoundError:
resp = f"Message not found: {item_hash}"
except ForgottenMessageError:
resp = f"Message forgotten: {item_hash}"
return (
result
if result
else StoredContent(error=resp, filename=None, hash=None, url=None)
)