mirror of
https://github.com/moparisthebest/SickRage
synced 2024-10-31 23:45:02 -04:00
0d9fbc1ad7
This version of SickBeard uses both TVDB and TVRage to search and gather it's series data from allowing you to now have access to and download shows that you couldn't before because of being locked into only what TheTVDB had to offer. Also this edition is based off the code we used in our XEM editon so it does come with scene numbering support as well as all the other features our XEM edition has to offer. Please before using this with your existing database (sickbeard.db) please make a backup copy of it and delete any other database files such as cache.db and failed.db if present, we HIGHLY recommend starting out with no database files at all to make this a fresh start but the choice is at your own risk! Enjoy!
82 lines
2.2 KiB
Python
82 lines
2.2 KiB
Python
import itertools
|
|
from lib.hachoir_core.field import MissingField
|
|
|
|
class FakeArray:
|
|
"""
|
|
Simulate an array for GenericFieldSet.array(): fielset.array("item")[0] is
|
|
equivalent to fielset.array("item[0]").
|
|
|
|
It's possible to iterate over the items using::
|
|
|
|
for element in fieldset.array("item"):
|
|
...
|
|
|
|
And to get array size using len(fieldset.array("item")).
|
|
"""
|
|
def __init__(self, fieldset, name):
|
|
pos = name.rfind("/")
|
|
if pos != -1:
|
|
self.fieldset = fieldset[name[:pos]]
|
|
self.name = name[pos+1:]
|
|
else:
|
|
self.fieldset = fieldset
|
|
self.name = name
|
|
self._format = "%s[%%u]" % self.name
|
|
self._cache = {}
|
|
self._known_size = False
|
|
self._max_index = -1
|
|
|
|
def __nonzero__(self):
|
|
"Is the array empty or not?"
|
|
if self._cache:
|
|
return True
|
|
else:
|
|
return (0 in self)
|
|
|
|
def __len__(self):
|
|
"Number of fields in the array"
|
|
total = self._max_index+1
|
|
if not self._known_size:
|
|
for index in itertools.count(total):
|
|
try:
|
|
field = self[index]
|
|
total += 1
|
|
except MissingField:
|
|
break
|
|
return total
|
|
|
|
def __contains__(self, index):
|
|
try:
|
|
field = self[index]
|
|
return True
|
|
except MissingField:
|
|
return False
|
|
|
|
def __getitem__(self, index):
|
|
"""
|
|
Get a field of the array. Returns a field, or raise MissingField
|
|
exception if the field doesn't exist.
|
|
"""
|
|
try:
|
|
value = self._cache[index]
|
|
except KeyError:
|
|
try:
|
|
value = self.fieldset[self._format % index]
|
|
except MissingField:
|
|
self._known_size = True
|
|
raise
|
|
self._cache[index] = value
|
|
self._max_index = max(index, self._max_index)
|
|
return value
|
|
|
|
def __iter__(self):
|
|
"""
|
|
Iterate in the fields in their index order: field[0], field[1], ...
|
|
"""
|
|
for index in itertools.count(0):
|
|
try:
|
|
yield self[index]
|
|
except MissingField:
|
|
raise StopIteration()
|
|
|