I'm trying to get multiple arguments from a url in Flask. After reading this SO answer I thought I could do it like this:
@app.route('/api/v1/getQ/', methods=['GET'])
def getQ(request):
print request.args.get('a')
print request.args.get('b')
return "lalala"
But when I visit /api/v1/getQ/a=1&b=2
, I get a TypeError: getQ() takes exactly 1 argument (0 given)
. I tried other urls, like /api/v1/getQ/?a=1&b=2
and /api/v1/getQ?a=1&b=2
, but to no avail.
Does anybody know what I'm doing wrong here? All tips are welcome!
You misread the error message; the exception is about how getQ
is called with python arguments, not how many URL parameters you added to invoke the view.
Flask views don't take request
as a function argument, but use it as a global context instead. Remove request
from the function signature:
from flask import request
@app.route('/api/v1/getQ/', methods=['GET'])
def getQ():
print request.args.get('a')
print request.args.get('b')
return "lalala"
Your syntax to access URL parameters is otherwise perfectly correct. Note that methods=['GET']
is the default for routes, you can leave that off.
You can try this to get multiple arguments from a url in Flask:
--- curl request---
curl -i "localhost:5000/api/foo/?a=hello&b=world"
--- flask server---
from flask import Flask, request
app = Flask(__name__)
@app.route('/api/foo/', methods=['GET'])
def foo():
bar = request.args.to_dict()
print bar
return 'success', 200
if __name__ == '__main__':
app.run(debug=True)
---print bar---
{'a': u'hello', 'b': u'world'}
P.S. Don't omit double quotation(" ") with curl option, or it not work in Linux cuz "&"
similar question Multiple parameters in in Flask approute
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With