mapPrint.js

  1. 'use strict';
  2. // ugly way to add rgbcolor to global scope so it can be used by canvg inside the viewer; this is done because canvg uses UMD loader and has rgbcolor as internal dependency; there is no elegant way around it; another approach would be to clone canvg and change its loader;
  3. window.RGBColor = require('rgbcolor');
  4. const canvg = require('canvg-origin');
  5. const shared = require('./shared.js')();
  6. const XML_ATTRIBUTES = {
  7. xmlns: 'http://www.w3.org/2000/svg',
  8. 'xmlns:xlink': 'http://www.w3.org/1999/xlink',
  9. version: '1.1'
  10. };
  11. /**
  12. * The `mapPrint` module provides map print and export image related functions.
  13. *
  14. * This module exports an object with the following functions
  15. * - `printMap`
  16. *
  17. * NOTE: unit tests might be difficult to implement as DOM is required...
  18. */
  19. /**
  20. * Generate the image from the esri print task
  21. *
  22. * @param {Object} esriBundle bundle of API classes
  23. * @param {Object} geoApi geoApi to determine if we are in debug mode
  24. * @param {Object} map esri map object
  25. * @param {Object} options options for the print task
  26. * url - for the esri geometry server
  27. * format - output format
  28. * width - target image height if different from default
  29. * height - target image width if different from default
  30. * @return {Promise} resolving when the print task created the image
  31. * resolve with a "response: { url: value }" where url is the path
  32. * for the print task export image
  33. */
  34. function generateServerImage(esriBundle, geoApi, map, options) {
  35. // create esri print object with url to print server
  36. const printTask = esriBundle.PrintTask(options.url, { async: true });
  37. const printParams = new esriBundle.PrintParameters();
  38. const printTemplate = new esriBundle.PrintTemplate();
  39. // each layout has an mxd with that name on the server. We can modify and add new layout (mxd)
  40. // we only support MAP_ONLY for now. See https://github.com/fgpv-vpgf/fgpv-vpgf/issues/1160
  41. printTemplate.layout = 'MAP_ONLY';
  42. // only use when layout is MAP_ONLY
  43. printTemplate.exportOptions = {
  44. height: options.height || map.height,
  45. width: options.width || map.width,
  46. dpi: 96
  47. };
  48. // pdf | png32 | png8 | jpg | gif | eps | svg | svgz
  49. printTemplate.format = options.format;
  50. printTemplate.showAttribution = false;
  51. // define whether the printed map should preserve map scale or map extent.
  52. // if true, the printed map will use the outScale property or default to the scale of the input map.
  53. // if false, the printed map will use the same extent as the input map and thus scale might change.
  54. // we always use false because the output image needs to be of the same extent as the size might be different
  55. // we fit the image later because trying to fit the image with canvg when we add user added
  56. // layer is tricky!
  57. printTemplate.preserveScale = false;
  58. // set map and template
  59. printParams.map = map;
  60. printParams.template = printTemplate;
  61. // need to hide svg layers since we can generate an image for them locally
  62. const svgLayers = hideLayers(map);
  63. const printPromise = new Promise((resolve, reject) => {
  64. // can be use to debug print task. Gives parameters to call directly the print task from it's interface
  65. // http://resources.arcgis.com/en/help/rest/apiref/exportwebmap_spec.html
  66. // http://snipplr.com/view/72400/sample-json-representation-of-an-esri-web-map-for-export-web-map-task
  67. // const mapJSON = printTask._getPrintDefinition(map, printParams);
  68. // console.log(JSON.stringify(mapJSON));
  69. // TODO: catch esriJobFailed. it does not trigger the complete or the error event. Need a way to catch it!
  70. // execute the print task
  71. printTask.execute(printParams,
  72. response =>
  73. resolve(shared.convertImageToCanvas(response.url)),
  74. error =>
  75. reject(error)
  76. );
  77. });
  78. // show user added previously visible for canvg to create canvas
  79. showLayers(svgLayers);
  80. return printPromise;
  81. }
  82. /**
  83. * Set svg-based layer visibility to false to avoid CORS error
  84. *
  85. * @param {Object} map esri map object
  86. * @return {Array} layer array of layers where visibility is true
  87. */
  88. function hideLayers(map) {
  89. return map.graphicsLayerIds
  90. .map(layerId => map.getLayer(layerId))
  91. .filter(layer => layer.visible)
  92. .map(layer => {
  93. layer.setVisibility(false);
  94. return layer;
  95. });
  96. }
  97. /**
  98. * Set user added layer visibility to true for those whoe where visible
  99. *
  100. * @param {Array} layers array of graphic layers to set visibility to true
  101. */
  102. function showLayers(layers) {
  103. layers.forEach((layer) => layer.setVisibility(true));
  104. }
  105. /**
  106. * Create a canvas from the user added layers (svg tag)
  107. *
  108. * @param {Object} map esri map object
  109. * @param {Object} options [optional = null] { width, height } values; needed to get canvas of a size different from default
  110. * width {Number}
  111. * height {Number}
  112. * @param {Object} canvas [optional = null] canvas to draw the image upon; if not supplied, a new canvas will be made
  113. * @return {Promise} resolving when the canvas have been created
  114. * resolve with a canvas element with user added layer on it
  115. */
  116. function generateLocalCanvas(map, options = null, canvas = null) {
  117. canvas = canvas || document.createElement('canvas'); // create canvas element
  118. // find esri map's svg node
  119. // check if xmlns prefixes are set - they aren't; add them
  120. // without correct prefixes, Firefox and IE refuse to render svg onto the canvas; Chrome works;
  121. // related issues: fgpv-vpgf/fgpv-vpgf#1324, fgpv-vpgf/fgpv-vpgf#1307, fgpv-vpgf/fgpv-vpgf#1306
  122. const svgNode = document.getElementById(`esri\.Map_${map.id.split('_')[1]}_gc`);
  123. if (!svgNode.getAttribute('xmlns')) {
  124. Object.entries(XML_ATTRIBUTES).forEach(([key, value]) =>
  125. svgNode.setAttribute(key, value));
  126. }
  127. let originalOptions;
  128. if (options) {
  129. originalOptions = resizeSVGElement(svgNode, options);
  130. }
  131. const generationPromise = new Promise((resolve, reject) => {
  132. // parse the svg
  133. // convert svg text to canvas and stuff it into canvas canvas dom node
  134. // wrapping in try/catch since canvg has NO error handling; not sure what errors this can catch though
  135. try {
  136. // convert svg to text (use map id to select the svg container), then render svgxml back to canvas
  137. canvg(canvas, svgNode.outerHTML, {
  138. useCORS: true,
  139. ignoreAnimation: true,
  140. ignoreMouse: true,
  141. renderCallback: () => {
  142. if (options) {
  143. resizeSVGElement(svgNode, originalOptions.originalSize, originalOptions.originalViewbox);
  144. }
  145. resolve(canvas);
  146. }
  147. });
  148. } catch (error) {
  149. reject(error);
  150. }
  151. });
  152. return generationPromise;
  153. /**
  154. * Scales up or down the specified svg element. To scale it, we need to set the viewbox to the current size and change the size of the element itself.
  155. * @function resizeSVGElement
  156. * @private
  157. * @param {Object} element target svg element to be resized
  158. * @param {Object} targetSize object with target sizes in the form of { width, height }
  159. * width {Number}
  160. * height {Number}
  161. * @param {Object} targetViewbox [optional = null] target viewbox sizes in the form of { minX, minY, width, height }; if not specified, the original size will be used as the viewbox
  162. * minX {Number}
  163. * minxY {Number}
  164. * width {Number}
  165. * height {Number}
  166. * @return {Object} returns original size and viewbox of the svg element in the form of { originalSize: { width, height }, originalViewbox: { minX, minY, width, height } }; can be used to restore the element to its original state
  167. * originalSize:
  168. * width {Number}
  169. * height {Number}
  170. * originalViewbox:
  171. * minX {Number}
  172. * minxY {Number}
  173. * width {Number}
  174. * height {Number}
  175. */
  176. function resizeSVGElement(element, targetSize, targetViewbox = null) {
  177. const originalSize = {
  178. width: element.width.baseVal.value,
  179. height: element.height.baseVal.value
  180. };
  181. // get the current viewbox sizes
  182. // if the viewbox is not defined, the viewbox is assumed to have the same dimensions as the svg element
  183. // getAttribute('viewBox') returns a string in the form '{minx} {miny} {width} {height}'
  184. // setAttribute('viewBox') accepts a string in the same form
  185. const [ovMinX, ovMinY, ovWidth, ovHeight] =
  186. (element.getAttribute('viewBox') || `0 0 ${originalSize.width} ${originalSize.height}`).split(' ');
  187. const originalViewbox = {
  188. minX: ovMinX,
  189. minY: ovMinY,
  190. width: ovWidth,
  191. height: ovHeight
  192. };
  193. // set the width/height of the svg element to the target values
  194. element.setAttribute('width', targetSize.width);
  195. element.setAttribute('height', targetSize.height);
  196. // set the viewbox width/height of the svg element to the target values; or the values of the original viewbox (if the viewbox wasn't defined before, it is now)
  197. element.setAttribute('viewBox', [
  198. (targetViewbox || originalViewbox).minX,
  199. (targetViewbox || originalViewbox).minY,
  200. (targetViewbox || originalViewbox).width,
  201. (targetViewbox || originalViewbox).height
  202. ].join(' '));
  203. return {
  204. originalSize,
  205. originalViewbox
  206. };
  207. }
  208. }
  209. // Print map related modules
  210. module.exports = (esriBundle, geoApi) => {
  211. return {
  212. printLocal: (map, options) => generateLocalCanvas(map, options),
  213. printServer: (map, options) => generateServerImage(esriBundle, geoApi, map, options)
  214. };
  215. };