-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathrtm.py
408 lines (345 loc) · 11.4 KB
/
rtm.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
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
# Python library for Remember The Milk API
__author__ = 'Sridhar Ratnakumar <http://nearfar.org/>'
__all__ = (
'API',
'createRTM',
'set_log_level',
)
import warnings
import urllib
import logging
import sys
from hashlib import md5
warnings.simplefilter('default', ImportWarning)
_use_simplejson = False
try:
_ver = sys.version_info
if _ver[0] == 2 and _ver[1] >= 6:
import json as simplejson
else:
import simplejson
_use_simplejson = True
except ImportError:
try:
from django.utils import simplejson
_use_simplejson = True
except ImportError:
pass
if not _use_simplejson:
warnings.warn("simplejson module is not available, "
"falling back to the internal JSON parser. "
"Please consider installing the simplejson module from "
"http://pypi.python.org/pypi/simplejson.", ImportWarning,
stacklevel=2)
logging.basicConfig()
LOG = logging.getLogger(__name__)
LOG.setLevel(logging.INFO)
SERVICE_URL = 'http://api.rememberthemilk.com/services/rest/'
AUTH_SERVICE_URL = 'http://www.rememberthemilk.com/services/auth/'
class RTMError(Exception): pass
class RTMAPIError(RTMError): pass
class AuthStateMachine(object):
class NoData(RTMError): pass
def __init__(self, states):
self.states = states
self.data = {}
def dataReceived(self, state, datum):
if state not in self.states:
raise RTMError, "Invalid state <%s>" % state
self.data[state] = datum
def get(self, state):
if state in self.data:
return self.data[state]
else:
raise AuthStateMachine.NoData, 'No data for <%s>' % state
class RTM(object):
def __init__(self, apiKey, secret, token=None):
self.apiKey = apiKey
self.secret = secret
self.authInfo = AuthStateMachine(['frob', 'token'])
# this enables one to do 'rtm.tasks.getList()', for example
for prefix, methods in API.items():
setattr(self, prefix,
RTMAPICategory(self, prefix, methods))
if token:
self.authInfo.dataReceived('token', token)
self.timeline = self.timelines.create().timeline
def _sign(self, params):
"Sign the parameters with MD5 hash"
pairs = ''.join(['%s%s' % (k,v) for k,v in sortedItems(params)])
return md5(self.secret+pairs).hexdigest()
def get(self, **params):
"Get the XML response for the passed `params`."
params['api_key'] = self.apiKey
params['format'] = 'json'
params['api_sig'] = self._sign(params)
json = openURL(SERVICE_URL, params).read()
LOG.debug("JSON response: \n%s" % json)
if _use_simplejson:
data = dottedDict('ROOT', simplejson.loads(json))
else:
data = dottedJSON(json)
rsp = data.rsp
if rsp.stat == 'fail':
raise RTMAPIError, 'API call failed - %s (%s)' % (
rsp.err.msg, rsp.err.code)
else:
return rsp
def getNewFrob(self):
rsp = self.get(method='rtm.auth.getFrob')
self.authInfo.dataReceived('frob', rsp.frob)
return rsp.frob
def getAuthURL(self):
try:
frob = self.authInfo.get('frob')
except AuthStateMachine.NoData:
frob = self.getNewFrob()
params = {
'api_key': self.apiKey,
'perms' : 'delete',
'frob' : frob
}
params['api_sig'] = self._sign(params)
return AUTH_SERVICE_URL + '?' + urllib.urlencode(params)
def getToken(self):
frob = self.authInfo.get('frob')
rsp = self.get(method='rtm.auth.getToken', frob=frob)
self.authInfo.dataReceived('token', rsp.auth.token)
return rsp.auth.token
class RTMAPICategory:
"See the `API` structure and `RTM.__init__`"
def __init__(self, rtm, prefix, methods):
self.rtm = rtm
self.prefix = prefix
self.methods = methods
def __getattr__(self, attr):
if attr in self.methods:
rargs, oargs = self.methods[attr]
if self.prefix == 'tasksNotes':
aname = 'rtm.tasks.notes.%s' % attr
else:
aname = 'rtm.%s.%s' % (self.prefix, attr)
return lambda **params: self.callMethod(
aname, rargs, oargs, **params)
else:
raise AttributeError, 'No such attribute: %s' % attr
def callMethod(self, aname, rargs, oargs, **params):
# Sanity checks
for requiredArg in rargs:
if requiredArg not in params:
raise TypeError, 'Required parameter (%s) missing' % requiredArg
for param in params:
if param not in rargs + oargs:
warnings.warn('Invalid parameter (%s)' % param)
return self.rtm.get(method=aname,
auth_token=self.rtm.authInfo.get('token'),
**params)
# Utility functions
def sortedItems(dictionary):
"Return a list of (key, value) sorted based on keys"
keys = dictionary.keys()
keys.sort()
for key in keys:
yield key, dictionary[key]
def openURL(url, queryArgs=None):
if queryArgs:
url = url + '?' + urllib.urlencode(queryArgs)
LOG.debug("URL> %s", url)
return urllib.urlopen(url)
class dottedDict(object):
"""Make dictionary items accessible via the object-dot notation."""
def __init__(self, name, dictionary):
self._name = name
if type(dictionary) is dict:
for key, value in dictionary.items():
if type(value) is dict:
value = dottedDict(key, value)
elif type(value) in (list, tuple) and key != 'tag':
value = [dottedDict('%s_%d' % (key, i), item)
for i, item in indexed(value)]
setattr(self, key, value)
else:
raise ValueError, 'not a dict: %s' % dictionary
def __repr__(self):
children = [c for c in dir(self) if not c.startswith('_')]
return 'dotted <%s> : %s' % (
self._name,
', '.join(children))
def safeEval(string):
return eval(string, {}, {})
def dottedJSON(json):
return dottedDict('ROOT', safeEval(json))
def indexed(seq):
index = 0
for item in seq:
yield index, item
index += 1
# API spec
API = {
'auth': {
'checkToken':
[('auth_token',), ()],
'getFrob':
[(), ()],
'getToken':
[('frob',), ()]
},
'contacts': {
'add':
[('timeline', 'contact'), ()],
'delete':
[('timeline', 'contact_id'), ()],
'getList':
[(), ()]
},
'groups': {
'add':
[('timeline', 'group'), ()],
'addContact':
[('timeline', 'group_id', 'contact_id'), ()],
'delete':
[('timeline', 'group_id'), ()],
'getList':
[(), ()],
'removeContact':
[('timeline', 'group_id', 'contact_id'), ()],
},
'lists': {
'add':
[('timeline', 'name',), ('filter',)],
'archive':
[('timeline', 'list_id'), ()],
'delete':
[('timeline', 'list_id'), ()],
'getList':
[(), ()],
'setDefaultList':
[('timeline'), ('list_id')],
'setName':
[('timeline', 'list_id', 'name'), ()],
'unarchive':
[('timeline',), ('list_id',)]
},
'locations': {
'getList':
[(), ()]
},
'reflection': {
'getMethodInfo':
[('methodName',), ()],
'getMethods':
[(), ()]
},
'settings': {
'getList':
[(), ()]
},
'tasks': {
'add':
[('timeline', 'name',), ('list_id', 'parse',)],
'addTags':
[('timeline', 'list_id', 'taskseries_id', 'task_id', 'tags'),
()],
'complete':
[('timeline', 'list_id', 'taskseries_id', 'task_id',), ()],
'delete':
[('timeline', 'list_id', 'taskseries_id', 'task_id'), ()],
'getList':
[(),
('list_id', 'filter', 'last_sync')],
'movePriority':
[('timeline', 'list_id', 'taskseries_id', 'task_id', 'direction'),
()],
'moveTo':
[('timeline', 'from_list_id', 'to_list_id', 'taskseries_id', 'task_id'),
()],
'postpone':
[('timeline', 'list_id', 'taskseries_id', 'task_id'),
()],
'removeTags':
[('timeline', 'list_id', 'taskseries_id', 'task_id', 'tags'),
()],
'setDueDate':
[('timeline', 'list_id', 'taskseries_id', 'task_id'),
('due', 'has_due_time', 'parse')],
'setEstimate':
[('timeline', 'list_id', 'taskseries_id', 'task_id'),
('estimate',)],
'setLocation':
[('timeline', 'list_id', 'taskseries_id', 'task_id'),
('location_id',)],
'setName':
[('timeline', 'list_id', 'taskseries_id', 'task_id', 'name'),
()],
'setPriority':
[('timeline', 'list_id', 'taskseries_id', 'task_id'),
('priority',)],
'setRecurrence':
[('timeline', 'list_id', 'taskseries_id', 'task_id'),
('repeat',)],
'setTags':
[('timeline', 'list_id', 'taskseries_id', 'task_id'),
('tags',)],
'setURL':
[('timeline', 'list_id', 'taskseries_id', 'task_id'),
('url',)],
'uncomplete':
[('timeline', 'list_id', 'taskseries_id', 'task_id'),
()],
},
'tasksNotes': {
'add':
[('timeline', 'list_id', 'taskseries_id', 'task_id', 'note_title', 'note_text'), ()],
'delete':
[('timeline', 'note_id'), ()],
'edit':
[('timeline', 'note_id', 'note_title', 'note_text'), ()]
},
'test': {
'echo':
[(), ()],
'login':
[(), ()]
},
'time': {
'convert':
[('to_timezone',), ('from_timezone', 'to_timezone', 'time')],
'parse':
[('text',), ('timezone', 'dateformat')]
},
'timelines': {
'create':
[(), ()]
},
'timezones': {
'getList':
[(), ()]
},
'transactions': {
'undo':
[('timeline', 'transaction_id'), ()]
},
}
def createRTM(apiKey, secret, token=None):
rtm = RTM(apiKey, secret, token)
if token is None:
print 'No token found'
print 'Give me access here:', rtm.getAuthURL()
raw_input('Press enter once you gave access')
print 'Note down this token for future use:', rtm.getToken()
return rtm
def test(apiKey, secret, token=None):
rtm = createRTM(apiKey, secret, token)
rspTasks = rtm.tasks.getList(filter='dueWithin:"1 week of today"')
print [t.name for t in rspTasks.tasks.list.taskseries]
print rspTasks.tasks.list.id
rspLists = rtm.lists.getList()
# print rspLists.lists.list
print [(x.name, x.id) for x in rspLists.lists.list]
def set_log_level(level):
'''Sets the log level of the logger used by the module.
>>> import rtm
>>> import logging
>>> rtm.set_log_level(logging.INFO)
'''
LOG.setLevel(level)