]> git.openstreetmap.org Git - rails.git/blob - app/assets/javascripts/index/directions.js
Change default directions engine to fossgis_osrm_car
[rails.git] / app / assets / javascripts / index / directions.js
1 //= require_self
2 //= require_tree ./directions
3
4 OSM.Directions = function (map) {
5   var awaitingGeocode; // true if the user has requested a route, but we're waiting on a geocode result
6   var awaitingRoute;   // true if we've asked the engine for a route and are waiting to hear back
7   var chosenEngine;
8
9   var popup = L.popup({autoPanPadding: [100, 100]});
10
11   var polyline = L.polyline([], {
12     color: '#03f',
13     opacity: 0.3,
14     weight: 10
15   });
16
17   var highlight = L.polyline([], {
18     color: '#ff0',
19     opacity: 0.5,
20     weight: 12
21   });
22
23   var endpoints = [
24     Endpoint($("input[name='route_from']"), OSM.MARKER_GREEN),
25     Endpoint($("input[name='route_to']"), OSM.MARKER_RED)
26   ];
27
28   var expiry = new Date();
29   expiry.setYear(expiry.getFullYear() + 10);
30
31   function Endpoint(input, iconUrl) {
32     var endpoint = {};
33
34     endpoint.marker = L.marker([0, 0], {
35       icon: L.icon({
36         iconUrl: iconUrl,
37         iconSize: [25, 41],
38         iconAnchor: [12, 41],
39         popupAnchor: [1, -34],
40         shadowUrl: OSM.MARKER_SHADOW,
41         shadowSize: [41, 41]
42       }),
43       draggable: true,
44       autoPan: true
45     });
46
47     endpoint.marker.on('drag dragend', function (e) {
48       var dragging = (e.type === 'drag');
49       if (dragging && !chosenEngine.draggable) return;
50       if (dragging && awaitingRoute) return;
51       endpoint.setLatLng(e.target.getLatLng());
52       if (map.hasLayer(polyline)) {
53         getRoute(false, !dragging);
54       }
55     });
56
57     input.on("keydown", function() {
58       input.removeClass("error");
59     });
60
61     input.on("change", function (e) {
62       awaitingGeocode = true;
63       
64       // make text the same in both text boxes
65       var value = e.target.value;
66       endpoint.setValue(value);
67     });
68
69     endpoint.setValue = function(value, latlng) {
70       endpoint.value = value;
71       delete endpoint.latlng;
72       input.removeClass("error");
73       input.val(value);
74
75       if (latlng) {
76         endpoint.setLatLng(latlng);
77       } else {
78         endpoint.getGeocode();
79       }
80     };
81
82     endpoint.getGeocode = function() {
83       // if no one has entered a value yet, then we can't geocode, so don't
84       // even try.
85       if (!endpoint.value) {
86         return;
87       }
88
89       endpoint.awaitingGeocode = true;
90
91       $.getJSON(OSM.NOMINATIM_URL + 'search?q=' + encodeURIComponent(endpoint.value) + '&format=json', function (json) {
92         endpoint.awaitingGeocode = false;
93         endpoint.hasGeocode = true;
94         if (json.length === 0) {
95           input.addClass("error");
96           alert(I18n.t('javascripts.directions.errors.no_place', {place: endpoint.value}));
97           return;
98         }
99
100         endpoint.setLatLng(L.latLng(json[0]));
101
102         input.val(json[0].display_name);
103
104         if (awaitingGeocode) {
105           awaitingGeocode = false;
106           getRoute(true, true);
107         }
108       });
109     };
110
111     endpoint.setLatLng = function (ll) {
112       var precision = OSM.zoomPrecision(map.getZoom());
113       input.val(ll.lat.toFixed(precision) + ", " + ll.lng.toFixed(precision));
114       endpoint.hasGeocode = true;
115       endpoint.latlng = ll;
116       endpoint.marker
117         .setLatLng(ll)
118         .addTo(map);
119     };
120
121     return endpoint;
122   }
123
124   $(".directions_form .reverse_directions").on("click", function() {
125     var from = endpoints[0].latlng,
126         to = endpoints[1].latlng;
127
128     OSM.router.route("/directions?" + querystring.stringify({
129       from: $("#route_to").val(),
130       to: $("#route_from").val(),
131       route: to.lat + "," + to.lng + ";" + from.lat + "," + from.lng
132     }));
133   });
134
135   $(".directions_form .close").on("click", function(e) {
136     e.preventDefault();
137     var route_from = endpoints[0].value;
138     if (route_from) {
139       OSM.router.route("/?query=" + encodeURIComponent(route_from) + OSM.formatHash(map));
140     } else {
141       OSM.router.route("/" + OSM.formatHash(map));
142     }
143   });
144
145   function formatDistance(m) {
146     if (m < 1000) {
147       return Math.round(m) + "m";
148     } else if (m < 10000) {
149       return (m / 1000.0).toFixed(1) + "km";
150     } else {
151       return Math.round(m / 1000) + "km";
152     }
153   }
154
155   function formatTime(s) {
156     var m = Math.round(s / 60);
157     var h = Math.floor(m / 60);
158     m -= h * 60;
159     return h + ":" + (m < 10 ? '0' : '') + m;
160   }
161
162   function findEngine(id) {
163     return engines.findIndex(function(engine) {
164       return engine.id === id;
165     });
166   }
167
168   function setEngine(index) {
169     chosenEngine = engines[index];
170     select.val(index);
171   }
172
173   function getRoute(fitRoute, reportErrors) {
174     // Cancel any route that is already in progress
175     if (awaitingRoute) awaitingRoute.abort();
176
177     // go fetch geocodes for any endpoints which have not already
178     // been geocoded.
179     for (var ep_i = 0; ep_i < 2; ++ep_i) {
180       var endpoint = endpoints[ep_i];
181       if (!endpoint.hasGeocode && !endpoint.awaitingGeocode) {
182         endpoint.getGeocode();
183         awaitingGeocode = true;
184       }
185     }
186     if (endpoints[0].awaitingGeocode || endpoints[1].awaitingGeocode) {
187       awaitingGeocode = true;
188       return;
189     }
190
191     var o = endpoints[0].latlng,
192         d = endpoints[1].latlng;
193
194     if (!o || !d) return;
195     $("header").addClass("closed");
196
197     var precision = OSM.zoomPrecision(map.getZoom());
198
199     OSM.router.replace("/directions?" + querystring.stringify({
200       engine: chosenEngine.id,
201       route: o.lat.toFixed(precision) + ',' + o.lng.toFixed(precision) + ';' +
202              d.lat.toFixed(precision) + ',' + d.lng.toFixed(precision)
203     }));
204
205     // copy loading item to sidebar and display it. we copy it, rather than
206     // just using it in-place and replacing it in case it has to be used
207     // again.
208     $('#sidebar_content').html($('.directions_form .loader_copy').html());
209     map.setSidebarOverlaid(false);
210
211     awaitingRoute = chosenEngine.getRoute([o, d], function (err, route) {
212       awaitingRoute = null;
213
214       if (err) {
215         map.removeLayer(polyline);
216
217         if (reportErrors) {
218           $('#sidebar_content').html('<p class="search_results_error">' + I18n.t('javascripts.directions.errors.no_route') + '</p>');
219         }
220
221         return;
222       }
223
224       polyline
225         .setLatLngs(route.line)
226         .addTo(map);
227
228       if (fitRoute) {
229         map.fitBounds(polyline.getBounds().pad(0.05));
230       }
231
232       var html = '<h2><a class="geolink" href="#">' +
233         '<span class="icon close"></span></a>' + I18n.t('javascripts.directions.directions') +
234         '</h2><p id="routing_summary">' +
235         I18n.t('javascripts.directions.distance') + ': ' + formatDistance(route.distance) + '. ' +
236         I18n.t('javascripts.directions.time') + ': ' + formatTime(route.time) + '.';
237       if (typeof route.ascend !== 'undefined' && typeof route.descend !== 'undefined') {
238         html += '<br />' +
239           I18n.t('javascripts.directions.ascend') + ': ' + Math.round(route.ascend) + 'm. ' +
240           I18n.t('javascripts.directions.descend') + ': ' + Math.round(route.descend) +'m.';
241       }
242       html += '</p><table id="turnbyturn" />';
243
244       $('#sidebar_content')
245         .html(html);
246
247       // Add each row
248       var cumulative = 0;
249       route.steps.forEach(function (step) {
250         var ll        = step[0],
251           direction   = step[1],
252           instruction = step[2],
253           dist        = step[3],
254           lineseg     = step[4];
255
256         cumulative += dist;
257
258         if (dist < 5) {
259           dist = "";
260         } else if (dist < 200) {
261           dist = Math.round(dist / 10) * 10 + "m";
262         } else if (dist < 1500) {
263           dist = Math.round(dist / 100) * 100 + "m";
264         } else if (dist < 5000) {
265           dist = Math.round(dist / 100) / 10 + "km";
266         } else {
267           dist = Math.round(dist / 1000) + "km";
268         }
269
270         var row = $("<tr class='turn'/>");
271         row.append("<td><div class='direction i" + direction + "'/></td> ");
272         row.append("<td class='instruction'>" + instruction);
273         row.append("<td class='distance'>" + dist);
274
275         row.on('click', function () {
276           popup
277             .setLatLng(ll)
278             .setContent("<p>" + instruction + "</p>")
279             .openOn(map);
280         });
281
282         row.hover(function () {
283           highlight
284             .setLatLngs(lineseg)
285             .addTo(map);
286         }, function () {
287           map.removeLayer(highlight);
288         });
289
290         $('#turnbyturn').append(row);
291       });
292
293       $('#sidebar_content').append('<p id="routing_credit">' +
294         I18n.t('javascripts.directions.instructions.courtesy', {link: chosenEngine.creditline}) +
295         '</p>');
296
297       $('#sidebar_content a.geolink').on('click', function(e) {
298         e.preventDefault();
299         map.removeLayer(polyline);
300         $('#sidebar_content').html('');
301         map.setSidebarOverlaid(true);
302         // TODO: collapse width of sidebar back to previous
303       });
304     });
305   }
306
307   var engines = OSM.Directions.engines;
308
309   engines.sort(function (a, b) {
310     a = I18n.t('javascripts.directions.engines.' + a.id);
311     b = I18n.t('javascripts.directions.engines.' + b.id);
312     return a.localeCompare(b);
313   });
314
315   var select = $('select.routing_engines');
316
317   engines.forEach(function(engine, i) {
318     select.append("<option value='" + i + "'>" + I18n.t('javascripts.directions.engines.' + engine.id) + "</option>");
319   });
320
321   var chosenEngineIndex = findEngine('fossgis_osrm_car');
322   if ($.cookie('_osm_directions_engine')) {
323     chosenEngineIndex = findEngine($.cookie('_osm_directions_engine'));
324   }
325   setEngine(chosenEngineIndex);
326
327   select.on("change", function (e) {
328     chosenEngine = engines[e.target.selectedIndex];
329     $.cookie('_osm_directions_engine', chosenEngine.id, { expires: expiry, path: '/' });
330     if (map.hasLayer(polyline)) {
331       getRoute(true, true);
332     }
333   });
334
335   $(".directions_form").on("submit", function(e) {
336     e.preventDefault();
337     getRoute(true, true);
338   });
339
340   $(".routing_marker").on('dragstart', function (e) {
341     var dt = e.originalEvent.dataTransfer;
342     dt.effectAllowed = 'move';
343     var dragData = { type: $(this).data('type') };
344     dt.setData('text', JSON.stringify(dragData));
345     if (dt.setDragImage) {
346       var img = $("<img>").attr("src", $(e.originalEvent.target).attr("src"));
347       dt.setDragImage(img.get(0), 12, 21);
348     }
349   });
350
351   var page = {};
352
353   page.pushstate = page.popstate = function() {
354     $(".search_form").hide();
355     $(".directions_form").show();
356
357     $("#map").on('dragend dragover', function (e) {
358       e.preventDefault();
359     });
360
361     $("#map").on('drop', function (e) {
362       e.preventDefault();
363       var oe = e.originalEvent;
364       var dragData = JSON.parse(oe.dataTransfer.getData('text'));
365       var type = dragData.type;
366       var pt = L.DomEvent.getMousePosition(oe, map.getContainer());  // co-ordinates of the mouse pointer at present
367       pt.y += 20;
368       var ll = map.containerPointToLatLng(pt);
369       endpoints[type === 'from' ? 0 : 1].setLatLng(ll);
370       getRoute(true, true);
371     });
372
373     var params = querystring.parse(location.search.substring(1)),
374         route = (params.route || '').split(';'),
375         from = route[0] && L.latLng(route[0].split(',')),
376         to = route[1] && L.latLng(route[1].split(','));
377
378     if (params.engine) {
379       var engineIndex = findEngine(params.engine);
380
381       if (engineIndex >= 0) {
382         setEngine(engineIndex);
383       }
384     }
385
386     endpoints[0].setValue(params.from || "", from);
387     endpoints[1].setValue(params.to || "", to);
388
389     map.setSidebarOverlaid(!from || !to);
390
391     getRoute(true, true);
392   };
393
394   page.load = function() {
395     page.pushstate();
396   };
397
398   page.unload = function() {
399     $(".search_form").show();
400     $(".directions_form").hide();
401     $("#map").off('dragend dragover drop');
402
403     map
404       .removeLayer(popup)
405       .removeLayer(polyline)
406       .removeLayer(endpoints[0].marker)
407       .removeLayer(endpoints[1].marker);
408   };
409
410   return page;
411 };
412
413 OSM.Directions.engines = [];
414
415 OSM.Directions.addEngine = function (engine, supportsHTTPS) {
416   if (document.location.protocol === "http:" || supportsHTTPS) {
417     OSM.Directions.engines.push(engine);
418   }
419 };