Skip to content

Commit 77583b8

Browse files
committed
Add Millicast APIs, use dataclasses to parse objects
1 parent 69427b6 commit 77583b8

18 files changed

+576
-234
lines changed

client/README.md

+5-4
Original file line numberDiff line numberDiff line change
@@ -23,12 +23,12 @@ python3 -m pip install --upgrade dolbyio-rest-apis
2323
```python
2424
import asyncio
2525
from dolbyio_rest_apis.streaming import publish_token
26-
from dolbyio_rest_apis.streaming.models.publish_token import CreatePublishToken, CreateUpdatePublishTokenStream
26+
from dolbyio_rest_apis.streaming.models.publish_token import CreatePublishToken, TokenStreamName
2727

2828
API_SECRET = '' # Retrieve your API Secret from the dashboard
2929

3030
create_token = CreatePublishToken('my_token')
31-
create_token.streams.append(CreateUpdatePublishTokenStream('feed1', False))
31+
create_token.streams.append(TokenStreamName('feed1', False))
3232

3333
loop = asyncio.get_event_loop()
3434

@@ -43,12 +43,13 @@ print(token)
4343
```python
4444
import asyncio
4545
from dolbyio_rest_apis.streaming import subscribe_token
46-
from dolbyio_rest_apis.streaming.models.subscribe_token import CreateSubscribeToken, CreateUpdateSubscribeTokenStream
46+
from dolbyio_rest_apis.streaming.models.publish_token import TokenStreamName
47+
from dolbyio_rest_apis.streaming.models.subscribe_token import CreateSubscribeToken
4748

4849
API_SECRET = '' # Retrieve your API Secret from the dashboard
4950

5051
create_token = CreateSubscribeToken('my_token')
51-
create_token.streams.append(CreateUpdateSubscribeTokenStream('feed1', False))
52+
create_token.streams.append(TokenStreamName('feed1', False))
5253

5354
loop = asyncio.get_event_loop()
5455

client/requirements.txt

+2-1
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,5 @@
11
aiohttp>=3.7.4
22
aiofiles>=0.7.0
33
aiohttp-retry>=2.4.6
4-
certifi>=2022.12.7
4+
certifi>=2024.7.4
5+
dataclasses-json>=0.6.7

client/setup.py

+1-3
Original file line numberDiff line numberDiff line change
@@ -43,10 +43,8 @@
4343
'License :: OSI Approved :: MIT License',
4444
'Programming Language :: Python',
4545
'Programming Language :: Python :: 3',
46-
'Programming Language :: Python :: 3.7',
47-
'Programming Language :: Python :: 3.8',
48-
'Programming Language :: Python :: 3.9',
4946
'Programming Language :: Python :: 3.10',
47+
'Programming Language :: Python :: 3.11',
5048
'Programming Language :: Python :: 3 :: Only',
5149
'Operating System :: OS Independent',
5250
'Intended Audience :: Developers',

client/src/dolbyio_rest_apis/core/http_context.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -146,7 +146,7 @@ async def _send_request(
146146
params: Mapping[str, str]=None,
147147
auth: BasicAuth=None,
148148
data: Any=None,
149-
) -> Any or None:
149+
) -> Any | None:
150150
if params is None:
151151
self._logger.debug('%s %s', method, url)
152152
else:
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,68 @@
1+
"""
2+
dolbyio_rest_apis.streaming.account
3+
~~~~~~~~~~~~~~~
4+
5+
This module contains the functions to work with the Account APIs.
6+
"""
7+
8+
from dolbyio_rest_apis.core.helpers import add_if_not_none
9+
from dolbyio_rest_apis.core.urls import get_rts_url
10+
from dolbyio_rest_apis.streaming.internal.http_context import StreamingHttpContext
11+
from dolbyio_rest_apis.streaming.models.account import AccountGeoCascade, AccountGeoRestrictions
12+
13+
async def read_geo_cascade(
14+
api_secret: str,
15+
) -> AccountGeoCascade:
16+
async with StreamingHttpContext() as http_context:
17+
dict_data = await http_context.requests_get(
18+
api_secret=api_secret,
19+
url=f'{get_rts_url()}/api/account/geo_cascade',
20+
)
21+
22+
return AccountGeoCascade.from_dict(dict_data)
23+
24+
async def update_geo_cascade(
25+
api_secret: str,
26+
geo_cascade: AccountGeoCascade,
27+
) -> AccountGeoCascade:
28+
payload = {
29+
'isEnabled': geo_cascade.is_enabled,
30+
}
31+
add_if_not_none(payload, 'clusters', geo_cascade.clusters)
32+
33+
async with StreamingHttpContext() as http_context:
34+
dict_data = await http_context.requests_put(
35+
api_secret=api_secret,
36+
url=f'{get_rts_url()}/api/account/geo_cascade',
37+
payload=payload,
38+
)
39+
40+
return AccountGeoCascade.from_dict(dict_data)
41+
42+
async def read_geo_restrictions(
43+
api_secret: str,
44+
) -> AccountGeoRestrictions:
45+
async with StreamingHttpContext() as http_context:
46+
dict_data = await http_context.requests_get(
47+
api_secret=api_secret,
48+
url=f'{get_rts_url()}/api/geo/account',
49+
)
50+
51+
return AccountGeoRestrictions.from_dict(dict_data)
52+
53+
async def update_geo_restrictions(
54+
api_secret: str,
55+
geo_restrictions: AccountGeoRestrictions,
56+
) -> AccountGeoRestrictions:
57+
payload = {}
58+
add_if_not_none(payload, 'allowedCountries', geo_restrictions.allowed_countries)
59+
add_if_not_none(payload, 'deniedCountries', geo_restrictions.denied_countries)
60+
61+
async with StreamingHttpContext() as http_context:
62+
dict_data = await http_context.requests_post(
63+
api_secret=api_secret,
64+
url=f'{get_rts_url()}/api/geo/account',
65+
payload=payload,
66+
)
67+
68+
return AccountGeoRestrictions.from_dict(dict_data)

