Compare commits

..

11 Commits

3 changed files with 115 additions and 110 deletions

View File

@@ -24,7 +24,8 @@
warmup: { value: 0 }, warmup: { value: 0 },
shutdown: { value: 0 }, shutdown: { value: 0 },
cooldown: { value: 0 }, cooldown: { value: 0 },
machineCurve : { value: {}}, machineCurve: { value: {}},
flowNumber: { value: 1, required: true },
//define asset properties //define asset properties
uuid: { value: "" }, uuid: { value: "" },
@@ -127,6 +128,10 @@
<label for="node-input-cooldown"><i class="fa fa-clock-o"></i> Cooldown Time</label> <label for="node-input-cooldown"><i class="fa fa-clock-o"></i> Cooldown Time</label>
<input type="number" id="node-input-cooldown" style="width:60%;" /> <input type="number" id="node-input-cooldown" style="width:60%;" />
</div> </div>
<div class="form-row">
<label for="node-input-flowNumber"><i class="fa fa-clock-o"></i> Flow Number</label>
<input type="number" id="node-input-flowNumber" style="width:60%;" />
</div>
<!-- Asset fields injected here --> <!-- Asset fields injected here -->
<div id="asset-fields-placeholder"></div> <div id="asset-fields-placeholder"></div>

View File

