Ang*_*nd8 9 javascript python sqlite json web-services
我正在尝试找出如何使用JSON格式在Python服务器和Javascript客户端之间创建本地连接,以便检索数据.特别是,我需要在HTML客户端进行一些查询,以JSON格式将这些查询发送到服务器,并在Python服务器端运行它们以搜索SQLite数据库上的数据.从数据库中获取结果后,也将这些结果以JSON格式发送回客户端.
到现在为止,我只能在Python上运行查询并在JSON上对其进行编码,如下所示:
import sqlite3 as dbapi
import json
connection = dbapi.connect("C:/folder/database.db")
mycursor = connection.cursor()
mycursor.execute("select * from people")
results = []
for information in mycursor.fetchall():
results += information
onFormat = json.dumps(results)
print(onFormat)
Run Code Online (Sandbox Code Playgroud)
我知道这段代码做了类似的事情(事实上它运行),因为它调用服务器上的服务,该服务器以JSON格式返回数据(但本例中的服务器不是Python):
<html>
<head>
<style>img{ height: 100px; float: left; }</style>
<script src="http://code.jquery.com/jquery-latest.js"></script>
</head>
<body>
<div id="images"></div>
<script>
$.getJSON("http://api.flickr.com/services/feeds/photos_public.gne?jsoncallback=?",
{
tags: "mount rainier",
tagmode: "any",
format: "json"
},
function(data) {
$.each(data.items, function(i,item){
$("<img/>").attr("src", item.media.m).appendTo("#images");
if ( i == 3 ) return false;
});
});</script>
</body>
</html>
Run Code Online (Sandbox Code Playgroud)
我需要知道如何运行(本地)python程序成为可用的运行Web服务以及Javascript应该如何从python服务器检索数据.
我一直在互联网上寻找这个,但我没有在任何地方找到这个答案,因为他们给出的唯一答案是如何在Python内部或Javascript内部编写JSON但不连接两者.希望有人可以帮助我!!!
jfs*_*jfs 11
这是一个烧瓶网络应用程序的"hello world"示例,它可以提供静态html和javascript文件,使用javascript请求中的参数搜索数据库,并将结果作为json返回到javascript:
import sqlite3
from flask import Flask, jsonify, g, redirect, request, url_for
app = Flask(__name__)
@app.before_request
def before_request():
g.db = sqlite3.connect('database.db')
@app.teardown_request
def teardown_request(exception):
if hasattr(g, 'db'):
g.db.close()
@app.route('/')
def index():
return redirect(url_for('static', filename='page.html'))
@app.route('/json-data/')
def json_data():
# get number of items from the javascript request
nitems = request.args.get('nitems', 2)
# query database
cursor = g.db.execute('select * from items limit ?', (nitems,))
# return json
return jsonify(dict(('item%d' % i, item)
for i, item in enumerate(cursor.fetchall(), start=1)))
if __name__ == '__main__':
app.run(debug=True, host='localhost', port=5001) # http://localhost:5001/
else:
application = app # for a WSGI server e.g.,
# twistd -n web --wsgi=hello_world.application --port tcp:5001:interface=localhost
Run Code Online (Sandbox Code Playgroud)
数据库设置代码来自使用SQLite 3和Flask.
static/page.html
和static/json-jquery.js
文件来自Ajax/jQuery.getJSON简单示例,其中略微修改javascript代码以传递不同的url和nitems
参数:
$(document).ready(function(){
$('#getdata-button').live('click', function(){
$.getJSON('/json-data', {'nitems': 3}, function(data) {
$('#showdata').html("<p>item1="+data.item1+" item2="+data.item2+" item3="+data.item3+"</p>");
});
});
});
Run Code Online (Sandbox Code Playgroud)
我终于找到了比 Flask 更简单的方法。这是一个名为Bottle的 Python 框架,您只需从官方网站下载该库并将其所有文件放在您的工作目录中即可导入该库。您还可以使用附带的 setup python 程序安装它,以避免随处携带源代码。然后,为了制作您的 Web 服务服务器,您可以像这样编写代码:
from bottle import hook, response, route, run, static_file, request
import json
import socket
import sqlite3
#These lines are needed for avoiding the "Access-Control-Allow-Origin" errors
@hook('after_request')
def enable_cors():
response.headers['Access-Control-Allow-Origin'] = '*'
#Note that the text on the route decorator is the name of the resource
# and the name of the function which answers the request could have any name
@route('/examplePage')
def exPage():
return "<h1>This is an example of web page</h1><hr/><h2>Hope you enjoy it!</h2>"
#If you want to return a JSON you can use a common dict of Python,
# the conversion to JSON is automatically done by the framework
@route('/sampleJSON', method='GET')
def mySample():
return { "first": "This is the first", "second": "the second one here", "third": "and finally the third one!" }
#If you have to send parameters, the right sintax is as calling the resoure
# with a kind of path, with the parameters separed with slash ( / ) and they
# MUST to be written inside the lesser/greater than signs ( <parameter_name> )
@route('/dataQuery/<name>/<age>')
def myQuery(name,age):
connection= sqlite3.connect("C:/folder/data.db")
mycursor = connection.cursor()
mycursor.execute("select * from client where name = ? and age= ?",(name, age))
results = mycursor.fetchall()
theQuery = []
for tuple in results:
theQuery.append({"name":tuple[0],"age":tuple[1]})
return json.dumps(theQuery)
#If you want to send images in jpg format you can use this below
@route('/images/<filename:re:.*\.jpg>')
def send_image(filename):
return static_file(filename, root="C:/folder/images", mimetype="image/jpg")
#To send a favicon to a webpage use this below
@route('/favicon.ico')
def favicon():
return static_file('windowIcon.ico', root="C:/folder/images", mimetype="image/ico")
#And the MOST important line to set this program as a web service provider is this
run(host=socket.gethostname(), port=8000)
Run Code Online (Sandbox Code Playgroud)
最后,您可以通过以下方式在 Javascript 客户端上调用 Bottlepy 应用程序的 REST Web 服务:
var addr = "192.168.1.100"
var port = "8000"
function makeQuery(name, age){
jQuery.get("http://"+addr+":"+port+"/dataQuery/"+ name+ "/" + age, function(result){
myRes = jQuery.parseJSON(result);
toStore= "<table border='2' bordercolor='#397056'><tr><td><strong>name</strong></td><td><strong>age</strong></td></tr>";
$.each(myRes, function(i, element){
toStore= toStore+ "<tr><td>"+element.name+"</td><td>" + element.age+ "</td></td></tr>";
})
toStore= toStore+ "</table>"
$('#theDataDiv').text('');
$('<br/>').appendTo('#theDataDiv');
$(toStore).appendTo('#theDataDiv');
$('<br/>').appendTo('#theDataDiv');
})
}
Run Code Online (Sandbox Code Playgroud)
我希望它对其他人有用
归档时间: |
|
查看次数: |
26004 次 |
最近记录: |