import MySQLdb

db = MySQLdb.connect("localhost","root","password","database")
cursor = db.cursor()
cursor.execute("SELECT id FROM some_table")
u_data = cursor.fetchall()

>>> print u_data
((1320088L,),)

我在网上找到的东西让我来到这里:
string = ((1320088L,),)
string = ','.join(map(str, string))
>>> print string
(1320088L,)

我期望的结果是:
 #Single element expected result
 1320088L
 #comma separated list if more than 2 elements, below is an example
 1320088L,1320089L

最佳答案

首先使用itertools.chain_fromiterable()压平嵌套元组,然后使用map()压平字符串和join()。注意,str()删除了L后缀,因为数据不再是long类型。

>>> from itertools import chain
>>> s = ((1320088L,),)
>>> ','.join(map(str,chain.from_iterable(s)))
'1320088'

>>> s = ((1320088L,1232121L),(1320088L,),)
>>> ','.join(map(str,chain.from_iterable(s)))
'1320088,1232121,1320088'

注意,string不是一个好的变量名,因为它与string模块相同。

08-27 18:36