-
Notifications
You must be signed in to change notification settings - Fork 9
/
Copy pathclient_test.go
361 lines (309 loc) · 12.7 KB
/
client_test.go
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
package v3
import (
"context"
"flag"
"fmt"
"log"
"net/url"
"os"
"strings"
"testing"
"time"
"github.com/stretchr/testify/assert"
"golang.org/x/oauth2"
cc "golang.org/x/oauth2/clientcredentials"
)
var (
ctx context.Context
client *APIClient
clientID = flag.String("client-id", "", "Client ID obtained using client credentials")
clientSecret = flag.String("client-secret", "", "Client Secreted obtained using client credentials")
)
func testCreateDevice(t *testing.T) ArduinoDevicev2 {
deviceName := "TestDevice"
devicePayload := CreateDevicesV2Payload{
Name: &deviceName,
Type: "mkr1000",
}
device, _, err := client.DevicesV2API.DevicesV2Create(ctx).CreateDevicesV2Payload(devicePayload).Execute()
assert.NoError(t, err, "No errors creating device")
assert.Equal(t, *devicePayload.Name, device.Name, "Device name was correctly set")
assert.Equal(t, devicePayload.Type, device.Type, "Device type was correctly set")
assert.NotNil(t, device.Id, "Device ID was correctly generated")
return *device
}
func testCreateThing(t *testing.T, name string) ArduinoThing {
time.Sleep(5 * time.Second)
thingPayload := ThingCreate{
Name: &name,
}
thing, _, err := client.ThingsV2API.ThingsV2Create(ctx).ThingCreate(thingPayload).Execute()
assert.NoError(t, err, "No errors creating thing")
assert.Equal(t, *thingPayload.Name, thing.Name, "Thing name was correctly set")
assert.NotNil(t, thing.Id, "Thing ID was correctly generated")
t.Logf("Created thing: %s userId: %s", thing.Id, thing.UserId)
return *thing
}
func testAttachDeviceThing(t *testing.T, thingID, deviceID string) ArduinoThing {
thing, _, err := client.ThingsV2API.ThingsV2Update(ctx, thingID).ThingUpdate(ThingUpdate{
DeviceId: &deviceID,
}).Execute()
assert.NoError(t, err, "No errors updating thing")
assert.Equal(t, deviceID, *thing.DeviceId, "Device was correctly attached")
assert.Equal(t, thingID, thing.Id, "Thing id was correctly set")
assert.NotNil(t, thing.Id, "Thing ID was correctly generated")
return *thing
}
func TestMain(m *testing.M) {
// Check credentials
flag.Parse()
*clientID = strings.TrimSpace(*clientID)
if *clientID == "" {
*clientID = os.Getenv("CLIENT_ID")
}
*clientSecret = strings.TrimSpace(*clientSecret)
if *clientSecret == "" {
*clientSecret = os.Getenv("CLIENT_SECRET")
}
if *clientID == "" || *clientSecret == "" {
log.Fatalf("Invalid credentials, use -client-id -client-secret")
}
// We need to pass the additional "audience" var to request an access token
additionalValues := url.Values{}
additionalValues.Add("audience", "https://api2.arduino.cc/iot")
// Set up OAuth2 configuration
config := cc.Config{
ClientID: *clientID,
ClientSecret: *clientSecret,
TokenURL: "https://api2.arduino.cc/iot/v1/clients/token",
EndpointParams: additionalValues,
}
// Get the access token in exchange of client_id and client_secret
tok, err := config.Token(context.Background())
if err != nil {
log.Fatalf("Error retrieving access token, %v", err)
}
// Confirm we got the token and print expiration time
log.Printf("Got an access token, will expire on %s", tok.Expiry)
// We use the token to create a context that will be passed to any API call
ctx = context.WithValue(context.Background(), ContextOAuth2, oauth2.StaticTokenSource(
&oauth2.Token{AccessToken: tok.AccessToken},
))
// Create an instance of the iot-api Go client, we pass an empty config
// because defaults are ok
client = NewAPIClient(NewConfiguration())
cleanup()
code := m.Run()
cleanup()
// call flag.Parse() here if TestMain uses flags
os.Exit(code)
}
func cleanup() {
log.Printf("Cleaning devices...")
// Delete devices
devices, _, err := client.DevicesV2API.DevicesV2List(ctx).Execute()
if err != nil {
panic(err)
}
for _, d := range devices {
_, err = client.DevicesV2API.DevicesV2Delete(ctx, d.Id).Execute()
if err != nil {
panic(err)
}
}
// Delete things
log.Printf("Cleaning things...")
things, _, err := client.ThingsV2API.ThingsV2List(ctx).Execute()
if err != nil {
panic(err)
}
for _, t := range things {
_, err = client.ThingsV2API.ThingsV2Delete(ctx, t.Id).Execute()
if err != nil {
panic(err)
}
}
}
func TestDevicesAPI(t *testing.T) {
// Get the list of devices for the current user
devices, _, err := client.DevicesV2API.DevicesV2List(ctx).Execute()
assert.NoError(t, err, "No errors listing devices")
// Ensure is empty
assert.Equal(t, 0, len(devices), "Device list is empty")
// Add a new device
device := testCreateDevice(t)
// Show device
newDevice, _, err := client.DevicesV2API.DevicesV2Show(ctx, device.Id).Execute()
assert.NoError(t, err, "No errors showing device")
assert.Equal(t, device.Name, newDevice.Name, "Device Name is correct")
assert.Equal(t, device.Type, newDevice.Type, "Device ID is correct")
assert.Equal(t, device.Id, newDevice.Id, "Device ID is correct")
// Check if there's only 1 device
devices, _, err = client.DevicesV2API.DevicesV2List(ctx).Execute()
assert.NoError(t, err, "No errors listing devices")
assert.Equal(t, 1, len(devices), "Device list should contain only 1 device")
// Update device name
newName := "TestDevice2"
updatedDevice, _, err := client.DevicesV2API.DevicesV2Update(ctx, device.Id).Devicev2(Devicev2{
Name: &newName,
}).Execute()
assert.NoError(t, err, "No error updating device")
assert.Equal(t, newName, updatedDevice.Name, "Name was updated correctly")
// Delete device
deleteReq := client.DevicesV2API.DevicesV2Delete(ctx, device.Id)
forceDeletion := true
deleteReq.force = &forceDeletion
_, err = deleteReq.Execute()
assert.NoError(t, err, "No errors deleting device")
// Ensure device list is empty
devices, _, err = client.DevicesV2API.DevicesV2List(ctx).Execute()
assert.NoError(t, err, "No errors listing devices")
assert.Equal(t, 0, len(devices), "Device list is empty")
// Try to get the no more existing device
storedDevice, _, err := client.DevicesV2API.DevicesV2Show(ctx, device.Id).Execute()
assert.Contains(t, err.Error(), "404", "Error should not found")
assert.Nil(t, storedDevice, "Device should be empty")
}
func TestThingsAPI(t *testing.T) {
// Add a new device
device := testCreateDevice(t)
// Create a thing without a device
thingName := "TestThing"
thing := testCreateThing(t, thingName)
// Attach a device to the thing
thing = testAttachDeviceThing(t, thing.Id, device.Id)
// Show thing
createdThing, _, err := client.ThingsV2API.ThingsV2Show(ctx, thing.Id).Execute()
assert.NoError(t, err, "No errors showing thing")
assert.Equal(t, thingName, createdThing.Name, "Name is correct")
assert.Equal(t, device.Id, *createdThing.DeviceId, "Device is correct")
// Delete thing
_, err = client.ThingsV2API.ThingsV2Delete(ctx, thing.Id).Execute()
assert.NoError(t, err, "No errors deleting thing")
// Try to get the no more existing thing
storedThing, _, err := client.ThingsV2API.ThingsV2Show(ctx, thing.Id).Execute()
assert.Contains(t, err.Error(), "404", "Error should be not found")
assert.Nil(t, storedThing, "Thing should be empty")
// Delete device
_, err = client.DevicesV2API.DevicesV2Delete(ctx, device.Id).Execute()
assert.NoError(t, err, "No errors deleting device")
}
func Disabled_TestProperties(t *testing.T) {
// Create a device
device := testCreateDevice(t)
thingName := fmt.Sprintf("ThingName-%d", time.Now().Unix())
// Create a thing
thing := testCreateThing(t, thingName)
// Attach the device to the thing
thing = testAttachDeviceThing(t, thing.Id, device.Id)
// Create a property
persist := true
propertyPayload := Property{
Name: "testInt",
Type: "INT",
Permission: "READ_WRITE",
UpdateStrategy: "ON_CHANGE",
Persist: &persist,
}
property, _, err := client.PropertiesV2API.PropertiesV2Create(ctx, thing.Id).Property(propertyPayload).Execute()
assert.NoError(t, err, "No errors creating properties")
assert.Equal(t, propertyPayload.Name, property.Name, "Property name was set correctly")
assert.Equal(t, propertyPayload.Type, property.Type, "Property type was set correctly")
assert.Equal(t, propertyPayload.Permission, property.Permission, "Property permission was set correctly")
assert.Equal(t, propertyPayload.UpdateStrategy, property.UpdateStrategy, "Property update strategy was set correctly")
// Generate a sketch
storedThing, _, err := client.ThingsV2API.ThingsV2CreateSketch(ctx, thing.Id).ThingSketch(ThingSketch{}).Execute()
assert.NoError(t, err, "No errors creating sketch")
assert.NotNil(t, storedThing.SketchId, "Sketch ID is not null")
// Create another property
propertyPayload = Property{
Name: "testInt2",
Type: "INT",
Permission: "READ_WRITE",
UpdateStrategy: "ON_CHANGE",
Persist: &persist,
}
property, _, err = client.PropertiesV2API.PropertiesV2Create(ctx, thing.Id).Property(propertyPayload).Execute()
assert.NoError(t, err, "No errors creating properties")
assert.Equal(t, propertyPayload.Name, property.Name, "Property name was set correctly")
assert.Equal(t, propertyPayload.Type, property.Type, "Property type was set correctly")
assert.Equal(t, propertyPayload.Permission, property.Permission, "Property permission was set correctly")
assert.Equal(t, propertyPayload.UpdateStrategy, property.UpdateStrategy, "Property update strategy was set correctly")
assert.NotNil(t, property.Id, "Property ID is not null")
// Update sketch
storedThing, _, err = client.ThingsV2API.ThingsV2UpdateSketch(ctx, thing.Id, *storedThing.SketchId).Execute()
assert.NoError(t, err, "No errors updating sketch")
assert.NotNil(t, storedThing.SketchId, "Sketch ID is not null")
// Publish property
propertyValue := float64(100)
_, err = client.PropertiesV2API.PropertiesV2Publish(ctx, thing.Id, property.Id).PropertyValue(PropertyValue{
Value: propertyValue,
}).Execute()
assert.NoError(t, err, "No errors publishing property")
// Wait for data pipeline ingest the last value
time.Sleep(15 * time.Second)
// Get Last value
t.Logf("Check property thingid:%s pid:%s", thing.Id, property.Id)
property, _, err = client.PropertiesV2API.PropertiesV2Show(ctx, thing.Id, property.Id).Execute()
t.Logf("Error %v", err)
assert.NoError(t, err, "No errors showing propery")
assert.Equal(t, propertyValue, property.LastValue, "Last value is correct")
// Get value from series batch query
now := time.Now().UTC()
from := now.Add(-3600 * time.Second)
limit := int64(1000)
sort := "ASC"
request := BatchQueryRawRequestMediaV1{
From: &from,
To: &now,
SeriesLimit: &limit,
Q: "property." + property.Id,
}
t.Logf("Time from %s, to %s", from, now)
batch, _, err := client.SeriesV2API.SeriesV2BatchQueryRaw(ctx).BatchQueryRawRequestsMediaV1(BatchQueryRawRequestsMediaV1{
Requests: []BatchQueryRawRequestMediaV1{
request,
},
}).Execute()
assert.NoError(t, err, "No errors in batch query")
assert.Equal(t, int64(1), batch.Responses[0].CountValues, "Only 1 value should be present")
assert.Equal(t, propertyValue, batch.Responses[0].Values[0], "Value should be correct")
// Get value from series batch query raw
batchRaw, _, err := client.SeriesV2API.SeriesV2BatchQueryRaw(ctx).BatchQueryRawRequestsMediaV1(BatchQueryRawRequestsMediaV1{
Requests: []BatchQueryRawRequestMediaV1{
{
From: &from,
To: &now,
Q: "property." + property.Id,
SeriesLimit: &limit,
Sort: &sort,
},
},
}).Execute()
assert.NoError(t, err, "No errors getting raw series")
assert.Equal(t, int64(1), batchRaw.Responses[0].CountValues, "Only 1 value should be present")
assert.Equal(t, propertyValue, batchRaw.Responses[0].Values[0], "Value should be correct")
batchLastValue, _, err := client.SeriesV2API.SeriesV2BatchQueryRawLastValue(ctx).BatchLastValueRequestsMediaV1(BatchLastValueRequestsMediaV1{
Requests: []BatchQueryRawLastValueRequestMediaV1{
{
PropertyId: property.Id,
ThingId: thing.Id,
},
},
}).Execute()
assert.Equal(t, int64(1), batchLastValue.Responses[0].CountValues, "Only 1 value should be present")
assert.Equal(t, propertyValue, batchLastValue.Responses[0].Values[0], "Value should be correct")
assert.NoError(t, err, "No errors getting raw series last value")
// Delete sketch
storedThing, _, err = client.ThingsV2API.ThingsV2DeleteSketch(ctx, thing.Id).Execute()
assert.NoError(t, err, "No errors updating sketch")
assert.Nil(t, storedThing.SketchId, "Sketch ID is nil")
// Delete property
_, err = client.PropertiesV2API.PropertiesV2Delete(ctx, thing.Id, property.Id).Execute()
assert.NoError(t, err, "No errors deleting property")
// Delete device and thing
_, err = client.DevicesV2API.DevicesV2Delete(ctx, device.Id).Execute()
assert.NoError(t, err, "No errors deleting device")
_, err = client.ThingsV2API.ThingsV2Delete(ctx, thing.Id).Execute()
assert.NoError(t, err, "No errors deleting thing")
}