dbus-fast 2.45.1__cp311-cp311-macosx_11_0_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.

Potentially problematic release.


This version of dbus-fast might be problematic. Click here for more details.

Files changed (51) hide show
  1. dbus_fast/__init__.py +82 -0
  2. dbus_fast/__version__.py +10 -0
  3. dbus_fast/_private/__init__.py +1 -0
  4. dbus_fast/_private/_cython_compat.py +14 -0
  5. dbus_fast/_private/address.cpython-311-darwin.so +0 -0
  6. dbus_fast/_private/address.pxd +15 -0
  7. dbus_fast/_private/address.py +117 -0
  8. dbus_fast/_private/constants.py +20 -0
  9. dbus_fast/_private/marshaller.cpython-311-darwin.so +0 -0
  10. dbus_fast/_private/marshaller.pxd +110 -0
  11. dbus_fast/_private/marshaller.py +228 -0
  12. dbus_fast/_private/unmarshaller.cpython-311-darwin.so +0 -0
  13. dbus_fast/_private/unmarshaller.pxd +261 -0
  14. dbus_fast/_private/unmarshaller.py +902 -0
  15. dbus_fast/_private/util.py +176 -0
  16. dbus_fast/aio/__init__.py +5 -0
  17. dbus_fast/aio/message_bus.py +578 -0
  18. dbus_fast/aio/message_reader.cpython-311-darwin.so +0 -0
  19. dbus_fast/aio/message_reader.pxd +13 -0
  20. dbus_fast/aio/message_reader.py +49 -0
  21. dbus_fast/aio/proxy_object.py +207 -0
  22. dbus_fast/auth.py +126 -0
  23. dbus_fast/constants.py +152 -0
  24. dbus_fast/errors.py +84 -0
  25. dbus_fast/glib/__init__.py +3 -0
  26. dbus_fast/glib/message_bus.py +515 -0
  27. dbus_fast/glib/proxy_object.py +319 -0
  28. dbus_fast/introspection.py +683 -0
  29. dbus_fast/message.cpython-311-darwin.so +0 -0
  30. dbus_fast/message.pxd +76 -0
  31. dbus_fast/message.py +387 -0
  32. dbus_fast/message_bus.cpython-311-darwin.so +0 -0
  33. dbus_fast/message_bus.pxd +75 -0
  34. dbus_fast/message_bus.py +1310 -0
  35. dbus_fast/proxy_object.py +358 -0
  36. dbus_fast/py.typed +0 -0
  37. dbus_fast/send_reply.py +61 -0
  38. dbus_fast/service.cpython-311-darwin.so +0 -0
  39. dbus_fast/service.pxd +50 -0
  40. dbus_fast/service.py +686 -0
  41. dbus_fast/signature.cpython-311-darwin.so +0 -0
  42. dbus_fast/signature.pxd +31 -0
  43. dbus_fast/signature.py +481 -0
  44. dbus_fast/unpack.cpython-311-darwin.so +0 -0
  45. dbus_fast/unpack.pxd +13 -0
  46. dbus_fast/unpack.py +24 -0
  47. dbus_fast/validators.py +199 -0
  48. dbus_fast-2.45.1.dist-info/METADATA +263 -0
  49. dbus_fast-2.45.1.dist-info/RECORD +51 -0
  50. dbus_fast-2.45.1.dist-info/WHEEL +6 -0
  51. dbus_fast-2.45.1.dist-info/licenses/LICENSE +22 -0
