当与Flask Post一起使用时,MySQLdb返回旧数据

时间:2017-07-27 15:36:47

标签: python mysql python-2.7 mysql-python

我有一个Flask网站,其后端为MySQL。我有一个名为users的表。它有两列:用户名和名称以及一条记录:

name  username
Jim   testuser123

当用户点击网站上的按钮时,它会更新记录以将名称设置为Bob,然后打印name = 'Bob'所有记录。然而,它没有返回任何结果。如果我在重新查询之前刷新连接,那么它确实会返回一个结果。 mdb.connect对象是否缓存数据?怎么可能没有返回正确的结果?

初始化的.py:

import pandas as pd
import MySQLdb as mdb
from flask import Flask, render_template, request

def sql_con():
    return mdb.connect(host='myhost', port=3306, user='root', passwd='root', db='db', use_unicode=True, charset="utf8")

app = Flask(__name__)


def update_record():
    con = sql_con()
    cur = con.cursor()

    sql_string= "Update users set name = 'Bob' where username = 'testuser123'"

    cur.execute(sql_string)
    con.commit()


@app.route('/', methods=['GET', 'POST'])
def myroute():
    con = sql_con()

    if request.method == 'POST':
        update_record()
        print pd.read_sql("select * from users where name = 'Bob'", con=con)

    return render_template('1.html')

app.run( debug=True, port=5050)

1.HTML

<html>

<body>

    <form method="POST">
          <button id="mybutton" name='btn' value="mybutton">Submit Data</button>
    </form>
</body>

要使此代码打印一个结果,我必须在调用con=sql_con()之后但在update()语句之前添加print。那是为什么?

1 个答案:

答案 0 :(得分:1)

一般来说,使用ORM绑定(即Falsk-SQLAlchemy)与Web框架(管理连接池,自动提交/回滚,...)是一个好习惯,即使ORM对于简单的应用程序来说似乎有点过分。 / p>

否则,如果您希望在低级别(数据库连接)进行管理,请避免在同一请求中使用多个连接到同一个数据库。

请改为尝试:

import pandas as pd
import MySQLdb as mdb
from flask import Flask, render_template, request

def sql_con():
    return mdb.connect(host='myhost', port=3306, user='root', passwd='root', db='db', use_unicode=True, charset="utf8")

app = Flask(__name__)


def update_record(con):
    cur = con.cursor()

    sql_string= "Update users set name = 'Bob' where username = 'testuser123'"

    cur.execute(sql_string)
    con.commit()


@app.route('/', methods=['GET', 'POST'])
def myroute():
    con = sql_con()

    if request.method == 'POST':
        update_record(con)
        print pd.read_sql("select * from users where name = 'Bob'", con=con)

    return render_template('1.html')

app.run( debug=True, port=5050)

如果您想根据此类解决方案扩展真实应用,则应考虑从全局连接池中拉出已打开的连接。创建新的数据库连接(在每个HTTP请求时)可能需要花费大量时间。