我正在使用远程数据库将数据导入我的Django proyect的数据库。
在MySQLdb
的帮助下,我轻松设法创建了如下导入功能:
def connect_and_get_data(useful_string):
CONNECTION = MySQLdb.connect(host=..., port=...,
user=..., passwd=..., db=...,
cursorclass=MySQLdb.cursors.DictCursor,
charset = "utf8")
cursor = CONNECTION.cursor()
cursor.execute("SELECT ... FROM ... WHERE ... AND some_field=%s", (useful_string))
result = cursor.fetchall()
cursor.close()
非常满意,按预期工作。
但继续使用代码,我注意到有时我需要再次连接到数据库,以便执行其他不同的查询。
对我来说,第一个想法是合乎逻辑的:
对于我需要的每个查询,定义一个函数,该函数使用给定的查询作为参数调用connect_and_get_data
......如下所示:
def get_data_about_first_amazing_topic(useful_string):
query = "SELECT ... FROM ... WHERE ... AND some_field=%s" %(useful_string)
connect_and_get_data(query)
...
def get_data_about_second_amazing_topic(other_useful_string):
query = "SELECT ... FROM ... WHERE ... AND some_field=%s" %(other_useful_string)
connect_and_get_data(query)
...
对connect_and_get_data
的修改:
def connect_and_get_data(query):
...
cursor.execute(query)
...
正如您可能想象的那样,此解决方案失败了。
阅读mluebke对问题python mysql fetch query
的回答“您正在将参数传递给execute函数,而不是执行python字符串替换”
我立刻明白我错了;但我仍然觉得缺少了一些东西:我尝试过不同的解决方案,但我对所有这些解决方案都不满意。
是否有一种“好”的方式来封装我的connect_and_get_data(query)
函数,以便按照我想要的方式为我服务,或者我完全走错了路径?< / p>
在这种情况下哪些被认为是“最佳做法”?
答案 0 :(得分:6)
我认为这是你正在寻找的。 p>
def connect_and_get_data(query, data):
...
cursor.execute(query, data)
...
def get_data_about_first_amazing_topic(useful_string):
query = "SELECT ... FROM ... WHERE ... AND some_field=%s"
connect_and_get_data(query, ("one","two","three"))
...
但是,如果您要快速进行多次查询,最好重复使用您的连接,因为连接太多会浪费时间。
...
CONNECTION = MySQLdb.connect(host=..., port=...,
user=..., passwd=..., db=...,
cursorclass=MySQLdb.cursors.DictCursor,
charset = "utf8")
cursor = CONNECTION.cursor()
cursor.execute("SELECT ... FROM ... WHERE ... AND some_field=%s", ("first", "amazing", "topic"))
first_result = cursor.fetchall()
cursor.execute("SELECT ... FROM ... WHERE ... AND some_field=%s", (("first", "amazing", "topic")))
second_result = cursor.fetchall()
cursor.close()
...
这将使您的代码表现更好。
答案 1 :(得分:0)
我正在使用Python和MYSQL进行Web应用程序项目,并且具有相同的错误类型:
MySQLdb._exceptions.OperationalError:(1045,“拒绝用户访问 'root'@'localhost'(使用密码:是)“)。
我所做的就是将应用程序配置密码更改为空字符串""
,如下所示:
app.config['MYSQL_PASSWORD'] = ""
然后我成功登录。