forked from toddrob99/searcharr
-
Notifications
You must be signed in to change notification settings - Fork 0
/
sonarr.py
273 lines (244 loc) · 9.19 KB
/
sonarr.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
"""
Searcharr
Sonarr, Radarr & Readarr Telegram Bot
Sonarr API Wrapper
By Todd Roberts
https://github.com/toddrob99/searcharr
"""
import requests
import time
from urllib.parse import quote
from log import set_up_logger
class Sonarr(object):
def __init__(self, api_url, api_key, verbose=False):
self.logger = set_up_logger("searcharr.sonarr", verbose, False)
self.logger.debug("Logging started!")
if api_url[-1] == "/":
api_url = api_url[:-1]
if api_url[:4] != "http":
self.logger.error(
"Invalid Sonarr URL detected. Please update your settings to include http:// or https:// on the beginning of the URL."
)
self.api_url = api_url + "/api/{endpoint}?apikey=" + api_key
self._quality_profiles = self.get_all_quality_profiles()
self._language_profiles = self.get_all_language_profiles()
self._root_folders = self.get_root_folders()
self._all_series = {}
self.get_all_series()
def lookup_series(self, title=None, tvdb_id=None):
r = self._api_get(
"series/lookup", {"term": f"tvdb:{tvdb_id}" if tvdb_id else quote(title)}
)
if not r:
return []
return [
{
"title": x.get("title"),
"seasonCount": x.get("seasonCount", 0),
"status": x.get("status", "Unknown Status"),
"overview": x.get("overview", "Overview not available."),
"network": x.get("network"),
"remotePoster": x.get(
"remotePoster",
"https://artworks.thetvdb.com/banners/images/missing/movie.jpg",
),
"year": x.get("year"),
"tvdbId": x.get("tvdbId"),
"seriesType": x.get("seriesType"),
"imdbId": x.get("imdbId"),
"certification": x.get("certification"),
"id": x.get("id", self._series_internal_id(x.get("tvdbId"))),
"titleSlug": x.get("titleSlug"),
"cleanTitle": x.get("cleanTitle"),
"tvRageId": x.get("tvRageId"),
"images": x.get("images"),
"seasons": x.get("seasons"),
"genres": x.get("genres", []),
}
for x in r
]
def _series_internal_id(self, tvdb_id):
return next(
(x["id"] for x in self.get_all_series() if x.get("tvdbId", 0) == tvdb_id),
None,
)
def get_all_series(self):
if int(round(self._all_series.get("ts", 0))) < int(round(time.time())) - 30:
self.logger.debug("Refreshing all series cache...")
r = self._api_get("series", {})
self._all_series.update({"series": r, "ts": time.time()})
return self._all_series["series"]
def add_series(
self,
series_info=None,
tvdb_id=None,
search=True,
season_folders=True,
monitored=True,
unmonitor_existing=True,
additional_data={},
):
if not series_info and not tvdb_id:
return False
if not series_info:
series_info = self.lookup_series(tvdb_id=tvdb_id)
if len(series_info):
series_info = series_info[0]
else:
return False
self.logger.debug(f"Additional data: {additional_data}")
path = additional_data["p"]
quality = int(additional_data["q"])
language = int(additional_data["l"])
monitor_options = int(additional_data.get("m", 0))
if monitor_options == 1:
# Monitor only the first season
for s in series_info["seasons"]:
if s["seasonNumber"] != 1:
s.update({"monitored": False})
elif monitor_options == 2:
if next(
(x for x in series_info["seasons"] if x["seasonNumber"] == 0), False
):
# There is a Season 0
max_season = len(series_info["seasons"]) - 1
else:
max_season = len(series_info["seasons"])
# Monitor only the latest season
for s in series_info["seasons"]:
if s["seasonNumber"] != max_season:
s.update({"monitored": False})
tags = additional_data.get("t", "")
if len(tags):
tag_ids = [int(x) for x in tags.split(",")]
else:
tag_ids = []
self.logger.debug(f"{series_info['seasons']=}")
params = {
"tvdbId": series_info["tvdbId"],
"title": series_info["title"],
"qualityProfileId": quality,
"languageProfileId": language,
"titleSlug": series_info["titleSlug"],
"images": series_info["images"],
"seasons": series_info["seasons"],
"rootFolderPath": path,
"tvRageId": series_info["tvRageId"],
"seasonFolder": season_folders,
"monitored": monitored,
"seriesType": "anime" if additional_data.get("st") == "a" else "standard",
"tags": tag_ids,
"addOptions": {
"ignoreEpisodesWithFiles": unmonitor_existing,
"ignoreEpisodesWithoutFiles": "false",
"searchForMissingEpisodes": search,
},
}
return self._api_post("series", params)
def get_root_folders(self):
r = self._api_get("RootFolder", {})
if not r:
return []
return [
{
"path": x.get("path"),
"freeSpace": x.get("freeSpace"),
"totalSpace": x.get("totalSpace"),
"id": x.get("id"),
}
for x in r
]
def get_all_tags(self):
r = self._api_get("tag", {})
self.logger.debug(f"Result of API call to get all tags: {r}")
return [] if not r else r
def get_filtered_tags(self, allowed_tags):
r = self.get_all_tags()
if not r:
return []
elif allowed_tags == []:
return [x for x in r if not x["label"].startswith("searcharr-")]
else:
return [
x
for x in r
if not x["label"].startswith("searcharr-")
and (x["label"] in allowed_tags or x["id"] in allowed_tags)
]
def add_tag(self, tag):
params = {
"label": tag,
}
t = self._api_post("tag", params)
self.logger.debug(f"Result of API call to add tag: {t}")
return t
def get_tag_id(self, tag):
if i := next(
iter(
[
x.get("id")
for x in self.get_all_tags()
if x.get("label").lower() == tag.lower()
]
),
None,
):
self.logger.debug(f"Found tag id [{i}] for tag [{tag}]")
return i
else:
self.logger.debug(f"No tag id found for [{tag}]; adding...")
t = self.add_tag(tag)
if not isinstance(t, dict):
self.logger.error(
f"Wrong data type returned from Sonarr API when attempting to add tag [{tag}]. Expected dict, got {type(t)}."
)
return None
else:
self.logger.debug(
f"Created tag id for tag [{tag}]: {t['id']}"
if t.get("id")
else f"Could not add tag [{tag}]"
)
return t.get("id", None)
def lookup_quality_profile(self, v):
# Look up quality profile from a profile name or id
return next(
(x for x in self._quality_profiles if str(v) in [x["name"], str(x["id"])]),
None,
)
def lookup_language_profile(self, v):
# Look up language profile from a profile name or id
return next(
(x for x in self._language_profiles if str(v) in [x["name"], str(x["id"])]),
None,
)
def get_all_quality_profiles(self):
return self._api_get("profile", {}) or None
def get_all_language_profiles(self):
return self._api_get("v3/languageprofile", {}) or None
def lookup_root_folder(self, v):
# Look up root folder from a path or id
return next(
(x for x in self._root_folders if str(v) in [x["path"], str(x["id"])]),
None,
)
def _api_get(self, endpoint, params={}):
url = self.api_url.format(endpoint=endpoint)
for k, v in params.items():
url += f"&{k}={v}"
self.logger.debug(f"Submitting GET request: [{url}]")
r = requests.get(url)
if r.status_code not in [200, 201, 202, 204]:
r.raise_for_status()
return None
else:
return r.json()
def _api_post(self, endpoint, params={}):
url = self.api_url.format(endpoint=endpoint)
self.logger.debug(f"Submitting POST request: [{url}]; params: [{params}]")
r = requests.post(url, json=params)
if r.status_code not in [200, 201, 202, 204]:
r.raise_for_status()
return None
else:
return r.json()