MapComplete/src/Logic/Osm/Changes.ts

607 lines
22 KiB
TypeScript
Raw Normal View History

import { OsmNode, OsmObject, OsmRelation, OsmWay } from "./OsmObject"
import { Store, UIEventSource } from "../UIEventSource"
2022-09-08 21:40:48 +02:00
import Constants from "../../Models/Constants"
import OsmChangeAction from "./Actions/OsmChangeAction"
import { ChangeDescription, ChangeDescriptionTools } from "./Actions/ChangeDescription"
import { Utils } from "../../Utils"
import { LocalStorageSource } from "../Web/LocalStorageSource"
2022-09-08 21:40:48 +02:00
import SimpleMetaTagger from "../SimpleMetaTagger"
import { FeatureSource, IndexedFeatureSource } from "../FeatureSource/FeatureSource"
import { GeoLocationPointProperties } from "../State/GeoLocationState"
import { GeoOperations } from "../GeoOperations"
import { ChangesetHandler, ChangesetTag } from "./ChangesetHandler"
import { OsmConnection } from "./OsmConnection"
import FeaturePropertiesStore from "../FeatureSource/Actors/FeaturePropertiesStore"
import OsmObjectDownloader from "./OsmObjectDownloader"
2020-06-24 00:35:19 +02:00
/**
* Handles all changes made to OSM.
* Needs an authenticator via OsmConnection
*/
export class Changes {
2022-09-08 21:40:48 +02:00
public readonly pendingChanges: UIEventSource<ChangeDescription[]> =
LocalStorageSource.GetParsed<ChangeDescription[]>("pending-changes", [])
public readonly allChanges = new UIEventSource<ChangeDescription[]>(undefined)
2023-04-13 20:58:49 +02:00
public readonly state: { allElements?: IndexedFeatureSource; osmConnection: OsmConnection }
2022-01-26 21:40:38 +01:00
public readonly extraComment: UIEventSource<string> = new UIEventSource(undefined)
public readonly backend: string
2023-06-01 02:52:21 +02:00
public readonly isUploading = new UIEventSource(false)
2023-10-16 13:38:11 +02:00
public readonly errors = new UIEventSource<string[]>([], "upload-errors")
2023-04-13 20:58:49 +02:00
private readonly historicalUserLocations?: FeatureSource
2022-09-08 21:40:48 +02:00
private _nextId: number = -1 // Newly assigned ID's are negative
private readonly previouslyCreated: OsmObject[] = []
2022-09-08 21:40:48 +02:00
private readonly _leftRightSensitive: boolean
2023-03-24 19:21:15 +01:00
private readonly _changesetHandler: ChangesetHandler
constructor(
2023-04-13 20:58:49 +02:00
state: {
dryRun: Store<boolean>
allElements?: IndexedFeatureSource
featurePropertiesStore?: FeaturePropertiesStore
osmConnection: OsmConnection
2023-04-13 20:58:49 +02:00
historicalUserLocations?: FeatureSource
},
2022-09-08 21:40:48 +02:00
leftRightSensitive: boolean = false
) {
this._leftRightSensitive = leftRightSensitive
// We keep track of all changes just as well
this.allChanges.setData([...this.pendingChanges.data])
// If a pending change contains a negative ID, we save that
2022-09-08 21:40:48 +02:00
this._nextId = Math.min(-1, ...(this.pendingChanges.data?.map((pch) => pch.id) ?? []))
this.state = state
this.backend = state.osmConnection.Backend()
this._changesetHandler = new ChangesetHandler(
state.dryRun,
state.osmConnection,
state.featurePropertiesStore,
2022-09-08 21:40:48 +02:00
this
)
2023-03-24 19:21:15 +01:00
this.historicalUserLocations = state.historicalUserLocations
2021-09-26 23:35:26 +02:00
// Note: a changeset might be reused which was opened just before and might have already used some ids
// This doesn't matter however, as the '-1' is per piecewise upload, not global per changeset
}
2022-09-08 21:40:48 +02:00
static createChangesetFor(
csId: string,
allChanges: {
modifiedObjects: OsmObject[]
newObjects: OsmObject[]
deletedObjects: OsmObject[]
}
): string {
const changedElements = allChanges.modifiedObjects ?? []
const newElements = allChanges.newObjects ?? []
const deletedElements = allChanges.deletedObjects ?? []
2022-09-08 21:40:48 +02:00
let changes = `<osmChange version='0.6' generator='Mapcomplete ${Constants.vNumber}'>`
if (newElements.length > 0) {
changes +=
"\n<create>\n" +
2022-09-08 21:40:48 +02:00
newElements.map((e) => e.ChangesetXML(csId)).join("\n") +
"</create>"
2020-06-24 00:35:19 +02:00
}
if (changedElements.length > 0) {
changes +=
"\n<modify>\n" +
2022-09-08 21:40:48 +02:00
changedElements.map((e) => e.ChangesetXML(csId)).join("\n") +
"\n</modify>"
2020-06-24 00:35:19 +02:00
}
if (deletedElements.length > 0) {
changes +=
"\n<delete>\n" +
2022-09-08 21:40:48 +02:00
deletedElements.map((e) => e.ChangesetXML(csId)).join("\n") +
"\n</delete>"
2020-08-06 19:42:10 +02:00
}
2022-09-08 21:40:48 +02:00
changes += "</osmChange>"
return changes
2020-06-24 00:35:19 +02:00
}
private static GetNeededIds(changes: ChangeDescription[]) {
2022-09-08 21:40:48 +02:00
return Utils.Dedup(changes.filter((c) => c.id >= 0).map((c) => c.type + "/" + c.id))
}
/**
* Returns a new ID and updates the value for the next ID
*/
public getNewID() {
2022-09-08 21:40:48 +02:00
return this._nextId--
}
/**
* Uploads all the pending changes in one go.
* Triggered by the 'PendingChangeUploader'-actor in Actors
*/
public async flushChanges(flushreason: string = undefined): Promise<void> {
if (this.pendingChanges.data.length === 0) {
2022-09-08 21:40:48 +02:00
return
}
if (this.isUploading.data) {
console.log("Is already uploading... Abort")
2022-09-08 21:40:48 +02:00
return
}
2021-12-17 19:28:05 +01:00
console.log("Uploading changes due to: ", flushreason)
this.isUploading.setData(true)
try {
const csNumber = await this.flushChangesAsync()
this.isUploading.setData(false)
2022-09-08 21:40:48 +02:00
console.log("Changes flushed. Your changeset is " + csNumber)
2023-10-16 13:38:11 +02:00
this.errors.setData([])
} catch (e) {
this.isUploading.setData(false)
2023-10-16 13:38:11 +02:00
this.errors.data.push(e)
this.errors.ping()
2022-09-08 21:40:48 +02:00
console.error("Flushing changes failed due to", e)
}
2021-09-26 23:35:26 +02:00
}
2022-01-26 21:40:38 +01:00
public async applyAction(action: OsmChangeAction): Promise<void> {
const changeDescriptions = await action.Perform(this)
2022-09-08 21:40:48 +02:00
changeDescriptions[0].meta.distanceToObject = this.calculateDistanceToChanges(
action,
changeDescriptions
)
2022-01-26 21:40:38 +01:00
this.applyChanges(changeDescriptions)
}
public applyChanges(changes: ChangeDescription[]) {
2022-09-08 21:40:48 +02:00
this.pendingChanges.data.push(...changes)
this.pendingChanges.ping()
2022-01-26 21:40:38 +01:00
this.allChanges.data.push(...changes)
this.allChanges.ping()
}
public CreateChangesetObjects(
changes: ChangeDescription[],
downloadedOsmObjects: OsmObject[]
): {
newObjects: OsmObject[]
modifiedObjects: OsmObject[]
deletedObjects: OsmObject[]
} {
const objects: Map<string, OsmObject> = new Map<string, OsmObject>()
const states: Map<string, "unchanged" | "created" | "modified" | "deleted"> = new Map()
for (const o of downloadedOsmObjects) {
objects.set(o.type + "/" + o.id, o)
states.set(o.type + "/" + o.id, "unchanged")
}
for (const o of this.previouslyCreated) {
objects.set(o.type + "/" + o.id, o)
states.set(o.type + "/" + o.id, "unchanged")
}
for (const change of changes) {
let changed = false
const id = change.type + "/" + change.id
if (!objects.has(id)) {
// The object hasn't been seen before, so it doesn't exist yet and is newly created by its very definition
if (change.id >= 0) {
// Might be a failed fetch for simply this object
throw "Did not get an object that should be known: " + id
}
if (change.changes === undefined) {
// This object is a change to a newly created object. However, we have not seen the creation changedescription yet!
throw "Not a creation of the object"
}
// This is a new object that should be created
states.set(id, "created")
let osmObj: OsmObject = undefined
switch (change.type) {
case "node":
const n = new OsmNode(change.id)
n.lat = change.changes["lat"]
n.lon = change.changes["lon"]
osmObj = n
break
case "way":
const w = new OsmWay(change.id)
w.nodes = change.changes["nodes"]
osmObj = w
break
case "relation":
const r = new OsmRelation(change.id)
r.members = change.changes["members"]
osmObj = r
break
}
if (osmObj === undefined) {
throw "Hmm? This is a bug"
}
objects.set(id, osmObj)
this.previouslyCreated.push(osmObj)
}
const state = states.get(id)
if (change.doDelete) {
if (state === "created") {
states.set(id, "unchanged")
} else {
states.set(id, "deleted")
}
}
const obj = objects.get(id)
// Apply tag changes
for (const kv of change.tags ?? []) {
const k = kv.k
let v = kv.v
if (v === "") {
v = undefined
}
const oldV = obj.tags[k]
if (oldV === v) {
continue
}
obj.tags[k] = v
changed = true
}
if (change.changes !== undefined) {
switch (change.type) {
case "node":
// @ts-ignore
2023-06-01 02:52:21 +02:00
const nlat = Utils.Round7(change.changes.lat)
// @ts-ignore
2023-06-01 02:52:21 +02:00
const nlon = Utils.Round7(change.changes.lon)
const n = <OsmNode>obj
if (n.lat !== nlat || n.lon !== nlon) {
n.lat = nlat
n.lon = nlon
changed = true
}
break
case "way":
const nnodes = change.changes["nodes"]
const w = <OsmWay>obj
if (!Utils.Identical(nnodes, w.nodes)) {
w.nodes = nnodes
changed = true
}
break
case "relation":
const nmembers: {
type: "node" | "way" | "relation"
ref: number
role: string
}[] = change.changes["members"]
const r = <OsmRelation>obj
if (
!Utils.Identical(nmembers, r.members, (a, b) => {
return a.role === b.role && a.type === b.type && a.ref === b.ref
})
) {
r.members = nmembers
changed = true
}
break
}
}
if (changed && states.get(id) === "unchanged") {
states.set(id, "modified")
}
}
const result = {
newObjects: [],
modifiedObjects: [],
deletedObjects: [],
}
objects.forEach((v, id) => {
const state = states.get(id)
if (state === "created") {
result.newObjects.push(v)
}
if (state === "modified") {
result.modifiedObjects.push(v)
}
if (state === "deleted") {
result.deletedObjects.push(v)
}
})
console.debug(
"Calculated the pending changes: ",
result.newObjects.length,
"new; ",
result.modifiedObjects.length,
"modified;",
result.deletedObjects,
"deleted"
)
return result
}
2022-09-08 21:40:48 +02:00
private calculateDistanceToChanges(
change: OsmChangeAction,
changeDescriptions: ChangeDescription[]
) {
const locations = this.historicalUserLocations?.features?.data
2022-01-25 00:48:05 +01:00
if (locations === undefined) {
// No state loaded or no locations -> we can't calculate...
2022-09-08 21:40:48 +02:00
return
}
if (!change.trackStatistics) {
// Probably irrelevant, such as a new helper node
2022-09-08 21:40:48 +02:00
return
}
2022-01-26 21:40:38 +01:00
const now = new Date()
2022-09-08 21:40:48 +02:00
const recentLocationPoints = locations
.filter((feat) => feat.geometry.type === "Point")
.filter((feat) => {
const visitTime = new Date(
(<GeoLocationPointProperties>(<any>feat.properties)).date
)
// In seconds
const diff = (now.getTime() - visitTime.getTime()) / 1000
2022-09-08 21:40:48 +02:00
return diff < Constants.nearbyVisitTime
})
if (recentLocationPoints.length === 0) {
2022-09-08 21:40:48 +02:00
// Probably no GPS enabled/no fix
return
}
// The applicable points, contain information in their properties about location, time and GPS accuracy
// They are all GeoLocationPointProperties
// We walk every change and determine the closest distance possible
// Only if the change itself does _not_ contain any coordinates, we fall back and search the original feature in the state
const changedObjectCoordinates: [number, number][] = []
2023-04-13 20:58:49 +02:00
{
const feature = this.state.allElements?.featuresById?.data.get(change.mainObjectId)
if (feature !== undefined) {
changedObjectCoordinates.push(GeoOperations.centerpointCoordinates(feature))
}
}
for (const changeDescription of changeDescriptions) {
2022-09-08 21:40:48 +02:00
const chng:
| { lat: number; lon: number }
| { coordinates: [number, number][] }
| { members } = changeDescription.changes
if (chng === undefined) {
continue
}
if (chng["lat"] !== undefined) {
changedObjectCoordinates.push([chng["lat"], chng["lon"]])
}
if (chng["coordinates"] !== undefined) {
changedObjectCoordinates.push(...chng["coordinates"])
}
}
2021-11-09 02:03:32 +01:00
2022-09-08 21:40:48 +02:00
return Math.min(
...changedObjectCoordinates.map((coor) =>
Math.min(
...recentLocationPoints.map((gpsPoint) => {
const otherCoor = GeoOperations.centerpointCoordinates(gpsPoint)
return GeoOperations.distanceBetween(coor, otherCoor)
})
)
)
)
}
/**
* Upload the selected changes to OSM.
* Returns 'true' if successful and if they can be removed
*/
2022-09-08 21:40:48 +02:00
private async flushSelectChanges(
pending: ChangeDescription[],
openChangeset: UIEventSource<number>
): Promise<boolean> {
const self = this
const neededIds = Changes.GetNeededIds(pending)
// We _do not_ pass in the Changes object itself - we want the data from OSM directly in order to apply the changes
const downloader = new OsmObjectDownloader(this.backend, undefined)
let osmObjects = await Promise.all<{ id: string; osmObj: OsmObject | "deleted" }>(
neededIds.map(async (id) => {
try {
// Important: we do **not** cache this request, we _always_ need a fresh version!
const osmObj = await downloader.DownloadObjectAsync(id, 0)
return { id, osmObj }
} catch (e) {
console.error(
"Could not download OSM-object",
id,
" dropping it from the changes (" + e + ")"
)
2023-10-16 13:38:11 +02:00
this.errors.data.push(e)
this.errors.ping()
return undefined
}
})
2022-09-08 21:40:48 +02:00
)
osmObjects = Utils.NoNull(osmObjects)
for (const { osmObj, id } of osmObjects) {
if (osmObj === "deleted") {
pending = pending.filter((ch) => ch.type + "/" + ch.id !== id)
}
}
const objects = osmObjects
.filter((obj) => obj.osmObj !== "deleted")
.map((obj) => <OsmObject>obj.osmObj)
if (this._leftRightSensitive) {
objects.forEach((obj) => SimpleMetaTagger.removeBothTagging(obj.tags))
}
2022-09-08 21:40:48 +02:00
if (pending.length == 0) {
console.log("No pending changes...")
2022-09-08 21:40:48 +02:00
return true
}
2022-09-08 21:40:48 +02:00
const perType = Array.from(
2022-09-08 21:40:48 +02:00
Utils.Hist(
pending
.filter(
(descr) =>
descr.meta.changeType !== undefined && descr.meta.changeType !== null
)
.map((descr) => descr.meta.changeType)
),
([key, count]) => ({
key: key,
value: count,
aggregate: true,
})
)
const motivations = pending
.filter((descr) => descr.meta.specialMotivation !== undefined)
.map((descr) => ({
key: descr.meta.changeType + ":" + descr.type + "/" + descr.id,
2022-09-08 21:40:48 +02:00
value: descr.meta.specialMotivation,
}))
2022-09-08 21:40:48 +02:00
const distances = Utils.NoNull(pending.map((descr) => descr.meta.distanceToObject))
distances.sort((a, b) => a - b)
2022-09-08 21:40:48 +02:00
const perBinCount = Constants.distanceToChangeObjectBins.map((_) => 0)
2022-09-08 21:40:48 +02:00
let j = 0
const maxDistances = Constants.distanceToChangeObjectBins
for (let i = 0; i < maxDistances.length; i++) {
2022-09-08 21:40:48 +02:00
const maxDistance = maxDistances[i]
// distances is sorted in ascending order, so as soon as one is to big, all the resting elements will be bigger too
while (j < distances.length && distances[j] < maxDistance) {
perBinCount[i]++
j++
}
}
2022-09-08 21:40:48 +02:00
const perBinMessage = Utils.NoNull(
perBinCount.map((count, i) => {
if (count === 0) {
return undefined
}
const maxD = maxDistances[i]
let key = `change_within_${maxD}m`
if (maxD === Number.MAX_VALUE) {
key = `change_over_${maxDistances[i - 1]}m`
}
return {
key,
value: count,
aggregate: true,
}
})
)
// This method is only called with changedescriptions for this theme
const theme = pending[0].meta.theme
let comment = "Adding data with #MapComplete for theme #" + theme
2022-01-26 21:40:38 +01:00
if (this.extraComment.data !== undefined) {
comment += "\n\n" + this.extraComment.data
}
2022-01-26 21:40:38 +01:00
2022-09-08 21:40:48 +02:00
const metatags: ChangesetTag[] = [
{
key: "comment",
value: comment,
},
{
key: "theme",
2022-09-08 21:40:48 +02:00
value: theme,
},
...perType,
...motivations,
2022-09-08 21:40:48 +02:00
...perBinMessage,
]
await this._changesetHandler.UploadChangeset(
2022-09-08 21:40:48 +02:00
(csId, remappings) => {
if (remappings.size > 0) {
pending = pending.map((ch) => ChangeDescriptionTools.rewriteIds(ch, remappings))
}
const changes: {
2022-09-08 21:40:48 +02:00
newObjects: OsmObject[]
modifiedObjects: OsmObject[]
deletedObjects: OsmObject[]
} = self.CreateChangesetObjects(pending, objects)
2022-09-08 21:40:48 +02:00
return Changes.createChangesetFor("" + csId, changes)
},
2021-12-17 19:28:05 +01:00
metatags,
openChangeset
)
console.log("Upload successfull!")
2022-09-08 21:40:48 +02:00
return true
}
private async flushChangesAsync(): Promise<void> {
2022-09-08 21:40:48 +02:00
const self = this
2021-09-26 23:35:26 +02:00
try {
// At last, we build the changeset and upload
2022-09-08 21:40:48 +02:00
const pending = self.pendingChanges.data
const pendingPerTheme = new Map<string, ChangeDescription[]>()
for (const changeDescription of pending) {
const theme = changeDescription.meta.theme
if (!pendingPerTheme.has(theme)) {
pendingPerTheme.set(theme, [])
}
pendingPerTheme.get(theme).push(changeDescription)
}
2022-09-08 21:40:48 +02:00
const successes = await Promise.all(
Array.from(pendingPerTheme, async ([theme, pendingChanges]) => {
try {
2023-10-06 03:34:26 +02:00
const openChangeset = UIEventSource.asInt(
this.state.osmConnection.GetPreference(
"current-open-changeset-" + theme
)
)
2022-09-08 21:40:48 +02:00
console.log(
"Using current-open-changeset-" +
theme +
" from the preferences, got " +
openChangeset.data
2022-09-08 21:40:48 +02:00
)
2023-10-16 13:38:11 +02:00
const result = await self.flushSelectChanges(pendingChanges, openChangeset)
2023-10-16 14:27:05 +02:00
if (result) {
2023-10-16 13:38:11 +02:00
this.errors.setData([])
}
return result
} catch (e) {
console.error("Could not upload some changes:", e)
2023-10-16 13:38:11 +02:00
this.errors.data.push(e)
this.errors.ping()
return false
}
2022-09-08 21:40:48 +02:00
})
)
2022-09-08 21:40:48 +02:00
if (!successes.some((s) => s == false)) {
// All changes successfull, we clear the data!
2022-09-08 21:40:48 +02:00
this.pendingChanges.setData([])
}
2021-09-26 23:35:26 +02:00
} catch (e) {
2022-09-08 21:40:48 +02:00
console.error(
"Could not handle changes - probably an old, pending changeset in localstorage with an invalid format; erasing those",
e
)
2023-10-16 13:38:11 +02:00
this.errors.data.push(e)
this.errors.ping()
2021-09-26 23:35:26 +02:00
self.pendingChanges.setData([])
} finally {
2021-09-26 23:35:26 +02:00
self.isUploading.setData(false)
}
}
2022-09-08 21:40:48 +02:00
}