-
Notifications
You must be signed in to change notification settings - Fork 63
/
tvdb_api.py
1177 lines (932 loc) · 39.4 KB
/
tvdb_api.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
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
#!/usr/bin/env python
# encoding:utf-8
# author:dbr/Ben
# project:tvdb_api
# repository:http://github.com/dbr/tvdb_api
# license:unlicense (http://unlicense.org/)
"""Simple-to-use Python interface to The TVDB's API (thetvdb.com)
Example usage:
>>> from tvdb_api import Tvdb
>>> t = Tvdb()
>>> t['Lost'][4][11]['episodeName']
u'Cabin Fever'
"""
__author__ = "dbr/Ben"
__version__ = "3.1.0"
import sys
import os
import time
import types
import getpass
import tempfile
import warnings
import logging
import hashlib
import requests
import requests_cache
_DEFAULT_HEADERS = requests.utils.default_headers()
def _to_bytes(s, encoding='utf-8'):
return s if isinstance(s, bytes) else bytes(s, encoding)
IS_PY2 = sys.version_info[0] == 2
if IS_PY2:
user_input = raw_input # noqa
from urllib import quote as url_quote # noqa
else:
from urllib.parse import quote as url_quote
user_input = input
if IS_PY2:
int_types = (int, long) # noqa
text_type = unicode # noqa
else:
int_types = int
text_type = str
LOG = logging.getLogger("tvdb_api")
# Exceptions
class TvdbBaseException(Exception):
"""Base exception for all tvdb_api errors
"""
pass
class TvdbError(TvdbBaseException):
"""An error with thetvdb.com (Cannot connect, for example)
"""
pass
class TvdbUserAbort(TvdbBaseException):
"""User aborted the interactive selection (via
the q command, ^c etc)
"""
pass
class TvdbNotAuthorized(TvdbBaseException):
"""An authorization error with thetvdb.com
"""
pass
class TvdbDataNotFound(TvdbBaseException):
"""Base for all attribute-not-found errors (e.gg missing show/season/episode/data)
"""
pass
class TvdbShowNotFound(TvdbDataNotFound):
"""Show cannot be found on thetvdb.com (non-existent show)
"""
pass
class TvdbSeasonNotFound(TvdbDataNotFound):
"""Season cannot be found on thetvdb.com
"""
pass
class TvdbEpisodeNotFound(TvdbDataNotFound):
"""Episode cannot be found on thetvdb.com
"""
pass
class TvdbResourceNotFound(TvdbDataNotFound):
"""Resource cannot be found on thetvdb.com
"""
pass
class TvdbAttributeNotFound(TvdbDataNotFound):
"""Raised if an episode does not have the requested
attribute (such as a episode name)
"""
pass
# Backwards compatability re-bindings
tvdb_exception = TvdbBaseException # Deprecated, for backwards compatability
tvdb_error = TvdbError # Deprecated, for backwards compatability
tvdb_userabort = TvdbUserAbort # Deprecated, for backwards compatability
tvdb_notauthorized = TvdbNotAuthorized # Deprecated, for backwards compatability
tvdb_shownotfound = TvdbShowNotFound # Deprecated, for backwards compatability
tvdb_seasonnotfound = TvdbSeasonNotFound # Deprecated, for backwards compatability
tvdb_episodenotfound = TvdbEpisodeNotFound # Deprecated, for backwards compatability
tvdb_resourcenotfound = TvdbResourceNotFound # Deprecated, for backwards compatability
tvdb_attributenotfound = TvdbAttributeNotFound # Deprecated, for backwards compatability
tvdb_invalidlanguage = TvdbError # Unused/removed. This exists for backwards compatability.
# UI
class BaseUI(object):
"""Base user interface for Tvdb show selection.
Selects first show.
A UI is a callback. A class, it's __init__ function takes two arguments:
- config, which is the Tvdb config dict, setup in tvdb_api.py
- log, which is Tvdb's logger instance (which uses the logging module). You can
call log.info() log.warning() etc
It must have a method "selectSeries", this is passed a list of dicts, each dict
contains the the keys "name" (human readable show name), and "sid" (the shows
ID as on thetvdb.com). For example:
[{'name': u'Lost', 'sid': u'73739'},
{'name': u'Lost Universe', 'sid': u'73181'}]
The "selectSeries" method must return the appropriate dict, or it can raise
tvdb_userabort (if the selection is aborted), tvdb_shownotfound (if the show
cannot be found).
A simple example callback, which returns a random series:
>>> import random
>>> from tvdb_ui import BaseUI
>>> class RandomUI(BaseUI):
... def selectSeries(self, allSeries):
... import random
... return random.choice(allSeries)
Then to use it..
>>> from tvdb_api import Tvdb
>>> t = Tvdb(custom_ui = RandomUI)
>>> random_matching_series = t['Lost']
>>> type(random_matching_series)
<class 'tvdb_api.Show'>
"""
def __init__(self, config, log=None):
self.config = config
if log is not None:
warnings.warn(
"the UI's log parameter is deprecated, instead use\n"
"use import logging; logging.getLogger('ui').info('blah')\n"
"The self.log attribute will be removed in the next version"
)
self.log = logging.getLogger(__name__)
def selectSeries(self, allSeries):
return allSeries[0]
class ConsoleUI(BaseUI):
"""Interactively allows the user to select a show from a console based UI
"""
def _displaySeries(self, allSeries, limit=6):
"""Helper function, lists series with corresponding ID
"""
if limit is not None:
toshow = allSeries[:limit]
else:
toshow = allSeries
print("TVDB Search Results:")
for i, cshow in enumerate(toshow):
i_show = i + 1 # Start at more human readable number 1 (not 0)
LOG.debug('Showing allSeries[%s], series %s)' % (i_show, allSeries[i]['seriesName']))
if i == 0:
extra = " (default)"
else:
extra = ""
output = "%s -> %s [%s] # http://thetvdb.com/?tab=series&id=%s%s" % (
i_show,
cshow['seriesName'],
cshow['language'],
str(cshow['id']),
extra,
)
if IS_PY2:
print(output.encode("UTF-8", "ignore"))
else:
print(output)
def selectSeries(self, allSeries):
self._displaySeries(allSeries)
if len(allSeries) == 1:
# Single result, return it!
print("Automatically selecting only result")
return allSeries[0]
if self.config['select_first'] is True:
print("Automatically returning first search result")
return allSeries[0]
while True: # return breaks this loop
try:
print("Enter choice (first number, return for default, 'all', ? for help):")
ans = user_input()
except KeyboardInterrupt:
raise tvdb_userabort("User aborted (^c keyboard interupt)")
except EOFError:
raise tvdb_userabort("User aborted (EOF received)")
LOG.debug('Got choice of: %s' % (ans))
try:
selected_id = int(ans) - 1 # The human entered 1 as first result, not zero
except ValueError: # Input was not number
if len(ans.strip()) == 0:
# Default option
LOG.debug('Default option, returning first series')
return allSeries[0]
if ans == "q":
LOG.debug('Got quit command (q)')
raise tvdb_userabort("User aborted ('q' quit command)")
elif ans == "?":
print("## Help")
print("# Enter the number that corresponds to the correct show.")
print("# a - display all results")
print("# all - display all results")
print("# ? - this help")
print("# q - abort tvnamer")
print("# Press return with no input to select first result")
elif ans.lower() in ["a", "all"]:
self._displaySeries(allSeries, limit=None)
else:
LOG.debug('Unknown keypress %s' % (ans))
else:
LOG.debug('Trying to return ID: %d' % (selected_id))
try:
return allSeries[selected_id]
except IndexError:
LOG.debug('Invalid show number entered!')
print("Invalid number (%s) selected!")
self._displaySeries(allSeries)
# Main API
class ShowContainer(dict):
"""Simple dict that holds a series of Show instances
"""
def __init__(self):
self._stack = []
self._lastgc = time.time()
def __setitem__(self, key, value):
self._stack.append(key)
# keep only the 100th latest results
if time.time() - self._lastgc > 20:
for o in self._stack[:-100]:
del self[o]
self._stack = self._stack[-100:]
self._lastgc = time.time()
super(ShowContainer, self).__setitem__(key, value)
class Show(dict):
"""Holds a dict of seasons, and show data.
"""
def __init__(self):
dict.__init__(self)
self.data = {}
def __repr__(self):
return "<Show %r (containing %s seasons)>" % (
self.data.get(u'seriesName', 'instance'),
len(self),
)
def __getitem__(self, key):
if key in self:
# Key is an episode, return it
return dict.__getitem__(self, key)
if key in self.data:
# Non-numeric request is for show-data
return dict.__getitem__(self.data, key)
# Data wasn't found, raise appropriate error
if isinstance(key, int) or key.isdigit():
# Episode number x was not found
raise tvdb_seasonnotfound("Could not find season %s" % (repr(key)))
else:
# If it's not numeric, it must be an attribute name, which
# doesn't exist, so attribute error.
raise tvdb_attributenotfound("Cannot find attribute %s" % (repr(key)))
def aired_on(self, date):
ret = self.search(str(date), 'firstAired')
if len(ret) == 0:
raise tvdb_episodenotfound("Could not find any episodes that aired on %s" % date)
return ret
def search(self, term=None, key=None):
"""
Search all episodes in show. Can search all data, or a specific key
(for example, episodename)
Always returns an array (can be empty). First index contains the first
match, and so on.
Each array index is an Episode() instance, so doing
search_results[0]['episodename'] will retrieve the episode name of the
first match.
Search terms are converted to lower case (unicode) strings.
# Examples
These examples assume t is an instance of Tvdb():
>>> t = Tvdb()
>>>
To search for all episodes of Scrubs with a bit of data
containing "my first day":
>>> t['Scrubs'].search("my first day")
[<Episode 01x01 - u'My First Day'>]
>>>
Search for "My Name Is Earl" episode named "Faked His Own Death":
>>> t['My Name Is Earl'].search('Faked My Own Death', key='episodeName')
[<Episode 01x04 - u'Faked My Own Death'>]
>>>
To search Scrubs for all episodes with "mentor" in the episode name:
>>> t['scrubs'].search('mentor', key='episodeName')
[<Episode 01x02 - u'My Mentor'>, <Episode 03x15 - u'My Tormented Mentor'>]
>>>
# Using search results
>>> results = t['Scrubs'].search("my first")
>>> print results[0]['episodeName']
My First Day
>>> for x in results: print x['episodeName']
My First Day
My First Step
My First Kill
>>>
"""
results = []
for cur_season in self.values():
searchresult = cur_season.search(term=term, key=key)
if len(searchresult) != 0:
results.extend(searchresult)
return results
class Season(dict):
def __init__(self, show=None):
"""The show attribute points to the parent show
"""
self.show = show
def __repr__(self):
return "<Season instance (containing %s episodes)>" % (len(self.keys()))
def __getitem__(self, episode_number):
if episode_number not in self:
raise tvdb_episodenotfound("Could not find episode %s" % (repr(episode_number)))
else:
return dict.__getitem__(self, episode_number)
def search(self, term=None, key=None):
"""Search all episodes in season, returns a list of matching Episode
instances.
>>> t = Tvdb()
>>> t['scrubs'][1].search('first day')
[<Episode 01x01 - u'My First Day'>]
>>>
See Show.search documentation for further information on search
"""
results = []
for ep in self.values():
searchresult = ep.search(term=term, key=key)
if searchresult is not None:
results.append(searchresult)
return results
class Episode(dict):
def __init__(self, season=None):
"""The season attribute points to the parent season
"""
self.season = season
def __repr__(self):
seasno = self.get(u'airedSeason', 0)
epno = self.get(u'airedEpisodeNumber', 0)
epname = self.get(u'episodeName')
if epname is not None:
return "<Episode %02dx%02d - %r>" % (seasno, epno, epname)
else:
return "<Episode %02dx%02d>" % (seasno, epno)
def __getitem__(self, key):
try:
return dict.__getitem__(self, key)
except KeyError:
raise tvdb_attributenotfound("Cannot find attribute %s" % (repr(key)))
def search(self, term=None, key=None):
"""Search episode data for term, if it matches, return the Episode (self).
The key parameter can be used to limit the search to a specific element,
for example, episodename.
This primarily for use use by Show.search and Season.search. See
Show.search for further information on search
Simple example:
>>> e = Episode()
>>> e['episodeName'] = "An Example"
>>> e.search("examp")
<Episode 00x00 - 'An Example'>
>>>
Limiting by key:
>>> e.search("examp", key = "episodeName")
<Episode 00x00 - 'An Example'>
>>>
"""
if term is None:
raise TypeError("must supply string to search for (contents)")
term = text_type(term).lower()
for cur_key, cur_value in self.items():
cur_key = text_type(cur_key)
cur_value = text_type(cur_value).lower()
if key is not None and cur_key != key:
# Do not search this key
continue
if cur_value.find(text_type(term)) > -1:
return self
class Actors(list):
"""Holds all Actor instances for a show
"""
pass
class Actor(dict):
"""Represents a single actor. Should contain..
id,
image,
name,
role,
sortorder
"""
def __repr__(self):
return "<Actor %r>" % self.get("name")
def create_key(self, request):
"""A new cache_key algo is required as the authentication token
changes with each run. Also there are other header params which
also change with each request (e.g. timestamp). Excluding all
headers means that Accept-Language is excluded which means
different language requests will return the cached response from
the wrong language.
The _loadurl part checks the cache before a get is performed so
that an auth token can be obtained. If the response is already in
the cache, the auth token is not required. This prevents the need
to do a get which may access the host and fail because the session
is not yet not authorized. It is not necessary to authorize if the
cache is to be used thus saving host and network traffic.
"""
if self._ignored_parameters:
url, body = self._remove_ignored_parameters(request)
else:
url, body = request.url, request.body
key = hashlib.sha256()
key.update(_to_bytes(request.method.upper()))
key.update(_to_bytes(url))
if request.body:
key.update(_to_bytes(body))
else:
if self._include_get_headers and request.headers != _DEFAULT_HEADERS:
for name, value in sorted(request.headers.items()):
# include only Accept-Language as it is important for context
if name in ['Accept-Language']:
key.update(_to_bytes(name))
key.update(_to_bytes(value))
return key.hexdigest()
class Tvdb:
"""Create easy-to-use interface to name of season/episode name
>>> t = Tvdb()
>>> t['Scrubs'][1][24]['episodeName']
u'My Last Day'
"""
def __init__(
self,
interactive=False,
select_first=False,
cache=True,
banners=False,
actors=False,
custom_ui=None,
language=None,
search_all_languages=False,
apikey=None,
username=None,
userkey=None,
forceConnect=None, # noqa
dvdorder=False,
):
"""interactive (True/False):
When True, uses built-in console UI is used to select the correct show.
When False, the first search result is used.
select_first (True/False):
Automatically selects the first series search result (rather
than showing the user a list of more than one series).
Is overridden by interactive = False, or specifying a custom_ui
cache (True/False/str/requests_cache.CachedSession):
Retrieved URLs can be persisted to to disc.
True/False enable or disable default caching. Passing
string specifies the directory where to store the
"tvdb.sqlite3" cache file. Alternatively a custom
requests.Session instance can be passed (e.g maybe a
customised instance of `requests_cache.CachedSession`)
banners (True/False):
Retrieves the banners for a show. These are accessed
via the _banners key of a Show(), for example:
>>> Tvdb(banners=True)['scrubs']['_banners'].keys()
[u'fanart', u'poster', u'seasonwide', u'season', u'series']
actors (True/False):
Retrieves a list of the actors for a show. These are accessed
via the _actors key of a Show(), for example:
>>> t = Tvdb(actors=True)
>>> t['scrubs']['_actors'][0]['name']
u'John C. McGinley'
custom_ui (tvdb_ui.BaseUI subclass):
A callable subclass of tvdb_ui.BaseUI (overrides interactive option)
language (2 character language abbreviation):
The 2 digit language abbreviation used for the returned data,
and is also used when searching. For a complete list, call
the `Tvdb.available_languages` method.
Default is "en" (English).
search_all_languages (True/False):
By default, Tvdb will only search in the language specified using
the language option. When this is True, it will search for the
show in and language
apikey (str/unicode):
Your API key for TheTVDB. You can easily register a key with in
a few minutes:
https://thetvdb.com/api-information
username (str/unicode or None):
Specify a user account to use for actions which require
authentication (e.g marking a series as favourite, submitting ratings)
userkey (str/unicode, or None):
User authentication key relating to "username".
forceConnect:
DEPRECATED. Disabled the timeout-throttling logic. Now has no function
"""
if forceConnect is not None:
warnings.warn(
"forceConnect argument is deprecated and will be removed soon",
category=DeprecationWarning,
)
self.shows = ShowContainer() # Holds all Show classes
self.corrections = {} # Holds show-name to show_id mapping
self.config = {}
# Ability to pull key form env-var mostly for unit-tests
_test_key = os.getenv('TVDB_API_KEY')
if apikey is None and _test_key is not None:
apikey = _test_key
if apikey is None:
raise ValueError(
(
"apikey argument is now required - an API key can be easily registered "
"at https://thetvdb.com/api-information"
)
)
self.config['auth_payload'] = {
"apikey": apikey,
"username": username or "",
"userkey": userkey or "",
}
self.config['custom_ui'] = custom_ui
self.config['interactive'] = interactive # prompt for correct series?
self.config['select_first'] = select_first
self.config['search_all_languages'] = search_all_languages
self.config['dvdorder'] = dvdorder
if cache is True:
cache_dir = self._getTempDir()
LOG.debug("Caching using requests_cache to %s" % cache_dir)
self.session = requests_cache.CachedSession(
expire_after=21600, # 6 hours
backend='sqlite',
cache_name=cache_dir,
include_get_headers=True,
)
self.session.cache.create_key = types.MethodType(create_key, self.session.cache)
self.session.remove_expired_responses()
self.config['cache_enabled'] = True
elif cache is False:
LOG.debug("Caching disabled")
self.session = requests.Session()
self.config['cache_enabled'] = False
elif isinstance(cache, str):
LOG.debug("Caching using requests_cache to specified directory %s" % cache)
# Specified cache path
self.session = requests_cache.CachedSession(
expire_after=21600, # 6 hours
backend='sqlite',
cache_name=os.path.join(cache, "tvdb_api"),
include_get_headers=True,
)
self.session.cache.create_key = types.MethodType(create_key, self.session.cache)
self.session.remove_expired_responses()
else:
LOG.debug("Using specified requests.Session")
self.session = cache
try:
self.session.get
except AttributeError:
raise ValueError(
(
"cache argument must be True/False, string as cache path "
"or requests.Session-type object (e.g from requests_cache.CachedSession)"
)
)
self.config['banners_enabled'] = banners
self.config['actors_enabled'] = actors
if language is None:
self.config['language'] = 'en'
else:
self.config['language'] = language
# The following url_ configs are based of the
# https://api.thetvdb.com/swagger
self.config['base_url'] = "http://thetvdb.com"
self.config['api_url'] = "https://api.thetvdb.com"
self.config['url_getSeries'] = u"%(api_url)s/search/series?name=%%s" % self.config
self.config['url_epInfo'] = u"%(api_url)s/series/%%s/episodes" % self.config
self.config['url_seriesInfo'] = u"%(api_url)s/series/%%s" % self.config
self.config['url_actorsInfo'] = u"%(api_url)s/series/%%s/actors" % self.config
self.config['url_seriesBanner'] = u"%(api_url)s/series/%%s/images" % self.config
self.config['url_seriesBannerInfo'] = (
u"%(api_url)s/series/%%s/images/query?keyType=%%s" % self.config
)
self.config['url_artworkPrefix'] = u"%(base_url)s/banners/%%s" % self.config
self.__authorized = False
self.headers = {
'Content-Type': 'application/json',
'Accept': 'application/json',
'Accept-Language': self.config['language'],
}
def _getTempDir(self):
"""Returns the [system temp dir]/tvdb_api-u501 (or
tvdb_api-myuser)
"""
py_major = sys.version_info[
0
] # Prefix with major version as 2 and 3 write incompatible caches
if hasattr(os, 'getuid'):
uid = "-u%d" % (os.getuid())
else:
# For Windows
uid = getpass.getuser()
return os.path.join(tempfile.gettempdir(), "tvdb_api-%s-py%s" % (uid, py_major))
def _loadUrl(self, url, data=None, recache=False, language=None):
"""Return response from The TVDB API"""
if not language:
language = self.config['language']
self.headers['Accept-Language'] = language
# TODO: Handle Exceptions
# TODO: Update Token
# encoded url is used for hashing in the cache so
# python 2 and 3 generate the same hash
if not self.__authorized:
# only authorize of we haven't before and we
# don't have the url in the cache
fake_session_for_key = requests.Session()
fake_session_for_key.headers['Accept-Language'] = language
cache_key = None
try:
# in case the session class has no cache object, fail gracefully
cache_key = self.session.cache.create_key(
fake_session_for_key.prepare_request(requests.Request('GET', url))
)
except Exception:
# FIXME: Can this just check for hasattr(self.session, "cache") instead?
pass
# fmt: off
# No fmt because mangles noqa comment - https://github.com/psf/black/issues/195
if not cache_key or not self.session.cache.has_key(cache_key): # noqa: not a dict, has_key is part of requests-cache API
self.authorize()
# fmt: on
response = self.session.get(url, headers=self.headers)
r = response.json()
LOG.debug("loadurl: %s language=%s" % (url, language))
LOG.debug("response:")
LOG.debug(r)
error = r.get('Error')
errors = r.get('errors')
r_data = r.get('data')
links = r.get('links')
if error:
if error == u'Resource not found':
# raise(tvdb_resourcenotfound)
# handle no data at a different level so it is more specific
pass
elif error.lower() == u'not authorized':
# Note: Error string sometimes comes back as "Not authorized" or "Not Authorized"
raise tvdb_notauthorized()
elif error.startswith(u"ID: ") and error.endswith("not found"):
# FIXME: Refactor error out of in this method
raise tvdb_shownotfound("%s" % error)
else:
raise tvdb_error("%s" % error)
if errors:
if errors and u'invalidLanguage' in errors:
# raise(tvdb_invalidlanguage(errors[u'invalidLanguage']))
# invalidLanguage does not mean there is no data
# there is just less data (missing translations)
pass
if data and isinstance(data, list):
data.extend(r_data)
else:
data = r_data
if links and links['next']:
url = url.split('?')[0]
_url = url + "?page=%s" % links['next']
self._loadUrl(_url, data)
return data
def authorize(self):
LOG.debug("auth")
r = self.session.post(
'https://api.thetvdb.com/login', json=self.config['auth_payload'], headers=self.headers
)
r_json = r.json()
error = r_json.get('Error')
if error:
if error == u'Not Authorized':
raise (tvdb_notauthorized)
token = r_json.get('token')
self.headers['Authorization'] = "Bearer %s" % text_type(token)
self.__authorized = True
def _getetsrc(self, url, language=None):
"""Loads a URL using caching, returns an ElementTree of the source
"""
src = self._loadUrl(url, language=language)
return src
def _setItem(self, sid, seas, ep, attrib, value):
"""Creates a new episode, creating Show(), Season() and
Episode()s as required. Called by _getShowData to populate show
Since the nice-to-use tvdb[1][24]['name] interface
makes it impossible to do tvdb[1][24]['name] = "name"
and still be capable of checking if an episode exists
so we can raise tvdb_shownotfound, we have a slightly
less pretty method of setting items.. but since the API
is supposed to be read-only, this is the best way to
do it!
The problem is that calling tvdb[1][24]['episodename'] = "name"
calls __getitem__ on tvdb[1], there is no way to check if
tvdb.__dict__ should have a key "1" before we auto-create it
"""
if sid not in self.shows:
self.shows[sid] = Show()
if seas not in self.shows[sid]:
self.shows[sid][seas] = Season(show=self.shows[sid])
if ep not in self.shows[sid][seas]:
self.shows[sid][seas][ep] = Episode(season=self.shows[sid][seas])
self.shows[sid][seas][ep][attrib] = value
def _setShowData(self, sid, key, value):
"""Sets self.shows[sid] to a new Show instance, or sets the data
"""
if sid not in self.shows:
self.shows[sid] = Show()
self.shows[sid].data[key] = value
def search(self, series):
"""This searches TheTVDB.com for the series name
and returns the result list
"""
series = url_quote(series.encode("utf-8"))
LOG.debug("Searching for show %s" % series)
series_resp = self._getetsrc(self.config['url_getSeries'] % (series))
if not series_resp:
LOG.debug('Series result returned zero')
raise tvdb_shownotfound(
"Show-name search returned zero results (cannot find show on TVDB)"
)
all_series = []
for series in series_resp:
series['language'] = self.config['language']
LOG.debug('Found series %(seriesName)s' % series)
all_series.append(series)
return all_series
def _getSeries(self, series):
"""This searches TheTVDB.com for the series name,
If a custom_ui UI is configured, it uses this to select the correct
series. If not, and interactive == True, ConsoleUI is used, if not
BaseUI is used to select the first result.
"""
all_series = self.search(series)
if self.config['custom_ui'] is not None:
LOG.debug("Using custom UI %s" % (repr(self.config['custom_ui'])))
ui = self.config['custom_ui'](config=self.config)
else:
if not self.config['interactive']:
LOG.debug('Auto-selecting first search result using BaseUI')
ui = BaseUI(config=self.config)
else:
LOG.debug('Interactively selecting show using ConsoleUI')
ui = ConsoleUI(config=self.config)
return ui.selectSeries(all_series)
def available_languages(self):
"""Returns a list of the available language abbreviations
which can be used in Tvdb(language="...") etc
"""
et = self._getetsrc("https://api.thetvdb.com/languages")
languages = [x['abbreviation'] for x in et]
return sorted(languages)
def _parseBanners(self, sid):
"""Parses banners XML, from
http://thetvdb.com/api/[APIKEY]/series/[SERIES ID]/banners.xml
Banners are retrieved using t['show name]['_banners'], for example:
>>> t = Tvdb(banners = True)
>>> t['scrubs']['_banners'].keys()
[u'fanart', u'poster', u'seasonwide', u'season', u'series']
>>> t['scrubs']['_banners']['poster']['680x1000'][35308]['_bannerpath']
u'http://thetvdb.com/banners/posters/76156-2.jpg'
>>>
Any key starting with an underscore has been processed (not the raw
data from the XML)
This interface will be improved in future versions.
"""
LOG.debug('Getting season banners for %s' % (sid))
banners_resp = self._getetsrc(self.config['url_seriesBanner'] % sid)
banners = {}
for cur_banner in banners_resp.keys():
banners_info = self._getetsrc(self.config['url_seriesBannerInfo'] % (sid, cur_banner))
for banner_info in banners_info:
bid = banner_info.get('id')
btype = banner_info.get('keyType')
btype2 = banner_info.get('resolution')
if btype is None or btype2 is None:
continue
if btype not in banners:
banners[btype] = {}
if btype2 not in banners[btype]:
banners[btype][btype2] = {}
if bid not in banners[btype][btype2]:
banners[btype][btype2][bid] = {}
banners[btype][btype2][bid]['bannerpath'] = banner_info['fileName']
banners[btype][btype2][bid]['resolution'] = banner_info['resolution']
banners[btype][btype2][bid]['subKey'] = banner_info['subKey']
for k, v in list(banners[btype][btype2][bid].items()):
if k.endswith("path"):