File size: 9,078 Bytes
e619418
 
 
7c9213f
e619418
7c9213f
 
e619418
 
 
7c9213f
 
 
e619418
c43da2a
 
e619418
7c9213f
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
e619418
 
 
 
 
 
 
c43da2a
e619418
 
7c9213f
 
 
e619418
7c9213f
 
 
 
 
 
 
e619418
 
 
7c9213f
 
e619418
7c9213f
e619418
7c9213f
e619418
 
 
7c9213f
 
 
 
e619418
 
 
 
 
 
 
 
 
 
 
 
 
 
7c9213f
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
e619418
 
7c9213f
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
e619418
 
7c9213f
 
 
 
 
 
e619418
 
7c9213f
e619418
7c9213f
 
 
 
 
 
 
 
 
 
 
 
 
 
 
e619418
7c9213f
 
 
 
 
61a384d
7c9213f
 
 
 
 
 
 
 
61a384d
7c9213f
 
 
 
 
 
 
 
 
 
61a384d
7c9213f
 
 
 
 
 
 
 
e619418
7c9213f
 
 
 
 
 
 
 
 
 
e619418
7c9213f
 
 
 
61a384d
7c9213f
 
 
 
 
 
e619418
 
 
 
7c9213f
 
 
 
 
 
 
 
 
 
 
e619418
 
 
 
 
 
 
 
 
 
 
7c9213f
e619418
7c9213f
 
 
 
 
61a384d
c43da2a
7c9213f
c43da2a
61a384d
 
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
import asyncio
import dataclasses as dc
import json
import logging
from collections import defaultdict
from collections.abc import Awaitable, Callable, Mapping
from typing import Any, Literal, cast

import httpx
import httpx_sse
from httpx._types import QueryParamTypes, RequestFiles

logger = logging.getLogger(__name__)

Priority = Literal["low", "standard", "high"]


class SSELoopStopped(RuntimeError):
    pass


class Futures[T]:
    @classmethod
    def create_future(cls) -> asyncio.Future[T]:
        return asyncio.get_running_loop().create_future()

    def __init__(self, capacity: int = 256) -> None:
        self.futures = defaultdict[str, asyncio.Future[T]](self.create_future)
        self.capacity = capacity

    def cull(self) -> None:
        while len(self.futures) >= self.capacity:
            del self.futures[next(iter(self.futures))]

    def __getitem__(self, key: str) -> asyncio.Future[T]:
        self.cull()
        return self.futures[key]

    def __delitem__(self, key: str) -> None:
        try:
            del self.futures[key]
        except KeyError:
            pass


