symbology.js

  1. /* jshint maxcomplexity: false */
  2. 'use strict';
  3. const svgjs = require('svg.js');
  4. const shared = require('./shared.js')();
  5. // Functions for turning ESRI Renderers into images
  6. // Specifically, converting ESRI "Simple" symbols into images,
  7. // and deriving the appropriate image for a feature based on
  8. // a renderer
  9. // layer symbology types
  10. const SIMPLE = 'simple';
  11. const UNIQUE_VALUE = 'uniqueValue';
  12. const CLASS_BREAKS = 'classBreaks';
  13. const CONTAINER_SIZE = 32; // size of the symbology item container
  14. const CONTENT_SIZE = 24; // size of the symbology graphic
  15. const CONTENT_IMAGE_SIZE = 28; // size of the symbology graphic if it's an image (images tend to already have a white boarder around them)
  16. const CONTAINER_CENTER = CONTAINER_SIZE / 2;
  17. const CONTENT_PADDING = (CONTAINER_SIZE - CONTENT_SIZE) / 2;
  18. /**
  19. * Will add extra properties to a renderer to support images.
  20. * New properties .svgcode and .defaultsvgcode contains image source
  21. * for app on each renderer item.
  22. *
  23. * @param {Object} renderer an ESRI renderer object in server JSON form. Param is modified in place
  24. * @param {Object} legend object for the layer that maps legend label to data url of legend image
  25. * @return {Promise} resolving when the renderer has been enhanced
  26. */
  27. function enhanceRenderer(renderer, legend) {
  28. // TODO note somewhere (user docs) that everything fails if someone publishes a legend with two identical labels.
  29. // UPDATE turns out services like this exist, somewhat. While the legend has unique labels, the renderer
  30. // can have multiple items with the same corresponding label. Things still hang together in that case,
  31. // since we still have a 1-to-1 relationship between label and icon (all multiples in renderer have
  32. // same label)
  33. // quick lookup object of legend names to data URLs.
  34. // our legend object is in ESRI format, but was generated by us and only has info for a single layer.
  35. // so we just grab item 0, which is the only item.
  36. const legendLookup = {};
  37. // store svgcode in the lookup
  38. const legendItemPromises = legend.layers[0].legend.map(legItem =>
  39. legItem.then(data =>
  40. legendLookup[data.label] = data.svgcode
  41. ));
  42. // wait until all legend items are resolved and legend lookup is updated
  43. return Promise.all(legendItemPromises).then(() => {
  44. switch (renderer.type) {
  45. case SIMPLE:
  46. renderer.svgcode = legendLookup[renderer.label];
  47. break;
  48. case UNIQUE_VALUE:
  49. if (renderer.defaultLabel) {
  50. renderer.defaultsvgcode = legendLookup[renderer.defaultLabel];
  51. }
  52. renderer.uniqueValueInfos.forEach(uvi => {
  53. uvi.svgcode = legendLookup[uvi.label];
  54. });
  55. break;
  56. case CLASS_BREAKS:
  57. if (renderer.defaultLabel) {
  58. renderer.defaultsvgcode = legendLookup[renderer.defaultLabel];
  59. }
  60. renderer.classBreakInfos.forEach(cbi => {
  61. cbi.svgcode = legendLookup[cbi.label];
  62. });
  63. break;
  64. default:
  65. // Renderer we dont support
  66. console.warn('encountered unsupported renderer type: ' + renderer.type);
  67. }
  68. });
  69. }
  70. /**
  71. * Will inspect the field names in a renderer and adjust any mis-matched casing
  72. * to align with the layer field definitions
  73. *
  74. * @private
  75. * @param {Object} renderer a layer renderer in json format
  76. * @param {Array} fields list of field objects for the layer
  77. * @returns {Object} the renderer with any fields adjusted with proper case
  78. */
  79. function cleanRenderer(renderer, fields) {
  80. const enhanceField = (fieldName, fields) => {
  81. if (!fieldName) {
  82. // testing an undefined/unused field. return original value.
  83. return fieldName;
  84. }
  85. let myField = fields.find(f => f.name === fieldName);
  86. if (myField) {
  87. // field is valid. donethanks.
  88. return fieldName;
  89. } else {
  90. // do case-insensitive search
  91. const lowName = fieldName.toLowerCase();
  92. myField = fields.find(f => f.name.toLowerCase() === lowName);
  93. if (myField) {
  94. // use the field definition casing
  95. return myField.name;
  96. } else {
  97. // decided error here was too destructive. it would tank the layer,
  98. // while the drawback would mainly only be failed symbols.
  99. // just return fieldName and hope for luck.
  100. console.warn(`could not find renderer field ${fieldName}`);
  101. return fieldName;
  102. }
  103. }
  104. };
  105. switch (renderer.type) {
  106. case SIMPLE:
  107. break;
  108. case UNIQUE_VALUE:
  109. ['field1', 'field2', 'field3'].forEach(f => {
  110. // call ehnace case for each field
  111. renderer[f] = enhanceField(renderer[f], fields);
  112. });
  113. break;
  114. case CLASS_BREAKS:
  115. renderer.field = enhanceField(renderer.field, fields);
  116. break;
  117. default:
  118. // Renderer we dont support
  119. console.warn('encountered unsupported renderer type: ' + renderer.type);
  120. }
  121. return renderer;
  122. }
  123. /**
  124. * Given feature attributes, find the renderer node that would draw it
  125. *
  126. * @method searchRenderer
  127. * @param {Object} attributes object of feature attribute key value pairs
  128. * @param {Object} renderer an enhanced renderer (see function enhanceRenderer)
  129. * @return {Object} an Object with svgcode and symbol properties for the matched renderer item
  130. */
  131. function searchRenderer(attributes, renderer) {
  132. let svgcode;
  133. let symbol = {};
  134. switch (renderer.type) {
  135. case SIMPLE:
  136. svgcode = renderer.svgcode;
  137. symbol = renderer.symbol;
  138. break;
  139. case UNIQUE_VALUE:
  140. // make a key value for the graphic in question, using comma-space delimiter if multiple fields
  141. // put an empty string when key value is null
  142. let graphicKey = attributes[renderer.field1] === null ? '' : attributes[renderer.field1];
  143. // all key values are stored as strings. if the attribute is in a numeric column, we must convert it to a string to ensure the === operator still works.
  144. if (typeof graphicKey !== 'string') {
  145. graphicKey = graphicKey.toString();
  146. }
  147. // TODO investigate possibility of problems due to falsey logic.
  148. // e.g. if we had a field2 with empty string, would app expect
  149. // 'value1, ' or 'value1'
  150. // need to brew up some samples to see what is possible in ArcMap
  151. if (renderer.field2) {
  152. const delim = renderer.fieldDelimiter || ', ';
  153. graphicKey = graphicKey + delim + attributes[renderer.field2];
  154. if (renderer.field3) {
  155. graphicKey = graphicKey + delim + attributes[renderer.field3];
  156. }
  157. }
  158. // search the value maps for a matching entry. if no match found, use the default image
  159. const uvi = renderer.uniqueValueInfos.find(uvi => uvi.value === graphicKey);
  160. if (uvi) {
  161. svgcode = uvi.svgcode;
  162. symbol = uvi.symbol;
  163. } else {
  164. svgcode = renderer.defaultsvgcode;
  165. symbol = renderer.defaultSymbol;
  166. }
  167. break;
  168. case CLASS_BREAKS:
  169. const gVal = parseFloat(attributes[renderer.field]);
  170. const lower = renderer.minValue;
  171. svgcode = renderer.defaultsvgcode;
  172. symbol = renderer.defaultSymbol;
  173. // check for outside range on the low end
  174. if (gVal < lower) { break; }
  175. // array of minimum values of the ranges in the renderer
  176. let minSplits = renderer.classBreakInfos.map(cbi => cbi.classMaxValue);
  177. minSplits.splice(0, 0, lower - 1); // put lower-1 at the start of the array and shift all other entries by 1
  178. // attempt to find the range our gVal belongs in
  179. const cbi = renderer.classBreakInfos.find((cbi, index) => gVal > minSplits[index] &&
  180. gVal <= cbi.classMaxValue);
  181. if (!cbi) { // outside of range on the high end
  182. break;
  183. }
  184. svgcode = cbi.svgcode;
  185. symbol = cbi.symbol;
  186. break;
  187. default:
  188. console.warn(`Unknown renderer type encountered - ${renderer.type}`);
  189. }
  190. // make an empty svg graphic in case nothing is found to avoid undefined inside the filters
  191. if (typeof svgcode === 'undefined') {
  192. svgcode = svgjs(window.document.createElement('div')).size(CONTAINER_SIZE, CONTAINER_SIZE).svg();
  193. }
  194. return { svgcode, symbol };
  195. }
  196. /**
  197. * Given feature attributes, return the image URL for that feature/graphic object.
  198. *
  199. * @method getGraphicIcon
  200. * @param {Object} attributes object of feature attribute key value pairs
  201. * @param {Object} renderer an enhanced renderer (see function enhanceRenderer)
  202. * @return {String} svgcode Url to the features symbology image
  203. */
  204. function getGraphicIcon(attributes, renderer) {
  205. const renderInfo = searchRenderer(attributes, renderer);
  206. return renderInfo.svgcode;
  207. }
  208. /**
  209. * Given feature attributes, return the symbol for that feature/graphic object.
  210. *
  211. * @method getGraphicSymbol
  212. * @param {Object} attributes object of feature attribute key value pairs
  213. * @param {Object} renderer an enhanced renderer (see function enhanceRenderer)
  214. * @return {Object} an ESRI Symbol object in server format
  215. */
  216. function getGraphicSymbol(attributes, renderer) {
  217. const renderInfo = searchRenderer(attributes, renderer);
  218. return renderInfo.symbol;
  219. }
  220. /**
  221. * Generates svg symbology for WMS layers.
  222. * @function generateWMSSymbology
  223. * @param {String} name label for the symbology item (it's not used right now, but is required to be consistent with other symbology generating functions)
  224. * @param {String} imageUri url or dataUrl of the legend image
  225. * @return {Promise} a promise resolving with symbology svg code and its label
  226. */
  227. function generateWMSSymbology(name, imageUri) {
  228. const draw = svgjs(window.document.createElement('div'))
  229. .size(CONTAINER_SIZE, CONTAINER_SIZE)
  230. .viewbox(0, 0, 0, 0);
  231. const symbologyItem = {
  232. name,
  233. svgcode: null
  234. };
  235. if (imageUri) {
  236. const renderPromise = renderSymbologyImage(imageUri).then(svgcode => {
  237. symbologyItem.svgcode = svgcode;
  238. return symbologyItem;
  239. });
  240. return renderPromise;
  241. } else {
  242. symbologyItem.svgcode = draw.svg();
  243. return Promise.resolve(symbologyItem);
  244. }
  245. }
  246. /**
  247. * Converts a config-supplied list of symbology to the format used by layer records.
  248. *
  249. * @private
  250. * @function _listToSymbology
  251. * @param {Function} conversionFunction a conversion function to wrap the supplied image into an image or an icon style symbology container
  252. * @param {Array} list a list of config-supplied symbology items in the form of [ { text: <String>, image: <String> }, ... ] wher `image` can be dataURL or an actual url
  253. * @return {Array} an array of converted symbology symbols in the form of [ { name: <String>, svgcode: <String> }, ... ]; items will be populated async as conversions are done
  254. */
  255. function _listToSymbology(conversionFunction, list) {
  256. const results = list.map(({ text, image }) => {
  257. const result = {
  258. name: text,
  259. svgcode: null
  260. };
  261. conversionFunction(image).then(svgcode => {
  262. result.svgcode = svgcode;
  263. });
  264. return result;
  265. });
  266. return results;
  267. }
  268. /**
  269. * Renders a supplied image as an image-style symbology item (preserving the true image dimensions).
  270. *
  271. * @function renderSymbologyImage
  272. * @param {String} imageUri a image dataUrl or a regular url
  273. * @param {Object} draw [optional=null] an svg container to draw the image on; if not supplied, a new one is created
  274. */
  275. function renderSymbologyImage(imageUri, draw = null) {
  276. if (draw === null) {
  277. draw = svgjs(window.document.createElement('div'))
  278. .size(CONTAINER_SIZE, CONTAINER_SIZE)
  279. .viewbox(0, 0, 0, 0);
  280. }
  281. const symbologyPromise = shared.convertImagetoDataURL(imageUri)
  282. .then(imageUri =>
  283. svgDrawImage(draw, imageUri))
  284. .then(({ loader }) => {
  285. draw.viewbox(0, 0, loader.width, loader.height);
  286. return draw.svg();
  287. })
  288. .catch(err => {
  289. console.error('Cannot draw symbology iamge; returning empty', err);
  290. return draw.svg();
  291. });
  292. return symbologyPromise;
  293. }
  294. /**
  295. * Renders a supplied image as an icon-style symbology item (fitting an image inside an icon container, usually 32x32 pixels).
  296. *
  297. * @function renderSymbologyIcon
  298. * @param {String} imageUri a image dataUrl or a regular url
  299. * @param {Object} draw [optional=null] an svg container to draw the image on; if not supplied, a new one is created
  300. */
  301. function renderSymbologyIcon(imageUri, draw = null) {
  302. if (draw === null) {
  303. // create a temporary svg element and add it to the page; if not added, the element's bounding box cannot be calculated correctly
  304. const container = window.document.createElement('div');
  305. container.setAttribute('style', 'opacity:0;position:fixed;left:100%;top:100%;overflow:hidden');
  306. window.document.body.appendChild(container);
  307. draw = svgjs(container)
  308. .size(CONTAINER_SIZE, CONTAINER_SIZE)
  309. .viewbox(0, 0, CONTAINER_SIZE, CONTAINER_SIZE);
  310. }
  311. // need to draw the image to get its size (technically not needed if we have a url, but this is simpler)
  312. const picturePromise = shared.convertImagetoDataURL(imageUri)
  313. .then(imageUri =>
  314. svgDrawImage(draw, imageUri))
  315. .then(({ image }) => {
  316. image.center(CONTAINER_CENTER, CONTAINER_CENTER);
  317. // scale image to fit into the symbology item container
  318. fitInto(image, CONTENT_IMAGE_SIZE);
  319. return draw.svg();
  320. });
  321. return picturePromise;
  322. }
  323. /**
  324. * Generates a placeholder symbology graphic. Returns a promise for consistency
  325. * @function generatePlaceholderSymbology
  326. * @private
  327. * @param {String} name label symbology label
  328. * @param {String} colour colour to use in the graphic
  329. * @return {Object} symbology svg code and its label
  330. */
  331. function generatePlaceholderSymbology(name, colour = '#000') {
  332. const draw = svgjs(window.document.createElement('div'))
  333. .size(CONTAINER_SIZE, CONTAINER_SIZE)
  334. .viewbox(0, 0, CONTAINER_SIZE, CONTAINER_SIZE);
  335. draw.rect(CONTENT_IMAGE_SIZE, CONTENT_IMAGE_SIZE)
  336. .center(CONTAINER_CENTER, CONTAINER_CENTER)
  337. .fill(colour);
  338. draw
  339. .text(name[0].toUpperCase()) // take the first letter
  340. .size(23)
  341. .fill('#fff')
  342. .attr({
  343. 'font-weight': 'bold',
  344. 'font-family': 'Roboto'
  345. })
  346. .center(CONTAINER_CENTER, CONTAINER_CENTER);
  347. return {
  348. name,
  349. svgcode: draw.svg()
  350. };
  351. }
  352. /**
  353. * Generate a legend item for an ESRI symbol.
  354. * @private
  355. * @param {Object} symbol an ESRI symbol object in server format
  356. * @param {String} label label of the legend item
  357. * @param {Object} window reference to the browser window
  358. * @return {Object} a legend object populated with the symbol and label
  359. */
  360. function symbolToLegend(symbol, label, window) {
  361. // create a temporary svg element and add it to the page; if not added, the element's bounding box cannot be calculated correctly
  362. const container = window.document.createElement('div');
  363. container.setAttribute('style', 'opacity:0;position:fixed;left:100%;top:100%;overflow:hidden');
  364. window.document.body.appendChild(container);
  365. const draw = svgjs(container)
  366. .size(CONTAINER_SIZE, CONTAINER_SIZE)
  367. .viewbox(0, 0, CONTAINER_SIZE, CONTAINER_SIZE);
  368. // functions to draw esri simple marker symbols
  369. // jscs doesn't like enhanced object notation
  370. // jscs:disable requireSpacesInAnonymousFunctionExpression
  371. const esriSimpleMarkerSimbol = {
  372. esriSMSPath({ size, path }) {
  373. return draw.path(path).size(size);
  374. },
  375. esriSMSCircle({ size }) {
  376. return draw.circle(size);
  377. },
  378. esriSMSCross({ size }) {
  379. return draw.path('M 0,10 L 20,10 M 10,0 L 10,20').size(size);
  380. },
  381. esriSMSX({ size }) {
  382. return draw.path('M 0,0 L 20,20 M 20,0 L 0,20').size(size);
  383. },
  384. esriSMSTriangle({ size }) {
  385. return draw.path('M 20,20 L 10,0 0,20 Z').size(size);
  386. },
  387. esriSMSDiamond({ size }) {
  388. return draw.path('M 20,10 L 10,0 0,10 10,20 Z').size(size);
  389. },
  390. esriSMSSquare({ size }) {
  391. return draw.path('M 0,0 20,0 20,20 0,20 Z').size(size);
  392. }
  393. };
  394. // jscs:enable requireSpacesInAnonymousFunctionExpression
  395. // line dash styles
  396. const ESRI_DASH_MAPS = {
  397. esriSLSSolid: 'none',
  398. esriSLSDash: '5.333,4',
  399. esriSLSDashDot: '5.333,4,1.333,4',
  400. esriSLSLongDashDotDot: '10.666,4,1.333,4,1.333,4',
  401. esriSLSDot: '1.333,4',
  402. esriSLSLongDash: '10.666,4',
  403. esriSLSLongDashDot: '10.666,4,1.333,4',
  404. esriSLSShortDash: '5.333,1.333',
  405. esriSLSShortDashDot: '5.333,1.333,1.333,1.333',
  406. esriSLSShortDashDotDot: '5.333,1.333,1.333,1.333,1.333,1.333',
  407. esriSLSShortDot: '1.333,1.333',
  408. esriSLSNull: 'none'
  409. };
  410. // default stroke style
  411. const DEFAULT_STROKE = {
  412. color: '#000',
  413. opacity: 1,
  414. width: 1,
  415. linecap: 'square',
  416. linejoin: 'miter',
  417. miterlimit: 4
  418. };
  419. // this is a null outline in case a supplied symbol doesn't have one
  420. const DEFAULT_OUTLINE = {
  421. color: [0, 0, 0, 0],
  422. width: 0,
  423. style: ESRI_DASH_MAPS.esriSLSNull
  424. };
  425. // 5x5 px patter with coloured diagonal lines
  426. const esriSFSFills = {
  427. esriSFSSolid: symbolColour => {
  428. return {
  429. color: symbolColour.colour,
  430. opacity: symbolColour.opacity
  431. };
  432. },
  433. esriSFSNull: () => 'transparent',
  434. esriSFSHorizontal: (symbolColour, symbolStroke) => {
  435. const cellSize = 5;
  436. // patter fill: horizonal line in a 5x5 px square
  437. return draw.pattern(cellSize, cellSize, add =>
  438. add.line(0, cellSize / 2, cellSize, cellSize / 2)).stroke(symbolStroke);
  439. },
  440. esriSFSVertical: (symbolColour, symbolStroke) => {
  441. const cellSize = 5;
  442. // patter fill: vertical line in a 5x5 px square
  443. return draw.pattern(cellSize, cellSize, add =>
  444. add.line(cellSize / 2, 0, cellSize / 2, cellSize)).stroke(symbolStroke);
  445. },
  446. esriSFSForwardDiagonal: (symbolColour, symbolStroke) => {
  447. const cellSize = 5;
  448. // patter fill: forward diagonal line in a 5x5 px square; two more diagonal lines offset to cover the corners when the main line is cut off
  449. return draw.pattern(cellSize, cellSize, add => {
  450. add.line(0, 0, cellSize, cellSize).stroke(symbolStroke);
  451. add.line(0, 0, cellSize, cellSize).move(0, cellSize).stroke(symbolStroke);
  452. add.line(0, 0, cellSize, cellSize).move(cellSize, 0).stroke(symbolStroke);
  453. });
  454. },
  455. esriSFSBackwardDiagonal: (symbolColour, symbolStroke) => {
  456. const cellSize = 5;
  457. // patter fill: backward diagonal line in a 5x5 px square; two more diagonal lines offset to cover the corners when the main line is cut off
  458. return draw.pattern(cellSize, cellSize, add => {
  459. add.line(cellSize, 0, 0, cellSize).stroke(symbolStroke);
  460. add.line(cellSize, 0, 0, cellSize).move(cellSize / 2, cellSize / 2).stroke(symbolStroke);
  461. add.line(cellSize, 0, 0, cellSize).move(-cellSize / 2, -cellSize / 2).stroke(symbolStroke);
  462. });
  463. },
  464. esriSFSCross: (symbolColour, symbolStroke) => {
  465. const cellSize = 5;
  466. // patter fill: horizonal and vertical lines in a 5x5 px square
  467. return draw.pattern(cellSize, cellSize, add => {
  468. add.line(cellSize / 2, 0, cellSize / 2, cellSize).stroke(symbolStroke);
  469. add.line(0, cellSize / 2, cellSize, cellSize / 2).stroke(symbolStroke);
  470. });
  471. },
  472. esriSFSDiagonalCross: (symbolColour, symbolStroke) => {
  473. const cellSize = 7;
  474. // patter fill: crossing diagonal lines in a 7x7 px square
  475. return draw.pattern(cellSize, cellSize, add => {
  476. add.line(0, 0, cellSize, cellSize).stroke(symbolStroke);
  477. add.line(cellSize, 0, 0, cellSize).stroke(symbolStroke);
  478. });
  479. }
  480. };
  481. // jscs doesn't like enhanced object notation
  482. // jscs:disable requireSpacesInAnonymousFunctionExpression
  483. const symbolTypes = {
  484. esriSMS() { // ESRI Simple Marker Symbol
  485. const symbolColour = parseEsriColour(symbol.color);
  486. symbol.outline = symbol.outline || DEFAULT_OUTLINE;
  487. const outlineColour = parseEsriColour(symbol.outline.color);
  488. const outlineStroke = makeStroke({
  489. color: outlineColour.colour,
  490. opacity: outlineColour.opacity,
  491. width: symbol.outline.width,
  492. dasharray: ESRI_DASH_MAPS[symbol.outline.style]
  493. });
  494. // make an ESRI simple symbol and apply fill and outline to it
  495. const marker = esriSimpleMarkerSimbol[symbol.style](symbol)
  496. .fill({
  497. color: symbolColour.colour,
  498. opacity: symbolColour.opacity
  499. })
  500. .stroke(outlineStroke)
  501. .center(CONTAINER_CENTER, CONTAINER_CENTER)
  502. .rotate(symbol.angle || 0);
  503. fitInto(marker, CONTENT_SIZE);
  504. },
  505. esriSLS() { // ESRI Simple Line Symbol
  506. const lineColour = parseEsriColour(symbol.color);
  507. const lineStroke = makeStroke({
  508. color: lineColour.colour,
  509. opacity: lineColour.opacity,
  510. width: symbol.width,
  511. linecap: 'butt',
  512. dasharray: ESRI_DASH_MAPS[symbol.style]
  513. });
  514. const min = CONTENT_PADDING;
  515. const max = CONTAINER_SIZE - CONTENT_PADDING;
  516. draw.line(min, min, max, max)
  517. .stroke(lineStroke);
  518. },
  519. esriCLS() { // ESRI Fancy Line Symbol
  520. this.esriSLS();
  521. },
  522. esriSFS() { // ESRI Simple Fill Symbol
  523. const symbolColour = parseEsriColour(symbol.color);
  524. const symbolStroke = makeStroke({
  525. color: symbolColour.colour,
  526. opacity: symbolColour.opacity
  527. });
  528. const symbolFill = esriSFSFills[symbol.style](symbolColour, symbolStroke);
  529. symbol.outline = symbol.outline || DEFAULT_OUTLINE;
  530. const outlineColour = parseEsriColour(symbol.outline.color);
  531. const outlineStroke = makeStroke({
  532. color: outlineColour.colour,
  533. opacity: outlineColour.opacity,
  534. width: symbol.outline.width,
  535. linecap: 'butt',
  536. dasharray: ESRI_DASH_MAPS[symbol.outline.style]
  537. });
  538. draw.rect(CONTENT_SIZE, CONTENT_SIZE)
  539. .center(CONTAINER_CENTER, CONTAINER_CENTER)
  540. .fill(symbolFill)
  541. .stroke(outlineStroke);
  542. },
  543. esriTS() {
  544. console.error('no support for feature service legend of text symbols');
  545. },
  546. esriPFS() { // ESRI Picture Fill Symbol
  547. // imageUri can be just an image url is specified or a dataUri string
  548. const imageUri = symbol.imageData ? `data:${symbol.contentType};base64,${symbol.imageData}` : symbol.url;
  549. const imageWidth = symbol.width * symbol.xscale;
  550. const imageHeight = symbol.height * symbol.yscale;
  551. symbol.outline = symbol.outline || DEFAULT_OUTLINE;
  552. const outlineColour = parseEsriColour(symbol.outline.color);
  553. const outlineStroke = makeStroke({
  554. color: outlineColour.colour,
  555. opacity: outlineColour.opacity,
  556. width: symbol.outline.width,
  557. dasharray: ESRI_DASH_MAPS[symbol.outline.style]
  558. });
  559. const picturePromise = shared.convertImagetoDataURL(imageUri)
  560. .then(imageUri => {
  561. // make a fill from a tiled image
  562. const symbolFill = draw.pattern(imageWidth, imageHeight, add =>
  563. add.image(imageUri, imageWidth, imageHeight, true));
  564. draw.rect(CONTENT_SIZE, CONTENT_SIZE)
  565. .center(CONTAINER_CENTER, CONTAINER_CENTER)
  566. .fill(symbolFill)
  567. .stroke(outlineStroke);
  568. });
  569. return picturePromise;
  570. },
  571. esriPMS() { // ESRI PMS? Picture Marker Symbol
  572. // imageUri can be just an image url is specified or a dataUri string
  573. const imageUri = symbol.imageData ? `data:${symbol.contentType};base64,${symbol.imageData}` : symbol.url;
  574. // need to draw the image to get its size (technically not needed if we have a url, but this is simpler)
  575. const picturePromise = shared.convertImagetoDataURL(imageUri)
  576. .then(imageUri =>
  577. svgDrawImage(draw, imageUri))
  578. .then(({ image }) => {
  579. image
  580. .center(CONTAINER_CENTER, CONTAINER_CENTER)
  581. .rotate(symbol.angle || 0);
  582. // scale image to fit into the symbology item container
  583. fitInto(image, CONTENT_IMAGE_SIZE);
  584. });
  585. return picturePromise;
  586. }
  587. };
  588. // jscs:enable requireSpacesInAnonymousFunctionExpression
  589. // console.log(symbol.type, label, '--START--');
  590. // console.log(symbol);
  591. return Promise.resolve(symbolTypes[symbol.type]())
  592. .then(() => {
  593. // console.log(symbol.type, label, '--DONE--');
  594. // remove element from the page
  595. window.document.body.removeChild(container);
  596. return { label, svgcode: draw.svg() };
  597. }).catch(error => console.log(error));
  598. /**
  599. * Creates a stroke style by applying custom rules to the default stroke.
  600. * @param {Object} overrides any custom rules to apply on top of the defaults
  601. * @return {Object} a stroke object
  602. * @private
  603. */
  604. function makeStroke(overrides) {
  605. return Object.assign({}, DEFAULT_STROKE, overrides);
  606. }
  607. /**
  608. * Convert an ESRI colour object to SVG rgb format.
  609. * @private
  610. * @param {Array} c ESRI Colour array
  611. * @return {Object} colour and opacity in SVG format
  612. */
  613. function parseEsriColour(c) {
  614. if (c) {
  615. return {
  616. colour: `rgb(${c[0]},${c[1]},${c[2]})`,
  617. opacity: c[3] / 255
  618. };
  619. } else {
  620. return {
  621. colour: 'rgb(0, 0, 0)',
  622. opacity: 0
  623. };
  624. }
  625. }
  626. }
  627. /**
  628. * Renders a specified image on an svg element. This is a helper function that wraps around async `draw.image` call in the svg library.
  629. *
  630. * @function svgDrawImage
  631. * @private
  632. * @param {Object} draw svg element to render the image onto
  633. * @param {String} imageUri image url or dataURL of the image to render
  634. * @param {Number} width [optional = 0] width of the image
  635. * @param {Number} height [optional = 0] height of the image
  636. * @param {Boolean} crossOrigin [optional = true] specifies if the image should be loaded as crossOrigin
  637. * @return {Promise} promise resolving with the loaded image and its loader object (see svg.js http://documentup.com/wout/svg.js#image for details)
  638. */
  639. function svgDrawImage(draw, imageUri, width = 0, height = 0, crossOrigin = true) {
  640. const promise = new Promise((resolve, reject) => {
  641. const image = draw.image(imageUri, width, height, crossOrigin)
  642. .loaded(loader =>
  643. resolve({ image, loader }))
  644. .error(err => {
  645. reject(err);
  646. console.error(err);
  647. });
  648. });
  649. return promise;
  650. }
  651. /**
  652. * Fits svg element in the size specified
  653. * @param {Ojbect} element svg element to fit
  654. * @param {Number} CONTAINER_SIZE width/height of a container to fit the element into
  655. */
  656. function fitInto(element, CONTAINER_SIZE) {
  657. // const elementRbox = element.rbox();
  658. // const elementRbox = element.screenBBox();
  659. const elementRbox = element.node.getBoundingClientRect(); // marker.rbox(); //rbox doesn't work properly in Chrome for some reason
  660. const scale = CONTAINER_SIZE / Math.max(elementRbox.width, elementRbox.height);
  661. if (scale < 1) {
  662. element.scale(scale);
  663. }
  664. }
  665. /**
  666. * Generate an array of legend items for an ESRI unique value or class breaks renderer.
  667. * @private
  668. * @param {Object} renderer an ESRI unique value or class breaks renderer
  669. * @param {Array} childList array of children items of the renderer
  670. * @param {Object} window reference to the browser window
  671. * @return {Array} a legend object populated with the symbol and label
  672. */
  673. function scrapeListRenderer(renderer, childList, window) {
  674. // a renderer list can have multiple entries for the same label
  675. // (e.g. mapping two unique values to the same legend category).
  676. // here we assume an identical labels equate to a single legend
  677. // entry.
  678. const preLegend = childList.map(child => {
  679. return { symbol: child.symbol, label: child.label };
  680. });
  681. if (renderer.defaultSymbol) {
  682. // class breaks dont have default label
  683. // TODO perhaps put in a default of "Other", would need to be in proper language
  684. preLegend.push({ symbol: renderer.defaultSymbol, label: renderer.defaultLabel || '' });
  685. }
  686. // filter out duplicate lables, then convert remaining things to legend items
  687. return preLegend
  688. .filter((item, index, inputArray) => {
  689. return index === inputArray.findIndex(dupItem => {
  690. return item.label === dupItem.label;
  691. });
  692. })
  693. .map(item => {
  694. return symbolToLegend(item.symbol, item.label, window);
  695. });
  696. }
  697. function buildRendererToLegend(window) {
  698. /**
  699. * Generate a legend object based on an ESRI renderer.
  700. * @private
  701. * @param {Object} renderer an ESRI renderer object in server JSON form
  702. * @param {Integer} index the layer index of this renderer
  703. * @return {Object} an object matching the form of an ESRI REST API legend
  704. */
  705. return (renderer, index) => {
  706. // make basic shell object with .layers array
  707. const legend = {
  708. layers: [{
  709. layerId: index,
  710. legend: []
  711. }]
  712. };
  713. switch (renderer.type) {
  714. case SIMPLE:
  715. legend.layers[0].legend.push(symbolToLegend(renderer.symbol, renderer.label, window));
  716. break;
  717. case UNIQUE_VALUE:
  718. legend.layers[0].legend = scrapeListRenderer(renderer, renderer.uniqueValueInfos, window);
  719. break;
  720. case CLASS_BREAKS:
  721. legend.layers[0].legend = scrapeListRenderer(renderer, renderer.classBreakInfos, window);
  722. break;
  723. default:
  724. // FIXME make a basic blank entry (error msg as label?) to prevent things from breaking
  725. // Renderer we dont support
  726. console.error('encountered unsupported renderer legend type: ' + renderer.type);
  727. }
  728. return legend;
  729. };
  730. }
  731. /**
  732. * Returns the legend information of an ESRI map service.
  733. *
  734. * @function getMapServerLegend
  735. * @private
  736. * @param {String} layerUrl service url (root service, not indexed endpoint)
  737. * @param {Object} esriBundle collection of ESRI API objects
  738. * @returns {Promise} resolves in an array of legend data
  739. *
  740. */
  741. function getMapServerLegend(layerUrl, esriBundle) {
  742. // standard json request with error checking
  743. const defService = esriBundle.esriRequest({
  744. url: `${layerUrl}/legend`,
  745. content: { f: 'json' },
  746. callbackParamName: 'callback',
  747. handleAs: 'json',
  748. });
  749. // wrap in promise to contain dojo deferred
  750. return new Promise((resolve, reject) => {
  751. defService.then(srvResult => {
  752. if (srvResult.error) {
  753. reject(srvResult.error);
  754. } else {
  755. resolve(srvResult);
  756. }
  757. }, error => {
  758. reject(error);
  759. });
  760. });
  761. }
  762. /**
  763. * Our symbology engine works off of renderers. When dealing with layers with no renderers,
  764. * we need to take server-side legend and convert it to a fake renderer, which lets us
  765. * leverage all the existing symbology code.
  766. *
  767. * @function mapServerLegendToRenderer
  768. * @private
  769. * @param {Object} serverLegend legend json from an esri map server
  770. * @param {Integer} layerIndex the index of the layer in the legend we are interested in
  771. * @returns {Object} a fake unique value renderer based off the legend
  772. *
  773. */
  774. function mapServerLegendToRenderer(serverLegend, layerIndex) {
  775. const layerLegend = serverLegend.layers.find(l => {
  776. return l.layerId === layerIndex;
  777. });
  778. // make the mock renderer
  779. return {
  780. type: 'uniqueValue',
  781. uniqueValueInfos: layerLegend.legend.map(ll => {
  782. return {
  783. label: ll.label,
  784. symbol: {
  785. type: 'esriPMS',
  786. imageData: ll.imageData,
  787. contentType: ll.contentType
  788. }
  789. };
  790. })
  791. };
  792. }
  793. /**
  794. * Our symbology engine works off of renderers. When dealing with layers with no renderers,
  795. * we need to take server-side legend and convert it to a fake renderer, which lets us
  796. * leverage all the existing symbology code.
  797. *
  798. * Same as mapServerLegendToRenderer function but combines all layer renderers.
  799. *
  800. * @function mapServerLegendToRendererAll
  801. * @private
  802. * @param {Object} serverLegend legend json from an esri map server
  803. * @returns {Object} a fake unique value renderer based off the legend
  804. */
  805. function mapServerLegendToRendererAll(serverLegend) {
  806. const layerRenders = serverLegend.layers.map(layer =>
  807. layer.legend.map(layerLegend => ({
  808. label: layerLegend.label,
  809. symbol: {
  810. type: 'esriPMS',
  811. imageData: layerLegend.imageData,
  812. contentType: layerLegend.contentType
  813. }
  814. }))
  815. );
  816. return {
  817. type: 'uniqueValue',
  818. uniqueValueInfos: [].concat(...layerRenders)
  819. };
  820. }
  821. function buildMapServerToLocalLegend(esriBundle, geoApi) {
  822. /**
  823. * Orchestrator function that will:
  824. * - Fetch a legend from an esri map server
  825. * - Extract legend for a specific sub layer
  826. * - Convert server legend to a temporary renderer
  827. * - Convert temporary renderer to a viewer-formatted legend (return value)
  828. *
  829. * @function mapServerToLocalLegend
  830. * @param {String} mapServerUrl service url (root service, not indexed endpoint)
  831. * @param {Integer} [layerIndex] the index of the layer in the legend we are interested in. If not provided, all layers will be collapsed into a single legend
  832. * @returns {Promise} resolves in a viewer-compatible legend for the given server and layer index
  833. *
  834. */
  835. return (mapServerUrl, layerIndex) => {
  836. // get esri legend from server
  837. return getMapServerLegend(mapServerUrl, esriBundle).then(serverLegendData => {
  838. // derive renderer for specified layer
  839. let fakeRenderer;
  840. let intIndex;
  841. if (typeof layerIndex === 'undefined') {
  842. intIndex = 0;
  843. fakeRenderer = mapServerLegendToRendererAll(serverLegendData);
  844. } else {
  845. intIndex = parseInt(layerIndex); // sometimes a stringified value comes in. careful now.
  846. fakeRenderer = mapServerLegendToRenderer(serverLegendData, intIndex);
  847. }
  848. // convert renderer to viewer specific legend
  849. return geoApi.symbology.rendererToLegend(fakeRenderer, intIndex);
  850. });
  851. };
  852. }
  853. module.exports = (esriBundle, geoApi, window) => {
  854. return {
  855. getGraphicIcon,
  856. getGraphicSymbol,
  857. rendererToLegend: buildRendererToLegend(window),
  858. generatePlaceholderSymbology,
  859. generateWMSSymbology,
  860. listToIconSymbology: list => _listToSymbology(renderSymbologyIcon, list),
  861. listToImageSymbology: list => _listToSymbology(renderSymbologyImage, list),
  862. enhanceRenderer,
  863. cleanRenderer,
  864. mapServerToLocalLegend: buildMapServerToLocalLegend(esriBundle, geoApi)
  865. };
  866. };