mapcomplete/Logic/FeatureSource/Sources/FeatureSourceMerger.ts

91 lines
3.1 KiB
TypeScript
Raw Normal View History

import FeatureSource, {FeatureSourceForLayer} from "./FeatureSource";
import {UIEventSource} from "../UIEventSource";
import FilteredLayer from "../../Models/FilteredLayer";
/**
* Merges features from different featureSources for a single layer
* Uses the freshest feature available in the case multiple sources offer data with the same identifier
*/
export default class FeatureSourceMerger implements FeatureSourceForLayer {
public features: UIEventSource<{ feature: any; freshness: Date }[]> = new UIEventSource<{ feature: any; freshness: Date }[]>([]);
public readonly name;
public readonly layer: FilteredLayer
private readonly _sources: UIEventSource<FeatureSource[]>;
constructor(layer: FilteredLayer ,sources: UIEventSource<FeatureSource[]>) {
this._sources = sources;
this.layer = layer;
this.name = "SourceMerger"
const self = this;
const handledSources = new Set<FeatureSource>();
sources.addCallbackAndRunD(sources => {
let newSourceRegistered = false;
for (let i = 0; i < sources.length; i++) {
let source = sources[i];
if (handledSources.has(source)) {
continue
}
handledSources.add(source)
newSourceRegistered = true
source.features.addCallback(() => {
self.Update();
});
if (newSourceRegistered) {
self.Update();
}
}
})
}
private Update() {
2021-05-07 01:43:32 +02:00
let somethingChanged = false;
const all: Map<string, { feature: any, freshness: Date }> = new Map<string, { feature: any; freshness: Date }>();
// We seed the dictionary with the previously loaded features
const oldValues = this.features.data ?? [];
for (const oldValue of oldValues) {
all.set(oldValue.feature.id + oldValue.feature._matching_layer_id, oldValue)
2021-05-07 01:43:32 +02:00
}
for (const source of this._sources.data) {
if (source?.features?.data === undefined) {
2021-01-04 22:59:11 +01:00
continue;
}
for (const f of source.features.data) {
const id = f.feature.properties.id + f.feature._matching_layer_id;
2021-05-07 01:43:32 +02:00
if (!all.has(id)) {
// This is a new feature
somethingChanged = true;
all.set(id, f);
continue;
}
// This value has been seen already, either in a previous run or by a previous datasource
// Let's figure out if something changed
const oldV = all.get(id);
if (oldV.freshness < f.freshness) {
// Jup, this feature is fresher
all.set(id, f);
somethingChanged = true;
}
}
}
if (!somethingChanged) {
2021-05-07 01:43:32 +02:00
// We don't bother triggering an update
return;
}
2021-05-07 01:43:32 +02:00
const newList = [];
all.forEach((value, _) => {
2021-05-07 01:43:32 +02:00
newList.push(value)
})
this.features.setData(newList);
}
}