我正在尝试使用tweepy(Python 3.6)检索用户的时间线推文。现在,我找到了一个代码,我可以用它来完成并以CVS形式保存它们。在检索英文推文时它没有问题,但用阿拉伯语写的推文以这种方式显示:" b' \ xd9 \ x82 \ xd8 \ xaa \ xd8 \ xa7 \ xd9 \ x84 \ x ...&# 34 ;.我已经通过多个论坛,看到这个问题被多次提出,但我还没有找到解决方案。我认为它必须与编码utf-8有关,但我不知道如何操作代码。有人有建议吗?谢谢!
这是我的代码:
>>> import tweepy
>>> import csv
>>> consumer_key = "..."
>>> consumer_secret = "..."
>>> access_key = "..."
>>> access_secret = "..."
>>> def get_all_tweets(screen_name):
#authorize twitter, initialize tweepy
auth = tweepy.OAuthHandler(consumer_key, consumer_secret)
auth.set_access_token(access_key, access_secret)
api = tweepy.API(auth)
#initialize a list to hold all the tweepy Tweets
alltweets = []
#make initial request for most recent tweets (200 is the maximum allowed count)
new_tweets = api.user_timeline(screen_name = screen_name,count=200)
#save most recent tweets
alltweets.extend(new_tweets)
#save the id of the oldest tweet less one
oldest = alltweets[-1].id - 1
#keep grabbing tweets until there are no tweets left to grab
while len(new_tweets) > 0:
print("getting tweets before %s" % (oldest))
#all subsiquent requests use the max_id param to prevent duplicates
new_tweets = api.user_timeline(screen_name = screen_name,count=200,max_id=oldest)
#save most recent tweets
alltweets.extend(new_tweets)
#update the id of the oldest tweet less one
oldest = alltweets[-1].id - 1
print("...%s tweets downloaded so far" % (len(alltweets)))
#transform the tweepy tweets into a 2D array that will populate the csv
outtweets = [[tweet.id_str, tweet.created_at, tweet.text.encode("utf-8")] for tweet in alltweets]
#write the csv
with open('%s_tweets.csv' % screen_name, 'w') as f:
writer = csv.writer(f)
writer.writerow(["id","created_at","text"])
writer.writerows(outtweets)
pass
>>> if __name__ == '__main__':
#pass in the username of the account you want to download
get_all_tweets("#username")
答案 0 :(得分:1)
在Python 3.x中,编写文件时没有必要调用encode()
,因为系统open()
命令现在默认为文本模式(在Python 2.x中,你可以使用io.open()
)
将tweet.text.encode("utf-8")
更改为tweet.text
。
由于Python 3使用您的语言环境来计算在文本模式下打开文件时要使用的文件编码,因此将open()
代码更改为:
with open('%s_tweets.csv' % screen_name, 'w', encoding='utf-8') as f:
现在,Python会在写入文件时自动将任何字符串编码为UTF-8。