%load_ext autoreload
%autoreload 2
import sys
"./shazam-playlist-to-youtube-playlist") sys.path.append(
Introduction
Have you ever found yourself in a situation where you’ve Shazamed a bunch of great songs, but can’t listen to them without subscribing to a premium music service? Well, we’ve got great news for you! There’s a free and easy way to enjoy your Shazam discoveries without breaking the bank. Let’s dive into how you can convert your Shazam playlist to a YouTube playlist and start listening right away.
Enter the Shazam to YouTube Converter
We have developed a web application that takes your Shazam playlist and converts it into a YouTube playlist. This means you can listen to full versions of your discovered songs without paying for a subscription!
How It Works
The process is surprisingly simple:
Export Your Shazam Library: First, you’ll need to export your Shazam library as a CSV file. You can do this by visiting https://www.shazam.com/myshazam and downloading your list of identified songs.
Upload to the Converter: Visit the Shazam Playlist to YouTube Playlist converter. Here, you’ll see an option to upload your CSV file.
Watch the Magic Happen: Once you upload your file, the application processes your Shazam list and creates a YouTube playlist on the fly.
Start Listening: A YouTube player will appear, ready to play through your entire list of songs. You can also see a table of all your tracks, allowing you to easily jump to any song in the list.
Code
Imports
from IPython.display import HTML
import pandas as pd
from pytube import YouTube
from app import get_youtube_song
Preview Data
# Load the Shazam library from a CSV file and return the DataFrame.
= pd.read_csv('shazamlibrary.csv', header=1)
shazamlibrary_df shazamlibrary_df
Index | TagTime | Title | Artist | URL | TrackKey | |
---|---|---|---|---|---|---|
0 | 1 | 2024-06-13 | Until I Found You (Em Beihold Version) | Stephen Sanchez & Em Beihold | https://www.shazam.com/track/581828191/until-i... | 581828191 |
1 | 2 | 2024-06-13 | Capitals of Europe: Nordic Region | Katrina Holland | https://www.shazam.com/track/651866832/capital... | 651866832 |
2 | 3 | 2024-06-13 | Capitals of Europe: Nordic Region | Katrina Holland | https://www.shazam.com/track/651866832/capital... | 651866832 |
3 | 4 | 2024-06-11 | Ven Ven | Lotus Beatz | https://www.shazam.com/track/696779462/ven-ven | 696779462 |
4 | 5 | 2024-05-30 | Ava | Famy | https://www.shazam.com/track/127047942/ava | 127047942 |
... | ... | ... | ... | ... | ... | ... |
222 | 223 | 2018-03-10 | Lose Yourself | Felax | https://www.shazam.com/track/340620006/lose-yo... | 340620006 |
223 | 224 | 2018-03-08 | This Is What It Feels Like (feat. Trevor Guthrie) | Armin van Buuren | https://www.shazam.com/track/89020928/this-is-... | 83795151 |
224 | 225 | 2018-03-04 | Roulette | Katy Perry | https://www.shazam.com/track/358615884/roulette | 358615884 |
225 | 226 | 2018-03-04 | Roulette | Katy Perry | https://www.shazam.com/track/358615884/roulette | 358615884 |
226 | 227 | 2018-02-08 | If You Need to, Keep Time on Me | Fleet Foxes | https://www.shazam.com/track/357910030/if-you-... | 357910030 |
227 rows × 6 columns
Format data
# Remove Duplicates and Select `Title` and `Artist`.
= shazamlibrary_df.drop_duplicates(subset=['TrackKey'])[['Title', 'Artist']]
shazamlibrary_df shazamlibrary_df
Title | Artist | |
---|---|---|
0 | Until I Found You (Em Beihold Version) | Stephen Sanchez & Em Beihold |
1 | Capitals of Europe: Nordic Region | Katrina Holland |
3 | Ven Ven | Lotus Beatz |
4 | Ava | Famy |
5 | Hero | Bryan Todd Feat. Ashley Argota |
... | ... | ... |
221 | 恋人心 | Wei Xin Yu |
222 | Lose Yourself | Felax |
223 | This Is What It Feels Like (feat. Trevor Guthrie) | Armin van Buuren |
224 | Roulette | Katy Perry |
226 | If You Need to, Keep Time on Me | Fleet Foxes |
201 rows × 2 columns
# Test search
= shazamlibrary_df.loc[0].values
search_title, search_artist = get_youtube_song(search_title, search_artist)
youtube: YouTube youtube.watch_url
'https://youtube.com/watch?v=kPlSyYtE63M'
Code to run the player
Below is the code used to run the server at Huggingface:
"""Shazam Playlist to Youtube Playlist"""
from pathlib import Path
import random
from typing import Optional
import logging
import pandas as pd
from pytube import Search, YouTube
from flask import Flask, request, send_from_directory
from sklearn.utils import shuffle as sklearn_shuffle
# https://github.com/pytube/pytube/issues/1270#issuecomment-2100372834
= logging.getLogger('pytube')
pytube_logger
pytube_logger.setLevel(logging.ERROR)
= Flask(__name__)
app
@app.route('/')
def index():
"""Route handler for the home page"""
try:
return send_from_directory('.', 'index.html')
except Exception as e:
return str(e)
@app.route('/video_id', methods=['POST'])
def video_id() -> str:
"""Route handler for retrieving the YouTube video ID"""
try:
str = request.json.get('title')
title: str = request.json.get('artist')
artist: = get_youtube_song(title, artist)
youtube: YouTube return youtube.video_id
except Exception as e:
return str(e)
@app.route('/parse_csv', methods=['POST'])
def parse_csv():
"""Route handler for parsing the uploaded CSV file"""
try:
file = request.files['file']
# Process the uploaded file
return parse_csv_util(pd.read_csv(file, header=1))
except Exception as e:
return str(e)
@app.route('/parse_csv_test', methods=['GET'])
def parse_csv_test():
"""Route handler for parsing the test CSV file"""
try:
# Construct the path to the CSV file
= Path(__file__).parent / 'shazamlibrary.test.csv'
csv_path return parse_csv_util(pd.read_csv(csv_path, header=1), True)
except Exception as e:
return str(e)
def get_youtube_song(title: str, artist: str) -> Optional[YouTube]:
"""Searches for a YouTube video based on the given title and artist"""
= Search(f'{title} by {artist}')
search_result return search_result.results[0] if search_result.results else None
def parse_csv_util(df: pd.DataFrame, shuffle = False):
try:
= df.drop_duplicates(subset=['TrackKey'])[['Title', 'Artist']]
df if shuffle:
for random_state in random.sample(range(444, 44444), 3):
= sklearn_shuffle(df, random_state=random_state).reset_index(drop=True)
df return df.to_json(orient="records")
except Exception as e:
return str(e)
Below is the HTML page that renders the page:
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>ToKnow.ai - Shazam Playlist to Youtube Playlist</title>
<link href="https://cdn.jsdelivr.net/npm/[email protected]/dist/css/bootstrap.min.css" rel="stylesheet">
<script src="https://cdn.jsdelivr.net/npm/[email protected]/dist/js/bootstrap.bundle.min.js"></script>
<script src="https://www.youtube.com/iframe_api"></script>
<style>
.youtube-player,
iframe {width: 100%;
height: 100%;
}
.playlist tbody tr {
cursor: pointer;
}</style>
</head>
<body class="bg-light">
<div class="container my-4">
<h1 class="text-center">Convert Your Shazam Playlist to YouTube Playlist</h1>
<p class="text-center">
<em>
<i>
<b>Comment</b> at
Read details or <a target="_blank"
href="https://toknow.ai/posts/shazam-playlist-to-youtube-playlist/"><b>ToKnow.ai</b> blog
post.</a>
</i>
</em>
</p>
<p class="text-center">
Download the CSV of your playlist from<a href="https://www.shazam.com/myshazam" target="_blank">https://www.shazam.com/myshazam</a>.
</p>
<p class="text-center">Upload your Shazam Playlist CSV file.</p>
<div class="row mx-2 justify-content-center">
<div class="col-md-6">
<input type="file" class="form-control upload-form col-md-6" accept=".csv">
</div>
</div>
<div class="row mt-2 justify-content-center">
<div class="col-md-6 d-flex justify-content-around flex-wrap">
<a id="load-test-playlist" class="btn btn-warning btn-sm fst-italic">
click here to load test playlist</a>
<img class="rounded"
src="https://api.visitorbadge.io/api/visitors?path=https://toknow.ai/posts/shazam-playlist-to-youtube-playlist" />
</div>
</div>
<div class="row mt-3 justify-content-center">
<div class="col-md-8">
<div class="object-fit-contain border rounded ratio ratio-16x9">
<div class="youtube-player"></div>
</div>
</div>
</div>
<div class="row mt-5">
<div class="col-md-12 playlist table-responsive">
</div>
</div>
</div>
<script>
const playlistTable = document.querySelector('.playlist');
const uploaForm = document.querySelector('.upload-form');
let songsPlaylist = []
let videoIndex = -1;
let youtubePlayer;
document.querySelector('#load-test-playlist').addEventListener('click', async e => {
try {
.preventDefault();
e
const playlist = await(await fetch('/parse_csv_test')).json();
generateTable(playlist)
catch (error) {
} .innerHTML = error;
playlistTable
};
})
.addEventListener('input', e => {
uploaForm.preventDefault();
eif (e.target.files.length == 0) {
return;
}
parseCsv(e.target.files[0], playlistTable);
;
}).addEventListener('click', e => {
playlistTable.preventDefault();
econst row = event.target.closest('tr');
if (row) {
const index = row.dataset.index ? Number(row.dataset.index) : undefined;
onContinue(undefined, index);
};
})function resetCurrentPlayingBackground() {
.querySelectorAll('tbody tr').forEach(row => {
playlistTableif (Number(row.dataset.index) == videoIndex) {
.classList.add('bg-warning');
rowelse {
} .classList.remove('bg-warning');
row
}
})
}function addErrorToCurrentIndex() {
.querySelectorAll('tbody tr').forEach(row => {
playlistTableif (Number(row.dataset.index) == videoIndex) {
.classList.add('bg-danger');
row
}
})
}async function getVideoId(song) {
const response = await fetch(
'/video_id',
{headers: { 'Content-Type': 'application/json' },
method: 'POST',
body: JSON.stringify({ title: song.Title, artist: song.Artist })
;
})return await response.text()
}async function nextVideo(callback, newIndex = undefined) {
= newIndex >= 0 ? newIndex : (videoIndex + 1)
newIndex = newIndex < songsPlaylist.length ? newIndex : 0;
videoIndex let video_id = await getVideoId(songsPlaylist[videoIndex]);
callback(video_id);
resetCurrentPlayingBackground();
}function generateTable(playlist) {
try {
= playlist
songsPlaylist const tableBody = songsPlaylist.map((i, index) => `
<tr data-index="${index}">
<th>${index + 1}</th>
<th>${i.Title}</th>
<th>${i.Artist}</th>
</tr>`
.join('')
).innerHTML = `
playlistTable <table class="table table-striped table-hover table-bordered rounded">
<thead>
<tr>
<th>#</th>
<th>Title</th>
<th>Artist</th>
</tr>
</thead>
<tbody>${tableBody}</tbody>
</table>`
tryToPlay(() => {
= -1;
videoIndex onContinue();
, 100)
}catch (error) {
} .innerHTML = error;
playlistTable
}
}async function parseCsv(file, playlistTable) {
try {
const formData = new FormData();
.append('file', file);
formDataconst playlist = await (await fetch('/parse_csv', { method: 'POST', body: formData })).json();
generateTable(playlist)
catch (error) {
} .innerHTML = error;
playlistTable
}
}function initiatePlayer() {
const youtubePlayerElement = document.querySelector('.youtube-player');
= window.youtubePlayer = new YT.Player(youtubePlayerElement, {
youtubePlayer height: '100%',
width: '100%',
playerVars: { autoplay: 1 },
events: {
'onReady': function (event) {
event.target.playVideo()
,
}'onStateChange': function (event) {
if (event.data === YT.PlayerState.ENDED) {
onContinue(event?.target);
},
}'onError': function (event) {
addErrorToCurrentIndex();
onContinue(event?.target);
}
};
})
}function onContinue(player = undefined, newIndex = undefined) {
if (songsPlaylist.length > 0) {
nextVideo((value) => {
= player || youtubePlayer
player .loadVideoById(value);
playersetTimeout(() => {
.playVideo();
player
setTimeout(() => {
if (player.getPlayerState() != YT.PlayerState.PLAYING) {
.playVideo();
player
}, 10);
}, 10);
}, newIndex);
}
}
}
function tryToPlay(playCallback, timeout) {
setTimeout(() => {
if (YT.Player) {
if (!youtubePlayer) {
initiatePlayer();
?.();
tryToPlayelse if (songsPlaylist.length > 0) {
} playCallback();
}
}, timeout);
}
}
tryToPlay(null, 300);
</script>
</body>
</html>
Test the App
Conclusion
The Shazam to YouTube Playlist converter offers a fantastic, free alternative for enjoying your music discoveries. It bridges the gap between Shazam’s identification capabilities and the vast library of music available on YouTube. Whether you’re a casual music listener or an avid discoverer of new tunes, this tool provides a valuable service without the need for paid subscriptions. Give it a try and turn your Shazam discoveries into a personalized YouTube concert. Happy listening!
Disclaimer: For information only. Accuracy or completeness not guaranteed. Illegal use prohibited. Not professional advice or solicitation. While this tool is free and convenient, always respect copyright laws and support your favorite artists when possible. Read more: /terms-of-service
Reuse
Citation
@misc{kabui2024,
author = {Kabui, Charles},
title = {Convert {Your} {Shazam} {Playlist} to {YouTube} {Playlist}},
date = {2024-06-18},
url = {https://toknow.ai/posts/shazam-playlist-to-youtube-playlist/index.html},
langid = {en-GB}
}