100 Days of Code: Day 46
Notes of 100 Days of Code: The Complete Python Pro Bootcamp.
Use Beautiful Soup to scrape the top 100 songs from a particular date and then extract all of the song titles from the list, then use Spotify API to create a playlist for that particular date.
from bs4 import BeautifulSoup
from requests import get
import os
from dotenv import load_dotenv
import spotipy
from spotipy.oauth2 import SpotifyOAuth
load_dotenv()
APP_CLIENT_ID = os.getenv("SPOTIFY_CLIENT_ID")
APP_CLIENT_SECRET = os.getenv("SPOTIFY_CLIENT_SECRET")
APP_REDIRECT_URI = os.getenv("SPOTIFY_REDIRECT_URI")
the_day = input(
"Which year do you want to travel? Type the date in this format YYYY-MM-DD: "
)
## get billboard top 100 songs from the day
url = f"https://www.billboard.com/charts/hot-100/{the_day}"
header = {
"User-Agent": "Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:131.0) Gecko/20100101 Firefox/131.0"
}
response = get(url, headers=header)
soup = BeautifulSoup(response.text, "html.parser")
songs = [song.getText().strip() for song in soup.select(selector="li ul li h3")]
## get spotify authorization
sp = spotipy.Spotify(
auth_manager=SpotifyOAuth(
client_id=APP_CLIENT_ID,
client_secret=APP_CLIENT_SECRET,
redirect_uri=APP_REDIRECT_URI,
scope="playlist-modify-public",
)
)
# Step 1: Get the current user ID
user_id = sp.me()["id"]
# Step 2: Create a new playlist
playlist_name = f"Billboard Top 100 - {the_day}"
playlist = sp.user_playlist_create(user=user_id, name=playlist_name, public=True)
playlist_id = playlist["id"]
## Step 3: search for the songs in songs list on spotify
track_uris = []
year = the_day.split("-")[0]
for song in songs:
result = sp.search(q=f"track:{song} year:{year}", type="track")
try:
uri = result["tracks"]["items"][0]["uri"]
track_uris.append(uri)
except IndexError:
print(f"{song} doesn't exist in Spotify. Skipped.")
## Step 4: add the songs to the playlist
sp.playlist_add_items(playlist_id, track_uris)
print("Songs added successfully!")