Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Flask request.get_json() returning None when valid json data sent via post request [duplicate]

Building an app using flask. The app uses a table structure to display data. Part of its functionality is collecting the data from user specified table rows. To do this I have placed a button on each row that executes some js. The js collects the information from the row, uses JSON.stringify() to convert to json object and the issues the post request to the relevant flask url.

Logging the value of the jsonified object to the browser console from js file shows it is correctly formed. The post request contacts the correct route however the request.get_json() function returns a value of None in the method of that route.

I have set up a seperate route in flask for testing. Here is the relevant code

from javascript

    function do_some_work(e) {
        var row_data = get_table_row_data(e);
        row_data = JSON.stringify(row_data);
        console.log(row_data);
        $.post("test", row_data);
    }

get_table_row_data() simply returns an object with key:value pairs. The log shows the data is correctly formatted json.

And here is the python code

#TODO
@application.route('/test', methods=['GET', 'POST'])
def test():
    data = request.get_json()
    print("data is "+format(data))
    return redirect(url_for('index'))

Here data is coming up as None

any help much appreciated

like image 507
Philip Butler Avatar asked Feb 27 '18 13:02

Philip Butler


1 Answers

It's request.json it will return a dictionary of the JSON data. To get a value you use request.json.get('value_name'). So your route will be like this

#TODO
@application.route('/test', methods=['GET', 'POST'])
def test():
    data = request.json
    print("data is " + format(data))
    return redirect(url_for('index'))
like image 65
Marvin Avatar answered Sep 18 '22 11:09

Marvin