我是python的新手。我正在开发一个Web应用程序并尝试从js脚本调用python脚本。我使用ajax调用.py脚本,如下所示,但我只是继续获取响应中返回的代码。为简单起见,我减少了python脚本中的计算 - 即使变量x没有返回到js文件。
在js函数中
return $.ajax({
type: 'GET',
url: 'test.py',
success: function(response) {
console.log(response);
},
error: function(response) {
return console.error(response);
}
});
test.py
#!/usr/bin/python
print("Hello World")
x = 2
return x
请求成功,因为它在内部成功。 response是python代码而不是2。 谢谢你的帮助!
答案 0 :(得分:6)
您必须使用所谓的应用程序服务器在Python中提供HTTP请求。查看此one或尝试使用一些轻量级的Web框架,如Flask。
Flask中最简单的Web应用程序将如下所示(例如,将其放到app.py
文件中):
from flask import Flask
app = Flask(__name__)
@app.route("/test.py") # consider to use more elegant URL in your JS
def get_x():
x = 2
return x
if __name__ == "__main__":
# here is starting of the development HTTP server
app.run()
然后您必须通过执行以下操作启动服务器:
python app.py
默认情况下,它会从localhost:3000
开始。因此,您必须将JS代码中的url
更改为http://localhost:3000/test.py
。
UPD :另请注意,列出的Web服务器尚未准备好生产。要构建生产就绪配置,您可以使用类似uWSGI+nginx绑定的内容。