2

我需要使用 leaflet.js 将地图添加到我的网站。该站点有一个管理视图,管理员可以在其中添加标记并向每个标记添加描述和图像。

我使用了 Leaflet.draw 插件,在创建事件中我尝试更新我event.layer.toGeoJSON()用来添加一些属性(如图像和文本)的 GeoJSON 对象,但没有运气。

谁可以帮我这个事?

var osmUrl = 'http://{s}.tile.openstreetmap.org/{z}/{x}/{y}.png',
    osmAttrib = '&copy; <a href="http://openstreetmap.org/copyright">OpenStreetMap</a> contributors',
    osm = L.tileLayer(osmUrl, {
        maxZoom: 18,
        attribution: osmAttrib
    });

map = new L.Map('map', {
        layers: [osm],
        center: new L.LatLng(31.9500, 35.9333),
        zoom: 15
    }),
    drawnItems = L.geoJson().addTo(map);
map.addControl(new L.Control.Draw({
    edit: {
        featureGroup: drawnItems
    }
}));

map.on('draw:created', function(event) {
    var layer = event.layer;
    var json = event.layer.toGeoJSON();
    json.properties.desc = null;
    json.properties.image = null;
    drawnItems.addLayer(L.GeoJSON.geometryToLayer(json));
    addPopup(layer);
});

function addPopup(layer) {
    var content = '<input id="markerDesc" type="text"/ onblur="saveData(layer);">';
    layer.bindPopup(content).openPopup();
    alert('out');
}

function saveData(layer) {
    var markerDesc = $('#markerDesc').val();
    var json = layer.toGeoJSON();
    json.feature.properties.desc = markerDesc;
}
4

1 回答 1

6

您的侦听器无需"draw:created"转换为 GeoJSON,然后再转换回图层。

顺便说一句,您随后添加了一个弹出窗口,layer而您不对其进行任何操作,因为您将其转换为 GeoJSON 数据并使用该数据创建了一个新层。

只需创建以下结构,以便稍后可以将存储的数据转换为 GeoJSON(如果您需要该功能):layer.feature.type = "Feature"layer.feature.properties.

var osmUrl = 'http://{s}.tile.openstreetmap.org/{z}/{x}/{y}.png',
    osmAttrib = '&copy; <a href="http://openstreetmap.org/copyright">OpenStreetMap</a> contributors',
    osm = L.tileLayer(osmUrl, {
        maxZoom: 18,
        attribution: osmAttrib
    });

map = L.map('map', {
    layers: [osm],
    center: [31.9500, 35.9333],
    zoom: 15
});
var drawnItems = L.geoJson().addTo(map);
map.addControl(new L.Control.Draw({
    edit: {
        featureGroup: drawnItems
    }
}));

map.on('draw:created', function (event) {
    var layer = event.layer,
      feature = layer.feature = layer.feature || {};

    feature.type = feature.type || "Feature";
    var props = feature.properties = feature.properties || {};
    props.desc = null;
    props.image = null;
    drawnItems.addLayer(layer);
    addPopup(layer);
});

function addPopup(layer) {
  var content = document.createElement("textarea");
    content.addEventListener("keyup", function () {
      layer.feature.properties.desc = content.value;
    });
    layer.on("popupopen", function () {
      content.value = layer.feature.properties.desc;
      content.focus();
    });
    layer.bindPopup(content).openPopup();
}

演示:https ://jsfiddle.net/ve2huzxw/314/

已编辑:以前的代码实际上并没有很好地实现 GeoJSONproperties功能(保存在geometry而不是feature,由于缺少layer.feature.type = "Feature",另请参阅Leaflet Draw 在将 FeatureGroup 转换为 GeoJson 时不采用属性

于 2016-01-12T10:05:26.053 回答