Added support for other providers
This commit is contained in:
parent
cb85884d09
commit
83f1b22f1c
4 changed files with 217 additions and 72 deletions
145
addotherproviders.py
Normal file
145
addotherproviders.py
Normal file
|
@ -0,0 +1,145 @@
|
||||||
|
import os
|
||||||
|
import sqlite3
|
||||||
|
import tinytag
|
||||||
|
import yt_dlp
|
||||||
|
from urllib.parse import urlparse
|
||||||
|
|
||||||
|
def initialize_database():
|
||||||
|
conn = sqlite3.connect('music.db')
|
||||||
|
c = conn.cursor()
|
||||||
|
c.execute('''CREATE TABLE IF NOT EXISTS music
|
||||||
|
(listmusicname TEXT, listvideoid TEXT, listprovider TEXT,
|
||||||
|
filelocation TEXT, fileartistname TEXT, filealbumname TEXT,
|
||||||
|
filemusictitle TEXT, fileduration REAL)''')
|
||||||
|
conn.commit()
|
||||||
|
conn.close()
|
||||||
|
|
||||||
|
def get_download_path():
|
||||||
|
locations = [
|
||||||
|
'/mnt/sdcard/Music',
|
||||||
|
'/storage/emulated/0/Music',
|
||||||
|
'/sdcard/Music',
|
||||||
|
os.path.join(os.environ.get('HOME', ''), 'Music'),
|
||||||
|
os.path.join(os.getcwd(), 'music')
|
||||||
|
]
|
||||||
|
for loc in locations:
|
||||||
|
if os.path.exists(loc):
|
||||||
|
return loc
|
||||||
|
default = os.path.join(os.environ['HOME'], 'Music') if 'HOME' in os.environ else os.path.join(os.getcwd(), 'music')
|
||||||
|
os.makedirs(default, exist_ok=True)
|
||||||
|
return default
|
||||||
|
|
||||||
|
def clean_url(url):
|
||||||
|
parsed = urlparse(url)
|
||||||
|
return parsed.netloc + parsed.path
|
||||||
|
|
||||||
|
def collect_entries():
|
||||||
|
entries = []
|
||||||
|
print("\nAdd new music (enter 'q' to quit)")
|
||||||
|
while True:
|
||||||
|
name = input("\nDisplay name: ").strip()
|
||||||
|
if name.lower() == 'q':
|
||||||
|
break
|
||||||
|
url = input("URL: ").strip()
|
||||||
|
fmt = input("Download format (e.g., bestaudio): ").strip()
|
||||||
|
|
||||||
|
if not all([name, url, fmt]):
|
||||||
|
print("Invalid input! All fields required.")
|
||||||
|
continue
|
||||||
|
|
||||||
|
entries.append(f"{name} --- {url} --- {fmt}")
|
||||||
|
|
||||||
|
if entries:
|
||||||
|
with open('other-providers.txt', 'a') as f:
|
||||||
|
f.write('\n'.join(entries) + '\n')
|
||||||
|
print("\nEntries saved to file!")
|
||||||
|
|
||||||
|
def process_downloads():
|
||||||
|
download_path = get_download_path()
|
||||||
|
conn = sqlite3.connect('music.db')
|
||||||
|
c = conn.cursor()
|
||||||
|
|
||||||
|
if not os.path.exists('other-providers.txt'):
|
||||||
|
print("No input file found!")
|
||||||
|
return
|
||||||
|
|
||||||
|
with open('other-providers.txt', 'r') as f:
|
||||||
|
lines = [line.strip() for line in f if line.strip() and not line.startswith('#')]
|
||||||
|
|
||||||
|
success_count = 0
|
||||||
|
errors = []
|
||||||
|
|
||||||
|
for idx, line in enumerate(lines, 1):
|
||||||
|
try:
|
||||||
|
parts = line.split(' --- ')
|
||||||
|
if len(parts) != 3:
|
||||||
|
raise ValueError("Invalid line format")
|
||||||
|
|
||||||
|
display_name, url, fmt = parts
|
||||||
|
print(f"\nProcessing ({idx}/{len(lines)}): {display_name}")
|
||||||
|
|
||||||
|
# Configure yt-dlp
|
||||||
|
ydl_opts = {
|
||||||
|
'format': fmt,
|
||||||
|
'outtmpl': '%(title)s.%(ext)s',
|
||||||
|
'writethumbnail': True,
|
||||||
|
'postprocessors': [
|
||||||
|
{'key': 'EmbedThumbnail'},
|
||||||
|
{'key': 'FFmpegMetadata'}
|
||||||
|
],
|
||||||
|
'quiet': True,
|
||||||
|
'nooverwrites': True,
|
||||||
|
'restrictfilenames': True
|
||||||
|
}
|
||||||
|
|
||||||
|
# Download and get filename
|
||||||
|
with yt_dlp.YoutubeDL(ydl_opts) as ydl:
|
||||||
|
info = ydl.extract_info(url)
|
||||||
|
filename = ydl.prepare_filename(info)
|
||||||
|
final_path = os.path.join(download_path, os.path.basename(filename))
|
||||||
|
|
||||||
|
if os.path.exists(final_path):
|
||||||
|
print("File exists, skipping...")
|
||||||
|
continue
|
||||||
|
|
||||||
|
# Download and move file
|
||||||
|
ydl.download([url])
|
||||||
|
os.system(f'mv "{filename}" "{final_path}"')
|
||||||
|
|
||||||
|
# Extract metadata
|
||||||
|
tag = tinytag.TinyTag.get(final_path)
|
||||||
|
metadata = {
|
||||||
|
'artist': tag.artist or 'Unknown',
|
||||||
|
'album': tag.album or 'Unknown',
|
||||||
|
'title': tag.title or display_name,
|
||||||
|
'duration': tag.duration or 0
|
||||||
|
}
|
||||||
|
|
||||||
|
# Prepare database entry
|
||||||
|
cleaned_url = clean_url(url)
|
||||||
|
c.execute('''INSERT INTO music VALUES
|
||||||
|
(?,?,?,?,?,?,?,?)''',
|
||||||
|
(display_name, cleaned_url, 'other', final_path,
|
||||||
|
metadata['artist'], metadata['album'],
|
||||||
|
metadata['title'], metadata['duration']))
|
||||||
|
conn.commit()
|
||||||
|
success_count += 1
|
||||||
|
|
||||||
|
except Exception as e:
|
||||||
|
errors.append((line, str(e)))
|
||||||
|
print(f"Error: {str(e)}")
|
||||||
|
continue
|
||||||
|
|
||||||
|
conn.close()
|
||||||
|
|
||||||
|
# Print summary
|
||||||
|
print(f"\nProcessing complete!\nSuccess: {success_count}\nErrors: {len(errors)}")
|
||||||
|
if errors:
|
||||||
|
print("\nError details:")
|
||||||
|
for error in errors:
|
||||||
|
print(f"- {error[0]}: {error[1]}")
|
||||||
|
|
||||||
|
if __name__ == "__main__":
|
||||||
|
initialize_database()
|
||||||
|
collect_entries()
|
||||||
|
process_downloads()
|
BIN
old-music.db
BIN
old-music.db
Binary file not shown.
1
other-providers.txt
Normal file
1
other-providers.txt
Normal file
|
@ -0,0 +1 @@
|
||||||
|
C418 - stranger_think --- https://c418.bandcamp.com/track/stranger-think --- flac
|
143
websitemodule.py
143
websitemodule.py
|
@ -2,13 +2,12 @@ import os
|
||||||
import random
|
import random
|
||||||
import requests
|
import requests
|
||||||
|
|
||||||
# Main code written by Halhadus, optimized and stylized by DeepSeek-R1
|
def randomize(base_url):
|
||||||
|
# Fetch both lists
|
||||||
def randomize(listurl): # Data fetching and cleaning
|
yt_list = requests.get(f"{base_url}musiclist.txt").text.split("\n")
|
||||||
musiclist = requests.get(listurl).text.split("\n")
|
other_list = requests.get(f"{base_url}other-providers.txt").text.split("\n")
|
||||||
musiclist = [m.strip() for m in musiclist if m.strip() != ""]
|
|
||||||
|
# HTML template
|
||||||
# HTML base template
|
|
||||||
html = """<!DOCTYPE html>
|
html = """<!DOCTYPE html>
|
||||||
<html lang="en">
|
<html lang="en">
|
||||||
<head>
|
<head>
|
||||||
|
@ -16,12 +15,7 @@ def randomize(listurl): # Data fetching and
|
||||||
<link href="https://fonts.googleapis.com/css2?family=JetBrains+Mono:wght@400;700&display=swap" rel="stylesheet">
|
<link href="https://fonts.googleapis.com/css2?family=JetBrains+Mono:wght@400;700&display=swap" rel="stylesheet">
|
||||||
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
||||||
<title>Halhadus' Music List</title>
|
<title>Halhadus' Music List</title>
|
||||||
<link rel="icon" type="image/png" href="assets/favicon.png">
|
<link rel="icon" type="image/png" href="assets/favicon.png"> <meta name="description" content="Halhadus' Music List"> <meta property="og:title" content="Halhadus' Music List"> <meta property="og:description" content="Halhadus' Music List"> <meta property="og:image" content="assets/favicon.png"> <meta property="og:url" content="https://halhadus.rocks/musiclist.html">
|
||||||
<meta name="description" content="Halhadus' Music List">
|
|
||||||
<meta property="og:title" content="Halhadus' Music List">
|
|
||||||
<meta property="og:description" content="Halhadus' Music List">
|
|
||||||
<meta property="og:image" content="assets/favicon.png">
|
|
||||||
<meta property="og:url" content="https://halhadus.rocks/musiclist.html">
|
|
||||||
<style>
|
<style>
|
||||||
.music-card {
|
.music-card {
|
||||||
background: #2a2a2a;
|
background: #2a2a2a;
|
||||||
|
@ -31,9 +25,6 @@ def randomize(listurl): # Data fetching and
|
||||||
transition: transform 0.2s;
|
transition: transform 0.2s;
|
||||||
border: 1px solid #333333;
|
border: 1px solid #333333;
|
||||||
}
|
}
|
||||||
.music-card:hover {
|
|
||||||
transform: translateY(-2px);
|
|
||||||
}
|
|
||||||
.play-button {
|
.play-button {
|
||||||
background: #333333;
|
background: #333333;
|
||||||
border: 1px solid #444444;
|
border: 1px solid #444444;
|
||||||
|
@ -45,15 +36,6 @@ def randomize(listurl): # Data fetching and
|
||||||
font-family: 'JetBrains Mono', monospace;
|
font-family: 'JetBrains Mono', monospace;
|
||||||
font-size: 0.9em;
|
font-size: 0.9em;
|
||||||
}
|
}
|
||||||
.play-button:hover {
|
|
||||||
background: #3a3a3a;
|
|
||||||
}
|
|
||||||
.thumbnail {
|
|
||||||
border-radius: 5px;
|
|
||||||
margin-top: 12px;
|
|
||||||
max-width: 280px;
|
|
||||||
border: 1px solid #333333;
|
|
||||||
}
|
|
||||||
.source-banner {
|
.source-banner {
|
||||||
background: #2a2a2a;
|
background: #2a2a2a;
|
||||||
padding: 12px;
|
padding: 12px;
|
||||||
|
@ -68,8 +50,13 @@ def randomize(listurl): # Data fetching and
|
||||||
<div style="max-width: 800px; margin: 0 auto; padding: 20px;">
|
<div style="max-width: 800px; margin: 0 auto; padding: 20px;">
|
||||||
<h1>Music List</h1>
|
<h1>Music List</h1>
|
||||||
|
|
||||||
<!-- Source Banner --> <div class="source-banner"> <a href="https://git.halhadus.rocks/Halhadus/my-music-list" style="color: #ffffff; text-decoration: none;"> [ 📜 Source Code & History ]
|
<!-- Source Banner -->
|
||||||
</a> </div>
|
<div class="source-banner">
|
||||||
|
<a href="https://git.halhadus.rocks/Halhadus/my-music-list"
|
||||||
|
style="color: #ffffff; text-decoration: none;">
|
||||||
|
[ 📜 Source Code & History ]
|
||||||
|
</a>
|
||||||
|
</div>
|
||||||
|
|
||||||
<!-- Control Buttons -->
|
<!-- Control Buttons -->
|
||||||
<div style="margin-bottom: 30px; display: flex; gap: 10px;">
|
<div style="margin-bottom: 30px; display: flex; gap: 10px;">
|
||||||
|
@ -82,63 +69,75 @@ def randomize(listurl): # Data fetching and
|
||||||
</button>
|
</button>
|
||||||
</div>"""
|
</div>"""
|
||||||
|
|
||||||
random.shuffle(musiclist)
|
total_count = 0
|
||||||
musiccount = 0
|
sections = [
|
||||||
|
("YouTube Music", yt_list, True),
|
||||||
|
("Other Providers", other_list, False)
|
||||||
|
]
|
||||||
|
|
||||||
# Music cards creation
|
# Process both sections
|
||||||
for music in musiclist:
|
for section_name, musiclist, show_thumb in sections:
|
||||||
try:
|
html += f"\n<h2 style='margin-top: 40px;'>{section_name}</h2>"
|
||||||
parts = music.split(" --- ")
|
section_count = 0
|
||||||
if len(parts) != 3:
|
random.shuffle(musiclist)
|
||||||
continue
|
|
||||||
|
|
||||||
title, vid, platform = parts
|
for music in musiclist:
|
||||||
musiccount += 1
|
try:
|
||||||
|
music = music.strip()
|
||||||
|
if not music:
|
||||||
|
continue
|
||||||
|
|
||||||
# Thumbnail URL
|
# Parse entry
|
||||||
thumbnail_url = f"https://img.youtube.com/vi/{vid}/hqdefault.jpg"
|
if section_name == "YouTube Music":
|
||||||
|
title, vid, platform = music.split(" --- ")
|
||||||
# Determine URL based on platform
|
yt_url = f"https://{'music.youtube.com' if platform == 'YTM' else 'www.youtube.com'}/watch?v={vid}"
|
||||||
base_url = "music.youtube.com" if platform == "YTM" else "www.youtube.com"
|
btn_text = platform
|
||||||
yt_url = f"https://{base_url}/watch?v={vid}"
|
else:
|
||||||
|
display_name, url, _ = music.split(" --- ")
|
||||||
|
yt_url = url
|
||||||
|
btn_text = "Other"
|
||||||
|
|
||||||
# HTML block
|
# Generate HTML
|
||||||
html += f"""
|
html += f"""
|
||||||
<div class="music-card" data-url="{yt_url}">
|
<div class="music-card" data-url="{yt_url}">
|
||||||
<div style="margin-bottom: 10px; display: flex; align-items: center;">
|
<div style="margin-bottom: 10px; display: flex; align-items: center;">
|
||||||
<span style="color: #888; margin-right: 10px;">#{musiccount}</span>
|
<span style="color: #888; margin-right: 10px;">#{total_count+1}</span>
|
||||||
<span style="flex-grow: 1;">{title}</span>
|
<span style="flex-grow: 1;">{display_name if section_name == "Other Providers" else title}</span>
|
||||||
<button onclick="window.open('{yt_url}')" class="play-button">
|
<button onclick="window.open('{yt_url}')" class="play-button">
|
||||||
{platform} →
|
{btn_text} →
|
||||||
</button>
|
</button>
|
||||||
</div>
|
</div>"""
|
||||||
<img src="{thumbnail_url}"
|
|
||||||
class="thumbnail"
|
|
||||||
alt="{title} Cover Art"
|
|
||||||
onerror="this.style.display='none'">
|
|
||||||
</div>
|
|
||||||
|
|
||||||
<script>
|
if show_thumb and section_name == "YouTube Music":
|
||||||
function openRandomMusicCard() {{
|
html += f"""
|
||||||
const cards = document.querySelectorAll('.music-card[data-url]');
|
<img src="https://img.youtube.com/vi/{vid}/hqdefault.jpg"
|
||||||
if (!cards.length) return alert('No music found!');
|
style="border-radius: 5px; margin-top: 12px; max-width: 280px; border: 1px solid #333333;"
|
||||||
const randomCard = cards[Math.floor(Math.random() * cards.length)];
|
alt="Cover Art"
|
||||||
window.open(randomCard.dataset.url);
|
onerror="this.style.display='none'">"""
|
||||||
}}
|
|
||||||
</script>
|
|
||||||
"""
|
|
||||||
|
|
||||||
except Exception as e:
|
html += "\n</div>"
|
||||||
print(f"Error processing: {music} - {str(e)}")
|
total_count += 1
|
||||||
|
section_count += 1
|
||||||
# Footer section
|
|
||||||
|
except Exception as e:
|
||||||
|
print(f"Error processing: {music} - {str(e)}")
|
||||||
|
|
||||||
|
# Footer
|
||||||
html += f"""
|
html += f"""
|
||||||
<div style="margin-top: 40px; text-align: center; color: #666;">
|
<div style="margin-top: 40px; text-align: center; color: #666;">
|
||||||
<div style="margin-bottom: 15px;">
|
<div style="margin-bottom: 15px;">
|
||||||
Total Tracks: {musiccount}
|
Total Tracks: {total_count}
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
<script>
|
||||||
|
function openRandomMusicCard() {{
|
||||||
|
const cards = document.querySelectorAll('.music-card[data-url]');
|
||||||
|
if (!cards.length) return alert('No music found!');
|
||||||
|
const randomCard = cards[Math.floor(Math.random() * cards.length)];
|
||||||
|
window.open(randomCard.dataset.url);
|
||||||
|
}}
|
||||||
|
</script>
|
||||||
</body>
|
</body>
|
||||||
</html>"""
|
</html>"""
|
||||||
|
|
||||||
|
|
Loading…
Add table
Reference in a new issue