]> git.openstreetmap.org Git - nominatim-ui.git/blob - dist/assets/js/nominatim-ui.js
remove empty URL parameter when generating target_url
[nominatim-ui.git] / dist / assets / js / nominatim-ui.js
1 'use strict';
2
3 var map;
4 var last_click_latlng;
5
6 // *********************************************************
7 // DEFAULTS
8 // *********************************************************
9
10 var Nominatim_Config_Defaults = {
11   Nominatim_API_Endpoint: 'http://localhost/nominatim/',
12   Images_Base_Url: '/mapicons/',
13   Search_AreaPolygons: 1,
14   Reverse_Default_Search_Zoom: 18,
15   Map_Default_Lat: 20.0,
16   Map_Default_Lon: 0.0,
17   Map_Default_Zoom: 2,
18   Map_Tile_URL: 'https://{s}.tile.osm.org/{z}/{x}/{y}.png',
19   Map_Tile_Attribution: '<a href="https://osm.org/copyright">OpenStreetMap contributors</a>'
20 };
21
22 // *********************************************************
23 // HELPERS
24 // *********************************************************
25
26
27 function get_config_value(str, default_val) {
28   var value = ((typeof Nominatim_Config !== 'undefined')
29                && (typeof Nominatim_Config[str] !== 'undefined'))
30     ? Nominatim_Config[str]
31     : Nominatim_Config_Defaults[str];
32   return (typeof value !== 'undefined' ? value : default_val);
33 }
34
35 function parse_and_normalize_geojson_string(part) {
36   // normalize places the geometry into a featurecollection, similar to
37   // https://github.com/mapbox/geojson-normalize
38   var parsed_geojson = {
39     type: 'FeatureCollection',
40     features: [
41       {
42         type: 'Feature',
43         geometry: part,
44         properties: {}
45       }
46     ]
47   };
48   return parsed_geojson;
49 }
50
51 function map_link_to_osm() {
52   var zoom = map.getZoom();
53   var lat = map.getCenter().lat;
54   var lng = map.getCenter().lng;
55   return 'https://openstreetmap.org/#map=' + zoom + '/' + lat + '/' + lng;
56 }
57
58 function map_viewbox_as_string() {
59   var bounds = map.getBounds();
60   var west = bounds.getWest();
61   var east = bounds.getEast();
62
63   if ((east - west) >= 360) { // covers more than whole planet
64     west = map.getCenter().lng - 179.999;
65     east = map.getCenter().lng + 179.999;
66   }
67   east = L.latLng(77, east).wrap().lng;
68   west = L.latLng(77, west).wrap().lng;
69
70   return [
71     west.toFixed(5), // left
72     bounds.getNorth().toFixed(5), // top
73     east.toFixed(5), // right
74     bounds.getSouth().toFixed(5) // bottom
75   ].join(',');
76 }
77
78
79 // *********************************************************
80 // PAGE HELPERS
81 // *********************************************************
82
83 function fetch_from_api(endpoint_name, params, callback) {
84   //
85   // `&a=&b=&c=1` => '&c=1'
86   var param_names = Object.keys(params);
87   for (var i = 0; i < param_names.length; i += 1) {
88     var val = params[param_names[i]];
89     if (typeof (val) === 'undefined' || val === '' || val === null) {
90       delete params[param_names[i]];
91     }
92   }
93
94   var api_url = get_config_value('Nominatim_API_Endpoint') + endpoint_name + '.php?'
95                   + $.param(params);
96   if (endpoint_name !== 'status') {
97     $('#api-request-link').attr('href', api_url);
98   }
99   $.get(api_url, function (data) {
100     callback(data);
101   });
102 }
103
104 function update_data_date() {
105   fetch_from_api('status', { format: 'json' }, function (data) {
106     $('#data-date').text(data.data_updated);
107   });
108 }
109
110 function render_template(el, template_name, page_context) {
111   var template_source = $('#' + template_name).text();
112   var template = Handlebars.compile(template_source);
113   var html = template(page_context);
114   el.html(html);
115 }
116
117 function update_html_title(title) {
118   var prefix = '';
119   if (title && title.length > 1) {
120     prefix = title + ' | ';
121   }
122   $('head title').text(prefix + 'OpenStreetMap Nominatim');
123 }
124
125 function show_error(html) {
126   $('#error-overlay').html(html).show();
127 }
128
129 function hide_error() {
130   $('#error-overlay').empty().hide();
131 }
132
133
134 jQuery(document).ready(function () {
135   hide_error();
136
137   $(document).ajaxStart(function () {
138     $('#loading').fadeIn('fast');
139   }).ajaxComplete(function () {
140     $('#loading').fadeOut('fast');
141   }).ajaxError(function (event, jqXHR, ajaxSettings/* , thrownError */) {
142     // console.log(thrownError);
143     // console.log(ajaxSettings);
144     var url = ajaxSettings.url;
145     show_error('Error fetching results from <a href="' + url + '">' + url + '</a>');
146   });
147 });
148 // *********************************************************
149 // DETAILS PAGE
150 // *********************************************************
151
152
153 function init_map_on_detail_page(lat, lon, geojson) {
154   var attribution = get_config_value('Map_Tile_Attribution') || null;
155   map = new L.map('map', {
156     // center: [nominatim_map_init.lat, nominatim_map_init.lon],
157     // zoom:   nominatim_map_init.zoom,
158     attributionControl: (attribution && attribution.length),
159     scrollWheelZoom: true, // !L.Browser.touch,
160     touchZoom: false
161   });
162
163   L.tileLayer(get_config_value('Map_Tile_URL'), {
164     // moved to footer
165     // '&copy; <a href="https://osm.org/copyright">OpenStreetMap</a> contributors'
166     attribution: attribution
167   }).addTo(map);
168
169   // var layerGroup = new L.layerGroup().addTo(map);
170
171   var circle = L.circleMarker([lat, lon], {
172     radius: 10, weight: 2, fillColor: '#ff7800', color: 'blue', opacity: 0.75
173   });
174   map.addLayer(circle);
175
176   if (geojson) {
177     var geojson_layer = L.geoJson(
178       // https://leafletjs.com/reference-1.0.3.html#path-option
179       parse_and_normalize_geojson_string(geojson),
180       {
181         style: function () {
182           return { interactive: false, color: 'blue' };
183         }
184       }
185     );
186     map.addLayer(geojson_layer);
187     map.fitBounds(geojson_layer.getBounds());
188   } else {
189     map.setView([lat, lon], 10);
190   }
191
192   var osm2 = new L.TileLayer(
193     get_config_value('Map_Tile_URL'),
194     {
195       minZoom: 0,
196       maxZoom: 13,
197       attribution: (get_config_value('Map_Tile_Attribution') || null)
198     }
199   );
200   (new L.Control.MiniMap(osm2, { toggleDisplay: true })).addTo(map);
201 }
202
203
204 function details_page_load() {
205
206   var search_params = new URLSearchParams(window.location.search);
207   // var place_id = search_params.get('place_id');
208
209   var api_request_params = {
210     place_id: search_params.get('place_id'),
211     osmtype: search_params.get('osmtype'),
212     osmid: search_params.get('osmid'),
213     keywords: search_params.get('keywords'),
214     addressdetails: 1,
215     hierarchy: (search_params.get('hierarchy') === '1' ? 1 : 0),
216     group_hierarchy: 1,
217     polygon_geojson: 1,
218     format: 'json'
219   };
220
221   if (api_request_params.place_id || (api_request_params.osmtype && api_request_params.osmid)) {
222     fetch_from_api('details', api_request_params, function (aFeature) {
223       var context = { aPlace: aFeature, base_url: window.location.search };
224
225       render_template($('main'), 'detailspage-template', context);
226       if (api_request_params.place_id) {
227         update_html_title('Details for ' + api_request_params.place_id);
228       } else {
229         update_html_title('Details for ' + api_request_params.osmtype + api_request_params.osmid);
230       }
231
232       update_data_date();
233
234       var lat = aFeature.centroid.coordinates[1];
235       var lon = aFeature.centroid.coordinates[0];
236       init_map_on_detail_page(lat, lon, aFeature.geometry);
237     });
238   } else {
239     render_template($('main'), 'detailspage-index-template');
240   }
241
242   $('#form-by-type-and-id,#form-by-osm-url').on('submit', function (e) {
243     e.preventDefault();
244
245     var val = $(this).find('input[type=edit]').val();
246     var matches = val.match(/^\s*([NWR])(\d+)\s*$/i);
247
248     if (!matches) {
249       matches = val.match(/\/(relation|way|node)\/(\d+)\s*$/);
250     }
251
252     if (matches) {
253       $(this).find('input[name=osmtype]').val(matches[1].charAt(0).toUpperCase());
254       $(this).find('input[name=osmid]').val(matches[2]);
255       $(this).get(0).submit();
256     } else {
257       alert('invalid input');
258     }
259   });
260 }
261
262 // *********************************************************
263 // FORWARD/REVERSE SEARCH PAGE
264 // *********************************************************
265
266
267 function display_map_position(mouse_lat_lng) {
268   //
269   if (mouse_lat_lng) {
270     mouse_lat_lng = map.wrapLatLng(mouse_lat_lng);
271   }
272
273   var html_mouse = 'mouse position: -';
274   if (mouse_lat_lng) {
275     html_mouse = 'mouse position: '
276                   + [mouse_lat_lng.lat.toFixed(5), mouse_lat_lng.lng.toFixed(5)].join(',');
277   }
278   var html_click = 'last click: -';
279   if (last_click_latlng) {
280     html_click = 'last click: '
281                   + [last_click_latlng.lat.toFixed(5), last_click_latlng.lng.toFixed(5)].join(',');
282   }
283
284   var html_center = 'map center: '
285     + map.getCenter().lat.toFixed(5) + ',' + map.getCenter().lng.toFixed(5)
286     + ' <a target="_blank" href="' + map_link_to_osm() + '">view on osm.org</a>';
287
288   var html_zoom = 'map zoom: ' + map.getZoom();
289   var html_viewbox = 'viewbox: ' + map_viewbox_as_string();
290
291   $('#map-position-inner').html([
292     html_center,
293     html_zoom,
294     html_viewbox,
295     html_click,
296     html_mouse
297   ].join('<br/>'));
298
299   var center_lat_lng = map.wrapLatLng(map.getCenter());
300   var reverse_params = {
301     lat: center_lat_lng.lat.toFixed(5),
302     lon: center_lat_lng.lng.toFixed(5)
303     // zoom: 2,
304     // format: 'html'
305   };
306   $('#switch-to-reverse').attr('href', 'reverse.html?' + $.param(reverse_params));
307
308   $('input#use_viewbox').trigger('change');
309 }
310
311 function init_map_on_search_page(is_reverse_search, nominatim_results, request_lat,
312   request_lon, init_zoom) {
313
314   var attribution = get_config_value('Map_Tile_Attribution') || null;
315   map = new L.map('map', {
316     // center: [nominatim_map_init.lat, nominatim_map_init.lon],
317     // zoom:   nominatim_map_init.zoom,
318     attributionControl: (attribution && attribution.length),
319     scrollWheelZoom: true, // !L.Browser.touch,
320     touchZoom: false
321   });
322
323
324   L.tileLayer(get_config_value('Map_Tile_URL'), {
325     // moved to footer
326     // '&copy; <a href="https://osm.org/copyright">OpenStreetMap</a> contributors'
327     attribution: attribution
328   }).addTo(map);
329
330   // console.log(Nominatim_Config);
331
332   map.setView([request_lat, request_lon], init_zoom);
333
334   var osm2 = new L.TileLayer(get_config_value('Map_Tile_URL'), {
335     minZoom: 0,
336     maxZoom: 13,
337     attribution: attribution
338   });
339   new L.Control.MiniMap(osm2, { toggleDisplay: true }).addTo(map);
340
341   if (is_reverse_search) {
342     // We don't need a marker, but an L.circle instance changes radius once you zoom in/out
343     var cm = L.circleMarker(
344       [request_lat, request_lon],
345       {
346         radius: 5,
347         weight: 2,
348         fillColor: '#ff7800',
349         color: 'red',
350         opacity: 0.75,
351         zIndexOffset: 100,
352         clickable: false
353       }
354     );
355     cm.addTo(map);
356   } else {
357     var search_params = new URLSearchParams(window.location.search);
358     var viewbox = search_params.get('viewbox');
359     if (viewbox) {
360       var coords = viewbox.split(','); // <x1>,<y1>,<x2>,<y2>
361       var bounds = L.latLngBounds([coords[1], coords[0]], [coords[3], coords[2]]);
362       L.rectangle(bounds, {
363         color: '#69d53e',
364         weight: 3,
365         dashArray: '5 5',
366         opacity: 0.8,
367         fill: false
368       }).addTo(map);
369     }
370   }
371
372   var MapPositionControl = L.Control.extend({
373     options: {
374       position: 'topright'
375     },
376     onAdd: function (/* map */) {
377       var container = L.DomUtil.create('div', 'my-custom-control');
378
379       $(container).text('show map bounds')
380         .addClass('leaflet-bar btn btn-sm btn-outline-secondary')
381         .on('click', function (e) {
382           e.preventDefault();
383           e.stopPropagation();
384           $('#map-position').show();
385           $(container).hide();
386         });
387       $('#map-position-close a').on('click', function (e) {
388         e.preventDefault();
389         e.stopPropagation();
390         $('#map-position').hide();
391         $(container).show();
392       });
393
394       return container;
395     }
396   });
397
398   map.addControl(new MapPositionControl());
399
400
401
402
403
404   function update_viewbox_field() {
405     // hidden HTML field
406     $('input[name=viewbox]')
407       .val($('input#use_viewbox')
408         .prop('checked') ? map_viewbox_as_string() : '');
409   }
410
411   map.on('move', function () {
412     display_map_position();
413     update_viewbox_field();
414   });
415
416   map.on('mousemove', function (e) {
417     display_map_position(e.latlng);
418   });
419
420   map.on('click', function (e) {
421     last_click_latlng = e.latlng;
422     display_map_position();
423   });
424
425   map.on('load', function () {
426     display_map_position();
427   });
428
429   $('input#use_viewbox').on('change', function () {
430     update_viewbox_field();
431   });
432
433   function get_result_element(position) {
434     return $('.result').eq(position);
435   }
436   // function marker_for_result(result) {
437   //   return L.marker([result.lat, result.lon], { riseOnHover: true, title: result.name });
438   // }
439   function circle_for_result(result) {
440     var cm_style = {
441       radius: 10,
442       weight: 2,
443       fillColor: '#ff7800',
444       color: 'blue',
445       opacity: 0.75,
446       clickable: !is_reverse_search
447     };
448     return L.circleMarker([result.lat, result.lon], cm_style);
449   }
450
451   var layerGroup = (new L.layerGroup()).addTo(map);
452
453   function highlight_result(position, bool_focus) {
454     var result = nominatim_results[position];
455     if (!result) { return; }
456     var result_el = get_result_element(position);
457
458     $('.result').removeClass('highlight');
459     result_el.addClass('highlight');
460
461     layerGroup.clearLayers();
462
463     if (result.lat) {
464       var circle = circle_for_result(result);
465       circle.on('click', function () {
466         highlight_result(position);
467       });
468       layerGroup.addLayer(circle);
469     }
470
471     if (result.boundingbox) {
472       var bbox = [
473         [result.boundingbox[0] * 1, result.boundingbox[2] * 1],
474         [result.boundingbox[1] * 1, result.boundingbox[3] * 1]
475       ];
476       map.fitBounds(bbox);
477
478       if (result.geojson && result.geojson.type.match(/(Polygon)|(Line)/)) {
479         //
480         var geojson_layer = L.geoJson(
481           parse_and_normalize_geojson_string(result.geojson),
482           {
483             // https://leafletjs.com/reference-1.0.3.html#path-option
484             style: function (/* feature */) {
485               return { interactive: false, color: 'blue' };
486             }
487           }
488         );
489         layerGroup.addLayer(geojson_layer);
490       }
491       // else {
492       //     var layer = L.rectangle(bounds, {color: "#ff7800", weight: 1} );
493       //     layerGroup.addLayer(layer);
494       // }
495     } else {
496       var result_coord = L.latLng(result.lat, result.lon);
497       if (result_coord) {
498         if (is_reverse_search) {
499           // console.dir([result_coord, [request_lat, request_lon]]);
500           // make sure the search coordinates are in the map view as well
501           map.fitBounds(
502             [result_coord, [request_lat, request_lon]],
503             {
504               padding: [50, 50],
505               maxZoom: map.getZoom()
506             }
507           );
508         } else {
509           map.panTo(result_coord, result.zoom || get_config_value('Map_Default_Zoom'));
510         }
511       }
512     }
513     if (bool_focus) {
514       $('#map').focus();
515     }
516   }
517
518
519   $('.result').on('click', function () {
520     highlight_result($(this).data('position'), true);
521   });
522
523   if (is_reverse_search) {
524     map.on('click', function (e) {
525       $('form input[name=lat]').val(e.latlng.lat);
526       $('form input[name=lon]').val(e.latlng.wrap().lng);
527       $('form').submit();
528     });
529
530     $('#switch-coords').on('click', function (e) {
531       e.preventDefault();
532       e.stopPropagation();
533       var lat = $('form input[name=lat]').val();
534       var lon = $('form input[name=lon]').val();
535       $('form input[name=lat]').val(lon);
536       $('form input[name=lon]').val(lat);
537       $('form').submit();
538     });
539   }
540
541   highlight_result(0, false);
542
543   // common mistake is to copy&paste latitude and longitude into the 'lat' search box
544   $('form input[name=lat]').on('change', function () {
545     var coords_split = $(this).val().split(',');
546     if (coords_split.length === 2) {
547       $(this).val(L.Util.trim(coords_split[0]));
548       $(this).siblings('input[name=lon]').val(L.Util.trim(coords_split[1]));
549     }
550   });
551 }
552
553
554
555 function search_page_load() {
556
557   var is_reverse_search = window.location.pathname.match(/reverse/);
558
559   var search_params = new URLSearchParams(window.location.search);
560
561   // return view('search', [
562   //     'sQuery' => $sQuery,
563   //     'bAsText' => '',
564   //     'sViewBox' => '',
565   //     'aSearchResults' => $aSearchResults,
566   //     'sMoreURL' => 'example.com',
567   //     'sDataDate' => $this->fetch_status_date(),
568   //     'sApiURL' => $url
569   // ]);
570
571   var api_request_params;
572   var context;
573
574   if (is_reverse_search) {
575     api_request_params = {
576       lat: search_params.get('lat'),
577       lon: search_params.get('lon'),
578       zoom: (search_params.get('zoom') > 1
579         ? search_params.get('zoom')
580         : get_config_value('Reverse_Default_Search_Zoom')),
581       format: 'jsonv2'
582     };
583
584     context = {
585       // aPlace: aPlace,
586       fLat: api_request_params.lat,
587       fLon: api_request_params.lon,
588       iZoom: (search_params.get('zoom') > 1
589         ? api_request_params.zoom
590         : get_config_value('Reverse_Default_Search_Zoom'))
591     };
592
593     update_html_title();
594     if (api_request_params.lat && api_request_params.lon) {
595
596       fetch_from_api('reverse', api_request_params, function (aPlace) {
597
598         if (aPlace.error) {
599           aPlace = null;
600         }
601
602         context.aPlace = aPlace;
603
604         render_template($('main'), 'reversepage-template', context);
605         update_html_title('Reverse result for '
606                             + api_request_params.lat
607                             + ','
608                             + api_request_params.lon);
609
610         init_map_on_search_page(
611           is_reverse_search,
612           [aPlace],
613           api_request_params.lat,
614           api_request_params.lon,
615           api_request_params.zoom
616         );
617
618         update_data_date();
619       });
620     } else {
621       render_template($('main'), 'reversepage-template', context);
622
623       init_map_on_search_page(
624         is_reverse_search,
625         [],
626         get_config_value('Map_Default_Lat'),
627         get_config_value('Map_Default_Lon'),
628         get_config_value('Map_Default_Zoom')
629       );
630     }
631
632   } else {
633     api_request_params = {
634       q: search_params.get('q'),
635       street: search_params.get('street'),
636       city: search_params.get('city'),
637       county: search_params.get('county'),
638       state: search_params.get('state'),
639       country: search_params.get('country'),
640       postalcode: search_params.get('postalcode'),
641       polygon_geojson: get_config_value('Search_AreaPolygons', false) ? 1 : 0,
642       viewbox: search_params.get('viewbox'),
643       exclude_place_ids: search_params.get('exclude_place_ids'),
644       format: 'jsonv2'
645     };
646
647     context = {
648       sQuery: api_request_params.q,
649       sViewBox: search_params.get('viewbox'),
650       env: {}
651     };
652
653     if (api_request_params.street || api_request_params.city || api_request_params.county
654       || api_request_params.state || api_request_params.country || api_request_params.postalcode) {
655       context.hStructured = {
656         street: api_request_params.street,
657         city: api_request_params.city,
658         county: api_request_params.county,
659         state: api_request_params.state,
660         country: api_request_params.country,
661         postalcode: api_request_params.postalcode
662       };
663     }
664
665     if (api_request_params.q || context.hStructured) {
666
667       fetch_from_api('search', api_request_params, function (aResults) {
668
669         context.aSearchResults = aResults;
670
671         if (aResults.length >= 10) {
672           var aExcludePlaceIds = [];
673           if (search_params.has('exclude_place_ids')) {
674             aExcludePlaceIds = search_params.get('exclude_place_ids').split(',');
675           }
676           for (var i = 0; i < aResults.length; i += 1) {
677             aExcludePlaceIds.push(aResults[i].place_id);
678           }
679
680           var parsed_url = new URLSearchParams(window.location.search);
681           parsed_url.set('exclude_place_ids', aExcludePlaceIds.join(','));
682           context.sMoreURL = '?' + parsed_url.toString();
683         }
684
685         render_template($('main'), 'searchpage-template', context);
686         update_html_title('Result for ' + api_request_params.q);
687
688         init_map_on_search_page(
689           is_reverse_search,
690           aResults,
691           get_config_value('Map_Default_Lat'),
692           get_config_value('Map_Default_Lon'),
693           get_config_value('Map_Default_Zoom')
694         );
695
696         $('#q').focus();
697
698         update_data_date();
699       });
700     } else {
701       render_template($('main'), 'searchpage-template', context);
702
703       init_map_on_search_page(
704         is_reverse_search,
705         [],
706         get_config_value('Map_Default_Lat'),
707         get_config_value('Map_Default_Lon'),
708         get_config_value('Map_Default_Zoom')
709       );
710     }
711   }
712 }
713
714
715 // *********************************************************
716 // DELETABLE PAGE
717 // *********************************************************
718
719 function deletable_page_load() {
720
721   var api_request_params = {
722     format: 'json'
723   };
724
725   fetch_from_api('deletable', api_request_params, function (aPolygons) {
726     var context = { aPolygons: aPolygons };
727
728     render_template($('main'), 'deletable-template', context);
729     update_html_title('Deletable objects');
730
731     update_data_date();
732   });
733 }
734 // *********************************************************
735 // BROKEN POLYGON PAGE
736 // *********************************************************
737
738 function polygons_page_load() {
739   //
740   var api_request_params = {
741     format: 'json'
742   };
743
744   fetch_from_api('polygons', api_request_params, function (aPolygons) {
745     var context = { aPolygons: aPolygons };
746
747     render_template($('main'), 'polygons-template', context);
748     update_html_title('Broken polygons');
749
750     update_data_date();
751   });
752 }
753 jQuery(document).ready(function () {
754   var myhistory = [];
755
756   function parse_url_and_load_page() {
757     // 'search', 'reverse', 'details'
758     var pagename = window.location.pathname.replace('.html', '').replace(/^\//, '');
759
760     $('body').attr('id', pagename + '-page');
761
762     if (pagename === 'search' || pagename === 'reverse') {
763       search_page_load();
764     } else if (pagename === 'details') {
765       details_page_load();
766     } else if (pagename === 'deletable') {
767       deletable_page_load();
768     } else if (pagename === 'polygons') {
769       polygons_page_load();
770     }
771   }
772
773   function is_relative_url(url) {
774     if (!url) return false;
775     if (url.indexOf('?') === 0) return true;
776     if (url.indexOf('/') === 0) return true;
777     if (url.indexOf('#') === 0) return false;
778     if (url.match(/^http/)) return false;
779     if (!url.match(/\.html/)) return true;
780
781     return false;
782   }
783
784   // remove any URL paramters with empty values
785   // '&empty=&filled=value' => 'filled=value'
786   function clean_up_url_parameters(url) {
787     var url_params = new URLSearchParams(url);
788     var to_delete = []; // deleting inside loop would skip iterations
789     url_params.forEach(function (value, key) {
790       if (value === '') to_delete.push(key);
791     });
792     for (var i=0; i<to_delete.length; i++) {
793       url_params.delete(to_delete[i]);
794     }
795     return url_params.toString();
796   }
797
798   parse_url_and_load_page();
799
800   // load page after form submit
801   $(document).on('submit', 'form', function (e) {
802     e.preventDefault();
803
804     var target_url = $(this).serialize();
805     target_url = clean_up_url_parameters(target_url);
806
807     window.history.pushState(myhistory, '', '?' + target_url);
808
809     parse_url_and_load_page();
810   });
811
812   // load page after click on relative URL
813   $(document).on('click', 'a', function (e) {
814     var target_url = $(this).attr('href');
815     if (!is_relative_url(target_url)) return;
816
817     e.preventDefault();
818     e.stopPropagation();
819
820     window.history.pushState(myhistory, '', target_url);
821
822     parse_url_and_load_page();
823   });
824
825   // deal with back-button and other user action
826   window.onpopstate = function () {
827     parse_url_and_load_page();
828   };
829 });
830