Verify items before adding to directories.
[clinton/xbmc-groove.git] / default.py
1 # Copyright 2011 Stephen Denham
2
3 # This file is part of xbmc-groove.
4 #
5 # xbmc-groove is free software: you can redistribute it and/or modify
6 # it under the terms of the GNU General Public License as published by
7 # the Free Software Foundation, either version 3 of the License, or
8 # (at your option) any later version.
9 #
10 # xbmc-groove is distributed in the hope that it will be useful,
11 # but WITHOUT ANY WARRANTY; without even the implied warranty of
12 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
13 # GNU General Public License for more details.
14 #
15 # You should have received a copy of the GNU General Public License
16 # along with xbmc-groove. If not, see <http://www.gnu.org/licenses/>.
17
18
19 import urllib, sys, os, shutil, re, pickle, time, tempfile, xbmcaddon, xbmcplugin, xbmcgui, xbmc
20
21 __addon__ = xbmcaddon.Addon('plugin.audio.groove')
22 __addonname__ = __addon__.getAddonInfo('name')
23 __cwd__ = __addon__.getAddonInfo('path')
24 __author__ = __addon__.getAddonInfo('author')
25 __version__ = __addon__.getAddonInfo('version')
26 __language__ = __addon__.getLocalizedString
27
28
29 MODE_SEARCH_SONGS = 1
30 MODE_SEARCH_ALBUMS = 2
31 MODE_SEARCH_ARTISTS = 3
32 MODE_SEARCH_ARTISTS_ALBUMS = 4
33 MODE_SEARCH_PLAYLISTS = 5
34 MODE_ARTIST_POPULAR = 6
35 MODE_POPULAR_SONGS = 7
36 MODE_FAVORITES = 8
37 MODE_PLAYLISTS = 9
38 MODE_ALBUM = 10
39 MODE_ARTIST = 11
40 MODE_PLAYLIST = 12
41 MODE_SONG_PAGE = 13
42 MODE_SIMILAR_ARTISTS = 14
43 MODE_SONG = 15
44 MODE_FAVORITE = 16
45 MODE_UNFAVORITE = 17
46 MODE_MAKE_PLAYLIST = 18
47 MODE_REMOVE_PLAYLIST = 19
48 MODE_RENAME_PLAYLIST = 20
49 MODE_REMOVE_PLAYLIST_SONG = 21
50 MODE_ADD_PLAYLIST_SONG = 22
51
52 ACTION_MOVE_LEFT = 1
53 ACTION_MOVE_UP = 3
54 ACTION_MOVE_DOWN = 4
55 ACTION_PAGE_UP = 5
56 ACTION_PAGE_DOWN = 6
57 ACTION_SELECT_ITEM = 7
58 ACTION_PREVIOUS_MENU = 10
59
60 # Formats for track labels
61 ARTIST_ALBUM_NAME_LABEL = 0
62 NAME_ALBUM_ARTIST_LABEL = 1
63
64 # Stream marking time (seconds)
65 STREAM_MARKING_TIME = 30
66
67 songMarkTime = 0
68 player = xbmc.Player()
69 playTimer = None
70
71 baseDir = __cwd__
72 resDir = xbmc.translatePath(os.path.join(baseDir, 'resources'))
73 libDir = xbmc.translatePath(os.path.join(resDir, 'lib'))
74 imgDir = xbmc.translatePath(os.path.join(resDir, 'img'))
75 cacheDir = os.path.join(xbmc.translatePath('special://masterprofile/addon_data/'), os.path.basename(baseDir))
76 thumbDirName = 'thumb'
77 thumbDir = os.path.join('special://masterprofile/addon_data/', os.path.basename(baseDir), thumbDirName)
78
79 baseModeUrl = 'plugin://plugin.audio.groove/'
80 playlistUrl = baseModeUrl + '?mode=' + str(MODE_PLAYLIST)
81 playlistsUrl = baseModeUrl + '?mode=' + str(MODE_PLAYLISTS)
82 favoritesUrl = baseModeUrl + '?mode=' + str(MODE_FAVORITES)
83
84 searchArtistsAlbumsName = __language__(30006)
85
86 thumbDef = os.path.join(imgDir, 'default.tbn')
87 listBackground = os.path.join(imgDir, 'listbackground.png')
88
89 sys.path.append (libDir)
90 from GroovesharkAPI import GrooveAPI
91 from threading import Event, Thread
92
93 try:
94 groovesharkApi = GrooveAPI()
95 if groovesharkApi.pingService() != True:
96 raise StandardError(__language__(30007))
97 except:
98 dialog = xbmcgui.Dialog(__language__(30008),__language__(30009),__language__(30010))
99 dialog.ok()
100 sys.exit(-1)
101
102 # Mark song as playing or played
103 def markSong(songid, duration):
104 global songMarkTime
105 global playTimer
106 global player
107 if player.isPlayingAudio():
108 tNow = player.getTime()
109 if tNow >= STREAM_MARKING_TIME and songMarkTime == 0:
110 groovesharkApi.markStreamKeyOver30Secs()
111 songMarkTime = tNow
112 elif duration > tNow and duration - tNow < 2 and songMarkTime >= STREAM_MARKING_TIME:
113 playTimer.cancel()
114 songMarkTime = 0
115 groovesharkApi.markSongComplete(songid)
116 else:
117 playTimer.cancel()
118 songMarkTime = 0
119
120 class _Info:
121 def __init__( self, *args, **kwargs ):
122 self.__dict__.update( kwargs )
123
124 # Window dialog to select a grooveshark playlist
125 class GroovesharkPlaylistSelect(xbmcgui.WindowDialog):
126
127 def __init__(self, items=[]):
128 gap = int(self.getHeight()/100)
129 w = int(self.getWidth()*0.5)
130 h = self.getHeight()-30*gap
131 rw = self.getWidth()
132 rh = self.getHeight()
133 x = rw/2 - w/2
134 y = rh/2 -h/2
135
136 self.imgBg = xbmcgui.ControlImage(x+gap, 5*gap+y, w-2*gap, h-5*gap, listBackground)
137 self.addControl(self.imgBg)
138
139 self.playlistControl = xbmcgui.ControlList(2*gap+x, y+3*gap+30, w-4*gap, h-10*gap, textColor='0xFFFFFFFF', selectedColor='0xFFFF4242', itemTextYOffset=0, itemHeight=50, alignmentY = 0)
140 self.addControl(self.playlistControl)
141
142 self.lastPos = 0
143 self.isSelecting = False
144 self.selected = -1
145 listitems = []
146 for playlist in items:
147 listitems.append(xbmcgui.ListItem(playlist[0]))
148 listitems.append(xbmcgui.ListItem(__language__(30011)))
149 self.playlistControl.addItems(listitems)
150 self.setFocus(self.playlistControl)
151 self.playlistControl.selectItem(0)
152 item = self.playlistControl.getListItem(self.lastPos)
153 item.select(True)
154
155 # Highlight selected item
156 def setHighlight(self):
157 if self.isSelecting:
158 return
159 else:
160 self.isSelecting = True
161
162 pos = self.playlistControl.getSelectedPosition()
163 if pos >= 0:
164 item = self.playlistControl.getListItem(self.lastPos)
165 item.select(False)
166 item = self.playlistControl.getListItem(pos)
167 item.select(True)
168 self.lastPos = pos
169 self.isSelecting = False
170
171 # Control - select
172 def onControl(self, control):
173 if control == self.playlistControl:
174 self.selected = self.playlistControl.getSelectedPosition()
175 self.close()
176
177 # Action - close or up/down
178 def onAction(self, action):
179 if action == ACTION_PREVIOUS_MENU:
180 self.selected = -1
181 self.close()
182 elif action == ACTION_MOVE_UP or action == ACTION_MOVE_DOWN or action == ACTION_PAGE_UP or action == ACTION_PAGE_DOWN == 6:
183 self.setFocus(self.playlistControl)
184 self.setHighlight()
185
186
187 class PlayTimer(Thread):
188 # interval -- floating point number specifying the number of seconds to wait before executing function
189 # function -- the function (or callable object) to be executed
190
191 # iterations -- integer specifying the number of iterations to perform
192 # args -- list of positional arguments passed to function
193 # kwargs -- dictionary of keyword arguments passed to function
194
195 def __init__(self, interval, function, iterations=0, args=[], kwargs={}):
196 Thread.__init__(self)
197 self.interval = interval
198 self.function = function
199 self.iterations = iterations
200 self.args = args
201 self.kwargs = kwargs
202 self.finished = Event()
203
204 def run(self):
205 count = 0
206 while not self.finished.isSet() and (self.iterations <= 0 or count < self.iterations):
207 self.finished.wait(self.interval)
208 if not self.finished.isSet():
209 self.function(*self.args, **self.kwargs)
210 count += 1
211
212 def cancel(self):
213 self.finished.set()
214
215 def setIterations(self, iterations):
216 self.iterations = iterations
217
218
219 def getTime(self):
220 return self.iterations * self.interval
221
222
223 class Grooveshark:
224
225 albumImg = xbmc.translatePath(os.path.join(imgDir, 'album.png'))
226 artistImg = xbmc.translatePath(os.path.join(imgDir, 'artist.png'))
227 artistsAlbumsImg = xbmc.translatePath(os.path.join(imgDir, 'artistsalbums.png'))
228 favoritesImg = xbmc.translatePath(os.path.join(imgDir, 'favorites.png'))
229 playlistImg = xbmc.translatePath(os.path.join(imgDir, 'playlist.png'))
230 usersplaylistsImg = xbmc.translatePath(os.path.join(imgDir, 'usersplaylists.png'))
231 popularSongsImg = xbmc.translatePath(os.path.join(imgDir, 'popularSongs.png'))
232 popularSongsArtistImg = xbmc.translatePath(os.path.join(imgDir, 'popularSongsArtist.png'))
233 songImg = xbmc.translatePath(os.path.join(imgDir, 'song.png'))
234 defImg = xbmc.translatePath(os.path.join(imgDir, 'default.tbn'))
235 fanImg = xbmc.translatePath(os.path.join(baseDir, 'fanart.png'))
236
237 settings = xbmcaddon.Addon(id='plugin.audio.groove')
238 songsearchlimit = int(settings.getSetting('songsearchlimit'))
239 albumsearchlimit = int(settings.getSetting('albumsearchlimit'))
240 artistsearchlimit = int(settings.getSetting('artistsearchlimit'))
241 songspagelimit = int(settings.getSetting('songspagelimit'))
242 username = settings.getSetting('username')
243 password = settings.getSetting('password')
244
245 userid = 0
246
247 def __init__( self ):
248 self._handle = int(sys.argv[1])
249 self.setDebug()
250 if os.path.isdir(cacheDir) == False:
251 os.makedirs(cacheDir)
252 if self.debug:
253 xbmc.log(__language__(30012) + " " + cacheDir)
254 artDir = xbmc.translatePath(thumbDir)
255 if os.path.isdir(artDir) == False:
256 os.makedirs(artDir)
257 if self.debug:
258 xbmc.log(__language__(30012) + " " + artDir)
259
260 # Top-level menu
261 def categories(self):
262
263 self.userid = self._get_login()
264
265 # Setup
266 xbmcplugin.setPluginFanart(int(sys.argv[1]), self.fanImg)
267
268 self._add_dir(__language__(30013), '', MODE_SEARCH_SONGS, self.songImg, 0)
269 self._add_dir(__language__(30014), '', MODE_SEARCH_ALBUMS, self.albumImg, 0)
270 self._add_dir(__language__(30015), '', MODE_SEARCH_ARTISTS, self.artistImg, 0)
271 self._add_dir(searchArtistsAlbumsName, '', MODE_SEARCH_ARTISTS_ALBUMS, self.artistsAlbumsImg, 0)
272 # Not supported by key
273 #self._add_dir("Search for user's playlists...", '', MODE_SEARCH_PLAYLISTS, self.usersplaylistsImg, 0)
274 self._add_dir(__language__(30016), '', MODE_ARTIST_POPULAR, self.popularSongsArtistImg, 0)
275 self._add_dir(__language__(30017), '', MODE_POPULAR_SONGS, self.popularSongsImg, 0)
276 if (self.userid != 0):
277 self._add_dir(__language__(30018), '', MODE_FAVORITES, self.favoritesImg, 0)
278 self._add_dir(__language__(30019), '', MODE_PLAYLISTS, self.playlistImg, 0)
279
280 # Search for songs
281 def searchSongs(self):
282 query = self._get_keyboard(default="", heading=__language__(30020))
283 if (query != ''):
284 songs = groovesharkApi.getSongSearchResults(query, limit = self.songsearchlimit)
285 if (len(songs) > 0):
286 self._add_songs_directory(songs)
287 else:
288 dialog = xbmcgui.Dialog()
289 dialog.ok(__language__(30008), __language__(30021))
290 self.categories()
291 else:
292 self.categories()
293
294 # Search for albums
295 def searchAlbums(self):
296 query = self._get_keyboard(default="", heading=__language__(30022))
297 if (query != ''):
298 albums = groovesharkApi.getAlbumSearchResults(query, limit = self.albumsearchlimit)
299 if (len(albums) > 0):
300 self._add_albums_directory(albums)
301 else:
302 dialog = xbmcgui.Dialog()
303 dialog.ok(__language__(30008), __language__(30023))
304 self.categories()
305 else:
306 self.categories()
307
308 # Search for artists
309 def searchArtists(self):
310 query = self._get_keyboard(default="", heading=__language__(30024))
311 if (query != ''):
312 artists = groovesharkApi.getArtistSearchResults(query, limit = self.artistsearchlimit)
313 if (len(artists) > 0):
314 self._add_artists_directory(artists)
315 else:
316 dialog = xbmcgui.Dialog()
317 dialog.ok(__language__(30008), __language__(30025))
318 self.categories()
319 else:
320 self.categories()
321
322 # Search for playlists
323 def searchPlaylists(self):
324 query = self._get_keyboard(default="", heading=__language__(30026))
325 if (query != ''):
326 playlists = groovesharkApi.getUserPlaylistsByUsername(query)
327 if (len(playlists) > 0):
328 self._add_playlists_directory(playlists)
329 else:
330 dialog = xbmcgui.Dialog()
331 dialog.ok(__language__(30008), __language__(30027))
332 self.categories()
333 else:
334 self.categories()
335
336 # Search for artists albums
337 def searchArtistsAlbums(self, artistName = None):
338 if artistName == None or artistName == searchArtistsAlbumsName:
339 query = self._get_keyboard(default="", heading=__language__(30028))
340 else:
341 query = artistName
342 if (query != ''):
343 artists = groovesharkApi.getArtistSearchResults(query, limit = self.artistsearchlimit)
344 if (len(artists) > 0):
345 artist = artists[0]
346 artistID = artist[1]
347 if self.debug:
348 xbmc.log("Found " + artist[0] + "...")
349 albums = groovesharkApi.getArtistAlbums(artistID, limit = self.albumsearchlimit)
350 if (len(albums) > 0):
351 self._add_albums_directory(albums, artistID)
352 else:
353 dialog = xbmcgui.Dialog()
354 dialog.ok(__language__(30008), __language__(30029))
355 self.categories()
356 else:
357 dialog = xbmcgui.Dialog()
358 dialog.ok(__language__(30008), __language__(30030))
359 self.categories()
360 else:
361 self.categories()
362
363 # Get my favorites
364 def favorites(self):
365 userid = self._get_login()
366 if (userid != 0):
367 favorites = groovesharkApi.getUserFavoriteSongs()
368 if (len(favorites) > 0):
369 self._add_songs_directory(favorites, isFavorites=True)
370 else:
371 dialog = xbmcgui.Dialog()
372 dialog.ok(__language__(30008), __language__(30031))
373 self.categories()
374
375 # Get popular songs
376 def popularSongs(self):
377 popular = groovesharkApi.getPopularSongsToday(limit = self.songsearchlimit)
378 if (len(popular) > 0):
379 self._add_songs_directory(popular)
380 else:
381 dialog = xbmcgui.Dialog()
382 dialog.ok(__language__(30008), __language__(30032))
383 self.categories()
384
385 # Get my playlists
386 def playlists(self):
387 userid = self._get_login()
388 if (userid != 0):
389 playlists = groovesharkApi.getUserPlaylists()
390 if (len(playlists) > 0):
391 self._add_playlists_directory(playlists)
392 else:
393 dialog = xbmcgui.Dialog()
394 dialog.ok(__language__(30008), __language__(30033))
395 self.categories()
396 else:
397 dialog = xbmcgui.Dialog()
398 dialog.ok(__language__(30008), __language__(30034), __language__(30035))
399
400 # Make songs a favorite
401 def favorite(self, songid):
402 userid = self._get_login()
403 if (userid != 0):
404 if self.debug:
405 xbmc.log("Favorite song: " + str(songid))
406 groovesharkApi.addUserFavoriteSong(songID = songid)
407 xbmc.executebuiltin('XBMC.Notification(' + __language__(30008) + ', ' + __language__(30036) + ', 1000, ' + thumbDef + ')')
408 else:
409 dialog = xbmcgui.Dialog()
410 dialog.ok(__language__(30008), __language__(30034), __language__(30037))
411
412 # Remove song from favorites
413 def unfavorite(self, songid, prevMode=0):
414 userid = self._get_login()
415 if (userid != 0):
416 if self.debug:
417 xbmc.log("Unfavorite song: " + str(songid) + ', previous mode was ' + str(prevMode))
418 groovesharkApi.removeUserFavoriteSongs(songIDs = songid)
419 xbmc.executebuiltin('XBMC.Notification(' + __language__(30008) + ', ' + __language__(30038) + ', 1000, ' + thumbDef + ')')
420 # Refresh to remove item from directory
421 if (int(prevMode) == MODE_FAVORITES):
422 xbmc.executebuiltin("Container.Refresh(" + favoritesUrl + ")")
423 else:
424 dialog = xbmcgui.Dialog()
425 dialog.ok(__language__(30008), __language__(30034), __language__(30039))
426
427
428 # Show selected album
429 def album(self, albumid):
430 album = groovesharkApi.getAlbumSongs(albumid, limit = self.songsearchlimit)
431 self._add_songs_directory(album, trackLabelFormat=NAME_ALBUM_ARTIST_LABEL)
432
433 # Show selected artist
434 def artist(self, artistid):
435 albums = groovesharkApi.getArtistAlbums(artistid, limit = self.albumsearchlimit)
436 self._add_albums_directory(albums, artistid)
437
438 # Show selected playlist
439 def playlist(self, playlistid, playlistname):
440 userid = self._get_login()
441 if (userid != 0):
442 songs = groovesharkApi.getPlaylistSongs(playlistid)
443 self._add_songs_directory(songs, trackLabelFormat=NAME_ALBUM_ARTIST_LABEL, playlistid=playlistid, playlistname=playlistname)
444 else:
445 dialog = xbmcgui.Dialog()
446 dialog.ok(__language__(30008), __language__(30034), __language__(30040))
447
448 # Show popular songs of the artist
449 def artistPopularSongs(self):
450 query = self._get_keyboard(default="", heading=__language__(30041))
451 if (query != ''):
452 artists = groovesharkApi.getArtistSearchResults(query, limit = self.artistsearchlimit)
453 if (len(artists) > 0):
454 artist = artists[0]
455 artistID = artist[1]
456 if self.debug:
457 xbmc.log("Found " + artist[0] + "...")
458 songs = groovesharkApi.getArtistPopularSongs(artistID, limit = self.songsearchlimit)
459 if (len(songs) > 0):
460 self._add_songs_directory(songs, trackLabelFormat=NAME_ALBUM_ARTIST_LABEL)
461 else:
462 dialog = xbmcgui.Dialog()
463 dialog.ok(__language__(30008), __language__(30042))
464 self.categories()
465 else:
466 dialog = xbmcgui.Dialog()
467 dialog.ok(__language__(30008), __language__(30043))
468 self.categories()
469 else:
470 self.categories()
471
472 # Play a song
473 def playSong(self, item):
474 global playTimer
475 global player
476 if item != None:
477 songid = item.getProperty('songid')
478 url = item.getProperty('url')
479 if url == '':
480 stream = groovesharkApi.getSubscriberStreamKey(songid)
481 url = stream['url']
482 item.setPath(url)
483 if self.debug:
484 xbmc.log("Grooveshark playing: " + url)
485 xbmcplugin.setResolvedUrl(handle=int(sys.argv[1]), succeeded=True, listitem=item)
486 # Wait for play then start time
487 seconds = 0
488 while seconds < STREAM_MARKING_TIME:
489 try:
490 if player.isPlayingAudio() == True:
491 if playTimer != None:
492 playTimer.cancel()
493 songMarkTime = 0
494 duration = int(item.getProperty('duration'))
495 playTimer = PlayTimer(1, markSong, duration, [songid, duration])
496 playTimer.start()
497 break
498 except: pass
499 time.sleep(1)
500 seconds = seconds + 1
501 else:
502 xbmc.executebuiltin('XBMC.Notification(' + __language__(30008) + ', ' + __language__(30044) + ', 1000, ' + thumbDef + ')')
503
504 # Make a song directory item
505 def songItem(self, songid, name, album, artist, coverart, trackLabelFormat=ARTIST_ALBUM_NAME_LABEL):
506 songImg = self._get_icon(coverart, 'song-' + str(songid) + "-image")
507 if int(trackLabelFormat) == NAME_ALBUM_ARTIST_LABEL:
508 trackLabel = name + " - " + album + " - " + artist
509 else:
510 trackLabel = artist + " - " + album + " - " + name
511 stream = self._getSongStream(songid)
512 duration = stream['duration']
513 url = stream['url']
514 item = xbmcgui.ListItem(label = trackLabel, thumbnailImage=songImg, iconImage=songImg)
515 item.setInfo( type="music", infoLabels={ "title": name, "album": album, "artist": artist, "duration": duration} )
516 item.setProperty('mimetype', 'audio/mpeg')
517 item.setProperty("IsPlayable", "true")
518 item.setProperty('songid', str(songid))
519 item.setProperty('coverart', songImg)
520 item.setProperty('title', name)
521 item.setProperty('album', album)
522 item.setProperty('artist', artist)
523 item.setProperty('duration', str(duration))
524 item.setProperty('url', str(url))
525
526 return item
527
528 # Next page of songs
529 def songPage(self, offset, trackLabelFormat, playlistid = 0, playlistname = ''):
530 self._add_songs_directory([], trackLabelFormat, offset, playlistid = playlistid, playlistname = playlistname)
531
532 # Make a playlist from an album
533 def makePlaylist(self, albumid, name):
534 userid = self._get_login()
535 if (userid != 0):
536 re.split(' - ',name,1)
537 nameTokens = re.split(' - ',name,1) # suggested name
538 name = self._get_keyboard(default=nameTokens[0], heading=__language__(30045))
539 if name != '':
540 album = groovesharkApi.getAlbumSongs(albumid, limit = self.songsearchlimit)
541 songids = []
542 for song in album:
543 songids.append(song[1])
544 if groovesharkApi.createPlaylist(name, songids) == 0:
545 dialog = xbmcgui.Dialog()
546 dialog.ok(__language__(30008), __language__(30046), name)
547 else:
548 xbmc.executebuiltin('XBMC.Notification(' + __language__(30008) + ',' + __language__(30047)+ ', 1000, ' + thumbDef + ')')
549 else:
550 dialog = xbmcgui.Dialog()
551 dialog.ok(__language__(30008), __language__(30034), __language__(30048))
552
553 # Rename a playlist
554 def renamePlaylist(self, playlistid, name):
555 userid = self._get_login()
556 if (userid != 0):
557 newname = self._get_keyboard(default=name, heading=__language__(30049))
558 if newname == '':
559 return
560 elif groovesharkApi.playlistRename(playlistid, newname) == 0:
561 dialog = xbmcgui.Dialog()
562 dialog.ok(__language__(30008), __language__(30050), name)
563 else:
564 # Refresh to show new item name
565 xbmc.executebuiltin("Container.Refresh")
566 else:
567 dialog = xbmcgui.Dialog()
568 dialog.ok(__language__(30008), __language__(30034), __language__(30051))
569
570 # Remove a playlist
571 def removePlaylist(self, playlistid, name):
572 dialog = xbmcgui.Dialog()
573 if dialog.yesno(__language__(30008), name, __language__(30052)) == True:
574 userid = self._get_login()
575 if (userid != 0):
576 if groovesharkApi.playlistDelete(playlistid) == 0:
577 dialog = xbmcgui.Dialog()
578 dialog.ok(__language__(30008), __language__(30053), name)
579 else:
580 # Refresh to remove item from directory
581 xbmc.executebuiltin("Container.Refresh(" + playlistsUrl + ")")
582 else:
583 dialog = xbmcgui.Dialog()
584 dialog.ok(__language__(30008), __language__(30034), __language__(30054))
585
586 # Add song to playlist
587 def addPlaylistSong(self, songid):
588 userid = self._get_login()
589 if (userid != 0):
590 playlists = groovesharkApi.getUserPlaylists()
591 if (len(playlists) > 0):
592 ret = 0
593 # Select the playlist
594 playlistSelect = GroovesharkPlaylistSelect(items=playlists)
595 playlistSelect.setFocus(playlistSelect.playlistControl)
596 playlistSelect.doModal()
597 i = playlistSelect.selected
598 del playlistSelect
599 if i > -1:
600 # Add a new playlist
601 if i >= len(playlists):
602 name = self._get_keyboard(default='', heading=__language__(30055))
603 if name != '':
604 songIds = []
605 songIds.append(songid)
606 if groovesharkApi.createPlaylist(name, songIds) == 0:
607 dialog = xbmcgui.Dialog()
608 dialog.ok(__language__(30008), __language__(30056), name)
609 else:
610 xbmc.executebuiltin('XBMC.Notification(' + __language__(30008) + ',' + __language__(30057) + ', 1000, ' + thumbDef + ')')
611 # Existing playlist
612 else:
613 playlist = playlists[i]
614 playlistid = playlist[1]
615 if self.debug:
616 xbmc.log("Add song " + str(songid) + " to playlist " + str(playlistid))
617 songIDs=[]
618 songs = groovesharkApi.getPlaylistSongs(playlistid)
619 for song in songs:
620 songIDs.append(song[1])
621 songIDs.append(songid)
622 ret = groovesharkApi.setPlaylistSongs(playlistid, songIDs)
623 if ret == False:
624 dialog = xbmcgui.Dialog()
625 dialog.ok(__language__(30008), __language__(30058))
626 else:
627 xbmc.executebuiltin('XBMC.Notification(' + __language__(30008) + ',' + __language__(30059) + ', 1000, ' + thumbDef + ')')
628 else:
629 dialog = xbmcgui.Dialog()
630 dialog.ok(__language__(30008), __language__(30060))
631 self.categories()
632 else:
633 dialog = xbmcgui.Dialog()
634 dialog.ok(__language__(30008), __language__(30034), __language__(30061))
635
636 # Remove song from playlist
637 def removePlaylistSong(self, playlistid, playlistname, songid):
638 dialog = xbmcgui.Dialog()
639 if dialog.yesno(__language__(30008), __language__(30062), __language__(30063)) == True:
640 userid = self._get_login()
641 if (userid != 0):
642 songs = groovesharkApi.getPlaylistSongs(playlistID)
643 songIDs=[]
644 for song in songs:
645 if (song[1] != songid):
646 songIDs.append(song[1])
647 ret = groovesharkApi.setPlaylistSongs(playlistID, songIDs)
648 if ret == False:
649 dialog = xbmcgui.Dialog()
650 dialog.ok(__language__(30008), __language__(30064), __language__(30065))
651 else:
652 # Refresh to remove item from directory
653 xbmc.executebuiltin('XBMC.Notification(' + __language__(30008) + ',' + __language__(30066)+ ', 1000, ' + thumbDef + ')')
654 xbmc.executebuiltin("Container.Update(" + playlistUrl + "&id="+str(playlistid) + "&name=" + playlistname + ")")
655 else:
656 dialog = xbmcgui.Dialog()
657 dialog.ok(__language__(30008), __language__(30034), __language__(30067))
658
659 # Find similar artists to searched artist
660 def similarArtists(self, artistId):
661 similar = groovesharkApi.getSimilarArtists(artistId, limit = self.artistsearchlimit)
662 if (len(similar) > 0):
663 self._add_artists_directory(similar)
664 else:
665 dialog = xbmcgui.Dialog()
666 dialog.ok(__language__(30008), __language__(30068))
667 self.categories()
668
669 # Debug
670 def setDebug(self):
671 self.debug = self.settings.getSetting('debug')
672 if self.debug:
673 xbmc.log("Debug is on")
674
675 # Debug
676 def getDebug(self):
677 return self.debug
678
679 # Get keyboard input
680 def _get_keyboard(self, default="", heading="", hidden=False):
681 kb = xbmc.Keyboard(default, heading, hidden)
682 kb.doModal()
683 if (kb.isConfirmed()):
684 return unicode(kb.getText(), "utf-8")
685 return ''
686
687 # Login to grooveshark
688 def _get_login(self):
689 if (self.username == "" or self.password == ""):
690 dialog = xbmcgui.Dialog()
691 dialog.ok(__language__(30008), __language__(30069), __language__(30070))
692 return 0
693 else:
694 if self.userid == 0:
695 uid = groovesharkApi.login(self.username, self.password)
696 if (uid != 0):
697 return uid
698 else:
699 dialog = xbmcgui.Dialog()
700 dialog.ok(__language__(30008), __language__(30069), __language__(30070))
701 return 0
702
703 # Get a song directory item
704 def _get_song_item(self, song, trackLabelFormat):
705 name = song[0]
706 songid = song[1]
707 album = song[2]
708 artist = song[4]
709 coverart = song[6]
710 return self.songItem(songid, name, album, artist, coverart, trackLabelFormat)
711
712 # File download
713 def _get_icon(self, url, songid):
714 if url != 'None':
715 localThumb = os.path.join(xbmc.translatePath(os.path.join(thumbDir, str(songid)))) + '.tbn'
716 try:
717 if os.path.isfile(localThumb) == False:
718 loc = urllib.URLopener()
719 loc.retrieve(url, localThumb)
720 except:
721 shutil.copy2(thumbDef, localThumb)
722 return os.path.join(os.path.join(thumbDir, str(songid))) + '.tbn'
723 else:
724 return thumbDef
725
726 # Add songs to directory
727 def _add_songs_directory(self, songs, trackLabelFormat=ARTIST_ALBUM_NAME_LABEL, offset=0, playlistid=0, playlistname='', isFavorites=False):
728
729 totalSongs = len(songs)
730 offset = int(offset)
731 start = 0
732 end = totalSongs
733
734 # No pages needed
735 if offset == 0 and totalSongs <= self.songspagelimit:
736 if self.debug:
737 xbmc.log("Found " + str(totalSongs) + " songs...")
738 # Pages
739 else:
740 # Cache all next pages songs
741 if offset == 0:
742 self._setSavedSongs(songs)
743 else:
744 songs = self._getSavedSongs()
745 totalSongs = len(songs)
746
747 if totalSongs > 0:
748 start = offset
749 end = min(start + self.songspagelimit,totalSongs)
750
751 id = 0
752 n = start
753 items = end - start
754 while n < end:
755 song = songs[n]
756 songid = song[1]
757 stream = self._getSongStream(songid)
758 if stream['url'] != '':
759 item = self._get_song_item(song, trackLabelFormat)
760 coverart = item.getProperty('coverart')
761 songname = song[0]
762 songalbum = song[2]
763 songartist = song[4]
764 u=sys.argv[0]+"?mode="+str(MODE_SONG)+"&name="+urllib.quote_plus(songname)+"&id="+str(songid) \
765 +"&album="+urllib.quote_plus(songalbum) \
766 +"&artist="+urllib.quote_plus(songartist) \
767 +"&coverart="+urllib.quote_plus(coverart)
768 fav=sys.argv[0]+"?mode="+str(MODE_FAVORITE)+"&name="+urllib.quote_plus(songname)+"&id="+str(songid)
769 unfav=sys.argv[0]+"?mode="+str(MODE_UNFAVORITE)+"&name="+urllib.quote_plus(songname)+"&id="+str(songid)+"&prevmode="
770 menuItems = []
771 if isFavorites == True:
772 unfav = unfav +str(MODE_FAVORITES)
773 else:
774 menuItems.append((__language__(30071), "XBMC.RunPlugin("+fav+")"))
775 menuItems.append((__language__(30072), "XBMC.RunPlugin("+unfav+")"))
776 if playlistid > 0:
777 rmplaylstsong=sys.argv[0]+"?playlistid="+str(playlistid)+"&id="+str(songid)+"&mode="+str(MODE_REMOVE_PLAYLIST_SONG)+"&name="+playlistname
778 menuItems.append((__language__(30073), "XBMC.RunPlugin("+rmplaylstsong+")"))
779 else:
780 addplaylstsong=sys.argv[0]+"?id="+str(songid)+"&mode="+str(MODE_ADD_PLAYLIST_SONG)
781 menuItems.append((__language__(30074), "XBMC.RunPlugin("+addplaylstsong+")"))
782 item.addContextMenuItems(menuItems, replaceItems=False)
783 xbmcplugin.addDirectoryItem(handle=int(sys.argv[1]),url=u,listitem=item,isFolder=False, totalItems=items)
784 id = id + 1
785 else:
786 end = min(end + 1,totalSongs)
787 if self.debug:
788 xbmc.log(song[0] + " does not exist.")
789 n = n + 1
790
791 if totalSongs > end:
792 u=sys.argv[0]+"?mode="+str(MODE_SONG_PAGE)+"&id=playlistid"+"&offset="+str(end)+"&label="+str(trackLabelFormat)+"&name="+playlistname
793 self._add_dir(__language__(30075) + '...', u, MODE_SONG_PAGE, self.songImg, 0, totalSongs - end)
794
795 xbmcplugin.setContent(self._handle, 'songs')
796 xbmcplugin.setPluginFanart(int(sys.argv[1]), self.fanImg)
797
798 # Add albums to directory
799 def _add_albums_directory(self, albums, artistid=0):
800 n = len(albums)
801 itemsExisting = n
802 if self.debug:
803 xbmc.log("Found " + str(n) + " albums...")
804 i = 0
805 while i < n:
806 album = albums[i]
807 albumID = album[3]
808 if groovesharkApi.getDoesAlbumExist(albumID):
809 albumArtistName = album[0]
810 albumName = album[2]
811 albumImage = self._get_icon(album[4], 'album-' + str(albumID))
812 self._add_dir(albumName + " - " + albumArtistName, '', MODE_ALBUM, albumImage, albumID, itemsExisting)
813 else:
814 itemsExisting = itemsExisting - 1
815 i = i + 1
816 # Not supported by key
817 #if artistid > 0:
818 # self._add_dir('Similar artists...', '', MODE_SIMILAR_ARTISTS, self.artistImg, artistid)
819 xbmcplugin.setContent(self._handle, 'albums')
820 xbmcplugin.addSortMethod(self._handle, xbmcplugin.SORT_METHOD_ALBUM_IGNORE_THE)
821 xbmcplugin.setPluginFanart(int(sys.argv[1]), self.fanImg)
822
823 # Add artists to directory
824 def _add_artists_directory(self, artists):
825 n = len(artists)
826 itemsExisting = n
827 if self.debug:
828 xbmc.log("Found " + str(n) + " artists...")
829 i = 0
830 while i < n:
831 artist = artists[i]
832 artistID = artist[1]
833 if groovesharkApi.getDoesArtistExist(artistID):
834 artistName = artist[0]
835 self._add_dir(artistName, '', MODE_ARTIST, self.artistImg, artistID, itemsExisting)
836 else:
837 itemsExisting = itemsExisting - 1
838 i = i + 1
839 xbmcplugin.setContent(self._handle, 'artists')
840 xbmcplugin.addSortMethod(self._handle, xbmcplugin.SORT_METHOD_ARTIST_IGNORE_THE)
841 xbmcplugin.setPluginFanart(int(sys.argv[1]), self.fanImg)
842
843 # Add playlists to directory
844 def _add_playlists_directory(self, playlists):
845 n = len(playlists)
846 if self.debug:
847 xbmc.log("Found " + str(n) + " playlists...")
848 i = 0
849 while i < n:
850 playlist = playlists[i]
851 playlistName = playlist[0]
852 playlistID = playlist[1]
853 dir = self._add_dir(playlistName, '', MODE_PLAYLIST, self.playlistImg, playlistID, n)
854 i = i + 1
855 xbmcplugin.setContent(self._handle, 'files')
856 xbmcplugin.addSortMethod(self._handle, xbmcplugin.SORT_METHOD_LABEL)
857 xbmcplugin.setPluginFanart(int(sys.argv[1]), self.fanImg)
858
859 # Add whatever directory
860 def _add_dir(self, name, url, mode, iconimage, id, items=1):
861
862 if url == '':
863 u=sys.argv[0]+"?mode="+str(mode)+"&name="+urllib.quote_plus(name)+"&id="+str(id)
864 else:
865 u = url
866 dir=xbmcgui.ListItem(name, iconImage=iconimage, thumbnailImage=iconimage)
867 dir.setInfo( type="Music", infoLabels={ "title": name } )
868
869 # Custom menu items
870 menuItems = []
871 if mode == MODE_ALBUM:
872 mkplaylst=sys.argv[0]+"?mode="+str(MODE_MAKE_PLAYLIST)+"&name="+name+"&id="+str(id)
873 menuItems.append((__language__(30076), "XBMC.RunPlugin("+mkplaylst+")"))
874 if mode == MODE_PLAYLIST:
875 rmplaylst=sys.argv[0]+"?mode="+str(MODE_REMOVE_PLAYLIST)+"&name="+urllib.quote_plus(name)+"&id="+str(id)
876 menuItems.append((__language__(30077), "XBMC.RunPlugin("+rmplaylst+")"))
877 mvplaylst=sys.argv[0]+"?mode="+str(MODE_RENAME_PLAYLIST)+"&name="+urllib.quote_plus(name)+"&id="+str(id)
878 menuItems.append((__language__(30078), "XBMC.RunPlugin("+mvplaylst+")"))
879
880 dir.addContextMenuItems(menuItems, replaceItems=False)
881
882 return xbmcplugin.addDirectoryItem(handle=int(sys.argv[1]),url=u,listitem=dir,isFolder=True, totalItems=items)
883
884 def _getSavedSongs(self):
885 path = os.path.join(cacheDir, 'songs.dmp')
886 try:
887 f = open(path, 'rb')
888 songs = pickle.load(f)
889 f.close()
890 except:
891 songs = []
892 pass
893 return songs
894
895 def _setSavedSongs(self, songs):
896 try:
897 # Create the 'data' directory if it doesn't exist.
898 if not os.path.exists(cacheDir):
899 os.makedirs(cacheDir)
900 path = os.path.join(cacheDir, 'songs.dmp')
901 f = open(path, 'wb')
902 pickle.dump(songs, f, protocol=pickle.HIGHEST_PROTOCOL)
903 f.close()
904 except:
905 xbmc.log("An error occurred saving songs")
906 pass
907
908 def _getSongStream(self, songid):
909 id = int(songid)
910 duration = -1
911 streams = []
912 url = ''
913 path = os.path.join(cacheDir, 'streams.dmp')
914 try:
915 f = open(path, 'rb')
916 streams = pickle.load(f)
917 for song in streams:
918 if song[0] == id:
919 duration = song[1]
920 url = song[2]
921 break;
922 f.close()
923 except:
924 pass
925
926 if duration < 0 and groovesharkApi.getDoesSongExist(songid):
927 stream = groovesharkApi.getSubscriberStreamKey(songid)
928 url = stream['url']
929 usecs = stream['uSecs']
930 if usecs < 60000000:
931 usecs = usecs * 10 # Some durations are 10x to small
932 duration = usecs / 1000000
933 song = [id, duration, url]
934 streams.append(song)
935 self._setSongStream(streams)
936
937 return {'duration':duration, 'url':url}
938
939 def _setSongStream(self, streams):
940 try:
941 # Create the 'data' directory if it doesn't exist.
942 if not os.path.exists(cacheDir):
943 os.makedirs(cacheDir)
944 path = os.path.join(cacheDir, 'streams.dmp')
945 f = open(path, 'wb')
946 pickle.dump(streams, f, protocol=pickle.HIGHEST_PROTOCOL)
947 f.close()
948 except:
949 xbmc.log("An error occurred saving streams")
950 pass
951
952
953 # Parse URL parameters
954 def get_params():
955 param=[]
956 paramstring=sys.argv[2]
957 if grooveshark.getDebug():
958 xbmc.log(paramstring)
959 if len(paramstring)>=2:
960 params=sys.argv[2]
961 cleanedparams=params.replace('?','')
962 if (params[len(params)-1]=='/'):
963 params=params[0:len(params)-2]
964 pairsofparams=cleanedparams.split('&')
965 param={}
966 for i in range(len(pairsofparams)):
967 splitparams={}
968 splitparams=pairsofparams[i].split('=')
969 if (len(splitparams))==2:
970 param[splitparams[0]]=splitparams[1]
971 return param
972
973 # Main
974 grooveshark = Grooveshark();
975 grooveshark.setDebug()
976 groovesharkApi.setDebug(grooveshark.getDebug())
977
978 params=get_params()
979 mode=None
980 try: mode=int(params["mode"])
981 except: pass
982 id=0
983 try: id=int(params["id"])
984 except: pass
985 name = None
986 try: name=urllib.unquote_plus(params["name"])
987 except: pass
988
989 # Call function for URL
990 if mode==None:
991 grooveshark.categories()
992
993 elif mode==MODE_SEARCH_SONGS:
994 grooveshark.searchSongs()
995
996 elif mode==MODE_SEARCH_ALBUMS:
997 grooveshark.searchAlbums()
998
999 elif mode==MODE_SEARCH_ARTISTS:
1000 grooveshark.searchArtists()
1001
1002 elif mode==MODE_SEARCH_ARTISTS_ALBUMS:
1003 grooveshark.searchArtistsAlbums(name)
1004
1005 elif mode==MODE_SEARCH_PLAYLISTS:
1006 grooveshark.searchPlaylists()
1007
1008 elif mode==MODE_POPULAR_SONGS:
1009 grooveshark.popularSongs()
1010
1011 elif mode==MODE_ARTIST_POPULAR:
1012 grooveshark.artistPopularSongs()
1013
1014 elif mode==MODE_FAVORITES:
1015 grooveshark.favorites()
1016
1017 elif mode==MODE_PLAYLISTS:
1018 grooveshark.playlists()
1019
1020 elif mode==MODE_SONG_PAGE:
1021 try: offset=urllib.unquote_plus(params["offset"])
1022 except: pass
1023 try: label=urllib.unquote_plus(params["label"])
1024 except: pass
1025 grooveshark.songPage(offset, label, id, name)
1026
1027 elif mode==MODE_SONG:
1028 try: album=urllib.unquote_plus(params["album"])
1029 except: pass
1030 try: artist=urllib.unquote_plus(params["artist"])
1031 except: pass
1032 try: coverart=urllib.unquote_plus(params["coverart"])
1033 except: pass
1034 song = grooveshark.songItem(id, name, album, artist, coverart)
1035 grooveshark.playSong(song)
1036
1037 elif mode==MODE_ARTIST:
1038 grooveshark.artist(id)
1039
1040 elif mode==MODE_ALBUM:
1041 grooveshark.album(id)
1042
1043 elif mode==MODE_PLAYLIST:
1044 grooveshark.playlist(id, name)
1045
1046 elif mode==MODE_FAVORITE:
1047 grooveshark.favorite(id)
1048
1049 elif mode==MODE_UNFAVORITE:
1050 try: prevMode=int(urllib.unquote_plus(params["prevmode"]))
1051 except:
1052 prevMode = 0
1053 grooveshark.unfavorite(id, prevMode)
1054
1055 elif mode==MODE_SIMILAR_ARTISTS:
1056 grooveshark.similarArtists(id)
1057
1058 elif mode==MODE_MAKE_PLAYLIST:
1059 grooveshark.makePlaylist(id, name)
1060
1061 elif mode==MODE_REMOVE_PLAYLIST:
1062 grooveshark.removePlaylist(id, name)
1063
1064 elif mode==MODE_RENAME_PLAYLIST:
1065 grooveshark.renamePlaylist(id, name)
1066
1067 elif mode==MODE_REMOVE_PLAYLIST_SONG:
1068 try: playlistID=urllib.unquote_plus(params["playlistid"])
1069 except: pass
1070 grooveshark.removePlaylistSong(playlistID, name, id)
1071
1072 elif mode==MODE_ADD_PLAYLIST_SONG:
1073 grooveshark.addPlaylistSong(id)
1074
1075 if mode < MODE_SONG:
1076 xbmcplugin.endOfDirectory(int(sys.argv[1]))