Skip to content

Commit 2e52763

Browse files
First Code Commit
0 parents  commit 2e52763

File tree

4 files changed

+173
-0
lines changed

4 files changed

+173
-0
lines changed

README.md

+5
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,5 @@
1+
# Spotify API Oauth Implementation without any 3rd party library
2+
- Set the API Key, and API Secret in spotify_apis.py
3+
- Now run the main.py
4+
- Go to the url, Accept the auth request and paste the url from url bar in terminal
5+
- The demo list of songs will be added to a playlist.

main.py

+24
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,24 @@
1+
from scrape import Scrape
2+
from spotify_apis import Spotify
3+
4+
user_date = input("Which year do you want to travel to? Enter the date in this format YYYY-MM-DD: ")
5+
6+
# Data from billboards
7+
scrape = Scrape(user_date)
8+
data = scrape.scrape_data()
9+
for i in range(len(data)):
10+
print(f"Song {i+1}: {data[i]}")
11+
12+
13+
# Search songs from spotify
14+
spotify = Spotify()
15+
spotify.authenticate()
16+
user_id = spotify.get_profile()
17+
playlist_id = spotify.create_playlist(playlist_name=f'Billboard\'s hot songs - {user_date}')
18+
uris = []
19+
for song in data:
20+
uri = spotify.search(song)
21+
uris.append(f"{uri}")
22+
# uris = uris.split(', ')
23+
print(uris, len(uris))
24+
spotify.add_song_to_list(playlist_id, uris)

scrape.py

+14
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,14 @@
1+
from bs4 import BeautifulSoup
2+
import requests
3+
4+
BILLBOARDS_BASE_URL = 'https://www.billboard.com/charts/hot-100/'
5+
6+
class Scrape:
7+
def __init__(self, date):
8+
self.url = f"{BILLBOARDS_BASE_URL}{date}"
9+
10+
def scrape_data(self) -> list:
11+
response = requests.get(url=self.url)
12+
soup = BeautifulSoup(markup=response.text, features='html.parser')
13+
songs = [song.getText().strip() for song in soup.select(selector='ul li h3')]
14+
return songs[:100]

spotify_apis.py

