@itentialopensource/adapter-meraki 0.8.1 → 0.8.4

Sign up to get free protection for your applications and to get access to all the features.
package/adapterBase.js CHANGED
@@ -8,10 +8,12 @@
8
8
  /* eslint no-cond-assign: warn */
9
9
  /* eslint global-require: warn */
10
10
  /* eslint no-unused-vars: warn */
11
+ /* eslint prefer-destructuring: warn */
11
12
 
12
13
  /* Required libraries. */
13
14
  const fs = require('fs-extra');
14
15
  const path = require('path');
16
+ const jsonQuery = require('json-query');
15
17
  const EventEmitterCl = require('events').EventEmitter;
16
18
  const { execSync } = require('child_process');
17
19
 
@@ -143,6 +145,27 @@ function updatePackage(changes) {
143
145
  return null;
144
146
  }
145
147
 
148
+ /*
149
+ * INTERNAL FUNCTION: get data from source(s) - nested
150
+ */
151
+ function getDataFromSources(loopField, sources) {
152
+ let fieldValue = loopField;
153
+
154
+ // go through the sources to find the field
155
+ for (let s = 0; s < sources.length; s += 1) {
156
+ // find the field value using jsonquery
157
+ const nestedValue = jsonQuery(loopField, { data: sources[s] }).value;
158
+
159
+ // if we found in source - set and no need to check other sources
160
+ if (nestedValue) {
161
+ fieldValue = nestedValue;
162
+ break;
163
+ }
164
+ }
165
+
166
+ return fieldValue;
167
+ }
168
+
146
169
  /* GENERAL ADAPTER FUNCTIONS THESE SHOULD NOT BE DIRECTLY MODIFIED */
147
170
  /* IF YOU NEED MODIFICATIONS, REDEFINE THEM IN adapter.js!!! */
