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