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
|
# Playlist for Jukebox activity
# Copyright (C) 2007 Andy Wingo <wingo@pobox.com>
# Copyright (C) 2007 Red Hat, Inc.
# Copyright (C) 2008-2010 Kushal Das <kushal@fedoraproject.org>
# Copyright (C) 2013 Manuel Kaufmann <humitos@gmail.com>
#
# This program is free software; you can redistribute it and/or
# modify it under the terms of the GNU Lesser General Public
# License as published by the Free Software Foundation; either
# version 2.1 of the License, or (at your option) any later version.
#
# This library is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
# Lesser General Public License for more details.
#
# You should have received a copy of the GNU Lesser General Public
# License along with this library; if not, write to the Free Software
# Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307
# USA
import os
import logging
import tempfile
from gettext import gettext as _
from gi.repository import GObject
from gi.repository import Gio
from gi.repository import Gtk
from gi.repository import Pango
from sugar3.datastore import datastore
from sugar3.activity import activity
from sugar3.graphics.icon import CellRendererIcon
COLUMNS_NAME = ('index', 'title', 'available')
COLUMNS = dict((name, i) for i, name in enumerate(COLUMNS_NAME))
class PlayList(Gtk.ScrolledWindow):
__gsignals__ = {
'play-index': (GObject.SignalFlags.RUN_FIRST, None, [int, str]),
'missing-tracks': (GObject.SignalFlags.RUN_FIRST, None, [object]), }
def __init__(self):
self._current_playing = 0
self._items = []
Gtk.ScrolledWindow.__init__(self, hadjustment=None,
vadjustment=None)
self.set_policy(Gtk.PolicyType.NEVER, Gtk.PolicyType.AUTOMATIC)
self.listview = Gtk.TreeView()
self.treemodel = Gtk.ListStore(int, object, bool)
self.listview.set_model(self.treemodel)
self.selection = self.listview.get_selection()
self.selection.set_mode(Gtk.SelectionMode.SINGLE)
renderer_icon = CellRendererIcon()
renderer_icon.props.icon_name = 'emblem-notification'
renderer_icon.props.width = 20
renderer_icon.props.height = 20
renderer_icon.props.size = 20
treecol_icon = Gtk.TreeViewColumn()
treecol_icon.pack_start(renderer_icon, False)
treecol_icon.set_cell_data_func(renderer_icon, self._set_icon)
self.listview.append_column(treecol_icon)
renderer_idx = Gtk.CellRendererText()
treecol_idx = Gtk.TreeViewColumn(_('No.'))
treecol_idx.pack_start(renderer_idx, True)
treecol_idx.set_cell_data_func(renderer_idx, self._set_number)
self.listview.append_column(treecol_idx)
renderer_title = Gtk.CellRendererText()
renderer_title.set_property('ellipsize', Pango.EllipsizeMode.END)
treecol_title = Gtk.TreeViewColumn(_('Track'))
treecol_title.pack_start(renderer_title, True)
treecol_title.set_cell_data_func(renderer_title, self._set_title)
self.listview.append_column(treecol_title)
# we don't support search in the playlist for the moment:
self.listview.set_enable_search(False)
self.listview.connect('row-activated', self.__on_row_activated)
self.listview.connect('cursor-changed', self.__on_cursor_changed)
self.add(self.listview)
def __len__(self):
return len(self._items)
def move_up(self):
selected_iter = self.selection.get_selected()[1]
position = self.treemodel.get_iter(
int(str(self.treemodel.get_path(selected_iter))) - 1)
self.treemodel.move_before(selected_iter, position)
i = self._current_playing
self._items[i - 1], self._items[i] = \
self._items[i], self._items[i - 1]
index = 0
for tree_item, playlist_item in zip(self.treemodel, self._items):
tree_item[0] = index
index = index + 1
self._current_playing -= 1
def move_down(self):
selected_iter = self.selection.get_selected()[1]
position = self.treemodel.get_iter(
int(str(self.treemodel.get_path(selected_iter))) + 1)
self.treemodel.move_after(selected_iter, position)
i = self._current_playing
self._items[i + 1], self._items[i] = \
self._items[i], self._items[i + 1]
index = 0
for tree_item, playlist_item in zip(self.treemodel, self._items):
tree_item[0] = index
index = index + 1
self._current_playing += 1
def __on_cursor_changed(self, treeview):
sel_model, sel_rows = self.listview.get_selection().get_selected_rows()
for row in sel_rows:
index = sel_model.get_value(sel_model.get_iter(row), 0)
if index != self._current_playing:
path = self._items[index]['path']
available = self._items[index]['available']
if available:
self.set_current_playing(index)
self.emit('play-index', index, path)
def __on_row_activated(self, treeview, path, col):
model = treeview.get_model()
treeiter = model.get_iter(path)
index = model.get_value(treeiter, COLUMNS['index'])
# TODO: put the path inside the ListStore
path = self._items[index]['path']
available = self._items[index]['available']
if available:
self.set_current_playing(index)
self.emit('play-index', index, path)
def set_current_playing(self, index):
self._current_playing = index
self._set_cursor(index)
def get_current_playing(self):
return self._current_playing
def _set_number(self, column, cell, model, it, data):
idx = model.get_value(it, COLUMNS['index'])
cell.set_property('text', str(idx + 1))
def _set_title(self, column, cell, model, it, data):
title = model.get_value(it, COLUMNS['title'])
available = model.get_value(it, COLUMNS['available'])
cell.set_property('text', title)
sensitive = True
if not available:
sensitive = False
cell.set_property('sensitive', sensitive)
def _set_icon(self, column, cell, model, it, data):
available = model.get_value(it, COLUMNS['available'])
cell.set_property('visible', not available)
def _set_cursor(self, index):
self.listview.set_cursor((index,))
def delete_selected_items(self):
sel_model, sel_rows = self.listview.get_selection().get_selected_rows()
for row in sel_rows:
index = sel_model.get_value(sel_model.get_iter(row), 0)
self._items.pop(index)
self.treemodel.remove(self.treemodel.get_iter(row))
# uptade the order numbers in the playlist
index = 0
for tree_item, playlist_item in zip(self.treemodel, self._items):
tree_item[0] = index
index = index + 1
def check_available_media(self, path):
if self.is_from_journal(path):
path = self.get_path_from_journal(path)
if os.path.exists(path):
return True
else:
return False
def _get_missing_tracks(self):
missing_tracks = []
for track in self._items:
if not track['available']:
missing_tracks.append(track)
return missing_tracks
def _load_m3u_playlist(self, file_path):
for uri in self._read_m3u_playlist(file_path):
self._add_track(uri['path'], uri['title'])
def _load_stream(self, file_path, title=None):
# TODO: read id3 here
if os.path.islink(file_path):
file_path = os.path.realpath(file_path)
self._add_track(file_path, title)
def load_file(self, jobject, title=None):
if isinstance(jobject, datastore.RawObject):
logging.debug('Loading a datastore.RawObject')
file_path = mime_path = jobject.file_path
title = jobject.metadata['title']
elif isinstance(jobject, datastore.DSObject):
# This file is stored in the Journal (datastore)
logging.debug('Loading a datastore.DSObject')
file_path = 'journal://' + jobject.object_id
mime_path = datastore.get(jobject.object_id).file_path
title = jobject.metadata['title']
else:
logging.debug('Loading a %s', type(jobject))
file_path = mime_path = jobject
info = Gio.File.new_for_path(mime_path).query_info(
Gio.FILE_ATTRIBUTE_STANDARD_SIZE + ',' +
Gio.FILE_ATTRIBUTE_STANDARD_CONTENT_TYPE, 0, None)
size = info.get_size()
mime = info.get_content_type()
if size != 0:
logging.debug('read_file mime %s', mime)
if mime == 'audio/x-mpegurl':
# is a M3U playlist:
self._load_m3u_playlist(file_path)
else:
# is not a M3U playlist
self._load_stream(file_path, title)
else:
logging.debug('read_file is empty')
self._load_m3u_playlist(file_path)
missing_tracks = self._get_missing_tracks()
if len(missing_tracks) > 0:
logging.info('%s tracks not found', len(missing_tracks))
self.emit('missing-tracks', missing_tracks)
# set the focus in the first row
self._set_cursor(0)
def update(self):
for tree_item, playlist_item in zip(self.treemodel, self._items):
tree_item[2] = playlist_item['available'] = \
self.check_available_media(playlist_item['path'])
def _add_track(self, file_path, title):
available = self.check_available_media(file_path)
item = {'path': file_path,
'title': title,
'available': available}
self._items.append(item)
index = len(self._items) - 1
self.treemodel.append((index, item['title'], available))
def _read_m3u_playlist(self, file_path):
urls = []
title = ''
if self.is_from_journal(file_path):
file_path = self.get_path_from_journal(file_path)
for line in open(file_path).readlines():
line = line.strip()
if line != '':
if line.startswith('#EXTINF:'):
# line with data
# EXTINF:title
title = line[len('#EXTINF:'):]
else:
uri = {}
uri['path'] = line.strip()
uri['title'] = title
urls.append(uri)
title = ''
return urls
def create_playlist_jobject(self):
"""Create an object in the Journal to store the playlist.
This is needed if the activity was not started from a playlist
or from scratch.
"""
jobject = datastore.create()
jobject.metadata['mime_type'] = "audio/x-mpegurl"
jobject.metadata['title'] = _('Jukebox playlist')
temp_path = os.path.join(activity.get_activity_root(),
'instance')
if not os.path.exists(temp_path):
os.makedirs(temp_path)
jobject.file_path = tempfile.mkstemp(dir=temp_path)[1]
return jobject
def is_from_journal(self, path):
if path.startswith('journal://'):
return True
else:
return False
def get_path_from_journal(self, path):
object_id = path[len('journal://'):]
return datastore.get(object_id).file_path
|