如何每5秒更新一次传单标记

时间:2018-02-21 07:34:17

标签: javascript jquery leaflet marker

我正在制作宣传单地图和标记。

我从JSON获取标记并正确显示它。

getLatLng()

function getLatLng() {
  var details = '/equipment/api/getLatLong';
  $.ajax({
    url: details,
    method: 'get'
  }).done(function(response) {

    $('.subSection').html('').append('<section><button type="button" onclick="hideEquipmentDetails()"><i class="fa fa-times"></i></button></section>');
    var equipmentDetails = response.data.filters;
    console.log(equipmentDetails)
    $.each(equipmentDetails, function(i, value) {
      L.marker([value.latitude, value.longitude]).addTo(map).bindPopup('<b><span> Name:</span>' + value.name + '</b>');
    })
  });
}

setInterval(function() {
  getLatLng();
}, 5000)

我每5秒钟刷新一次这个方法。

所以我需要在更新的latlng中显示标记,并且应该隐藏旧标记。

setInterval(function() {
  //L.marker.setOpacity(0);
  //L.markerClusterGroup()
  //markers.clearLayers();
  //map.removeLayer(L.marker);
  //markers.removeLayer()
  //L.marker().removeTo(map);
  getLatLng();
}, 5000)

我尝试了所有选项来实现这一目标,但我做不到。

还有其他办法吗?

否则我应该再定义一个数组来存储初始latlng值,然后每次检查latlng是否被更改(在这种情况下我只能更换更新的latlng标记吗?不需要每次都替换所有标记吗? )

1 个答案:

答案 0 :(得分:3)

您可以使用setLatLng()方法修改其位置,而不是在每次更新时实例化新标记。

通常的实现是使用“全局”标记变量(仅在更新函数之外的范围内就足够了),在第一次迭代时将其初始化为Marker,然后简单地修改它的位置而不是实例化新的

可能稍微棘手的部分是同时管理多个标记。你需要某种识别手段才能知道要更新哪一个。我认为这是你的value.name

var markers = {}; // Dictionary to hold your markers in an outer scope.

function ajaxCallback(response) {
  var equipmentDetails = response.data.filters;
  $.each(equipmentDetails, function(i, value) {
    var id = value.name;
    var latLng = [value.latitude, value.longitude];
    var popup = '<b><span> Name:</span>' + id + '</b>';

    if (!markers[id]) {
      // If there is no marker with this id yet, instantiate a new one.
      markers[id] = L.marker(latLng).addTo(map).bindPopup(popup);
    } else {
      // If there is already a marker with this id, simply modify its position.
      markers[id].setLatLng(latLng).setPopupContent(popup);
    }
  });
}

$.ajax({
  url: details,
  method: 'get'
}).done(ajaxCallback);