@@ -0,0 +1,199 @@
1
+ import re
2
+ from functools import lru_cache
3
+
4
+ from .errors import (
5
+ InvalidBusNameError,
6
+ InvalidInterfaceNameError,
7
+ InvalidMemberNameError,
8
+ InvalidObjectPathError,
9
+ )
10
+
11
+ _bus_name_re = re.compile(r"^[A-Za-z_-][A-Za-z0-9_-]*$")
12
+ _path_re = re.compile(r"^[A-Za-z0-9_]+$")
13
+ _element_re = re.compile(r"^[A-Za-z_][A-Za-z0-9_]*$")
14
+ _member_re = re.compile(r"^[A-Za-z_][A-Za-z0-9_-]*$")
15
+
16
+
17
+ @lru_cache(maxsize=32)
18
+ def is_bus_name_valid(name: str) -> bool:
19
+ """Whether this is a valid bus name.
20
+
21
+ .. seealso:: https://dbus.freedesktop.org/doc/dbus-specification.html#message-protocol-names-bus
22
+
23
+ :param name: The bus name to validate.
24
+ :type name: str
25
+
26
+ :returns: Whether the name is a valid bus name.
27
+ :rtype: bool
28
+ """
29
+ if not isinstance(name, str):
30
+ return False # type: ignore[unreachable]
31
+
32
+ if not name or len(name) > 255:
33
+ return False
34
+
35
+ if name.startswith(":"):
36
+ # a unique bus name
37
+ return True
38
+
39
+ if name.startswith("."):
40
+ return False
41
+
42
+ if name.find(".") == -1:
43
+ return False
44
+
45
+ for element in name.split("."):
46
+ if _bus_name_re.search(element) is None:
47
+ return False
48
+
49
+ return True
50
+
51
+
52
+ @lru_cache(maxsize=1024)
53
+ def is_object_path_valid(path: str) -> bool:
54
+ """Whether this is a valid object path.
55
+
56
+ .. seealso:: https://dbus.freedesktop.org/doc/dbus-specification.html#message-protocol-marshaling-object-path
57
+
58
+ :param path: The object path to validate.
59
+ :type path: str
60
+
61
+ :returns: Whether the object path is valid.
62
+ :rtype: bool
63
+ """
64
+ if not isinstance(path, str):
65
+ return False # type: ignore[unreachable]
66
+
67
+ if not path:
68
+ return False
69
+
70
+ if not path.startswith("/"):
71
+ return False
72
+
73
+ if len(path) == 1:
74
+ return True
75
+
76
+ for element in path[1:].split("/"):
77
+ if _path_re.search(element) is None:
78
+ return False
79
+
80
+ return True
81
+
82
+
83
+ @lru_cache(maxsize=32)
84
+ def is_interface_name_valid(name: str) -> bool:
85
+ """Whether this is a valid interface name.
86
+
87
+ .. seealso:: https://dbus.freedesktop.org/doc/dbus-specification.html#message-protocol-names-interface
88
+
89
+ :param name: The interface name to validate.
90
+ :type name: str
91
+
92
+ :returns: Whether the name is a valid interface name.
93
+ :rtype: bool
94
+ """
95
+ if not isinstance(name, str):
96
+ return False # type: ignore[unreachable]
97
+
98
+ if not name or len(name) > 255:
99
+ return False
100
+
101
+ if name.startswith("."):
102
+ return False
103
+
104
+ if name.find(".") == -1:
105
+ return False
106
+
107
+ for element in name.split("."):
108
+ if _element_re.search(element) is None:
109
+ return False
110
+
111
+ return True
112
+
113
+
114
+ @lru_cache(maxsize=512)
115
+ def is_member_name_valid(member: str) -> bool:
116
+ """Whether this is a valid member name.
117
+
118
+ .. seealso:: https://dbus.freedesktop.org/doc/dbus-specification.html#message-protocol-names-member
119
+
120
+ :param member: The member name to validate.
121
+ :type member: str
122
+
123
+ :returns: Whether the name is a valid member name.
124
+ :rtype: bool
125
+ """
126
+ if not isinstance(member, str):
127
+ return False # type: ignore[unreachable]
128
+
129
+ if not member or len(member) > 255:
130
+ return False
131
+
132
+ if _member_re.search(member) is None:
133
+ return False
134
+
135
+ return True
136
+
137
+
138
+ @lru_cache(maxsize=32)
139
+ def assert_bus_name_valid(name: str) -> None:
140
+ """Raise an error if this is not a valid bus name.
141
+
142
+ .. seealso:: https://dbus.freedesktop.org/doc/dbus-specification.html#message-protocol-names-bus
143
+
144
+ :param name: The bus name to validate.
145
+ :type name: str
146
+
147
+ :raises:
148
+ - :class:`InvalidBusNameError` - If this is not a valid bus name.
149
+ """
150
+ if not is_bus_name_valid(name):
151
+ raise InvalidBusNameError(name)
152
+
153
+
154
+ @lru_cache(maxsize=1024)
155
+ def assert_object_path_valid(path: str) -> None:
156
+ """Raise an error if this is not a valid object path.
157
+
158
+ .. seealso:: https://dbus.freedesktop.org/doc/dbus-specification.html#message-protocol-marshaling-object-path
159
+
160
+ :param path: The object path to validate.
161
+ :type path: str
162
+
163
+ :raises:
164
+ - :class:`InvalidObjectPathError` - If this is not a valid object path.
165
+ """
166
+ if not is_object_path_valid(path):
167
+ raise InvalidObjectPathError(path)
168
+
169
+
170
+ @lru_cache(maxsize=32)
171
+ def assert_interface_name_valid(name: str) -> None:
172
+ """Raise an error if this is not a valid interface name.
173
+
174
+ .. seealso:: https://dbus.freedesktop.org/doc/dbus-specification.html#message-protocol-names-interface
175
+
176
+ :param name: The interface name to validate.
177
+ :type name: str
178
+
179
+ :raises:
180
+ - :class:`InvalidInterfaceNameError` - If this is not a valid object path.
181
+ """
182
+ if not is_interface_name_valid(name):
183
+ raise InvalidInterfaceNameError(name)
184
+
185
+
186
+ @lru_cache(maxsize=512)
187
+ def assert_member_name_valid(member: str) -> None:
188
+ """Raise an error if this is not a valid member name.
189
+
190
+ .. seealso:: https://dbus.freedesktop.org/doc/dbus-specification.html#message-protocol-names-member
191
+
192
+ :param member: The member name to validate.
193
+ :type member: str
194
+
195
+ :raises:
196
+ - :class:`InvalidMemberNameError` - If this is not a valid object path.
197
+ """
198
+ if not is_member_name_valid(member):
199
+ raise InvalidMemberNameError(member)
@@ -0,0 +1,263 @@
1
+ Metadata-Version: 2.4
2
+ Name: dbus-fast
3
+ Version: 2.45.1
4
+ Summary: A faster version of dbus-next
5
+ License: MIT
6
+ License-File: LICENSE
7
+ Author: Bluetooth Devices Authors
8
+ Author-email: bluetooth@koston.org
9
+ Requires-Python: >=3.9
10
+ Classifier: Development Status :: 5 - Production/Stable
11
+ Classifier: Intended Audience :: Developers
12
+ Classifier: License :: OSI Approved :: MIT License
13
+ Classifier: Natural Language :: English
14
+ Classifier: Operating System :: OS Independent
15
+ Classifier: Programming Language :: Python :: 3
16
+ Classifier: Programming Language :: Python :: 3.9
17
+ Classifier: Programming Language :: Python :: 3.10
18
+ Classifier: Programming Language :: Python :: 3.11
19
+ Classifier: Programming Language :: Python :: 3.12
20
+ Classifier: Programming Language :: Python :: 3.13
21
+ Classifier: Programming Language :: Python :: 3.14
22
+ Classifier: Topic :: Software Development :: Libraries
23
+ Project-URL: Bug Tracker, https://github.com/bluetooth-devices/dbus-fast/issues
24
+ Project-URL: Changelog, https://github.com/bluetooth-devices/dbus-fast/blob/main/CHANGELOG.md
25
+ Project-URL: Documentation, https://dbus-fast.readthedocs.io
26
+ Project-URL: Repository, https://github.com/bluetooth-devices/dbus-fast
27
+ Description-Content-Type: text/markdown
28
+
29
+ # dbus-fast
30
+
31
+ <p align="center">
32
+ <a href="https://github.com/bluetooth-devices/dbus-fast/actions?query=workflow%3ACI">
33
+ <img src="https://img.shields.io/github/workflow/status/bluetooth-devices/dbus-fast/CI/main?label=CI&logo=github&style=flat-square" alt="CI Status" >
34
+ </a>
35
+ <a href="https://dbus-fast.readthedocs.io">
36
+ <img src="https://img.shields.io/readthedocs/dbus-fast.svg?logo=read-the-docs&logoColor=fff&style=flat-square" alt="Documentation Status">
37
+ </a>
38
+ <a href="https://codecov.io/gh/bluetooth-devices/dbus-fast">
39
+ <img src="https://img.shields.io/codecov/c/github/bluetooth-devices/dbus-fast.svg?logo=codecov&logoColor=fff&style=flat-square" alt="Test coverage percentage">
40
+ </a>
41
+ </p>
42
+ <p align="center">
43
+ <a href="https://python-poetry.org/">
44
+ <img src="https://img.shields.io/badge/packaging-poetry-299bd7?style=flat-square&logo=data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAA4AAAASCAYAAABrXO8xAAAACXBIWXMAAAsTAAALEwEAmpwYAAAAAXNSR0IArs4c6QAAAARnQU1BAACxjwv8YQUAAAJJSURBVHgBfZLPa1NBEMe/s7tNXoxW1KJQKaUHkXhQvHgW6UHQQ09CBS/6V3hKc/AP8CqCrUcpmop3Cx48eDB4yEECjVQrlZb80CRN8t6OM/teagVxYZi38+Yz853dJbzoMV3MM8cJUcLMSUKIE8AzQ2PieZzFxEJOHMOgMQQ+dUgSAckNXhapU/NMhDSWLs1B24A8sO1xrN4NECkcAC9ASkiIJc6k5TRiUDPhnyMMdhKc+Zx19l6SgyeW76BEONY9exVQMzKExGKwwPsCzza7KGSSWRWEQhyEaDXp6ZHEr416ygbiKYOd7TEWvvcQIeusHYMJGhTwF9y7sGnSwaWyFAiyoxzqW0PM/RjghPxF2pWReAowTEXnDh0xgcLs8l2YQmOrj3N7ByiqEoH0cARs4u78WgAVkoEDIDoOi3AkcLOHU60RIg5wC4ZuTC7FaHKQm8Hq1fQuSOBvX/sodmNJSB5geaF5CPIkUeecdMxieoRO5jz9bheL6/tXjrwCyX/UYBUcjCaWHljx1xiX6z9xEjkYAzbGVnB8pvLmyXm9ep+W8CmsSHQQY77Zx1zboxAV0w7ybMhQmfqdmmw3nEp1I0Z+FGO6M8LZdoyZnuzzBdjISicKRnpxzI9fPb+0oYXsNdyi+d3h9bm9MWYHFtPeIZfLwzmFDKy1ai3p+PDls1Llz4yyFpferxjnyjJDSEy9CaCx5m2cJPerq6Xm34eTrZt3PqxYO1XOwDYZrFlH1fWnpU38Y9HRze3lj0vOujZcXKuuXm3jP+s3KbZVra7y2EAAAAAASUVORK5CYII=" alt="Poetry">
45
+ </a>
46
+ <a href="https://github.com/astral-sh/ruff">
47
+ <img src="https://img.shields.io/endpoint?url=https://raw.githubusercontent.com/astral-sh/ruff/main/assets/badge/v2.json" alt="Ruff">
48
+ </a>
49
+ <a href="https://github.com/pre-commit/pre-commit">
50
+ <img src="https://img.shields.io/badge/pre--commit-enabled-brightgreen?logo=pre-commit&logoColor=white&style=flat-square" alt="pre-commit">
51
+ </a>
52
+ <a href="https://codspeed.io/Bluetooth-Devices/dbus-fast"><img src="https://img.shields.io/endpoint?url=https://codspeed.io/badge.json" alt="CodSpeed Badge"/></a>
53
+ </p>
54
+ <p align="center">
55
+ <a href="https://pypi.org/project/dbus-fast/">
56
+ <img src="https://img.shields.io/pypi/v/dbus-fast.svg?logo=python&logoColor=fff&style=flat-square" alt="PyPI Version">
57
+ </a>
58
+ <img src="https://img.shields.io/pypi/pyversions/dbus-fast.svg?style=flat-square&logo=python&amp;logoColor=fff" alt="Supported Python versions">
59
+ <img src="https://img.shields.io/pypi/l/dbus-fast.svg?style=flat-square" alt="License">
60
+ </p>
61
+
62
+ A faster version of dbus-next originally from the [great DBus next library](https://github.com/altdesktop/python-dbus-next) ❤️
63
+
64
+ ## Installation
65
+
66
+ Install this via pip (or your favourite package manager):
67
+
68
+ `pip install dbus-fast`
69
+
70
+ [Documentation](https://dbus-fast.readthedocs.io/en/latest/)
71
+
72
+ dbus-fast is a Python library for DBus that aims to be a performant fully featured high level library primarily geared towards integration of applications into Linux desktop and mobile environments.
73
+
74
+ Desktop application developers can use this library for integrating their applications into desktop environments by implementing common DBus standard interfaces or creating custom plugin interfaces.
75
+
76
+ Desktop users can use this library to create their own scripts and utilities to interact with those interfaces for customization of their desktop environment.
77
+
78
+ dbus-fast plans to improve over other DBus libraries for Python in the following ways:
79
+
80
+ - Zero dependencies and pure Python 3
81
+ - An optional cython extension is available to speed up (un)marshalling
82
+ - Focus on performance
83
+ - Support for multiple IO backends including asyncio and the GLib main loop.
84
+ - Nonblocking IO suitable for GUI development.
85
+ - Target the latest language features of Python for beautiful services and clients.
86
+ - Complete implementation of the DBus type system without ever guessing types.
87
+ - Integration tests for all features of the library.
88
+ - Completely documented public API.
89
+
90
+ ## Installing
91
+
92
+ This library is available on PyPi as [dbus-fast](https://pypi.org/project/dbus-fast/).
93
+
94
+ ```
95
+ pip3 install dbus-fast
96
+ ```
97
+
98
+ ## The Client Interface
99
+
100
+ To use a service on the bus, the library constructs a proxy object you can use to call methods, get and set properties, and listen to signals.
101
+
102
+ For more information, see the [overview for the high-level client](https://dbus-fast.readthedocs.io/en/latest/high-level-client/index.html).
103
+
104
+ This example connects to a media player and controls it with the [MPRIS](https://specifications.freedesktop.org/mpris-spec/latest/) DBus interface.
105
+
106
+ ```python
107
+ from dbus_fast.aio import MessageBus
108
+
109
+ import asyncio
110
+
111
+
112
+ async def main():
113
+ bus = await MessageBus().connect()
114
+ # the introspection xml would normally be included in your project, but
115
+ # this is convenient for development
116
+ introspection = await bus.introspect('org.mpris.MediaPlayer2.vlc', '/org/mpris/MediaPlayer2')
117
+
118
+ obj = bus.get_proxy_object('org.mpris.MediaPlayer2.vlc', '/org/mpris/MediaPlayer2', introspection)
119
+ player = obj.get_interface('org.mpris.MediaPlayer2.Player')
120
+ properties = obj.get_interface('org.freedesktop.DBus.Properties')
121
+
122
+ # call methods on the interface (this causes the media player to play)
123
+ await player.call_play()
124
+
125
+ volume = await player.get_volume()
126
+ print(f'current volume: {volume}, setting to 0.5')
127
+
128
+ await player.set_volume(0.5)
129
+
130
+ # listen to signals
131
+ def on_properties_changed(interface_name, changed_properties, invalidated_properties):
132
+ for changed, variant in changed_properties.items():
133
+ print(f'property changed: {changed} - {variant.value}')
134
+
135
+ properties.on_properties_changed(on_properties_changed)
136
+
137
+ await asyncio.Event().wait()
138
+
139
+ asyncio.run(main())
140
+ ```
141
+
142
+ ## The Service Interface
143
+
144
+ To define a service on the bus, use the `ServiceInterface` class and decorate class methods to specify DBus methods, properties, and signals with their type signatures.
145
+
146
+ For more information, see the [overview for the high-level service](https://dbus-fast.readthedocs.io/en/latest/high-level-service/index.html).
147
+
148
+ ```python
149
+ from dbus_fast.service import ServiceInterface, method, dbus_property, signal, Variant
150
+ from dbus_fast.aio MessageBus
151
+
152
+ import asyncio
153
+
154
+ class ExampleInterface(ServiceInterface):
155
+ def __init__(self, name):
156
+ super().__init__(name)
157
+ self._string_prop = 'kevin'
158
+
159
+ @method()
160
+ def Echo(self, what: 's') -> 's':
161
+ return what
162
+
163
+ @method()
164
+ def GetVariantDict() -> 'a{sv}':
165
+ return {
166
+ 'foo': Variant('s', 'bar'),
167
+ 'bat': Variant('x', -55),
168
+ 'a_list': Variant('as', ['hello', 'world'])
169
+ }
170
+
171
+ @dbus_property()
172
+ def string_prop(self) -> 's':
173
+ return self._string_prop
174
+
175
+ @string_prop.setter
176
+ def string_prop_setter(self, val: 's'):
177
+ self._string_prop = val
178
+
179
+ @signal()
180
+ def signal_simple(self) -> 's':
181
+ return 'hello'
182
+
183
+ async def main():
184
+ bus = await MessageBus().connect()
185
+ interface = ExampleInterface('test.interface')
186
+ bus.export('/test/path', interface)
187
+ # now that we are ready to handle requests, we can request name from D-Bus
188
+ await bus.request_name('test.name')
189
+ # wait indefinitely
190
+ await asyncio.Event().wait()
191
+
192
+ asyncio.run(main())
193
+ ```
194
+
195
+ ## The Low-Level Interface
196
+
197
+ The low-level interface works with DBus messages directly.
198
+
199
+ For more information, see the [overview for the low-level interface](https://dbus-fast.readthedocs.io/en/latest/low-level-interface/index.html).
200
+
201
+ ```python
202
+ from dbus_fast.message import Message, MessageType
203
+ from dbus_fast.aio import MessageBus
204
+
205
+ import asyncio
206
+ import json
207
+
208
+
209
+ async def main():
210
+ bus = await MessageBus().connect()
211
+
212
+ reply = await bus.call(
213
+ Message(destination='org.freedesktop.DBus',
214
+ path='/org/freedesktop/DBus',
215
+ interface='org.freedesktop.DBus',
216
+ member='ListNames'))
217
+
218
+ if reply.message_type == MessageType.ERROR:
219
+ raise Exception(reply.body[0])
220
+
221
+ print(json.dumps(reply.body[0], indent=2))
222
+
223
+
224
+ asyncio.run(main())
225
+ ```
226
+
227
+ ## Projects that use dbus-fast
228
+
229
+ - [Bluetooth Adapters](https://github.com/bluetooth-devices/bluetooth-adapters)
230
+
231
+ ## Contributing
232
+
233
+ Contributions are welcome. Development happens on [Github](https://github.com/Bluetooth-Devices/dbus-fast).
234
+
235
+ Before you commit, run `pre-commit run --all-files` to run the linter, code formatter, and the test suite.
236
+
237
+ ## Copyright
238
+
239
+ You can use this code under an MIT license (see LICENSE).
240
+
241
+ - © 2019, Tony Crisci
242
+ - © 2022, Bluetooth Devices authors
243
+
244
+ ## Contributors ✨
245
+
246
+ Thanks goes to these wonderful people ([emoji key](https://allcontributors.org/docs/en/emoji-key)):
247
+
248
+ <!-- prettier-ignore-start -->
249
+ <!-- ALL-CONTRIBUTORS-LIST:START - Do not remove or modify this section -->
250
+ <!-- markdownlint-disable -->
251
+ <!-- markdownlint-enable -->
252
+ <!-- ALL-CONTRIBUTORS-LIST:END -->
253
+ <!-- prettier-ignore-end -->
254
+
255
+ This project follows the [all-contributors](https://github.com/all-contributors/all-contributors) specification. Contributions of any kind welcome!
256
+
257
+ ## Credits
258
+
259
+ This package was created with
260
+ [Cookiecutter](https://github.com/audreyr/cookiecutter) and the
261
+ [browniebroke/cookiecutter-pypackage](https://github.com/browniebroke/cookiecutter-pypackage)
262
+ project template.
263
+
@@ -0,0 +1,51 @@
1
+ dbus_fast/auth.py,sha256=r3Y5bNfkEdIAB2uVAZ-HwjkEOwhOQymICMIEyonh89o,4373
2
+ dbus_fast/service.py,sha256=mRSjIM9a-PpMW9vSE_CbOuVBqKOeN8rggVgZVnMemSM,24613
3
+ dbus_fast/message_bus.py,sha256=hu43xwx1MMA0htR8jsAXN2fvuVDkokh5AGlDRDy61tA,48381
4
+ dbus_fast/message.cpython-311-darwin.so,sha256=Bfe90SC7-3ZGOlm2L0jIZq-ITjedGaKc3S119wLAcp8,159056
5
+ dbus_fast/unpack.cpython-311-darwin.so,sha256=Rhy-s_eice75QTpJcYi5gdalucgVNUQR-yxxkMeEneQ,79216
6
+ dbus_fast/message.pxd,sha256=dDSRIDbgN3S3z7Fibv3Li-eQewk0pG98nLi_NoSyE2M,1831
7
+ dbus_fast/service.cpython-311-darwin.so,sha256=VVUW_ni-6AFo0bARYJXNU125O5n2ucdja7AvwBlLznE,300272
8
+ dbus_fast/message_bus.pxd,sha256=BBhqvRh6qxszYCrQiqZOO2mUGjwlemW-HUXw-_YDL7Q,2078
9
+ dbus_fast/signature.cpython-311-darwin.so,sha256=58SOYQIlu9tcymTDQJyzXhWUP3fkQI4gCwYLOeMyWEI,239408
10
+ dbus_fast/signature.pxd,sha256=o3O37zQiIm4HKsq6a42rHPyYIRQCEf6B10HkcVWL4K4,638
11
+ dbus_fast/validators.py,sha256=LId-6u87hhm7D4XGe3N_kSzX6rO5I9QRVTlHH8rdYbs,5239
12
+ dbus_fast/proxy_object.py,sha256=fK6fPgxp5d6qyd03kGOfNdQ-TN8uUxia1JQSmemIz_Q,14634
13
+ dbus_fast/constants.py,sha256=QdBdcT1Ga3BfE_ox1TWERftxALO5os8nZuneh_wfMso,6066
14
+ dbus_fast/__init__.py,sha256=IYGz5EagZGOhz7TZf6kLXvDFHimOfcK3l2N0BO7e_-I,1948
15
+ dbus_fast/message.py,sha256=A7fhNQt-Z-pOTVpL3lUL1esATw9fO55SaCUwPBaxG6E,13989
16
+ dbus_fast/__version__.py,sha256=PsZm1aZDmjbYINcLPSuzjK2U_iFVdKRmldwBUL6kTrE,401
17
+ dbus_fast/unpack.pxd,sha256=jwrWP1loFA5YT9DCNb0TZubJACJgckzuNZCXtlrgdB8,181
18
+ dbus_fast/service.pxd,sha256=IjGbYRGVN0fJ6_Xbp--i1oCrVLBt87A2mAqxxHMSrJY,1177
19
+ dbus_fast/message_bus.cpython-311-darwin.so,sha256=O5yPbP1yCvjw-M98y0SlWTgA9fNxhX7yMIC81UVXwD0,401488
20
+ dbus_fast/send_reply.py,sha256=URk5Uot6JTRm_44SuM6kYmbW1r7e6oUnZHGc64DnEVs,1650
21
+ dbus_fast/introspection.py,sha256=xDbfJ0TYD23jZv1v6kq1A3eHS8jf9VhYdOScbGgWGZ4,25671
22
+ dbus_fast/unpack.py,sha256=xhV38jJZJKas-RG92_dJhKbNuHfWgmo5DD_76t2gwfg,622
23
+ dbus_fast/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
24
+ dbus_fast/errors.py,sha256=Z5riU1Myiv0lazf0FPZPsYqLNS_NL8lYmo1l3e6HqRs,2024
25
+ dbus_fast/signature.py,sha256=UYZwS27XTxAOdd4fgef-cqjNnuojtRwKKpZPcKRPGWw,17732
26
+ dbus_fast/glib/message_bus.py,sha256=7rgWPA7qrUm-Jpjf64NWecbb9ZiuVgvmT-ka7Hhy3kQ,16469
27
+ dbus_fast/glib/proxy_object.py,sha256=qCoNawfsisWcT8YeZGaD0nAMvLS2RMpBwmrYyDDcIfI,10704
28
+ dbus_fast/glib/__init__.py,sha256=BOQBzyCC9spfx1m4uXv1oDaqDnAP8q-tasYdN5WWMpM,162
29
+ dbus_fast/aio/message_bus.py,sha256=xPSnKmIV7yzHWHfjPmHxtbI-rhxpjsMCjw8i2Z6eFKM,20996
30
+ dbus_fast/aio/message_reader.cpython-311-darwin.so,sha256=vyjapbFFXQb2A7zJyzafjMYN0OUr1M_K-RJnRUVkemA,105800
31
+ dbus_fast/aio/proxy_object.py,sha256=yA4UUWS1uhqyQP8WemoI72CESHkqV9hMtTazmXonS5Y,7059
32
+ dbus_fast/aio/__init__.py,sha256=GUbJM8P3joxXvv6TOE9ak45tiB1rJ-vjC9xXvk-8X3o,198
33
+ dbus_fast/aio/message_reader.py,sha256=ieQCbd5sREvV6wnOEuaX-se1wJDGtKEmxXk1jgsuXg0,1669
34
+ dbus_fast/aio/message_reader.pxd,sha256=aC5SXPLJcaJ-UR0q1RLNZ5f4Q4qgJWH5FegT9xanJDo,226
35
+ dbus_fast/_private/_cython_compat.py,sha256=s0a49yrhvXeW9GwVI_Ubpsc-Xt0g_Ga_UQyo1Apgtm8,247
36
+ dbus_fast/_private/address.py,sha256=fMI35VoXMRejYhOyg8Qn-J6xhlJ5AnHwbseliQ_qvzs,4038
37
+ dbus_fast/_private/address.cpython-311-darwin.so,sha256=lNMXheWKLmei2sO7YeAwrK-R5aBO0Jb07bxeA7QzgLw,117312
38
+ dbus_fast/_private/util.py,sha256=xwFZIjbqNuvjVN-tIYlC8ThITI4f0AhYejshn5RvRgk,5970
39
+ dbus_fast/_private/constants.py,sha256=-b2VrmSPLZnY1Bz-TipIRbYFDpa5IPtQ9uuErbJu8us,311
40
+ dbus_fast/_private/__init__.py,sha256=U4S_2y3zgLZVfMenHRaJFBW8yqh2mUBuI291LGQVOJ8,35
41
+ dbus_fast/_private/marshaller.py,sha256=iklbbHqDl8v-7my_qx_RH5SH8SCKImoj2ZekiiXrL5M,7796
42
+ dbus_fast/_private/address.pxd,sha256=1RKICTK01HOk253rRCqmgFCD3NDXXHbEKPyQvUIvtLU,287
43
+ dbus_fast/_private/unmarshaller.py,sha256=tjGmcd2p1o9QJAMme8lLsJwNywvDhG7Td2UoKCxC0YE,34251
44
+ dbus_fast/_private/unmarshaller.pxd,sha256=sOvve73a-K0g6A0dxDPtPEGYF5gUqDHAl-SKuGxcr7M,7092
45
+ dbus_fast/_private/marshaller.pxd,sha256=WGpF4TFz7zHBO7XAmrT7aw0LSiM0T3bSvMvU-ju0bCc,2665
46
+ dbus_fast/_private/unmarshaller.cpython-311-darwin.so,sha256=dEdjZSemXY1psbDy8z-Z284wqpjwzpKP4_NQePXyD1Q,244288
47
+ dbus_fast/_private/marshaller.cpython-311-darwin.so,sha256=jpv3JlymqzYZbwBhcEhPtnSvGLo47vB9Fd8y74SQxa8,182624
48
+ dbus_fast-2.45.1.dist-info/RECORD,,
49
+ dbus_fast-2.45.1.dist-info/WHEEL,sha256=foUAviPHc5SWYpL5Ae2ZU0xJi7jG5Ltoq8FhBe-Le-E,134
50
+ dbus_fast-2.45.1.dist-info/METADATA,sha256=y8CarvrGVL8_TC-FI7-laY1O3QEfpSxjBGGqtA3NdY8,10800
51
+ dbus_fast-2.45.1.dist-info/licenses/LICENSE,sha256=w36cdREOAdHwxTYNx9d3ajCsX3DSRA2yFEI-S3p3pq8,1083
@@ -0,0 +1,6 @@
1
+ Wheel-Version: 1.0
2
+ Generator: poetry-core 2.2.1
3
+ Root-Is-Purelib: false
4
+ Tag: cp311-cp311-macosx_11_0_arm64
5
+ Generator: delocate 0.13.0
6
+
@@ -0,0 +1,22 @@
1
+
2
+ MIT License
3
+
4
+ Copyright (c) 2022 Bluetooth Devices Authors
5
+
6
+ Permission is hereby granted, free of charge, to any person obtaining a copy
7
+ of this software and associated documentation files (the "Software"), to deal
8
+ in the Software without restriction, including without limitation the rights
9
+ to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
10
+ copies of the Software, and to permit persons to whom the Software is
11
+ furnished to do so, subject to the following conditions:
12
+
13
+ The above copyright notice and this permission notice shall be included in all
14
+ copies or substantial portions of the Software.
15
+
16
+ THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
17
+ IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
18
+ FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
19
+ AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
20
+ LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
21
+ OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
22
+ SOFTWARE.