File: aiohttp.py

package info (click to toggle)
python-gql 4.0.0-1
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid
  • size: 1,900 kB
  • sloc: python: 21,677; makefile: 54
file content (278 lines) | stat: -rw-r--r-- 10,764 bytes parent folder | download
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
import asyncio
import logging
from ssl import SSLContext
from typing import Any, Dict, Literal, Mapping, Optional, Union

import aiohttp
from aiohttp import BasicAuth, ClientWSTimeout, Fingerprint, WSMsgType
from aiohttp.typedefs import LooseHeaders, StrOrURL
from multidict import CIMultiDictProxy

from ...exceptions import TransportConnectionFailed, TransportProtocolError
from ..aiohttp_closed_event import create_aiohttp_closed_event
from .connection import AdapterConnection

log = logging.getLogger("gql.transport.common.adapters.aiohttp")


class AIOHTTPWebSocketsAdapter(AdapterConnection):
    """AdapterConnection implementation using the aiohttp library."""

    def __init__(
        self,
        url: StrOrURL,
        *,
        headers: Optional[LooseHeaders] = None,
        ssl: Optional[Union[SSLContext, Literal[False], Fingerprint]] = None,
        session: Optional[aiohttp.ClientSession] = None,
        client_session_args: Optional[Dict[str, Any]] = None,
        connect_args: Optional[Dict[str, Any]] = None,
        heartbeat: Optional[float] = None,
        auth: Optional[BasicAuth] = None,
        origin: Optional[str] = None,
        params: Optional[Mapping[str, str]] = None,
        proxy: Optional[StrOrURL] = None,
        proxy_auth: Optional[BasicAuth] = None,
        proxy_headers: Optional[LooseHeaders] = None,
        websocket_close_timeout: float = 10.0,
        receive_timeout: Optional[float] = None,
        ssl_close_timeout: Optional[Union[int, float]] = 10,
    ) -> None:
        """Initialize the transport with the given parameters.

        :param url: The GraphQL server URL. Example: 'wss://server.com:PORT/graphql'.
        :param headers: Dict of HTTP Headers.
        :param ssl: SSL validation mode. ``True`` for default SSL check
                      (:func:`ssl.create_default_context` is used),
                      ``False`` for skip SSL certificate validation,
                      :class:`aiohttp.Fingerprint` for fingerprint
                      validation, :class:`ssl.SSLContext` for custom SSL
                      certificate validation.
        :param session: Optional aiohttp opened session.
        :param client_session_args: Dict of extra args passed to
                :class:`aiohttp.ClientSession`
        :param connect_args: Dict of extra args passed to
                :meth:`aiohttp.ClientSession.ws_connect`

        :param float heartbeat: Send low level `ping` message every `heartbeat`
                                seconds and wait `pong` response, close
                                connection if `pong` response is not
                                received. The timer is reset on any data reception.
        :param auth: An object that represents HTTP Basic Authorization.
                     :class:`~aiohttp.BasicAuth` (optional)
        :param str origin: Origin header to send to server(optional)
        :param params: Mapping, iterable of tuple of *key*/*value* pairs or
                       string to be sent as parameters in the query
                       string of the new request. Ignored for subsequent
                       redirected requests (optional)

                       Allowed values are:

                       - :class:`collections.abc.Mapping` e.g. :class:`dict`,
                         :class:`multidict.MultiDict` or
                         :class:`multidict.MultiDictProxy`
                       - :class:`collections.abc.Iterable` e.g. :class:`tuple` or
                         :class:`list`
                       - :class:`str` with preferably url-encoded content
                         (**Warning:** content will not be encoded by *aiohttp*)
        :param proxy: Proxy URL, :class:`str` or :class:`~yarl.URL` (optional)
        :param aiohttp.BasicAuth proxy_auth: an object that represents proxy HTTP
                                             Basic Authorization (optional)
        :param float websocket_close_timeout: Timeout for websocket to close.
                                              ``10`` seconds by default
        :param float receive_timeout: Timeout for websocket to receive
                                      complete message.  ``None`` (unlimited)
                                      seconds by default
        :param ssl_close_timeout: Timeout in seconds to wait for the ssl connection
                                  to close properly
        """
        super().__init__(
            url=str(url),
            connect_args=connect_args,
        )

        self._headers: Optional[LooseHeaders] = headers
        self.ssl: Optional[Union[SSLContext, Literal[False], Fingerprint]] = ssl

        self.session: Optional[aiohttp.ClientSession] = session
        self._using_external_session = True if self.session else False

        if client_session_args is None:
            client_session_args = {}
        self.client_session_args = client_session_args

        self.heartbeat: Optional[float] = heartbeat
        self.auth: Optional[BasicAuth] = auth
        self.origin: Optional[str] = origin
        self.params: Optional[Mapping[str, str]] = params

        self.proxy: Optional[StrOrURL] = proxy
        self.proxy_auth: Optional[BasicAuth] = proxy_auth
        self.proxy_headers: Optional[LooseHeaders] = proxy_headers

        self.websocket_close_timeout: float = websocket_close_timeout
        self.receive_timeout: Optional[float] = receive_timeout

        self.ssl_close_timeout: Optional[Union[int, float]] = ssl_close_timeout

        self.websocket: Optional[aiohttp.ClientWebSocketResponse] = None
        self._response_headers: Optional[CIMultiDictProxy[str]] = None

    async def connect(self) -> None:
        """Connect to the WebSocket server."""

        assert self.websocket is None

        # Create a session if necessary
        if self.session is None:
            client_session_args: Dict[str, Any] = {}

            # Adding custom parameters passed from init
            client_session_args.update(self.client_session_args)  # type: ignore

            self.session = aiohttp.ClientSession(**client_session_args)

        ws_timeout = ClientWSTimeout(
            ws_receive=self.receive_timeout,
            ws_close=self.websocket_close_timeout,
        )

        connect_args: Dict[str, Any] = {
            "url": self.url,
            "headers": self.headers,
            "auth": self.auth,
            "heartbeat": self.heartbeat,
            "origin": self.origin,
            "params": self.params,
            "proxy": self.proxy,
            "proxy_auth": self.proxy_auth,
            "proxy_headers": self.proxy_headers,
            "timeout": ws_timeout,
        }

        if self.subprotocols:
            connect_args["protocols"] = self.subprotocols

        if self.ssl is not None:
            connect_args["ssl"] = self.ssl

        # Adding custom parameters passed from init
        connect_args.update(self.connect_args)

        try:
            self.websocket = await self.session.ws_connect(
                **connect_args,
            )
        except Exception as e:
            raise TransportConnectionFailed("Connect failed") from e

        self._response_headers = self.websocket._response.headers

    async def send(self, message: str) -> None:
        """Send message to the WebSocket server.

        Args:
            message: String message to send

        Raises:
            TransportConnectionFailed: If connection closed
        """
        if self.websocket is None:
            raise TransportConnectionFailed("WebSocket connection is already closed")

        try:
            await self.websocket.send_str(message)
        except Exception as e:
            raise TransportConnectionFailed(
                f"Error trying to send data: {type(e).__name__}"
            ) from e

    async def receive(self) -> str:
        """Receive message from the WebSocket server.

        Returns:
            String message received

        Raises:
            TransportConnectionFailed: If connection closed
            TransportProtocolError: If protocol error or binary data received
        """
        # It is possible that the websocket has been already closed in another task
        if self.websocket is None:
            raise TransportConnectionFailed("Connection is already closed")

        while True:
            # Should not raise any exception:
            # https://docs.aiohttp.org/en/stable/_modules/aiohttp/client_ws.html
            #                                           #ClientWebSocketResponse.receive
            ws_message = await self.websocket.receive()

            # Ignore low-level ping and pong received
            if ws_message.type not in (WSMsgType.PING, WSMsgType.PONG):
                break

        if ws_message.type in (
            WSMsgType.CLOSE,
            WSMsgType.CLOSED,
            WSMsgType.CLOSING,
            WSMsgType.ERROR,
        ):
            raise TransportConnectionFailed("Connection was closed")
        elif ws_message.type is WSMsgType.BINARY:
            raise TransportProtocolError("Binary data received in the websocket")

        assert ws_message.type is WSMsgType.TEXT

        answer: str = ws_message.data

        return answer

    async def _close_session(self) -> None:
        """Close the aiohttp session."""

        assert self.session is not None

        closed_event = create_aiohttp_closed_event(self.session)
        await self.session.close()
        try:
            await asyncio.wait_for(closed_event.wait(), self.ssl_close_timeout)
        except asyncio.TimeoutError:
            pass
        finally:
            self.session = None

    async def close(self) -> None:
        """Close the WebSocket connection."""

        if self.websocket:
            websocket = self.websocket
            self.websocket = None
            try:
                await websocket.close()
            except Exception as exc:  # pragma: no cover
                log.warning("websocket.close() exception: " + repr(exc))

        if self.session and not self._using_external_session:
            await self._close_session()

    @property
    def headers(self) -> Optional[LooseHeaders]:
        """Get the response headers from the WebSocket connection.

        Returns:
            Dictionary of response headers
        """
        if self._headers:
            return self._headers
        return {}

    @property
    def response_headers(self) -> Dict[str, str]:
        """Get the response headers from the WebSocket connection.

        Returns:
            Dictionary of response headers
        """
        if self._response_headers:
            return dict(self._response_headers)
        return {}