flask 框架:
pip install flask
flask-demo/
├ run.py # 应用启动程序
├ config.py # 环境配置
├ requirements.txt # 列出应用程序依赖的所有Python包
├ tests/ # 测试代码包
│ ├ __init__.py
│ └ test_*.py # 测试用例
└ myapp/
├ admin/ # 蓝图目录
├ static/
│ ├ css/ # css文件目录
│ ├ img/ # 图片文件目录
│ └ js/ # js文件目录
├ templates/ # 模板文件目录
├ __init__.py
├ forms.py # 存放所有表单,如果多,将其变为一个包
├ models.py # 存放所有数据模型,如果多,将其变为一个包
└ views.py # 存放所有视图函数,如果多,将其变为一个包
测试:
from flask import Flask
app = Flask(__name__)
@app.route(\'/\')
def index():
return \'Hello World\'
if __name__ == \'__main__\':
app.debug = True # 设置调试模式,生产模式的时候要关掉debug
app.run()
flask + echarts :
python取数据库中的数据,通过前端js将数据返回
import sqlite3
import sys
reload(sys)
sys.setdefaultencoding(\'utf-8\')
# 连接
conn = sqlite3.connect(\'mydb.db\')
conn.text_factory = str
c = conn.cursor()
# 创建表
c.execute(\'\'\'DROP TABLE IF EXISTS weather\'\'\')
c.execute(\'\'\'CREATE TABLE weather (month text, evaporation text, precipitation text)\'\'\')
# 数据
# 格式:月份,蒸发量,降水量
purchases = [(\'1月\', 2, 2.6),
(\'2月\', 4.9, 5.9),
(\'3月\', 7, 9),
(\'4月\', 23.2, 26.4),
(\'5月\', 25.6, 28.7),
(\'6月\', 76.7, 70.7),
(\'7月\', 135.6, 175.6),
(\'8月\', 162.2, 182.2),
(\'9月\', 32.6, 48.7),
(\'10月\', 20, 18.8),
(\'11月\', 6.4, 6),
(\'12月\', 3.3, 2.3)
]
# 插入数据
c.executemany(\'INSERT INTO weather VALUES (?,?,?)\', purchases)
# 提交!!!
conn.commit()
# 查询方式一
for row in c.execute(\'SELECT * FROM weather\'):
print(row)
# 查询方式二
c.execute(\'SELECT * FROM weather\')
print(c.fetchall())
# 查询方式二_2
res = c.execute(\'SELECT * FROM weather\')
print(res.fetchall())
conn.close()
问答系统:
import sqlite3
from flask import Flask, request, render_template, jsonify
import sys
reload(sys)
sys.setdefaultencoding(\'utf-8\')
app = Flask(__name__)
def get_db():
db = sqlite3.connect(\'mydb.db\')
db.row_factory = sqlite3.Row
return db
def query_db(query, args=(), one=False):
db = get_db()
cur = db.execute(query, args)
db.commit()
rv = cur.fetchall()
db.close()
return (rv[0] if rv else None) if one else rv
@app.route("/", methods=["GET"])
def index():
return render_template("index.html")
@app.route("/weather", methods=["GET"])
def weather():
if request.method == "GET":
res = query_db("SELECT * FROM weather")
return jsonify(month=[x[0] for x in res],
evaporation=[x[1] for x in res],
precipitation=[x[2] for x in res])
@app.route(\'/map\')
def map():
return render_template(\'map.html\')
if __name__ == "__main__":
app.run(debug=True)
前端:
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<title>ECharts3 Ajax</title>
<script src="{{ url_for(\'static\', filename=\'jquery-3.2.1.min.js\') }}"></script>
<script src="{{ url_for(\'static\', filename=\'echarts.js\') }}"></script>
</head>
<body>
<!--为ECharts准备一个具备大小(宽高)的Dom-->
<div id="main" style="height:500px;border:1px solid #ccc;padding:10px;"></div>
<script type="text/javascript">
var myChart = echarts.init(document.getElementById(\'main\'));
// 显示标题,图例和空的坐标轴
myChart.setOption({
title: {
text: \'异步数据加载示例\'
},
tooltip: {},
legend: {
data:[\'蒸发量\',\'降水量\']
},
xAxis: {
data: []
},
yAxis: {},
series: [{
name: \'蒸发量\',
type: \'line\',
data: []
},{
name: \'降水量\',
type: \'bar\',
data: []
}]
});
myChart.showLoading(); // 显示加载动画
// 异步加载数据
$.get(\'/weather\').done(function (data) {
myChart.hideLoading(); // 隐藏加载动画
// 填入数据
myChart.setOption({
xAxis: {
data: data.month
},
series: [{
name: \'蒸发量\', // 根据名字对应到相应的系列
data: data.evaporation.map(parseFloat) // 转化为数字(注意map)
},{
name: \'降水量\',
data: data.precipitation.map(parseFloat)
}]
});
});
</script>
</body>
</html>
python app.py runserver即可,访问127.0.0.1:5000
---> 异步!