pythonflaskspotifyflask-oauthlib

Spotify API create playlist - error parsing JSON


I have a Flask app where I want to create playlists using Spotify API. My issue is similar to this Stackoverflow question. The difference is that I am using OAuthlib instead of requests and the solution posted there didn't work in my case.

The problem

In the http request, when I set data={'name': 'playlist_name', 'description': 'something'}, I am getting a response: "error": {"status": 400,"message": "Error parsing JSON."}

But when I follow the answer mentioned above and try this: data=json.dumps({'name': 'playlist_name', 'description': 'something'}), I am getting following error in the console: "ValueError: not enough values to unpack (expected 2, got 1)".

How I can fix this? Here is a simplified version of my app:

app.py

from flask import Flask, url_for, session
from flask_oauthlib.client import OAuth

import json

app = Flask(__name__)
app.secret_key = 'development'
oauth = OAuth(app)

spotify = oauth.remote_app(
    'spotify',
    consumer_key=CLIENT,
    consumer_secret=SECRET,
    request_token_params={'scope': 'playlist-modify-public playlist-modify-private'},
    base_url='https://accounts.spotify.com',
    request_token_url=None,
    access_token_url='/api/token',
    authorize_url='https://accounts.spotify.com/authorize'
)

@app.route('/', methods=['GET', 'POST'])
def index():
    callback = url_for(
        'create_playlist',
        _external=True
    )
    return spotify.authorize(callback=callback)


@app.route('/playlist', methods=['GET', 'POST'])
def create_playlist():
    resp = spotify.authorized_response()
    session['oauth_token'] = (resp['access_token'], '')


    username = USER
    return spotify.post('https://api.spotify.com/v1/users/' + username + '/playlists',
                                   data=json.dumps({'name': 'playlist_name', 'description': 'something'}))


@spotify.tokengetter
def get_spotify_oauth_token():
    return session.get('oauth_token')


if __name__ == '__main__':
    app.run()


Solution

  • You are using the data parameter, which takes a dict object, but you are dumping it to a string, which is not necessary. Also, you have to set the format to json, as follow:

    @app.route('/playlist', methods=['GET', 'POST'])
    def create_playlist():
        resp = spotify.authorized_response()
        session['oauth_token'] = (resp['access_token'], '')
    
    
        username = USER
        return spotify.post('https://api.spotify.com/v1/users/' + username + '/playlists',
                                       data={'name': 'playlist_name', 'description': 'something'}, format='json')