Python 3.6 / MySQL 5.6
虽然我已经在其他编码语言中使用过MySQL,但我仍然是python的新手。在开发环境中,我想删除特定数据库中的所有表。我可以删除数据库,但托管服务提供商锁定了一些MySQL控件,因此丢弃了#34;数据库"可以从命令行或代码中进行,但只允许通过其管理Web面板创建它们。这是一个耗时的痛苦。我可以更容易地从命令行或代码中删除/创建表。
我编写了一个python脚本,当我想清理/重启项目时,我可以从Makefile
调用它。
import os
import mysql.connector.django
DBI = mysql.connector.connect(
option_files=os.path.join(os.path.expanduser("~"), ".my.cnf"),
option_groups="membersdev"
)
cursorFind = DBI.cursor(buffered=True)
cursorDrop = DBI.cursor(buffered=True)
query = """
select TABLE_NAME
from information_schema.TABLES
where TABLE_SCHEMA = %s
"""
cursorFind.execute(query, ('dev_site_org',))
query2 = "DROP TABLE IF EXISTS %s"
for tableName in cursorFind.fetchall():
cursorDrop.execute(query2, tableName)
cursorDrop.close()
cursorFind.close()
DBI.close()
我很确定" query2"语法在参数上是正确的。我认为cursorDrop.execute(query2, tableName)
是正确的,因为tableName
是一个元组;但是,我一直得到异常和堆栈跟踪:
Traceback (most recent call last):
File "/home/me/.pyenv/versions/3.6.3/lib/python3.6/site-packages/mysql/connector/connection_cext.py", line 377, in cmd_query
raw_as_string=raw_as_string)
_mysql_connector.MySQLInterfaceError: You have an error in your SQL syntax; check the manual that corresponds to your MySQL server version for the right syntax to use near ''My_First_Table'' at line 1
During handling of the above exception, another exception occurred:
Traceback (most recent call last):
File "misc_scripts/db_delete.py", line 35, in <module>
cursorDrop.execute(query2)
File "/home/me/.pyenv/versions/3.6.3/lib/python3.6/site-packages/mysql/connector/cursor_cext.py", line 264, in execute
raw_as_string=self._raw_as_string)
File "/home/me/.pyenv/versions/3.6.3/lib/python3.6/site-packages/mysql/connector/connection_cext.py", line 380, in cmd_query
sqlstate=exc.sqlstate)
mysql.connector.errors.ProgrammingError: 1064 (42000): You have an error in your SQL syntax; check the manual that corresponds to your MySQL server version for the right syntax to use near ''My_First_Table'' at line 1
从选择结果元组中访问表名是否需要做些什么?我是否必须以不同方式订购查询或执行?是否有声明&#34;准备&#34;我失踪了?
答案 0 :(得分:2)
在MySQL中,与SQL参数不同,模式对象具有不同的引用规则,模式对象的引号是反引号(`):
标识符可以引用或不引用。如果标识符包含特殊字符或是保留字,则必须在引用时引用它。 (例外:在限定名称中的句点之后的保留字必须是标识符,因此不需要引用。)保留字在第9.3节“关键字和保留字”中列出。
...
标识符引号字符是反引号(`):
您可以像这样修改代码:
query2 = "DROP TABLE IF EXISTS `%s`"
...
cursorDrop.execute(query2 % tableName)
在MySQL doc上查看更多内容。
答案 1 :(得分:1)
使用基本的python字符串原语构造Execute
语句的字符串,而不是使用填充表名的DROP
方法。这样您就不会在表名周围获得额外的引号。 (这会给你一个语法错误。)然后只需
cursorDrop.execute(query2)
另一个问题:在连接之后和执行DROP之前,您需要执行等效的USE db_name
。