pysmarlaapi 0.1.0__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.
Potentially problematic release.
This version of pysmarlaapi might be problematic. Click here for more details.
- pysmarlaapi/__init__.py +4 -0
- pysmarlaapi/classes/__init__.py +2 -0
- pysmarlaapi/classes/auth_token.py +27 -0
- pysmarlaapi/classes/connection.py +38 -0
- pysmarlaapi/connection_hub/__init__.py +148 -0
- pysmarlaapi/federwiege/__init__.py +2 -0
- pysmarlaapi/federwiege/classes/__init__.py +2 -0
- pysmarlaapi/federwiege/classes/property.py +46 -0
- pysmarlaapi/federwiege/classes/service.py +33 -0
- pysmarlaapi/federwiege/services/analyser_service.py +47 -0
- pysmarlaapi/federwiege/services/babywiege_service.py +75 -0
- pysmarlaapi-0.1.0.dist-info/METADATA +29 -0
- pysmarlaapi-0.1.0.dist-info/RECORD +14 -0
- pysmarlaapi-0.1.0.dist-info/WHEEL +4 -0
pysmarlaapi/__init__.py
ADDED
|
@@ -0,0 +1,27 @@
|
|
|
1
|
+
from dataclasses import dataclass
|
|
2
|
+
from typing import Self
|
|
3
|
+
|
|
4
|
+
import jsonpickle
|
|
5
|
+
|
|
6
|
+
|
|
7
|
+
@dataclass
|
|
8
|
+
class AuthToken:
|
|
9
|
+
refreshToken: str
|
|
10
|
+
token: str
|
|
11
|
+
dateCreated: str
|
|
12
|
+
appIdentifier: str
|
|
13
|
+
serialNumber: str
|
|
14
|
+
appVersion: str
|
|
15
|
+
appCulture: str
|
|
16
|
+
|
|
17
|
+
@classmethod
|
|
18
|
+
def from_json(cls, value) -> Self:
|
|
19
|
+
value["py/object"] = "pysmarlaapi.classes.auth_token.AuthToken"
|
|
20
|
+
return jsonpickle.decode(str(value))
|
|
21
|
+
|
|
22
|
+
@classmethod
|
|
23
|
+
def from_string(cls, value) -> Self:
|
|
24
|
+
return AuthToken.from_json(jsonpickle.decode(value))
|
|
25
|
+
|
|
26
|
+
def get_string(self) -> str:
|
|
27
|
+
return jsonpickle.encode(self, unpicklable=False)
|
|
@@ -0,0 +1,38 @@
|
|
|
1
|
+
import aiohttp
|
|
2
|
+
import jsonpickle
|
|
3
|
+
|
|
4
|
+
from . import AuthToken
|
|
5
|
+
|
|
6
|
+
|
|
7
|
+
class Connection:
|
|
8
|
+
|
|
9
|
+
def __init__(self, url: str, token: AuthToken = None, token_str=None, token_json=None):
|
|
10
|
+
self.url = url
|
|
11
|
+
if token is not None:
|
|
12
|
+
self.token = token
|
|
13
|
+
elif token_json is not None:
|
|
14
|
+
self.token = AuthToken.from_json(token_json)
|
|
15
|
+
elif token_str is not None:
|
|
16
|
+
self.token = AuthToken.from_string(token_str)
|
|
17
|
+
else:
|
|
18
|
+
self.token = None
|
|
19
|
+
|
|
20
|
+
async def get_token(self) -> AuthToken:
|
|
21
|
+
try:
|
|
22
|
+
async with aiohttp.ClientSession(self.url) as session:
|
|
23
|
+
async with session.post(
|
|
24
|
+
"/api/AppParing/getToken",
|
|
25
|
+
headers={"accept": "*/*", "Content-Type": "application/json"},
|
|
26
|
+
data=jsonpickle.encode(self.token, unpicklable=False),
|
|
27
|
+
) as response:
|
|
28
|
+
if response.status != 200:
|
|
29
|
+
return None
|
|
30
|
+
json_body = await response.json()
|
|
31
|
+
except ValueError:
|
|
32
|
+
return None
|
|
33
|
+
try:
|
|
34
|
+
new_token = AuthToken.from_json(json_body)
|
|
35
|
+
except ValueError:
|
|
36
|
+
return None
|
|
37
|
+
self.token = new_token
|
|
38
|
+
return self.token
|
|
@@ -0,0 +1,148 @@
|
|
|
1
|
+
import asyncio
|
|
2
|
+
import logging
|
|
3
|
+
import random
|
|
4
|
+
import uuid
|
|
5
|
+
|
|
6
|
+
from pysignalr.client import SignalRClient
|
|
7
|
+
from pysignalr.transport.abstract import ConnectionState
|
|
8
|
+
|
|
9
|
+
from ..classes import Connection
|
|
10
|
+
|
|
11
|
+
|
|
12
|
+
async def event_wait(event, timeout):
|
|
13
|
+
try:
|
|
14
|
+
await asyncio.wait_for(event.wait(), timeout)
|
|
15
|
+
except asyncio.TimeoutError:
|
|
16
|
+
return
|
|
17
|
+
|
|
18
|
+
|
|
19
|
+
class ConnectionHub:
|
|
20
|
+
"""SignalRCore Hub
|
|
21
|
+
Provides interface via websocket for the controller using the SignalRCore protocol.
|
|
22
|
+
"""
|
|
23
|
+
|
|
24
|
+
@property
|
|
25
|
+
def running(self):
|
|
26
|
+
return self._running
|
|
27
|
+
|
|
28
|
+
@property
|
|
29
|
+
def connected(self):
|
|
30
|
+
return self.client._transport._state == ConnectionState.connected if self.client else False
|
|
31
|
+
|
|
32
|
+
def __init__(
|
|
33
|
+
self,
|
|
34
|
+
async_loop: asyncio.AbstractEventLoop,
|
|
35
|
+
connection: Connection,
|
|
36
|
+
interval: int = 60,
|
|
37
|
+
backoff: int = 300,
|
|
38
|
+
):
|
|
39
|
+
self.connection: Connection = connection
|
|
40
|
+
self._loop: asyncio.AbstractEventLoop = async_loop
|
|
41
|
+
self._interval = interval
|
|
42
|
+
self._backoff = backoff
|
|
43
|
+
|
|
44
|
+
self.logger = logging.getLogger(f"{__package__}[{self.connection.token.serialNumber}]")
|
|
45
|
+
|
|
46
|
+
self.listeners = set()
|
|
47
|
+
|
|
48
|
+
self._running = False
|
|
49
|
+
self._wake = asyncio.Event()
|
|
50
|
+
|
|
51
|
+
self.client = None
|
|
52
|
+
self.setup()
|
|
53
|
+
|
|
54
|
+
async def notifycontrollerconnection(self, args):
|
|
55
|
+
value = args[0]
|
|
56
|
+
if value == "ControllerConnected":
|
|
57
|
+
await self.notify_listeners(1)
|
|
58
|
+
else:
|
|
59
|
+
await self.notify_listeners(0)
|
|
60
|
+
|
|
61
|
+
def setup(self):
|
|
62
|
+
self.client = SignalRClient(self.connection.url + "/MobileAppHub", retry_count=1)
|
|
63
|
+
self.client.on_open(self.on_open_function)
|
|
64
|
+
self.client.on_close(self.on_close_function)
|
|
65
|
+
self.client.on_error(self.on_error)
|
|
66
|
+
self.client.on("SetNotifyAppConnectionCallback", self.notifycontrollerconnection)
|
|
67
|
+
|
|
68
|
+
def add_listener(self, listener):
|
|
69
|
+
if self.running:
|
|
70
|
+
return
|
|
71
|
+
self.listeners.add(listener)
|
|
72
|
+
|
|
73
|
+
def remove_listener(self, listener):
|
|
74
|
+
if self.running:
|
|
75
|
+
return
|
|
76
|
+
self.listeners.remove(listener)
|
|
77
|
+
|
|
78
|
+
async def notify_listeners(self, value):
|
|
79
|
+
for listener in self.listeners:
|
|
80
|
+
await listener(value)
|
|
81
|
+
|
|
82
|
+
async def on_open_function(self):
|
|
83
|
+
self.logger.info("Connection to server established")
|
|
84
|
+
|
|
85
|
+
async def on_close_function(self):
|
|
86
|
+
self.logger.info("Connection to server closed")
|
|
87
|
+
|
|
88
|
+
async def on_error(self, message):
|
|
89
|
+
self.logger.error("Connection error occurred: " + str(message))
|
|
90
|
+
|
|
91
|
+
def start(self):
|
|
92
|
+
if self.running:
|
|
93
|
+
return
|
|
94
|
+
self._running = True
|
|
95
|
+
asyncio.run_coroutine_threadsafe(self.connection_watcher(), self._loop)
|
|
96
|
+
|
|
97
|
+
def stop(self):
|
|
98
|
+
if not self.running:
|
|
99
|
+
return
|
|
100
|
+
self._running = False
|
|
101
|
+
self.close_connection()
|
|
102
|
+
self.wake_up()
|
|
103
|
+
|
|
104
|
+
async def connection_watcher(self):
|
|
105
|
+
while self.running:
|
|
106
|
+
await self.refresh_token()
|
|
107
|
+
try:
|
|
108
|
+
await self.client.run()
|
|
109
|
+
except Exception as e:
|
|
110
|
+
self.logger.warning(f"Error during connection: {type(e).__name__}: {str(e)}")
|
|
111
|
+
|
|
112
|
+
# Random backoff to avoid simultaneous connection attempts
|
|
113
|
+
backoff = random.randint(0, self._backoff)
|
|
114
|
+
await event_wait(self._wake, self._interval + backoff)
|
|
115
|
+
self._wake.clear()
|
|
116
|
+
|
|
117
|
+
def wake_up(self):
|
|
118
|
+
self._wake.set()
|
|
119
|
+
|
|
120
|
+
def close_connection(self):
|
|
121
|
+
if not self.connected:
|
|
122
|
+
return
|
|
123
|
+
asyncio.run_coroutine_threadsafe(self.client._transport._ws.close(), self._loop)
|
|
124
|
+
|
|
125
|
+
async def refresh_token(self):
|
|
126
|
+
await self.connection.get_token()
|
|
127
|
+
auth_token = self.connection.token.token
|
|
128
|
+
self.client._transport._headers["Authorization"] = f"Bearer {auth_token}"
|
|
129
|
+
self.logger.info("Auth token refreshed")
|
|
130
|
+
|
|
131
|
+
def send_serialized_data(self, event, value=None):
|
|
132
|
+
serialized_result = {
|
|
133
|
+
"callIdentifier": {
|
|
134
|
+
"requestNonce": str(uuid.uuid4()),
|
|
135
|
+
},
|
|
136
|
+
}
|
|
137
|
+
if value is not None:
|
|
138
|
+
serialized_result["value"] = value
|
|
139
|
+
|
|
140
|
+
self.logger.debug(f"Sending data, Event: {event}, Payload: {str(serialized_result)}")
|
|
141
|
+
|
|
142
|
+
asyncio.run_coroutine_threadsafe(self.send_data(event, [serialized_result]), self._loop)
|
|
143
|
+
|
|
144
|
+
async def send_data(self, event, data):
|
|
145
|
+
try:
|
|
146
|
+
await self.client.send(event, data)
|
|
147
|
+
except Exception:
|
|
148
|
+
pass
|
|
@@ -0,0 +1,46 @@
|
|
|
1
|
+
import asyncio
|
|
2
|
+
from typing import Generic, TypeVar
|
|
3
|
+
|
|
4
|
+
from ...connection_hub import ConnectionHub
|
|
5
|
+
|
|
6
|
+
_VT = TypeVar("_VT")
|
|
7
|
+
|
|
8
|
+
|
|
9
|
+
class Property(Generic[_VT]):
|
|
10
|
+
|
|
11
|
+
def __init__(self, connection_hub: ConnectionHub):
|
|
12
|
+
self.hub = connection_hub
|
|
13
|
+
self.value: _VT = None
|
|
14
|
+
self.listeners = set()
|
|
15
|
+
self.lock = asyncio.Lock()
|
|
16
|
+
|
|
17
|
+
async def add_listener(self, listener):
|
|
18
|
+
async with self.lock:
|
|
19
|
+
self.listeners.add(listener)
|
|
20
|
+
|
|
21
|
+
async def remove_listener(self, listener):
|
|
22
|
+
async with self.lock:
|
|
23
|
+
self.listeners.remove(listener)
|
|
24
|
+
|
|
25
|
+
async def notify_listeners(self, value):
|
|
26
|
+
async with self.lock:
|
|
27
|
+
for listener in self.listeners:
|
|
28
|
+
await listener(value)
|
|
29
|
+
|
|
30
|
+
def get(self) -> _VT:
|
|
31
|
+
return self.value
|
|
32
|
+
|
|
33
|
+
def set(self, new_value: _VT, push=True):
|
|
34
|
+
if push:
|
|
35
|
+
self.push(new_value)
|
|
36
|
+
else:
|
|
37
|
+
self.value = new_value
|
|
38
|
+
|
|
39
|
+
def push(self):
|
|
40
|
+
pass
|
|
41
|
+
|
|
42
|
+
def pull(self):
|
|
43
|
+
pass
|
|
44
|
+
|
|
45
|
+
def register(self):
|
|
46
|
+
pass
|
|
@@ -0,0 +1,33 @@
|
|
|
1
|
+
from ...connection_hub import ConnectionHub
|
|
2
|
+
from .property import Property
|
|
3
|
+
|
|
4
|
+
|
|
5
|
+
class Service:
|
|
6
|
+
|
|
7
|
+
async def on_connection_change(self, value):
|
|
8
|
+
if value:
|
|
9
|
+
self.sync()
|
|
10
|
+
|
|
11
|
+
def __init__(self, connection_hub: ConnectionHub):
|
|
12
|
+
self.hub = connection_hub
|
|
13
|
+
self.registered = False
|
|
14
|
+
self.props: dict[str, Property] = {}
|
|
15
|
+
|
|
16
|
+
def add_property(self, key: str, prop: Property):
|
|
17
|
+
self.props[key] = prop
|
|
18
|
+
|
|
19
|
+
def get_properties(self):
|
|
20
|
+
return self.props
|
|
21
|
+
|
|
22
|
+
def get_property(self, key: str):
|
|
23
|
+
return self.props[key]
|
|
24
|
+
|
|
25
|
+
def register(self):
|
|
26
|
+
for prop in self.props.values():
|
|
27
|
+
prop.register()
|
|
28
|
+
self.hub.add_listener(self.on_connection_change)
|
|
29
|
+
self.registered = True
|
|
30
|
+
|
|
31
|
+
def sync(self):
|
|
32
|
+
for prop in self.props.values():
|
|
33
|
+
prop.pull()
|
|
@@ -0,0 +1,47 @@
|
|
|
1
|
+
from ...connection_hub import ConnectionHub
|
|
2
|
+
from ..classes import Property, Service
|
|
3
|
+
|
|
4
|
+
|
|
5
|
+
class AnalyserService(Service):
|
|
6
|
+
|
|
7
|
+
def __init__(self, connection_hub: ConnectionHub):
|
|
8
|
+
super().__init__(connection_hub)
|
|
9
|
+
self.add_property("oscillation", OscillationProperty(self.hub))
|
|
10
|
+
self.add_property("activity", ActivityProperty(self.hub))
|
|
11
|
+
self.register()
|
|
12
|
+
|
|
13
|
+
|
|
14
|
+
class OscillationProperty(Property[list[int, int]]):
|
|
15
|
+
|
|
16
|
+
async def on_callback(self, args):
|
|
17
|
+
value = args[0]["value"]
|
|
18
|
+
self.set(value, push=False)
|
|
19
|
+
await self.notify_listeners(value)
|
|
20
|
+
|
|
21
|
+
def __init__(self, parent: Service):
|
|
22
|
+
super().__init__(parent)
|
|
23
|
+
self.value = [0, 0]
|
|
24
|
+
|
|
25
|
+
def pull(self):
|
|
26
|
+
self.hub.send_serialized_data("GetOscillation")
|
|
27
|
+
|
|
28
|
+
def register(self):
|
|
29
|
+
self.hub.client.on("GetOscillationCallback", self.on_callback)
|
|
30
|
+
|
|
31
|
+
|
|
32
|
+
class ActivityProperty(Property[int]):
|
|
33
|
+
|
|
34
|
+
async def on_callback(self, args):
|
|
35
|
+
value = args[0]["value"]
|
|
36
|
+
self.set(value, push=False)
|
|
37
|
+
await self.notify_listeners(value)
|
|
38
|
+
|
|
39
|
+
def __init__(self, parent: Service):
|
|
40
|
+
super().__init__(parent)
|
|
41
|
+
self.value = 0
|
|
42
|
+
|
|
43
|
+
def pull(self):
|
|
44
|
+
self.hub.send_serialized_data("GetActivity")
|
|
45
|
+
|
|
46
|
+
def register(self):
|
|
47
|
+
self.hub.client.on("GetActivityCallback", self.on_callback)
|
|
@@ -0,0 +1,75 @@
|
|
|
1
|
+
from ...connection_hub import ConnectionHub
|
|
2
|
+
from ..classes import Property, Service
|
|
3
|
+
|
|
4
|
+
|
|
5
|
+
class BabywiegeService(Service):
|
|
6
|
+
|
|
7
|
+
def __init__(self, connection_hub: ConnectionHub):
|
|
8
|
+
super().__init__(connection_hub)
|
|
9
|
+
self.add_property("swing_active", SwingActiveProperty(self.hub))
|
|
10
|
+
self.add_property("intensity", IntensityProperty(self.hub))
|
|
11
|
+
self.add_property("smartmode", SmartModeProperty(self.hub))
|
|
12
|
+
self.register()
|
|
13
|
+
|
|
14
|
+
|
|
15
|
+
class SwingActiveProperty(Property[bool]):
|
|
16
|
+
|
|
17
|
+
async def on_callback(self, args):
|
|
18
|
+
value = args[0]["value"]
|
|
19
|
+
self.set(value, push=False)
|
|
20
|
+
await self.notify_listeners(value)
|
|
21
|
+
|
|
22
|
+
def __init__(self, parent: Service):
|
|
23
|
+
super().__init__(parent)
|
|
24
|
+
self.value = False
|
|
25
|
+
|
|
26
|
+
def pull(self):
|
|
27
|
+
self.hub.send_serialized_data("GetSwingActive")
|
|
28
|
+
|
|
29
|
+
def push(self, value):
|
|
30
|
+
self.hub.send_serialized_data("SetSwingActive", value)
|
|
31
|
+
|
|
32
|
+
def register(self):
|
|
33
|
+
self.hub.client.on("GetSwingActiveCallback", self.on_callback)
|
|
34
|
+
|
|
35
|
+
|
|
36
|
+
class IntensityProperty(Property[int]):
|
|
37
|
+
|
|
38
|
+
async def on_callback(self, args):
|
|
39
|
+
value = args[0]["value"]
|
|
40
|
+
self.set(value, push=False)
|
|
41
|
+
await self.notify_listeners(value)
|
|
42
|
+
|
|
43
|
+
def __init__(self, parent: Service):
|
|
44
|
+
super().__init__(parent)
|
|
45
|
+
self.value = 0
|
|
46
|
+
|
|
47
|
+
def pull(self):
|
|
48
|
+
self.hub.send_serialized_data("GetIntensity")
|
|
49
|
+
|
|
50
|
+
def push(self, value):
|
|
51
|
+
self.hub.send_serialized_data("SetIntensity", value)
|
|
52
|
+
|
|
53
|
+
def register(self):
|
|
54
|
+
self.hub.client.on("GetIntensityCallback", self.on_callback)
|
|
55
|
+
|
|
56
|
+
|
|
57
|
+
class SmartModeProperty(Property[bool]):
|
|
58
|
+
|
|
59
|
+
async def on_callback(self, args):
|
|
60
|
+
value = args[0]["value"]
|
|
61
|
+
self.set(value, push=False)
|
|
62
|
+
await self.notify_listeners(value)
|
|
63
|
+
|
|
64
|
+
def __init__(self, parent: Service):
|
|
65
|
+
super().__init__(parent)
|
|
66
|
+
self.value = False
|
|
67
|
+
|
|
68
|
+
def pull(self):
|
|
69
|
+
self.hub.send_serialized_data("GetSmartMode")
|
|
70
|
+
|
|
71
|
+
def push(self, value):
|
|
72
|
+
self.hub.send_serialized_data("SetSmartMode", value)
|
|
73
|
+
|
|
74
|
+
def register(self):
|
|
75
|
+
self.hub.client.on("GetSmartModeCallback", self.on_callback)
|
|
@@ -0,0 +1,29 @@
|
|
|
1
|
+
Metadata-Version: 2.3
|
|
2
|
+
Name: pysmarlaapi
|
|
3
|
+
Version: 0.1.0
|
|
4
|
+
Summary: Swing2Sleep Smarla API via websocket with signalr protocol
|
|
5
|
+
Author-email: Robin Lintermann <robin.lintermann@explicatis.com>
|
|
6
|
+
Requires-Python: >=3.11.9
|
|
7
|
+
Description-Content-Type: text/markdown
|
|
8
|
+
Classifier: Development Status :: 1 - Planning
|
|
9
|
+
Classifier: Programming Language :: Python :: 3 :: Only
|
|
10
|
+
Classifier: Programming Language :: Python :: 3.11
|
|
11
|
+
Requires-Dist: aiohttp~=3.11.11
|
|
12
|
+
Requires-Dist: jsonpickle~=4.0.0
|
|
13
|
+
Requires-Dist: pysignalr~=1.1.0
|
|
14
|
+
|
|
15
|
+
# Federwiege Python API
|
|
16
|
+
|
|
17
|
+
Swing2Sleep Smarla API via websocket with signalr protocol.
|
|
18
|
+
|
|
19
|
+
See tests for example usage.
|
|
20
|
+
|
|
21
|
+
## Development Setup
|
|
22
|
+
|
|
23
|
+
- `pip3 install -r requirements_dev.txt`
|
|
24
|
+
- `pre-commit install`
|
|
25
|
+
|
|
26
|
+
## Publishing
|
|
27
|
+
|
|
28
|
+
- Use flit to publish package to pypi
|
|
29
|
+
|
|
@@ -0,0 +1,14 @@
|
|
|
1
|
+
pysmarlaapi/__init__.py,sha256=znC1d_F9YF0NBjawoeGmtVz7GxsTaECIFihco71pctE,112
|
|
2
|
+
pysmarlaapi/classes/__init__.py,sha256=4F4LRzLQtj6AmzrXn74iHEZl-YElpMkb7MhEGkab504,71
|
|
3
|
+
pysmarlaapi/classes/auth_token.py,sha256=FgLkZ0xPETfh1ZMQfWhwW6tkPnqFYeHhDUBLBFbauwA,663
|
|
4
|
+
pysmarlaapi/classes/connection.py,sha256=vNh9vG4xAewl2gmkducwSd3u7osjYw5gwtZTZ48rqVo,1291
|
|
5
|
+
pysmarlaapi/connection_hub/__init__.py,sha256=U76wUkXHjAgzZNuJKS8ZFRwIskPIkCW1HdI1_SLlGs0,4620
|
|
6
|
+
pysmarlaapi/federwiege/__init__.py,sha256=-zzqsip6li-QPsUJv-wEoqLpUzHHN9gbUYACRAc_wSg,114
|
|
7
|
+
pysmarlaapi/federwiege/classes/__init__.py,sha256=1cCe3iToaNmbUfy_7PynoPenNHtVcKC03rFc4ADqnbE,62
|
|
8
|
+
pysmarlaapi/federwiege/classes/property.py,sha256=YZnpw0cD2NUPnlWo6TBjOzNTWcSJG1tvArXs1dRT6dY,1084
|
|
9
|
+
pysmarlaapi/federwiege/classes/service.py,sha256=wZcfq4xVXu_LKojcZALs63n5le9ekx0sEYT8nHKJKbU,865
|
|
10
|
+
pysmarlaapi/federwiege/services/analyser_service.py,sha256=RoY5gv_DxUb9W9oucmPGJgOmoy9zn_uHmNyZX2P_wOY,1365
|
|
11
|
+
pysmarlaapi/federwiege/services/babywiege_service.py,sha256=qHZjkQK7vmHK0vVmtXrdAsTh9vdAAbuwOQfKLF6ltyQ,2192
|
|
12
|
+
pysmarlaapi-0.1.0.dist-info/WHEEL,sha256=CpUCUxeHQbRN5UGRQHYRJorO5Af-Qy_fHMctcQ8DSGI,82
|
|
13
|
+
pysmarlaapi-0.1.0.dist-info/METADATA,sha256=W1W63qwrvPtAh-Rfw0LUuqF-Ch-h9i9TneuQdxbr8tQ,763
|
|
14
|
+
pysmarlaapi-0.1.0.dist-info/RECORD,,
|