我写了以下代码。我非常接近它的工作,我几乎可以品尝和闻到它。
我正在使用mysql.connector,tweepy,python 3.2和xampp堆栈。我正在创建一个唯一的表来保存用户的最后3200条推文。我正在循环运行它,我可以将所有结果打印到屏幕上;绝对没问题。当我尝试写入MYSQL数据库时出现问题。该表创建正常,列也是如此。
编辑:
在@Yarkee和@bernie的帮助下,我将其编辑为以下内容:
tweet_created_date = str(tweet.created_at)
list = [tweet.id, tweet.text, tweet_created_date,
tweet.geo, tweet.contributors, tweet.coordinates,
tweet.favorited, tweet.in_reply_to_screen_name,
tweet.in_reply_to_status_id, tweet.in_reply_to_status_id_str,
tweet.in_reply_to_user_id, tweet.in_reply_to_user_id_str,
tweet.place, tweet.retweeted, tweet.retweet_count,
tweet.source, tweet.truncated]
sql = ("""INSERT INTO %(table_name)s (tweet_id, tweet_text,
tweet_created_at, tweet_geo, tweet_contributors,
tweet_coordinates, tweet_favorited,
tweet_in_reply_to_screen_name, tweet_in_reply_to_status_id,
tweet_in_reply_to_status_id_str, tweet_in_reply_to_user_id,
tweet_in_reply_to_user_id_str, tweet_place,
tweet_retweeted, tweet_retweet_count, tweet_source,
tweet_truncated) VALUES (%s, %s, %s, %s, %s, %s, %s, %s,
%s, %s, %s, %s, %s, %s, %s, %s, %s)""" % dict(table_name=table_name))
cursor.execute(sql, list)
我现在有一个TypeError: not enough arguments for format string
有什么想法吗?
答案 0 :(得分:1)
MySQLdb使用%s
参数样式,例如:(%s,%s,%s)
。它不使用?
paramstyle。参考:http://mysql-python.sourceforge.net/MySQLdb.html
答案 1 :(得分:1)
您需要将'%s'
转义为'%%s'
。
>>> '%(a)s, %s, %s' % dict(a='x')
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
TypeError: not enough arguments for format string
>>> '%(a)s, %%s, %%s' % dict(a='x')
'x, %s, %s'
答案 2 :(得分:0)
最终代码如下。表名是根据当前unix时间值和用户屏幕名称的组合单独生成的。
tweet_list = [tweet.id, tweet.text, tweet.created_at, tweet.geo,
tweet.contributors, tweet.coordinates, tweet.favorited,
tweet.in_reply_to_screen_name, tweet.in_reply_to_status_id,
tweet.in_reply_to_status_id_str, tweet.in_reply_to_user_id,
tweet.in_reply_to_user_id_str, tweet.place, tweet.retweeted, tweet.retweet_count,
tweet.source, tweet.truncated]
sql = ("""insert into %(table_name)s (tweet_id, tweet_text,
tweet_created_at, tweet_geo, tweet_contributors, tweet_coordinates,
tweet_favorited, tweet_in_reply_to_screen_name,
tweet_in_reply_to_status_id, tweet_in_reply_to_status_id_str,
tweet_in_reply_to_user_id, tweet_in_reply_to_user_id_str,
tweet_place, tweet_retweeted, tweet_retweet_count,
tweet_source, tweet_truncated) VALUES (%%s,%%s,%%s,%%s,%%s,%%s,
%%s,%%s,%%s,%%s, %%s,%%s,%%s,%%s,%%s,%%s,%%s)"""
% dict(table_name=table_name))
cursor.execute(sql, tweet_list)
非常感谢所有有帮助的人,我希望这有助于将来的某些人。
答案 3 :(得分:0)
使用Python 3(甚至Python 2.6或2.7),您应该利用string.format()。使用更简单的示例,来说明如何使用它:
cnx = mysql.connector.connect(database='test')
cur = cnx.cursor()
stmt = "INSERT INTO {table} (c1) VALUES (%s)".format(
table='t1'
)
data = ('ham',)
cur.execute(stmt, data)
cnx.commit()
使用format(),您不必转义%s参数标记。 (请注意,我使用的是MySQL Connector / Python,它在原始问题中使用过。)