Reputation: 2305
How do I set the HTTP status code of my response in Bottle?
from bottle import app, run, route, Response
@route('/')
def f():
Response.status = 300 # also tried `Response.status_code = 300`
return dict(hello='world')
'''StripPathMiddleware defined:
http://bottlepy.org/docs/dev/recipes.html#ignore-trailing-slashes
'''
run(host='localhost', app=StripPathMiddleware(app()))
As you can see, the output doesn't return the HTTP status code I set:
$ curl localhost:8080 -i
HTTP/1.0 200 OK
Date: Sun, 19 May 2013 18:28:12 GMT
Server: WSGIServer/0.1 Python/2.7.4
Content-Length: 18
Content-Type: application/json
{"hello": "world"}
Upvotes: 30
Views: 21126
Reputation: 67
Like you can simply do this way:
import json
from bottle import HTTPResponse
response={}
headers = {'Content-type': 'application/json'}
response['status'] ="Success"
response['message']="Hello World."
result = json.dumps(response,headers)
raise HTTPResponse(result,status=200,headers=headers)
Upvotes: 0
Reputation: 55962
I believe you should be using response
from bottle import response; response.status = 300
Upvotes: 42
Reputation: 18128
Bottle's built-in response type handles status codes gracefully. Consider something like:
return bottle.HTTPResponse(status=300, body=theBody)
As in:
import json
from bottle import HTTPResponse
@route('/')
def f():
theBody = json.dumps({'hello': 'world'}) # you seem to want a JSON response
return bottle.HTTPResponse(status=300, body=theBody)
Upvotes: 26