MapComplete/src/Models/ThemeConfig/Conversion/Conversion.ts

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

341 lines
10 KiB
TypeScript
Raw Normal View History

import { LayerConfigJson } from "../Json/LayerConfigJson"
import { Utils } from "../../../Utils"
2023-09-17 13:45:46 +02:00
import { QuestionableTagRenderingConfigJson } from "../Json/QuestionableTagRenderingConfigJson"
2023-11-02 04:35:32 +01:00
import { ConversionContext } from "./ConversionContext"
export interface DesugaringContext {
2023-09-17 13:45:46 +02:00
tagRenderings: Map<string, QuestionableTagRenderingConfigJson>
2024-06-18 03:33:11 +02:00
/**
* Order of appearance in questions.json
*/
tagRenderingOrder: string[]
sharedLayers: Map<string, LayerConfigJson>
2022-06-13 03:26:14 +02:00
publicLayers?: Set<string>
}
export type ConversionMsgLevel = "debug" | "information" | "warning" | "error"
export interface ConversionMessage {
readonly context: ConversionContext
readonly message: string
readonly level: ConversionMsgLevel
}
export abstract class Conversion<TIn, TOut> {
public readonly modifiedAttributes: string[]
2022-01-31 14:34:06 +01:00
public readonly name: string
protected readonly doc: string
constructor(doc: string, modifiedAttributes: string[] = [], name: string) {
this.modifiedAttributes = modifiedAttributes
this.doc = doc + "\n\nModified attributes are\n" + modifiedAttributes.join(", ")
this.name = name
}
public convertStrict(json: TIn, context?: ConversionContext): TOut {
context ??= ConversionContext.construct([], [])
context = context.inOperation(this.name)
let fixed: TOut
try {
fixed = this.convert(json, context)
} catch (e) {
console.error(e)
2024-07-21 10:52:51 +02:00
context.err("ERROR WHILE RUNNING STEP " + this.name + ": " + e)
fixed = undefined
}
for (const msg of context.messages) {
2023-10-30 17:00:39 +01:00
if (msg.level === "debug") {
continue
}
ConversionContext.print(msg)
}
if (context.hasErrors()) {
2024-06-16 16:06:26 +02:00
throw new Error(
[
"Detected one or more errors, stopping now:",
2024-07-21 10:52:51 +02:00
context.getAll("error").map((e) => e.context.path.join(".") + ": " + e.message),
2024-06-16 16:06:26 +02:00
].join("\n\t")
)
}
return fixed
2022-07-06 11:14:19 +02:00
}
public andThenF<X>(f: (tout: TOut) => X): Conversion<TIn, X> {
return new Pipe(this, new Pure(f))
}
public abstract convert(json: TIn, context: ConversionContext): TOut
}
2024-07-21 10:52:51 +02:00
export abstract class DesugaringStep<T> extends Conversion<T, T> {}
2022-09-08 21:40:48 +02:00
export class Pipe<TIn, TInter, TOut> extends Conversion<TIn, TOut> {
private readonly _step0: Conversion<TIn, TInter>
private readonly _step1: Conversion<TInter, TOut>
private readonly _failfast: boolean
2023-01-17 02:54:33 +01:00
constructor(step0: Conversion<TIn, TInter>, step1: Conversion<TInter, TOut>, failfast = false) {
super("Merges two steps with different types", [], `Pipe(${step0.name}, ${step1.name})`)
this._step0 = step0
this._step1 = step1
this._failfast = failfast
}
convert(json: TIn, context: ConversionContext): TOut {
const r0 = this._step0.convert(json, context.inOperation(this._step0.name))
2024-08-14 13:53:56 +02:00
if (context.hasErrors() && this._failfast) {
return undefined
}
return this._step1.convert(r0, context.inOperation(this._step1.name))
}
}
export class Pure<TIn, TOut> extends Conversion<TIn, TOut> {
private readonly _f: (t: TIn) => TOut
2023-01-17 02:54:33 +01:00
constructor(f: (t: TIn) => TOut) {
super("Wrapper around a pure function", [], "Pure")
this._f = f
}
2022-09-08 21:40:48 +02:00
convert(json: TIn, context: ConversionContext): TOut {
return this._f(json)
}
}
export class Bypass<T> extends DesugaringStep<T> {
private readonly _applyIf: (t: T) => boolean
private readonly _step: DesugaringStep<T>
constructor(applyIf: (t: T) => boolean, step: DesugaringStep<T>) {
super("Applies the step on the object, if the object satisfies the predicate", [], "Bypass")
this._applyIf = applyIf
this._step = step
}
convert(json: T, context: ConversionContext): T {
if (!this._applyIf(json)) {
return json
}
return this._step.convert(json, context)
}
}
export class Each<X, Y> extends Conversion<X[], Y[]> {
private readonly _step: Conversion<X, Y>
2023-10-30 16:32:43 +01:00
private readonly _msg: string
constructor(step: Conversion<X, Y>, options?: { msg?: string }) {
super(
"Applies the given step on every element of the list",
[],
"OnEach(" + step.name + ")"
2022-09-08 21:40:48 +02:00
)
this._step = step
this._msg = options?.msg
}
convert(values: X[], context: ConversionContext): Y[] {
if (values === undefined || values === null) {
return <undefined | null>values
}
const step = this._step
const result: Y[] = []
const c = context.inOperation("each")
for (let i = 0; i < values.length; i++) {
2023-10-30 16:32:43 +01:00
if (this._msg) {
2023-10-31 01:39:01 +01:00
console.log(
2023-10-30 17:00:39 +01:00
this._msg,
`: ${i + 1}/${values.length}`,
values[i]?.["id"] !== undefined ? values[i]?.["id"] : ""
)
2023-10-30 16:32:43 +01:00
}
2023-11-13 13:45:22 +01:00
const r = step.convert(values[i], c.enter(i))
result.push(r)
}
return result
}
}
export class On<P, T> extends DesugaringStep<T> {
private readonly key: string
2022-07-11 09:14:26 +02:00
private readonly step: (t: T) => Conversion<P, P>
2022-09-08 21:40:48 +02:00
2022-07-11 09:14:26 +02:00
constructor(key: string, step: Conversion<P, P> | ((t: T) => Conversion<P, P>)) {
super(
"Applies " + step.name + " onto property `" + key + "`",
[key],
`On(${key}, ${step.name})`
2022-09-08 21:40:48 +02:00
)
2022-07-11 09:14:26 +02:00
if (typeof step === "function") {
this.step = step
} else {
this.step = (_) => step
}
this.key = key
}
convert(json: T, context: ConversionContext): T {
const key = this.key
2024-02-21 18:47:12 +01:00
const value: P = json?.[key]
if (value === undefined || value === null) {
return json
}
json = { ...json }
const step = this.step(json)
json[key] = step.convert(value, context.enter(key).inOperation("on[" + key + "]"))
return json
}
}
export class Pass<T> extends Conversion<T, T> {
constructor(message?: string) {
super(message ?? "Does nothing, often to swap out steps in testing", [], "Pass")
}
2024-01-24 23:45:20 +01:00
convert(json: T, _: ConversionContext): T {
return json
}
}
export class Concat<X, T> extends Conversion<X[], T[]> {
private readonly _step: Conversion<X, T[]>
constructor(step: Conversion<X, T[]>) {
super(
"Executes the given step, flattens the resulting list",
[],
"Concat(" + step.name + ")"
2022-09-08 21:40:48 +02:00
)
this._step = step
}
convert(values: X[], context: ConversionContext): T[] {
2022-02-28 20:21:37 +01:00
if (values === undefined || values === null) {
// Move on - nothing to see here!
return <undefined | null>values
}
const vals: T[][] = new Each(this._step).convert(values, context.inOperation("concat"))
return [].concat(...vals)
}
}
export class FirstOf<T, X> extends Conversion<T, X> {
private readonly _conversion: Conversion<T, X[]>
2022-09-08 21:40:48 +02:00
constructor(conversion: Conversion<T, X[]>) {
super(
"Picks the first result of the conversion step",
[],
"FirstOf(" + conversion.name + ")"
2022-09-08 21:40:48 +02:00
)
this._conversion = conversion
}
convert(json: T, context: ConversionContext): X {
const values = this._conversion.convert(json, context.inOperation("firstOf"))
if (values.length === 0) {
return undefined
}
return values[0]
}
}
2023-10-31 11:49:14 +01:00
export class Cached<TIn, TOut> extends Conversion<TIn, TOut> {
private _step: Conversion<TIn, TOut>
private readonly key: string
2023-10-31 11:49:14 +01:00
constructor(step: Conversion<TIn, TOut>) {
super("Secretly caches the output for the given input", [], "cached")
this._step = step
this.key = "__super_secret_caching_key_" + step.name
}
convert(json: TIn, context: ConversionContext): TOut {
if (json[this.key]) {
return json[this.key]
}
const converted = this._step.convert(json, context)
Object.defineProperty(json, this.key, {
value: converted,
2024-07-21 10:52:51 +02:00
enumerable: false,
2023-10-31 11:49:14 +01:00
})
return converted
}
}
export class Fuse<T> extends DesugaringStep<T> {
2023-10-31 11:49:14 +01:00
protected debug = false
private readonly steps: DesugaringStep<T>[]
constructor(doc: string, ...steps: DesugaringStep<T>[]) {
super(
(doc ?? "") +
2024-07-21 10:52:51 +02:00
"This fused pipeline of the following steps: " +
steps.map((s) => s.name).join(", "),
Utils.Dedup([].concat(...steps.map((step) => step.modifiedAttributes))),
"Fuse(" + steps.map((s) => s.name).join(", ") + ")"
)
2022-02-17 23:54:14 +01:00
this.steps = Utils.NoNull(steps)
}
2023-10-31 11:49:14 +01:00
public enableDebugging(): Fuse<T> {
this.debug = true
return this
}
convert(json: T, context: ConversionContext): T {
2023-10-31 11:49:14 +01:00
const timings = []
for (let i = 0; i < this.steps.length; i++) {
2023-10-31 11:49:14 +01:00
const start = new Date()
const step = this.steps[i]
2022-04-22 03:17:40 +02:00
try {
const r = step.convert(json, context.inOperation(step.name))
if (r === undefined || r === null) {
break
2022-04-22 03:17:40 +02:00
}
json = r
2022-04-22 03:17:40 +02:00
} catch (e) {
2022-06-09 16:50:53 +02:00
console.error("Step " + step.name + " failed due to ", e, e.stack)
2022-04-22 03:17:40 +02:00
throw e
}
2023-10-31 11:49:14 +01:00
if (this.debug) {
const stop = new Date()
const timeNeededMs = stop.getTime() - start.getTime()
timings.push(timeNeededMs)
}
}
if (this.debug) {
console.log("Time needed,", timings.join(", "))
}
return json
}
}
export class SetDefault<T> extends DesugaringStep<T> {
private readonly value: any
private readonly key: string
private readonly _overrideEmptyString: boolean
constructor(key: string, value: any, overrideEmptyString = false) {
super("Sets " + key + " to a default value if undefined", [], "SetDefault of " + key)
this.key = key
this.value = value
this._overrideEmptyString = overrideEmptyString
}
2024-01-24 23:45:20 +01:00
convert(json: T, _: ConversionContext): T {
if (json === undefined) {
return undefined
}
if (json[this.key] === undefined || (json[this.key] === "" && this._overrideEmptyString)) {
json = { ...json }
json[this.key] = this.value
}
return json
}
}