playlistalo/playlistalo.py

558 lines
16 KiB
Python
Raw Normal View History

#!/usr/bin/env python3
#Playlistalo - simpatico script che legge le cartelle e genera la playlist
2020-04-27 17:37:54 +02:00
#Requirements: youtube_dl Mastodon.py python-telegram-bot validators python-musicpd
import youtube_dl
import shutil
import sys
import re
import os
import validators
from glob import glob
import json
import time
import subprocess
import random
2020-04-04 23:00:49 +02:00
import configparser
import hashlib
2020-04-17 18:54:28 +02:00
from musicpd import MPDClient
2020-04-05 14:05:45 +02:00
from telegram.ext import Updater, MessageHandler, Filters
from mastodon import Mastodon, StreamListener
scriptpath = os.path.dirname(os.path.realpath(__file__))
2020-04-04 23:00:49 +02:00
#Crea le cartelle
os.makedirs("playlist", exist_ok=True)
os.makedirs("fallback", exist_ok=True)
2020-04-04 23:00:49 +02:00
2020-04-18 17:52:34 +02:00
SHUFFLEUSERS = False
SHUFFLESONGS = False
SHUFFLEFALLBACK = False
ARCHIVE = True
TELEGRAM_TOKEN = ""
MASTODON_TOKEN = ""
MASTODON_URL = ""
2020-04-27 17:37:54 +02:00
ANNOUNCEREPEAT = 4
2020-04-18 17:52:34 +02:00
2020-04-04 23:00:49 +02:00
#Scrivi la prima configurazione
configfile = 'playlistalo.conf'
if not os.path.exists(configfile):
config = configparser.ConfigParser()
2020-04-18 17:52:34 +02:00
config['playlistalo'] = {'ShuffleUsers': SHUFFLEUSERS, 'ShuffleSongs': SHUFFLESONGS, 'ShuffleFallback': SHUFFLEFALLBACK, 'Archive': ARCHIVE, 'Telegram_token': TELEGRAM_TOKEN, 'Mastodon_token': MASTODON_TOKEN, 'Mastodon_url': MASTODON_URL}
2020-04-04 23:00:49 +02:00
with open(configfile, 'w') as f:
config.write(f)
#Leggi la configurazione
config = configparser.ConfigParser()
config.read(configfile)
playlistaloconf = config['playlistalo']
2020-04-18 17:52:34 +02:00
SHUFFLEUSERS = playlistaloconf.getboolean('ShuffleUsers', SHUFFLEUSERS)
SHUFFLESONGS = playlistaloconf.getboolean('ShuffleSongs', SHUFFLESONGS)
SHUFFLEFALLBACK = playlistaloconf.getboolean('ShuffleFallback', SHUFFLEFALLBACK)
ARCHIVE = playlistaloconf.getboolean('Archive', ARCHIVE)
TELEGRAM_TOKEN = playlistaloconf.get('Telegram_token', TELEGRAM_TOKEN)
MASTODON_TOKEN = playlistaloconf.get('Mastodon_token',MASTODON_TOKEN)
MASTODON_URL = playlistaloconf.get('Mastodon_url', MASTODON_URL)
2020-04-04 23:00:49 +02:00
def addurl(url, user = "-unknown-"):
2020-04-04 20:41:08 +02:00
#print ('--- Inizio ---')
2020-04-18 02:31:17 +02:00
os.makedirs("cache", exist_ok=True)
ydl_opts = {
'format': 'bestaudio[ext=m4a]',
2020-04-27 17:37:54 +02:00
'outtmpl': 'cache/%(id)s.m4a',
'no-cache-dir': True,
'noplaylist': True,
2020-04-04 20:41:08 +02:00
'quiet': True,
}
url = url.strip()
2020-04-04 20:41:08 +02:00
print ("url: " + url)
print ("user: " + user)
if not validators.url(url):
print ('--- URL malformato ---')
2020-04-04 16:29:35 +02:00
return ("Err: url non valido")
with youtube_dl.YoutubeDL(ydl_opts) as ydl:
try:
meta = ydl.extract_info(url, download = False)
except youtube_dl.DownloadError as detail:
print ('--- Errore video non disponibile ---')
print(str(detail))
2020-04-04 16:29:35 +02:00
return ("Err: " + str(detail))
id = meta.get('id').strip()
2020-04-04 16:29:35 +02:00
title = __normalizetext(meta.get('title'))
2020-04-04 20:41:08 +02:00
print ('id: %s' %(id))
print ('title: %s' %(title))
#scrivo il json
with open(os.path.join("cache", id + ".json"), 'w') as outfile:
json.dump(meta, outfile, indent=4)
#ho letto le info, ora controllo se il file esiste altrimenti lo scarico
#miglioria: controllare se upload_date e' uguale a quella del json gia' esistente
filetemp = os.path.join("cache", id + ".m4a")
if not glob(filetemp):
print ('--- Scarico ---')
ydl.download([url]) #non ho capito perche' ma senza [] fa un carattere per volta
2020-04-04 20:41:08 +02:00
if not os.path.isfile(filetemp):
return("Err: file non scaricato")
return(add(filetemp, user, title, id))
def md5(fname):
hash_md5 = hashlib.md5()
with open(fname, "rb") as f:
for chunk in iter(lambda: f.read(4096), b""):
hash_md5.update(chunk)
return hash_md5.hexdigest()
def add(filetemp, user = "-unknown-", title = None, id = None):
if not id:
id = md5(filetemp)
if not title:
title = os.path.splitext(os.path.basename(filetemp))[0]
#se il file esiste gia' in playlist salto (potrebbe esserci, anche rinominato)
2020-04-17 19:38:54 +02:00
if glob("playlist/**/*|" + id + ".*"):
print ('--- File già presente ---')
2020-04-04 16:29:35 +02:00
return ("Err: %s [%s] già presente" %(title, id))
os.makedirs("playlist/" + user, exist_ok=True)
2020-04-04 20:41:08 +02:00
#qui compone il nome del file
2020-04-05 14:05:45 +02:00
if SHUFFLESONGS:
fileout = str(random.randrange(10**6)).zfill(14) + "|" + title + "|" + id + ".m4a"
else:
fileout = time.strftime("%Y%m%d%H%M%S") + "|" + title + "|" + id + ".m4a"
fileout = os.path.join("playlist/" + user, fileout)
2020-04-04 20:41:08 +02:00
print ('--- Converto ---')
print (fileout)
2020-04-04 16:29:35 +02:00
subprocess.call([scriptpath + "/trimaudio.sh", filetemp, fileout])
if not os.path.isfile(fileout):
return("Err: file non convertito")
2020-04-18 02:31:17 +02:00
if ARCHIVE:
os.makedirs("archive", exist_ok=True)
if not glob("archive/*|" + id + ".*"):
shutil.copy2(fileout, "archive")
2020-04-04 16:29:35 +02:00
#cerca la posizione del pezzo appena inserito
pos = getposition(fileout)
2020-04-05 23:02:23 +02:00
print ('--- Fine ---')
print ("")
2020-04-05 14:05:45 +02:00
return ("OK: %s [%s] aggiunto alla playlist in posizione #%s" %(title, id, pos))
2020-04-04 16:29:35 +02:00
2020-04-04 16:29:35 +02:00
def __normalizetext(s):
if s is None:
return None
else:
s = re.sub(r'[\\|/|:|*|?|"|<|>|\|]',r'',s)
s = " ".join(s.split())
return s
2020-04-17 18:54:28 +02:00
def listplaylist():
pl = []
pl2 = []
2020-04-17 19:38:54 +02:00
for udir in sorted(glob("playlist/*/")):
#print (udir)
user = os.path.basename(os.path.dirname(udir))
#cerca il file last
last = ""
if os.path.exists(udir + "/last"):
f = open(udir + "/last", "r")
last = f.readline().rstrip()
else:
2020-04-27 17:37:54 +02:00
files = [x for x in sorted(glob(udir + "/*")) if not os.path.basename(x) == "last"]
if files:
last = os.path.basename(files[0]).split("|")[0]
#print ("LAST: " + last)
#leggi i file nella cartella
2020-04-21 18:00:01 +02:00
files = [x for x in sorted(glob(udir + "/*")) if not os.path.basename(x) == "last"]
seq = 0
for file in files:
bn = os.path.splitext(os.path.basename(file))[0]
#print ("BASENAME: " + bn)
seq = seq + 1
dat = bn.split("|")[0]
nam = bn.split("|")[1]
cod = bn.split("|")[2]
key = "-".join([str(seq).zfill(5), last, dat])
#print ("KEY: " + key)
2020-04-17 19:38:54 +02:00
plsong = [key, file, user, nam, cod]
pl.append(plsong)
pl.sort()
#rimuove la prima colonna, che serve solo per l'ordinamento
pl2 = [x[1:] for x in pl]
#print (pl)
#print ('\n'.join([", ".join(x) for x in pl]))
#print ('\n'.join([x[0] for x in pl]))
return pl2
def listfallback():
pl = []
pl2 = []
#leggi i file nella cartella
2020-04-21 18:00:01 +02:00
files = [x for x in sorted(glob("fallback/*")) if not os.path.basename(x) == "last"]
seq = 0
for file in files:
bn = os.path.splitext(os.path.basename(file))[0]
seq = seq + 1
dat = bn.split("|")[0]
nam = bn.split("|")[1]
cod = bn.split("|")[2]
key = "-".join([str(seq).zfill(5), dat])
2020-04-17 19:38:54 +02:00
plsong = [key, file, "fallback", nam, cod]
pl.append(plsong)
pl.sort()
#rimuove la prima colonna, che serve solo per l'ordinamento
pl2 = [x[1:] for x in pl]
return pl2
2020-04-21 18:00:01 +02:00
def playlocal():
if SHUFFLEUSERS:
shuffleusers()
if SHUFFLEFALLBACK:
shufflefallback()
while True:
plt = listtot(1)
if plt:
2020-04-18 02:31:17 +02:00
song = plt[0][0]
print(song)
#qui fa play
subprocess.call(["mplayer", "-nolirc", "-msglevel", "all=0:statusline=5", song])
consume(song)
def clean():
#cancella tutto dalla playlist
shutil.rmtree("playlist")
os.makedirs("playlist")
def shuffleusers():
#scrivere un numero casuale dentro a tutti i file last
for udir in sorted(glob("playlist/*/")):
#print (udir)
with open(udir + "/last", "w") as f:
f.write(str(random.randrange(10**6)).zfill(14))
def shufflefallback():
#rinominare con un numero casuale i file in fallback
2020-04-18 03:05:11 +02:00
files = [x for x in glob("fallback/*") if not os.path.basename(x) == "last"]
for file in files:
fname = str(random.randrange(10**6)).zfill(14) + "|" + "|".join(os.path.basename(file).split("|")[1:])
fname = os.path.dirname(file) + "/" + fname
os.rename(file, fname)
2020-04-04 16:29:35 +02:00
def getposition(file):
2020-04-17 18:54:28 +02:00
pl = listplaylist()
2020-04-04 16:29:35 +02:00
try:
return([x[0] for x in pl].index(file) + 1)
except:
pass
2020-04-04 21:49:50 +02:00
2020-04-05 23:02:23 +02:00
def telegram_msg_parser(bot, update):
2020-04-04 21:49:50 +02:00
print("Messaggio ricevuto")
2020-04-05 14:05:45 +02:00
msg = update.message.text
id = str(update.message.from_user.id)
username = update.message.from_user.username
urls = re.findall('http[s]?://(?:[a-zA-Z]|[0-9]|[$-_@.&+]|[!*\(\),]|(?:%[0-9a-fA-F][0-9a-fA-F]))+', msg)
user = "t_" + "-".join([i for i in [id, username] if i])
#print (urls)
2020-04-04 21:49:50 +02:00
#print (user)
2020-04-05 14:05:45 +02:00
if not urls:
update.message.reply_text("Non ho trovato indirizzi validi...")
return()
2020-04-04 21:49:50 +02:00
update.message.reply_text("Messaggio ricevuto. Elaboro...")
2020-04-05 14:05:45 +02:00
for url in urls:
2020-04-04 21:49:50 +02:00
#update.message.reply_text("Scarico %s" %(url))
# start the download
dl = addurl(url, user)
2020-04-04 21:49:50 +02:00
update.message.reply_text(dl)
2020-04-05 14:05:45 +02:00
2020-04-04 21:49:50 +02:00
def telegram_bot():
print ("Bot avviato")
# Create the EventHandler and pass it your bot's token.
2020-04-04 23:00:49 +02:00
updater = Updater(TELEGRAM_TOKEN)
2020-04-04 21:49:50 +02:00
# Get the dispatcher to register handlers
dp = updater.dispatcher
# parse message
2020-04-05 23:02:23 +02:00
dp.add_handler(MessageHandler(Filters.text, telegram_msg_parser))
2020-04-04 21:49:50 +02:00
# Start the Bot
updater.start_polling()
# Run the bot until you press Ctrl-C
updater.idle()
2020-04-05 23:02:23 +02:00
class MastodonListener(StreamListener):
# andiamo a definire il metodo __init__, che prende una istanza di Mastodon come parametro opzionale e lo setta nella prop. self.mastodon
def __init__(self, mastodonInstance=None):
self.mastodon = mastodonInstance
2020-04-05 14:05:45 +02:00
def on_notification(self, notification):
print("Messaggio ricevuto")
#try:
msg = notification["status"]["content"]
id = str(notification["account"]["id"])
username = notification["account"]["acct"]
#except KeyError:
# return
2020-04-05 23:02:23 +02:00
msg = msg.replace("<br>", "\n")
msg = re.compile(r'<.*?>').sub('', msg)
2020-04-05 14:05:45 +02:00
urls = re.findall('http[s]?://(?:[a-zA-Z]|[0-9]|[$-_@.&+]|[!*\(\),]|(?:%[0-9a-fA-F][0-9a-fA-F]))+', msg)
user = "m_" + "-".join([i for i in [id, username] if i])
2020-04-05 23:02:23 +02:00
#print (urls)
#print (user)
#visibility = notification['status']['visibility']
statusid = notification['status']['id']
2020-04-05 14:05:45 +02:00
if not urls:
2020-04-05 23:02:23 +02:00
self.mastodon.status_post("@" + username + " " + "Non ho trovato indirizzi validi...", in_reply_to_id = statusid, visibility="direct")
2020-04-05 14:05:45 +02:00
return()
2020-04-05 23:02:23 +02:00
self.mastodon.status_post("@" + username + " " + "Messaggio ricevuto. Elaboro...", in_reply_to_id = statusid, visibility="direct")
2020-04-05 14:05:45 +02:00
for url in urls:
# start the download
dl = addurl(url, user)
2020-04-05 23:02:23 +02:00
self.mastodon.status_post("@" + username + " " + dl, in_reply_to_id = statusid, visibility="direct")
2020-04-05 14:05:45 +02:00
def mastodon_bot():
print ("Bot avviato")
2020-04-05 23:02:23 +02:00
mastodon = Mastodon(access_token = MASTODON_TOKEN, api_base_url = MASTODON_URL)
listener = MastodonListener(mastodon)
2020-04-05 14:05:45 +02:00
mastodon.stream_user(listener)
def listtot(res = sys.maxsize):
plt = listplaylist()
if len(plt) < res:
2020-04-27 17:37:54 +02:00
announcepos = getlastannounce()
for x in listfallback():
if announcepos == 0:
if os.path.exists("announce/repeat.mp3"):
plt.append(["announce/repeat.mp3"])
announcepos = (announcepos + 1) % ANNOUNCEREPEAT
plt.append(x)
return plt[:res]
2020-04-27 17:37:54 +02:00
def getlastannounce():
announcepos = ANNOUNCEREPEAT
try:
with open("announce/last","r") as f:
announcepos=int(f.readline().rstrip())
except:
pass
return announcepos
def setlastannounce(announcepos):
with open("announce/last","w") as f:
f.write(announcepos = (announcepos + 1) % ANNOUNCEREPEAT)
def consume(song):
2020-04-21 18:00:01 +02:00
if os.path.exists(song):
if song.split("/")[0] == "playlist":
os.remove(song)
if not [x for x in glob(os.path.dirname(song) + "/*") if not os.path.basename(x) == "last"]:
shutil.rmtree(os.path.dirname(song))
else:
with open(os.path.dirname(song) + "/last", "w") as f:
f.write(time.strftime("%Y%m%d%H%M%S"))
2020-04-27 17:37:54 +02:00
#resetta il contatore announcelast
setlastannounce(0)
2020-04-21 18:00:01 +02:00
elif song.split("/")[0] == "fallback":
fname = time.strftime("%Y%m%d%H%M%S") + "|" + "|".join(os.path.basename(song).split("|")[1:])
fname = os.path.dirname(song) + "/" + fname
os.rename(song, fname)
2020-04-27 17:37:54 +02:00
elif song.split("/")[0] == "announce":
announcepos = getlastannounce()
setlastannounce(announcepos = (announcepos + 1) % ANNOUNCEREPEAT)
2020-04-04 21:49:50 +02:00
2020-04-18 17:52:34 +02:00
def addstartannounce():
#aggiunge l'annuncio iniziale
if os.path.exists("announce/start.mp3"):
fileout = "playlist/announce/00000000000000|start|start.mp3"
copyfile("announce/start.mp3", fileout)
def copyfile(source, dest):
if not os.path.exists(dest):
os.makedirs(os.path.dirname(dest), exist_ok=True)
shutil.copy2(source, dest)
2020-04-17 18:54:28 +02:00
2020-04-21 18:00:01 +02:00
def plaympd():
client = MPDClient()
client.timeout = 10 # network timeout in seconds (floats allowed), default: None
client.idletimeout = None # timeout for fetching the result of the idle command is handled seperately, default: None
client.connect("localhost", 6600) # connect to localhost:6600
#print(client.mpd_version)
looptime = 10
synctime = 5
listlen = 5
if SHUFFLEUSERS:
shuffleusers()
if SHUFFLEFALLBACK:
shufflefallback()
#stoppa e svuota
client.stop()
client.clear()
#cancella la cartella mpd
if os.path.exists("mpd"):
shutil.rmtree("mpd")
#aggiunge l'annuncio iniziale
addstartannounce()
2020-04-27 17:37:54 +02:00
#resetta il lastannounce
setlastannounce(ANNOUNCEREPEAT)
2020-04-21 18:00:01 +02:00
#riempe la playlist
plt = listtot(listlen)
for f in plt:
print(f[0])
copyfile(f[0], "mpd/" + f[0])
client.rescan()
time.sleep(0.5)
for f in plt:
client.add(f[0])
#consuma il primo e fa play
consume(plt[0][0])
client.play()
while True:
# print("Current")
# print(client.currentsong())
# print()
# print("Status")
# print(client.status())
# print()
# print("playlist")
# print(client.playlistinfo())
# print()
#controlla se il pezzo e' il primo e consuma le precedenti
status = client.status()
2020-04-27 17:37:54 +02:00
2020-04-21 18:00:01 +02:00
if int(status['song']) > 0:
#consuma la canzone attuale
song = client.playlistinfo()[int(status['song'])]['file']
consume(song)
mpdclean(client)
if len(client.playlistinfo()) < listlen:
mpdsync(client, listlen)
2020-04-27 17:37:54 +02:00
status = client.status()
2020-04-21 18:00:01 +02:00
#controlla se mancano meno di 15 secondi
2020-04-27 17:37:54 +02:00
#timeleft = float(status['duration']) - float(status['elapsed']) #new mpd
timeleft = float(client.currentsong()['time']) - float(status['elapsed']) #old mpd
2020-04-21 18:00:01 +02:00
if timeleft <= looptime + synctime:
time.sleep(max(timeleft - synctime, 0))
print ("Mancano %d secondi" % (synctime))
mpdsync(client, listlen)
time.sleep(looptime)
def mpdclean(client):
#cancella le precedenti
for x in range(int(client.status()['song'])):
song = client.playlistinfo()[x]['file']
consume(song)
client.delete(0)
#e pulisce anche in mpd
if os.path.exists("mpd/" + song):
os.remove("mpd/" + song)
#se non ci sono + file cancella la cartella
if not glob(os.path.dirname("mpd/" + song) + "/*"):
shutil.rmtree(os.path.dirname("mpd/" + song))
def mpdsync(client, listlen):
print("Rigenero la playlist")
mpdclean(client)
2020-04-27 17:37:54 +02:00
2020-04-21 18:00:01 +02:00
plt = listtot(listlen)
2020-04-27 17:37:54 +02:00
#copia i file
2020-04-21 18:00:01 +02:00
for f in plt:
print(f[0])
copyfile(f[0], "mpd/" + f[0])
client.rescan()
2020-04-27 17:37:54 +02:00
#cancella tutto tranne la prima
for x in client.playlistinfo()[1:]:
client.delete(1)
2020-04-21 18:00:01 +02:00
time.sleep(0.5)
2020-04-27 17:37:54 +02:00
#e rifa la playlist
2020-04-21 18:00:01 +02:00
for f in plt:
client.add(f[0])
if __name__ == '__main__':
print ("This is a package, use other commands to run it")
2020-04-21 18:00:01 +02:00