-
Notifications
You must be signed in to change notification settings - Fork 97
/
Copy pathclient.py
290 lines (251 loc) · 12.3 KB
/
client.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
# Copyright (c) 2018 Adafruit Industries
# Authors: Justin Cooper & Tony DiCola
# Permission is hereby granted, free of charge, to any person obtaining a copy
# of this software and associated documentation files (the "Software"), to deal
# in the Software without restriction, including without limitation the rights
# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
# copies of the Software, and to permit persons to whom the Software is
# furnished to do so, subject to the following conditions:
# The above copyright notice and this permission notice shall be included in all
# copies or substantial portions of the Software.
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
# SOFTWARE.
import json
import pkg_resources
import platform
# import logging
import requests
from .errors import RequestError, ThrottlingError
from .model import Data, Feed, Group
# set outgoing version, pulled from setup.py
version = pkg_resources.require("Adafruit_IO")[0].version
default_headers = {
'User-Agent': 'AdafruitIO-Python/{0} ({1}, {2} {3})'.format(version,
platform.platform(),
platform.python_implementation(),
platform.python_version())
}
class Client(object):
"""Client instance for interacting with the Adafruit IO service using its
REST API. Use this client class to send, receive, and enumerate feed data.
"""
def __init__(self, username, key, proxies=None, base_url='https://io.adafruit.com', api_version = 'v2'):
"""Create an instance of the Adafruit IO REST API client. Key must be
provided and set to your Adafruit IO access key value. Optionaly
provide a proxies dict in the format used by the requests library, a
base_url to point at a different Adafruit IO service (the default is
the production Adafruit IO service over SSL), and a api_version to
add support for future API versions.
"""
self.username = username
self.key = key
self.proxies = proxies
self.api_version = api_version
# self.logger = logging.basicConfig(level=logging.DEBUG, format='%(asctime)s - %(levelname)s - %(message)s')
# Save URL without trailing slash as it will be added later when
# constructing the path.
self.base_url = base_url.rstrip('/')
def _compose_url(self, path, is_time=None):
if not is_time:
return '{0}/api/{1}/{2}/{3}'.format(self.base_url, self.api_version, self.username, path)
else: # return a call to https://io.adafruit.com/api/v2/time/{unit}
return '{0}/api/{1}/{2}'.format(self.base_url, self.api_version, path)
def _handle_error(self, response):
# Handle explicit errors.
if response.status_code == 429:
raise ThrottlingError()
# Handle all other errors (400 & 500 level HTTP responses)
elif response.status_code >= 400:
raise RequestError(response)
# Else do nothing if there was no error.
def _headers(self, given):
headers = default_headers.copy()
headers.update(given)
return headers
def _get(self, path, is_time=None):
response = requests.get(self._compose_url(path, is_time),
headers=self._headers({'X-AIO-Key': self.key}),
proxies=self.proxies)
self._handle_error(response)
if not is_time:
return response.json()
else: # time doesn't need to serialize into json, just return text
return response.text
def _post(self, path, data):
response = requests.post(self._compose_url(path),
headers=self._headers({'X-AIO-Key': self.key,
'Content-Type': 'application/json'}),
proxies=self.proxies,
data=json.dumps(data))
self._handle_error(response)
return response.json()
def _delete(self, path):
response = requests.delete(self._compose_url(path),
headers=self._headers({'X-AIO-Key': self.key,
'Content-Type': 'application/json'}),
proxies=self.proxies)
self._handle_error(response)
# Data functionality.
def send_data(self, feed, value):
"""Helper function to simplify adding a value to a feed. Will append the
specified value to the feed identified by either name, key, or ID.
Returns a Data instance with details about the newly appended row of data.
Note that send_data now operates the same as append.
"""
return self.create_data(feed, Data(value=value))
send = send_data
def send_batch_data(self, feed, data_list):
"""Create a new row of data in the specified feed. Feed can be a feed
ID, feed key, or feed name. Data must be an instance of the Data class
with at least a value property set on it. Returns a Data instance with
details about the newly appended row of data.
"""
path = "feeds/{0}/data/batch".format(feed)
data_dict = type(data_list)((data._asdict() for data in data_list))
self._post(path, {"data": data_dict})
def append(self, feed, value):
"""Helper function to simplify adding a value to a feed. Will append the
specified value to the feed identified by either name, key, or ID.
Returns a Data instance with details about the newly appended row of data.
Note that unlike send the feed should exist before calling append.
"""
return self.create_data(feed, Data(value=value))
def send_location_data(self, feed, value, lat, lon, ele):
"""Sends locational data to a feed
args:
- lat: latitude
- lon: logitude
- ele: elevation
- (optional) value: value to send to the feed
"""
return self.create_data(feed, Data(value = value,lat=lat, lon=lon, ele=ele))
def receive_time(self, time):
"""Returns the time from the Adafruit IO server.
args:
- time (string): millis, seconds, ISO-8601
"""
timepath = "time/{0}".format(time)
return self._get(timepath, is_time=True)
def receive(self, feed):
"""Retrieve the most recent value for the specified feed. Feed can be a
feed ID, feed key, or feed name. Returns a Data instance whose value
property holds the retrieved value.
"""
path = "feeds/{0}/data/last".format(feed)
return Data.from_dict(self._get(path))
def receive_next(self, feed):
"""Retrieve the next unread value from the specified feed. Feed can be
a feed ID, feed key, or feed name. Returns a Data instance whose value
property holds the retrieved value.
"""
path = "feeds/{0}/data/next".format(feed)
return Data.from_dict(self._get(path))
def receive_previous(self, feed):
"""Retrieve the previous unread value from the specified feed. Feed can
be a feed ID, feed key, or feed name. Returns a Data instance whose
value property holds the retrieved value.
"""
path = "feeds/{0}/data/previous".format(feed)
return Data.from_dict(self._get(path))
def data(self, feed, data_id=None):
"""Retrieve data from a feed. Feed can be a feed ID, feed key, or feed
name. Data_id is an optional id for a single data value to retrieve.
If data_id is not specified then all the data for the feed will be
returned in an array.
"""
if data_id is None:
path = "feeds/{0}/data".format(feed)
return list(map(Data.from_dict, self._get(path)))
else:
path = "feeds/{0}/data/{1}".format(feed, data_id)
return Data.from_dict(self._get(path))
def create_data(self, feed, data):
"""Create a new row of data in the specified feed. Feed can be a feed
ID, feed key, or feed name. Data must be an instance of the Data class
with at least a value property set on it. Returns a Data instance with
details about the newly appended row of data.
"""
path = "feeds/{0}/data".format(feed)
return Data.from_dict(self._post(path, data._asdict()))
def delete(self, feed, data_id):
"""Delete data from a feed. Feed can be a feed ID, feed key, or feed
name. Data_id must be the ID of the piece of data to delete.
"""
path = "feeds/{0}/data/{1}".format(feed, data_id)
self._delete(path)
# Feed functionality.
def feeds(self, feed=None):
"""Retrieve a list of all feeds, or the specified feed. If feed is not
specified a list of all feeds will be returned. If feed is specified it
can be a feed name, key, or ID and the requested feed will be returned.
"""
if feed is None:
path = "feeds"
return list(map(Feed.from_dict, self._get(path)))
else:
path = "feeds/{0}".format(feed)
return Feed.from_dict(self._get(path))
def create_feed(self, feed):
"""Create the specified feed. Feed should be an instance of the Feed
type with at least the name property set.
"""
path = "feeds/"
return Feed.from_dict(self._post(path, {"feed": feed._asdict()}))
def delete_feed(self, feed):
"""Delete the specified feed. Feed can be a feed ID, feed key, or feed
name.
"""
path = "feeds/{0}".format(feed)
self._delete(path)
def receive_group(self, group):
"""Retrieve the most recent value for the specified group. Group can be
a group ID, group key, or group name. Returns a Group instance whose
feeds property holds an array of Feed instances associated with the group.
"""
path = "groups/{0}/last".format(group)
return Group.from_dict(self._get(path))
def receive_next_group(self, group):
"""Retrieve the next unread value from the specified group. Group can
be a group ID, group key, or group name. Returns a Group instance whose
feeds property holds an array of Feed instances associated with the
group.
"""
path = "groups/{0}/next".format(group)
return Group.from_dict(self._get(path))
def receive_previous_group(self, group):
"""Retrieve the previous unread value from the specified group. Group
can be a group ID, group key, or group name. Returns a Group instance
whose feeds property holds an array of Feed instances associated with
the group.
"""
path = "groups/{0}/previous".format(group)
return Group.from_dict(self._get(path))
def groups(self, group=None):
"""Retrieve a list of all groups, or the specified group. If group is
not specified a list of all groups will be returned. If group is
specified it can be a group name, key, or ID and the requested group
will be returned.
"""
if group is None:
path = "groups/"
return list(map(Group.from_dict, self._get(path)))
else:
path = "groups/{0}".format(group)
return Group.from_dict(self._get(path))
def create_group(self, group):
"""Create the specified group. Group should be an instance of the Group
type with at least the name and feeds property set.
"""
path = "groups/"
return Group.from_dict(self._post(path, group._asdict()))
def delete_group(self, group):
"""Delete the specified group. Group can be a group ID, group key, or
group name.
"""
path = "groups/{0}".format(group)
self._delete(path)