@dc.dataclass(kw_only=True)
class EditorAPIContext:
    uri: str
    user: str
    password: str
    priority: Priority = "standard"
    token: str | None = None
    verify: bool | str = True
    default_timeout: float = 60.0
    logger: logging.Logger = logger
    max_sse_failures: int = 5

    _client: httpx.AsyncClient | None = None
    _client_ctx_depth: int = 0
    _sse_futures: Futures[dict[str, Any]] = dc.field(default_factory=Futures)
    _sse_task: asyncio.Task[None] | None = None
    _sse_failures: int = 0
    _sse_last_event_id: str = ""
    _sse_retry_ms: int = 0

    async def __aenter__(self) -> httpx.AsyncClient:
        if self._client:
            assert self._client_ctx_depth > 0
            self._client_ctx_depth += 1
            return self._client
        assert self._client_ctx_depth == 0
        self._client = httpx.AsyncClient(verify=self.verify)
        self._client_ctx_depth = 1
        return self._client

    async def __aexit__(self, *args: Any) -> None:
        if (not self._client) or self._client_ctx_depth <= 0:
            raise RuntimeError("unbalanced __aexit__")
        self._client_ctx_depth -= 1
        if self._client_ctx_depth == 0:
            await self._client.__aexit__(*args)
            self._client = None

    @property
    def auth_headers(self) -> dict[str, str]:
        assert self.token
        return {"Authorization": f"Bearer {self.token}"}

    async def login(self) -> None:
        async with self as client:
            response = await client.post(
                f"{self.uri}/auth/login",
                json={"username": self.user, "password": self.password},
            )
        response.raise_for_status()
        self.logger.debug(f"logged in as {self.user}")
        self.token = response.json()["token"]

    async def request(
        self,
        method: Literal["GET", "POST"],
        url: str,
        files: RequestFiles | None = None,
        params: QueryParamTypes | None = None,
        json: dict[str, Any] | None = None,
        headers: Mapping[str, str] | None = None,
        raise_for_status: bool = True,
    ) -> httpx.Response:
        async def _q() -> httpx.Response:
            return await client.request(
                method,
                f"{self.uri}/{url}",
                headers=dict(headers or {}) | self.auth_headers,
                files=files,
                params=params,
                json=json,
            )

        async with self as client:
            r = await _q()
            if r.status_code == 401:
                self.logger.debug("renewing token")
                await self.login()
                r = await _q()

        if raise_for_status:
            r.raise_for_status()
        return r

    @classmethod
    def decode_json(cls, data: str) -> dict[str, Any] | None:
        try:
            r = json.loads(data)
        except json.JSONDecodeError:
            return None
        if type(r) is not dict:
            return None
        return cast(dict[str, Any], r)

    async def _sse_loop(self) -> None:
        response = await self.request("POST", "sub-auth")
        sub_token = response.json()["token"]
        url = f"{self.uri}/sub/{sub_token}"
        headers = {"Accept": "text/event-stream"}
        if self._sse_last_event_id:
            retry_ms = self._sse_retry_ms + 1000 * 2**self._sse_failures
            self.logger.info(f"resuming SSE from event {self._sse_last_event_id} in {retry_ms} ms")
            await asyncio.sleep(retry_ms / 1000)
            headers["Last-Event-ID"] = self._sse_last_event_id
        async with (
            httpx.AsyncClient(timeout=None, verify=self.verify) as c,
            httpx_sse.aconnect_sse(c, "GET", url, headers=headers) as es,
        ):
            es.response.raise_for_status()
            self._sse_futures["_sse_loop"].set_result({"status": "ok"})
            try:
                async for sse in es.aiter_sse():
                    self._sse_last_event_id = sse.id
                    self._sse_retry_ms = sse.retry or 0
                    jdata = self.decode_json(sse.data)
                    if (jdata is None) or ("state" not in jdata):
                        # Note: when the server restarts we typically get an
                        # empty string here, then the loop exits.
                        self.logger.warning(f"unexpected SSE data: {sse.data}")
                        continue
                    self._sse_futures[jdata["state"]].set_result(jdata)
            except asyncio.CancelledError:
                pass

    async def sse_start(self) -> None:
        assert self._sse_task is None
        self._sse_last_event_id = ""
        self._sse_retry_ms = 0
        self._sse_task = asyncio.create_task(self._sse_loop())
        assert await self.sse_await("_sse_loop")
        self._sse_failures = 0

    async def sse_recover(self) -> bool:
        while True:
            if self._sse_failures > self.max_sse_failures:
                return False
            self._sse_task = asyncio.create_task(self._sse_loop())
            try:
                assert await self.sse_await("_sse_loop")
                return True
            except SSELoopStopped:
                pass

    async def sse_stop(self) -> None:
        assert self._sse_task
        self._sse_task.cancel()
        await self._sse_task
        self._sse_task = None

    async def sse_await(self, state_id: str, timeout: float | None = None) -> bool:
        assert self._sse_task
        future = self._sse_futures[state_id]

        while True:
            done, _ = await asyncio.wait(
                {future, self._sse_task},
                timeout=timeout or self.default_timeout,
                return_when=asyncio.FIRST_COMPLETED,
            )
            if not done:
                raise TimeoutError(f"state {state_id} timed out after {timeout}")
            if self._sse_task in done:
                self._sse_failures += 1
                if state_id != "_sse_loop" and (await self.sse_recover()):
                    self._sse_failures = 0
                    continue
                exception = self._sse_task.exception()
                raise SSELoopStopped(f"SSE loop stopped while waiting for state {state_id}") from exception
            break

        assert done == {future}

        jdata = future.result()
        del self._sse_futures[state_id]
        return jdata["status"] == "ok"

    async def get_meta(self, state_id: str) -> dict[str, Any]:
        response = await self.request("GET", f"state/meta/{state_id}")
        return response.json()

    async def _run_one[Tin, Tout](
        self,
        co: Callable[["EditorAPIContext", Tin], Awaitable[Tout]],
        params: Tin,
    ) -> Tout:
        # This wraps the coroutine in the SSE loop.
        # This is mostly useful if you use synchronous Python,
        # otherwise you can call the functions directly.
        if not self.token:
            await self.login()
        await self.sse_start()
        try:
            r = await co(self, params)
            return r
        finally:
            await self.sse_stop()

    def run_one_sync[Tin, Tout](
        self,
        co: Callable[["EditorAPIContext", Tin], Awaitable[Tout]],
        params: Tin,
    ) -> Tout:
        try:
            loop = asyncio.get_event_loop()
        except RuntimeError:
            loop = asyncio.new_event_loop()
            asyncio.set_event_loop(loop)
        return loop.run_until_complete(self._run_one(co, params))

    async def call_skill(
        self,
        uri: str,
        params: dict[str, Any] | None,
        timeout: float | None = None,
    ) -> tuple[str, bool]:
        params = {"priority": self.priority} | (params or {})
        response = await self.request("POST", f"skills/{uri}", json=params)
        state_id = response.json()["state"]
        status = await self.sse_await(state_id, timeout=timeout)
        return state_id, status