@@ -63,7 +63,8 @@ class nodeClass {
}, },
functionality: { functionality: {
positionVsParent: uiConfig.positionVsParent positionVsParent: uiConfig.positionVsParent
} },
flowNumber: uiConfig.flowNumber
}; };
// Utility for formatting outputs // Utility for formatting outputs
@@ -114,8 +115,8 @@ class nodeClass {
try { try {
const mode = m.currentMode; const mode = m.currentMode;
const state = m.state.getCurrentState(); const state = m.state.getCurrentState();
const flow = Math.round(m.measurements.type("flow").variant("predicted").position('downstream').getCurrentValue('m3/h')); const flow = Math.round(m.measurements.type("flow").variant("predicted").position('downstream').getCurrentValue());
const power = Math.round(m.measurements.type("power").variant("predicted").position('atequipment').getCurrentValue('kW')); const power = Math.round(m.measurements.type("power").variant("predicted").position('upstream').getCurrentValue());
let symbolState; let symbolState;
switch(state){ switch(state){
case "off": case "off":

View File

@@ -48,17 +48,7 @@ class Machine {
this.errorMetrics = new nrmse(errorMetricsConfig, this.logger); this.errorMetrics = new nrmse(errorMetricsConfig, this.logger);
// Initialize measurements // Initialize measurements
this.measurements = new MeasurementContainer({ this.measurements = new MeasurementContainer();
autoConvert: true,
windowSize: 50,
defaultUnits: {
pressure: 'mbar',
flow: this.config.general.unit,
power: 'kW',
temperature: 'C'
}
});
this.interpolation = new interpolation(); this.interpolation = new interpolation();
this.flowDrift = null; this.flowDrift = null;
@@ -78,44 +68,48 @@ class Machine {
this.updatePosition(); this.updatePosition();
}); });
//When state changes look if we need to do other updates // used for holding the source and sink unit operations or other object with setInfluent / getEffluent method for e.g. recirculation.
this.state.emitter.on("stateChange", (newState) => { this.upstreamSource = null;
this.logger.debug(`State change detected: ${newState}`); this.downstreamSink = null;
this._updateState();
});
this.child = {}; // object to hold child information so we know on what to subscribe this.child = {}; // object to hold child information so we know on what to subscribe
this.childRegistrationUtils = new childRegistrationUtils(this); // Child registration utility this.childRegistrationUtils = new childRegistrationUtils(this); // Child registration utility
} }
_updateState(){
const isOperational = this._isOperationalState();
if(!isOperational){
//overrule the last prediction this should be 0 now
this.measurements.type("flow").variant("predicted").position("downstream").value(0);
}
}
/*------------------- Register child events -------------------*/ /*------------------- Register child events -------------------*/
registerChild(child, softwareType) { registerChild(child, softwareType) {
this.logger.debug('Setting up child event for softwaretype ' + softwareType); if(!child) {
this.logger.error(`Invalid ${softwareType} child provided.`);
return;
}
if(softwareType === "measurement"){ switch (softwareType) {
const position = child.config.functionality.positionVsParent; case "measurement":
const distance = child.config.functionality.distanceVsParent || 0; this.logger.debug(`Registering measurement child...`);
const measurementType = child.config.asset.type; this._connectMeasurement(child);
const key = `${measurementType}_${position}`; break;
case "reactor":
this.logger.debug(`Registering reactor child...`);
this._connectReactor(child);
break;
default:
this.logger.error(`Unrecognized softwareType: ${softwareType}`);
}
}
_connectMeasurement(measurementChild) {
const position = measurementChild.config.functionality.positionVsParent;
const distance = measurementChild.config.functionality.distanceVsParent || 0;
const measurementType = measurementChild.config.asset.type;
//rebuild to measurementype.variant no position and then switch based on values not strings or names. //rebuild to measurementype.variant no position and then switch based on values not strings or names.
const eventName = `${measurementType}.measured.${position}`; const eventName = `${measurementType}.measured.${position}`;
this.logger.debug(`Setting up listener for ${eventName} from child ${child.config.general.name}`); this.logger.debug(`Setting up listener for ${eventName} from child ${measurementChild.config.general.name}`);
// Register event listener for measurement updates // Register event listener for measurement updates
child.measurements.emitter.on(eventName, (eventData) => { measurementChild.measurements.emitter.on(eventName, (eventData) => {
this.logger.debug(`🔄 ${position} ${measurementType} from ${eventData.childName}: ${eventData.value} ${eventData.unit}`); this.logger.debug(`🔄 ${position} ${measurementType} from ${eventData.childName}: ${eventData.value} ${eventData.unit}`);
console.log(` Emitting... ${eventName} with data:`);
// Store directly in parent's measurement container // Store directly in parent's measurement container
this.measurements this.measurements
.type(measurementType) .type(measurementType)
@@ -124,35 +118,28 @@ class Machine {
.value(eventData.value, eventData.timestamp, eventData.unit); .value(eventData.value, eventData.timestamp, eventData.unit);
// Call the appropriate handler // Call the appropriate handler
this._callMeasurementHandler(measurementType, eventData.value, position, eventData);
});
}
}
// Centralized handler dispatcher
_callMeasurementHandler(measurementType, value, position, context) {
switch (measurementType) { switch (measurementType) {
case 'pressure': case 'pressure':
this.updateMeasuredPressure(value, position, context); this.updateMeasuredPressure(eventData.value, position, eventData);
break; break;
case 'flow': case 'flow':
this.updateMeasuredFlow(value, position, context); this.updateMeasuredFlow(eventData.value, position, eventData);
break;
case 'temperature':
this.updateMeasuredTemperature(value, position, context);
break; break;
default: default:
this.logger.warn(`No handler for measurement type: ${measurementType}`); this.logger.warn(`No handler for measurement type: ${measurementType}`);
// Generic handler - just update position // Generic handler - just update position
this.updatePosition(); this.updatePosition();
break;
} }
} });
}
//---------------- END child stuff -------------// _connectReactor(reactorChild) {
this.downstreamSink = reactorChild; // downstream from the pumps perpective
}
//---------------- END child stuff -------------//
// Method to assess drift using errorMetrics // Method to assess drift using errorMetrics
assessDrift(measurement, processMin, processMax) { assessDrift(measurement, processMin, processMax) {
@@ -199,11 +186,6 @@ _callMeasurementHandler(measurementType, value, position, context) {
async handleInput(source, action, parameter) { async handleInput(source, action, parameter) {
//sanitize input
if( typeof action !== 'string'){this.logger.error(`Action must be string`); return;}
//convert to lower case to avoid to many mistakes in commands
action = action.toLowerCase();
if (!this.isValidSourceForMode(source, this.currentMode)) { if (!this.isValidSourceForMode(source, this.currentMode)) {
let warningTxt = `Source '${source}' is not valid for mode '${this.currentMode}'.`; let warningTxt = `Source '${source}' is not valid for mode '${this.currentMode}'.`;
this.logger.warn(warningTxt); this.logger.warn(warningTxt);
@@ -214,24 +196,23 @@ _callMeasurementHandler(measurementType, value, position, context) {
try { try {
switch (action) { switch (action) {
case "execSequence":
case "execsequence":
return await this.executeSequence(parameter); return await this.executeSequence(parameter);
case "execmovement": case "execMovement":
return await this.setpoint(parameter); return await this.setpoint(parameter);
case "flowmovement": case "flowMovement":
// Calculate the control value for a desired flow // Calculate the control value for a desired flow
const pos = this.calcCtrl(parameter); const pos = this.calcCtrl(parameter);
// Move to the desired setpoint // Move to the desired setpoint
return await this.setpoint(pos); return await this.setpoint(pos);
case "emergencystop": case "emergencyStop":
this.logger.warn(`Emergency stop activated by '${source}'.`); this.logger.warn(`Emergency stop activated by '${source}'.`);
return await this.executeSequence("emergencyStop"); return await this.executeSequence("emergencyStop");
case "statuscheck": case "statusCheck":
this.logger.info(`Status Check: Mode = '${this.currentMode}', Source = '${source}'.`); this.logger.info(`Status Check: Mode = '${this.currentMode}', Source = '${source}'.`);
break; break;
@@ -519,6 +500,7 @@ _callMeasurementHandler(measurementType, value, position, context) {
// NEW: Flow handler // NEW: Flow handler
updateMeasuredFlow(value, position, context = {}) { updateMeasuredFlow(value, position, context = {}) {
if (!this._isOperationalState()) { if (!this._isOperationalState()) {
this.logger.warn(`Machine not operational, skipping flow update from ${context.childName || 'unknown'}`); this.logger.warn(`Machine not operational, skipping flow update from ${context.childName || 'unknown'}`);
return; return;
@@ -526,19 +508,28 @@ _callMeasurementHandler(measurementType, value, position, context) {
this.logger.debug(`Flow update: ${value} at ${position} from ${context.childName || 'child'}`); this.logger.debug(`Flow update: ${value} at ${position} from ${context.childName || 'child'}`);
if (this.upstreamSource && this.downstreamSink) {
this.updateSourceSink();
}
// Store in parent's measurement container // Store in parent's measurement container
this.measurements.type("flow").variant("measured").position(position).value(value, context.timestamp, context.unit); this.measurements.type("flow").variant("measured").position(position).value(value, context.timestamp, context.unit);
// Update predicted flow if you have prediction capability // Update predicted flow if you have prediction capability
if (this.predictFlow) { if (this.predictFlow) {
this.measurements.type("flow").variant("predicted").position("downstream").value(this.predictFlow.outputY || 0); this.measurements.type("flow").variant("predicted").position("atEquipment").value(this.predictFlow.outputY || 0);
} }
} }
updateSourceSink() {
// Handles flow according to the configured "flow number"
this.logger.debug(`Updating source-sink pair: ${this.upstreamSource.config.functionality.softwareType} - ${this.downstreamSink.config.functionality.softwareType}`);
this.downstreamSink.setInfluent = this.upstreamSource.getEffluent[this.config.flowNumber];
}
// Helper method for operational state check // Helper method for operational state check
_isOperationalState() { _isOperationalState() {
const state = this.state.getCurrentState(); const state = this.state.getCurrentState();
this.logger.debug(`Checking operational state ${this.state.getCurrentState()} ? ${["operational", "accelerating", "decelerating"].includes(state)}`);
return ["operational", "accelerating", "decelerating"].includes(state); return ["operational", "accelerating", "decelerating"].includes(state);
} }
@@ -562,9 +553,6 @@ _callMeasurementHandler(measurementType, value, position, context) {
this.calcDistanceBEP(efficiency,cog,minEfficiency); this.calcDistanceBEP(efficiency,cog,minEfficiency);
} }
} }
calcDistanceFromPeak(currentEfficiency,peakEfficiency){ calcDistanceFromPeak(currentEfficiency,peakEfficiency){
@@ -595,6 +583,7 @@ _callMeasurementHandler(measurementType, value, position, context) {
}; };
} }
// Calculate the center of gravity for current pressure // Calculate the center of gravity for current pressure
calcCog() { calcCog() {
@@ -710,12 +699,23 @@ _callMeasurementHandler(measurementType, value, position, context) {
// Improved output object generation // Improved output object generation
const output = {}; const output = {};
//build the output object
this.measurements.getTypes().forEach(type => {
this.measurements.getVariants(type).forEach(variant => {
Object.entries(this.measurements.measurements).forEach(([type, variants]) => { const downstreamVal = this.measurements.type(type).variant(variant).position("downstream").getCurrentValue();
Object.entries(variants).forEach(([variant, positions]) => { const upstreamVal = this.measurements.type(type).variant(variant).position("upstream").getCurrentValue();
Object.entries(positions).forEach(([position, measurement]) => {
output[`${type}.${variant}.${position}`] = measurement.getCurrentValue(); if (downstreamVal != null) {
}); output[`downstream_${variant}_${type}`] = downstreamVal;
}
if (upstreamVal != null) {
output[`upstream_${variant}_${type}`] = upstreamVal;
}
if (downstreamVal != null && upstreamVal != null) {
const diffVal = this.measurements.type(type).variant(variant).difference().value;
output[`differential_${variant}_${type}`] = diffVal;
}
}); });
}); });
@@ -728,7 +728,6 @@ _callMeasurementHandler(measurementType, value, position, context) {
output["cog"] = this.cog; // flow / power efficiency output["cog"] = this.cog; // flow / power efficiency
output["NCog"] = this.NCog; // normalized cog output["NCog"] = this.NCog; // normalized cog
output["NCogPercent"] = Math.round(this.NCog * 100 * 100) / 100 ; output["NCogPercent"] = Math.round(this.NCog * 100 * 100) / 100 ;
output["maintenanceTime"] = this.state.getMaintenanceTimeHours();
if(this.flowDrift != null){ if(this.flowDrift != null){
const flowDrift = this.flowDrift; const flowDrift = this.flowDrift;