libre-charge-map/js/main.js

741 lines
25 KiB
JavaScript
Raw Normal View History

2024-12-11 17:32:48 +01:00
/**
* rechercher les bornes de recharge,
* afficher des cercles colorés selon la puissance max de la station
* lister les bornes trouvées dans la page
* @type {boolean}
*/
2024-12-17 11:53:02 +01:00
import config from './config.js'
import utils from './utils.js'
2024-12-18 13:40:58 +01:00
import colorUtils from './color-utils.js'
2024-12-28 17:59:15 +01:00
import { sendToJOSM, createJOSMEditLink } from './editor.js'
2024-12-11 23:13:15 +01:00
let geojsondata;
let lastLatLng;
2024-12-22 23:39:17 +01:00
2024-10-17 15:01:47 +02:00
// serveurs de tuiles: https://wiki.openstreetmap.org/wiki/Tile_servers
// https://stamen-tiles.a.ssl.fastly.net/toner/{z}/{x}/{y}.png
// https://a.tile.openstreetmap.fr/osmfr/{z}/{x}/{y}.png
2024-10-18 00:47:01 +02:00
// https://tile.openstreetmap.org/{z}/{x}/{y}.png
// 'https://cartodb-basemaps-{s}.global.ssl.fastly.net/light_all/{z}/{x}/{y}.png'
2024-12-22 23:39:17 +01:00
2024-10-17 15:01:47 +02:00
// Créer la carte centrée sur Rouen
2024-12-14 17:39:17 +01:00
// Liste des 20 villes les plus peuplées de France avec leurs coordonnées géographiques
2024-12-17 11:53:02 +01:00
2024-12-14 17:39:17 +01:00
// Initialisation de la carte avec la vue centrée sur la ville choisie
2024-12-18 13:40:58 +01:00
let map = L.map('map')
L.control.scale().addTo(map)
2024-12-16 12:54:15 +01:00
/**
* filtres à toggle par des boutons dans la page
* à appliquer à chaque rafraîchissement des points geojson
* TODO: make buttons and filter in refresh circles
*/
2024-12-22 23:39:17 +01:00
let filterStatesAvailable = ['hide', 'show', 'showOnly']
let display_type2_sockets = 'show';
let display_type2_combo_sockets = 'show';
let display_unknown_max_power_station = 'show';
let display_known_max_power_station = 'show';
let display_type2_combo_sockets_with_cable = 'show';
let display_lower_than_50kw = 'show';
let display_higer_than_50kw = 'show';
let display_lower_than_200kw = 'show';
let display_higer_than_200kw = 'show';
let display_chelou = 'show'; // les stations avec une valeur suspecte, plus de 400kW
function setRandomView() {
2024-12-28 17:59:15 +01:00
let randomCity = utils.cities[Math.floor(Math.random() * utils.cities.length)];
map = map.setView(randomCity.coords, config.initialZoom);
2024-12-16 12:54:15 +01:00
}
2024-12-18 13:40:58 +01:00
function setCoordinatesOfLeafletMapFromQueryParameters() {
2024-12-28 17:59:15 +01:00
const urlParams = new URLSearchParams(window.location.href);
const lat = urlParams.get('lat');
const lng = urlParams.get('lng');
const zoom = urlParams.get('zoom');
if (lat && lng && zoom) {
2024-12-28 17:59:15 +01:00
map = map.setView([lat, lng], zoom);
} else {
2024-12-28 17:59:15 +01:00
console.error('Les paramètres de coordonnées et de zoom doivent être présents dans l\'URL.');
setRandomView();
}
2024-12-16 12:54:15 +01:00
}
function updateURLWithMapCoordinatesAndZoom() {
// Récupère les coordonnées et le niveau de zoom de la carte
const center = map.getCenter()
const zoom = map.getZoom()
2024-12-16 12:54:15 +01:00
// Construit l'URL avec les paramètres de coordonnées et de zoom
const url = `#coords=1&lat=${center.lat}&lng=${center.lng}&zoom=${zoom}`
// Met à jour l'URL de la page
history.replaceState(null, null, url)
2024-12-16 12:54:15 +01:00
}
2024-12-28 17:00:21 +01:00
let all_stations_markers = L.layerGroup().addTo(map) // layer group pour tous les marqueurs
// let stations_much_speed_wow = L.layerGroup().addTo(map) // layer group des stations rapides
2024-12-22 23:39:17 +01:00
var osm = L.tileLayer(config.tileServers.osm, {
attribution: config.osmMention + '&copy; <a href="https://www.openstreetmap.org/">OpenStreetMap</a> contributors'
2024-12-14 18:00:09 +01:00
})
2024-12-22 23:39:17 +01:00
var cycle = L.tileLayer(config.tileServers.cycle, {
attribution: config.osmMention + '&copy; <a href="https://www.opencyclemap.org/">OpenCycleMap</a> contributors'
2024-12-14 18:00:09 +01:00
})
2024-12-22 23:39:17 +01:00
var transport = L.tileLayer(config.tileServers.transport, {
attribution: config.osmMention
2024-12-14 18:00:09 +01:00
})
let tileGrey =
2024-12-22 23:39:17 +01:00
L.tileLayer(config.tileServers.cartodb, {
attribution: config.osmMention
})
2024-12-14 18:00:09 +01:00
let stamen =
2024-12-22 23:39:17 +01:00
L.tileLayer(config.tileServers.stamen, {
attribution: config.osmMention
})
2024-12-14 18:00:09 +01:00
var baseLayers = {
'Grey': tileGrey,
'Stamen': stamen,
'OpenStreetMap': osm,
// 'OpenCycleMap': cycle,
'Transport': transport
2024-12-14 18:00:09 +01:00
}
let overlays = {
stations_bof: all_stations_markers
2024-12-28 17:00:21 +01:00
}
2024-10-17 15:01:47 +02:00
const layerControl = L.control.layers(baseLayers, overlays, {collapsed: true}).addTo(map)
2024-12-14 18:08:00 +01:00
tileGrey.addTo(map)
2024-12-11 23:13:15 +01:00
2024-12-28 17:00:21 +01:00
function buildOverpassApiUrl(map, overpassQuery) {
2024-12-28 17:59:15 +01:00
let baseUrl = 'https://overpass-api.de/api/interpreter';
const kilometersMarginForLoading = 2;
const marginInDegrees = kilometersMarginForLoading / 111;
const south = map.getBounds().getSouth() - marginInDegrees;
const west = map.getBounds().getWest() - marginInDegrees;
const north = map.getBounds().getNorth() + marginInDegrees;
const east = map.getBounds().getEast() + marginInDegrees;
let bounds = south + ',' + west + ',' + north + ',' + east;
let resultUrl, query = '';
2024-10-17 15:01:47 +02:00
if (config.overrideQuery) {
query = `?data=[out:json][timeout:15];(
nwr[amenity=charging_station](${bounds});
2024-12-28 17:59:15 +01:00
);out body geom;`;
} else {
2024-12-28 17:59:15 +01:00
let nodeQuery = 'node[' + overpassQuery + '](' + bounds + ');';
let wayQuery = 'way[' + overpassQuery + '](' + bounds + ');';
let relationQuery = 'relation[' + overpassQuery + '](' + bounds + ');';
query = '?data=[out:json][timeout:15];(' + nodeQuery + wayQuery + relationQuery + ');out body geom;';
}
2024-12-28 17:59:15 +01:00
resultUrl = baseUrl + query;
return resultUrl;
2024-12-28 17:00:21 +01:00
}
2024-10-17 15:01:47 +02:00
2024-12-28 17:59:15 +01:00
2024-10-17 15:01:47 +02:00
function supprimerMarqueurs() {
2024-12-28 17:59:15 +01:00
all_stations_markers.clearLayers();
map.eachLayer((layer) => {
if (layer instanceof L.Marker) {
2024-12-28 17:59:15 +01:00
layer.remove();
}
2024-12-28 17:59:15 +01:00
});
}
2024-12-11 23:13:15 +01:00
let coef_reduction_bars = 0.8
2024-10-17 15:01:47 +02:00
function calculerPourcentage(partie, total, reduc) {
if (total === 0) {
return 'Division par zéro impossible'
}
let coef_reduction = 1
if (reduc) {
coef_reduction = coef_reduction_bars
}
return ((partie / total) * 100 * coef_reduction).toFixed(1)
2024-12-11 23:13:15 +01:00
}
function displayStatsFromGeoJson(resultAsGeojson) {
2024-12-28 17:59:15 +01:00
let count = resultAsGeojson.features.length;
let count_station_output = 0;
let count_ref_eu = 0;
let output_more_than_300 = 0;
let output_more_than_200 = 0;
let output_more_than_100 = 0;
let output_more_than_50 = 0;
let count_station_outputoutput_between_1_and_50 = 0;
let count_output_unknown = 0;
let count_estimated_type2combo = 0;
let count_found_type2combo = 0;
let count_found_type2 = 0;
resultAsGeojson.features.map(feature => {
2024-12-28 17:59:15 +01:00
let found_type2_combo = false;
let found_type2 = false;
let keys_of_object = Object.keys(feature.properties.tags);
keys_of_object.map(tagKey => {
if (tagKey.indexOf('type2_combo') !== -1) {
2024-12-28 17:59:15 +01:00
found_type2_combo = true;
}
if (tagKey.indexOf('type2') !== -1) {
2024-12-28 17:59:15 +01:00
found_type2 = true;
}
2024-12-28 17:59:15 +01:00
});
let outputPower = utils.guessOutputPowerFromFeature(feature);
if (found_type2_combo) {
2024-12-28 17:59:15 +01:00
count_found_type2combo++;
}
if (found_type2) {
2024-12-28 17:59:15 +01:00
count_found_type2++;
}
if (outputPower == 0) {
2024-12-28 17:59:15 +01:00
count_output_unknown++;
}
if (outputPower >= 200 && !found_type2_combo) {
2024-12-28 17:59:15 +01:00
count_estimated_type2combo++;
}
if (outputPower > 0 && outputPower < 50) {
2024-12-28 17:59:15 +01:00
count_station_outputoutput_between_1_and_50++;
}
if (outputPower >= 50 && outputPower < 100) {
2024-12-28 17:59:15 +01:00
output_more_than_50++;
} else if (outputPower >= 100 && outputPower < 200) {
2024-12-28 17:59:15 +01:00
output_more_than_100++;
} else if (outputPower >= 200 && outputPower < 300) {
2024-12-28 17:59:15 +01:00
output_more_than_200++;
} else if (outputPower >= 300) {
2024-12-28 17:59:15 +01:00
feature.properties.puissance_haute = true;
output_more_than_300++;
}
if (feature.properties.tags['charging_station:output']) {
2024-12-28 17:59:15 +01:00
count_station_output++;
}
if (feature.properties.tags['ref:EU:EVSE']) {
2024-12-28 17:59:15 +01:00
count_ref_eu++;
}
2024-12-28 17:59:15 +01:00
});
let bar_powers = `<div class="bars-container">
2024-12-11 23:13:15 +01:00
<div class="bar color-unknown" style="width: ${calculerPourcentage(count_output_unknown, count, true)}%">${count_output_unknown}</div>
2024-12-22 19:07:09 +01:00
<div class="bar color-power-lesser-than-50" style="width: ${calculerPourcentage(count_station_outputoutput_between_1_and_50, count, true)}%">${count_station_outputoutput_between_1_and_50 ? count_station_outputoutput_between_1_and_50 : ''}</div>
<div class="bar color-power-lesser-than-100" style="width: ${calculerPourcentage(output_more_than_50, count, true)}%">${output_more_than_50 ? output_more_than_50 : ''}</div>
<div class="bar color-power-lesser-than-200" style="width: ${calculerPourcentage(output_more_than_100, count, true)}%">${output_more_than_100 ? output_more_than_100 : ''}</div>
2024-12-22 23:39:17 +01:00
<div class="bar color-power-lesser-than-300" style="width: ${calculerPourcentage(output_more_than_200, count, true)}%">${output_more_than_200 ? output_more_than_200 : '' | ''}</div>
2024-12-22 19:07:09 +01:00
<div class="bar color-power-lesser-than-max" style="width: ${calculerPourcentage(output_more_than_300, count, true)}%">${output_more_than_300 ? output_more_than_300 : ''}</div>
2024-12-28 17:59:15 +01:00
</div>`;
2024-12-11 23:13:15 +01:00
2024-12-28 17:00:21 +01:00
let stats_content = `<div class="stats-table">
<table>
<tr>
<th>Type</th>
<th>Nombre</th>
<th>Pourcentage</th>
</tr>
<tr>
<td>Puissance inconnue</td>
<td>${count_output_unknown}</td>
<td>${calculerPourcentage(count_output_unknown, count)}%</td>
</tr>
<tr>
<td>1-50 kW</td>
<td>${count_station_outputoutput_between_1_and_50}</td>
<td>${calculerPourcentage(count_station_outputoutput_between_1_and_50, count)}%</td>
</tr>
<tr>
<td>50-100 kW</td>
<td>${output_more_than_50}</td>
<td>${calculerPourcentage(output_more_than_50, count)}%</td>
</tr>
<tr>
<td>100-200 kW</td>
<td>${output_more_than_100}</td>
<td>${calculerPourcentage(output_more_than_100, count)}%</td>
</tr>
<tr>
<td>200-300 kW</td>
<td>${output_more_than_200}</td>
<td>${calculerPourcentage(output_more_than_200, count)}%</td>
</tr>
<tr>
<td>300+ kW</td>
<td>${output_more_than_300}</td>
<td>${calculerPourcentage(output_more_than_300, count)}%</td>
</tr>
</table>
2024-12-28 17:59:15 +01:00
</div>`;
2024-12-28 17:00:21 +01:00
2024-12-28 17:59:15 +01:00
$('#found_charging_stations').html(stats_content);
$('#bars_power').html(bar_powers);
2024-12-11 23:13:15 +01:00
}
2024-12-11 17:32:48 +01:00
function bindEventsOnJosmRemote() {
2024-12-28 17:00:21 +01:00
let josm_remote_buttons = $(`#sendToJOSM`)
$(josm_remote_buttons[0]).on('click', () => {
let josm_link = $(josm_remote_buttons[0]).attr('data-href')
$.get(josm_link, (res) => {
console.log('res', res)
})
})
2024-12-12 00:27:27 +01:00
}
2024-12-14 18:00:09 +01:00
2024-12-23 00:02:46 +01:00
function displayPointsFromApi(points) {
if (points) {
2024-12-28 17:59:15 +01:00
geojsondata = osmtogeojson(points);
2024-12-23 00:02:46 +01:00
}
2024-12-28 17:59:15 +01:00
displayStatsFromGeoJson(geojsondata);
let resultLayer = L.geoJson(geojsondata, {
style: function (feature) {
2024-12-28 17:59:15 +01:00
return {color: '#f00'};
},
filter: function (feature, layer) {
2024-12-28 17:59:15 +01:00
let isPolygon = (feature.geometry) && (feature.geometry.type !== undefined) && (feature.geometry.type === 'Polygon');
if (isPolygon) {
2024-12-28 17:59:15 +01:00
feature.geometry.type = 'Point';
let polygonCenter = L.latLngBounds(feature.geometry.coordinates[0]).getCenter();
feature.geometry.coordinates = [polygonCenter.lat, polygonCenter.lng];
}
2024-12-28 17:59:15 +01:00
return true;
},
onmoveend: function (event) {
2024-12-28 17:59:15 +01:00
// console.log('déplacement terminé');
},
onzoomend: function (event) {
2024-12-28 17:59:15 +01:00
supprimerMarqueurs();
displayPointsFromApi();
},
2024-12-22 23:39:17 +01:00
onEachFeature: eachFeature,
2024-12-28 17:59:15 +01:00
});
2024-12-22 23:39:17 +01:00
}
function makePopupOfFeature(feature) {
let popupContent = ''
popupContent += '<div class="sockets-list" >'
let type2 = feature.properties.tags['socket:type2']
let type2_combo = feature.properties.tags['socket:type2_combo']
if (type2) {
popupContent += ' <img class="icon-img" src="img/Type2_socket.svg" alt="prise de type 2">'
if (type2 !== 'yes') {
popupContent += '<span class="socket-counter">x ' + type2 + '</span>'
}
}
if (feature.properties.tags['socket:type2_combo']) {
popupContent += ' <img class="icon-img" src="img/type2_combo.svg" alt="prise de type 2 combo CCS">'
if (type2_combo !== 'yes') {
popupContent += '<span class="socket-counter">x ' + type2_combo + '</span>'
}
}
popupContent += '</div>'
popupContent += '<div class="key-values" >'
// ne montrer que certains champs dans la popup
2024-12-28 17:00:21 +01:00
config.tags_to_display_in_popup.forEach(function (key) {
if (config.tags_to_display_in_popup.indexOf(key)) {
2024-12-22 23:39:17 +01:00
let value = feature.properties.tags[key]
if (value) {
if (value.indexOf('http') !== -1) {
value = '<a href="' + value + '">' + value + '</a>'
}
2024-12-22 23:39:17 +01:00
popupContent = popupContent + '<br/><strong class="popup-key">' + key + ' :</strong><span class="popup-value">' + value + '</span>'
}
2024-12-22 23:39:17 +01:00
}
})
popupContent += '</div>'
return popupContent;
}
function eachFeature(feature, layer) {
2024-12-28 17:59:15 +01:00
let link_josm = createJOSMEditLink(feature);
2024-12-22 23:39:17 +01:00
2024-12-28 17:59:15 +01:00
let popupContent = makePopupOfFeature(feature);
layer.bindPopup(popupContent);
2024-12-22 23:39:17 +01:00
2024-12-28 17:59:15 +01:00
let outPowerGuessed = utils.guessOutputPowerFromFeature(feature);
let color = colorUtils.getColor(feature);
let displayOutPowerGuessed = '? kW';
2024-12-22 23:39:17 +01:00
if (outPowerGuessed) {
2024-12-28 17:59:15 +01:00
displayOutPowerGuessed = outPowerGuessed + ' kW max';
2024-12-22 23:39:17 +01:00
}
if (!popupContent) {
popupContent = `<span class="no-data"> Aucune information renseignée,
2024-12-28 17:59:15 +01:00
<a class="edit-button" href="https://www.openstreetmap.org/edit?editor=remote&node=${feature.properties.id}">ajoutez la dans OpenStreetMap!</a></span>`;
2024-12-22 23:39:17 +01:00
}
2024-12-14 18:00:09 +01:00
2024-12-22 23:39:17 +01:00
let html = ` <a href="https://www.openstreetmap.org/directions?from=&to=${feature.geometry.coordinates[1]},${feature.geometry.coordinates[0]}&engine=fossgis_osrm_car#map=14/${feature.geometry.coordinates[1]}/${feature.geometry.coordinates[0]}" class="navigation-link by-car" title="itinéraire en voiture vers cette station"> 🚗</a><a href="https://www.openstreetmap.org/directions?from=&to=${feature.geometry.coordinates[1]},${feature.geometry.coordinates[0]}&engine=fossgis_osrm_bike#map=14/${feature.geometry.coordinates[1]}/${feature.geometry.coordinates[0]}" class="navigation-link by-car" title="itinéraire en vélo vers cette station">🚴‍♀️</a><a href="https://www.openstreetmap.org/directions?from=&to=${feature.geometry.coordinates[1]},${feature.geometry.coordinates[0]}&engine=fossgis_osrm_foot#map=14/${feature.geometry.coordinates[1]}/${feature.geometry.coordinates[0]}" class="navigation-link by-car" title="itinéraire à pied vers cette station">👠</a>
2024-12-28 17:59:15 +01:00
<a class="edit-button" href="https://www.openstreetmap.org/edit?editor=id&node=${feature.properties.id}"></a><a class="edit-button josm" data-href="${link_josm}" href="#">JOSM</a> <span class="color-indication" style="background-color: ${color};">${displayOutPowerGuessed}</span><span class="popup-content">${popupContent}</span>`;
2024-11-26 21:31:43 +01:00
2024-12-28 17:59:15 +01:00
let zoom = map.getZoom();
let radius = 20;
let opacity = 0.5;
let ratio_circle = 10;
2024-12-22 23:39:17 +01:00
if (zoom < 13) {
2024-12-28 17:59:15 +01:00
ratio_circle = 5;
2024-12-22 23:39:17 +01:00
} else if (zoom < 15) {
2024-12-28 17:59:15 +01:00
ratio_circle = 1;
opacity = 0.25;
2024-12-22 23:39:17 +01:00
} else if (zoom <= 16) {
2024-12-28 17:59:15 +01:00
ratio_circle = 0.5;
2024-12-22 23:39:17 +01:00
} else if (zoom <= 18) {
2024-12-28 17:59:15 +01:00
ratio_circle = 0.25;
2024-12-22 23:39:17 +01:00
}
2024-12-28 17:59:15 +01:00
if (!layer._latlng) {
if (lastLatLng) {
2024-12-28 17:59:15 +01:00
layer._latlng = lastLatLng;
}
} else {
2024-12-28 17:59:15 +01:00
lastLatLng = layer._latlng;
}
2024-12-22 23:39:17 +01:00
if (!outPowerGuessed) {
2024-12-28 17:59:15 +01:00
radius = radius * ratio_circle;
2024-12-22 23:39:17 +01:00
} else {
2024-12-28 17:59:15 +01:00
radius = outPowerGuessed * ratio_circle;
2024-12-22 23:39:17 +01:00
}
2024-12-22 23:39:17 +01:00
let circle = L.circle(layer._latlng, {
color: color,
fillColor: color,
fillOpacity: opacity,
colorOpacity: opacity,
radius: radius
2024-12-28 17:59:15 +01:00
}).addTo(all_stations_markers);
2024-12-22 23:39:17 +01:00
if (zoom > 15) {
let circle_center = L.circle(layer._latlng, {
color: 'black',
fillColor: color,
fillOpacity: 1,
radius: 0.1
}).addTo(all_stations_markers);
2024-12-22 23:39:17 +01:00
}
2024-12-28 17:59:15 +01:00
circle.bindPopup(html);
2024-12-22 23:39:17 +01:00
circle.on({
mouseover: function () {
2024-12-28 17:59:15 +01:00
this.openPopup();
bindEventsOnJosmRemote();
2024-12-22 23:39:17 +01:00
},
mouseout: function () {
2024-12-28 17:59:15 +01:00
// setTimeout(() => this.closePopup(), 15000);
2024-12-22 23:39:17 +01:00
},
click: function () {
2024-12-28 17:59:15 +01:00
this.openPopup();
bindEventsOnJosmRemote();
},
2024-12-28 17:59:15 +01:00
});
2024-10-17 15:01:47 +02:00
}
function makeCssClassFromTags(tags) {
let tagKeys = Object.keys(tags)
if (!tags) {
return ''
}
let listOfClasses = []
2024-10-17 15:01:47 +02:00
tagKeys.forEach((element) => {
listOfClasses.push('tag-' + element + '_' + tags[element].replace(':', '--').replace(' ', '-'))
})
2024-10-17 15:01:47 +02:00
return listOfClasses.join(' ')
2024-10-17 15:01:47 +02:00
}
function getIconFromTags(tags) {
let iconFileName = ''
// let iconFileName = 'icon_restaurant.png';
if (tags['man_made']) {
iconFileName = 'fountain.png'
}
return iconFileName
2024-10-17 15:01:47 +02:00
}
function toggleMinPower(showHighPower) {
2024-12-28 17:59:15 +01:00
showHighPower = !showHighPower;
addFilteredMarkers(showHighPower);
this.textContent = showHighPower ? 'Montrer puissance haute' : 'Montrer puissance normale';
2024-12-11 23:13:15 +01:00
}
function addFilteredMarkers(showHighPower) {
2024-12-28 17:59:15 +01:00
allMarkers.clearLayers();
2024-12-28 17:59:15 +01:00
let counter = 0;
geojsondata.features.forEach(function (feature) {
if (feature.properties.puissance_haute === showHighPower) {
2024-12-28 17:59:15 +01:00
counter++;
let marker = L.marker(feature.geometry.coordinates).bindPopup(feature.properties.puissance_haute ? 'Puissance haute' : 'Puissance normale');
allMarkers.addLayer(marker);
}
2024-12-28 17:59:15 +01:00
});
2024-12-11 17:32:48 +01:00
}
2024-10-17 15:01:47 +02:00
let isLoading = false
function loadOverpassQuery() {
if (!isLoading) {
2024-12-28 17:59:15 +01:00
isLoading = true;
$('#spinning_icon').fadeIn();
let queryTextfieldValue = $('#query-textfield').val();
let overpassApiUrl = buildOverpassApiUrl(map, queryTextfieldValue);
$.get(overpassApiUrl, function (geoDataPointsFromApi) {
2024-12-28 17:59:15 +01:00
geojsondata = geoDataPointsFromApi;
refreshDisplay();
$('#spinning_icon').fadeOut();
$('#message-loading').fadeOut();
isLoading = false;
});
}
2024-10-17 15:01:47 +02:00
}
2024-12-22 23:39:17 +01:00
function refreshDisplay() {
2024-12-28 17:59:15 +01:00
supprimerMarqueurs();
displayPointsFromApi(geojsondata);
2024-12-22 23:39:17 +01:00
}
function onMapMoveEnd() {
let center = map.getCenter()
let zoom = map.getZoom()
let infos = `Lat: ${center.lat}, Lon: ${center.lng}, Zoom : ${zoom}`
2024-12-28 23:14:38 +01:00
2024-12-28 13:29:29 +01:00
if (zoom < 10) {
$('#zoomMessage').show()
} else {
2024-12-28 13:29:29 +01:00
$('#zoomMessage').hide()
loadOverpassQuery()
}
2024-12-28 23:14:38 +01:00
if (map.getZoom() > 14) {
searchFoodPlaces(map);
} else {
food_places_markers.clearLayers();
}
$('#infos_carte').html(infos)
2024-12-28 17:00:21 +01:00
// Stocker les dernières coordonnées connues
if (!window.lastKnownPosition) {
window.lastKnownPosition = center;
updateURLWithMapCoordinatesAndZoom();
} else {
// Calculer la distance en km entre l'ancienne et la nouvelle position
const distanceKm = map.distance(center, window.lastKnownPosition) / 1000;
// Ne mettre à jour que si on s'est déplacé de plus de 2km
if (distanceKm > 2) {
window.lastKnownPosition = center;
updateURLWithMapCoordinatesAndZoom();
}
}
2024-12-16 12:54:15 +01:00
2024-12-12 00:27:27 +01:00
}
2024-12-16 12:54:15 +01:00
setCoordinatesOfLeafletMapFromQueryParameters()
2024-12-14 18:00:09 +01:00
$(document).ready(function () {
2024-12-28 17:59:15 +01:00
bindEventsOnJosmRemote();
onMapMoveEnd();
map.on('moveend', onMapMoveEnd);
$('#spinning_icon').hide();
$('#removeMarkers').on('click', function () {
2024-12-28 17:59:15 +01:00
supprimerMarqueurs();
});
$('#load').on('click', function () {
2024-12-28 17:59:15 +01:00
loadOverpassQuery();
});
2024-12-28 17:00:21 +01:00
$('#toggleSidePanel').on('click', function () {
2024-12-28 17:59:15 +01:00
$('body').toggleClass('side-panel-open');
});
2024-12-23 00:09:52 +01:00
$('#chercherButton').on('click', function () {
2024-12-28 17:59:15 +01:00
supprimerMarqueurs();
loadOverpassQuery();
});
2024-12-23 00:30:04 +01:00
$('#setRandomView').on('click', function () {
2024-12-28 17:59:15 +01:00
setRandomView();
loadOverpassQuery();
});
$('#filterUnkown').on('click', function () {
2024-12-28 17:59:15 +01:00
display_unknown_max_power_station = cycleVariableState(display_unknown_max_power_station, '#filterUnkown');
showActiveFilter(display_unknown_max_power_station, '#filterUnkown');
refreshDisplay();
});
showActiveFilter(display_unknown_max_power_station, '#filterUnkown');
});
2024-12-16 12:13:19 +01:00
function showActiveFilter(filterVariableName, selectorId) {
2024-12-22 23:39:17 +01:00
$(selectorId).attr('class', 'filter-state-' + filterVariableName)
}
2024-12-28 17:00:21 +01:00
function cycleVariableState(filterVariableName, selectorId) {
2024-12-22 23:39:17 +01:00
console.log('filterVariableName', filterVariableName, filterStatesAvailable)
if (filterVariableName) {
if (filterVariableName == filterStatesAvailable[0]) {
filterVariableName = filterStatesAvailable[1]
} else if (filterVariableName == filterStatesAvailable[1]) {
filterVariableName = filterStatesAvailable[2]
} else if (filterVariableName == filterStatesAvailable[2]) {
filterVariableName = filterStatesAvailable[0]
}
} else {
filterVariableName = filterStatesAvailable[0]
}
showActiveFilter(filterVariableName, selectorId)
2024-12-22 23:39:17 +01:00
console.log('filterVariableName after', filterVariableName)
return filterVariableName
}
2024-12-16 12:13:19 +01:00
2024-12-28 13:29:29 +01:00
// toggle des stats
$('#toggle-stats').on('click', function() {
$('#found_charging_stations').slideToggle();
// Change le symbole de la flèche
let text = $(this).text();
if(text.includes('🔽')) {
$(this).text(text.replace('🔽', '🔼'));
} else {
$(this).text(text.replace('🔼', '🔽'));
}
});
2024-12-28 17:00:21 +01:00
// Ajouter ces variables avec les autres déclarations globales
let food_places_markers = L.layerGroup();
const foodIcon = L.divIcon({
className: 'food-marker',
html: '🍽️',
iconSize: [20, 20],
iconAnchor: [10, 10]
});
// Ajouter cette fonction avec les autres fonctions de recherche
function searchFoodPlaces(map) {
const bounds = map.getBounds();
const bbox = bounds.getSouth() + ',' + bounds.getWest() + ',' + bounds.getNorth() + ',' + bounds.getEast();
const query = `
[out:json][timeout:25];
(
node["amenity"="restaurant"](${bbox});
node["amenity"="cafe"](${bbox});
);
out body;
>;
out skel qt;`;
const url = `https://overpass-api.de/api/interpreter?data=${encodeURIComponent(query)}`;
food_places_markers.clearLayers();
fetch(url)
.then(response => response.json())
.then(data => {
const geojson = osmtogeojson(data);
geojson.features.forEach(feature => {
const coords = feature.geometry.coordinates;
const properties = feature.properties;
const name = properties.tags.name || 'Sans nom';
const type = properties.tags.amenity;
const marker = L.marker([coords[1], coords[0]], {
icon: foodIcon
});
marker.bindPopup(`
<strong>${name}</strong><br>
Type: ${type}<br>
${properties.tags.cuisine ? 'Cuisine: ' + properties.tags.cuisine : ''}
`);
food_places_markers.addLayer(marker);
});
})
.catch(error => console.error('Erreur lors de la recherche des restaurants:', error));
}
// Modifier la fonction init pour ajouter le contrôle des couches
function init() {
// ... existing map initialization code ...
// Ajouter le groupe de marqueurs à la carte
food_places_markers.addTo(map);
$('#found_charging_stations').hide();
// Ajouter le contrôle des couches
const overlayMaps = {
"Stations de recharge": all_stations_markers,
"Restaurants et cafés": food_places_markers
};
L.control.layers(null, overlayMaps).addTo(map);
2024-12-28 23:14:38 +01:00
2024-12-28 17:00:21 +01:00
2024-12-28 23:14:38 +01:00
$('#sendToJOSM').on('click', () => {
sendToJOSM(map, geojsondata)
.then(() => {
console.log('Données envoyées à JOSM avec succès !');
})
.catch(() => {
alert('Erreur : JOSM doit être ouvert avec l\'option "Contrôle à distance" activée');
});
2024-12-28 17:00:21 +01:00
});
2024-12-28 17:59:15 +01:00
$('#searchButton').on('click', searchLocation);
$('#shareUrl').on('click', copyCurrentUrl);
document.getElementById('searchButton').addEventListener('click', searchLocation);
}
2024-12-28 17:59:15 +01:00
function copyCurrentUrl() {
const url = window.location.href;
var dummy = document.createElement('input'),
text = window.location.href;
2024-12-28 17:59:15 +01:00
document.body.appendChild(dummy);
dummy.value = text;
dummy.select();
document.execCommand('copy');
document.body.removeChild(dummy);
}
function searchLocation() {
const location = document.getElementById('searchLocation').value;
if (!location) {
alert('Veuillez entrer un lieu à rechercher.');
return;
}
const url = `https://nominatim.openstreetmap.org/search?format=json&q=${encodeURIComponent(location)}`;
fetch(url)
.then(response => response.json())
.then(data => {
if (data.length > 0) {
const place = data[0];
const lat = parseFloat(place.lat);
const lon = parseFloat(place.lon);
map.setView([lat, lon], 13); // Ajustez le niveau de zoom selon vos besoins
2024-12-28 17:59:15 +01:00
} else {
alert('Lieu non trouvé. Veuillez essayer un autre terme de recherche.');
}
})
.catch(error => {
console.error('Erreur lors de la recherche du lieu :', error);
alert('Erreur lors de la recherche du lieu.');
});
}
init()