使用 MySQLdb 执行“SELECT ... WHERE ... IN ...”
在 Python 中,执行涉及“的 SQL 查询”使用 MySQLdb 的 IN" 子句可能会遇到挑战。考虑以下场景:
问题:
尝试使用以下代码从 Python 中执行如下查询:
<code class="sql">SELECT fooid FROM foo WHERE bar IN ('A','C');</code>
:
<code class="python">import MySQLdb import config connection=MySQLdb.connect( host=config.HOST,user=config.USER,passwd=config.PASS,db='test') cursor=connection.cursor() sql='SELECT fooid FROM foo WHERE bar IN %s' args=[['A','C']] cursor.execute(sql,args) data=cursor.fetchall() print(data) # ()</code>
结果是一个空数据集,尽管预期有两行。
原因:
MySQLdb 自动在元素周围添加单引号输入列表参数,导致查询执行为:
<code class="sql">SELECT fooid FROM foo WHERE bar IN ("'A'", "'C'")</code>
此查询与原始预期查询不同,后者使用单引号列表。
解决方案:
要解决此问题,您必须手动构造查询参数。下面是解决该问题的 Python 代码的修改版本:
<code class="python">import MySQLdb import config connection=MySQLdb.connect( host=config.HOST,user=config.USER,passwd=config.PASS,db='test') cursor=connection.cursor() args=['A', 'C'] sql='SELECT fooid FROM foo WHERE bar IN (%s)' in_p=', '.join(map(lambda x: '%s', args)) sql = sql % in_p cursor.execute(sql, args) data=cursor.fetchall() print(data) # (('1',), ('3',))</code>
通过使用 map() 构造 in_p 字符串并用逗号将其连接起来,您可以有效地为 args 中的元素创建一系列占位符。使用 % 运算符可确保在执行查询时将占位符正确替换为实际值。
以上是如何在Python中使用MySQLdb执行'SELECT ... WHERE ... IN ...”查询?的详细内容。更多信息请关注PHP中文网其他相关文章!