我在flask中有一个名为array的函数,它接受一个列表并打印出列表中的项目:
def array(list):
string = ""
for x in list:
string+= x
return string
在客户端,我想将名为str的javascript数组传入此数组。我该怎么办?这就是我现在所拥有的,但Flask并未阅读添加的变量。有什么想法吗?
for (var i = 0; i < response.data.length; i++) {
console.log(i);
// str = str + "<br/><b>Pic</b> : <img src='"+ response.data[i].picture +"'/>";
str[i] = response.data[i].picture;
}
window.location = "{{ url_for('array', str=list ) }}";
答案 0 :(得分:9)
Flask has a built in object called request. In request there is a multidict called args.
您可以使用request.args.get('key')
来检索查询字符串的值。
from flask import request
@app.route('/example')
def example():
# here we want to get the value of the key (i.e. ?key=value)
value = request.args.get('key')
当然这需要获取请求(如果您使用帖子,则使用request.form
)。 On the javascript side you can make a get request using pure javascript or jquery.
我将在我的例子中使用jquery。
$.get(
url="example",
data={key:value},
success=function(data) {
alert('page content: ' + data);
}
);
这是您将数据从客户端传递到烧瓶中的方法。 jquery代码的函数部分是如何将数据从flask传递给jquery。例如,假设您有一个名为/ example的视图,并且从jquery端传入一个键值对“list_name”:“example_name”
from flask import jsonify
def array(list):
string = ""
for x in list:
string+= x
return string
@app.route("/example")
def example():
list_name = request.args.get("list_name")
list = get_list(list_name) #I don't know where you're getting your data from, humor me.
array(list)
return jsonify("list"=list)
在jquery的成功函数中你会说
success=function(data) {
parsed_data = JSON.parse(data)
alert('page content: ' + parsed_data);
}
Note that flask does not allow for top level lists in json response for security reasons.