MapComplete/src/Logic/ImageProviders/ImageUploadManager.ts

Ignoring revisions in .git-blame-ignore-revs. Click here to bypass and see the normal blame view.

329 lines
13 KiB
TypeScript
Raw Normal View History

import { ImageUploader, UploadResult } from "./ImageUploader"
2023-09-28 23:50:27 +02:00
import LinkImageAction from "../Osm/Actions/LinkImageAction"
import FeaturePropertiesStore from "../FeatureSource/Actors/FeaturePropertiesStore"
import { NoteId, OsmId, OsmTags } from "../../Models/OsmFeature"
import ThemeConfig from "../../Models/ThemeConfig/ThemeConfig"
import { Store, Stores, UIEventSource } from "../UIEventSource"
2023-09-28 23:50:27 +02:00
import { OsmConnection } from "../Osm/OsmConnection"
import { Changes } from "../Osm/Changes"
import Translations from "../../UI/i18n/Translations"
import { Translation } from "../../UI/i18n/Translation"
import { Feature } from "geojson"
import ImageUploadQueue, { ImageUploadArguments } from "./ImageUploadQueue"
import { GeoOperations } from "../GeoOperations"
import NoteCommentElement from "../../UI/Popup/Notes/NoteCommentElement"
import OsmObjectDownloader from "../Osm/OsmObjectDownloader"
import ExifReader from "exifreader"
import { Utils } from "../../Utils"
/**
* The ImageUploadManager has a
*/
export class ImageUploadManager {
private readonly _queue: ImageUploadQueue = ImageUploadQueue.singleton
2023-09-28 23:50:27 +02:00
private readonly _uploader: ImageUploader
private readonly _featureProperties: FeaturePropertiesStore
private readonly _theme: ThemeConfig
private readonly _gps: Store<GeolocationCoordinates | undefined>
2023-09-28 23:50:27 +02:00
private readonly _osmConnection: OsmConnection
private readonly _changes: Changes
/**
* Keeps track of the _features_ for which an upload was successfull. Only used to give an indication.
* Every time an image is uploaded, the featureID is added to the list. Not persisted (and should not be)
*/
private readonly _successfull: UIEventSource<string[]> = new UIEventSource<string[]>([])
public readonly successfull: Store<string[]> = this._successfull
/**
* Keeps track of the _features_ for which an upload failed. Only used to give an indication to the user.
* Every time an image upload fails, the featureID is added to the list. Not persisted (and should not be)
*/
2025-04-15 18:18:44 +02:00
private readonly _fails: UIEventSource<ImageUploadArguments[]> = new UIEventSource<
ImageUploadArguments[]
>([])
public readonly fails: Store<string[]> = this._fails.map((args) => args.map((a) => a.featureId))
/**
* FeatureIDs of queued items
*/
2025-04-15 18:18:44 +02:00
public readonly queued: Store<string[]> = this._queue.imagesInQueue.map((queue) =>
2025-07-10 18:26:31 +02:00
queue.map((q) => q.featureId)
2025-04-15 18:18:44 +02:00
)
public readonly queuedArgs = this._queue.imagesInQueue
/**
* The feature for which an upload is currently running
*/
public readonly _isUploading: UIEventSource<string | undefined> = new UIEventSource(undefined)
public readonly isUploading: Store<string | undefined> = this._isUploading
2024-10-19 14:44:55 +02:00
private readonly _reportError: (
message: string | Error | XMLHttpRequest,
2025-07-10 18:26:31 +02:00
extramessage?: string
2024-10-19 14:44:55 +02:00
) => Promise<void>
2023-09-28 23:50:27 +02:00
private readonly _progressCurrentImage: UIEventSource<number> = new UIEventSource(0)
public readonly progressCurrentImage: Store<number> = this._progressCurrentImage
2023-09-28 23:50:27 +02:00
constructor(
layout: ThemeConfig,
2023-09-28 23:50:27 +02:00
uploader: ImageUploader,
featureProperties: FeaturePropertiesStore,
osmConnection: OsmConnection,
changes: Changes,
gpsLocation: Store<GeolocationCoordinates | undefined>,
2024-10-19 14:44:55 +02:00
reportError: (
message: string | Error | XMLHttpRequest,
2025-07-10 18:26:31 +02:00
extramessage?: string
) => Promise<void>
2023-09-28 23:50:27 +02:00
) {
this._uploader = uploader
this._featureProperties = featureProperties
this._theme = layout
2023-09-28 23:50:27 +02:00
this._osmConnection = osmConnection
this._changes = changes
this._gps = gpsLocation
this._reportError = reportError
Stores.chronic(5 * 60000).addCallback(() => {
// If images failed to upload: attempt to reupload
this.uploadQueue()
})
}
public async canBeUploaded(file: File): Promise<true | { error: Translation }> {
const sizeInBytes = file.size
if (sizeInBytes > this._uploader.maxFileSizeInMegabytes * 1000000) {
2024-06-16 16:06:26 +02:00
const error = Translations.t.image.toBig.Subs({
actual_size: Math.floor(sizeInBytes / 1000000) + "MB",
2025-04-15 18:18:44 +02:00
max_size: this._uploader.maxFileSizeInMegabytes + "MB",
})
2024-06-16 16:06:26 +02:00
return { error }
}
const ext = file.name.split(".").at(-1).toLowerCase()
if (ext !== "jpg" && ext !== "jpeg") {
return { error: new Translation({ en: "Only JPG-files are allowed" }) }
}
const tags = await ExifReader.load(file)
if (tags.ProjectionType?.value === "cylindrical") {
2025-06-04 00:21:28 +02:00
return {
error: new Translation({
en: "Cylindrical images (typically created by a Panorama-app) are not supported",
}),
}
}
return true
}
2023-09-28 23:50:27 +02:00
/**
* Uploads the given image, applies the correct title and license for the known user.
* Will then add this image to the OSM-feature or the OSM-note automatically, based on the ID of the feature.
* Does _not_ check 'canBeUploaded'
* Note: the image will actually be added to the queue. If the image-upload fails, this will be attempted when visiting MC again
* @param file a jpg file to upload
* @param tagsStore The tags of the feature
* @param targetKey Use this key to save the attribute under. Default: 'image'
* @param noblur if true, then the api call will indicate that the image is already blurred. The server won't apply blurring in this case
* @param feature the feature this image is about. Will be used as fallback to get the GPS-coordinates
2023-09-28 23:50:27 +02:00
*/
public uploadImageAndApply(
2023-10-30 13:44:27 +01:00
file: File,
tagsStore: UIEventSource<OsmTags>,
targetKey: string,
noblur: boolean,
feature: Feature,
options: {
ignoreGPS: boolean | false
2025-07-10 18:26:31 +02:00
}
): void {
const tags: OsmTags = tagsStore.data
const featureId = <OsmId | NoteId>tags.id
const author = this._osmConnection?.userDetails?.data?.name ?? "Anonymous" // Might be a note upload
2023-09-28 23:50:27 +02:00
/**
* The location to upload the image with.
* Note that EXIF-data will always be trusted _more_ by the uploader
*/
let location: [number, number] = GeoOperations.centerpointCoordinates(feature)
if (this._gps.data && !options?.ignoreGPS) {
location = [this._gps.data.longitude, this._gps.data.latitude]
}
const args: ImageUploadArguments = {
location,
date: new Date().getTime(),
layoutId: this._theme.id,
2025-04-15 18:18:44 +02:00
author,
blob: file,
featureId,
noblur,
targetKey,
}
this._queue.add(args)
this.uploadQueue()
}
/**
* Attempts to upload all items in the queue
*/
private uploadingAll = false
public async uploadQueue() {
if (this.uploadingAll) {
return
}
try {
let queue: ImageUploadArguments[]
const failed: Set<ImageUploadArguments> = new Set()
this.uploadingAll = true
do {
2025-07-10 18:26:31 +02:00
queue = Utils.NoNull(this._queue.imagesInQueue.data ?? []).filter(
(item) => !failed.has(item)
)
console.log("Checking image upload queue and uploading if needed")
for (const currentItem of queue) {
const uploadOk = await this.handleQueueItem(currentItem)
if (uploadOk) {
this._queue.delete(currentItem)
} else {
failed.add(currentItem)
}
}
} while (queue.length > 0)
} catch (e) {
console.error("Error while handling the queue:", e)
await this._reportError("Image Upload Manager: queue stopped working:", e)
} finally {
this.uploadingAll = false
}
}
/**
* Handles a queue item:
* - starts upload
* - indicates that the upload is busy
* - Applies the action to the correct element
* - indicates failure
*
* Will _not_ modify the queue: if the upload is successful, deletes the item from the queue.
* @returns true if successful (and the item should be deleted from the queue), false if something failed
*/
private async handleQueueItem(args: NonNullable<ImageUploadArguments>): Promise<boolean> {
console.log("Handling queue item", args.blob.name, args)
this._isUploading.set(args.featureId)
let result: UploadResult = undefined
let attempts = 2
while (attempts > 0 && result === undefined) {
attempts--
const doReport = attempts == 0
try {
result = await this.attemptSingleUpload(args, doReport)
} catch (e) {
console.error("Uploading failed with error", e)
}
if (!result) {
console.log("Upload attempt failed, attempts left:", attempts)
}
}
this._isUploading.set(undefined)
this._fails.set(this._fails.data.filter((a) => a !== args))
if (result === undefined) {
this._fails.data.push(args)
this._fails.ping()
return false
}
2025-04-15 18:18:44 +02:00
let properties: UIEventSource<Record<string, string>> = this._featureProperties.getStore(
2025-07-10 18:26:31 +02:00
args.featureId
2025-04-15 18:18:44 +02:00
)
2025-04-23 21:43:10 +02:00
if (!isNaN(Number(args.featureId))) {
// This is an OSM-note
const url = result.absoluteUrl
await this._osmConnection.addCommentToNote(args.featureId, url)
2025-04-15 18:18:44 +02:00
const properties: UIEventSource<Record<string, string>> =
this._featureProperties.getStore(args.featureId)
if (properties) {
// Properties will not be defined if the note isn't loaded, but that is no problem as the below code is only relevant if the note is shown
NoteCommentElement.addCommentTo(url, properties, {
2025-04-15 18:18:44 +02:00
osmConnection: this._osmConnection,
})
}
return true
}
if (properties === undefined) {
const downloaded = await new OsmObjectDownloader(
this._osmConnection.Backend(),
2025-07-10 18:26:31 +02:00
this._changes
).DownloadObjectAsync(args.featureId)
if (downloaded === "deleted") {
this._queue.delete(args)
return
2024-10-19 14:44:55 +02:00
}
this._featureProperties.trackFeature(downloaded.asGeoJson())
properties = this._featureProperties.getStore(args.featureId)
}
2025-06-18 21:40:01 +02:00
const action = new LinkImageAction(args.featureId, result.key, result.value, properties, {
theme: args.layoutId ?? properties?.data?.["_orig_theme"] ?? this._theme.id,
changeType: "add-image",
})
await this._changes.applyAction(action)
await this._changes.flushChanges("Image upload completed")
return true
}
/**
* Attempts to upload the image (once).
* Returns 'undefined' if failed
* @param featureId
* @param author
* @param blob
* @param targetKey
* @param noblur
* @param lastGpsLocation
* @param ignoreGps
* @param layoutId
* @param date
* @param reportOnFail If set, reports an error to the mapcomplete server so that pietervdvn can fix it
* @private
*/
private async attemptSingleUpload(
2025-04-15 18:18:44 +02:00
{ featureId, author, blob, targetKey, noblur, location }: ImageUploadArguments,
2025-07-10 18:26:31 +02:00
reportOnFail: boolean
): Promise<UploadResult | undefined> {
2023-09-28 23:50:27 +02:00
let key: string
let value: string
let absoluteUrl: string
2023-09-28 23:50:27 +02:00
try {
2025-06-19 21:55:28 +02:00
;({ key, value, absoluteUrl } = await this._uploader.uploadImage(
2024-10-19 14:44:55 +02:00
blob,
location,
author,
noblur,
2025-07-10 18:26:31 +02:00
this._progressCurrentImage
2024-10-19 14:44:55 +02:00
))
2023-09-28 23:50:27 +02:00
} catch (e) {
console.error("Could again not upload image due to", e)
if (reportOnFail) {
2024-10-19 14:44:55 +02:00
await this._reportError(
e,
JSON.stringify({
ctx: "While uploading an image in the Image Upload Manager",
featureId,
author,
2025-04-15 18:18:44 +02:00
targetKey,
2025-07-10 18:26:31 +02:00
})
2024-10-19 14:44:55 +02:00
)
2023-09-28 23:50:27 +02:00
}
return undefined
2023-09-28 23:50:27 +02:00
}
key = targetKey ?? key
2025-04-05 22:36:25 +02:00
if (targetKey && targetKey.indexOf(key) < 0) {
// This is a non-standard key, so we use the image link directly
value = absoluteUrl
}
2024-10-19 14:44:55 +02:00
return { key, absoluteUrl, value }
}
}