+130
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,130 @@
1+
import requests
2+
import requests.auth
3+
import os
4+
from urllib.parse import parse_qs, urlparse
5+
import base64
6+
7+
# Add SPOTIFY_CLIENT_ID, SPOTIFY_CLIENT_SECRET in environment variables
8+
# CLIENT_ID = os.environ['SPOTIFY_CLIENT_ID']
9+
# CLIENT_SECRET = os.environ['SPOTIFY_CLIENT_SECRET']
10+
# Or for testing add them here ID and SECRET. Change code below accordingly
11+
ID = 'ADD YOUR API ID HERE'
12+
SECRET = 'ADD API SECRET HERE'
13+
BASE_URL = 'https://accounts.spotify.com'
14+
AUTHORIZE_ENDPOINT = '/authorize'
15+
TOKEN_ENDPOINT = '/api/token'
16+
REDIRECT_URI = 'https://spotify.com/'
17+
API_URL = 'https://api.spotify.com/v1'
18+
19+
class Spotify:
20+
def __init__(self):
21+
self.auth_request_parameter = {
22+
'client_id': ID,
23+
'response_type': 'code',
24+
'redirect_uri': REDIRECT_URI,
25+
'state': 'state',
26+
'scope': 'playlist-modify-public playlist-modify-private'
27+
}
28+
self.token_request_headers = {
29+
'Authorization': f"Basic {base64.b64encode(bytes(f'{ID}:{SECRET}', 'utf-8')).decode('utf-8')}",
30+
'Content-Type': 'application/x-www-form-urlencoded'
31+
}
32+
self.access_token = None
33+
self.id = None
34+
35+
def authenticate(self):
36+
'''This method authennticates the user using cliend id in 3 steps. First it makes get request to get a code,
37+
then it gets the code out of the url, and then it makes a post request using the code, client id and client
38+
secret, and receives the token in current object\'s access_token attribute.'''
39+
40+
# STEP 1: get 'code' using ' /authorize ' endpoint
41+
authorize_response = requests.get(url=f"{BASE_URL}{AUTHORIZE_ENDPOINT}", params=self.auth_request_parameter)
42+
print(authorize_response.status_code)
43+
authorize_response.raise_for_status()
44+
print(f"Go here to authorise: {authorize_response.url}")
45+
46+
# STEP 2: parse the url to get 'code' and 'state'
47+
authorized_url = input("Enter the url: ")
48+
parsed_url = urlparse(authorized_url)
49+
print(parsed_url)
50+
code = parse_qs(parsed_url.query)['code'][0]
51+
state = parse_qs(parsed_url.query)['state'][0]
52+
print(code, state)
53+
54+
# STEP 3: Use the code with ' /api/token ' endpoint
55+
token_request_body = {
56+
'grant_type': 'authorization_code',
57+
'code': code,
58+
'redirect_uri': REDIRECT_URI,
59+
}
60+
token_response = requests.post(url=f"{BASE_URL}{TOKEN_ENDPOINT}",
61+
headers=self.token_request_headers,
62+
params=token_request_body)
63+
print(token_response.text)
64+
token_response.raise_for_status()
65+
self.access_token = token_response.json()['access_token']
66+
print(token_response.json()['access_token'])
67+
68+
def get_profile(self):
69+
'''This method uses token to get user\'s profile, and gets user id out of the response received.'''
70+
header = {
71+
'Authorization': f'Bearer {self.access_token}'
72+
}
73+
endpoint = '/me'
74+
response = requests.get(url=f"{API_URL}{endpoint}", headers=header)
75+
print(response.text)
76+
response.raise_for_status()
77+
print(response.status_code)
78+
self.id = response.json()['id']
79+
80+
def create_playlist(self, playlist_name):
81+
endpoint = f'/users/{self.id}/playlists'
82+
name = playlist_name
83+
header = {
84+
'Authorization': f'Bearer {self.access_token}'
85+
}
86+
body = {
87+
'name': name,
88+
'description': 'Created with code',
89+
'public': 'True'
90+
}
91+
response = requests.post(url=f"{API_URL}{endpoint}", headers=header, json=body)
92+
print(response.text)
93+
response.raise_for_status()
94+
return response.json()['id']
95+
96+
def search(self, song):
97+
'''This method takes a string as input parameter, then searches the string using /search endpoint and
98+
access token. Finally returns the song\'s uri.'''
99+
endpoint = '/search'
100+
header = {
101+
'Authorization': f'Bearer {self.access_token}'
102+
}
103+
body = {
104+
'q': song,
105+
'type': 'track',
106+
'limit': 10,
107+
'market': 'IN'
108+
}
109+
response = requests.get(url=f"{API_URL}{endpoint}", headers=header, params=body)
110+
# print(response.text)
111+
response.raise_for_status()
112+
print(f"uri for {song}: {response.json()['tracks']['items'][0]['uri']}")
113+
return response.json()['tracks']['items'][0]['uri']
114+
115+
def add_song_to_list(self, id, songs):
116+
endpoint = f"/playlists/{id}/tracks"
117+
headers = {
118+
'Content-Type': 'application/json',
119+
'Authorization': f'Bearer {self.access_token}'
120+
}
121+
body = {
122+
'uris': songs,
123+
'position': 0
124+
}
125+
add_song_response = requests.post(url=f"{API_URL}{endpoint}", headers=headers, json=body)
126+
print(add_song_response.text)
127+
add_song_response.raise_for_status()
128+
if add_song_response.status_code == 200:
129+
print("Songs added to playlist")
130+

0 commit comments

Comments
 (0)