191 lines
6.5 KiB
Python
Raw Normal View History

# -*- coding: utf-8 -*-
2019-04-10 17:36:02 -05:00
""" Audio player module for socializer.
As this player does not have (still) an associated GUI, I have decided to place here the code for the interactor, which connects a bunch of pubsub events, and the presenter itself.
"""
import sys
2017-03-13 02:16:34 -06:00
import random
import logging
2019-04-10 17:36:02 -05:00
import sound_lib
import output
import config
from sound_lib.config import BassConfig
from sound_lib.stream import URLStream
from sound_lib.main import BassError
from pubsub import pub
2019-04-10 17:36:02 -05:00
from mysc.repeating_timer import RepeatingTimer
from mysc.thread_utils import call_threaded
player = None
log = logging.getLogger("player")
2019-04-10 17:36:02 -05:00
# This function will be deprecated when the player works with pubsub events, as will no longer be needed to instantiate and import the player directly.
def setup():
global player
if player == None:
player = audioPlayer()
class audioPlayer(object):
2019-04-10 17:36:02 -05:00
""" A media player which will play all passed URLS."""
def __init__(self):
2019-04-10 17:36:02 -05:00
# control variable for checking if another file has been sent to the player before,
# thus avoiding double file playback and other oddities happening in sound_lib from time to time.
self.is_playing = False
2019-04-10 17:36:02 -05:00
# This will be the URLStream handler
self.stream = None
2019-01-22 17:49:18 -06:00
self.vol = config.app["sound"]["volume"]
2019-04-10 17:36:02 -05:00
# this variable is set to true when the URLPlayer is decoding something, thus it will block other calls to the play method.
self.is_working = False
2019-04-10 17:36:02 -05:00
# Playback queue.
self.queue = []
2019-04-10 17:36:02 -05:00
# Index of the currently playing track.
self.playing_track = 0
2019-04-10 17:36:02 -05:00
# Status of the player.
self.stopped = True
# Modify some default settings present in Bass so it will increase timeout connection, thus causing less "connection timed out" errors when playing.
bassconfig = BassConfig()
# Set timeout connection to 30 seconds.
bassconfig["net_timeout"] = 30000
pub.subscribe(self.play, "play")
pub.subscribe(self.play_all, "play-all")
pub.subscribe(self.pause, "pause")
pub.subscribe(self.stop, "stop")
pub.subscribe(self.play_next, "play-next")
pub.subscribe(self.play_previous, "play-previous")
2019-04-10 17:36:02 -05:00
def play(self, object, set_info=True, fresh=False):
""" Play an URl Stream.
@object dict: typically an audio object as returned by VK, with a "url" component which must be a valid URL to a media file.
@set_info bool: If true, will set information about the currently playing audio in the application status bar.
@fresh bool: If True, will remove everything playing in the queue and start this file only. otherwise it will play the new file but not remove the current queue."""
if "url" in object and object["url"] =="":
pub.sendMessage("notify", message=_("This file could not be played because it is not allowed in your country"))
return
if self.stream != None and self.stream.is_playing == True:
try:
self.stream.stop()
except BassError:
log.exception("error when stopping the file")
self.stream = None
self.stopped = True
if fresh == True and hasattr(self, "worker") and self.worker != None:
self.worker.cancel()
self.worker = None
self.queue = []
# Make sure that there are no other sounds trying to be played.
if self.is_working == False:
self.is_working = True
# Let's encode the URL as bytes if on Python 3
2019-04-10 17:36:02 -05:00
url_ = bytes(object["url"], "utf-8")
try:
self.stream = URLStream(url=url_)
except IndexError:
2019-04-10 17:36:02 -05:00
log.error("Unable to play URL %s" % (url_))
return
2016-06-29 10:56:41 -05:00
# Translators: {0} will be replaced with a song's title and {1} with the artist.
if set_info:
2019-04-10 17:36:02 -05:00
msg = _("Playing {0} by {1}").format(object["title"], object["artist"])
pub.sendMessage("update-status-bar", status=msg)
self.stream.volume = self.vol/100.0
self.stream.play()
self.stopped = False
self.is_working = False
def stop(self):
2019-04-10 17:36:02 -05:00
""" Stop audio playback. """
if self.stream != None and self.stream.is_playing == True:
self.stream.stop()
self.stopped = True
if hasattr(self, "worker") and self.worker != None:
self.worker.cancel()
self.worker = None
self.queue = []
def pause(self):
2019-04-10 17:36:02 -05:00
""" pause the current playback, without destroying the queue or the current stream. If the stream is already paused this function will resume the playback. """
if self.stream != None:
if self.stream.is_playing == True:
self.stream.pause()
self.stopped = True
else:
try:
self.stream.play()
self.stopped = False
except BassError:
pass
@property
def volume(self):
return self.vol
@volume.setter
def volume(self, vol):
if vol <= 100 and vol >= 0:
self.vol = vol
elif vol < 0:
self.vol = 0
elif vol > 100:
self.vol = 100
if self.stream != None:
self.stream.volume = self.vol/100.0
2019-04-10 17:36:02 -05:00
def play_all(self, list_of_songs, shuffle=False):
""" Play all passed songs and adds all of those to the queue.
@list_of_songs list: A list of audio objects returned by VK.
@shuffle bool: If True, the files will be played randomly."""
if self.is_working:
return
self.playing_track = 0
self.stop()
2018-12-16 00:53:02 -06:00
# Skip all country restricted tracks as they are not playable here.
2019-04-10 17:36:02 -05:00
self.queue = [i for i in list_of_songs if i["url"] != ""]
2017-03-13 02:16:34 -06:00
if shuffle:
random.shuffle(self.queue)
call_threaded(self.play, self.queue[self.playing_track])
self.worker = RepeatingTimer(5, self.player_function)
self.worker.start()
def player_function(self):
2019-04-10 17:36:02 -05:00
""" Check if the stream has reached the end of the file so it will play the next song. """
if self.stream != None and self.stream.is_playing == False and self.stopped == False and len(self.stream) == self.stream.position:
if len(self.queue) == 0 or self.playing_track >= len(self.queue):
self.worker.cancel()
return
if self.playing_track < len(self.queue):
self.playing_track += 1
self.play(self.queue[self.playing_track])
def play_next(self):
2019-04-10 17:36:02 -05:00
""" Play the next song in the queue. """
if len(self.queue) == 0:
return
if self.is_working:
return
2019-03-05 13:44:35 -06:00
if self.playing_track < len(self.queue)-1:
self.playing_track += 1
else:
self.playing_track = 0
call_threaded(self.play, self.queue[self.playing_track])
def play_previous(self):
2019-04-10 17:36:02 -05:00
""" Play the previous song in the queue. """
if len(self.queue) == 0:
return
if self.is_working:
return
if self.playing_track <= 0:
self.playing_track = len(self.queue)-1
else:
self.playing_track -= 1
call_threaded(self.play, self.queue[self.playing_track])
2016-07-18 17:34:37 -05:00
def check_is_playing(self):
2019-04-10 17:36:02 -05:00
""" check if the player is already playing a stream. """
2016-07-18 17:34:37 -05:00
if self.stream == None:
return False
if self.stream != None and self.stream.is_playing == False:
return False
else:
return True