A Python UPnP Media Server
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

602 lines
14 KiB

  1. # Licensed under the MIT license
  2. # http://opensource.org/licenses/mit-license.php
  3. # Copyright 2005, Tim Potter <tpot@samba.org>
  4. # Copyright 2006-2009 John-Mark Gurney <jmg@funkthat.com>
  5. __version__ = '$Change: 1665 $'
  6. # $Id: //depot/python/pymeds/main/DIDLLite.py#32 $
  7. import functools
  8. import itertools
  9. import unittest
  10. import et
  11. for i in [ 'Element', 'SubElement', 'tostring', ]:
  12. locals()[i] = getattr(et.ET, i)
  13. class Resource(object):
  14. """An object representing a resource."""
  15. validattrs = {
  16. 'protocolinfo': 'protocolInfo',
  17. 'importuri': 'importUri',
  18. 'size': 'size',
  19. 'duration': 'duration',
  20. 'protection': 'protection',
  21. 'bitrate': 'bitrate',
  22. 'bitspersample': 'bitsPerSample',
  23. 'samplefrequency': 'sampleFrequence',
  24. 'nraudiochannels': 'nrAudioChannels',
  25. 'resolution': 'resolution',
  26. 'colordepth': 'colorDepth',
  27. 'tspec': 'tspec',
  28. 'alloweduse': 'allowedUse',
  29. 'validitystart': 'validityStart',
  30. 'validityend': 'validityEnd',
  31. 'remainingtime': 'remainingTime',
  32. 'usageinfo': 'usageInfo',
  33. 'rightsinfouri': 'rightsInfoURI',
  34. 'contentinfouri': 'contentInfoURI',
  35. 'recordquality': 'recordQuality',
  36. }
  37. def __init__(self, data, protocolInfo):
  38. object.__init__(self)
  39. # Use thses so setattr can be more simple
  40. object.__setattr__(self, 'data', data)
  41. object.__setattr__(self, 'attrs', {})
  42. self.protocolInfo = protocolInfo
  43. def __getattr__(self, key):
  44. try:
  45. return self.attrs[key.lower()]
  46. except KeyError:
  47. raise AttributeError(key)
  48. def __setattr__(self, key, value):
  49. key = key.lower()
  50. assert key in self.validattrs
  51. self.attrs[key] = value
  52. def toElement(self):
  53. root = Element('res')
  54. root.text = self.data
  55. for i in self.attrs:
  56. attr = self.validattrs[i]
  57. value = self.attrs[i]
  58. funname = 'format_%s' % attr
  59. if hasattr(self, funname):
  60. value = getattr(self, funname)(value)
  61. else:
  62. value = str(value)
  63. assert isinstance(value, str), \
  64. 'value is not a string: %s' % repr(value)
  65. root.attrib[attr] = value
  66. return root
  67. @staticmethod
  68. def format_duration(s):
  69. if isinstance(s, str):
  70. return s
  71. # assume it is a number
  72. s = abs(s)
  73. secs = int(s)
  74. frac = s - secs
  75. minutes, secs = divmod(secs, 60)
  76. hours, minutes = divmod(minutes, 60)
  77. if frac:
  78. frac = ('%.2f' % frac)[1:]
  79. else:
  80. frac = ''
  81. return '%d:%02d:%02d%s' % (hours, minutes, secs, frac)
  82. class ResourceList(list):
  83. '''Special class to not overwrite mimetypes that already exist.'''
  84. def __init__(self, *args, **kwargs):
  85. self._mt = {}
  86. list.__init__(self, *args, **kwargs)
  87. def append(self, k):
  88. assert isinstance(k, Resource)
  89. mt = k.protocolInfo.split(':')[2]
  90. if mt in self._mt:
  91. return
  92. list.append(self, k)
  93. self._mt[mt] = k
  94. class Object(object):
  95. """The root class of the entire content directory class heirachy."""
  96. klass = 'object'
  97. _optionattrs = {
  98. 'creator': 'dc',
  99. 'writeStatus': 'upnp',
  100. 'artist': 'upnp',
  101. 'actor': 'upnp',
  102. 'author': 'upnp',
  103. 'producer': 'upnp',
  104. 'director': 'upnp',
  105. 'publisher': 'dc',
  106. 'contributor': 'dc',
  107. 'genre': 'upnp',
  108. 'album': 'upnp',
  109. 'playlist': 'upnp',
  110. 'albumArtURI': 'upnp',
  111. 'artistDiscographyURI': 'upnp',
  112. 'lyricsURI': 'upnp',
  113. 'relation': 'dc',
  114. 'storageMedium': 'upnp',
  115. 'description': 'dc',
  116. 'longDescription': 'upnp',
  117. 'icon': 'upnp',
  118. 'region': 'upnp',
  119. 'rights': 'dc',
  120. 'date': 'dc',
  121. 'language': 'dc',
  122. 'playbackCount': 'upnp',
  123. 'lastPlaybackTime': 'upnp',
  124. 'lastPlaybackPosition': 'upnp',
  125. 'recordedStartDateTime': 'upnp',
  126. 'recordedDuration': 'upnp',
  127. 'recordedDayOfWeek': 'upnp',
  128. 'srsRecordScheduleID': 'upnp',
  129. 'srsRecordTaskID': 'upnp',
  130. 'recordable': 'upnp',
  131. 'programTitle': 'upnp',
  132. 'seriesTitle': 'upnp',
  133. 'programID': 'upnp',
  134. 'seriesID': 'upnp',
  135. 'channelID': 'upnp',
  136. 'episodeCount': 'upnp',
  137. 'episodeNumber': 'upnp',
  138. 'programCode': 'upnp',
  139. 'rating': 'upnp',
  140. 'channelGroupName': 'upnp',
  141. 'callSign': 'upnp',
  142. 'networkAffiliation': 'upnp',
  143. 'serviceProvider': 'upnp',
  144. 'price': 'upnp',
  145. 'payPerView': 'upnp',
  146. 'epgProviderName': 'upnp',
  147. 'dateTimeRange': 'upnp',
  148. 'radioCallSign': 'upnp',
  149. 'radioStationID': 'upnp',
  150. 'radioBand': 'upnp',
  151. 'channelNr': 'upnp',
  152. 'channelName': 'upnp',
  153. 'scheduledStartTime': 'upnp',
  154. 'scheduledEndTime': 'upnp',
  155. 'signalStrength': 'upnp',
  156. 'signalLocked': 'upnp',
  157. 'tuned': 'upnp',
  158. 'neverPlayable': 'upnp',
  159. 'bookmarkID': 'upnp',
  160. 'bookmarkedObjectID': 'upnp',
  161. 'deviceUDN': 'upnp',
  162. 'stateVariableCollection': 'upnp',
  163. 'DVDRegionCode': 'upnp',
  164. 'originalTrackNumber': 'upnp',
  165. 'toc': 'upnp',
  166. 'userAnnoation': 'upnp',
  167. }
  168. res = None
  169. content = property(lambda x: x._content)
  170. needupdate = None # do we update before sending? (for res)
  171. def __init__(self, cd, id, parentID, title, restricted=False,
  172. creator=None, **kwargs):
  173. self.cd = cd
  174. self.id = id
  175. self.parentID = parentID
  176. self.title = title
  177. self.creator = creator
  178. if restricted:
  179. self.restricted = '1'
  180. else:
  181. self.restricted = '0'
  182. if 'content' in kwargs:
  183. self._content = kwargs.pop('content')
  184. for i in kwargs:
  185. if i not in self._optionattrs:
  186. raise TypeError('invalid keyword arg: %s' % repr(i))
  187. setattr(self, i, kwargs[i])
  188. def __cmp__(self, other):
  189. if not isinstance(other, self.__class__):
  190. return cmp(self.__class__.__name__,
  191. other.__class__.__name__)
  192. return cmp(self.id, other.id)
  193. def __repr__(self):
  194. cls = self.__class__
  195. return '<%s.%s: id: %s, parent: %s, title: %s>' % \
  196. (cls.__module__, cls.__name__, self.id, self.parentID,
  197. self.title)
  198. def checkUpdate(self):
  199. # It's tempting to call doUpdate here, but each object has to
  200. # decide that.
  201. pass
  202. def toElement(self):
  203. root = Element(self.elementName)
  204. root.attrib['id'] = self.id
  205. root.attrib['parentID'] = self.parentID
  206. SubElement(root, 'dc:title').text = self.title
  207. SubElement(root, 'upnp:class').text = self.klass
  208. root.attrib['restricted'] = self.restricted
  209. for i in (x for x in self.__dict__ if x in self._optionattrs):
  210. obj = getattr(self, i)
  211. if obj is None:
  212. continue
  213. SubElement(root, '%s:%s' % (self._optionattrs[i],
  214. i)).text = str(getattr(self, i))
  215. if self.res is not None:
  216. try:
  217. resiter = iter(self.res)
  218. except TypeError as x:
  219. resiter = [ self.res ]
  220. for res in resiter:
  221. root.append(res.toElement())
  222. return root
  223. def toString(self):
  224. return tostring(self.toElement())
  225. class Item(Object):
  226. """A class used to represent atomic (non-container) content
  227. objects."""
  228. klass = Object.klass + '.item'
  229. elementName = 'item'
  230. refID = None
  231. needupdate = True
  232. def doUpdate(self, child=False):
  233. # do NOT update parent container per 2.2.9 for
  234. # ContainerUpdateID changes
  235. # must be Container.didUpdate, otherwise we could update the
  236. # parent when we really just want to update the ID
  237. Container.didUpdate(self.cd[self.parentID])
  238. def toElement(self):
  239. root = Object.toElement(self)
  240. if self.refID is not None:
  241. SubElement(root, 'refID').text = self.refID
  242. return root
  243. class ImageItem(Item):
  244. klass = Item.klass + '.imageItem'
  245. class Photo(ImageItem):
  246. klass = ImageItem.klass + '.photo'
  247. class AudioItem(Item):
  248. """A piece of content that when rendered generates some audio."""
  249. klass = Item.klass + '.audioItem'
  250. class MusicTrack(AudioItem):
  251. """A discrete piece of audio that should be interpreted as music."""
  252. klass = AudioItem.klass + '.musicTrack'
  253. class AudioBroadcast(AudioItem):
  254. klass = AudioItem.klass + '.audioBroadcast'
  255. class AudioBook(AudioItem):
  256. klass = AudioItem.klass + '.audioBook'
  257. class VideoItem(Item):
  258. klass = Item.klass + '.videoItem'
  259. class Movie(VideoItem):
  260. klass = VideoItem.klass + '.movie'
  261. class VideoBroadcast(VideoItem):
  262. klass = VideoItem.klass + '.videoBroadcast'
  263. class MusicVideoClip(VideoItem):
  264. klass = VideoItem.klass + '.musicVideoClip'
  265. class PlaylistItem(Item):
  266. klass = Item.klass + '.playlistItem'
  267. class TextItem(Item):
  268. klass = Item.klass + '.textItem'
  269. class Container(Object, list):
  270. """An object that can contain other objects."""
  271. klass = Object.klass + '.container'
  272. elementName = 'container'
  273. childCount = property(lambda x: len(x))
  274. searchable = None
  275. updateID = 0
  276. needcontupdate = False
  277. _optionattrs = Object._optionattrs.copy()
  278. _optionattrs.update({
  279. 'searchClass': 'upnp',
  280. 'createClass': 'upnp',
  281. 'storageTotal': 'upnp',
  282. 'storageUsed': 'upnp',
  283. 'storageFree': 'upnp',
  284. 'storageMaxPartition': 'upnp',
  285. })
  286. def __init__(self, cd, id, parentID, title, **kwargs):
  287. Object.__init__(self, cd, id, parentID, title, **kwargs)
  288. list.__init__(self)
  289. self.doingUpdate = False
  290. self.needcontupdate = False
  291. self.oldchildren = {}
  292. def genCurrent(self):
  293. '''This function returns a tuple/list/generator that returns
  294. tuples of (id, name). name must match what is returned by
  295. genChildren. If name is used for the title directly, no
  296. override is necessary.'''
  297. return ((x.id, x.title) for x in self)
  298. def genChildren(self):
  299. '''This function returns a list or dict of names of all
  300. the current children.'''
  301. raise NotImplementedError
  302. def createObject(self, i, arg=None):
  303. '''This function returns the (class, name, *args, **kwargs)
  304. that will be passed to the addItem method of the
  305. ContentDirectory. arg will be passed the value of the dict
  306. keyed by i if genChildren is a dict.'''
  307. raise NotImplementedError
  308. def sort(self, fun=None):
  309. if fun is not None:
  310. return list.sort(self, key=functools.cmp_to_key(fun))
  311. else:
  312. return list.sort(self, key=lambda x: x.title)
  313. def doUpdate(self):
  314. if self.doingUpdate:
  315. return
  316. self.doingUpdate = True
  317. self.needcontupdate = False
  318. # Get the current children
  319. children = self.genChildren()
  320. if isinstance(children, dict):
  321. oldchildren = self.oldchildren
  322. self.oldchildren = children
  323. isdict = True
  324. else:
  325. children = set(children)
  326. isdict = False
  327. # Delete the old object that no longer exists.
  328. # Make a mapping of current names to ids.
  329. names = {}
  330. print('i:', repr(self), repr(self.genCurrent), repr(self.__class__))
  331. for id, i in tuple(self.genCurrent()):
  332. if i not in children:
  333. didupdate = True
  334. # delete
  335. print('del:', repr(id), repr(i))
  336. self.cd.delItem(id)
  337. self.needcontupdate = True
  338. else:
  339. names[i] = id
  340. # Make sure that the existing objects don't need to be
  341. # updated.
  342. # Create any new objects that don't currently exist.
  343. for i in children:
  344. if i in names:
  345. if isdict:
  346. print('oc:', repr(oldchildren[i]), repr(children[i]))
  347. if oldchildren[i] == children[i]:
  348. continue
  349. # Delete the old and recreate
  350. self.cd.delItem(names[i])
  351. self.needcontupdate = True
  352. else:
  353. # XXX - some sort of comparision?
  354. continue
  355. # new object
  356. if isdict:
  357. args = (children[i], )
  358. else:
  359. args = ()
  360. try:
  361. #print 'i:', `i`, `isdict`, `args`, `self`
  362. pass
  363. except UnicodeEncodeError:
  364. print('i decode error')
  365. klass, name, args, kwargs = self.createObject(i, *args)
  366. if klass is not None:
  367. self.cd.addItem(self.id, klass, name, *args,
  368. **kwargs)
  369. self.needcontupdate = True
  370. # sort our children
  371. self.sort()
  372. self.doingUpdate = False
  373. if self.needcontupdate:
  374. self.didUpdate()
  375. def didUpdate(self):
  376. if self.doingUpdate:
  377. self.needcontupdate = True
  378. return
  379. if self.id == '0':
  380. self.updateID = (self.updateID + 1)
  381. else:
  382. self.updateID = (self.updateID + 1) % (1 << 32)
  383. Container.didUpdate(self.cd['0'])
  384. def _addSet(self, e, items):
  385. if items is not None:
  386. if not isinstance(items, (list, tuple)):
  387. items = [ items ]
  388. for i in items:
  389. el = SubElement(root, e)
  390. el.text = i
  391. # XXX - how to specify?
  392. el.attrib['includeDerived'] = '1'
  393. def toElement(self):
  394. root = Object.toElement(self)
  395. # only include if we have children, it's possible we don't
  396. # have our children yet, and childCount is optional.
  397. if self.childCount:
  398. root.attrib['childCount'] = str(self.childCount)
  399. if self.searchable is not None:
  400. root.attrib['searchable'] = str(self.searchable)
  401. return root
  402. def __repr__(self):
  403. cls = self.__class__
  404. return '<%s.%s: id: %s, parent: %s, title: %s, cnt: %d>' % \
  405. (cls.__module__, cls.__name__, self.id, self.parentID,
  406. self.title, len(self))
  407. class TestContainerObj(Container):
  408. def genChildren(self):
  409. return self._genchildren
  410. def createObject(self, name):
  411. return Object, name, (), {}
  412. class MockContainer(object):
  413. def __init__(self):
  414. self.itemiter = itertools.count(1)
  415. def addItem(self, *args, **kwargs):
  416. return next(self.itemiter)
  417. def __getitem__(self, id):
  418. return Container(None, '0', None, None)
  419. class TestContainer(unittest.TestCase):
  420. def xtest_container(self):
  421. cont = MockContainer()
  422. c = TestContainerObj(cont, None, None, None)
  423. self.assertEqual(len(tuple(c.genCurrent())), 0)
  424. c._genchildren = [ 'objb', 'obja' ]
  425. c.doUpdate()
  426. self.assertEqual(tuple(c.genCurrent()), ((1, 'obja'), (2, 'objb')))
  427. class Person(Container):
  428. klass = Container.klass + '.person'
  429. class MusicArtist(Person):
  430. klass = Person.klass + '.musicArtist'
  431. class PlaylistContainer(Container):
  432. klass = Container.klass + '.playlistContainer'
  433. class Album(Container):
  434. klass = Container.klass + '.album'
  435. class MusicAlbum(Album):
  436. klass = Album.klass + '.musicAlbum'
  437. class PhotoAlbum(Album):
  438. klass = Album.klass + '.photoAlbum'
  439. class Genre(Container):
  440. klass = Container.klass + '.genre'
  441. class MusicGenre(Genre):
  442. klass = Genre.klass + '.musicGenre'
  443. class MovieGenre(Genre):
  444. klass = Genre.klass + '.movieGenre'
  445. class StorageSystem(Container):
  446. klass = Container.klass + '.storageSystem'
  447. storageTotal = -1
  448. storageUsed = -1
  449. storageFree = -1
  450. storageMaxParition = -1
  451. storageMedium = 'UNKNOWN'
  452. class StorageVolume(Container):
  453. klass = Container.klass + '.storageVolume'
  454. storageTotal = -1
  455. storageUsed = -1
  456. storageFree = -1
  457. storageMedium = 'UNKNOWN'
  458. class StorageFolder(Container):
  459. klass = Container.klass + '.storageFolder'
  460. storageUsed = -1
  461. class DIDLElement(Element):
  462. def __init__(self):
  463. super().__init__('DIDL-Lite', {})
  464. self.attrib['xmlns'] = 'urn:schemas-upnp-org:metadata-1-0/DIDL-Lite/'
  465. self.attrib['xmlns:dc'] = 'http://purl.org/dc/elements/1.1/'
  466. self.attrib['xmlns:upnp'] = 'urn:schemas-upnp-org:metadata-1-0/upnp'
  467. def addItem(self, item):
  468. self.append(item.toElement())
  469. def numItems(self):
  470. return len(self)
  471. def toString(self):
  472. return tostring(self)
  473. if __name__ == '__main__':
  474. root = DIDLElement()
  475. root.addItem(Container(None, '0\Movie\\', '0\\', 'Movie'))
  476. root.addItem(Container(None, '0\Music\\', '0\\', 'Music'))
  477. root.addItem(Container(None, '0\Photo\\', '0\\', 'Photo'))
  478. root.addItem(Container(None, '0\OnlineMedia\\', '0\\', 'OnlineMedia'))
  479. print(tostring(root))