-
Notifications
You must be signed in to change notification settings - Fork 422
Expand file tree
/
Copy patherror_handlers.py
More file actions
160 lines (139 loc) · 5.13 KB
/
error_handlers.py
File metadata and controls
160 lines (139 loc) · 5.13 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
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
import functools
import logging
from collections.abc import Awaitable, Callable, Coroutine
from typing import TYPE_CHECKING, Any
if TYPE_CHECKING:
from starlette.responses import JSONResponse, Response
else:
try:
from starlette.responses import JSONResponse, Response
except ImportError:
JSONResponse = Any
Response = Any
from google.protobuf.json_format import ParseError
from a2a.utils.errors import (
A2A_REST_ERROR_MAPPING,
A2AError,
InternalError,
RestErrorMap,
)
logger = logging.getLogger(__name__)
def _build_error_payload(
code: int,
status: str,
message: str,
reason: str | None = None,
metadata: dict[str, Any] | None = None,
) -> dict[str, Any]:
"""Helper function to build the JSON error payload."""
payload: dict[str, Any] = {
'code': code,
'status': status,
'message': message,
}
if reason:
payload['details'] = [
{
'@type': 'type.googleapis.com/google.rpc.ErrorInfo',
'reason': reason,
'domain': 'a2a-protocol.org',
'metadata': metadata if metadata is not None else {},
}
]
return {'error': payload}
def rest_error_handler(
func: Callable[..., Awaitable[Response]],
) -> Callable[..., Awaitable[Response]]:
"""Decorator to catch A2AError and map it to an appropriate JSONResponse."""
@functools.wraps(func)
async def wrapper(*args: Any, **kwargs: Any) -> Response:
try:
return await func(*args, **kwargs)
except A2AError as error:
mapping = A2A_REST_ERROR_MAPPING.get(
type(error), RestErrorMap(500, 'INTERNAL', 'INTERNAL_ERROR')
)
http_code = mapping.http_code
grpc_status = mapping.grpc_status
reason = mapping.reason
log_level = (
logging.ERROR
if isinstance(error, InternalError)
else logging.WARNING
)
logger.log(
log_level,
"Request error: Code=%s, Message='%s'%s",
getattr(error, 'code', 'N/A'),
getattr(error, 'message', str(error)),
f', Data={error.data}' if error.data else '',
)
# SECURITY WARNING: Data attached to A2AError.data is serialized unaltered and exposed publicly to the client in the REST API response.
metadata = getattr(error, 'data', None) or {}
return JSONResponse(
content=_build_error_payload(
code=http_code,
status=grpc_status,
message=getattr(error, 'message', str(error)),
reason=reason,
metadata=metadata,
),
status_code=http_code,
media_type='application/json',
)
except ParseError as error:
logger.warning('Parse error: %s', str(error))
return JSONResponse(
content=_build_error_payload(
code=400,
status='INVALID_ARGUMENT',
message=str(error),
reason='INVALID_REQUEST',
metadata={},
),
status_code=400,
media_type='application/json',
)
except Exception:
logger.exception('Unknown error occurred')
return JSONResponse(
content=_build_error_payload(
code=500,
status='INTERNAL',
message='unknown exception',
),
status_code=500,
media_type='application/json',
)
return wrapper
def rest_stream_error_handler(
func: Callable[..., Coroutine[Any, Any, Any]],
) -> Callable[..., Coroutine[Any, Any, Any]]:
"""Decorator to catch A2AError for a streaming method, log it and then rethrow it to be handled by framework."""
@functools.wraps(func)
async def wrapper(*args: Any, **kwargs: Any) -> Any:
try:
return await func(*args, **kwargs)
except A2AError as error:
log_level = (
logging.ERROR
if isinstance(error, InternalError)
else logging.WARNING
)
logger.log(
log_level,
"Request error: Code=%s, Message='%s'%s",
getattr(error, 'code', 'N/A'),
getattr(error, 'message', str(error)),
f', Data={error.data}' if error.data else '',
)
# Since the stream has started, we can't return a JSONResponse.
# Instead, we run the error handling logic (provides logging)
# and reraise the error and let server framework manage
raise error
except Exception as e:
# Since the stream has started, we can't return a JSONResponse.
# Instead, we run the error handling logic (provides logging)
# and reraise the error and let server framework manage
raise e
return wrapper