-
Notifications
You must be signed in to change notification settings - Fork 42
/
Copy pathmeasurementsController.js
592 lines (544 loc) · 22.1 KB
/
measurementsController.js
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
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
'use strict';
const {
BadRequestError,
UnsupportedMediaTypeError,
} = require('restify-errors'),
{ Measurement, Box } = require('@sensebox/opensensemap-api-models'),
{
checkContentType,
createDownloadFilename,
csvStringifier,
} = require('../helpers/apiUtils'),
{
retrieveParameters,
validateFromToTimeParams,
} = require('../helpers/userParamHelpers'),
handleError = require('../helpers/errorHandler'),
OutlierTransformer = require('../transformers/outlierTransformer'),
jsonstringify = require('stringify-stream'),
{ UnauthorizedError, NotFoundError } = require('restify-errors');
/**
* @apiDefine SensorLastMeasurement
*
* @apiSuccess {Object} sensors.lastMeasurement Object representing the latest measruement
* @apiSuccess {String} sensors.lastMeasurement.value the measured value of the sensor
* @apiSuccess {RFC3339Date} sensor.lastMeasurement.createdAt the timestamp of the measurement
*/
/**
* @apiDefine MeasurementArray
*
* @apiSuccess {Measurement[]} measurement Array containing queried measurements
* @apiSuccess {String[]} measurement.location
* @apiSuccess {String} measurement.value the measured value of the sensor
* @apiSuccess {RFC3339Date} measurement.createdAt timestamp of the measurement
*/
/**
* @api {get} /boxes/:senseBoxId/sensors Get latest measurements of a senseBox
* @apiDescription Get the latest measurements of all sensors of the specified senseBox.
* @apiGroup Measurements
* @apiName getLatestMeasurements
* @apiUse BoxIdParam
* @apiParam {NumberNumber=1-100} [count] Number of measurements to be retrieved for every sensor.
*
* @apiSuccess {String} _id unique identifier of this senseBox
* @apiUse SensorsArray
* @apiUse SensorLastMeasurement
*/
/**
* @api {get} /boxes/:senseBoxId/sensors/:sensorId Get latest measurements of a sensor
* @apiDescription Get the latest measurements of a sensor.
* @apiGroup Measurements
* @apiName getLatestMeasurementOfSensor
* @apiUse BoxIdParam
* @apiUse SensorIdParam
* @apiParam {Boolean="true","false"} [onlyValue] If set to true only returns the measured value without information about the sensor. Requires a sensorId.
*
* @apiUse SensorSuccessResponse
* @apiUse SensorLastMeasurement
*/
const getLatestMeasurements = async function getLatestMeasurements (req, res) {
const { _userParams: params } = req;
let box;
try {
if (req._userParams.count) {
box = await Box.findBoxById(req._userParams.boxId, {
populate: false,
onlyLastMeasurements: false,
count: req._userParams.count,
projection: {
name: 1,
lastMeasurementAt: 1,
sensors: 1,
grouptag: 1
}
});
const measurements = await Measurement.findLatestMeasurementsForSensorsWithCount(box, req._userParams.count);
for (let index = 0; index < box.sensors.length; index++) {
const sensor = box.sensors[index];
const values = measurements.find(elem => elem._id.equals(sensor._id));
sensor['lastMeasurements'] = values;
}
} else {
box = await Box.findBoxById(req._userParams.boxId, {
onlyLastMeasurements: true
});
}
} catch (err) {
return handleError(err);
}
if (params.sensorId) {
const sensor = box.sensors.find(s => s._id.equals(params.sensorId));
if (sensor) {
if (params.onlyValue) {
if (!sensor.lastMeasurement) {
res.send(undefined);
return;
}
res.send(sensor.lastMeasurement.value);
return;
}
res.send(sensor);
return;
}
res.send(new NotFoundError(`Sensor with id ${params.sensorId} does not exist`));
} else {
res.send(box);
}
};
/**
* @apiDefine SeparatorParam
*
* @apiParam {String=comma,semicolon} [delimiter=comma] Only for csv: the delimiter for csv. Possible values: `semicolon`, `comma`. Per default a comma is used. Alternatively you can use separator as parameter name.
*/
/**
* @apiDefine OutlierParameters
*
* @apiParam {String="replace","mark"} [outliers] Specifying this parameter enables outlier calculation which adds a new field called `isOutlier` to the data. Possible values are "mark" and "replace".
* @apiParam {Number=1-50} [outlier-window=15] Size of moving window used as base to calculate the outliers.
*/
const jsonLocationReplacer = function jsonLocationReplacer (k, v) {
// dont send unnecessary nested location
return (k === 'location') ? v.coordinates : v;
};
/**
* @api {get} /boxes/:senseBoxId/data/:sensorId?from-date=fromDate&to-date=toDate&download=true&format=json Get the 10000 latest measurements for a sensor
* @apiDescription Get up to 10000 measurements from a sensor for a specific time frame, parameters `from-date` and `to-date` are optional. If not set, the last 48 hours are used. The maximum time frame is 1 month. If `download=true` `Content-disposition` headers will be set. Allows for JSON or CSV format.
* @apiGroup Measurements
* @apiName getData
* @apiUse BoxIdParam
* @apiUse SensorIdParam
* @apiUse OutlierParameters
* @apiParam {RFC3339Date} [from-date] Beginning date of measurement data (default: 48 hours ago from now)
* @apiParam {RFC3339Date} [to-date] End date of measurement data (default: now)
* @apiParam {String="json","csv"} [format=json] Can be 'json' (default) or 'csv' (default: json)
* @apiParam {Boolean="true","false"} [download] if specified, the api will set the `content-disposition` header thus forcing browsers to download instead of displaying. Is always true for format csv.
* @apiUse SeparatorParam
*
* @apiUse MeasurementArray
* @apiSuccessExample Example data for :format=json
* [
{
"location": [
7,
52
],
"createdAt": "2023-09-29T08:06:13.254Z",
"value": "6.38"
},
{
"location": [
7,
52
],
"createdAt": "2023-09-29T08:06:12.312Z",
"value": "6.38"
}
]
*
* @apiSuccessExample Example data for :format=csv
* createdAt,value
2023-09-29T08:06:13.254Z,6.38
2023-09-29T08:06:12.312Z,6.38
2023-09-29T08:06:11.513Z,6.38
2023-09-29T08:06:10.380Z,6.38
2023-09-29T08:06:09.569Z,6.38
2023-09-29T08:06:05.967Z,6.38
*/
const getData = async function getData (req, res) {
const { sensorId, format, download, outliers, outlierWindow, delimiter } = req._userParams;
let stringifier;
// IDEA: add geojson point featurecollection format
if (format === 'csv') {
res.header('Content-Type', 'text/csv');
stringifier = csvStringifier(['createdAt', 'value'], delimiter);
} else if (format === 'json') {
res.header('Content-Type', 'application/json; charset=utf-8');
// IDEA: add geojson point featurecollection format
stringifier = jsonstringify({ open: '[', close: ']' }, jsonLocationReplacer);
}
if (download === 'true') {
res.header('Content-Disposition', `attachment; filename=${sensorId}.${format}`);
}
let measurementsStream = Measurement.getMeasurementsStream(req._userParams)
.on('error', function (err) {
return handleError(err);
});
if (outliers) {
measurementsStream = measurementsStream
.pipe(new OutlierTransformer({
window: Math.trunc(outlierWindow), // only allow integer values
replaceOutlier: (outliers === 'replace')
}));
}
// A last time flush headers :)
res.flushHeaders();
measurementsStream
.pipe(stringifier)
.pipe(res);
};
/**
* @api {get,post} /boxes/data?boxId=:senseBoxIds&from-date=:fromDate&to-date:toDate&phenomenon=:phenomenon Get latest measurements for a phenomenon as CSV
* @apiDescription Download data of a given phenomenon from multiple selected senseBoxes as CSV
* @apiGroup Measurements
* @apiName getDataMulti
* @apiParam {String} boxId Comma separated list of senseBox IDs.
* @apiParam {String} phenomenon the name of the phenomenon you want to download the data for.
* @apiParam {String} grouptag the name of the phenomenon you want to download the data for.
* @apiParam {RFC3339Date} [from-date] Beginning date of measurement data (default: 2 days ago from now)
* @apiParam {RFC3339Date} [to-date] End date of measurement data (default: now)
* @apiUse SeparatorParam
* @apiUse BBoxParam
* @apiUse ExposureFilterParam
* @apiParam {String="csv","json"} [format=csv] Can be 'csv' (default) or 'json' (default: csv)
* @apiParam {String=createdAt,value,lat,lon,height,boxId,boxName,exposure,sensorId,phenomenon,unit,sensorType} [columns=sensorId,createdAt,value,lat,lon] Comma separated list of columns to export.
* @apiParam {Boolean=true,false} [download=true] Set the `content-disposition` header to force browsers to download instead of displaying.
*/
const getDataMulti = async function getDataMulti (req, res) {
const { boxId, bbox, exposure, delimiter, columns, fromDate, toDate, phenomenon, download, format, grouptag } = req._userParams;
// build query
// const queryParams = {
// 'sensors.title': phenomenon
// };
const queryParams = {};
if (phenomenon) {
queryParams['sensors.title'] = phenomenon;
}
if (boxId && bbox) {
return Promise.reject(new BadRequestError('please specify only boxId or bbox or grouptag'));
} else if (!boxId && !bbox) {
return Promise.reject(new BadRequestError('please specify either boxId or bbox or grouptag'));
}
if (boxId) {
queryParams['_id'] = { '$in': boxId };
}
// exposure parameter
if (exposure) {
queryParams['exposure'] = { '$in': exposure };
}
if (grouptag) {
const queryTags = grouptag.split(',');
queryParams['grouptag'] = { '$all': queryTags };
}
try {
let stream = await Box.findMeasurementsOfBoxesStream({
query: queryParams,
bbox,
from: fromDate.toDate(),
to: toDate.toDate(),
columns
});
stream = stream
.on('error', function (err) {
return handleError(err);
});
switch (format) {
case 'csv':
res.header('Content-Type', 'text/csv');
stream = stream.pipe(csvStringifier(columns, delimiter));
break;
case 'json':
res.header('Content-Type', 'application/json');
// stringifier = jsonstringify({ open: '[', close: ']' });
stream = stream.pipe(jsonstringify({ open: '[', close: ']' }));
break;
}
if (download === 'true') {
res.setHeader('Content-Disposition', `attachment; filename=${createDownloadFilename(req.date(), 'download', [phenomenon, ...columns], format)}`);
}
// flushHeaders is fixing csv-stringify
res.flushHeaders();
stream
.pipe(res);
} catch (err) {
return handleError(err);
}
};
/**
* @api {get} /boxes/data/bytag Get latest measurements for a grouptag as JSON
* @apiDescription Download data of a given grouptag from multiple senseBoxes as JSON
* @apiDeprecated Will change in the upcoming release to /boxes/data?grouptag=:grouptag
* @apiGroup Measurements
* @apiName getDataByGroupTag
* @apiParam {String} grouptag The grouptag to search by.
* @apiParam {String=json} format=json
*/
const getDataByGroupTag = async function getDataByGroupTag (req, res) {
const { grouptag, format } = req._userParams;
const queryTags = grouptag.split(',');
// build query
const queryParams = {};
if (grouptag) {
queryParams['grouptag'] = { '$all': queryTags };
}
try {
let stream = await Box.findMeasurementsOfBoxesByTagStream({
query: queryParams
});
stream = stream
.on('error', function (err) {
return handleError(err);
});
switch (format) {
case 'json':
res.header('Content-Type', 'application/json');
stream = stream
.pipe(jsonstringify({ open: '[', close: ']' }));
break;
}
stream
.pipe(res);
} catch (err) {
return handleError(err);
}
};
/**
* @api {post} /boxes/:senseBoxId/:sensorId Post new measurement
* @apiDescription Posts a new measurement to a specific sensor of a box.
* @apiGroup Measurements
* @apiName postNewMeasurement
* @apiUse BoxIdParam
* @apiUse SensorIdParam
* @apiUse LocationBody
* @apiUse ContentTypeJSON
* @apiParam (RequestBody) {String} value the measured value of the sensor. Also accepts JSON float numbers.
* @apiParam (RequestBody) {RFC3339Date} [createdAt] the timestamp of the measurement. Should conform to RFC 3339. Is needed when posting with Location Values!
* @apiParam (RequestBody) {Location} [location] the WGS84-coordinates of the measurement.
* @apiHeader {String} Authorization Box' unique access_token. Will be used as authorization token if box has auth enabled (e.g. useAuth: true)
*/
const postNewMeasurement = async function postNewMeasurement (req, res) {
const { boxId, sensorId, value, createdAt, location } = req._userParams;
try {
const box = await Box.findBoxById(boxId, { populate: false, lean: false });
if (box.useAuth && box.access_token && box.access_token !== req.headers.authorization) {
return Promise.reject(new UnauthorizedError('Box access token not valid!'));
}
const [measurement] = await Measurement.decodeMeasurements([{
sensor_id: sensorId,
value,
createdAt,
location
}]);
await box.saveMeasurement(measurement);
res.send(201, 'Measurement saved in box');
} catch (err) {
return handleError(err);
}
};
/**
* @api {post} /boxes/:senseBoxId/data Post multiple new measurements
* @apiDescription Post multiple new measurements in multiple formats to a box. Allows the use of csv, json array and json object notation.
*
* **CSV:**<br/>
* For data in csv format, first use `content-type: text/csv` as header, then submit multiple values as lines in `sensorId,value,[createdAt]` form.
* Timestamp is optional. Do not submit a header.
*
* **JSON Array:**<br/>
* You can submit your data as array. Your measurements should be objects with the keys `sensor`, `value` and optionally `createdAt` and `location`. Specify the header `content-type: application/json`. If Location Values are posted, the Timestamp becomes obligatory.
*
* **JSON Object:**<br/>
* The third form is to encode your measurements in an object. Here, the keys of the object are the sensorIds, the values of the object are either just the `value` of your measurement or an array of the form `[value, createdAt, location]`, where the latter two values are optional.
*
* **Luftdaten Format**<br/>
* Decoding of luftdaten.info json format. Activate by specifying `luftdaten=true` in the query string. The API now tries to convert the objects in the `sensordatavalues` key to the openSenseMap JSON Array format. Sensors are matched by the key `value_type` against the `title` of the sensors of this box. `SDS_P1` matches sensors with title `PM10`, `SDS_P2` matches sensors with title `PM2.5`. You can find all matchings in the source code of the openSenseMap-API (`lib/decoding/luftdatenHandler.js`)
*
* **hackAIR Format**<br/>
* Decoding of hackAIR json format. Activate by specifying `hackair=true` in the query string. The API now tries to convert the values in the `reading` key to the openSenseMap JSON Array format. Sensors are matched by the key `sensor_description` against the `title` of the sensors of this box. `PM2.5_AirPollutantValue` matches sensors with title `PM2.5`, `PM10_AirPollutantValue` matches sensors with title `PM10`. You can find all matchings in the source code of the openSenseMap-API (`lib/decoding/hackAirHandler.js`)
*
* **senseBox Bytes Format**<br/>
* Submit measurements as raw bytes. Set the "content-type" header to `application/sbx-bytes`. Send measurements as 12 byte sensor Id with most significant byte first followed by 4 byte float measurement in little endian (least significant byte first) notation. A valid measurement could look like this:<br />[ 0x59, 0x5f, 0x9a, 0x28, 0x2d, 0xcb, 0xee, 0x77, 0xac, 0x0e, 0x5d, 0xc4, 0x9a, 0x99, 0x89, 0x40 ] but encoded as raw bytes. Multiple measurements are just multiple tuples of id and value. The number of bytes should be a multiple of 16.
*
* **senseBox Bytes with Timestamp Format**<br/>
* Submit measurements with timestamp as raw bytes. Set the "content-type" header to `application/sbx-bytes-ts`. Send measurements as 12 byte sensor Id with most significant byte first followed by 4 byte float measurement in little endian (least significant byte first) notation followed by a 4 byte uint32_t unix timestamp in little endian (least significant byte first) notation. A valid measurement could look like this:<br />[ 0x59, 0x5f, 0x9a, 0x28, 0x2d, 0xcb, 0xee, 0x77, 0xac, 0x0e, 0x5d, 0xc4, 0x9a, 0x99, 0x89, 0x40, 0x34, 0x0c, 0x60, 0x59 ] but encoded as raw bytes. Multiple measurements are just multiple tuples of id, value and timestamp. The number of bytes should be a multiple of 20.
*
* For all encodings, the maximum count of values in one request is 2500.
*
* @apiGroup Measurements
* @apiName postNewMeasurements
* @apiUse BoxIdParam
* @apiUse LocationBody
* @apiParam {String} [luftdaten] Specify whatever you want (like `luftdaten=1`. Signals the api to treat the incoming data as luftdaten.info formatted json.
* * @apiParam {String} [hackair] Specify whatever you want (like `hackair=1`. Signals the api to treat the incoming data as hackair formatted json.
* @apiHeader {String} Authorization Box' unique access_token. Will be used as authorization token if box has auth enabled (e.g. useAuth: true)
* @apiParamExample {application/json} JSON-Object:
* {
* "sensorID": "value",
* "anotherSensorID": ["value"]
* "sensorID3": ["value", "createdAt as RFC 3339-timestamp"],
* "sensorID4": ["value", "createdAt as RFC 3339-timestamp", "location latlng-object or array"],
* }
* @apiParamExample {application/json} JSON-Array:
* [
* {"sensor":"sensorID", "value":"value"},
* {"sensor":"anotherSensorId", "value":"value", "createdAt": "RFC 3339-timestamp", "location": [lng,lat,height]}
* ...
* ]
* @apiParamExample {text/csv} CSV:
* sensorID,value
* anotherSensorId,value,RFC 3339-timestamp
* sensorIDtheThird,value
* anotherSensorId,value,RFC 3339-timestamp,longitude,latitude
* anotherSensorId,value,RFC 3339-timestamp,longitude,latitude,height
* ...
* @apiParamExample {application/json} Luftdaten Format:
* {
* "sensordatavalues": [
* {
* "value_type": "SDS_P1",
* "value": "5.38"
* },
* {
* "value_type": "SDS_P2",
* "value": "4.98"
* }
* ]
* }
* @apiParamExample {application/json} hackAIR Format:
* {
* "reading": {
* "PM2.5_AirPollutantValue": "7.93",
* "PM10_AirPollutantValue": "32.63"
* },
* "battery": "5.99",
* "tamper": "0",
* "error": "4"
* }
*/
const postNewMeasurements = async function postNewMeasurements (req, res) {
const { boxId, luftdaten, hackair } = req._userParams;
let contentType = req.getContentType();
if (hackair) {
contentType = 'hackair';
} else if (luftdaten) {
contentType = 'luftdaten';
}
if (Measurement.hasDecoder(contentType)) {
try {
const box = await Box.findBoxById(boxId, { populate: false, lean: false, projection: { sensors: 1, locations: 1, lastMeasurementAt: 1, currentLocation: 1, model: 1, access_token: 1, useAuth: 1 } });
// if (contentType === 'hackair' && box.access_token !== req.headers.authorization) {
// throw new UnauthorizedError('Box access token not valid!');
// }
// authorization for all boxes that have not opt out
if ((box.useAuth || contentType === 'hackair') && box.access_token && box.access_token !== req.headers.authorization) {
return Promise.reject(new UnauthorizedError('Box access token not valid!'));
}
const measurements = await Measurement.decodeMeasurements(req.body, { contentType, sensors: box.sensors });
await box.saveMeasurementsArray(measurements);
res.send(201, 'Measurements saved in box');
} catch (err) {
return handleError(err);
}
} else {
return Promise.reject(new UnsupportedMediaTypeError('Unsupported content-type.'));
}
};
module.exports = {
postNewMeasurement: [
checkContentType,
retrieveParameters([
{ predef: 'boxId', required: true },
{ predef: 'sensorId', required: true },
{ name: 'value', required: true },
{ name: 'createdAt', dataType: 'RFC 3339' },
{ predef: 'location' }
]),
postNewMeasurement
],
postNewMeasurements: [
retrieveParameters([
{ predef: 'boxId', required: true },
{ name: 'luftdaten' },
{ name: 'hackair' }
]),
postNewMeasurements
],
getData: [
retrieveParameters([
{ predef: 'sensorId', required: true },
{ name: 'format', defaultValue: 'json', allowedValues: ['json', 'csv'] },
{
name: 'download',
defaultValue: 'false',
allowedValues: ['true', 'false']
},
{ predef: 'delimiter' },
{ name: 'outliers', allowedValues: ['mark', 'replace'] },
{
name: 'outlierWindow',
dataType: 'Integer',
aliases: ['outlier-window'],
defaultValue: 15,
min: 1,
max: 50
},
{ predef: 'toDate' },
{ predef: 'fromDate' }
]),
validateFromToTimeParams,
getData
],
getDataMulti: [
retrieveParameters([
{
name: 'boxId',
aliases: ['senseboxid', 'senseboxids', 'boxid', 'boxids'],
dataType: ['id']
},
{ name: 'grouptag', required: false },
{ name: 'phenomenon', required: false },
{ predef: 'delimiter' },
{
name: 'exposure',
allowedValues: Box.BOX_VALID_EXPOSURES,
dataType: ['String']
},
{ predef: 'columnsGetDataMulti' },
{ predef: 'bbox' },
{ predef: 'toDate' },
{ predef: 'fromDate' },
{
name: 'download',
defaultValue: 'true',
allowedValues: ['true', 'false']
},
{ name: 'format', defaultValue: 'csv', allowedValues: ['csv', 'json'] }
]),
validateFromToTimeParams,
getDataMulti
],
// getDataByGroupTag: [
// retrieveParameters([
// { name: 'grouptag', required: true },
// { name: 'format', defaultValue: 'json', allowedValues: ['json'] }
// ]),
// getDataByGroupTag
// ],
getLatestMeasurements: [
retrieveParameters([
{ predef: 'boxId', required: true },
{ predef: 'sensorId' },
{ name: 'count', dataType: 'Integer', min: 1, max: 100, required: false },
{ name: 'onlyValue', required: false }
]),
getLatestMeasurements
]
};