使用Python對Twitter進行數據挖掘(Mining Twitter Data with Python)


目錄

Twitter is a popular social network where users can share short SMS-like messages called tweets. Users share thoughts, links and pictures on Twitter, journalists comment on live events, companies promote products and engage with customers. The list of different ways to use Twitter could be really long, and with 500 millions of tweets per day, there’s a lot of data to analyse and to play with.javascript


This is the first in a series of articles dedicated to mining data on Twitter using Python. In this first part, we’ll see different options to collect data from Twitter. Once we have built a data set, in the next episodes we’ll discuss some interesting data applications.html

1. 收集數據 Collecting data

1.1 註冊應用 Register Your App

In order to have access to Twitter data programmatically, we need to create an app that interacts with the Twitter API.java

The first step is the registration of your app. In particular, you need to point your browser to http://apps.twitter.com, log-in to Twitter (if you’re not already logged in) and register a new application. You can now choose a name and a description for your app (for example 「Mining Demo」 or similar). You will receive a consumer key and a consumer secret: these are application settings that should always be kept private. From the configuration page of your app, you can also require an access token and an access token secret. Similarly to the consumer keys, these strings must also be kept private: they provide the application access to Twitter on behalf of your account. The default permissions are read-only, which is all we need in our case, but if you decide to change your permission to provide writing features in your app, you must negotiate a new access token.python

Important Note: there are rate limits in the use of the Twitter API, as well as limitations in case you want to provide a downloadable data-set, see:git

https://dev.twitter.com/overview/terms/agreement-and-policy
https://dev.twitter.com/rest/public/rate-limiting
shell

 

1.2 訪問數據 Accessing the Data

Twitter provides REST APIs you can use to interact with their service. There is also a bunch of Python-based clients out there that we can use without re-inventing the wheel. In particular, Tweepy in one of the most interesting and straightforward to use, so let’s install it:json



pip install tweepy==3.5.0


In order to authorise our app to access Twitter on our behalf, we need to use the OAuth interface:api


import tweepy from tweepy import OAuthHandler consumer_key = 'YOUR-CONSUMER-KEY' consumer_secret = 'YOUR-CONSUMER-SECRET' access_token = 'YOUR-ACCESS-TOKEN' access_secret = 'YOUR-ACCESS-SECRET' auth = OAuthHandler(consumer_key, consumer_secret) auth.set_access_token(access_token, access_secret) api = tweepy.API(auth)

The api variable is now our entry point for most of the operations we can perform with Twitter.app

For example, we can read our own timeline (i.e. our Twitter homepage) with:dom

for status in tweepy.Cursor(api.home_timeline).items(10): # Process a single status print(status.text)


Tweepy provides the convenient Cursor interface to iterate through different types of objects. In the example above we’re using 10 to limit the number of tweets we’re reading, but we can of course access more. The status variable is an instance of the Status() class, a nice wrapper to access the data. The JSON response from the Twitter API is available in the attribute _json (with a leading underscore), which is not the raw JSON string, but a dictionary.

  • So the code above can be re-written to process/store the JSON:
for status in tweepy.Cursor(api.home_timeline).items(10): # Process a single status process_or_store(status._json)
  • What if we want to have a list of all our followers? There you go:
for friend in tweepy.Cursor(api.friends).items(): process_or_store(friend._json)
  • And how about a list of all our tweets? Simple:
for tweet in tweepy.Cursor(api.user_timeline).items(): process_or_store(tweet._json) 

In this way we can easily collect tweets (and more) and store them in the original JSON format, fairly easy to convert into different data models depending on our storage (many NoSQL technologies provide some bulk import feature).

The function process_or_store() is a place-holder for your custom implementation. In the simplest form, you could just print out the JSON, one tweet per line:

def process_or_store(tweet): print(json.dumps(tweet))
 

1.3 使用數據流 Streaming

In case we want to 「keep the connection open」, and gather all the upcoming tweets about a particular event, the streaming API is what we need. We need to extend the StreamListener() to customise the way we process the incoming data. A working example that gathers all the new tweets with the #python hashtag:


from tweepy import Stream from tweepy.streaming import StreamListener class MyListener(StreamListener): def on_data(self, data): try: with open('python.json', 'a') as f: f.write(data) return True except BaseException as e: print("Error on_data: %s" % str(e)) return True def on_error(self, status): print(status) return True twitter_stream = Stream(auth, MyListener()) twitter_stream.filter(track=['#python'])


Depending on the search term, we can gather tons of tweets within a few minutes. This is especially true for live events with a world-wide coverage (World Cups, Super Bowls, Academy Awards, you name it), so keep an eye on the JSON file to understand how fast it grows and consider how many tweets you might need for your tests. The above script will save each tweet on a new line, so you can use the command wc -l python.json from a Unix shell to know how many tweets you’ve gathered.


You can see a minimal working example of the Twitter Stream API in the following Gist:


##config.py consumer_key = 'your-consumer-key' consumer_secret = 'your-consumer-secret' access_token = 'your-access-token' access_secret = 'your-access-secret' 
##twitter_stream_download.py # To run this code, first edit config.py with your configuration, then: # # mkdir data # python twitter_stream_download.py -q apple -d data # # It will produce the list of tweets for the query "apple" # in the file data/stream_apple.json import tweepy from tweepy import Stream from tweepy import OAuthHandler from tweepy.streaming import StreamListener import time import argparse import string import config import json def get_parser(): """Get parser for command line arguments.""" parser = argparse.ArgumentParser(description="Twitter Downloader") parser.add_argument("-q", "--query", dest="query", help="Query/Filter", default='-') parser.add_argument("-d", "--data-dir", dest="data_dir", help="Output/Data Directory") return parser class MyListener(StreamListener): """Custom StreamListener for streaming data.""" def __init__(self, data_dir, query): query_fname = format_filename(query) self.outfile = "%s/stream_%s.json" % (data_dir, query_fname) def on_data(self, data): try: with open(self.outfile, 'a') as f: f.write(data) print(data) return True except BaseException as e: print("Error on_data: %s" % str(e)) time.sleep(5) return True def on_error(self, status): print(status) return True def format_filename(fname): """Convert file name into a safe string. Arguments: fname -- the file name to convert Return: String -- converted file name """ return ''.join(convert_valid(one_char) for one_char in fname) def convert_valid(one_char): """Convert a character into '_' if invalid. Arguments: one_char -- the char to convert Return: Character -- converted char """ valid_chars = "-_.%s%s" % (string.ascii_letters, string.digits) if one_char in valid_chars: return one_char else: return '_' @classmethod def parse(cls, api, raw): status = cls.first_parse(api, raw) setattr(status, 'json', json.dumps(raw)) return status if __name__ == '__main__': parser = get_parser() args = parser.parse_args() auth = OAuthHandler(config.consumer_key, config.consumer_secret) auth.set_access_token(config.access_token, config.access_secret) api = tweepy.API(auth) twitter_stream = Stream(auth, MyListener(args.data_dir, args.query)) twitter_stream.filter(track=[args.query])
相關文章
相關標籤/搜索