148
171
  class AdapterBase extends EventEmitterCl {
@@ -154,6 +177,9 @@ class AdapterBase extends EventEmitterCl {
154
177
  // Instantiate the EventEmitter super class
155
178
  super();
156
179
 
180
+ // IAP home directory injected by core when running the adapter within IAP
181
+ [, , , process.env.iap_home] = process.argv;
182
+
157
183
  try {
158
184
  // Capture the adapter id
159
185
  this.id = prongid;
@@ -377,6 +403,85 @@ class AdapterBase extends EventEmitterCl {
377
403
  });
378
404
  }
379
405
 
406
+ /**
407
+ * getAllFunctions is used to get all of the exposed function in the adapter
408
+ *
409
+ * @function getAllFunctions
410
+ */
411
+ getAllFunctions() {
412
+ let myfunctions = [];
413
+ let obj = this;
414
+
415
+ // find the functions in this class
416
+ do {
417
+ const l = Object.getOwnPropertyNames(obj)
418
+ .concat(Object.getOwnPropertySymbols(obj).map((s) => s.toString()))
419
+ .sort()
420
+ .filter((p, i, arr) => typeof obj[p] === 'function' && p !== 'constructor' && (i === 0 || p !== arr[i - 1]) && myfunctions.indexOf(p) === -1);
421
+ myfunctions = myfunctions.concat(l);
422
+ }
423
+ while (
424
+ (obj = Object.getPrototypeOf(obj)) && Object.getPrototypeOf(obj)
425
+ );
426
+
427
+ return myfunctions;
428
+ }
429
+
430
+ /**
431
+ * checkActionFiles is used to update the validation of the action files.
432
+ *
433
+ * @function checkActionFiles
434
+ */
435
+ checkActionFiles() {
436
+ const origin = `${this.id}-adapterBase-checkActionFiles`;
437
+ log.trace(origin);
438
+
439
+ // validate the action files for the adapter
440
+ try {
441
+ return this.requestHandlerInst.checkActionFiles();
442
+ } catch (e) {
443
+ return ['Exception increase log level'];
444
+ }
445
+ }
446
+
447
+ /**
448
+ * checkProperties is used to validate the adapter properties.
449
+ *
450
+ * @function checkProperties
451
+ * @param {Object} properties - an object containing all of the properties
452
+ */
453
+ checkProperties(properties) {
454
+ const origin = `${this.myid}-adapterBase-checkProperties`;
455
+ log.trace(origin);
456
+
457
+ // validate the properties for the adapter
458
+ try {
459
+ return this.requestHandlerInst.checkProperties(properties);
460
+ } catch (e) {
461
+ return { exception: 'Exception increase log level' };
462
+ }
463
+ }
464
+
465
+ /**
466
+ * @summary Takes in property text and an encoding/encryption and returns the resulting
467
+ * encoded/encrypted string
468
+ *
469
+ * @function encryptProperty
470
+ * @param {String} property - the property to encrypt
471
+ * @param {String} technique - the technique to use to encrypt
472
+ *
473
+ * @param {Callback} callback - a callback function to return the result
474
+ * Encrypted String or the Error
475
+ */
476
+ encryptProperty(property, technique, callback) {
477
+ const origin = `${this.id}-adapterBase-encryptProperty`;
478
+ log.trace(origin);
479
+
480
+ // Make the call -
481
+ // encryptProperty(property, technique, callback)
482
+ return this.requestHandlerInst.encryptProperty(property, technique, callback);
483
+ }
484
+
380
485
  /**
381
486
  * iapGetAdapterWorkflowFunctions is used to get all of the workflow function in the adapter
382
487
  * @param {array} ignoreThese - additional methods to ignore (optional)
@@ -393,10 +498,7 @@ class AdapterBase extends EventEmitterCl {
393
498
  // got to the second tier (adapterBase)
394
499
  break;
395
500
  }
396
- if (myfunctions[m] !== 'iapHasAdapterEntity' && myfunctions[m] !== 'iapVerifyAdapterCapability'
397
- && myfunctions[m] !== 'iapUpdateAdapterEntityCache' && myfunctions[m] !== 'healthCheck'
398
- && myfunctions[m] !== 'iapGetAdapterWorkflowFunctions'
399
- && !(myfunctions[m].endsWith('Emit') || myfunctions[m].match(/Emit__v[0-9]+/))) {
501
+ if (!(myfunctions[m].endsWith('Emit') || myfunctions[m].match(/Emit__v[0-9]+/))) {
400
502
  let found = false;
401
503
  if (ignoreThese && Array.isArray(ignoreThese)) {
402
504
  for (let i = 0; i < ignoreThese.length; i += 1) {
@@ -746,7 +848,7 @@ class AdapterBase extends EventEmitterCl {
746
848
  try {
747
849
  const { serviceItem } = await tbUtils.getAdapterConfig();
748
850
  const { host } = serviceItem.properties.properties;
749
- const result = tbUtils.iapRunAdapterConnectivity(host, false);
851
+ const result = tbUtils.runConnectivity(host, false);
750
852
  if (result.failCount > 0) {
751
853
  return callback(null, result);
752
854
  }
@@ -764,7 +866,7 @@ class AdapterBase extends EventEmitterCl {
764
866
  */
765
867
  iapRunAdapterBasicGet(callback) {
766
868
  try {
767
- const result = tbUtils.iapRunAdapterBasicGet(false);
869
+ const result = tbUtils.runBasicGet(false);
768
870
  if (result.failCount > 0) {
769
871
  return callback(null, result);
770
872
  }
@@ -781,99 +883,21 @@ class AdapterBase extends EventEmitterCl {
781
883
  *
782
884
  * @return {Callback} - containing the response from the mongo transaction
783
885
  */
784
- iapMoveAdapterEntitiesToDB(callback) {
886
+ async iapMoveAdapterEntitiesToDB(callback) {
785
887
  const meth = 'adapterBase-iapMoveAdapterEntitiesToDB';
786
888
  const origin = `${this.id}-${meth}`;
787
889
  log.trace(origin);
788
890
 
789
891
  try {
790
- return callback(entitiesToDB.iapMoveAdapterEntitiesToDB(__dirname, { pronghornProps: this.allProps, id: this.id }), null);
892
+ const result = await entitiesToDB.moveEntitiesToDB(__dirname, { pronghornProps: this.allProps, id: this.id });
893
+ return callback(result, null);
791
894
  } catch (err) {
792
895
  const errorObj = this.requestHandlerInst.formatErrorObject(this.id, meth, 'Caught Exception', null, null, null, err);
793
896
  log.error(`${origin}: ${errorObj.IAPerror.displayString}`);
794
- return callback(null, errorObj);
897
+ return callback(null, err.message);
795
898
  }
796
899
  }
797
900
 
798
- /**
799
- * getAllFunctions is used to get all of the exposed function in the adapter
800
- *
801
- * @function getAllFunctions
802
- */
803
- getAllFunctions() {
804
- let myfunctions = [];
805
- let obj = this;
806
-
807
- // find the functions in this class
808
- do {
809
- const l = Object.getOwnPropertyNames(obj)
810
- .concat(Object.getOwnPropertySymbols(obj).map((s) => s.toString()))
811
- .sort()
812
- .filter((p, i, arr) => typeof obj[p] === 'function' && p !== 'constructor' && (i === 0 || p !== arr[i - 1]) && myfunctions.indexOf(p) === -1);
813
- myfunctions = myfunctions.concat(l);
814
- }
815
- while (
816
- (obj = Object.getPrototypeOf(obj)) && Object.getPrototypeOf(obj)
817
- );
818
-
819
- return myfunctions;
820
- }
821
-
822
- /**
823
- * checkActionFiles is used to update the validation of the action files.
824
- *
825
- * @function checkActionFiles
826
- */
827
- checkActionFiles() {
828
- const origin = `${this.id}-adapterBase-checkActionFiles`;
829
- log.trace(origin);
830
-
831
- // validate the action files for the adapter
832
- try {
833
- return this.requestHandlerInst.checkActionFiles();
834
- } catch (e) {
835
- return ['Exception increase log level'];
836
- }
837
- }
838
-
839
- /**
840
- * checkProperties is used to validate the adapter properties.
841
- *
842
- * @function checkProperties
843
- * @param {Object} properties - an object containing all of the properties
844
- */
845
- checkProperties(properties) {
846
- const origin = `${this.myid}-adapterBase-checkProperties`;
847
- log.trace(origin);
848
-
849
- // validate the properties for the adapter
850
- try {
851
- return this.requestHandlerInst.checkProperties(properties);
852
- } catch (e) {
853
- return { exception: 'Exception increase log level' };
854
- }
855
- }
856
-
857
- /**
858
- * @summary Takes in property text and an encoding/encryption and returns the resulting
859
- * encoded/encrypted string
860
- *
861
- * @function encryptProperty
862
- * @param {String} property - the property to encrypt
863
- * @param {String} technique - the technique to use to encrypt
864
- *
865
- * @param {Callback} callback - a callback function to return the result
866
- * Encrypted String or the Error
867
- */
868
- encryptProperty(property, technique, callback) {
869
- const origin = `${this.id}-adapterBase-encryptProperty`;
870
- log.trace(origin);
871
-
872
- // Make the call -
873
- // encryptProperty(property, technique, callback)
874
- return this.requestHandlerInst.encryptProperty(property, technique, callback);
875
- }
876
-
877
901
  /**
878
902
  * @summary take the entities and add them to the cache
879
903
  *
@@ -1024,6 +1048,735 @@ class AdapterBase extends EventEmitterCl {
1024
1048
  return [];
1025
1049
  }
1026
1050
  }
1051
+
1052
+ /**
1053
+ * @summary Determines if this adapter supports any in a list of entities
1054
+ *
1055
+ * @function hasEntities
1056
+ * @param {String} entityType - the entity type to check for
1057
+ * @param {Array} entityList - the list of entities we are looking for
1058
+ *
1059
+ * @param {Callback} callback - A map where the entity is the key and the
1060
+ * value is true or false
1061
+ */
1062
+ hasEntities(entityType, entityList, callback) {
1063
+ const origin = `${this.id}-adapter-hasEntities`;
1064
+ log.trace(origin);
1065
+
1066
+ switch (entityType) {
1067
+ case 'Device':
1068
+ return this.hasDevices(entityList, callback);
1069
+ default:
1070
+ return callback(null, `${this.id} does not support entity ${entityType}`);
1071
+ }
1072
+ }
1073
+
1074
+ /**
1075
+ * @summary Helper method for hasEntities for the specific device case
1076
+ *
1077
+ * @param {Array} deviceList - array of unique device identifiers
1078
+ * @param {Callback} callback - A map where the device is the key and the
1079
+ * value is true or false
1080
+ */
1081
+ hasDevices(deviceList, callback) {
1082
+ const origin = `${this.id}-adapter-hasDevices`;
1083
+ log.trace(origin);
1084
+
1085
+ const findings = deviceList.reduce((map, device) => {
1086
+ // eslint-disable-next-line no-param-reassign
1087
+ map[device] = false;
1088
+ log.debug(`In reduce: ${JSON.stringify(map)}`);
1089
+ return map;
1090
+ }, {});
1091
+ const apiCalls = deviceList.map((device) => new Promise((resolve) => {
1092
+ this.getDevice(device, (result, error) => {
1093
+ if (error) {
1094
+ log.debug(`In map error: ${JSON.stringify(device)}`);
1095
+ return resolve({ name: device, found: false });
1096
+ }
1097
+ log.debug(`In map: ${JSON.stringify(device)}`);
1098
+ return resolve({ name: device, found: true });
1099
+ });
1100
+ }));
1101
+ Promise.all(apiCalls).then((results) => {
1102
+ results.forEach((device) => {
1103
+ findings[device.name] = device.found;
1104
+ });
1105
+ log.debug(`FINDINGS: ${JSON.stringify(findings)}`);
1106
+ return callback(findings);
1107
+ }).catch((errors) => {
1108
+ log.error('Unable to do device lookup.');
1109
+ return callback(null, { code: 503, message: 'Unable to do device lookup.', error: errors });
1110
+ });
1111
+ }
1112
+
1113
+ /**
1114
+ * @summary Make one of the needed Broker calls - could be one of many
1115
+ *
1116
+ * @function iapMakeBrokerCall
1117
+ * @param {string} brokCall - the name of the broker call (required)
1118
+ * @param {object} callProps - the proeprties for the broker call (required)
1119
+ * @param {object} devResp - the device details to extract needed inputs (required)
1120
+ * @param {string} filterName - any filter to search on (required)
1121
+ *
1122
+ * @param {getCallback} callback - a callback function to return the result of the call
1123
+ */
1124
+ iapMakeBrokerCall(brokCall, callProps, devResp, filterName, callback) {
1125
+ const meth = 'adapterBase-iapMakeBrokerCall';
1126
+ const origin = `${this.id}-${meth}`;
1127
+ log.trace(origin);
1128
+
1129
+ try {
1130
+ let uriPath = '';
1131
+ let uriMethod = 'GET';
1132
+ let callQuery = {};
1133
+ let callBody = {};
1134
+ let callHeaders = {};
1135
+ let handleFail = 'fail';
1136
+ let ostypePrefix = '';
1137
+ let statusValue = 'true';
1138
+ if (callProps.path) {
1139
+ uriPath = `${callProps.path}`;
1140
+
1141
+ // make any necessary changes to the path
1142
+ if (devResp !== null && callProps.requestFields && Object.keys(callProps.requestFields).length > 0) {
1143
+ const rqKeys = Object.keys(callProps.requestFields);
1144
+
1145
+ // get the field from the provided device
1146
+ for (let rq = 0; rq < rqKeys.length; rq += 1) {
1147
+ const fieldValue = getDataFromSources(callProps.requestFields[rqKeys[rq]], devResp);
1148
+
1149
+ // put the value into the path - if it has been specified in the path
1150
+ uriPath = uriPath.replace(`{${rqKeys[rq]}}`, fieldValue);
1151
+ }
1152
+ }
1153
+ }
1154
+ if (callProps.method) {
1155
+ uriMethod = callProps.method;
1156
+ }
1157
+ if (callProps.query) {
1158
+ callQuery = callProps.query;
1159
+
1160
+ // go through the query params to check for variable values
1161
+ const cpKeys = Object.keys(callQuery);
1162
+ for (let cp = 0; cp < cpKeys.length; cp += 1) {
1163
+ if (callQuery[cpKeys[cp]].startsWith('{') && callQuery[cpKeys[cp]].endsWith('}')) {
1164
+ // make any necessary changes to the query params
1165
+ if (devResp !== null && callProps.requestFields && Object.keys(callProps.requestFields).length > 0) {
1166
+ const rqKeys = Object.keys(callProps.requestFields);
1167
+
1168
+ // get the field from the provided device
1169
+ for (let rq = 0; rq < rqKeys.length; rq += 1) {
1170
+ if (cpKeys[cp] === rqKeys[rq]) {
1171
+ const fieldValue = getDataFromSources(callProps.requestFields[rqKeys[rq]], devResp);
1172
+
1173
+ // put the value into the query - if it has been specified in the query
1174
+ callQuery[cpKeys[cp]] = fieldValue;
1175
+ }
1176
+ }
1177
+ }
1178
+ }
1179
+ }
1180
+ }
1181
+ if (callProps.body) {
1182
+ callBody = callProps.body;
1183
+
1184
+ // go through the body fields to check for variable values
1185
+ const cbKeys = Object.keys(callBody);
1186
+ for (let cb = 0; cb < cbKeys.length; cb += 1) {
1187
+ if (callBody[cbKeys[cb]].startsWith('{') && callBody[cbKeys[cb]].endsWith('}')) {
1188
+ // make any necessary changes to the query params
1189
+ if (devResp !== null && callProps.requestFields && Object.keys(callProps.requestFields).length > 0) {
1190
+ const rqKeys = Object.keys(callProps.requestFields);
1191
+
1192
+ // get the field from the provided device
1193
+ for (let rq = 0; rq < rqKeys.length; rq += 1) {
1194
+ if (cbKeys[cb] === rqKeys[rq]) {
1195
+ const fieldValue = getDataFromSources(callProps.requestFields[rqKeys[rq]], devResp);
1196
+
1197
+ // put the value into the query - if it has been specified in the query
1198
+ callBody[cbKeys[cb]] = fieldValue;
1199
+ }
1200
+ }
1201
+ }
1202
+ }
1203
+ }
1204
+ }
1205
+ if (callProps.headers) {
1206
+ callHeaders = callProps.headers;
1207
+
1208
+ // go through the body fields to check for variable values
1209
+ const chKeys = Object.keys(callHeaders);
1210
+ for (let ch = 0; ch < chKeys.length; ch += 1) {
1211
+ if (callHeaders[chKeys[ch]].startsWith('{') && callHeaders[chKeys[ch]].endsWith('}')) {
1212
+ // make any necessary changes to the query params
1213
+ if (devResp !== null && callProps.requestFields && Object.keys(callProps.requestFields).length > 0) {
1214
+ const rqKeys = Object.keys(callProps.requestFields);
1215
+
1216
+ // get the field from the provided device
1217
+ for (let rq = 0; rq < rqKeys.length; rq += 1) {
1218
+ if (chKeys[ch] === rqKeys[rq]) {
1219
+ const fieldValue = getDataFromSources(callProps.requestFields[rqKeys[rq]], devResp);
1220
+
1221
+ // put the value into the query - if it has been specified in the query
1222
+ callHeaders[chKeys[ch]] = fieldValue;
1223
+ }
1224
+ }
1225
+ }
1226
+ }
1227
+ }
1228
+ }
1229
+ if (callProps.handleFailure) {
1230
+ handleFail = callProps.handleFailure;
1231
+ }
1232
+ if (callProps.responseFields && callProps.responseFields.ostypePrefix) {
1233
+ ostypePrefix = callProps.responseFields.ostypePrefix;
1234
+ }
1235
+ if (callProps.responseFields && callProps.responseFields.statusValue) {
1236
+ statusValue = callProps.responseFields.statusValue;
1237
+ }
1238
+
1239
+ // !! using Generic makes it easier on the Adapter Builder (just need to change the path)
1240
+ // !! you can also replace with a specific call if that is easier
1241
+ return this.genericAdapterRequest(uriPath, uriMethod, callQuery, callBody, callHeaders, (result, error) => {
1242
+ // if we received an error or their is no response on the results return an error
1243
+ if (error) {
1244
+ if (handleFail === 'fail') {
1245
+ return callback(null, error);
1246
+ }
1247
+ return callback({}, null);
1248
+ }
1249
+ if (!result.response) {
1250
+ if (handleFail === 'fail') {
1251
+ const errorObj = this.requestHandlerInst.formatErrorObject(this.id, meth, 'Invalid Response', [brokCall], null, null, null);
1252
+ log.error(`${origin}: ${errorObj.IAPerror.displayString}`);
1253
+ return callback(null, errorObj);
1254
+ }
1255
+ return callback({}, null);
1256
+ }
1257
+
1258
+ // get the response piece we care about from the response
1259
+ const myResult = result;
1260
+ if (callProps.responseDatakey) {
1261
+ myResult.response = jsonQuery(callProps.responseDatakey, { data: myResult.response }).value;
1262
+ }
1263
+
1264
+ // get the keys for the response fields
1265
+ let rfKeys = [];
1266
+ if (callProps.responseFields && Object.keys(callProps.responseFields).length > 0) {
1267
+ rfKeys = Object.keys(callProps.responseFields);
1268
+ }
1269
+
1270
+ // if we got an array returned (e.g. getDevicesFitered)
1271
+ if (Array.isArray(myResult.response)) {
1272
+ const listDevices = [];
1273
+ for (let a = 0; a < myResult.response.length; a += 1) {
1274
+ const thisDevice = myResult.response[a];
1275
+ for (let rf = 0; rf < rfKeys.length; rf += 1) {
1276
+ if (rfKeys[rf] !== 'ostypePrefix') {
1277
+ let fieldValue = getDataFromSources(callProps.responseFields[rfKeys[rf]], [thisDevice, devResp, callProps.requestFields]);
1278
+
1279
+ // if the field is ostype - need to add prefix
1280
+ if (rfKeys[rf] === 'ostype' && typeof fieldValue === 'string') {
1281
+ fieldValue = ostypePrefix + fieldValue;
1282
+ }
1283
+ // if there is a status to set, set it
1284
+ if (rfKeys[rf] === 'status') {
1285
+ // if really looking for just a good response
1286
+ if (callProps.responseFields[rfKeys[rf]] === 'return2xx' && myResult.icode === statusValue.toString()) {
1287
+ thisDevice.isAlive = true;
1288
+ } else if (fieldValue.toString() === statusValue.toString()) {
1289
+ thisDevice.isAlive = true;
1290
+ } else {
1291
+ thisDevice.isAlive = false;
1292
+ }
1293
+ }
1294
+ // if we found a good value
1295
+ thisDevice[rfKeys[rf]] = fieldValue;
1296
+ }
1297
+ }
1298
+
1299
+ // if there is no filter - add the device to the list
1300
+ if (!filterName || filterName.length === 0) {
1301
+ listDevices.push(thisDevice);
1302
+ } else {
1303
+ // if we have to match a filter
1304
+ let found = false;
1305
+ for (let f = 0; f < filterName.length; f += 1) {
1306
+ if (thisDevice.name.indexOf(filterName[f]) >= 0) {
1307
+ found = true;
1308
+ break;
1309
+ }
1310
+ }
1311
+ // matching device
1312
+ if (found) {
1313
+ listDevices.push(thisDevice);
1314
+ }
1315
+ }
1316
+ }
1317
+
1318
+ // return the array of devices
1319
+ return callback(listDevices, null);
1320
+ }
1321
+
1322
+ // if this is not an array - just about everything else, just handle as a single object
1323
+ let thisDevice = myResult.response;
1324
+ for (let rf = 0; rf < rfKeys.length; rf += 1) {
1325
+ // skip ostypePrefix since it is not a field
1326
+ if (rfKeys[rf] !== 'ostypePrefix') {
1327
+ let fieldValue = getDataFromSources(callProps.responseFields[rfKeys[rf]], [thisDevice, devResp, callProps.requestFields]);
1328
+
1329
+ // if the field is ostype - need to add prefix
1330
+ if (rfKeys[rf] === 'ostype' && typeof fieldValue === 'string') {
1331
+ fieldValue = ostypePrefix + fieldValue;
1332
+ }
1333
+ // if there is a status to set, set it
1334
+ if (rfKeys[rf] === 'status') {
1335
+ // if really looking for just a good response
1336
+ if (callProps.responseFields[rfKeys[rf]] === 'return2xx' && myResult.icode === statusValue.toString()) {
1337
+ thisDevice.isAlive = true;
1338
+ } else if (fieldValue.toString() === statusValue.toString()) {
1339
+ thisDevice.isAlive = true;
1340
+ } else {
1341
+ thisDevice.isAlive = false;
1342
+ }
1343
+ }
1344
+ // if we found a good value
1345
+ thisDevice[rfKeys[rf]] = fieldValue;
1346
+ }
1347
+ }
1348
+
1349
+ // if there is a filter - check the device is in the list
1350
+ if (filterName && filterName.length > 0) {
1351
+ let found = false;
1352
+ for (let f = 0; f < filterName.length; f += 1) {
1353
+ if (thisDevice.name.indexOf(filterName[f]) >= 0) {
1354
+ found = true;
1355
+ break;
1356
+ }
1357
+ }
1358
+ // no matching device - clear the device
1359
+ if (!found) {
1360
+ thisDevice = {};
1361
+ }
1362
+ }
1363
+
1364
+ return callback(thisDevice, null);
1365
+ });
1366
+ } catch (e) {
1367
+ const errorObj = this.requestHandlerInst.formatErrorObject(this.id, meth, 'Caught Exception', null, null, null, e);
1368
+ log.error(`${origin}: ${errorObj.IAPerror.displayString}`);
1369
+ return callback(null, errorObj);
1370
+ }
1371
+ }
1372
+
1373
+ /**
1374
+ * @summary Get Appliance that match the deviceName
1375
+ *
1376
+ * @function getDevice
1377
+ * @param {String} deviceName - the deviceName to find (required)
1378
+ *
1379
+ * @param {getCallback} callback - a callback function to return the result
1380
+ * (appliance) or the error
1381
+ */
1382
+ getDevice(deviceName, callback) {
1383
+ const meth = 'adapterBase-getDevice';
1384
+ const origin = `${this.id}-${meth}`;
1385
+ log.trace(origin);
1386
+
1387
+ // make sure we are set up for device broker getDevice
1388
+ if (!this.allProps.devicebroker || !this.allProps.devicebroker.getDevice || this.allProps.devicebroker.getDevice.length === 0 || !this.allProps.devicebroker.getDevice[0].path) {
1389
+ const errorObj = this.requestHandlerInst.formatErrorObject(this.id, meth, 'Missing Properties', ['devicebroker.getDevice.path'], null, null, null);
1390
+ log.error(`${origin}: ${errorObj.IAPerror.displayString}`);
1391
+ return callback(null, errorObj);
1392
+ }
1393
+
1394
+ /* HERE IS WHERE YOU VALIDATE DATA */
1395
+ if (deviceName === undefined || deviceName === null || deviceName === '' || deviceName.length === 0) {
1396
+ const errorObj = this.requestHandlerInst.formatErrorObject(this.id, meth, 'Missing Data', ['deviceName'], null, null, null);
1397
+ log.error(`${origin}: ${errorObj.IAPerror.displayString}`);
1398
+ return callback(null, errorObj);
1399
+ }
1400
+
1401
+ try {
1402
+ // need to get the device so we can convert the deviceName to an id
1403
+ // !! if we can do a lookup by name the getDevicesFiltered may not be necessary
1404
+ const opts = {
1405
+ filter: {
1406
+ name: deviceName
1407
+ }
1408
+ };
1409
+ return this.getDevicesFiltered(opts, (devs, ferr) => {
1410
+ // if we received an error or their is no response on the results return an error
1411
+ if (ferr) {
1412
+ return callback(null, ferr);
1413
+ }
1414
+ if (devs.list.length < 1) {
1415
+ const errorObj = this.requestHandlerInst.formatErrorObject(this.id, meth, `Did Not Find Device ${deviceName}`, [], null, null, null);
1416
+ log.error(`${origin}: ${errorObj.IAPerror.displayString}`);
1417
+ return callback(null, errorObj);
1418
+ }
1419
+
1420
+ const callPromises = [];
1421
+ for (let i = 0; i < this.allProps.devicebroker.getDevice.length; i += 1) {
1422
+ // Perform component calls here.
1423
+ callPromises.push(
1424
+ new Promise((resolve, reject) => {
1425
+ this.iapMakeBrokerCall('getDevice', this.allProps.devicebroker.getDevice[i], [devs.list[0]], null, (callRet, callErr) => {
1426
+ // return an error
1427
+ if (callErr) {
1428
+ reject(callErr);
1429
+ } else {
1430
+ // return the data
1431
+ resolve(callRet);
1432
+ }
1433
+ });
1434
+ })
1435
+ );
1436
+ }
1437
+
1438
+ // return an array of repsonses
1439
+ return Promise.all(callPromises).then((results) => {
1440
+ let myResult = {};
1441
+ results.forEach((result) => {
1442
+ myResult = { ...myResult, ...result };
1443
+ });
1444
+
1445
+ return callback(myResult, null);
1446
+ });
1447
+ });
1448
+ } catch (ex) {
1449
+ const errorObj = this.requestHandlerInst.formatErrorObject(this.id, meth, 'Caught Exception', null, null, null, ex);
1450
+ log.error(`${origin}: ${errorObj.IAPerror.displayString}`);
1451
+ return callback(null, errorObj);
1452
+ }
1453
+ }
1454
+
1455
+ /**
1456
+ * @summary Get Appliances that match the filter
1457
+ *
1458
+ * @function getDevicesFiltered
1459
+ * @param {Object} options - the data to use to filter the appliances (optional)
1460
+ *
1461
+ * @param {getCallback} callback - a callback function to return the result
1462
+ * (appliances) or the error
1463
+ */
1464
+ getDevicesFiltered(options, callback) {
1465
+ const meth = 'adapterBase-getDevicesFiltered';
1466
+ const origin = `${this.id}-${meth}`;
1467
+ log.trace(origin);
1468
+
1469
+ // make sure we are set up for device broker getDevicesFiltered
1470
+ if (!this.allProps.devicebroker || !this.allProps.devicebroker.getDevicesFiltered || this.allProps.devicebroker.getDevicesFiltered.length === 0 || !this.allProps.devicebroker.getDevicesFiltered[0].path) {
1471
+ const errorObj = this.requestHandlerInst.formatErrorObject(this.id, meth, 'Missing Properties', ['devicebroker.getDevicesFiltered.path'], null, null, null);
1472
+ log.error(`${origin}: ${errorObj.IAPerror.displayString}`);
1473
+ return callback(null, errorObj);
1474
+ }
1475
+
1476
+ // verify the required fields have been provided
1477
+ if (options === undefined || options === null || options === '' || options.length === 0) {
1478
+ const errorObj = this.requestHandlerInst.formatErrorObject(this.id, meth, 'Missing Data', ['options'], null, null, null);
1479
+ log.error(`${origin}: ${errorObj.IAPerror.displayString}`);
1480
+ return callback(null, errorObj);
1481
+ }
1482
+ log.debug(`Device Filter Options: ${JSON.stringify(options)}`);
1483
+
1484
+ try {
1485
+ // TODO - get pagination working
1486
+ // const nextToken = options.start;
1487
+ // const maxResults = options.limit;
1488
+
1489
+ // set up the filter of Device Names
1490
+ let filterName = [];
1491
+ if (options && options.filter && options.filter.name) {
1492
+ // when this hack is removed, remove the lint ignore above
1493
+ if (Array.isArray(options.filter.name)) {
1494
+ // eslint-disable-next-line prefer-destructuring
1495
+ filterName = options.filter.name;
1496
+ } else {
1497
+ filterName = [options.filter.name];
1498
+ }
1499
+ }
1500
+
1501
+ // TODO - get sort and order working
1502
+ /*
1503
+ if (options && options.sort) {
1504
+ reqObj.uriOptions.sort = JSON.stringify(options.sort);
1505
+ }
1506
+ if (options && options.order) {
1507
+ reqObj.uriOptions.order = options.order;
1508
+ }
1509
+ */
1510
+ const callPromises = [];
1511
+ for (let i = 0; i < this.allProps.devicebroker.getDevicesFiltered.length; i += 1) {
1512
+ // Perform component calls here.
1513
+ callPromises.push(
1514
+ new Promise((resolve, reject) => {
1515
+ this.iapMakeBrokerCall('getDevicesFiltered', this.allProps.devicebroker.getDevicesFiltered[i], [{ fake: 'fakedata' }], filterName, (callRet, callErr) => {
1516
+ // return an error
1517
+ if (callErr) {
1518
+ reject(callErr);
1519
+ } else {
1520
+ // return the data
1521
+ resolve(callRet);
1522
+ }
1523
+ });
1524
+ })
1525
+ );
1526
+ }
1527
+
1528
+ // return an array of repsonses
1529
+ return Promise.all(callPromises).then((results) => {
1530
+ let myResult = [];
1531
+ results.forEach((result) => {
1532
+ if (Array.isArray(result)) {
1533
+ myResult = [...myResult, ...result];
1534
+ } else if (Object.keys(result).length > 0) {
1535
+ myResult.push(result);
1536
+ }
1537
+ });
1538
+
1539
+ log.debug(`${origin}: Found #${myResult.length} devices.`);
1540
+ log.debug(`Devices: ${JSON.stringify(myResult)}`);
1541
+ return callback({ total: myResult.length, list: myResult });
1542
+ });
1543
+ } catch (ex) {
1544
+ const errorObj = this.requestHandlerInst.formatErrorObject(this.id, meth, 'Caught Exception', null, null, null, ex);
1545
+ log.error(`${origin}: ${errorObj.IAPerror.displayString}`);
1546
+ return callback(null, errorObj);
1547
+ }
1548
+ }
1549
+
1550
+ /**
1551
+ * @summary Gets the status for the provided appliance
1552
+ *
1553
+ * @function isAlive
1554
+ * @param {String} deviceName - the deviceName of the appliance. (required)
1555
+ *
1556
+ * @param {configCallback} callback - callback function to return the result
1557
+ * (appliance isAlive) or the error
1558
+ */
1559
+ isAlive(deviceName, callback) {
1560
+ const meth = 'adapterBase-isAlive';
1561
+ const origin = `${this.id}-${meth}`;
1562
+ log.trace(origin);
1563
+
1564
+ // make sure we are set up for device broker isAlive
1565
+ if (!this.allProps.devicebroker || !this.allProps.devicebroker.isAlive || this.allProps.devicebroker.isAlive.length === 0 || !this.allProps.devicebroker.isAlive[0].path) {
1566
+ const errorObj = this.requestHandlerInst.formatErrorObject(this.id, meth, 'Missing Properties', ['devicebroker.isAlive.path'], null, null, null);
1567
+ log.error(`${origin}: ${errorObj.IAPerror.displayString}`);
1568
+ return callback(null, errorObj);
1569
+ }
1570
+
1571
+ // verify the required fields have been provided
1572
+ if (deviceName === undefined || deviceName === null || deviceName === '' || deviceName.length === 0) {
1573
+ const errorObj = this.requestHandlerInst.formatErrorObject(this.id, meth, 'Missing Data', ['deviceName'], null, null, null);
1574
+ log.error(`${origin}: ${errorObj.IAPerror.displayString}`);
1575
+ return callback(null, errorObj);
1576
+ }
1577
+
1578
+ try {
1579
+ // need to get the device so we can convert the deviceName to an id
1580
+ // !! if we can do a lookup by name the getDevicesFiltered may not be necessary
1581
+ const opts = {
1582
+ filter: {
1583
+ name: deviceName
1584
+ }
1585
+ };
1586
+ return this.getDevicesFiltered(opts, (devs, ferr) => {
1587
+ // if we received an error or their is no response on the results return an error
1588
+ if (ferr) {
1589
+ return callback(null, ferr);
1590
+ }
1591
+ if (devs.list.length < 1) {
1592
+ const errorObj = this.requestHandlerInst.formatErrorObject(this.id, meth, `Did Not Find Device ${deviceName}`, [], null, null, null);
1593
+ log.error(`${origin}: ${errorObj.IAPerror.displayString}`);
1594
+ return callback(null, errorObj);
1595
+ }
1596
+
1597
+ const callPromises = [];
1598
+ for (let i = 0; i < this.allProps.devicebroker.isAlive.length; i += 1) {
1599
+ // Perform component calls here.
1600
+ callPromises.push(
1601
+ new Promise((resolve, reject) => {
1602
+ this.iapMakeBrokerCall('isAlive', this.allProps.devicebroker.isAlive[i], [devs.list[0]], null, (callRet, callErr) => {
1603
+ // return an error
1604
+ if (callErr) {
1605
+ reject(callErr);
1606
+ } else {
1607
+ // return the data
1608
+ resolve(callRet);
1609
+ }
1610
+ });
1611
+ })
1612
+ );
1613
+ }
1614
+
1615
+ // return an array of repsonses
1616
+ return Promise.all(callPromises).then((results) => {
1617
+ let myResult = {};
1618
+ results.forEach((result) => {
1619
+ myResult = { ...myResult, ...result };
1620
+ });
1621
+
1622
+ let response = true;
1623
+ if (myResult.isAlive !== null && myResult.isAlive !== undefined && myResult.isAlive === false) {
1624
+ response = false;
1625
+ }
1626
+ return callback(response);
1627
+ });
1628
+ });
1629
+ } catch (ex) {
1630
+ const errorObj = this.requestHandlerInst.formatErrorObject(this.id, meth, 'Caught Exception', null, null, null, ex);
1631
+ log.error(`${origin}: ${errorObj.IAPerror.displayString}`);
1632
+ return callback(null, errorObj);
1633
+ }
1634
+ }
1635
+
1636
+ /**
1637
+ * @summary Gets a config for the provided Appliance
1638
+ *
1639
+ * @function getConfig
1640
+ * @param {String} deviceName - the deviceName of the appliance. (required)
1641
+ * @param {String} format - the desired format of the config. (optional)
1642
+ *
1643
+ * @param {configCallback} callback - callback function to return the result
1644
+ * (appliance config) or the error
1645
+ */
1646
+ getConfig(deviceName, format, callback) {
1647
+ const meth = 'adapterBase-getConfig';
1648
+ const origin = `${this.id}-${meth}`;
1649
+ log.trace(origin);
1650
+
1651
+ // make sure we are set up for device broker getConfig
1652
+ if (!this.allProps.devicebroker || !this.allProps.devicebroker.getConfig || this.allProps.devicebroker.getConfig.length === 0 || !this.allProps.devicebroker.getConfig[0].path) {
1653
+ const errorObj = this.requestHandlerInst.formatErrorObject(this.id, meth, 'Missing Properties', ['devicebroker.getConfig.path'], null, null, null);
1654
+ log.error(`${origin}: ${errorObj.IAPerror.displayString}`);
1655
+ return callback(null, errorObj);
1656
+ }
1657
+
1658
+ // verify the required fields have been provided
1659
+ if (deviceName === undefined || deviceName === null || deviceName === '' || deviceName.length === 0) {
1660
+ const errorObj = this.requestHandlerInst.formatErrorObject(this.id, meth, 'Missing Data', ['deviceName'], null, null, null);
1661
+ log.error(`${origin}: ${errorObj.IAPerror.displayString}`);
1662
+ return callback(null, errorObj);
1663
+ }
1664
+
1665
+ try {
1666
+ // need to get the device so we can convert the deviceName to an id
1667
+ // !! if we can do a lookup by name the getDevicesFiltered may not be necessary
1668
+ const opts = {
1669
+ filter: {
1670
+ name: deviceName
1671
+ }
1672
+ };
1673
+ return this.getDevicesFiltered(opts, (devs, ferr) => {
1674
+ // if we received an error or their is no response on the results return an error
1675
+ if (ferr) {
1676
+ return callback(null, ferr);
1677
+ }
1678
+ if (devs.list.length < 1) {
1679
+ const errorObj = this.requestHandlerInst.formatErrorObject(this.id, meth, `Did Not Find Device ${deviceName}`, [], null, null, null);
1680
+ log.error(`${origin}: ${errorObj.IAPerror.displayString}`);
1681
+ return callback(null, errorObj);
1682
+ }
1683
+
1684
+ const callPromises = [];
1685
+ for (let i = 0; i < this.allProps.devicebroker.getConfig.length; i += 1) {
1686
+ // Perform component calls here.
1687
+ callPromises.push(
1688
+ new Promise((resolve, reject) => {
1689
+ this.iapMakeBrokerCall('getConfig', this.allProps.devicebroker.getConfig[i], [devs.list[0]], null, (callRet, callErr) => {
1690
+ // return an error
1691
+ if (callErr) {
1692
+ reject(callErr);
1693
+ } else {
1694
+ // return the data
1695
+ resolve(callRet);
1696
+ }
1697
+ });
1698
+ })
1699
+ );
1700
+ }
1701
+
1702
+ // return an array of repsonses
1703
+ return Promise.all(callPromises).then((results) => {
1704
+ let myResult = {};
1705
+ results.forEach((result) => {
1706
+ myResult = { ...myResult, ...result };
1707
+ });
1708
+
1709
+ // return the result
1710
+ const newResponse = {
1711
+ response: JSON.stringify(myResult, null, 2)
1712
+ };
1713
+ return callback(newResponse, null);
1714
+ });
1715
+ });
1716
+ } catch (ex) {
1717
+ const errorObj = this.requestHandlerInst.formatErrorObject(this.id, meth, 'Caught Exception', null, null, null, ex);
1718
+ log.error(`${origin}: ${errorObj.IAPerror.displayString}`);
1719
+ return callback(null, errorObj);
1720
+ }
1721
+ }
1722
+
1723
+ /**
1724
+ * @summary Gets the device count from the system
1725
+ *
1726
+ * @function iapGetDeviceCount
1727
+ *
1728
+ * @param {getCallback} callback - callback function to return the result
1729
+ * (count) or the error
1730
+ */
1731
+ iapGetDeviceCount(callback) {
1732
+ const meth = 'adapterBase-iapGetDeviceCount';
1733
+ const origin = `${this.id}-${meth}`;
1734
+ log.trace(origin);
1735
+
1736
+ // make sure we are set up for device broker getCount
1737
+ if (!this.allProps.devicebroker || !this.allProps.devicebroker.getCount || this.allProps.devicebroker.getCount.length === 0 || !this.allProps.devicebroker.getCount[0].path) {
1738
+ const errorObj = this.requestHandlerInst.formatErrorObject(this.id, meth, 'Missing Properties', ['devicebroker.getCount.path'], null, null, null);
1739
+ log.error(`${origin}: ${errorObj.IAPerror.displayString}`);
1740
+ return callback(null, errorObj);
1741
+ }
1742
+
1743
+ // verify the required fields have been provided
1744
+
1745
+ try {
1746
+ const callPromises = [];
1747
+ for (let i = 0; i < this.allProps.devicebroker.getCount.length; i += 1) {
1748
+ // Perform component calls here.
1749
+ callPromises.push(
1750
+ new Promise((resolve, reject) => {
1751
+ this.iapMakeBrokerCall('getCount', this.allProps.devicebroker.getCount[i], null, null, (callRet, callErr) => {
1752
+ // return an error
1753
+ if (callErr) {
1754
+ reject(callErr);
1755
+ } else {
1756
+ // return the data
1757
+ resolve(callRet);
1758
+ }
1759
+ });
1760
+ })
1761
+ );
1762
+ }
1763
+
1764
+ // return an array of repsonses
1765
+ return Promise.all(callPromises).then((results) => {
1766
+ let myResult = {};
1767
+ results.forEach((result) => {
1768
+ myResult = { ...myResult, ...result };
1769
+ });
1770
+
1771
+ // return the result
1772
+ return callback({ count: myResult.length });
1773
+ });
1774
+ } catch (ex) {
1775
+ const errorObj = this.requestHandlerInst.formatErrorObject(this.id, meth, 'Caught Exception', null, null, null, ex);
1776
+ log.error(`${origin}: ${errorObj.IAPerror.displayString}`);
1777
+ return callback(null, errorObj);
1778
+ }
1779
+ }
1027
1780
  }
1028
1781
 
1029
1782
  module.exports = AdapterBase;