-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathfetch-oauth2.py
executable file
·344 lines (277 loc) · 10.1 KB
/
fetch-oauth2.py
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
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
#!/usr/bin/env python
import sys, os, errno, copy, string
import StringIO
import oauth2 as oauth
from lxml import etree
from copy import deepcopy
# constants
reqcount = 200
def ensure_dir(f):
d = os.path.dirname(f)
if not os.path.exists(d):
os.makedirs(d)
# load properties from files
# from http://www.linuxtopia.org/online_books/programming_books/python_programming/python_ch34s04.html
def getprops(filename):
#propFile= file( r"secrets.properties", "rU" )
propDict= dict()
try:
with open (filename, "rU") as propFile:
for propLine in propFile:
propDef= propLine.strip()
if len(propDef) == 0:
continue
if propDef[0] in ( '!', '#' ):
continue
punctuation= [ propDef.find(c) for c in ':= ' ] + [ len(propDef) ]
found= min( [ pos for pos in punctuation if pos != -1 ] )
name= propDef[:found].rstrip()
value= propDef[found:].lstrip(":= ").rstrip()
propDict[name]= value
propFile.close()
except (IOError):
print filename + ".properties not found"
return propDict
# all this datetime stuff is from the Python docs:
# http://docs.python.org/library/datetime.html#tzinfo-objects
# A class capturing the platform's idea of local time.
from datetime import tzinfo, timedelta, datetime
ZERO = timedelta(0)
HOUR = timedelta(hours=1)
import time
# A UTC class.
class UTC(tzinfo):
"""UTC"""
def utcoffset(self, dt):
return ZERO
def tzname(self, dt):
return "UTC"
def dst(self, dt):
return ZERO
utc = UTC()
STDOFFSET = timedelta(seconds = -time.timezone)
if time.daylight:
DSTOFFSET = timedelta(seconds = -time.altzone)
else:
DSTOFFSET = STDOFFSET
DSTDIFF = DSTOFFSET - STDOFFSET
class LocalTimezone(tzinfo):
def utcoffset(self, dt):
if self._isdst(dt):
return DSTOFFSET
else:
return STDOFFSET
def dst(self, dt):
if self._isdst(dt):
return DSTDIFF
else:
return ZERO
def tzname(self, dt):
return time.tzname[self._isdst(dt)]
def _isdst(self, dt):
tt = (dt.year, dt.month, dt.day,
dt.hour, dt.minute, dt.second,
dt.weekday(), 0, 0)
stamp = time.mktime(tt)
tt = time.localtime(stamp)
return tt.tm_isdst > 0
Local = LocalTimezone()
def twitter_time_to_str(t):
# if not a valid twitter timestamp, return empty string
try:
return timestamp.strptime(t.replace("+0000 ", ""), '%a %b %d %H:%M:%S %Y').strftime("%Y-%m-%d %H:%M:%S+0000")
except:
return ""
timestamp = datetime.now().replace(tzinfo=Local)
tsstr_filename = timestamp.strftime("%Y-%m-%d-%H%M%S")
tsstr_monthpath = timestamp.strftime("%Y/%m")
tsstr = timestamp.strftime("%Y-%m-%d %H:%M:%S%z")
# load secrets
secrets = getprops("secrets.properties")
# load last_ids
# collect dict containing last id collected from each list
last_ids = getprops("ids.properties")
new_last_ids = copy.deepcopy(last_ids)
# collect ids of referenced tweets
references = []
# collect months represented in this download, in form "2011/02"
# (for use when creating output file paths)
months = []
# master xml file for output
master = etree.Element("tweetarchive", timestamp_fetch=tsstr)
# Set up your Consumer and Token and Client
consumer = oauth.Consumer(secrets['CONSUMER_KEY'], secrets['CONSUMER_SECRET'])
token = oauth.Token(secrets['ACCESS_KEY'], secrets['ACCESS_SECRET'])
client = oauth.Client(consumer, token)
### Make the auth request ###
# Set the API endpoint
endpoint = "https://api.twitter.com/oauth/request_token"
# Set the base oauth_* parameters along with any other parameters required
# for the API call.
oauth_params = {
'oauth_version': "1.0",
'oauth_nonce': oauth.generate_nonce(),
'oauth_timestamp': int(time.time()),
'oauth_token': secrets['ACCESS_KEY'],
'oauth_consumer_key': secrets['CONSUMER_KEY']
}
# Create our request.
req = oauth.Request(method="POST", url=endpoint, parameters=oauth_params)
# Sign the request.
signature_method = oauth.SignatureMethod_HMAC_SHA1()
req.sign_request(signature_method, consumer, token)
# function to fetch a given list, iterating through pages until all the tweets have
# been received
def fetchlist(listpath):
listname = string.replace(listpath, '/', '_')
print
print "Fetching " + listpath
# start with an empty list
statuses = etree.Element("statuses", type="array", name=listname)
page = 1
finished = False
id_to = "none"
id_from = "none"
timestamp_to = "none"
timestamp_from = "none"
while finished == False:
print "Page: " + str(page)
# url = "http://api.twitter.com/" + listpath + ".xml?include_rts=true&include_entities=true&count=" + str(reqcount) + "&page=" + str(page)
url = "http://api.twitter.com/1/" + listpath + ".xml?count=" + str(reqcount) + "&page=" + str(page)
# if id_from != 'none':
# url += "&max_id=" + str(id_from)
if listname in last_ids:
url += "&since_id=" + last_ids[listname]
print "last id for " + listpath + ": " + last_ids[listname]
print url
resp, content = client.request(url, "GET")
# resp is of type 'httplib2.Response'
respdict = dict(resp.items())
#print "Rate limit remaining: " + respdict['x-ratelimit-remaining'] + " of " + respdict['x-ratelimit-limit']
#print " (reset at " + time.strftime("%H:%M:%S %Z, %a, %d %b %Y", time.localtime(float(respdict['x-ratelimit-reset']))) + ")"
print "Request: " + listpath + " / Response: " + str(resp.status) + " " + resp.reason
# parse the XML
if resp.status == 200:
contentasfile = StringIO.StringIO(content)
root = etree.parse(contentasfile)
# determine xpath needed to get individual tweets
if listname.find('statuses') != -1:
xp = "/statuses/status"
elif listname.find('direct_messages') != -1:
xp = "/direct-messages/direct_message"
statuscount = int(root.xpath("count(" + xp + ")"))
if statuscount > 0:
if page == 1:
id_to = root.xpath(xp + "[1]/id")[0].text
timestamp_to = root.xpath(xp + "[1]/created_at")[0].text
new_last_ids.update({listname: id_to})
id_from = root.xpath(xp + "[last()]/id")[0].text
timestamp_from = root.xpath(xp + "[last()]/created_at")[0].text
print "ids:" + str(statuscount) + " from " + id_from + " to " + id_to
# add newly fetched statuses to our XML
for status in root.xpath(xp):
# statusTimestamp format is 2011-02-16 18:48:01+0000
statusTimestamp = twitter_time_to_str(root.xpath(xp + "[1]/created_at")[0].text)
statusMonth = statusTimestamp[0:4] + "/" + statusTimestamp[5:7]
status.set("timestamp", statusTimestamp)
status.set("month", statusMonth)
statuses.append(status)
if status.xpath("in_reply_to_status_id"):
ref = status.xpath("in_reply_to_status_id")[0].text
if ref:
if not ref in references:
references.append(ref)
# print "Added " + ref
# else:
# print "Dupe " + ref
if not statusMonth in months:
months.append(statusMonth)
page += 1
else:
print "reached empty response"
finished = True
# add to and from attributes to root
statuses.set("id_to", str(id_to))
statuses.set("id_from", str(id_from))
# twitter timestamps are in this format: Sat Oct 16 01:38:40 +0000 2010
# python can't parse the timezone, so we remove it before parsing
if timestamp_from != "none":
td_from_str = twitter_time_to_str(timestamp_from)
else:
td_from_str = ""
if timestamp_to != "none":
td_to_str = twitter_time_to_str(timestamp_to)
else:
td_to_str = ""
statuses.set("timestamp_from", td_from_str)
statuses.set("timestamp_to", td_to_str)
# output the xml
master.append(statuses)
else:
finished=True
print "Download of " + listpath + " failed."
# now actually do the fetching
fetchlist("statuses/user_timeline")
fetchlist("statuses/mentions")
#fetchlist("statuses/retweets_of_me")
fetchlist("direct_messages")
fetchlist("direct_messages/sent")
# fetch referenced tweets
statuses = etree.Element("statuses", type="array", name="references")
print "Handling " + str(len(references)) + " referenced tweets"
for id in references:
url = "http://api.twitter.com/statuses/show/" + id + ".xml"
resp, content = client.request(url, "GET")
# parse the XML
contentasfile = StringIO.StringIO(content)
root = etree.parse(contentasfile)
for status in root.xpath("/status"):
status.set("timestamp", twitter_time_to_str(root.xpath("created_at")[0].text))
statuses.append(status)
# output the xml
master.append(statuses)
# For each month in current master, create a directory and a download file
# containing the tweets from that month.
for month in months:
print " month: " + month
monthStatuses = etree.Element("tweetarchive", timestamp_fetch=tsstr)
for statusSet in master.xpath("statuses"):
setname = statusSet.get("name")
print " set: " + setname
statuses = etree.Element("statuses", type="array")
statuses.set("name", setname)
for status in statusSet.xpath("*[@month = '" + month + "']"):
statuses.append(copy.deepcopy(status))
monthStatuses.append(statuses)
filename = "archive/xml/" + month + "/" + tsstr_filename + ".xml"
ensure_dir(filename)
with open (filename, "w") as f:
f.write(etree.tostring(monthStatuses, xml_declaration=True, encoding='utf-8', pretty_print=True))
f.closed
# output the master xml
filename = "archive/masters/" + tsstr_monthpath + "/" + tsstr_filename + ".xml"
ensure_dir(filename)
with open (filename, "w") as f:
f.write(etree.tostring(master, xml_declaration=True, encoding='utf-8', pretty_print=True))
f.closed
# handle list of last ids
with open ("ids_" + tsstr_filename + ".properties", "w") as f:
f.write("timestamp = " + tsstr_filename + "\n")
for key in new_last_ids.keys():
f.write(key + " = " + new_last_ids.get(key) + "\n")
f.closed
# now rename old file using its timestamp
if 'timestamp' in last_ids:
lastts = last_ids['timestamp']
else:
lastts = "first"
try:
os.rename("ids.properties", "ids_" + lastts + ".properties")
except OSError as exc: # Python >2.5
# if old ids properties file doesn't exist, that's ok: we'll just create a new one
if exc.errno == errno.ENOENT:
pass
else:
raise
# and rename new file to be the default
os.rename("ids_" + tsstr_filename + ".properties", "ids.properties")