livekit-plugins-soniox 1.2.18__py3-none-any.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -0,0 +1,52 @@
1
+ # Copyright 2025 LiveKit, Inc.
2
+ #
3
+ # Licensed under the Apache License, Version 2.0 (the "License");
4
+ # you may not use this file except in compliance with the License.
5
+ # You may obtain a copy of the License at
6
+ #
7
+ # http://www.apache.org/licenses/LICENSE-2.0
8
+ #
9
+ # Unless required by applicable law or agreed to in writing, software
10
+ # distributed under the License is distributed on an "AS IS" BASIS,
11
+ # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12
+ # See the License for the specific language governing permissions and
13
+ # limitations under the License.
14
+
15
+ """Soniox plugin for LiveKit Agents
16
+
17
+ See https://docs.livekit.io/agents/integrations/stt/soniox/ for more information.
18
+ """
19
+
20
+ from .stt import STT, ContextGeneralItem, ContextObject, ContextTranslationTerm, STTOptions
21
+ from .version import __version__
22
+
23
+ __all__ = [
24
+ "STT",
25
+ "STTOptions",
26
+ "ContextObject",
27
+ "ContextGeneralItem",
28
+ "ContextTranslationTerm",
29
+ "__version__",
30
+ ]
31
+
32
+
33
+ from livekit.agents import Plugin
34
+
35
+ from .log import logger
36
+
37
+
38
+ class SonioxPlugin(Plugin):
39
+ def __init__(self):
40
+ super().__init__(__name__, __version__, __package__, logger)
41
+
42
+
43
+ Plugin.register_plugin(SonioxPlugin())
44
+
45
+ # Cleanup docs of unexported modules
46
+ _module = dir()
47
+ NOT_IN_ALL = [m for m in _module if m not in __all__]
48
+
49
+ __pdoc__ = {}
50
+
51
+ for n in NOT_IN_ALL:
52
+ __pdoc__[n] = False
@@ -0,0 +1,3 @@
1
+ import logging
2
+
3
+ logger = logging.getLogger("livekit.plugins.soniox")
File without changes
@@ -0,0 +1,464 @@
1
+ # Copyright 2025 LiveKit, Inc.
2
+ #
3
+ # Licensed under the Apache License, Version 2.0 (the "License");
4
+ # you may not use this file except in compliance with the License.
5
+ # You may obtain a copy of the License at
6
+ #
7
+ # http://www.apache.org/licenses/LICENSE-2.0
8
+ #
9
+ # Unless required by applicable law or agreed to in writing, software
10
+ # distributed under the License is distributed on an "AS IS" BASIS,
11
+ # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12
+ # See the License for the specific language governing permissions and
13
+ # limitations under the License.
14
+
15
+ from __future__ import annotations
16
+
17
+ import asyncio
18
+ import json
19
+ import os
20
+ import time
21
+ from dataclasses import asdict, dataclass
22
+
23
+ import aiohttp
24
+
25
+ from livekit import rtc
26
+ from livekit.agents import (
27
+ APIConnectionError,
28
+ APIConnectOptions,
29
+ APIStatusError,
30
+ APITimeoutError,
31
+ stt,
32
+ utils,
33
+ vad,
34
+ )
35
+ from livekit.agents.stt import SpeechEventType
36
+ from livekit.agents.types import (
37
+ DEFAULT_API_CONNECT_OPTIONS,
38
+ NOT_GIVEN,
39
+ NotGivenOr,
40
+ )
41
+
42
+ from .log import logger
43
+
44
+ # Base URL for Soniox Speech-to-Text API.
45
+ BASE_URL = "wss://stt-rt.soniox.com/transcribe-websocket"
46
+
47
+ # WebSocket messages and tokens.
48
+ KEEPALIVE_MESSAGE = '{"type": "keepalive"}'
49
+ FINALIZE_MESSAGE = '{"type": "finalize"}'
50
+ END_TOKEN = "<end>"
51
+ FINALIZED_TOKEN = "<fin>"
52
+
53
+
54
+ def is_end_token(token: dict) -> bool:
55
+ """Return True if the given token marks an end or finalized event."""
56
+ return token.get("text") in (END_TOKEN, FINALIZED_TOKEN)
57
+
58
+
59
+ @dataclass
60
+ class ContextGeneralItem:
61
+ key: str
62
+ value: str
63
+
64
+
65
+ @dataclass
66
+ class ContextTranslationTerm:
67
+ source: str
68
+ target: str
69
+
70
+
71
+ @dataclass
72
+ class ContextObject:
73
+ """Context object for models with context_version 2, for Soniox stt-rt-v3-preview and higher.
74
+
75
+ Learn more about context in the documentation:
76
+ https://soniox.com/docs/stt/concepts/context
77
+ """
78
+
79
+ general: list[ContextGeneralItem] | None = None
80
+ text: str | None = None
81
+ terms: list[str] | None = None
82
+ translation_terms: list[ContextTranslationTerm] | None = None
83
+
84
+
85
+ @dataclass
86
+ class STTOptions:
87
+ """Configuration options for Soniox Speech-to-Text service."""
88
+
89
+ model: str | None = "stt-rt-preview"
90
+
91
+ language_hints: list[str] | None = None
92
+ context: ContextObject | str | None = None
93
+
94
+ num_channels: int = 1
95
+ sample_rate: int = 16000
96
+
97
+ enable_speaker_diarization: bool = False
98
+ enable_language_identification: bool = True
99
+
100
+ client_reference_id: str | None = None
101
+
102
+
103
+ class STT(stt.STT):
104
+ """Speech-to-Text service using Soniox Speech-to-Text API.
105
+
106
+ This service connects to Soniox Speech-to-Text API for real-time transcription
107
+ with support for multiple languages, custom context, speaker diarization,
108
+ and more.
109
+
110
+ For complete API documentation, see: https://soniox.com/docs/speech-to-text/api-reference/websocket-api
111
+ """
112
+
113
+ def __init__(
114
+ self,
115
+ *,
116
+ api_key: str | None = None,
117
+ base_url: str = BASE_URL,
118
+ http_session: aiohttp.ClientSession | None = None,
119
+ vad: vad.VAD | None = None,
120
+ params: STTOptions | None = None,
121
+ ):
122
+ """Initialize instance of Soniox Speech-to-Text API service.
123
+
124
+ Args:
125
+ api_key: Soniox API key, if not provided, will look for SONIOX_API_KEY env variable.
126
+ base_url: Base URL for Soniox Speech-to-Text API, default to BASE_URL defined in this
127
+ module.
128
+ http_session: Optional aiohttp.ClientSession to use for requests.
129
+ vad: If passed, enable Voice Activity Detection (VAD) for audio frames.
130
+ params: Additional configuration parameters, such as model, language hints, context and
131
+ speaker diarization.
132
+ """
133
+ super().__init__(capabilities=stt.STTCapabilities(streaming=True, interim_results=True))
134
+
135
+ self._api_key = api_key or os.getenv("SONIOX_API_KEY")
136
+ self._base_url = base_url
137
+ self._http_session = http_session
138
+ self._vad_stream = vad.stream() if vad else None
139
+ self._params = params or STTOptions()
140
+
141
+ @property
142
+ def model(self) -> str:
143
+ return "unknown"
144
+
145
+ @property
146
+ def provider(self) -> str:
147
+ return "Soniox"
148
+
149
+ async def _recognize_impl(
150
+ self,
151
+ buffer: utils.AudioBuffer,
152
+ *,
153
+ language: NotGivenOr[str] = NOT_GIVEN,
154
+ conn_options: APIConnectOptions,
155
+ ) -> stt.SpeechEvent:
156
+ """Raise error since single-frame recognition is not supported
157
+ by Soniox Speech-to-Text API."""
158
+ raise NotImplementedError(
159
+ "Soniox Speech-to-Text API does not support single frame recognition"
160
+ )
161
+
162
+ def stream(
163
+ self,
164
+ *,
165
+ language: NotGivenOr[str] = NOT_GIVEN,
166
+ conn_options: APIConnectOptions = DEFAULT_API_CONNECT_OPTIONS,
167
+ ) -> SpeechStream:
168
+ """Return a new LiveKit streaming speech-to-text session."""
169
+ return SpeechStream(
170
+ stt=self,
171
+ conn_options=conn_options,
172
+ )
173
+
174
+
175
+ class SpeechStream(stt.SpeechStream):
176
+ def __init__(
177
+ self,
178
+ stt: STT,
179
+ conn_options: APIConnectOptions = DEFAULT_API_CONNECT_OPTIONS,
180
+ ) -> None:
181
+ """Set up state and queues for a WebSocket-based transcription stream."""
182
+ super().__init__(stt=stt, conn_options=conn_options, sample_rate=stt._params.sample_rate)
183
+ self._stt = stt
184
+ self._ws: aiohttp.ClientWebSocketResponse | None = None
185
+ self._reconnect_event = asyncio.Event()
186
+
187
+ self.audio_queue = asyncio.Queue()
188
+
189
+ self._last_tokens_received: float | None = None
190
+
191
+ def _ensure_session(self) -> aiohttp.ClientSession:
192
+ """Get or create an aiohttp ClientSession for WebSocket connections."""
193
+ if not self._stt._http_session:
194
+ self._stt._http_session = utils.http_context.http_session()
195
+
196
+ return self._stt._http_session
197
+
198
+ async def _connect_ws(self):
199
+ """Open a WebSocket connection to the Soniox Speech-to-Text API and send the
200
+ initial configuration."""
201
+ # If VAD was passed, disable endpoint detection, otherwise enable it.
202
+ enable_endpoint_detection = not self._stt._vad_stream
203
+
204
+ context = self._stt._params.context
205
+ if isinstance(context, ContextObject):
206
+ context = asdict(context)
207
+
208
+ # Create initial config object.
209
+ config = {
210
+ "api_key": self._stt._api_key,
211
+ "model": self._stt._params.model,
212
+ "audio_format": "pcm_s16le",
213
+ "num_channels": self._stt._params.num_channels or 1,
214
+ "enable_endpoint_detection": enable_endpoint_detection,
215
+ "sample_rate": self._stt._params.sample_rate,
216
+ "language_hints": self._stt._params.language_hints,
217
+ "context": context,
218
+ "enable_speaker_diarization": self._stt._params.enable_speaker_diarization,
219
+ "enable_language_identification": self._stt._params.enable_language_identification,
220
+ "client_reference_id": self._stt._params.client_reference_id,
221
+ }
222
+ # Connect to the Soniox Speech-to-Text API.
223
+ ws = await asyncio.wait_for(
224
+ self._ensure_session().ws_connect(self._stt._base_url),
225
+ timeout=self._conn_options.timeout,
226
+ )
227
+ # Set initial configuration message.
228
+ await ws.send_str(json.dumps(config))
229
+ logger.debug("Soniox Speech-to-Text API connection established!")
230
+ return ws
231
+
232
+ async def _run(self) -> None:
233
+ """Manage connection lifecycle, spawning tasks and handling reconnection."""
234
+ while True:
235
+ try:
236
+ ws = await self._connect_ws()
237
+ self._ws = ws
238
+ # Create task for audio processing, voice turn detection and message handling.
239
+ tasks = [
240
+ asyncio.create_task(self._prepare_audio_task()),
241
+ asyncio.create_task(self._handle_vad_task()),
242
+ asyncio.create_task(self._send_audio_task()),
243
+ asyncio.create_task(self._recv_messages_task()),
244
+ asyncio.create_task(self._keepalive_task()),
245
+ ]
246
+ wait_reconnect_task = asyncio.create_task(self._reconnect_event.wait())
247
+ try:
248
+ done, _ = await asyncio.wait(
249
+ [asyncio.gather(*tasks), wait_reconnect_task],
250
+ return_when=asyncio.FIRST_COMPLETED,
251
+ )
252
+
253
+ for task in done:
254
+ if task != wait_reconnect_task:
255
+ task.result()
256
+
257
+ if wait_reconnect_task not in done:
258
+ break
259
+
260
+ self._reconnect_event.clear()
261
+ finally:
262
+ await utils.aio.gracefully_cancel(*tasks, wait_reconnect_task)
263
+ # Handle errors.
264
+ except asyncio.TimeoutError as e:
265
+ logger.error(
266
+ f"Timeout during Soniox Speech-to-Text API connection/initialization: {e}"
267
+ )
268
+ raise APITimeoutError(
269
+ "Timeout connecting to or initializing Soniox Speech-to-Text API session"
270
+ ) from e
271
+
272
+ except aiohttp.ClientResponseError as e:
273
+ logger.error(
274
+ "Soniox Speech-to-Text API status error during session init:"
275
+ + f"{e.status} {e.message}"
276
+ )
277
+ raise APIStatusError(
278
+ message=e.message, status_code=e.status, request_id=None, body=None
279
+ ) from e
280
+
281
+ except aiohttp.ClientError as e:
282
+ logger.error(f"Soniox Speech-to-Text API connection error: {e}")
283
+ raise APIConnectionError(f"Soniox Speech-to-Text API connection error: {e}") from e
284
+
285
+ except Exception as e:
286
+ logger.exception(f"Unexpected error occurred: {e}")
287
+ raise APIConnectionError(f"An unexpected error occurred: {e}") from e
288
+ # Close the WebSocket connection on finish.
289
+ finally:
290
+ if self._ws is not None:
291
+ await self._ws.close()
292
+ self._ws = None
293
+
294
+ async def _keepalive_task(self):
295
+ """Periodically send keepalive messages (while no audio is being sent)
296
+ to maintain the WebSocket connection."""
297
+ try:
298
+ while self._ws:
299
+ await self._ws.send_str(KEEPALIVE_MESSAGE)
300
+ await asyncio.sleep(5)
301
+ except Exception as e:
302
+ logger.error(f"Error while sending keep alive message: {e}")
303
+
304
+ async def _prepare_audio_task(self):
305
+ """Read audio frames, process VAD, and enqueue PCM data for sending."""
306
+ if not self._ws:
307
+ logger.error("WebSocket connection to Soniox Speech-to-Text API is not established")
308
+ return
309
+
310
+ async for data in self._input_ch:
311
+ if self._stt._vad_stream:
312
+ # If VAD is enabled, push the audio frame to the VAD stream.
313
+ if isinstance(data, self._FlushSentinel):
314
+ self._stt._vad_stream.flush()
315
+ else:
316
+ self._stt._vad_stream.push_frame(data)
317
+
318
+ if isinstance(data, rtc.AudioFrame):
319
+ # Get the raw bytes from the audio frame.
320
+ pcm_data = data.data.tobytes()
321
+ self.audio_queue.put_nowait(pcm_data)
322
+
323
+ async def _send_audio_task(self):
324
+ """Take queued audio data and transmit it over the WebSocket."""
325
+ if not self._ws:
326
+ logger.error("WebSocket connection to Soniox Speech-to-Text API is not established")
327
+ return
328
+
329
+ while self._ws:
330
+ try:
331
+ data = await self.audio_queue.get()
332
+
333
+ if isinstance(data, bytes):
334
+ await self._ws.send_bytes(data)
335
+ else:
336
+ await self._ws.send_str(data)
337
+ except asyncio.CancelledError:
338
+ break
339
+ except Exception as e:
340
+ logger.error(f"Error while sending audio data: {e}")
341
+ break
342
+
343
+ async def _handle_vad_task(self):
344
+ """Listen for VAD events to trigger finalize or keepalive messages."""
345
+ if not self._stt._vad_stream:
346
+ logger.debug("VAD stream is not enabled, skipping VAD task")
347
+ return
348
+
349
+ async for event in self._stt._vad_stream:
350
+ if event.type == vad.VADEventType.END_OF_SPEECH:
351
+ self.audio_queue.put_nowait(FINALIZE_MESSAGE)
352
+
353
+ async def _recv_messages_task(self):
354
+ """Receive transcription messages, handle tokens, errors, and dispatch events."""
355
+
356
+ # Transcription frame will be only sent after we get the "endpoint" event.
357
+ final_transcript_buffer = ""
358
+ # Language code sent by Soniox if language detection is enabled (e.g. "en", "de", "fr")
359
+ final_transcript_language: str = ""
360
+
361
+ def send_endpoint_transcript():
362
+ nonlocal final_transcript_buffer, final_transcript_language
363
+ if final_transcript_buffer:
364
+ event = stt.SpeechEvent(
365
+ type=SpeechEventType.FINAL_TRANSCRIPT,
366
+ alternatives=[
367
+ stt.SpeechData(
368
+ text=final_transcript_buffer, language=final_transcript_language
369
+ )
370
+ ],
371
+ )
372
+ self._event_ch.send_nowait(event)
373
+ final_transcript_buffer = ""
374
+ final_transcript_language = ""
375
+
376
+ # Method handles receiving messages from the Soniox Speech-to-Text API.
377
+ while self._ws:
378
+ try:
379
+ async for msg in self._ws:
380
+ if msg.type == aiohttp.WSMsgType.TEXT:
381
+ try:
382
+ content = json.loads(msg.data)
383
+ tokens = content["tokens"]
384
+
385
+ if tokens:
386
+ if len(tokens) == 1 and tokens[0]["text"] == FINALIZED_TOKEN:
387
+ # Ignore finalized token, prevent auto finalize cycle.
388
+ pass
389
+ else:
390
+ # Got at least one token, reset the auto finalize delay.
391
+ self._last_tokens_received = time.time()
392
+
393
+ # We will only send the final tokens after we get the "endpoint" event.
394
+ non_final_transcription = ""
395
+ non_final_transcription_language: str = ""
396
+
397
+ for token in tokens:
398
+ if token["is_final"]:
399
+ if is_end_token(token):
400
+ # Found an endpoint, tokens until here will be sent as
401
+ # transcript, the rest will be sent as interim tokens
402
+ # (even final tokens).
403
+ send_endpoint_transcript()
404
+ else:
405
+ final_transcript_buffer += token["text"]
406
+
407
+ # Soniox provides language for each token,
408
+ # LiveKit requires only a single language for the entire transcription chunk.
409
+ # Current heuristic is to take the first language we see.
410
+ if token.get("language") and not final_transcript_language:
411
+ final_transcript_language = token.get("language")
412
+ else:
413
+ non_final_transcription += token["text"]
414
+ if (
415
+ token.get("language")
416
+ and not non_final_transcription_language
417
+ ):
418
+ non_final_transcription_language = token.get("language")
419
+
420
+ if final_transcript_buffer or non_final_transcription:
421
+ event = stt.SpeechEvent(
422
+ type=SpeechEventType.INTERIM_TRANSCRIPT,
423
+ alternatives=[
424
+ stt.SpeechData(
425
+ text=final_transcript_buffer + non_final_transcription,
426
+ language=final_transcript_language
427
+ if final_transcript_language
428
+ else non_final_transcription_language,
429
+ )
430
+ ],
431
+ )
432
+ self._event_ch.send_nowait(event)
433
+
434
+ error_code = content.get("error_code")
435
+ error_message = content.get("error_message")
436
+
437
+ if error_code or error_message:
438
+ # In case of error, still send the final transcript.
439
+ send_endpoint_transcript()
440
+ logger.error(f"WebSocket error: {error_code} - {error_message}")
441
+
442
+ finished = content.get("finished")
443
+
444
+ if finished:
445
+ # When finished, still send the final transcript.
446
+ send_endpoint_transcript()
447
+ logger.debug("Transcription finished")
448
+
449
+ except Exception as e:
450
+ logger.exception(f"Error processing message: {e}")
451
+ elif msg.type in (
452
+ aiohttp.WSMsgType.CLOSED,
453
+ aiohttp.WSMsgType.CLOSE,
454
+ aiohttp.WSMsgType.CLOSING,
455
+ ):
456
+ break
457
+ else:
458
+ logger.warning(
459
+ f"Unexpected message type from Soniox Speech-to-Text API: {msg.type}"
460
+ )
461
+ except aiohttp.ClientError as e:
462
+ logger.error(f"WebSocket error while receiving: {e}")
463
+ except Exception as e:
464
+ logger.error(f"Unexpected error while receiving messages: {e}")
@@ -0,0 +1,15 @@
1
+ # Copyright 2025 LiveKit, Inc.
2
+ #
3
+ # Licensed under the Apache License, Version 2.0 (the "License");
4
+ # you may not use this file except in compliance with the License.
5
+ # You may obtain a copy of the License at
6
+ #
7
+ # http://www.apache.org/licenses/LICENSE-2.0
8
+ #
9
+ # Unless required by applicable law or agreed to in writing, software
10
+ # distributed under the License is distributed on an "AS IS" BASIS,
11
+ # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12
+ # See the License for the specific language governing permissions and
13
+ # limitations under the License.
14
+
15
+ __version__ = "1.2.18"
@@ -0,0 +1,64 @@
1
+ Metadata-Version: 2.4
2
+ Name: livekit-plugins-soniox
3
+ Version: 1.2.18
4
+ Summary: Agent Framework plugin for services using Soniox's API.
5
+ Project-URL: Documentation, https://docs.livekit.io
6
+ Project-URL: Website, https://livekit.io/
7
+ Project-URL: Source, https://github.com/livekit/agents
8
+ Author-email: Soniox <support@soniox.com>
9
+ License-Expression: Apache-2.0
10
+ Keywords: audio,livekit,realtime,soniox,speech-to-text,webrtc
11
+ Classifier: Intended Audience :: Developers
12
+ Classifier: License :: OSI Approved :: Apache Software License
13
+ Classifier: Programming Language :: Python :: 3
14
+ Classifier: Programming Language :: Python :: 3 :: Only
15
+ Classifier: Programming Language :: Python :: 3.9
16
+ Classifier: Programming Language :: Python :: 3.10
17
+ Classifier: Topic :: Multimedia :: Sound/Audio
18
+ Classifier: Topic :: Scientific/Engineering :: Artificial Intelligence
19
+ Requires-Python: >=3.9.0
20
+ Requires-Dist: livekit-agents>=1.2.18
21
+ Description-Content-Type: text/markdown
22
+
23
+ # Soniox plugin for LiveKit Agents
24
+
25
+ Support for Soniox Speech-to-Text [Soniox](https://soniox.com/) API, using WebSocket streaming interface.
26
+
27
+ See https://docs.livekit.io/agents/integrations/stt/soniox/ for more information.
28
+
29
+ ## Installation
30
+
31
+ ```bash
32
+ pip install livekit-plugins-soniox
33
+ ```
34
+
35
+ ## Pre-requisites
36
+
37
+ The Soniox plugin requires an API key to authenticate. You can get your Soniox API key [here](https://console.soniox.com/).
38
+
39
+ Set API key in your `.env` file:
40
+
41
+ ```
42
+ SONIOX_API_KEY=<your_soniox_api_key>
43
+ ```
44
+
45
+ ## Usage
46
+
47
+ Use Soniox in an `AgentSession` or as a standalone transcription service:
48
+
49
+ ```python
50
+ from livekit.plugins import soniox
51
+
52
+ session = AgentSession(
53
+ stt = soniox.STT(),
54
+ # ... llm, tts, etc.
55
+ )
56
+ ```
57
+
58
+ Congratulations! You are now ready to use Soniox Speech-to-Text API in your LiveKit agents.
59
+
60
+ You can test Soniox Speech-to-Text API in the LiveKit's [Voice AI quickstart](https://docs.livekit.io/agents/start/voice-ai/).
61
+
62
+ ## More information and reference
63
+
64
+ Explore integration details and find comprehensive examples in our [Soniox LiveKit integration guide](https://speechdev.soniox.com/docs/speech-to-text/integrations/livekit).
@@ -0,0 +1,8 @@
1
+ livekit/plugins/soniox/__init__.py,sha256=xCvIeDKtCnq40LelQq4HiB4OG_dpEs_YHsSqFe6qLh0,1361
2
+ livekit/plugins/soniox/log.py,sha256=GNs8rdX3HEj24K-AeVEglYPEXkXTYh0aV_cL0JqVI2c,69
3
+ livekit/plugins/soniox/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
4
+ livekit/plugins/soniox/stt.py,sha256=Emv5Bvuh9c93fQREaASm_nI5VIJmLirTtZYUdqW24n0,18626
5
+ livekit/plugins/soniox/version.py,sha256=QCgsrMAquHr76rIlEOJzzTyGVI058k0RBDT47ZF8JIA,601
6
+ livekit_plugins_soniox-1.2.18.dist-info/METADATA,sha256=htmW7yV8bruRCnAKP1TvxexumQDKMqDYQS8s8LGM8dU,2106
7
+ livekit_plugins_soniox-1.2.18.dist-info/WHEEL,sha256=qtCwoSJWgHk21S1Kb4ihdzI2rlJ1ZKaIurTj_ngOhyQ,87
8
+ livekit_plugins_soniox-1.2.18.dist-info/RECORD,,
@@ -0,0 +1,4 @@
1
+ Wheel-Version: 1.0
2
+ Generator: hatchling 1.27.0
3
+ Root-Is-Purelib: true
4
+ Tag: py3-none-any