Source: OverpassFrontend.js

  1. const ee = require('event-emitter')
  2. const async = require('async')
  3. const weightSort = require('weight-sort')
  4. const BoundingBox = require('boundingbox')
  5. const LokiJS = require('lokijs')
  6. const httpLoad = require('./httpLoad')
  7. const removeNullEntries = require('./removeNullEntries')
  8. const BBoxQueryCache = require('./BBoxQueryCache')
  9. const OverpassObject = require('./OverpassObject')
  10. const OverpassNode = require('./OverpassNode')
  11. const OverpassWay = require('./OverpassWay')
  12. const OverpassRelation = require('./OverpassRelation')
  13. const RequestGet = require('./RequestGet')
  14. const RequestBBox = require('./RequestBBox')
  15. const RequestMulti = require('./RequestMulti')
  16. const defines = require('./defines')
  17. const loadFile = require('./loadFile')
  18. const copyOsm3sMetaFrom = require('./copyOsm3sMeta')
  19. const timestamp = require('./timestamp')
  20. const Filter = require('./Filter')
  21. const isGeoJSON = require('./isGeoJSON')
  22. const boundsIsFullWorld = require('./boundsIsFullWorld')
  23. const isFileURL = require('./isFileURL')
  24. /**
  25. * An error occured
  26. * @event OverpassFrontend#error
  27. * @param {Error} error
  28. * @param {OverpassFrontend#Context} [context] - context of the request
  29. */
  30. /**
  31. * A request to Overpass API is started
  32. * @event OverpassFrontend#start
  33. * @param {object} reserved
  34. * @param {OverpassFrontend#Context} context - context of the request
  35. */
  36. /**
  37. * A request to Overpass API was rejected
  38. * @event OverpassFrontend#reject
  39. * @param {OverpassFrontend#QueryStatus} queryStatus
  40. * @param {OverpassFrontend#Context} context - context of the request
  41. */
  42. /**
  43. * Status of a query to Overpass API
  44. * @typedef {Object} OverpassFrontend#QueryStatus
  45. * @property {int} [status] - result status (e.g. 429 for reject, ...)
  46. * @property {int} [errorCount] - the nth error in a row
  47. * @property {boolean} [retry] - true, if the request will be retried (after a 429 error)
  48. * @property {int} [retryTimeout] - if the query will be retried, the next request will be delayed for n ms
  49. */
  50. /**
  51. * When a file is specified as URL, this event notifies, that the file has been completely loaded. When a Overpass API is used, every time when data has been received.
  52. * @event OverpassFrontend#load
  53. * @param {object} osm3sMeta Meta data (not all properties of meta data might be set)
  54. * @param {number} osm3sMeta.version OpenStreetMap API version (currently 0.6)
  55. * @param {string} osm3sMeta.generator Data generator
  56. * @param {string} osm3sMeta.timestamp_osm_base RFC8601 timestamp of OpenStreetMap data
  57. * @param {string} osm3sMeta.copyright Copyright statement
  58. * @param {BoundingBox} [osm3sMeta.bounds] Bounding Box (only when loading from file)
  59. * @param {OverpassFrontend#Context} [context] - context of the request
  60. */
  61. /**
  62. * When an object is updated (e.g. when loaded; additional information loaded; when a member object got loaded)
  63. * @event OverpassFrontend#update
  64. * @param {OverpassNode|OverpassWay|OverpassRelation} object The object which got updated.
  65. */
  66. /**
  67. * A connection to an Overpass API Server or an OpenStreetMap file
  68. * @param {string} url The URL of the API, e.g. 'https://overpass-api.de/api/'. If you omit the protocol, it will use the protocol which is in use for the current page (or https: on nodejs): '//overpass-api.de/api/'. If the url ends in .json, .osm or .osm.bz2 it will load this OpenStreetMap file and use the data from there.
  69. * @param {object} options Options
  70. * @param {boolean} [options.isFile] true, if the URL is a file; false if the URL points to an Overpass API server. if unset, will be autodetected.
  71. * @param {string} [options.filename] override file name; if undefined, the last part of the URL.
  72. * @param {string} [options.fileFormat] force file format; if undefined, auto-detect.
  73. * @param {object} [options.fileFormatOptions] options for the file format parser.
  74. * @param {number} [options.count=0] Only return a maximum of count items. If count=0, no limit is used (default).
  75. * @param {number} [options.effortPerRequest=1000] To avoid huge requests to the Overpass API, the request will be split into smaller chunks. This value defines, how many objects will be requested per API call (for get() calls see effortNode, effortWay, effortRelation, e.g. up to 1000 nodes or 250 ways or (500 nodes and 125 ways) at default values; for BBoxQuery() calls the setting will be divided by 4).
  76. * @param {number} [options.effortNode=1] The effort for request a node. Default: 1.
  77. * @param {number} [options.effortWay=4] The effort for request a way.
  78. * @param {number} [options.effortRelation=64] The effort for request a relation.
  79. * @param {number} [options.effortBBoxFeature=4] The effort for requesting an item in a BboxQuery.
  80. * @param {number} [options.timeGap=10] A short time gap between two requests to the Overpass API (milliseconds).
  81. * @param {number} [options.timeGap429=500] A longer time gap after a 429 response from Overpass API (milliseconds).
  82. * @param {number} [options.timeGap429Exp=3] If we keep getting 429 responses, increase the time exponentially with the specified factor (e.g. 2: 500ms, 1000ms, 2000ms, ...; 3: 500ms, 1500ms, 4500ms, ...)
  83. * @param {number} [options.loadChunkSize=1000] When loading a file (instead connecting to an Overpass URL) load elements in chunks of n items.
  84. * @property {boolean} hasStretchLon180=false Are there any map features in the cache which stretch over lon=180/-180?
  85. */
  86. class OverpassFrontend {
  87. constructor (url, options) {
  88. this.url = url
  89. this.options = {
  90. effortPerRequest: 1000,
  91. effortNode: 1,
  92. effortWay: 4,
  93. effortRelation: 64,
  94. effortBBoxFeature: 4,
  95. timeGap: 10,
  96. timeGap429: 500,
  97. timeGap429Exp: 3,
  98. loadChunkSize: 1000
  99. }
  100. for (const k in options) {
  101. this.options[k] = options[k]
  102. }
  103. const db = new LokiJS()
  104. this.db = db.addCollection('osm', { unique: ['id'] })
  105. this.bboxQueryCache = new BBoxQueryCache(this)
  106. this.clearCache()
  107. this.requests = []
  108. this.requestIsActive = false
  109. this.errorCount = 0
  110. this.pendingNotifyMemberUpdate = {}
  111. this.pendingUpdateEmit = {}
  112. if (this.options.isFile ?? isFileURL(this.url)) {
  113. this.options.isFile = true
  114. this.ready = false
  115. global.setTimeout(() => this._loadFile(), 0)
  116. } else {
  117. this.options.isFile = false
  118. this.ready = true
  119. }
  120. }
  121. /**
  122. * clear all caches
  123. */
  124. clearCache () {
  125. if (this.options.isFile) {
  126. return
  127. }
  128. this.cacheElements = {}
  129. this.cacheElementsMemberOf = {}
  130. this.cacheTimestamp = timestamp()
  131. this.db.clear()
  132. this.bboxQueryCache.clear()
  133. // Set default properties
  134. this.hasStretchLon180 = false
  135. }
  136. _loadFile () {
  137. loadFile(this.url, this.options, (err, content, filename) => {
  138. if (err) {
  139. console.log('Error loading file', err)
  140. return this.emit('error', err)
  141. }
  142. let handler
  143. if (this.options.fileFormat) {
  144. handler = OverpassFrontend.fileFormats.filter(format => format.id === this.options.fileFormat)
  145. } else {
  146. handler = OverpassFrontend.fileFormats.filter(format => format.willLoad(filename, content, this.options.fileFormatOptions ?? {}))
  147. }
  148. if (!handler.length) {
  149. console.log('No file format handler found')
  150. return this.emit('error', new Error('No file format handler found'))
  151. }
  152. handler = handler[0]
  153. handler.load(content, this.options.fileFormatOptions ?? {}, (err, result) => {
  154. if (err) {
  155. console.log('Error loading file with handler ' + handler.id, err)
  156. return this.emit('error', new Error('Error loading file with handler ' + handler.id + ': ' + err.message))
  157. }
  158. this._loadFileContent(result)
  159. })
  160. })
  161. }
  162. _loadFileContent (result) {
  163. const osm3sMeta = copyOsm3sMetaFrom(result)
  164. const chunks = []
  165. for (let i = 0; i < result.elements.length; i += this.options.loadChunkSize) {
  166. chunks.push(result.elements.slice(i, i + this.options.loadChunkSize))
  167. }
  168. // collect all objects, so they can be completed later-on
  169. const obs = []
  170. async.eachLimit(
  171. chunks,
  172. 1,
  173. (chunk, done) => {
  174. chunk.forEach(
  175. (element) => {
  176. const ob = this.createOrUpdateOSMObject(element, {
  177. osm3sMeta,
  178. properties: OverpassFrontend.TAGS | OverpassFrontend.META | OverpassFrontend.MEMBERS
  179. })
  180. obs.push(ob)
  181. }
  182. )
  183. global.setTimeout(done, 0)
  184. },
  185. (err) => {
  186. this.pendingNotifies()
  187. // Set objects to fully known, as no more data can be loaded from the file
  188. obs.forEach(ob => {
  189. ob.properties |= OverpassFrontend.ALL
  190. })
  191. if (err) {
  192. return this.emit('error', err)
  193. }
  194. this.meta = osm3sMeta
  195. this.emit('load', osm3sMeta)
  196. this.ready = true
  197. this._overpassProcess()
  198. }
  199. )
  200. }
  201. /**
  202. * @param {string|string[]} ids - Id or array of Ids of OSM map features, e.g. [ 'n123', 'w2345', 'n123' ]. Illegal IDs will not produce an error but generate a 'null' object.
  203. * @param {object} options Various options, see below
  204. * @param {number} [options.priority=0] - Priority for loading these objects. The lower the sooner they will be requested.
  205. * @param {string|boolean} [options.sort=false] - When set to true or "index", the function featureCallback will be called in order of the "ids" array. When set to false or null, the featureCallback will be called as soon as the object is loaded (e.g. immediately, if it is cached). When set to "BBoxDiagonalLength", the objects are ordered by the length of the diagonal of the bounding box.
  206. * @param {"asc"|"desc"} [options.sortDir="asc"] Sort direction.
  207. * @param {BoundingBox|GeoJSON} [options.bounds] - Only return items which intersect these bounds. Boundaries is a BoundingBox, or a Leaflet Bounds object (e.g. from map.getBounds()) or a GeoJSON Polygon/Multipolygon.
  208. * @param {boolean} [options.members=false] Query relation members of. Default: false
  209. * @param {function} [options.memberCallback] For every member, call this callback function. (Requires options.members=true)
  210. * @param {bit_array} [options.memberProperties] Which properties should be loaded for the members. Default: OverpassFrontend.TAGS | OverpassFrontend.MEMBERS | OverpassFrontend.BBOX
  211. * @param {BoundingBox|GeoJSON} [options.memberBounds] - Only return members which intersect these bounds. Boundaries is a BoundingBox, or a Leaflet Bounds object (e.g. from map.getBounds()) or a GeoJSON Polygon/Multipolygon.
  212. * @param {function} featureCallback Will be called for each object which is passed in parameter 'ids'. Will be passed: 1. err (if an error occured, otherwise null), 2. the object or null, 3. index of the item in parameter ids.
  213. * @param {function} finalCallback Will be called after the last feature. Will be passed: 1. err (if an error occured, otherwise null).
  214. * @return {RequestGet}
  215. */
  216. get (ids, options, featureCallback, finalCallback) {
  217. const request = new RequestGet(this, {
  218. ids: ids,
  219. options: options,
  220. featureCallback: featureCallback,
  221. finalCallback: finalCallback
  222. })
  223. this.requests.push(request)
  224. this._next()
  225. return request
  226. }
  227. /**
  228. * return an OSM object, if it is already in the cache
  229. * @param {string} id - Id of an OSM map feature
  230. * @param {object} options
  231. * @param {int} [options.properties] - Which properties have to be known (default: OverpassFrontend.DEFAULT)
  232. * @return {null|false|OverpassObject} - null: does not exist in the database; false: may exist, but has not been loaded yet (or not enough properties known); OverpassObject: sucessful object
  233. */
  234. getCached (id, options) {
  235. if (typeof options === 'undefined') {
  236. options = {}
  237. }
  238. if (typeof options.properties === 'undefined') {
  239. options.properties = defines.DEFAULT
  240. }
  241. if (!(id in this.cacheElements)) {
  242. return false
  243. }
  244. const ob = this.cacheElements[id]
  245. if (ob.missingObject) {
  246. return null
  247. }
  248. if ((options.properties & ob.properties) !== options.properties) {
  249. return false
  250. }
  251. return ob
  252. }
  253. /**
  254. * Current request context
  255. * @typedef {Object} OverpassFrontend#Context
  256. * @property {string} query - The compiled code of all sub requests
  257. * @property {string} queryOptions - The compiled queryOptions which will be sent to Overpass API
  258. * @property {Request[]} requests - List of all requests in the context
  259. * @property {Request#SubRequest[]} subRequests - List of all subRequests in the context
  260. * @property {BoundingBox} bbox - when there are any BBox requests, add this global bbox
  261. * @property {int} maxEffort - how many queries can we still add to this context
  262. * @property {object} todo - list of items which should be loaded via get requests to avoid duplicates
  263. */
  264. _overpassProcess () {
  265. // currently active - we'll come back later :-)
  266. if (!this.ready) {
  267. return
  268. }
  269. // preprocess all requests
  270. // e.g. call featureCallback for elements which were received in the
  271. // meantime
  272. this.requests.forEach((request, i) => {
  273. if (request && request.timestampPreprocess < this.cacheTimestamp) {
  274. request.preprocess()
  275. request.timestampPreprocess = this.cacheTimestamp
  276. if (request.finished) {
  277. this.requests[i] = null
  278. } else if (request.mayFinish() || this.options.isFile) {
  279. request.finish()
  280. }
  281. }
  282. })
  283. this.requests = removeNullEntries(this.requests)
  284. // currently active - we'll come back later :-)
  285. if (this.requestIsActive || !this.ready) {
  286. return
  287. }
  288. // nothing todo ...
  289. if (!this.requests.length) {
  290. return
  291. }
  292. // now order all requests by priority
  293. this.requests = weightSort(this.requests, 'priority')
  294. this.requestIsActive = true
  295. let request
  296. let j
  297. const context = {
  298. bbox: null,
  299. todo: {},
  300. requests: [],
  301. subRequests: [],
  302. query: '',
  303. minPriority: this.requests[0].priority,
  304. minEffort: 0,
  305. maxEffort: 0
  306. }
  307. for (j = 0; j < this.requests.length; j++) {
  308. request = this.requests[j]
  309. if (request.priority > context.minPriority &&
  310. (context.maxEffort === null || context.maxEffort > this.options.effortPerRequest)) {
  311. break
  312. }
  313. if (request.willInclude(context)) {
  314. const { minEffort, maxEffort } = request.minMaxEffort()
  315. if (context.minEffort > 0 && context.minEffort + minEffort > this.options.effortPerRequest) {
  316. continue
  317. }
  318. context.minEffort += minEffort
  319. if (maxEffort === null) {
  320. context.maxEffort = null
  321. } else if (context.maxEffort !== null) {
  322. context.maxEffort += maxEffort
  323. }
  324. context.requests.push(request)
  325. }
  326. }
  327. let effortAvailable = this.options.effortPerRequest
  328. for (j = 0; j < context.requests.length; j++) {
  329. request = context.requests[j]
  330. const remainingRequestsAtPriority = context.requests.slice(j).filter(r => r.priority === request.priority)
  331. context.maxEffort = Math.ceil(effortAvailable / remainingRequestsAtPriority.length)
  332. const subRequest = request.compileQuery(context)
  333. if (subRequest.parts.length === 0) {
  334. console.log('subRequest has no parts! Why was willInclude true?', subRequest)
  335. continue
  336. }
  337. context.subRequests.push(subRequest)
  338. if (context.query !== '') {
  339. context.query += '\nout count;\n'
  340. }
  341. effortAvailable -= subRequest.effort
  342. context.query += subRequest.query
  343. if (effortAvailable <= 0) {
  344. break
  345. }
  346. }
  347. if (context.query === '') {
  348. return this._next()
  349. }
  350. context.queryOptions = '[out:json]'
  351. if (context.bbox && !boundsIsFullWorld(context.bbox)) {
  352. context.queryOptions += '[bbox:' + context.bbox.toLatLonString() + ']'
  353. }
  354. const query = context.queryOptions + ';\n' + context.query
  355. setTimeout(function () {
  356. httpLoad(
  357. this.url,
  358. null,
  359. query,
  360. this._handleResult.bind(this, context)
  361. )
  362. this.emit('start', {}, context)
  363. }.bind(this), this.options.timeGap)
  364. }
  365. _handleResult (context, err, results) {
  366. this.requestIsActive = false
  367. if (err === null && results.remark) {
  368. err = results.remark
  369. }
  370. const status = {}
  371. if (err !== null) {
  372. this.errorCount++
  373. status.status = err.status
  374. status.errorCount = this.errorCount
  375. if (this.errorCount <= 3) {
  376. // retry
  377. if (err.status === 429) {
  378. this.requestIsActive = true
  379. const timeGap = this.options.timeGap429Exp ** (this.errorCount - 1) * this.options.timeGap429
  380. status.retry = true
  381. status.retryTimeout = timeGap
  382. this.emit('reject', status, context)
  383. global.setTimeout(() => {
  384. this.requestIsActive = false
  385. this._overpassProcess()
  386. }, timeGap - this.options.timeGap)
  387. } else {
  388. this.emit('error', err, context)
  389. this._overpassProcess()
  390. }
  391. } else {
  392. if (err.status === 429) {
  393. status.retry = false
  394. this.emit('reject', status, context)
  395. }
  396. this.emit('error', status, context)
  397. // abort
  398. // call finalCallback for the request
  399. context.subRequests.forEach(function (subRequest) {
  400. subRequest.request.finish(err)
  401. })
  402. }
  403. return
  404. }
  405. this.errorCount = 0
  406. const osm3sMeta = copyOsm3sMetaFrom(results)
  407. this.meta = osm3sMeta
  408. this.emit('load', osm3sMeta, context)
  409. let subRequestsIndex = 0
  410. let partIndex = 0
  411. let subRequest = context.subRequests[0]
  412. let request = subRequest.request
  413. let part = subRequest.parts[0]
  414. if (!('count' in part)) {
  415. part.count = 0
  416. }
  417. for (let i = 0; i < results.elements.length; i++) {
  418. const el = results.elements[i]
  419. if (isSeparator(el)) {
  420. partIndex++
  421. if (partIndex >= subRequest.parts.length) {
  422. request.finishSubRequest(subRequest)
  423. if (request.mayFinish() && !request.finished) {
  424. request.finish()
  425. }
  426. subRequestsIndex++
  427. partIndex = 0
  428. subRequest = context.subRequests[subRequestsIndex]
  429. request = subRequest.request
  430. part = subRequest.parts[0]
  431. if (!('count' in part)) {
  432. part.count = 0
  433. }
  434. } else {
  435. part = subRequest.parts[partIndex]
  436. }
  437. continue
  438. }
  439. part.osm3sMeta = osm3sMeta
  440. const ob = this.createOrUpdateOSMObject(el, part)
  441. delete context.todo[ob.id]
  442. const members = this.cacheElements[ob.id].memberIds()
  443. if (members) {
  444. for (let j = 0; j < members.length; j++) {
  445. if (!(members[j] in this.cacheElementsMemberOf)) {
  446. this.cacheElementsMemberOf[members[j]] = [this.cacheElements[ob.id]]
  447. } else {
  448. this.cacheElementsMemberOf[members[j]].push(this.cacheElements[ob.id])
  449. }
  450. }
  451. }
  452. part.count++
  453. if (part.receiveObject) {
  454. part.receiveObject(ob)
  455. }
  456. if (!request.aborted && !request.finished && part.featureCallback && (!part.checkFeatureCallback || part.checkFeatureCallback(ob, part))) {
  457. part.featureCallback(err, ob)
  458. }
  459. }
  460. if (!(subRequestsIndex === context.subRequests.length - 1 || partIndex === context.subRequests[subRequestsIndex].parts.length - 1)) {
  461. console.log('too many parts!!!!')
  462. }
  463. for (const id in context.todo) {
  464. if (!(id in this.cacheElements)) {
  465. const ob = new OverpassObject()
  466. ob.id = id
  467. ob.type = { n: 'node', w: 'way', r: 'relation' }[id.substr(0, 1)]
  468. ob.osm_id = id.substr(1)
  469. ob.properties = OverpassFrontend.ALL
  470. ob.missingObject = true
  471. this.cacheElements[id] = ob
  472. this.db.insert(ob.dbInsert())
  473. } else {
  474. const ob = this.cacheElements[id]
  475. ob.missingObject = true
  476. this.db.update(ob.dbInsert())
  477. }
  478. }
  479. this.cacheTimestamp = timestamp()
  480. this.pendingNotifies()
  481. request.finishSubRequest(subRequest)
  482. this._next()
  483. }
  484. /**
  485. * @param {string} query - Query for requesting objects from Overpass API, e.g. "node[amenity=restaurant]" or "(node[amenity];way[highway~'^(primary|secondary)$];)". See <a href='Filter.html'>Filter</a> for details.
  486. * @param {BoundingBox|GeoJSON} bounds - Boundaries where to load objects, can be a BoundingBox object, Leaflet Bounds object (e.g. from map.getBounds()) or a GeoJSON Polygon/Multipolygon.
  487. * @param {object} options
  488. * @param {number} [options.limit=0] - Limit count of results. If 0, no limit will be used.
  489. * @param {number} [options.priority=0] - Priority for loading these objects. The lower the sooner they will be requested.
  490. * @param {boolean|string} [options.sort=false] - If false, it will be called as soon as the features are availabe (e.g. immediately when cached).
  491. * @param {bit_array} [options.properties] Which properties of the features should be downloaded: OVERPASS_ID_ONLY, OVERPASS_BBOX, OVERPASS_TAGS, OVERPASS_GEOM, OVERPASS_META. Combine by binary OR: ``OVERPASS_ID | OVERPASS_BBOX``. Default: OverpassFrontend.TAGS | OverpassFrontend.MEMBERS | OverpassFrontend.BBOX
  492. * @param {number} [options.split=0] If more than 'split' elements would be returned, split into several smaller requests, with 'split' elements each. Default: 0 (do not split)
  493. * @param {boolean} [options.members=false] Query relation members of. Default: false
  494. * @param {function} [options.memberCallback] For every member, call this callback function. (Requires options.members=true)
  495. * @param {bit_array} [options.memberProperties] Which properties should be loaded for the members. Default: OverpassFrontend.TAGS | OverpassFrontend.MEMBERS | OverpassFrontend.BBOX
  496. * @param {BoundingBox|GeoJSON} [options.memberBounds] - Only return members which intersect these bounds. Boundaries is a BoundingBox, or a Leaflet Bounds object (e.g. from map.getBounds()) or a GeoJSON Polygon/Multipolygon.
  497. * @param {number} [options.memberSplit=0] If more than 'memberSplit' member elements would be returned, split into smaller requests (see 'split'). 0 = do not split.
  498. * @param {string|Filter} [options.filter] Additional filter.
  499. * @param {boolean} [options.noCacheQuery=false] If true, the local cache will not be queried
  500. * @param {function} featureCallback Will be called for each matching object. Will be passed: 1. err (if an error occured, otherwise null), 2. the object or null.
  501. * @param {function} finalCallback Will be called after the last feature. Will be passed: 1. err (if an error occured, otherwise null).
  502. * @return {RequestBBox}
  503. */
  504. BBoxQuery (query, bounds, options, featureCallback, finalCallback) {
  505. let request
  506. const bbox = new BoundingBox(bounds)
  507. if (!isGeoJSON(bounds)) {
  508. bounds = bbox
  509. }
  510. if (bbox.minlon > bbox.maxlon) {
  511. const bbox1 = new BoundingBox(bbox)
  512. bbox1.maxlon = 180
  513. const bbox2 = new BoundingBox(bbox)
  514. bbox2.minlon = -180
  515. request = new RequestMulti(this,
  516. {
  517. featureCallback: featureCallback,
  518. finalCallback: finalCallback
  519. }, [
  520. new RequestBBox(this, {
  521. query: query,
  522. bbox: bbox1,
  523. bounds: bounds,
  524. options: options,
  525. doneFeatures: {}
  526. }),
  527. new RequestBBox(this, {
  528. query: query,
  529. bbox: bbox2,
  530. bounds: bounds,
  531. options: options,
  532. doneFeatures: {}
  533. })
  534. ]
  535. )
  536. } else {
  537. request = new RequestBBox(this, {
  538. query: query,
  539. bbox: bbox,
  540. bounds: bounds,
  541. options: options,
  542. doneFeatures: {},
  543. featureCallback: featureCallback,
  544. finalCallback: finalCallback
  545. })
  546. }
  547. this.requests.push(request)
  548. this._next()
  549. return request
  550. }
  551. clearBBoxQuery (query) {
  552. const cacheDescriptors = new Filter(query).cacheDescriptors()
  553. cacheDescriptors.forEach(descriptor => {
  554. this.bboxQueryCache.get(descriptor.id).clear()
  555. })
  556. }
  557. _abortRequest (request) {
  558. const p = this.requests.indexOf(request)
  559. if (p === -1) {
  560. return
  561. }
  562. this.requests[p] = null
  563. }
  564. _finishRequest (request) {
  565. const p = this.requests.indexOf(request)
  566. if (p >= 0) {
  567. this.requests[p] = null
  568. }
  569. }
  570. _next () {
  571. async.setImmediate(function () {
  572. this._overpassProcess()
  573. }.bind(this))
  574. }
  575. abortAllRequests () {
  576. for (let j = 0; j < this.requests.length; j++) {
  577. if (this.requests[j] === null) {
  578. continue
  579. }
  580. this.requests[j].abort()
  581. }
  582. this.requests = []
  583. this.requestIsActive = false
  584. }
  585. removeFromCache (ids) {
  586. if (typeof ids === 'string') {
  587. ids = [ids]
  588. }
  589. for (let i = 0; i < ids.length; i++) {
  590. if (ids[i] in this.cacheElements) {
  591. const ob = this.cacheElements[ids[i]]
  592. // remove all memberOf references
  593. if (ob.members) {
  594. ob.members.forEach(member => {
  595. const memberOb = this.cacheElements[member.id]
  596. memberOb.memberOf = memberOb.memberOf
  597. .filter(memberOf => memberOf.id !== ob.id)
  598. })
  599. }
  600. const lokiOb = this.cacheElements[ids[i]].dbData
  601. delete this.cacheElements[ids[i]]
  602. this.db.remove(lokiOb)
  603. }
  604. }
  605. }
  606. notifyMemberUpdates () {
  607. const todo = this.pendingNotifyMemberUpdate
  608. this.pendingNotifyMemberUpdate = {}
  609. for (const k in todo) {
  610. const ob = this.cacheElements[k]
  611. ob.notifyMemberUpdate(todo[k])
  612. this.pendingUpdateEmit[ob.id] = ob
  613. }
  614. }
  615. pendingNotifies () {
  616. this.notifyMemberUpdates()
  617. const todo = Object.values(this.pendingUpdateEmit)
  618. this.pendingUpdateEmit = {}
  619. todo.forEach(ob => {
  620. ob.emit('update', ob)
  621. this.db.update(ob.dbInsert())
  622. })
  623. }
  624. createOrUpdateOSMObject (el, options) {
  625. const id = el.type.substr(0, 1) + el.id
  626. let ob = null
  627. let create = true
  628. if (id in this.cacheElements && !this.cacheElements[id]) {
  629. console.log('why can this be null?', id)
  630. }
  631. if (id in this.cacheElements && this.cacheElements[id]) {
  632. ob = this.cacheElements[id]
  633. create = false
  634. // no new information -> return
  635. if (~ob.properties & options.properties === 0) {
  636. return ob
  637. }
  638. } else if (el.type === 'relation') {
  639. ob = new OverpassRelation(id)
  640. } else if (el.type === 'way') {
  641. ob = new OverpassWay(id)
  642. } else if (el.type === 'node') {
  643. ob = new OverpassNode(id)
  644. } else {
  645. ob = new OverpassObject(id)
  646. }
  647. ob.overpass = this
  648. ob.updateData(el, options)
  649. ob.memberOf.forEach(entry => {
  650. if (entry.id in this.pendingNotifyMemberUpdate) {
  651. this.pendingNotifyMemberUpdate[entry.id].push(ob)
  652. } else {
  653. this.pendingNotifyMemberUpdate[entry.id] = [ob]
  654. }
  655. })
  656. this.pendingUpdateEmit[ob.id] = ob
  657. if (create) {
  658. this.db.insert(ob.dbInsert())
  659. } else {
  660. this.db.update(ob.dbInsert())
  661. }
  662. this.cacheElements[id] = ob
  663. return ob
  664. }
  665. regexpEscape (str) {
  666. return str.replace('\\', '\\\\')
  667. .replace('.', '\\.')
  668. .replace('|', '\\|')
  669. .replace('[', '\\[')
  670. .replace(']', '\\]')
  671. .replace('(', '\\(')
  672. .replace(')', '\\)')
  673. .replace('{', '\\{')
  674. .replace('}', '\\}')
  675. .replace('?', '\\?')
  676. .replace('+', '\\+')
  677. .replace('*', '\\*')
  678. .replace('^', '\\^')
  679. .replace('$', '\\$')
  680. }
  681. /**
  682. * get meta data of last request or - if no request was submitted - the first.
  683. * @params [function] callback - a callback which will receive (err, meta)
  684. */
  685. getMeta (callback) {
  686. if (this.meta) {
  687. return callback(null, this.meta)
  688. }
  689. this.once('load', () => {
  690. callback(null, this.meta)
  691. })
  692. }
  693. }
  694. OverpassFrontend.fileFormats = [
  695. require('./fileFormatOSMXML'),
  696. require('./fileFormatOSMJSON'),
  697. require('./fileFormatGeoJSON')
  698. ]
  699. OverpassFrontend.registerFileFormat = (format) => {
  700. OverpassFrontend.fileFormats.push(format)
  701. }
  702. for (const k in defines) {
  703. OverpassFrontend[k] = defines[k]
  704. }
  705. function isSeparator (el) {
  706. return ('count' in el || ('type' in el && el.type === 'count'))
  707. }
  708. ee(OverpassFrontend.prototype)
  709. OverpassFrontend.Filter = Filter
  710. module.exports = OverpassFrontend