Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Flask, how to return a success status code for ajax call

On the server-side, I am just printing out the json-as-dictionary to the console

@app.route('/',methods=['GET','POST']) @login_required def index():     if request.method == "POST":         print request.json.keys()     return "hello world" 

Now, whenever I make a post request via ajax, the console prints out the dictionary with the contents I need.

On the client-side, I have been trying to use various methods to execute some jquery based on a successfull ajax call. I just realized that this might be an error on my server-side, i.e I am not sending any request header to tell jquery that its ajax call was a success.

So how do I send an OK status back to my client to tell it everything is all right?

For the sake of completeness, here is my clientside code

$.ajax({     type: 'POST',     contentType: 'application/json',     data: JSON.stringify(myData),     dataType: 'json',     url: '/',     success: function () {         console.log("This is never getting printed!!")     }}); 
like image 608
yayu Avatar asked Sep 27 '14 22:09

yayu


People also ask

What does an ajax call return?

ajax() (and various ajax shortcut methods) returns a jqXHR object, which is a superset of the browser's native XMLHttpRequest object and implements inter alia the Promise interface.


1 Answers

About Responses in Flask:

About Responses

The return value from a view function is automatically converted into a response object for you. If the return value is a string it's converted into a response object with the string as response body, a 200 OK status code and a text/html mimetype. The logic that Flask applies to converting return values into response objects is as follows:

  1. If a response object of the correct type is returned it's directly returned from the view.
  2. If it's a string, a response object is created with that data and the default parameters.
  3. If a tuple is returned the items in the tuple can provide extra information. Such tuples have to be in the form (response, status, headers) or (response, headers) where at least one item has to be in the tuple. The status value will override the status code and headers can be a list or dictionary of additional header values.
  4. If none of that works, Flask will assume the return value is a valid WSGI application and convert that into a response object.

So, if you return text string (as you are doing), the status code that your AJAX call has to receive is 200 OK, and your success callback must be executing. However, I recommend you to return a JSON formatted response like:

return json.dumps({'success':True}), 200, {'ContentType':'application/json'}  
like image 127
aabilio Avatar answered Sep 29 '22 10:09

aabilio