This file is indexed.

/usr/share/creepy/twitter.py is in creepy 0.1.94-1.

This file is owned by root:root, with mode 0o644.

The actual contents of the file can be viewed below.

  1
  2
  3
  4
  5
  6
  7
  8
  9
 10
 11
 12
 13
 14
 15
 16
 17
 18
 19
 20
 21
 22
 23
 24
 25
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
'''
Copyright 2010 Yiannis Kakavas

This file is part of creepy.

    creepy is free software: you can redistribute it and/or modify
    it under the terms of the GNU General Public License as published by
    the Free Software Foundation, either version 3 of the License, or
    (at your option) any later version.

    creepy is distributed in the hope that it will be useful,
    but WITHOUT ANY WARRANTY; without even the implied warranty of
    MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
    GNU General Public License for more details.

    You should have received a copy of the GNU General Public License
    along with creepy  If not, see <http://www.gnu.org/licenses/>.
    
'''

import tweepy
from tweepy import Cursor
import os.path
try:
    import cPickle as pickle
except:
    import pickle
import simplejson
import urllib
import urlanalyzer


class Twitter():
    """
    Handles oAuth and all twitter related functions
    
    Provides all the functionality needed in regards of accessing twitter via 
    it's API
    """
    def __init__(self, conf_file):
        cons_key = conf_file['twitter_auth']['consumer_key'] 
        cons_secret = conf_file['twitter_auth']['consumer_secret'] 
        acc_key = conf_file['twitter_auth']['access_key']
        acc_secret = conf_file['twitter_auth']['access_secret']
        self.profilepics_dir = conf_file['directories']['profilepics_dir']
        self.cache_dir = conf_file['directories']['cache_dir']
        self.urlanalyzer = urlanalyzer.URLAnalyzer(conf_file['directories']['img_dir'], conf_file['misc']['moby_key'])

        if cons_key and cons_secret and acc_key and acc_secret:
            auth = tweepy.OAuthHandler(cons_key, cons_secret)
            auth.set_access_token(acc_key, acc_secret)
            self.api = tweepy.API(auth)
            self.authed = True
        else:
            self.authed = False
            self.api = tweepy.API()
        
    def authorize_for_twitter(self, key, secret):
        """
        Returns the authorization URL that the user needs to follow
        in order to 'sign in with twitter'
        """
        auth = tweepy.OAuthHandler(key, secret)
        url = auth.get_authorization_url(True)
        return (auth, url)
        
    def search_user(self, name):
        """
        BAsic search functionality
        
        Returns a list of users, and saves their profile pics in a
        temporary location
        """
        users = []
        if self.authed:
            users = self.api.search_users(name)
            for user in users:
                try:
                    filename = 'profile_pic_%s' % user.screen_name
                    temp_file = os.path.join(self.profilepics_dir, filename)
                    urllib.urlretrieve(user.profile_image_url, temp_file)
                except Exception, err:
                    pass
                    #print 'Error retrieving %s profile picture' % (user.screen_name), err
            return users
        else:
            users.append('auth_error')
            return users
        
    def pickle_data(self, data, identifier):
        """
        Serializes data
        """
        filename = 'creepy_%s.pcl' % (identifier)
        file = open(os.path.join(self.cache_dir, filename), 'w')
        pickle.dump(data, file)
        file.close()
    
    def unpickle_data(self, identifier):
        """
        Unserializes data
        """
        filename = 'creepy_%s.pcl' % (identifier)
        if os.path.exists(os.path.join(self.cache_dir, filename)):
            file = open(os.path.join(self.cache_dir, filename), 'r')
            try:
                data = pickle.load(file)
                return data
            except Exception, err:
                #print 'Malformed data, or file does not exist .Error :',err
                return
        else :
            return None
        
    def sort_tweet_list(self, tweet_list):
        """
        Sort a list of tweets based on their ID. The latest tweets get first
        
        Returns a list of sorted tweets
        """
        tweets = sorted(tweet_list, key = lambda tweet: tweet.id, reverse=True)    
        return tweets
    
    def get_all_tweets(self, username):
        """
        Try and retrieve all user's tweets. If not possible, returns all the so far retrieved
        
        Returns a list of retrieved tweets
        """
        timeline=[]
        conn_err = {}
        try:
            for i in Cursor(self.api.user_timeline, screen_name=username, count=200).items():
                timeline.append(i)
    
        except tweepy.TweepError, err:
            conn_err = {'from':'twitter_connection', 'tweetid':'', 'url': 'twitter' ,'error':err.reason}
            #print 'Connection to twitter failed with error :', err
        return (timeline, conn_err)
    
    def get_older_tweets(self, username, oldest_id):
        """
        Retrieve tweets that are older than the one with oldest_id
        """
        older=[]
        conn_err = {}
        try:
            for i in Cursor(self.api.user_timeline, screen_name=username, max_id=oldest_id).items():
                older.append(i)
        except tweepy.TweepError, err:
            conn_err = {'from':'twitter_connection', 'tweetid':'', 'url': 'twitter' ,'error':err}
            #print 'Connection to twitter failed with error :', err
        return (older, conn_err)
        
    def get_latest_tweets(self, username, latest_id):
        """
        Retrieve all tweets that were posted sooner than the one with the latest_id
        """
        latest=[]
        conn_err = {}
        try:
            for i in Cursor(self.api.user_timeline, screen_name=username, since_id=latest_id).items():
                latest.append(i)
        except tweepy.TweepError, err:
            #print 'Connection to twitter failed with error :', err
            conn_err = {'from':'twitter_connection', 'tweetid':'', 'url': 'twitter' ,'error':err}
        return (latest, conn_err)
    
    def get_location_fromplace(self, name):
        """
        Gets location in form of coordinates pair from a lexicographic representation of a place.
        Utilizes the geonames.com service.Not very accurate when the location is bot very specific
        
        Returns a tuple with the location coordinates
        """
        places = self.unpickle_data('places')
        if not places:
            places = {}
        if unicode(name) in places:
            return places[unicode(name)]
        else:
            try:
                params = urllib.urlencode({'q':unicode(name).encode('utf-8'), 'maxRows':1, 'username':'creepy'})
                json = simplejson.load(urllib.urlopen("http://api.geonames.org/searchJSON?%s" % params))
                if 'geonames' in json and json['totalResultsCount'] > 0:
                    places[unicode(name)] = [json['geonames'][0]['lat'], json['geonames'][0]['lng']]
                    self.pickle_data(places, 'places')
                    return [json['geonames'][0]['lat'], json['geonames'][0]['lng']]
                else: return
            except Exception, err:
                #print "error getting info from geonames ", err
                return
        
         
    def get_status_location(self, tweet):
        """
        Tries to determine the location by the information provided from the twitter API
        
        Returns a location dictionary
        """
        data = {}
        if tweet.coordinates:
            data['from'] = 'twitter'
            data['context'] = ('https://twitter.com/%s/status/%s' % (tweet.user.screen_name, tweet.id) , 'Information retrieved from twitter. \n Tweet was : %s \n ' % (tweet.text))
            data['time'] = tweet.created_at
            data['latitude'] = tweet.coordinates['coordinates'][1]
            data['longitude'] = tweet.coordinates['coordinates'][0]
        elif tweet.geo is not None:
            data['from'] = 'twitter' 
            data['context'] = ('https://twitter.com/%s/status/%s' % (tweet.user.screen_name, tweet.id) , 'Information retrieved from twitter.. \n Tweet was : %s \n ' % (tweet.text))
            data['time'] = tweet.created_at 
            data['latitude'] = tweet.geo['coordinates'][0]
            data['longitude'] = tweet.geo['coordinates'][1]
        elif tweet.place is not None:
            name = tweet.place['full_name']
            c = self.get_location_fromplace(name)
            if c:
                data['from'] = 'twitter_place' 
                data['context'] = ('https://twitter.com/%s/status/%s' % (tweet.user.screen_name, tweet.id) , 'Information retrieved from twitter place using GeoNames service. \n Tweet was : %s \n ' % (tweet.text))
                data['time'] = tweet.created_at 
                data['latitude'] = c[0]
                data['longitude'] = c[1]
            else :
                a = tweet.place['bounding_box']['coordinates']
                data['from'] = 'twitter_bounding_box'
                data['context'] = ('https://twitter.com/%s/status/%s' % (tweet.user.screen_name, tweet.id) , 'Information retrieved from twitter bounding box. Really NOT accurate. \n Tweet was : %s \n ' % (tweet.text))
                data['time'] = tweet.created_at 
                data['latitude'] = a[0][0][1]
                data['longitude'] = a[0][0][0]
        return data
    def get_tweets_locations(self, tweets):
        """
        Wrapper function for location information retrieval.
        
        Returns a tuple containing a list of location dictionaries retrieved from the analysis of a list of tweets
        and a list of errors from the process
        """
        location = []
        errors = []
        for tweet in tweets:
            loc1 = self.get_status_location(tweet)
            if loc1:    
                location.append(loc1)
            loc2, errors = self.urlanalyzer.get_photo_location(tweet)
            if loc2:
                location.extend(loc2)
        return (location, errors)
        
             
    def get_twitter_locations(self, username):
        """
        Wrapper function for retrieving a user's locations
        
        Returns a list of location dictionaries for a specific user
        
        """ 
        identifier_tweet ='tweets_'+username
        identifier_loc ='locations_'+username
        results_params = {}
        #Check to see if we have saved tweets and locations for the current user
        tweets_old = self.unpickle_data(identifier_tweet)
        if tweets_old:
            latest_id = tweets_old['latest_id']
            oldest_id = tweets_old['oldest_id']
            latest, err = self.get_latest_tweets(username, latest_id)
            if len(latest) > 0:
                latest_id = latest[0].id
            older, err2 = self.get_older_tweets(username, oldest_id)
            if len(older):
                oldest_id = older[-1].id
            conn_err = dict(err, **err2)
            tweets = latest+older+tweets_old['tweets']
            tweets = self.sort_tweet_list(tweets)
            results_params['tweets'] = tweets_old['total']+len(latest)+len(older)
            locations_old = self.unpickle_data(identifier_loc)
            locations_new, errors = self.get_tweets_locations(tweets)
            locations = locations_old+locations_new    
        else:
            tweets, conn_err = self.get_all_tweets(username)
            locations, errors = self.get_tweets_locations(tweets)
            if len(tweets) > 0:
                latest_id = tweets[0].id
                oldest_id = tweets[-1].id
            results_params['tweets'] = len(tweets)
            
        if conn_err:
            errors.append(conn_err)
            
        results_params['locations'] = len(locations)
        results_params['twitter_errors'] = errors
        
        
        
        #Introducing a threshold for saving the tweets and locations
        if len(tweets) > 0:
            results_params['tweets_count'] = tweets[0].user.statuses_count
            try:
                #I just love it :) Go figure what it does.
                cached_tweets = [tweet for tweet in tweets if tweet.id in [er['tweetid'] for er in errors]]
                #add the latest and the oldest tweet we retrieved as pointers
                cached_data = {'latest_id':latest_id, 'oldest_id':oldest_id, 'tweets':cached_tweets, 'total':results_params['tweets']}
                self.pickle_data(cached_data, identifier_tweet)
                self.pickle_data(locations, identifier_loc)
             
            except Exception, err:
                print 'Exception ',err
        else:
            results_params['tweets_count'] = 0
        return (locations, results_params)