layer/layerRec/dynamicRecord.js

  1. 'use strict';
  2. const attribRecord = require('./attribRecord.js')();
  3. const shared = require('./shared.js')();
  4. const placeholderFC = require('./placeholderFC.js')();
  5. const layerInterface = require('./layerInterface.js')();
  6. const dynamicFC = require('./dynamicFC.js')();
  7. const attribFC = require('./attribFC.js')();
  8. /**
  9. * @class DynamicRecord
  10. */
  11. class DynamicRecord extends attribRecord.AttribRecord {
  12. // TODO are we still using passthrough stuff?
  13. get _layerPassthroughBindings () {
  14. // TEST STATUS none
  15. return ['setOpacity', 'setVisibility', 'setVisibleLayers', 'setLayerDrawingOptions'];
  16. }
  17. get _layerPassthroughProperties () {
  18. // TEST STATUS none
  19. return ['visibleAtMapScale', 'visible', 'spatialReference', 'layerInfos', 'supportsDynamicLayers'];
  20. }
  21. get layerType () { return shared.clientLayerType.ESRI_DYNAMIC; }
  22. get isTrueDynamic () { return this._isTrueDynamic; }
  23. /**
  24. * Create a layer record with the appropriate geoApi layer type.
  25. * Regarding configuration -- in the standard case, the incoming config object
  26. * will be incomplete with regards to child state. It may not even have entries for all possible
  27. * child sub-layers. Given our config defaulting for children happens AFTER the layer loads,
  28. * it means what is passed in at the constructor is generally unreliable except for any child names,
  29. * and the class will treat that information as unreliable (the UI will set values after config defaulting
  30. * happens). In the rare case where the config is fully formed and we want to take advantage of that,
  31. * set the configIsComplete param to true. Be aware that if the config is not actually complete you may
  32. * get a layer in an undesired initial state.
  33. *
  34. * @param {Object} layerClass the ESRI api object for dynamic layers
  35. * @param {Object} esriRequest the ESRI api object for making web requests with proxy support
  36. * @param {Object} apiRef object pointing to the geoApi. allows us to call other geoApi functions
  37. * @param {Object} config layer config values
  38. * @param {Object} esriLayer an optional pre-constructed layer
  39. * @param {Function} epsgLookup an optional lookup function for EPSG codes (see geoService for signature)
  40. * @param {Boolean} configIsComplete an optional flag to indicate if the config is fully flushed out (i.e. things defined for all children). Defaults to false.
  41. */
  42. constructor (layerClass, esriRequest, apiRef, config, esriLayer, epsgLookup, configIsComplete = false) {
  43. // TEST STATUS basic
  44. super(layerClass, esriRequest, apiRef, config, esriLayer, epsgLookup);
  45. this.ArcGISDynamicMapServiceLayer = layerClass;
  46. this._configIsComplete = configIsComplete;
  47. // TODO what is the case where we have dynamic layer already prepared
  48. // and passed in? Generally this only applies to file layers (which
  49. // are feature layers).
  50. this._proxies = {};
  51. // marks if layer supports dynamic capabilities, like child opacity, renderer change, layer reorder
  52. this._isTrueDynamic = false;
  53. }
  54. /**
  55. * Return a proxy interface for a child layer
  56. *
  57. * @param {Integer} featureIdx index of child entry (leaf or group)
  58. * @return {Object} proxy interface for given child
  59. */
  60. getChildProxy (featureIdx) {
  61. // TODO verify we have integer coming in and not a string
  62. // NOTE we no longer have group proxies. Since it is possible for a proxy to
  63. // be requested prior to a dynamic layer being loaded (and thus have no
  64. // idea of the index is valid or the index is a group), we always give
  65. // a proxy and depend on the caller to be smart about it.
  66. const strIdx = featureIdx.toString();
  67. if (this._proxies[strIdx]) {
  68. return this._proxies[strIdx];
  69. } else {
  70. // throw new Error(`attempt to get non-existing child proxy. Index ${featureIdx}`);
  71. // to handle the case of a structured legend needing a proxy for a child prior to the
  72. // layer loading, we treat an unknown proxy request as that case and return
  73. // a proxy loaded with a placeholder.
  74. // TODO how to pass in a name? add an optional second parameter? expose a "set name" on the proxy?
  75. const pfc = new placeholderFC.PlaceholderFC(this, '');
  76. const tProxy = new layerInterface.LayerInterface(pfc);
  77. tProxy.convertToPlaceholder(pfc);
  78. this._proxies[strIdx] = tProxy;
  79. return tProxy;
  80. }
  81. }
  82. // TODO docs
  83. getFeatureCount (featureIdx) {
  84. // point url to sub-index we want
  85. // TODO might change how we manage index and url
  86. return super.getFeatureCount(this._layer.url + '/' + featureIdx);
  87. }
  88. /**
  89. * Triggers when the layer loads.
  90. *
  91. * @function onLoad
  92. */
  93. onLoad () {
  94. super.onLoad();
  95. this._isTrueDynamic = this._layer.supportsDynamicLayers;
  96. // don't worry about structured legend. the legend part is separate from
  97. // the layers part. we just load what we are told to. the legend module
  98. // will handle the structured part.
  99. // NOTE for now, the only relevant properties to be propagated
  100. // from parent to child are .state and .controls .
  101. // .outfields does not make sense as chilren can have different fields.
  102. // We assume the objects at the layer level (index -1) are fully defaulted.
  103. // All other missing items assigned from parent item.
  104. // collate any relevant overrides from the config.
  105. const subConfigs = {};
  106. this.config.layerEntries.forEach(le => {
  107. subConfigs[le.index.toString()] = {
  108. config: JSON.parse(JSON.stringify(le)),
  109. defaulted: this._configIsComplete
  110. };
  111. });
  112. // subfunction to return a subconfig object.
  113. // if it does not exist or is not defaulted, will do that first
  114. // id param is an integer in string format
  115. const fetchSubConfig = (id, serverName = '') => {
  116. // snapshot and bounding box don't apply to child layers
  117. const dummyState = {
  118. opacity: 1,
  119. visibility: false,
  120. query: false
  121. };
  122. if (subConfigs[id]) {
  123. const subC = subConfigs[id];
  124. if (!subC.defaulted) {
  125. // config is incomplete, fill in blanks
  126. // we will never hit this code block a complete config was passed in
  127. // (because it will already have defaulted === true).
  128. // that means our state is unreliable and will be overwritten with a default
  129. subC.config.state = Object.assign({}, dummyState);
  130. // default outfields if not already there
  131. if (!subC.config.hasOwnProperty('outfields')) {
  132. subC.config.outfields = '*';
  133. }
  134. // apply a server name if no name exists
  135. if (!subC.config.name) {
  136. subC.config.name = serverName;
  137. }
  138. // mark as defaulted so we don't do this again
  139. subC.defaulted = true;
  140. }
  141. return subC.config;
  142. } else {
  143. // no config at all. we apply defaults, and a name from the server if available
  144. const newConfig = {
  145. name: serverName,
  146. state: Object.assign({}, dummyState),
  147. outfields: '*',
  148. index: parseInt(id),
  149. stateOnly: true
  150. };
  151. subConfigs[id] = {
  152. config: newConfig,
  153. defaulted: true
  154. };
  155. return newConfig;
  156. }
  157. };
  158. // this subfunction will recursively crawl a dynamic layerInfo structure.
  159. // it will generate proxy objects for all groups and leafs under the
  160. // input layerInfo.
  161. // we also generate a tree structure of layerInfos that is in a format
  162. // that makes the client happy
  163. const processLayerInfo = (layerInfo, treeArray) => {
  164. const sId = layerInfo.id.toString();
  165. const subC = fetchSubConfig(sId, layerInfo.name);
  166. if (layerInfo.subLayerIds && layerInfo.subLayerIds.length > 0) {
  167. // group sublayer
  168. const treeGroup = {
  169. entryIndex: layerInfo.id,
  170. name: subC.name,
  171. childs: []
  172. };
  173. treeArray.push(treeGroup);
  174. // process the kids in the group.
  175. // store the child leaves in the internal variable
  176. layerInfo.subLayerIds.forEach(slid => {
  177. processLayerInfo(this._layer.layerInfos[slid], treeGroup.childs);
  178. });
  179. } else {
  180. // leaf
  181. const pfc = new placeholderFC.PlaceholderFC(this, subC.name);
  182. if (this._proxies[sId]) {
  183. // we have a pre-made proxy (structured legend). update it.
  184. this._proxies[sId].updateSource(pfc);
  185. } else {
  186. // set up new proxy
  187. const leafProxy = new layerInterface.LayerInterface(null);
  188. leafProxy.convertToPlaceholder(pfc);
  189. this._proxies[sId] = leafProxy;
  190. }
  191. treeArray.push({ entryIndex: layerInfo.id });
  192. }
  193. };
  194. this._childTree = []; // public structure describing the tree
  195. // process the child layers our config is interested in, and all their children.
  196. if (this.config.layerEntries) {
  197. this.config.layerEntries.forEach(le => {
  198. if (!le.stateOnly) {
  199. processLayerInfo(this._layer.layerInfos[le.index], this._childTree);
  200. }
  201. });
  202. }
  203. // trigger attribute load and set up children bundles.
  204. // do we need an options object, with .skip set for sub-layers we are not dealing with?
  205. // Alternate: add new option that is opposite of .skip. Will be more of a
  206. // .only, and we won't have to derive a "skip" set from our inclusive
  207. // list
  208. // Furthermore: skipping / being effecient might not really matter here anymore.
  209. // back in the day, loadLayerAttribs would actually load everything.
  210. // now it just sets up promises that dont trigger until someone asks for
  211. // the information. <-- for now we are doing this approach.
  212. const attributeBundle = this._apiRef.attribs.loadLayerAttribs(this._layer);
  213. // converts server layer type string to client layer type string
  214. const serverLayerTypeToClientLayerType = serverType => {
  215. switch (serverType) {
  216. case 'Feature Layer':
  217. return shared.clientLayerType.ESRI_FEATURE;
  218. case 'Raster Layer':
  219. return shared.clientLayerType.ESRI_RASTER;
  220. default:
  221. console.warn('Unexpected layer type in serverLayerTypeToClientLayerType', serverType);
  222. return shared.clientLayerType.UNKNOWN;
  223. }
  224. };
  225. // idx is a string
  226. attributeBundle.indexes.forEach(idx => {
  227. // if we don't have a defaulted sub-config, it means the attribute leaf is not present
  228. // in our visible tree structure.
  229. const subC = subConfigs[idx];
  230. if (subC && subC.defaulted) {
  231. // TODO need to worry about Raster Layers here. DynamicFC is based off of
  232. // attribute things.
  233. const dFC = new dynamicFC.DynamicFC(this, idx, attributeBundle[idx], subC.config);
  234. this._featClasses[idx] = dFC;
  235. // if we have a proxy watching this leaf, replace its placeholder with the real data
  236. const leafProxy = this._proxies[idx];
  237. if (leafProxy) {
  238. leafProxy.convertToDynamicLeaf(dFC);
  239. }
  240. // load real symbols into our source
  241. dFC.loadSymbology();
  242. // update asynchronous values
  243. dFC.getLayerData()
  244. .then(ld => {
  245. dFC.layerType = serverLayerTypeToClientLayerType(ld.layerType);
  246. if (dFC.layerType === shared.clientLayerType.ESRI_FEATURE) {
  247. dFC.geomType = ld.geometryType;
  248. }
  249. })
  250. .catch(() => {
  251. dFC.layerType = shared.clientLayerType.UNRESOLVED;
  252. });
  253. this.getFeatureCount(idx).then(fc => {
  254. dFC.featureCount = fc;
  255. });
  256. }
  257. });
  258. // TODO careful now, as the dynamicFC.DynamicFC constructor also appears to be setting visibility on the parent.
  259. if (this._configIsComplete) {
  260. // if we have a complete config, want to set layer visibility
  261. // get an array of leaf ids that are visible.
  262. // use _featClasses as it contains keys that exist on the server and are
  263. // potentially visible in the client.
  264. const initVis = Object.keys(this._featClasses)
  265. .filter(fcId => {return fetchSubConfig(fcId).config.state.visibility; })
  266. .map(fcId => { return parseInt(fcId); });
  267. if (initVis.length === 0) {
  268. initVis.push(-1); // esri code for set all to invisible
  269. }
  270. this._layer.setVisibleLayers(initVis);
  271. }
  272. }
  273. // override to add child index parameter
  274. zoomToScale (childIdx, map, lods, zoomIn, zoomGraphic = false) {
  275. // get scale set from child, then execute zoom
  276. return this._featClasses[childIdx].getScaleSet().then(scaleSet => {
  277. return this._zoomToScaleSet(map, lods, zoomIn, scaleSet, zoomGraphic);
  278. });
  279. }
  280. isOffScale (childIdx, mapScale) {
  281. return this._featClasses[childIdx].isOffScale(mapScale);
  282. }
  283. isQueryable (childIdx) {
  284. return this._featClasses[childIdx].queryable;
  285. }
  286. // TODO if we need this back, may need to implement as getChildGeomType.
  287. // appears this ovverrides the LayerRecord.getGeomType function, which returns
  288. // undefined, and that is what we want on the DynamicRecord level (as dynamic layer)
  289. // has no geometry.
  290. // Currently, all child requests for geometry go through the proxy,
  291. // so could be this child-targeting version is irrelevant.
  292. /*
  293. getGeomType (childIdx) {
  294. // TEST STATUS none
  295. return this._featClasses[childIdx].geomType;
  296. }
  297. */
  298. getChildTree () {
  299. if (this._childTree) {
  300. return this._childTree;
  301. } else {
  302. throw new Error('Called getChildTree before layer is loaded');
  303. }
  304. }
  305. /**
  306. * Get the best user-friendly name of a field. Uses alias if alias is defined, else uses the system attribute name.
  307. *
  308. * @param {String} attribName the attribute name we want a nice name for
  309. * @param {String} childIndex index of the child layer whos attributes we are looking at
  310. * @return {Promise} resolves to the best available user friendly attribute name
  311. */
  312. aliasedFieldName (attribName, childIndex) {
  313. // TEST STATUS none
  314. return this._featClasses[childIndex].aliasedFieldName(attribName);
  315. }
  316. /**
  317. * Retrieves attributes from a layer for a specified feature index
  318. * @param {String} childIndex index of the child layer to get attributes for
  319. * @return {Promise} promise resolving with formatted attributes to be consumed by the datagrid and esri feature identify
  320. */
  321. getFormattedAttributes (childIndex) {
  322. // TEST STATUS none
  323. return this._featClasses[childIndex].getFormattedAttributes();
  324. }
  325. /**
  326. * Check to see if the attribute in question is an esriFieldTypeDate type.
  327. *
  328. * @param {String} attribName the attribute name we want to check if it's a date or not
  329. * @param {String} childIndex index of the child layer whos attributes we are looking at
  330. * @return {Promise} resolves to true or false based on the attribName type being esriFieldTypeDate
  331. */
  332. checkDateType (attribName, childIndex) {
  333. // TEST STATUS none
  334. return this._featClasses[childIndex].checkDateType(attribName);
  335. }
  336. /**
  337. * Returns attribute data for a child layer.
  338. *
  339. * @function getAttribs
  340. * @param {String} childIndex the index of the child layer
  341. * @returns {Promise} resolves with a layer attribute data object
  342. */
  343. getAttribs (childIndex) {
  344. // TEST STATUS none
  345. return this._featClasses[childIndex].getAttribs();
  346. }
  347. /**
  348. * Returns layer-specific data for a child layer
  349. *
  350. * @function getLayerData
  351. * @param {String} childIndex the index of the child layer
  352. * @returns {Promise} resolves with a layer data object
  353. */
  354. getLayerData (childIndex) {
  355. return this._featClasses[childIndex].getLayerData();
  356. }
  357. getFeatureName (childIndex, objId, attribs) {
  358. return this._featClasses[childIndex].getFeatureName(objId, attribs);
  359. }
  360. getSymbology (childIndex) {
  361. return this._featClasses[childIndex].symbology;
  362. }
  363. /**
  364. * Run a query on a dynamic layer, return the result as a promise.
  365. * @function identify
  366. * @param {Object} opts additional argumets like map object, clickEvent, etc.
  367. * @returns {Object} an object with identify results array and identify promise resolving when identify is complete; if an empty object is returned, it will be skipped
  368. */
  369. identify (opts) {
  370. // TEST STATUS none
  371. // TODO caller must pass in layer ids to interrogate. geoApi wont know what is toggled in the legend.
  372. // param is opts.layerIds, array of integer for every leaf to interrogate.
  373. // TODO add full documentation for options parameter
  374. // bundles results from all leaf layers
  375. const identifyResults = [];
  376. // create an results object for every leaf layer we are inspecting
  377. opts.layerIds.forEach(leafIndex => {
  378. // TODO fix these params
  379. // TODO legendEntry.name, legendEntry.symbology appear to be fast links to populate the left side of the results
  380. // view. perhaps it should not be in this object anymore?
  381. // TODO see how the client is consuming the internal pointer to layerRecord. this may also now be
  382. // directly available via the legend object.
  383. const identifyResult =
  384. new shared.IdentifyResult('legendEntry.name', 'legendEntry.symbology', 'EsriFeature', this,
  385. leafIndex, 'legendEntry.master.name'); // provide name of the master group as caption
  386. identifyResults[leafIndex] = identifyResult;
  387. });
  388. opts.tolerance = this.clickTolerance;
  389. const identifyPromise = this._apiRef.layer.serverLayerIdentify(this._layer, opts)
  390. .then(clickResults => {
  391. const hitIndexes = []; // sublayers that we got results for
  392. // transform attributes of click results into {name,data} objects
  393. // one object per identified feature
  394. //
  395. // each feature will have its attributes converted into a table
  396. // placeholder for now until we figure out how to signal the panel that
  397. // we want to make a nice table
  398. clickResults.forEach(ele => {
  399. // NOTE: the identify service returns aliased field names, so no need to look them up here.
  400. // however, this means we need to un-alias the data when doing field lookups.
  401. // NOTE: ele.layerId is what we would call featureIdx
  402. hitIndexes.push(ele.layerId);
  403. // get metadata about this sublayer
  404. this.getLayerData(ele.layerId).then(lData => {
  405. const identifyResult = identifyResults[ele.layerId];
  406. if (lData.supportsFeatures) {
  407. const unAliasAtt = attribFC.AttribFC.unAliasAttribs(ele.feature.attributes, lData.fields);
  408. // TODO traditionally, we did not pass fields into attributesToDetails as data was
  409. // already aliased from the server. now, since we are extracting field type as
  410. // well, this means things like date formatting might not be applied to
  411. // identify results. examine the impact of providing the fields parameter
  412. // to data that is already aliased.
  413. identifyResult.data.push({
  414. name: ele.value,
  415. data: this.attributesToDetails(ele.feature.attributes),
  416. oid: unAliasAtt[lData.oidField],
  417. symbology: [{
  418. svgcode: this._apiRef.symbology.getGraphicIcon(unAliasAtt, lData.renderer)
  419. }]
  420. });
  421. }
  422. identifyResult.isLoading = false;
  423. });
  424. });
  425. // set the rest of the entries to loading false
  426. identifyResults.forEach(identifyResult => {
  427. if (hitIndexes.indexOf(identifyResult.requester.featureIdx) === -1) {
  428. identifyResult.isLoading = false;
  429. }
  430. });
  431. });
  432. return {
  433. identifyResults: identifyResults.filter(identifyResult => identifyResult), // collapse sparse array
  434. identifyPromise
  435. };
  436. }
  437. // TODO docs
  438. getChildName (index) {
  439. // TEST STATUS none
  440. // TODO revisit logic. is this the best way to do this? what are the needs of the consuming code?
  441. // TODO restructure so WMS can use this too?
  442. // will not use FC classes, as we also need group names
  443. return this._layer.layerInfos[index].name;
  444. }
  445. }
  446. module.exports = () => ({
  447. DynamicRecord
  448. });