client/src/dolbyio_rest_apis/streaming/cluster.py

+4-4
Original file line numberDiff line numberDiff line change
@@ -13,12 +13,12 @@ async def read(
1313
api_secret: str,
1414
) -> ClusterResponse:
1515
async with StreamingHttpContext() as http_context:
16-
json_response = await http_context.requests_get(
16+
dict_data = await http_context.requests_get(
1717
api_secret=api_secret,
1818
url=f'{get_rts_url()}/api/cluster',
1919
)
2020

21-
return ClusterResponse(json_response)
21+
return ClusterResponse.from_dict(dict_data)
2222

2323
async def update(
2424
api_secret: str,
@@ -29,10 +29,10 @@ async def update(
2929
}
3030

3131
async with StreamingHttpContext() as http_context:
32-
json_response = await http_context.requests_put(
32+
dict_data = await http_context.requests_put(
3333
api_secret=api_secret,
3434
url=f'{get_rts_url()}/api/cluster',
3535
payload=payload,
3636
)
3737

38-
return ClusterResponse(json_response)
38+
return ClusterResponse.from_dict(dict_data)

client/src/dolbyio_rest_apis/streaming/internal/http_context.py

+48-16
Original file line numberDiff line numberDiff line change
@@ -14,14 +14,14 @@
1414
from typing import Any, Mapping
1515

1616
class StreamingHttpContext(HttpContext):
17-
"""HTTP Context class for Real-time Streaming APIs"""
17+
"""HTTP Context class for Dolby Millicast APIs"""
1818

1919
def __init__(self):
2020
super().__init__()
2121

2222
self._logger = logging.getLogger(StreamingHttpContext.__name__)
2323

24-
async def _requests_post_put(
24+
async def _requests_with_payload(
2525
self,
2626
api_secret: str,
2727
url: str,
@@ -30,12 +30,12 @@ async def _requests_post_put(
3030
params: Mapping[str, str]=None,
3131
) -> dict:
3232
r"""
33-
Sends a POST or PUT request.
33+
Sends a request with a payload.
3434
3535
Args:
3636
api_secret: API secret to use for authentication.
3737
url: Where to send the request to.
38-
method: HTTP method, POST or PUT.
38+
method: HTTP method, POST, PUT or PATCH.
3939
payload: (Optional) Content of the request.
4040
params: (Optional) URL query parameters.
4141
@@ -64,8 +64,7 @@ async def _requests_post_put(
6464
data=payload,
6565
)
6666

67-
base = BaseResponse(json_response)
68-
return base.data
67+
return BaseResponse.from_dict(json_response).data
6968

7069
async def requests_post(
7170
self,
@@ -91,7 +90,7 @@ async def requests_post(
9190
HTTPError: If one occurred.
9291
"""
9392

94-
return await self._requests_post_put(
93+
return await self._requests_with_payload(
9594
api_secret=api_secret,
9695
url=url,
9796
method='POST',
@@ -123,14 +122,46 @@ async def requests_put(
123122
HTTPError: If one occurred.
124123
"""
125124

126-
return await self._requests_post_put(
125+
return await self._requests_with_payload(
127126
api_secret=api_secret,
128127
url=url,
129128
method='PUT',
130129
payload=payload,
131130
params=params,
132131
)
133132

133+
async def requests_patch(
134+
self,
135+
api_secret: str,
136+
url: str,
137+
payload: Any=None,
138+
params: Mapping[str, str]=None,
139+
) -> dict:
140+
r"""
141+
Sends a PATCH request.
142+
143+
Args:
144+
api_secret: API secret to use for authentication.
145+
url: Where to send the request to.
146+
payload: (Optional) Content of the request.
147+
params: (Optional) URL query parameters.
148+
149+
Returns:
150+
The JSON response.
151+
152+
Raises:
153+
HttpRequestError: If a client error one occurred.
154+
HTTPError: If one occurred.
155+
"""
156+
157+
return await self._requests_with_payload(
158+
api_secret=api_secret,
159+
url=url,
160+
method='PATCH',
161+
payload=payload,
162+
params=params,
163+
)
164+
134165
async def requests_get(
135166
self,
136167
api_secret: str,
@@ -165,15 +196,14 @@ async def requests_get(
165196
headers=headers,
166197
)
167198

168-
base = BaseResponse(json_response)
169-
return base.data
199+
return BaseResponse.from_dict(json_response).data
170200

171201
async def requests_delete(
172202
self,
173-
access_token: str,
203+
api_secret: str,
174204
url: str,
175205
params: Mapping[str, str]=None,
176-
) -> None:
206+
) -> dict:
177207
r"""
178208
Sends a DELETE request.
179209
@@ -189,16 +219,18 @@ async def requests_delete(
189219

190220
headers = {
191221
'Accept': 'application/json',
192-
'Authorization': f'Bearer {access_token}',
222+
'Authorization': f'Bearer {api_secret}',
193223
}
194224

195-
return await self._send_request(
225+
json_response = await self._send_request(
196226
method='DELETE',
197227
url=url,
198228
params=params,
199229
headers=headers,
200230
)
201231

232+
return BaseResponse.from_dict(json_response).data
233+
202234
async def _raise_for_status(self, http_response: ClientResponse):
203235
r"""Raises :class:`HttpRequestError` or :class:`ClientResponseError`, if one occurred."""
204236

@@ -212,8 +244,8 @@ async def _raise_for_status(self, http_response: ClientResponse):
212244

213245
try:
214246
json_response = await http_response.json()
215-
base_response = BaseResponse(json_response)
216-
err = Error(base_response.data)
247+
base_response = BaseResponse.from_dict(json_response)
248+
err = Error.from_dict(base_response.data)
217249

218250
raise HttpRequestError(http_response, '', http_response.status, base_response.status, err.message)
219251
except (ValueError, ContentTypeError): # If the response body does not contain valid json.
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,25 @@
1+
"""
2+
dolbyio_rest_apis.streaming.models.account
3+
~~~~~~~~~~~~~~~
4+
5+
This module contains the models used by the Account module.
6+
"""
7+
8+
from dataclasses import dataclass, field
9+
from dataclasses_json import LetterCase, dataclass_json
10+
11+
@dataclass_json(letter_case=LetterCase.CAMEL)
12+
@dataclass
13+
class AccountGeoCascade:
14+
"""The :class:`AccountGeoCascade` object, the definition of the geo cascading rules for the account."""
15+
16+
is_enabled: bool = False
17+
clusters: list[str] = field(default_factory=lambda: [])
18+
19+
@dataclass_json(letter_case=LetterCase.CAMEL)
20+
@dataclass
21+
class AccountGeoRestrictions:
22+
"""The :class:`AccountGeoRestrictions` object, the definition of the geo restrictions rules for the account."""
23+
24+
allowed_countries: list[str] = field(default_factory=lambda: [])
25+
denied_countries: list[str] = field(default_factory=lambda: [])

client/src/dolbyio_rest_apis/streaming/models/cluster.py

+23-17
Original file line numberDiff line numberDiff line change
@@ -2,28 +2,34 @@
22
dolbyio_rest_apis.streaming.models.cluster
33
~~~~~~~~~~~~~~~
44
5-
This module contains the models used by the Cluster model.
5+
This module contains the models used by the Cluster module.
66
"""
77

8-
from dolbyio_rest_apis.core.helpers import get_value_or_default
8+
from dataclasses import dataclass
9+
from dataclasses_json import LetterCase, dataclass_json
910

10-
class Cluster(dict):
11-
"""The :class:`Cluster` object, which represents a cluster."""
11+
@dataclass
12+
class ClusterLocation:
13+
"""The :class:`ClusterLocation` object, which represents the location of a cluster."""
14+
15+
city: str | None = None
16+
region: str | None = None
17+
country: str | None = None
1218

13-
def __init__(self, dictionary: dict):
14-
dict.__init__(self, dictionary)
19+
@dataclass
20+
class Cluster:
21+
"""The :class:`Cluster` object, which represents a cluster."""
1522

16-
self.id = get_value_or_default(self, 'id', None)
17-
self.name = get_value_or_default(self, 'name', None)
18-
self.rtmp = get_value_or_default(self, 'rtmp', None)
23+
id: str
24+
name: str
25+
rtmp: str
26+
srt: str
27+
location: ClusterLocation
1928

20-
class ClusterResponse(dict):
29+
@dataclass_json(letter_case=LetterCase.CAMEL)
30+
@dataclass
31+
class ClusterResponse:
2132
"""The :class:`ClusterResponse` object, which represents a cluster response."""
2233

23-
def __init__(self, dictionary: dict):
24-
dict.__init__(self, dictionary)
25-
26-
self.default_cluster = get_value_or_default(self, 'defaultCluster', None)
27-
self.available_clusters = []
28-
for cluster in self['availableClusters']:
29-
self.available_clusters.append(Cluster(cluster))
34+
default_cluster: str
35+
available_clusters: list[Cluster]

0 commit comments

Comments
 (0)