OpenDroneMap-WebODM/app/static/app/js/components/Map.jsx

446 wiersze
14 KiB
React
Czysty Zwykły widok Historia

import React from 'react';
import '../css/Map.scss';
import 'leaflet/dist/leaflet.css';
import Leaflet from 'leaflet';
2016-11-26 15:27:54 +00:00
import async from 'async';
import '../vendor/leaflet/L.Control.MousePosition.css';
import '../vendor/leaflet/L.Control.MousePosition';
import '../vendor/leaflet/Leaflet.Autolayers/css/leaflet.auto-layers.css';
import '../vendor/leaflet/Leaflet.Autolayers/leaflet-autolayers';
2019-11-19 16:15:33 +00:00
import '../vendor/leaflet/L.TileLayer.NoGap';
import Dropzone from '../vendor/dropzone';
import $ from 'jquery';
import ErrorMessage from './ErrorMessage';
import SwitchModeButton from './SwitchModeButton';
2017-12-01 18:52:36 +00:00
import ShareButton from './ShareButton';
import AssetDownloads from '../classes/AssetDownloads';
import {addTempLayer} from '../classes/TempLayer';
import PropTypes from 'prop-types';
2018-02-09 17:38:42 +00:00
import PluginsAPI from '../classes/plugins/API';
2018-09-04 23:06:04 +00:00
import Basemaps from '../classes/Basemaps';
import Standby from './Standby';
import LayersControl from './LayersControl';
import update from 'immutability-helper';
2019-11-19 21:27:42 +00:00
import Utils from '../classes/Utils';
class Map extends React.Component {
static defaultProps = {
showBackground: false,
mapType: "orthophoto",
public: false
};
static propTypes = {
showBackground: PropTypes.bool,
tiles: PropTypes.array.isRequired,
mapType: PropTypes.oneOf(['orthophoto', 'plant', 'dsm', 'dtm']),
public: PropTypes.bool
};
constructor(props) {
super(props);
this.state = {
error: "",
singleTask: null, // When this is set to a task, show a switch mode button to view the 3d model
pluginActionButtons: [],
2019-11-07 18:27:34 +00:00
showLoading: false, // for drag&drop of files
2019-11-14 17:16:01 +00:00
opacity: 100,
imageryLayers: []
};
this.basemaps = {};
this.mapBounds = null;
this.autolayers = null;
this.loadImageryLayers = this.loadImageryLayers.bind(this);
this.updatePopupFor = this.updatePopupFor.bind(this);
this.handleMapMouseDown = this.handleMapMouseDown.bind(this);
}
2019-11-07 18:27:34 +00:00
updateOpacity = (evt) => {
this.setState({
opacity: parseFloat(evt.target.value),
});
}
updatePopupFor(layer){
const popup = layer.getPopup();
$('#layerOpacity', popup.getContent()).val(layer.options.opacity);
}
loadImageryLayers(forceAddLayers = false){
const { tiles } = this.props,
layerId = layer => {
const meta = layer[Symbol.for("meta")];
2017-12-01 18:52:36 +00:00
return meta.task.project + "_" + meta.task.id;
};
// Remove all previous imagery layers
// and keep track of which ones were selected
const prevSelectedLayers = [];
2019-11-14 17:16:01 +00:00
this.state.imageryLayers.forEach(layer => {
this.autolayers.removeLayer(layer);
if (this.map.hasLayer(layer)) prevSelectedLayers.push(layerId(layer));
layer.remove();
});
2019-11-14 17:16:01 +00:00
this.setState({imageryLayers: []});
// Request new tiles
return new Promise((resolve, reject) => {
this.tileJsonRequests = [];
async.each(tiles, (tile, done) => {
2019-11-14 21:57:49 +00:00
const { url, meta, type } = tile;
let metaUrl = url + "metadata";
2019-11-19 21:27:42 +00:00
if (type == "plant") metaUrl += "?formula=VARI&bands=RGB&color_map=rdylgn";
if (type == "dsm") metaUrl += "?hillshade=1&color_map=jet_r";
2019-11-14 21:57:49 +00:00
this.tileJsonRequests.push($.getJSON(metaUrl)
2019-11-07 18:27:34 +00:00
.done(mres => {
2019-11-19 21:27:42 +00:00
const { scheme, name, maxzoom, statistics } = mres;
2019-11-07 18:27:34 +00:00
const bounds = Leaflet.latLngBounds(
2019-11-07 18:27:34 +00:00
[mres.bounds.value.slice(0, 2).reverse(), mres.bounds.value.slice(2, 4).reverse()]
);
2019-11-19 21:27:42 +00:00
// Build URL
let tileUrl = mres.tiles[0];
// Certain types need the rescale parameter
if (["plant", "dsm", "dtm"].indexOf(type) !== -1 && statistics){
const params = Utils.queryParams({search: tileUrl.slice(tileUrl.indexOf("?"))});
if (statistics["1"]){
// Add rescale
params["rescale"] = encodeURIComponent(`${statistics["1"]["min"]},${statistics["1"]["max"]}`);
}else{
console.warn("Cannot find min/max statistics for dataset, setting to -1,1");
params["rescale"] = encodeURIComponent("-1,1");
}
tileUrl = tileUrl.slice(0, tileUrl.indexOf("?")) + Utils.toSearchQuery(params);
}
const layer = Leaflet.tileLayer(tileUrl, {
bounds,
2019-11-05 20:47:29 +00:00
minZoom: 0,
2019-11-18 23:33:58 +00:00
maxZoom: maxzoom + 99,
2019-11-07 18:27:34 +00:00
maxNativeZoom: maxzoom,
tms: scheme === 'tms',
opacity: this.state.opacity / 100,
detectRetina: true
});
// Associate metadata with this layer
2019-11-07 18:27:34 +00:00
meta.name = name;
meta.metaUrl = metaUrl;
layer[Symbol.for("meta")] = meta;
2019-11-14 17:16:01 +00:00
layer[Symbol.for("tile-meta")] = mres;
if (forceAddLayers || prevSelectedLayers.indexOf(layerId(layer)) !== -1){
layer.addTo(this.map);
}
// Show 3D switch button only if we have a single orthophoto
if (tiles.length === 1){
2017-12-01 18:52:36 +00:00
this.setState({singleTask: meta.task});
}
// For some reason, getLatLng is not defined for tileLayer?
// We need this function if other code calls layer.openPopup()
2019-04-01 20:49:56 +00:00
let self = this;
layer.getLatLng = function(){
2019-04-01 20:49:56 +00:00
let latlng = self.lastClickedLatLng ?
self.lastClickedLatLng :
this.options.bounds.getCenter();
return latlng;
};
var popup = L.DomUtil.create('div', 'infoWindow');
popup.innerHTML = `<div class="title">
2019-11-07 18:27:34 +00:00
${name}
</div>
<div class="popup-opacity-slider">Opacity: <input id="layerOpacity" type="range" value="${layer.options.opacity}" min="0" max="1" step="0.01" /></div>
<div>Bounds: [${layer.options.bounds.toBBoxString().split(",").join(", ")}]</div>
<ul class="asset-links loading">
<li><i class="fa fa-spin fa-sync fa-spin fa-fw"></i></li>
</ul>
<button
2017-12-01 18:52:36 +00:00
onclick="location.href='/3d/project/${meta.task.project}/task/${meta.task.id}/';"
type="button"
2017-11-24 20:20:38 +00:00
class="switchModeButton btn btn-sm btn-secondary">
<i class="fa fa-cube"></i> 3D
</button>`;
2018-03-27 18:35:16 +00:00
layer.bindPopup(popup);
$('#layerOpacity', popup).on('change input', function() {
layer.setOpacity($('#layerOpacity', popup).val());
});
2019-11-14 17:16:01 +00:00
this.setState(update(this.state, {
imageryLayers: {$push: [layer]}
}));
let mapBounds = this.mapBounds || Leaflet.latLngBounds();
mapBounds.extend(bounds);
this.mapBounds = mapBounds;
// Add layer to layers control
// this.autolayers.addOverlay(layer, name);
done();
})
.fail((_, __, err) => done(err))
);
}, err => {
if (err){
this.setState({error: err.message || JSON.stringify(err)});
reject(err);
}else{
resolve();
}
});
});
}
componentDidMount() {
var mapTempLayerDrop = new Dropzone(this.container, {url : "/", clickable : false});
mapTempLayerDrop.on("addedfile", (file) => {
this.setState({showLoading: true});
addTempLayer(file, (err, tempLayer, filename) => {
if (!err){
tempLayer.addTo(this.map);
//add layer to layer switcher with file name
this.autolayers.addOverlay(tempLayer, filename);
//zoom to all features
this.map.fitBounds(tempLayer.getBounds());
}else{
this.setState({ error: err.message || JSON.stringify(err) });
}
this.setState({showLoading: false});
});
});
mapTempLayerDrop.on("error", function(file) {
mapTempLayerDrop.removeFile(file);
});
2018-05-04 16:37:34 +00:00
const { showBackground, tiles } = this.props;
this.map = Leaflet.map(this.container, {
scrollWheelZoom: true,
2018-02-09 17:38:42 +00:00
positionControl: true,
2019-11-05 20:47:29 +00:00
zoomControl: false,
minZoom: 0,
maxZoom: 24
});
PluginsAPI.Map.triggerWillAddControls({
map: this.map,
tiles
});
let scaleControl = Leaflet.control.scale({
2018-02-09 17:38:42 +00:00
maxWidth: 250,
}).addTo(this.map);
//add zoom control with your options
let zoomControl = Leaflet.control.zoom({
2018-02-09 17:38:42 +00:00
position:'bottomleft'
}).addTo(this.map);
if (showBackground) {
2018-09-06 12:18:49 +00:00
this.basemaps = {};
Basemaps.forEach((src, idx) => {
2018-09-04 23:06:04 +00:00
const { url, ...props } = src;
const layer = L.tileLayer(url, props);
if (idx === 0) {
layer.addTo(this.map);
}
2018-09-06 12:18:49 +00:00
this.basemaps[props.label] = layer;
2018-09-04 23:06:04 +00:00
});
2019-02-19 21:15:28 +00:00
const customLayer = L.layerGroup();
customLayer.on("add", a => {
let url = window.prompt(`Enter a tile URL template. Valid tokens are:
{z}, {x}, {y} for Z/X/Y tile scheme
{-y} for flipped TMS-style Y coordinates
Example:
https://a.tile.openstreetmap.org/{z}/{x}/{y}.png
`, 'https://a.tile.openstreetmap.org/{z}/{x}/{y}.png');
if (url){
customLayer.clearLayers();
const l = L.tileLayer(url, {
2019-11-05 20:47:29 +00:00
maxZoom: 24,
2019-02-19 21:15:28 +00:00
minZoom: 0
});
customLayer.addLayer(l);
l.bringToBack();
}
});
this.basemaps["Custom"] = customLayer;
this.basemaps["None"] = L.layerGroup();
}
this.layersControl = new LayersControl({
2019-11-14 17:16:01 +00:00
layers: this.state.imageryLayers
}).addTo(this.map);
2019-11-14 17:16:01 +00:00
this.autolayers = Leaflet.control.autolayers({
overlays: {},
selectedOverlays: [],
baseLayers: this.basemaps
}).addTo(this.map);
this.map.fitWorld();
this.map.attributionControl.setPrefix("");
this.loadImageryLayers(true).then(() => {
2016-11-21 21:32:37 +00:00
this.map.fitBounds(this.mapBounds);
this.map.on('click', e => {
// Find first tile layer at the selected coordinates
2019-11-14 17:16:01 +00:00
for (let layer of this.state.imageryLayers){
2016-11-21 21:32:37 +00:00
if (layer._map && layer.options.bounds.contains(e.latlng)){
2019-04-01 20:49:56 +00:00
this.lastClickedLatLng = this.map.mouseEventToLatLng(e.originalEvent);
this.updatePopupFor(layer);
2016-11-21 21:32:37 +00:00
layer.openPopup();
break;
}
2016-11-21 21:32:37 +00:00
}
}).on('popupopen', e => {
// Load task assets links in popup
if (e.popup && e.popup._source && e.popup._content){
const infoWindow = e.popup._content;
2019-04-01 20:49:56 +00:00
if (typeof infoWindow === 'string') return;
const $assetLinks = $("ul.asset-links", infoWindow);
if ($assetLinks.length > 0 && $assetLinks.hasClass('loading')){
const {id, project} = (e.popup._source[Symbol.for("meta")] || {}).task;
$.getJSON(`/api/projects/${project}/tasks/${id}/`)
.done(res => {
const { available_assets } = res;
const assets = AssetDownloads.excludeSeparators();
const linksHtml = assets.filter(a => available_assets.indexOf(a.asset) !== -1)
.map(asset => {
return `<li><a href="${asset.downloadUrl(project, id)}">${asset.label}</a></li>`;
})
.join("");
$assetLinks.append($(linksHtml));
})
.fail(() => {
$assetLinks.append($("<li>Error: cannot load assets list. </li>"));
})
.always(() => {
$assetLinks.removeClass('loading');
});
}
}
2016-11-21 21:32:37 +00:00
});
});
2018-02-09 17:38:42 +00:00
PluginsAPI.Map.triggerDidAddControls({
2018-05-04 16:37:34 +00:00
map: this.map,
tiles: tiles,
controls:{
autolayers: this.autolayers,
scale: scaleControl,
zoom: zoomControl
}
});
2018-04-29 20:43:45 +00:00
PluginsAPI.Map.triggerAddActionButton({
2018-05-04 16:37:34 +00:00
map: this.map,
tiles
}, (button) => {
this.setState(update(this.state, {
pluginActionButtons: {$push: [button]}
}));
});
}
2019-11-14 17:16:01 +00:00
componentDidUpdate(prevProps, prevState) {
this.state.imageryLayers.forEach(imageryLayer => {
2019-11-07 18:27:34 +00:00
imageryLayer.setOpacity(this.state.opacity / 100);
this.updatePopupFor(imageryLayer);
});
if (prevProps.tiles !== this.props.tiles){
2018-05-04 16:37:34 +00:00
this.loadImageryLayers();
}
2019-11-14 17:16:01 +00:00
if (this.layersControl && prevState.imageryLayers !== this.state.imageryLayers){
this.layersControl.update(this.state.imageryLayers);
}
}
componentWillUnmount() {
this.map.remove();
if (this.tileJsonRequests) {
this.tileJsonRequests.forEach(tileJsonRequest => this.tileJsonRequest.abort());
this.tileJsonRequests = [];
}
}
handleMapMouseDown(e){
// Make sure the share popup closes
if (this.shareButton) this.shareButton.hidePopup();
}
render() {
return (
<div style={{height: "100%"}} className="map">
<ErrorMessage bind={[this, 'error']} />
2019-11-07 18:27:34 +00:00
<div className="opacity-slider theme-secondary hidden-xs">
Opacity: <input type="range" step="1" value={this.state.opacity} onChange={this.updateOpacity} />
</div>
<Standby
message="Loading..."
show={this.state.showLoading}
/>
<div
style={{height: "100%"}}
ref={(domNode) => (this.container = domNode)}
onMouseDown={this.handleMapMouseDown}
>
</div>
<div className="actionButtons">
{this.state.pluginActionButtons.map((button, i) => <div key={i}>{button}</div>)}
{(!this.props.public && this.state.singleTask !== null) ?
<ShareButton
ref={(ref) => { this.shareButton = ref; }}
task={this.state.singleTask}
linksTarget="map"
/>
: ""}
<SwitchModeButton
task={this.state.singleTask}
type="mapToModel"
public={this.props.public} />
</div>
</div>
);
}
}
2017-11-24 20:20:38 +00:00
export default Map;