prismatoid 0.4.1__cp314-cp314-win_arm64.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.
bin/concrt140.dll ADDED
Binary file
bin/msvcp140.dll ADDED
Binary file
bin/msvcp140_1.dll ADDED
Binary file
bin/msvcp140_2.dll ADDED
Binary file
Binary file
Binary file
bin/ucrtbase.dll ADDED
Binary file
bin/vcruntime140.dll ADDED
Binary file
bin/vcruntime140_1.dll ADDED
Binary file
prism/__init__.py ADDED
@@ -0,0 +1,3 @@
1
+ from .core import Backend, BackendId, Context, PrismException
2
+
3
+ __all__ = ["Backend", "BackendId", "Context", "PrismException"]
Binary file
Binary file
Binary file
prism/core.py ADDED
@@ -0,0 +1,374 @@
1
+ import sys
2
+ from enum import IntEnum
3
+
4
+ from .lib import ffi, lib
5
+
6
+ if sys.platform == "win32":
7
+ try:
8
+ from win32more.Windows.Win32.Foundation import HWND
9
+ except ImportError:
10
+ HWND = int
11
+ else:
12
+ HWND = int
13
+
14
+
15
+ class BackendId(IntEnum):
16
+ INVALID = 0
17
+ SAPI = 0x1D6DF72422CEEE66
18
+ AV_SPEECH = 0x28E3429577805C24
19
+ VOICE_OVER = 0xCB4897961A754BCB
20
+ SPEECH_DISPATCHER = 0xE3D6F895D949EBFE
21
+ NVDA = 0x89CC19C5C4AC1A56
22
+ JAWS = 0xAC3D60E9BD84B53E
23
+ ONE_CORE = 0x6797D32F0D994CB4
24
+ ORCA = 0x10AA1FC05A17F96C
25
+ ANDROID_SCREEN_READER = 0xD199C175AEEC494B
26
+ ANDROID_TTS = 0xBC175831BFE4E5CC
27
+ WEB_SPEECH = 0x3572538D44D44A8F
28
+ UIA = 0x6238F019DB678F8E
29
+ ZDSR = 0xAF63B44C8601A843
30
+ ZOOM_TEXT = 0xAE439D62DC7B1479
31
+
32
+
33
+ class PrismError(Exception):
34
+ """Base class for all Prism-related errors."""
35
+
36
+ def __init__(self, code: lib.PrismError, message: str | None = None) -> None:
37
+ self.code = code
38
+ self.message = message
39
+ super().__init__(message or f"Prism Error Code: {code}")
40
+
41
+
42
+ class PrismNotInitializedError(PrismError, RuntimeError):
43
+ """PRISM_ERROR_NOT_INITIALIZED"""
44
+
45
+
46
+ class PrismAlreadyInitializedError(PrismError, RuntimeError):
47
+ """PRISM_ERROR_ALREADY_INITIALIZED"""
48
+
49
+
50
+ class PrismInvalidOperationError(PrismError, RuntimeError):
51
+ """PRISM_ERROR_INVALID_OPERATION"""
52
+
53
+
54
+ class PrismInternalError(PrismError, RuntimeError):
55
+ """PRISM_ERROR_INTERNAL"""
56
+
57
+
58
+ class PrismBackendNotAvailableError(PrismError, RuntimeError):
59
+ """PRISM_ERROR_BACKEND_NOT_AVAILABLE"""
60
+
61
+
62
+ class PrismNotImplementedError(PrismError, NotImplementedError):
63
+ """PRISM_ERROR_NOT_IMPLEMENTED"""
64
+
65
+
66
+ class PrismInvalidParamError(PrismError, ValueError):
67
+ """PRISM_ERROR_INVALID_PARAM"""
68
+
69
+
70
+ class PrismRangeError(PrismError, IndexError):
71
+ """PRISM_ERROR_RANGE_OUT_OF_BOUNDS"""
72
+
73
+
74
+ class PrismInvalidUtf8Error(PrismError, UnicodeError):
75
+ """PRISM_ERROR_INVALID_UTF8"""
76
+
77
+
78
+ class PrismNotSpeakingError(PrismError):
79
+ """PRISM_ERROR_NOT_SPEAKING"""
80
+
81
+
82
+ class PrismNotPausedError(PrismError):
83
+ """PRISM_ERROR_NOT_PAUSED"""
84
+
85
+
86
+ class PrismAlreadyPausedError(PrismError):
87
+ """PRISM_ERROR_ALREADY_PAUSED"""
88
+
89
+
90
+ class PrismSpeakError(PrismError, IOError):
91
+ """PRISM_ERROR_SPEAK_FAILURE"""
92
+
93
+
94
+ class PrismNoVoicesError(PrismError):
95
+ """PRISM_ERROR_NO_VOICES"""
96
+
97
+
98
+ class PrismVoiceNotFoundError(PrismError, LookupError):
99
+ """PRISM_ERROR_VOICE_NOT_FOUND"""
100
+
101
+
102
+ class PrismMemoryError(PrismError, MemoryError):
103
+ """PRISM_ERROR_MEMORY_FAILURE"""
104
+
105
+
106
+ class PrismUnknownError(PrismError):
107
+ """PRISM_ERROR_UNKNOWN"""
108
+
109
+
110
+ _ERROR_MAP = {
111
+ lib.PRISM_ERROR_NOT_INITIALIZED: PrismNotInitializedError,
112
+ lib.PRISM_ERROR_INVALID_PARAM: PrismInvalidParamError,
113
+ lib.PRISM_ERROR_NOT_IMPLEMENTED: PrismNotImplementedError,
114
+ lib.PRISM_ERROR_NO_VOICES: PrismNoVoicesError,
115
+ lib.PRISM_ERROR_VOICE_NOT_FOUND: PrismVoiceNotFoundError,
116
+ lib.PRISM_ERROR_SPEAK_FAILURE: PrismSpeakError,
117
+ lib.PRISM_ERROR_MEMORY_FAILURE: PrismMemoryError,
118
+ lib.PRISM_ERROR_RANGE_OUT_OF_BOUNDS: PrismRangeError,
119
+ lib.PRISM_ERROR_INTERNAL: PrismInternalError,
120
+ lib.PRISM_ERROR_NOT_SPEAKING: PrismNotSpeakingError,
121
+ lib.PRISM_ERROR_NOT_PAUSED: PrismNotPausedError,
122
+ lib.PRISM_ERROR_ALREADY_PAUSED: PrismAlreadyPausedError,
123
+ lib.PRISM_ERROR_INVALID_UTF8: PrismInvalidUtf8Error,
124
+ lib.PRISM_ERROR_INVALID_OPERATION: PrismInvalidOperationError,
125
+ lib.PRISM_ERROR_ALREADY_INITIALIZED: PrismAlreadyInitializedError,
126
+ lib.PRISM_ERROR_BACKEND_NOT_AVAILABLE: PrismBackendNotAvailableError,
127
+ lib.PRISM_ERROR_UNKNOWN: PrismUnknownError,
128
+ }
129
+
130
+
131
+ def _check_error(error_code: int) -> None:
132
+ """
133
+ Checks the error code. If it is OK, returns None.
134
+ Otherwise, raises the appropriate PrismError.
135
+ """
136
+ if error_code == 0:
137
+ return
138
+ exc_class = _ERROR_MAP.get(error_code, PrismUnknownError)
139
+ msg_ptr = lib.prism_error_string(error_code)
140
+ msg = ffi.string(msg_ptr).decode("utf-8")
141
+ raise exc_class(error_code, msg)
142
+
143
+
144
+ class Backend:
145
+ _raw = None
146
+
147
+ def __init__(self, raw_ptr: lib.PrismBackend) -> None:
148
+ if raw_ptr == ffi.NULL:
149
+ raise RuntimeError("Backend raw pointer MUST NOT be NULL!")
150
+ self._raw = raw_ptr
151
+ res = lib.prism_backend_initialize(self._raw)
152
+ if res not in {lib.PRISM_OK, lib.PRISM_ERROR_ALREADY_INITIALIZED}:
153
+ _check_error(res)
154
+
155
+ def __del__(self) -> None:
156
+ lib.prism_backend_free(self._raw)
157
+ self._raw = None
158
+
159
+ @property
160
+ def name(self) -> str:
161
+ return ffi.string(lib.prism_backend_name(self._raw)).decode("utf-8")
162
+
163
+ def speak(self, text: str, interrupt: bool = False) -> None:
164
+ if len(text) == 0:
165
+ raise PrismInvalidParamError(
166
+ lib.PRISM_ERROR_INVALID_PARAM,
167
+ "Text MUST NOT be empty",
168
+ )
169
+ return _check_error(
170
+ lib.prism_backend_speak(self._raw, text.encode("utf-8"), interrupt),
171
+ )
172
+
173
+ def speak_to_memory(self, text: str, on_audio_data) -> None:
174
+ if len(text) == 0:
175
+ raise PrismInvalidParamError(
176
+ lib.PRISM_ERROR_INVALID_PARAM,
177
+ "Text MUST NOT be empty",
178
+ )
179
+
180
+ @ffi.callback("void(void *, const float *, size_t, size_t, size_t)")
181
+ def audio_callback_shim(
182
+ _userdata, samples_ptr: int, count, channels, rate
183
+ ) -> None:
184
+ pcm_data = ffi.unpack(samples_ptr, count * channels)
185
+ on_audio_data(pcm_data, channels, rate)
186
+
187
+ self._active_callback = audio_callback_shim
188
+ return _check_error(
189
+ lib.prism_backend_speak_to_memory(
190
+ self._raw,
191
+ text.encode("utf-8"),
192
+ audio_callback_shim,
193
+ ffi.NULL,
194
+ ),
195
+ )
196
+
197
+ def braille(self, text: str) -> None:
198
+ if len(text) == 0:
199
+ raise PrismInvalidParamError(
200
+ lib.PRISM_ERROR_INVALID_PARAM,
201
+ "Text MUST NOT be empty",
202
+ )
203
+ return _check_error(lib.prism_backend_braille(self._raw, text.encode("utf-8")))
204
+
205
+ def output(self, text: str, interrupt: bool = False) -> None:
206
+ if len(text) == 0:
207
+ raise PrismInvalidParamError(
208
+ lib.PRISM_ERROR_INVALID_PARAM,
209
+ "Text MUST NOT be empty",
210
+ )
211
+ return _check_error(
212
+ lib.prism_backend_output(self._raw, text.encode("utf-8"), interrupt),
213
+ )
214
+
215
+ def stop(self) -> None:
216
+ return _check_error(lib.prism_backend_stop(self._raw))
217
+
218
+ def pause(self) -> None:
219
+ return _check_error(lib.prism_backend_pause(self._raw))
220
+
221
+ def resume(self) -> None:
222
+ return _check_error(lib.prism_backend_resume(self._raw))
223
+
224
+ @property
225
+ def speaking(self) -> bool:
226
+ p_speaking = ffi.new("bool*")
227
+ _check_error(lib.prism_backend_is_speaking(self._raw, p_speaking))
228
+ return p_speaking[0]
229
+
230
+ @property
231
+ def volume(self) -> float:
232
+ p_volume = ffi.new("float*")
233
+ _check_error(lib.prism_backend_get_volume(self._raw, p_volume))
234
+ return p_volume[0]
235
+
236
+ @volume.setter
237
+ def volume(self, volume: float) -> None:
238
+ return _check_error(lib.prism_backend_set_volume(self._raw, volume))
239
+
240
+ @property
241
+ def rate(self) -> float:
242
+ p_rate = ffi.new("float*")
243
+ _check_error(lib.prism_backend_get_rate(self._raw, p_rate))
244
+ return p_rate[0]
245
+
246
+ @rate.setter
247
+ def rate(self, rate: float) -> None:
248
+ return _check_error(lib.prism_backend_set_rate(self._raw, rate))
249
+
250
+ @property
251
+ def pitch(self) -> float:
252
+ p_pitch = ffi.new("float*")
253
+ _check_error(lib.prism_backend_get_pitch(self._raw, p_pitch))
254
+ return p_pitch[0]
255
+
256
+ @pitch.setter
257
+ def pitch(self, pitch: float) -> None:
258
+ return _check_error(lib.prism_backend_set_pitch(self._raw, pitch))
259
+
260
+ def refresh_voices(self) -> None:
261
+ return _check_error(lib.prism_backend_refresh_voices(self._raw))
262
+
263
+ @property
264
+ def voices_count(self) -> int:
265
+ out_count = ffi.new("size_t*")
266
+ _check_error(lib.prism_backend_count_voices(self._raw, out_count))
267
+ return out_count[0]
268
+
269
+ def get_voice_name(self, idx: int) -> str:
270
+ pp_name = ffi.new("char **")
271
+ _check_error(lib.prism_backend_get_voice_name(self._raw, idx, pp_name))
272
+ return ffi.string(pp_name[0]).decode("utf-8")
273
+
274
+ def get_voice_language(self, idx: int) -> str:
275
+ pp_lang = ffi.new("char **")
276
+ _check_error(lib.prism_backend_get_voice_language(self._raw, idx, pp_lang))
277
+ return ffi.string(pp_lang[0]).decode("utf-8")
278
+
279
+ @property
280
+ def voice(self) -> int:
281
+ out_voice_id = ffi.new("size_t*")
282
+ _check_error(lib.prism_backend_get_voice(self._raw, out_voice_id))
283
+ return out_voice_id[0]
284
+
285
+ @voice.setter
286
+ def voice(self, idx: int) -> None:
287
+ return _check_error(lib.prism_backend_set_voice(self._raw, idx))
288
+
289
+ @property
290
+ def channels(self) -> int:
291
+ out_channels = ffi.new("size_t*")
292
+ _check_error(lib.prism_backend_get_channels(self._raw, out_channels))
293
+ return out_channels[0]
294
+
295
+ @property
296
+ def sample_rate(self) -> int:
297
+ out_sample_rate = ffi.new("size_t*")
298
+ _check_error(lib.prism_backend_get_sample_rate(self._raw, out_sample_rate))
299
+ return out_sample_rate[0]
300
+
301
+ @property
302
+ def bit_depth(self) -> int:
303
+ out_bit_depth = ffi.new("size_t*")
304
+ _check_error(lib.prism_backend_get_bit_depth(self._raw, out_bit_depth))
305
+ return out_bit_depth[0]
306
+
307
+
308
+ class Context:
309
+ _ctx: lib.PrismContext = None
310
+
311
+ def __init__(self, hwnd: HWND | int | None = None) -> None:
312
+ config = lib.prism_config_init()
313
+ if hwnd is not None:
314
+ config.platform_data = ffi.cast("void*", int(hwnd))
315
+ self._ctx = lib.prism_init(ffi.new("PrismConfig *", config))
316
+ if self._ctx == ffi.NULL:
317
+ raise RuntimeError("Prism could not be initialized")
318
+
319
+ def __del__(self):
320
+ if hasattr(self, "_ctx") and self._ctx:
321
+ lib.prism_shutdown(self._ctx)
322
+ self._ctx = None
323
+
324
+ @property
325
+ def backends_count(self) -> int:
326
+ return lib.prism_registry_count(self._ctx)
327
+
328
+ def id_of(self, index_or_name: int | str) -> BackendId:
329
+ if isinstance(index_or_name, int):
330
+ res = lib.prism_registry_id_at(self._ctx, index_or_name)
331
+ elif isinstance(index_or_name, str):
332
+ res = lib.prism_registry_id(self._ctx, index_or_name.encode("utf-8"))
333
+ else:
334
+ raise TypeError("Expected int or string")
335
+ try:
336
+ return BackendId(res)
337
+ except ValueError as e:
338
+ raise ValueError(f"Prism returned unknown backend ID: {res:#x}") from e
339
+
340
+ def name_of(self, backend_id: BackendId) -> str:
341
+ c_ptr = lib.prism_registry_name(self._ctx, backend_id)
342
+ if c_ptr == ffi.NULL:
343
+ raise ValueError("Backend ID not found")
344
+ return ffi.string(c_ptr).decode("utf-8")
345
+
346
+ def priority_of(self, backend_id: BackendId) -> int:
347
+ return lib.prism_registry_priority(self._ctx, backend_id)
348
+
349
+ def exists(self, backend_id: BackendId) -> bool:
350
+ return bool(lib.prism_registry_exists(self._ctx, backend_id))
351
+
352
+ def create(self, backend_id: BackendId) -> Backend:
353
+ res = lib.prism_registry_create(self._ctx, int(backend_id))
354
+ if res == ffi.NULL:
355
+ raise ValueError("Invalid or unsupported backend")
356
+ return Backend(res)
357
+
358
+ def create_best(self) -> Backend:
359
+ res = lib.prism_registry_create_best(self._ctx)
360
+ if res == ffi.NULL:
361
+ raise ValueError("Invalid or unsupported backend")
362
+ return Backend(res)
363
+
364
+ def acquire(self, backend_id: BackendId) -> Backend:
365
+ res = lib.prism_registry_acquire(self._ctx, int(backend_id))
366
+ if res == ffi.NULL:
367
+ raise ValueError("Invalid or unsupported backend")
368
+ return Backend(res)
369
+
370
+ def acquire_best(self) -> Backend:
371
+ res = lib.prism_registry_acquire_best(self._ctx)
372
+ if res == ffi.NULL:
373
+ raise ValueError("Invalid or unsupported backend")
374
+ return Backend(res)
prism/lib.py ADDED
@@ -0,0 +1,230 @@
1
+ import contextlib
2
+ import importlib
3
+ import os
4
+ import sys
5
+ from pathlib import Path
6
+
7
+ from cffi import FFI
8
+
9
+
10
+ def _find_native_dir() -> str:
11
+ local_path = Path(__file__).parent / "_native"
12
+ if local_path.exists() and any(local_path.iterdir()):
13
+ return local_path
14
+ relative_path = Path("prism") / "_native"
15
+ for path in sys.path:
16
+ if not path:
17
+ continue
18
+ candidate = Path(path) / relative_path
19
+ if (candidate / "prism.dll").exists():
20
+ return candidate.resolve()
21
+
22
+ return local_path
23
+
24
+
25
+ dll_home = _find_native_dir()
26
+ with contextlib.suppress(AttributeError):
27
+ os.add_dll_directory(str(dll_home))
28
+
29
+
30
+ def _is_android() -> bool:
31
+ with contextlib.suppress(ImportError):
32
+ if importlib.util.find_spec("", "android") is not None:
33
+ return True
34
+ if sys.platform == "linux":
35
+ with contextlib.suppress(FileNotFoundError), Path("/system/build.prop").open():
36
+ return True
37
+ return False
38
+
39
+
40
+ ffi = FFI()
41
+ if sys.platform == "win32" or _is_android():
42
+ ffi.cdef(r"""// SPDX-License-Identifier: MPL-2.0
43
+
44
+ typedef struct PrismContext PrismContext;
45
+ typedef struct PrismBackend PrismBackend;
46
+ typedef uint64_t PrismBackendId;
47
+ typedef struct {
48
+ uint8_t version;
49
+ void* platform_data;
50
+ } PrismConfig;
51
+
52
+ typedef enum PrismError {
53
+ PRISM_OK = 0,
54
+ PRISM_ERROR_NOT_INITIALIZED,
55
+ PRISM_ERROR_INVALID_PARAM,
56
+ PRISM_ERROR_NOT_IMPLEMENTED,
57
+ PRISM_ERROR_NO_VOICES,
58
+ PRISM_ERROR_VOICE_NOT_FOUND,
59
+ PRISM_ERROR_SPEAK_FAILURE,
60
+ PRISM_ERROR_MEMORY_FAILURE,
61
+ PRISM_ERROR_RANGE_OUT_OF_BOUNDS,
62
+ PRISM_ERROR_INTERNAL,
63
+ PRISM_ERROR_NOT_SPEAKING,
64
+ PRISM_ERROR_NOT_PAUSED,
65
+ PRISM_ERROR_ALREADY_PAUSED,
66
+ PRISM_ERROR_INVALID_UTF8,
67
+ PRISM_ERROR_INVALID_OPERATION,
68
+ PRISM_ERROR_ALREADY_INITIALIZED,
69
+ PRISM_ERROR_BACKEND_NOT_AVAILABLE,
70
+ PRISM_ERROR_UNKNOWN,
71
+ PRISM_ERROR_COUNT
72
+ } PrismError;
73
+
74
+ typedef void(PrismAudioCallback)(
75
+ void *userdata, const float *samples, size_t sample_count,
76
+ size_t channels, size_t sample_rate);
77
+
78
+ PrismConfig prism_config_init(void);
79
+ PrismContext *prism_init(PrismConfig* cfg);
80
+ void prism_shutdown(PrismContext *ctx);
81
+ size_t prism_registry_count(PrismContext *ctx);
82
+ PrismBackendId prism_registry_id_at(PrismContext *ctx, size_t index);
83
+ PrismBackendId prism_registry_id(PrismContext *ctx, const char *name);
84
+ const char *prism_registry_name(PrismContext *ctx, PrismBackendId id);
85
+ int prism_registry_priority(PrismContext *ctx, PrismBackendId id);
86
+ bool prism_registry_exists(PrismContext *ctx, PrismBackendId id);
87
+ PrismBackend *prism_registry_get(PrismContext *ctx, PrismBackendId id);
88
+ PrismBackend *prism_registry_create(PrismContext *ctx, PrismBackendId id);
89
+ PrismBackend *prism_registry_create_best(PrismContext *ctx);
90
+ PrismBackend *prism_registry_acquire(PrismContext *ctx, PrismBackendId id);
91
+ PrismBackend *prism_registry_acquire_best(PrismContext *ctx);
92
+ void prism_backend_free(PrismBackend *backend);
93
+ const char *prism_backend_name(PrismBackend *backend);
94
+ PrismError prism_backend_initialize(PrismBackend *backend);
95
+ PrismError prism_backend_speak(PrismBackend *backend, const char *text, bool interrupt);
96
+ PrismError prism_backend_speak_to_memory(
97
+ PrismBackend *backend,
98
+ const char *text,
99
+ PrismAudioCallback callback,
100
+ void *userdata
101
+ );
102
+ PrismError prism_backend_braille(PrismBackend *backend, const char *text);
103
+ PrismError prism_backend_output(PrismBackend *backend, const char *text, bool interrupt);
104
+ PrismError prism_backend_stop(PrismBackend *backend);
105
+ PrismError prism_backend_pause(PrismBackend *backend);
106
+ PrismError prism_backend_resume(PrismBackend *backend);
107
+ PrismError prism_backend_is_speaking(PrismBackend *backend, bool *out_speaking);
108
+ PrismError prism_backend_set_volume(PrismBackend *backend, float volume);
109
+ PrismError prism_backend_get_volume(PrismBackend *backend, float *out_volume);
110
+ PrismError prism_backend_set_rate(PrismBackend *backend, float rate);
111
+ PrismError prism_backend_get_rate(PrismBackend *backend, float *out_rate);
112
+ PrismError prism_backend_set_pitch(PrismBackend *backend, float pitch);
113
+ PrismError prism_backend_get_pitch(PrismBackend *backend, float *out_pitch);
114
+ PrismError prism_backend_refresh_voices(PrismBackend *backend);
115
+ PrismError prism_backend_count_voices(PrismBackend *backend, size_t *out_count);
116
+ PrismError prism_backend_get_voice_name(
117
+ PrismBackend *backend,
118
+ size_t voice_id,
119
+ const char **out_name
120
+ );
121
+ PrismError prism_backend_get_voice_language(
122
+ PrismBackend *backend,
123
+ size_t voice_id,
124
+ const char **out_language
125
+ );
126
+ PrismError prism_backend_set_voice(PrismBackend *backend, size_t voice_id);
127
+ PrismError prism_backend_get_voice(PrismBackend *backend, size_t *out_voice_id);
128
+ PrismError prism_backend_get_channels(PrismBackend *backend, size_t *out_channels);
129
+ PrismError prism_backend_get_sample_rate(PrismBackend *backend, size_t *out_sample_rate);
130
+ PrismError prism_backend_get_bit_depth(PrismBackend *backend, size_t *out_bit_depth);
131
+ const char *prism_error_string(PrismError error);
132
+ """)
133
+ else:
134
+ ffi.cdef(r"""// SPDX-License-Identifier: MPL-2.0
135
+
136
+ typedef struct PrismContext PrismContext;
137
+ typedef struct PrismBackend PrismBackend;
138
+ typedef uint64_t PrismBackendId;
139
+ typedef struct {
140
+ uint8_t version;
141
+ } PrismConfig;
142
+
143
+ typedef enum PrismError {
144
+ PRISM_OK = 0,
145
+ PRISM_ERROR_NOT_INITIALIZED,
146
+ PRISM_ERROR_INVALID_PARAM,
147
+ PRISM_ERROR_NOT_IMPLEMENTED,
148
+ PRISM_ERROR_NO_VOICES,
149
+ PRISM_ERROR_VOICE_NOT_FOUND,
150
+ PRISM_ERROR_SPEAK_FAILURE,
151
+ PRISM_ERROR_MEMORY_FAILURE,
152
+ PRISM_ERROR_RANGE_OUT_OF_BOUNDS,
153
+ PRISM_ERROR_INTERNAL,
154
+ PRISM_ERROR_NOT_SPEAKING,
155
+ PRISM_ERROR_NOT_PAUSED,
156
+ PRISM_ERROR_ALREADY_PAUSED,
157
+ PRISM_ERROR_INVALID_UTF8,
158
+ PRISM_ERROR_INVALID_OPERATION,
159
+ PRISM_ERROR_ALREADY_INITIALIZED,
160
+ PRISM_ERROR_BACKEND_NOT_AVAILABLE,
161
+ PRISM_ERROR_UNKNOWN,
162
+ PRISM_ERROR_COUNT
163
+ } PrismError;
164
+
165
+ typedef void(PrismAudioCallback)(
166
+ void *userdata, const float *samples, size_t sample_count,
167
+ size_t channels, size_t sample_rate);
168
+
169
+ PrismConfig prism_config_init(void);
170
+ PrismContext *prism_init(PrismConfig* cfg);
171
+ void prism_shutdown(PrismContext *ctx);
172
+ size_t prism_registry_count(PrismContext *ctx);
173
+ PrismBackendId prism_registry_id_at(PrismContext *ctx, size_t index);
174
+ PrismBackendId prism_registry_id(PrismContext *ctx, const char *name);
175
+ const char *prism_registry_name(PrismContext *ctx, PrismBackendId id);
176
+ int prism_registry_priority(PrismContext *ctx, PrismBackendId id);
177
+ bool prism_registry_exists(PrismContext *ctx, PrismBackendId id);
178
+ PrismBackend *prism_registry_get(PrismContext *ctx, PrismBackendId id);
179
+ PrismBackend *prism_registry_create(PrismContext *ctx, PrismBackendId id);
180
+ PrismBackend *prism_registry_create_best(PrismContext *ctx);
181
+ PrismBackend *prism_registry_acquire(PrismContext *ctx, PrismBackendId id);
182
+ PrismBackend *prism_registry_acquire_best(PrismContext *ctx);
183
+ void prism_backend_free(PrismBackend *backend);
184
+ const char *prism_backend_name(PrismBackend *backend);
185
+ PrismError prism_backend_initialize(PrismBackend *backend);
186
+ PrismError prism_backend_speak(PrismBackend *backend, const char *text, bool interrupt);
187
+ PrismError prism_backend_speak_to_memory(
188
+ PrismBackend *backend,
189
+ const char *text,
190
+ PrismAudioCallback callback,
191
+ void *userdata
192
+ );
193
+ PrismError prism_backend_braille(PrismBackend *backend, const char *text);
194
+ PrismError prism_backend_output(PrismBackend *backend, const char *text, bool interrupt);
195
+ PrismError prism_backend_stop(PrismBackend *backend);
196
+ PrismError prism_backend_pause(PrismBackend *backend);
197
+ PrismError prism_backend_resume(PrismBackend *backend);
198
+ PrismError prism_backend_is_speaking(PrismBackend *backend, bool *out_speaking);
199
+ PrismError prism_backend_set_volume(PrismBackend *backend, float volume);
200
+ PrismError prism_backend_get_volume(PrismBackend *backend, float *out_volume);
201
+ PrismError prism_backend_set_rate(PrismBackend *backend, float rate);
202
+ PrismError prism_backend_get_rate(PrismBackend *backend, float *out_rate);
203
+ PrismError prism_backend_set_pitch(PrismBackend *backend, float pitch);
204
+ PrismError prism_backend_get_pitch(PrismBackend *backend, float *out_pitch);
205
+ PrismError prism_backend_refresh_voices(PrismBackend *backend);
206
+ PrismError prism_backend_count_voices(PrismBackend *backend, size_t *out_count);
207
+ PrismError prism_backend_get_voice_name(
208
+ PrismBackend *backend,
209
+ size_t voice_id,
210
+ const char **out_name
211
+ );
212
+ PrismError prism_backend_get_voice_language(
213
+ PrismBackend *backend,
214
+ size_t voice_id,
215
+ const char **out_language
216
+ );
217
+ PrismError prism_backend_set_voice(PrismBackend *backend, size_t voice_id);
218
+ PrismError prism_backend_get_voice(PrismBackend *backend, size_t *out_voice_id);
219
+ PrismError prism_backend_get_channels(PrismBackend *backend, size_t *out_channels);
220
+ PrismError prism_backend_get_sample_rate(PrismBackend *backend, size_t *out_sample_rate);
221
+ PrismError prism_backend_get_bit_depth(PrismBackend *backend, size_t *out_bit_depth);
222
+ const char *prism_error_string(PrismError error);
223
+ """)
224
+ if sys.platform == "win32":
225
+ lib_path = (dll_home / "prism.dll").resolve()
226
+ elif sys.platform == "darwin":
227
+ lib_path = (dll_home / "libprism.dylib").resolve()
228
+ else:
229
+ lib_path = (dll_home / "libprism.so").resolve()
230
+ lib = ffi.dlopen(str(lib_path))
@@ -0,0 +1,44 @@
1
+ Metadata-Version: 2.1
2
+ Name: prismatoid
3
+ Version: 0.4.1
4
+ Summary: The Platform-Agnostic Reader Interface for Speech and Messages
5
+ Author-Email: Ethin Probst <ethindp@pm.me>
6
+ Requires-Python: >=3.10
7
+ Requires-Dist: cffi>=1.0.0
8
+ Requires-Dist: win32more>=0.8.0; sys_platform == "win32"
9
+ Description-Content-Type: text/markdown
10
+
11
+ # PRISM
12
+
13
+ Prism is the Platform-agnostic Reader Interface for Speech and Messages. Since that's a hell of a mouthful, we just call it Prism for short. The name comes from prisms in optics, which are transparent optical components with flat surfaces that refract light into many beams. Thus, the metaphor: refract your TTS strings to send them to many different backends, potentially simultaneously.
14
+
15
+ Prism aims to unify the various screen reader abstraction libraries like SpeechCore, UniversalSpeech, SRAL, Tolk, etc., into a single unified system with a single unified API. Of course, we also support traditional TTS engines. I have tried to develop Prism in such a way that compilation is trivial and requires no external dependencies. To that end, the CMake builder will download all needed dependencies. However, since it uses [cpm.cmake](https://github.com/cpm-cmake/CPM.cmake), vendoring of dependencies is very possible.
16
+
17
+ ## Building
18
+
19
+ To build Prism, all you need do is create a build directory and run cmake as you ordinarily would. The only build option at this time is `PRISM_ENABLE_TESTS`, which will determine whether the test suite is built or not. In the 99 percent of cases, you should disable this option, since running the tests is only for validating that the library functions correctly. However, the tests have currently known problems and are still in a very early stage of development, so validation is platform-dependent and may fail in very strange ways on other platforms than Windows. (Specifically, failure is known to happen on at least MacOS, due to the header's various compiler attributes in use.)
20
+
21
+ ## Documentation
22
+
23
+ Documentation uses [mdbook](https://github.com/rust-lang/mdBook). To view it offline, install mdbook and then run `mdbook serve` from the doc directory.
24
+
25
+ ## API
26
+
27
+ The API is fully documented in the documentation above. If the documentation and header do not align in guarantees or expectations, this is a bug and should be reported.
28
+
29
+ ## Bindings
30
+
31
+ Currently bindings are an in-progress effort. We are working on bindings to at least Python and .NET, although both will take a bit of time to actually do. If you wish to contribute bindings, please don't hesitate to open a pull request. Your bindings must obey the restrictions in the documentation; specifically, where the documentation requires something to not occur, your bindings MUST prohibit that occurence before calling any Prism C API function. For example, calling `prism_backend_speak` with a `NULL` backend or text string MUST be prohibited by your bindings.
32
+
33
+ ## License
34
+
35
+ This project is licensed under the Mozilla Public License version 2.0. Full details are available in the LICENSE file.
36
+
37
+ This project uses code from other projects. Specifically:
38
+
39
+ * The SAPI bridge is credited to the [NVGT](https://github.com/samtupy/nvgt) project, as well as the functions in utils.h and utils.cpp. Similar attribution goes to NVGT for the Android screen reader backend.
40
+
41
+ ## Contributing
42
+
43
+ Contributions are welcome. This includes, but is not limited to, documentation enhancements, new backends, bindings, build system improvements, etc. The project uses C++23 so please ensure that your compiler supports that standard.
44
+
@@ -0,0 +1,19 @@
1
+ bin/concrt140.dll,sha256=WZvH6uwTJ0U2zD7C0Y6BDnm8nrkVI3tO5tJQgbaSYhQ,722488
2
+ bin/msvcp140.dll,sha256=BF-uqwtXEIFq4WDqINroSV_8EbtR_soV0iqvf_N1LLM,1372216
3
+ bin/msvcp140_1.dll,sha256=r53Sh8Xl1HGG_sORCZ4UC_nnWCRdOceOlPjLT_qtoeU,50744
4
+ bin/msvcp140_2.dll,sha256=F90H6hhtQZ4YA6SyV4VkS1nUNG3RoA33CftutAO6oR4,520248
5
+ bin/msvcp140_atomic_wait.dll,sha256=Q4TjVZK3vh8LgHGOui93kGDXPD4jLrG_rfiky5sUYB8,86048
6
+ bin/msvcp140_codecvt_ids.dll,sha256=bgdSVK2rZqgOFiS2VvvoEEPCMUnlBFhxsuzMTH_1ic4,41520
7
+ bin/ucrtbase.dll,sha256=-LmEIjJWV-5vedIHtMWPiAzklImRTlgB296wTzdaZoI,2243424
8
+ bin/vcruntime140.dll,sha256=2KhROSFURWmDfkANN8xxMCgZlnrm3vqTIman7LQduvk,199200
9
+ bin/vcruntime140_1.dll,sha256=QrX3bx8K4DyT_EwQet-DxfFOhgMkdIYAMs_mctCDZUY,53320
10
+ prism/__init__.py,sha256=YBpBGUXwHPQW1pWp6jz_MyaRonDUlSk9n2UwONW-MbY,130
11
+ prism/_native/nvdaControllerClient.dll,sha256=L3KWdYsGDVmGejF8T5cXgzX_xAvRNoyIG2nNKVs0Qws,239256
12
+ prism/_native/prism.dll,sha256=LI_N6VhnIXsUVDs3AzP24d98kDix4mg1KVheMUk0X_A,504832
13
+ prism/_native/prism.lib,sha256=wkx3yPWM0LeXdGi3Bsn2rWS-gOXQSr0zvLnRl_DebCg,11100
14
+ prism/core.py,sha256=fF47Lxygpb0Lpk7vCDgfuMhuo0CSdhgdP9xQ0zGNh8k,12510
15
+ prism/lib.py,sha256=ow80uyWh-UU2lRqclYi6AtKB4OzZieRu_OeqXdkcKd4,9392
16
+ prismatoid-0.4.1.dist-info/METADATA,sha256=ZNT8ePAnd4jcZtxtj34zU_dBo8ad9NSxM8XW11qsPn4,3537
17
+ prismatoid-0.4.1.dist-info/WHEEL,sha256=DFXpO6UbbaVSKagjDbi8rlFrL_fDb6sbwWCXPbVnvX4,106
18
+ prismatoid-0.4.1.dist-info/licenses/LICENSE,sha256=VX02w5NprPbeRfdsXUylAMdCeqR7lHT-dkdRTd27kKI,15860
19
+ prismatoid-0.4.1.dist-info/RECORD,,
@@ -0,0 +1,5 @@
1
+ Wheel-Version: 1.0
2
+ Generator: scikit-build-core 0.11.6
3
+ Root-Is-Purelib: false
4
+ Tag: cp314-cp314-win_arm64
5
+
@@ -0,0 +1,356 @@
1
+ Mozilla Public License Version 2.0
2
+ ==================================
3
+
4
+ ### 1. Definitions
5
+
6
+ **1.1. �Contributor�**
7
+ means each individual or legal entity that creates, contributes to
8
+ the creation of, or owns Covered Software.
9
+
10
+ **1.2. �Contributor Version�**
11
+ means the combination of the Contributions of others (if any) used
12
+ by a Contributor and that particular Contributor's Contribution.
13
+
14
+ **1.3. �Contribution�**
15
+ means Covered Software of a particular Contributor.
16
+
17
+ **1.4. �Covered Software�**
18
+ means Source Code Form to which the initial Contributor has attached
19
+ the notice in Exhibit A, the Executable Form of such Source Code
20
+ Form, and Modifications of such Source Code Form, in each case
21
+ including portions thereof.
22
+
23
+ **1.5. �Incompatible With Secondary Licenses�**
24
+ means
25
+
26
+ * **(a)** that the initial Contributor has attached the notice described
27
+ in Exhibit B to the Covered Software; or
28
+ * **(b)** that the Covered Software was made available under the terms of
29
+ version 1.1 or earlier of the License, but not also under the
30
+ terms of a Secondary License.
31
+
32
+ **1.6. �Executable Form�**
33
+ means any form of the work other than Source Code Form.
34
+
35
+ **1.7. �Larger Work�**
36
+ means a work that combines Covered Software with other material, in
37
+ a separate file or files, that is not Covered Software.
38
+
39
+ **1.8. �License�**
40
+ means this document.
41
+
42
+ **1.9. �Licensable�**
43
+ means having the right to grant, to the maximum extent possible,
44
+ whether at the time of the initial grant or subsequently, any and
45
+ all of the rights conveyed by this License.
46
+
47
+ **1.10. �Modifications�**
48
+ means any of the following:
49
+
50
+ * **(a)** any file in Source Code Form that results from an addition to,
51
+ deletion from, or modification of the contents of Covered
52
+ Software; or
53
+ * **(b)** any new file in Source Code Form that contains any Covered
54
+ Software.
55
+
56
+ **1.11. �Patent Claims� of a Contributor**
57
+ means any patent claim(s), including without limitation, method,
58
+ process, and apparatus claims, in any patent Licensable by such
59
+ Contributor that would be infringed, but for the grant of the
60
+ License, by the making, using, selling, offering for sale, having
61
+ made, import, or transfer of either its Contributions or its
62
+ Contributor Version.
63
+
64
+ **1.12. �Secondary License�**
65
+ means either the GNU General Public License, Version 2.0, the GNU
66
+ Lesser General Public License, Version 2.1, the GNU Affero General
67
+ Public License, Version 3.0, or any later versions of those
68
+ licenses.
69
+
70
+ **1.13. �Source Code Form�**
71
+ means the form of the work preferred for making modifications.
72
+
73
+ **1.14. �You� (or �Your�)**
74
+ means an individual or a legal entity exercising rights under this
75
+ License. For legal entities, �You� includes any entity that
76
+ controls, is controlled by, or is under common control with You. For
77
+ purposes of this definition, �control� means **(a)** the power, direct
78
+ or indirect, to cause the direction or management of such entity,
79
+ whether by contract or otherwise, or **(b)** ownership of more than
80
+ fifty percent (50%) of the outstanding shares or beneficial
81
+ ownership of such entity.
82
+
83
+
84
+ ### 2. License Grants and Conditions
85
+
86
+ #### 2.1. Grants
87
+
88
+ Each Contributor hereby grants You a world-wide, royalty-free,
89
+ non-exclusive license:
90
+
91
+ * **(a)** under intellectual property rights (other than patent or trademark)
92
+ Licensable by such Contributor to use, reproduce, make available,
93
+ modify, display, perform, distribute, and otherwise exploit its
94
+ Contributions, either on an unmodified basis, with Modifications, or
95
+ as part of a Larger Work; and
96
+ * **(b)** under Patent Claims of such Contributor to make, use, sell, offer
97
+ for sale, have made, import, and otherwise transfer either its
98
+ Contributions or its Contributor Version.
99
+
100
+ #### 2.2. Effective Date
101
+
102
+ The licenses granted in Section 2.1 with respect to any Contribution
103
+ become effective for each Contribution on the date the Contributor first
104
+ distributes such Contribution.
105
+
106
+ #### 2.3. Limitations on Grant Scope
107
+
108
+ The licenses granted in this Section 2 are the only rights granted under
109
+ this License. No additional rights or licenses will be implied from the
110
+ distribution or licensing of Covered Software under this License.
111
+ Notwithstanding Section 2.1(b) above, no patent license is granted by a
112
+ Contributor:
113
+
114
+ * **(a)** for any code that a Contributor has removed from Covered Software;
115
+ or
116
+ * **(b)** for infringements caused by: **(i)** Your and any other third party's
117
+ modifications of Covered Software, or **(ii)** the combination of its
118
+ Contributions with other software (except as part of its Contributor
119
+ Version); or
120
+ * **(c)** under Patent Claims infringed by Covered Software in the absence of
121
+ its Contributions.
122
+
123
+ This License does not grant any rights in the trademarks, service marks,
124
+ or logos of any Contributor (except as may be necessary to comply with
125
+ the notice requirements in Section 3.4).
126
+
127
+ #### 2.4. Subsequent Licenses
128
+
129
+ No Contributor makes additional grants as a result of Your choice to
130
+ distribute the Covered Software under a subsequent version of this
131
+ License (see Section 10.2) or under the terms of a Secondary License (if
132
+ permitted under the terms of Section 3.3).
133
+
134
+ #### 2.5. Representation
135
+
136
+ Each Contributor represents that the Contributor believes its
137
+ Contributions are its original creation(s) or it has sufficient rights
138
+ to grant the rights to its Contributions conveyed by this License.
139
+
140
+ #### 2.6. Fair Use
141
+
142
+ This License is not intended to limit any rights You have under
143
+ applicable copyright doctrines of fair use, fair dealing, or other
144
+ equivalents.
145
+
146
+ #### 2.7. Conditions
147
+
148
+ Sections 3.1, 3.2, 3.3, and 3.4 are conditions of the licenses granted
149
+ in Section 2.1.
150
+
151
+
152
+ ### 3. Responsibilities
153
+
154
+ #### 3.1. Distribution of Source Form
155
+
156
+ All distribution of Covered Software in Source Code Form, including any
157
+ Modifications that You create or to which You contribute, must be under
158
+ the terms of this License. You must inform recipients that the Source
159
+ Code Form of the Covered Software is governed by the terms of this
160
+ License, and how they can obtain a copy of this License. You may not
161
+ attempt to alter or restrict the recipients' rights in the Source Code
162
+ Form.
163
+
164
+ #### 3.2. Distribution of Executable Form
165
+
166
+ If You distribute Covered Software in Executable Form then:
167
+
168
+ * **(a)** such Covered Software must also be made available in Source Code
169
+ Form, as described in Section 3.1, and You must inform recipients of
170
+ the Executable Form how they can obtain a copy of such Source Code
171
+ Form by reasonable means in a timely manner, at a charge no more
172
+ than the cost of distribution to the recipient; and
173
+
174
+ * **(b)** You may distribute such Executable Form under the terms of this
175
+ License, or sublicense it under different terms, provided that the
176
+ license for the Executable Form does not attempt to limit or alter
177
+ the recipients' rights in the Source Code Form under this License.
178
+
179
+ #### 3.3. Distribution of a Larger Work
180
+
181
+ You may create and distribute a Larger Work under terms of Your choice,
182
+ provided that You also comply with the requirements of this License for
183
+ the Covered Software. If the Larger Work is a combination of Covered
184
+ Software with a work governed by one or more Secondary Licenses, and the
185
+ Covered Software is not Incompatible With Secondary Licenses, this
186
+ License permits You to additionally distribute such Covered Software
187
+ under the terms of such Secondary License(s), so that the recipient of
188
+ the Larger Work may, at their option, further distribute the Covered
189
+ Software under the terms of either this License or such Secondary
190
+ License(s).
191
+
192
+ #### 3.4. Notices
193
+
194
+ You may not remove or alter the substance of any license notices
195
+ (including copyright notices, patent notices, disclaimers of warranty,
196
+ or limitations of liability) contained within the Source Code Form of
197
+ the Covered Software, except that You may alter any license notices to
198
+ the extent required to remedy known factual inaccuracies.
199
+
200
+ #### 3.5. Application of Additional Terms
201
+
202
+ You may choose to offer, and to charge a fee for, warranty, support,
203
+ indemnity or liability obligations to one or more recipients of Covered
204
+ Software. However, You may do so only on Your own behalf, and not on
205
+ behalf of any Contributor. You must make it absolutely clear that any
206
+ such warranty, support, indemnity, or liability obligation is offered by
207
+ You alone, and You hereby agree to indemnify every Contributor for any
208
+ liability incurred by such Contributor as a result of warranty, support,
209
+ indemnity or liability terms You offer. You may include additional
210
+ disclaimers of warranty and limitations of liability specific to any
211
+ jurisdiction.
212
+
213
+
214
+ ### 4. Inability to Comply Due to Statute or Regulation
215
+
216
+ If it is impossible for You to comply with any of the terms of this
217
+ License with respect to some or all of the Covered Software due to
218
+ statute, judicial order, or regulation then You must: **(a)** comply with
219
+ the terms of this License to the maximum extent possible; and **(b)**
220
+ describe the limitations and the code they affect. Such description must
221
+ be placed in a text file included with all distributions of the Covered
222
+ Software under this License. Except to the extent prohibited by statute
223
+ or regulation, such description must be sufficiently detailed for a
224
+ recipient of ordinary skill to be able to understand it.
225
+
226
+
227
+ ### 5. Termination
228
+
229
+ **5.1.** The rights granted under this License will terminate automatically
230
+ if You fail to comply with any of its terms. However, if You become
231
+ compliant, then the rights granted under this License from a particular
232
+ Contributor are reinstated **(a)** provisionally, unless and until such
233
+ Contributor explicitly and finally terminates Your grants, and **(b)** on an
234
+ ongoing basis, if such Contributor fails to notify You of the
235
+ non-compliance by some reasonable means prior to 60 days after You have
236
+ come back into compliance. Moreover, Your grants from a particular
237
+ Contributor are reinstated on an ongoing basis if such Contributor
238
+ notifies You of the non-compliance by some reasonable means, this is the
239
+ first time You have received notice of non-compliance with this License
240
+ from such Contributor, and You become compliant prior to 30 days after
241
+ Your receipt of the notice.
242
+
243
+ **5.2.** If You initiate litigation against any entity by asserting a patent
244
+ infringement claim (excluding declaratory judgment actions,
245
+ counter-claims, and cross-claims) alleging that a Contributor Version
246
+ directly or indirectly infringes any patent, then the rights granted to
247
+ You by any and all Contributors for the Covered Software under Section
248
+ 2.1 of this License shall terminate.
249
+
250
+ **5.3.** In the event of termination under Sections 5.1 or 5.2 above, all
251
+ end user license agreements (excluding distributors and resellers) which
252
+ have been validly granted by You or Your distributors under this License
253
+ prior to termination shall survive termination.
254
+
255
+
256
+ ### 6. Disclaimer of Warranty
257
+
258
+ > Covered Software is provided under this License on an �as is�
259
+ > basis, without warranty of any kind, either expressed, implied, or
260
+ > statutory, including, without limitation, warranties that the
261
+ > Covered Software is free of defects, merchantable, fit for a
262
+ > particular purpose or non-infringing. The entire risk as to the
263
+ > quality and performance of the Covered Software is with You.
264
+ > Should any Covered Software prove defective in any respect, You
265
+ > (not any Contributor) assume the cost of any necessary servicing,
266
+ > repair, or correction. This disclaimer of warranty constitutes an
267
+ > essential part of this License. No use of any Covered Software is
268
+ > authorized under this License except under this disclaimer.
269
+
270
+ ### 7. Limitation of Liability
271
+
272
+ > Under no circumstances and under no legal theory, whether tort
273
+ > (including negligence), contract, or otherwise, shall any
274
+ > Contributor, or anyone who distributes Covered Software as
275
+ > permitted above, be liable to You for any direct, indirect,
276
+ > special, incidental, or consequential damages of any character
277
+ > including, without limitation, damages for lost profits, loss of
278
+ > goodwill, work stoppage, computer failure or malfunction, or any
279
+ > and all other commercial damages or losses, even if such party
280
+ > shall have been informed of the possibility of such damages. This
281
+ > limitation of liability shall not apply to liability for death or
282
+ > personal injury resulting from such party's negligence to the
283
+ > extent applicable law prohibits such limitation. Some
284
+ > jurisdictions do not allow the exclusion or limitation of
285
+ > incidental or consequential damages, so this exclusion and
286
+ > limitation may not apply to You.
287
+
288
+
289
+ ### 8. Litigation
290
+
291
+ Any litigation relating to this License may be brought only in the
292
+ courts of a jurisdiction where the defendant maintains its principal
293
+ place of business and such litigation shall be governed by laws of that
294
+ jurisdiction, without reference to its conflict-of-law provisions.
295
+ Nothing in this Section shall prevent a party's ability to bring
296
+ cross-claims or counter-claims.
297
+
298
+
299
+ ### 9. Miscellaneous
300
+
301
+ This License represents the complete agreement concerning the subject
302
+ matter hereof. If any provision of this License is held to be
303
+ unenforceable, such provision shall be reformed only to the extent
304
+ necessary to make it enforceable. Any law or regulation which provides
305
+ that the language of a contract shall be construed against the drafter
306
+ shall not be used to construe this License against a Contributor.
307
+
308
+
309
+ ### 10. Versions of the License
310
+
311
+ #### 10.1. New Versions
312
+
313
+ Mozilla Foundation is the license steward. Except as provided in Section
314
+ 10.3, no one other than the license steward has the right to modify or
315
+ publish new versions of this License. Each version will be given a
316
+ distinguishing version number.
317
+
318
+ #### 10.2. Effect of New Versions
319
+
320
+ You may distribute the Covered Software under the terms of the version
321
+ of the License under which You originally received the Covered Software,
322
+ or under the terms of any subsequent version published by the license
323
+ steward.
324
+
325
+ #### 10.3. Modified Versions
326
+
327
+ If you create software not governed by this License, and you want to
328
+ create a new license for such software, you may create and use a
329
+ modified version of this License if you rename the license and remove
330
+ any references to the name of the license steward (except to note that
331
+ such modified license differs from this License).
332
+
333
+ #### 10.4. Distributing Source Code Form that is Incompatible With Secondary Licenses
334
+
335
+ If You choose to distribute Source Code Form that is Incompatible With
336
+ Secondary Licenses under the terms of this version of the License, the
337
+ notice described in Exhibit B of this License must be attached.
338
+
339
+ ## Exhibit A - Source Code Form License Notice
340
+
341
+ This Source Code Form is subject to the terms of the Mozilla Public
342
+ License, v. 2.0. If a copy of the MPL was not distributed with this
343
+ file, You can obtain one at http://mozilla.org/MPL/2.0/.
344
+
345
+ If it is not possible or desirable to put the notice in a particular
346
+ file, then You may include the notice in a location (such as a LICENSE
347
+ file in a relevant directory) where a recipient would be likely to look
348
+ for such a notice.
349
+
350
+ You may add additional accurate notices of copyright ownership.
351
+
352
+ ## Exhibit B - �Incompatible With Secondary Licenses� Notice
353
+
354
+ This Source Code Form is "Incompatible With Secondary Licenses", as
355
+ defined by the Mozilla Public License, v. 2.0.
356
+