Compare commits

..

6 Commits

Author SHA1 Message Date
znetsixe
0aa538c2c1 docs: add CLAUDE.md with S88 classification and superproject rule reference
References the flow-layout rule set in the EVOLV superproject
(.claude/rules/node-red-flow-layout.md) so Claude Code sessions working
in this repo know the S88 level, colour, and placement lane for this node.

Co-Authored-By: Claude Opus 4.6 (1M context) <noreply@anthropic.com>
2026-04-14 07:48:17 +02:00
Rene De Ren
1443ddad41 Expose output format selectors in editor 2026-03-12 16:39:25 +01:00
Rene De Ren
fd6e9beae9 Migrate _loadConfig to use ConfigManager.buildConfig()
Replaces manual base config construction with shared buildConfig() method.
Node now only specifies domain-specific config sections.

Part of #1: Extract base config schema

Co-Authored-By: Claude Opus 4.6 <noreply@anthropic.com>
2026-03-11 14:59:41 +01:00
znetsixe
5e1f3946bf updates 2026-03-11 11:13:11 +01:00
znetsixe
cbe868a148 update 2026-02-23 13:17:35 +01:00
znetsixe
7ea49b8bd9 before functional changes by codex 2026-02-19 17:37:54 +01:00
19 changed files with 1161 additions and 313 deletions

23
CLAUDE.md Normal file
View File

@@ -0,0 +1,23 @@
# valveGroupControl — Claude Code context
Coordinates multiple valve children.
Part of the [EVOLV](https://gitea.wbd-rd.nl/RnD/EVOLV) wastewater-automation platform.
## S88 classification
| Level | Colour | Placement lane |
|---|---|---|
| **Unit** | `#50a8d9` | L4 |
## Flow layout rules
When wiring this node into a multi-node demo or production flow, follow the
placement rule set in the **EVOLV superproject**:
> `.claude/rules/node-red-flow-layout.md` (in the EVOLV repo root)
Key points for this node:
- Place on lane **L4** (x-position per the lane table in the rule).
- Stack same-level siblings vertically.
- Parent/children sit on adjacent lanes (children one lane left, parent one lane right).
- Wrap in a Node-RED group box coloured `#50a8d9` (Unit).

8
examples/README.md Normal file
View File

@@ -0,0 +1,8 @@
# valveGroupControl Example Flows
Import-ready Node-RED examples for valveGroupControl.
## Files
- basic.flow.json
- integration.flow.json
- edge.flow.json

6
examples/basic.flow.json Normal file
View File

@@ -0,0 +1,6 @@
[
{"id":"valveGroupControl_basic_tab","type":"tab","label":"valveGroupControl basic","disabled":false,"info":"valveGroupControl basic example"},
{"id":"valveGroupControl_basic_node","type":"valveGroupControl","z":"valveGroupControl_basic_tab","name":"valveGroupControl basic","x":420,"y":180,"wires":[["valveGroupControl_basic_dbg"]]},
{"id":"valveGroupControl_basic_inj","type":"inject","z":"valveGroupControl_basic_tab","name":"basic trigger","props":[{"p":"topic","vt":"str"},{"p":"payload","vt":"str"}],"topic":"ping","payload":"1","payloadType":"str","x":160,"y":180,"wires":[["valveGroupControl_basic_node"]]},
{"id":"valveGroupControl_basic_dbg","type":"debug","z":"valveGroupControl_basic_tab","name":"valveGroupControl basic debug","active":true,"tosidebar":true,"console":false,"tostatus":false,"complete":"true","targetType":"full","x":660,"y":180,"wires":[]}
]

6
examples/edge.flow.json Normal file
View File

@@ -0,0 +1,6 @@
[
{"id":"valveGroupControl_edge_tab","type":"tab","label":"valveGroupControl edge","disabled":false,"info":"valveGroupControl edge example"},
{"id":"valveGroupControl_edge_node","type":"valveGroupControl","z":"valveGroupControl_edge_tab","name":"valveGroupControl edge","x":420,"y":180,"wires":[["valveGroupControl_edge_dbg"]]},
{"id":"valveGroupControl_edge_inj","type":"inject","z":"valveGroupControl_edge_tab","name":"unknown topic","props":[{"p":"topic","vt":"str"},{"p":"payload","vt":"str"}],"topic":"doesNotExist","payload":"x","payloadType":"str","x":170,"y":180,"wires":[["valveGroupControl_edge_node"]]},
{"id":"valveGroupControl_edge_dbg","type":"debug","z":"valveGroupControl_edge_tab","name":"valveGroupControl edge debug","active":true,"tosidebar":true,"console":false,"tostatus":false,"complete":"true","targetType":"full","x":660,"y":180,"wires":[]}
]

View File

@@ -0,0 +1,6 @@
[
{"id":"valveGroupControl_int_tab","type":"tab","label":"valveGroupControl integration","disabled":false,"info":"valveGroupControl integration example"},
{"id":"valveGroupControl_int_node","type":"valveGroupControl","z":"valveGroupControl_int_tab","name":"valveGroupControl integration","x":420,"y":180,"wires":[["valveGroupControl_int_dbg"]]},
{"id":"valveGroupControl_int_inj","type":"inject","z":"valveGroupControl_int_tab","name":"registerChild","props":[{"p":"topic","vt":"str"},{"p":"payload","vt":"str"}],"topic":"registerChild","payload":"example-child-id","payloadType":"str","x":170,"y":180,"wires":[["valveGroupControl_int_node"]]},
{"id":"valveGroupControl_int_dbg","type":"debug","z":"valveGroupControl_int_tab","name":"valveGroupControl integration debug","active":true,"tosidebar":true,"console":false,"tostatus":false,"complete":"true","targetType":"full","x":680,"y":180,"wires":[]}
]

View File

@@ -4,7 +4,7 @@
"description": "Valve group control module", "description": "Valve group control module",
"main": "valveGroupControl.js", "main": "valveGroupControl.js",
"scripts": { "scripts": {
"test": "node valveGroupControl.js" "test": "node --test test/basic/*.test.js test/integration/*.test.js test/edge/*.test.js"
}, },
"repository": { "repository": {
"type": "git", "type": "git",

View File

@@ -1,4 +1,4 @@
const { outputUtils, configManager } = require("generalFunctions"); const { outputUtils, configManager, convert } = require("generalFunctions");
const Specific = require("./specificClass"); const Specific = require("./specificClass");
class nodeClass { class nodeClass {
@@ -18,6 +18,7 @@ class nodeClass {
// Load default & UI config // Load default & UI config
this._loadConfig(uiConfig, this.node); this._loadConfig(uiConfig, this.node);
this._reconcileIntervalMs = this._resolveReconcileIntervalMs(uiConfig);
// Instantiate core Measurement class // Instantiate core Measurement class
this._setupSpecificClass(); this._setupSpecificClass();
@@ -38,48 +39,55 @@ class nodeClass {
const cfgMgr = new configManager(); const cfgMgr = new configManager();
this.defaultConfig = cfgMgr.getConfig(this.name); this.defaultConfig = cfgMgr.getConfig(this.name);
// Merge UI config over defaults // Resolve flow unit with validation before building config
this.config = { const flowUnit = this._resolveUnitOrFallback(uiConfig.unit, 'volumeFlowRate', 'm3/h', 'flow');
general: { const resolvedUiConfig = { ...uiConfig, unit: flowUnit };
name: uiConfig.name,
id: node.id, // node.id is for the child registration process // Build config: base sections (no domain-specific config for group controller)
unit: uiConfig.unit, // add converter options later to convert to default units (need like a model that defines this which units we are going to use and then conver to those standards) this.config = cfgMgr.buildConfig(this.name, resolvedUiConfig, node.id);
logging: {
enabled: uiConfig.enableLog,
logLevel: uiConfig.logLevel,
},
},
functionality: {
positionVsParent: uiConfig.positionVsParent || "atEquipment", // Default to 'atEquipment' if not set
},
};
// Utility for formatting outputs // Utility for formatting outputs
this._output = new outputUtils(); this._output = new outputUtils();
} }
_resolveUnitOrFallback(candidate, expectedMeasure, fallbackUnit, label) {
const raw = typeof candidate === "string" ? candidate.trim() : "";
const fallback = String(fallbackUnit || "").trim();
if (!raw) {
return fallback;
}
try {
const desc = convert().describe(raw);
if (expectedMeasure && desc.measure !== expectedMeasure) {
throw new Error(`expected '${expectedMeasure}' but got '${desc.measure}'`);
}
return raw;
} catch (error) {
this.node?.warn?.(`Invalid ${label} unit '${raw}' (${error.message}). Falling back to '${fallback}'.`);
return fallback;
}
}
_resolveReconcileIntervalMs(uiConfig) {
const raw = Number(
uiConfig?.reconcileIntervalSeconds
?? uiConfig?.reconcileIntervalSec
?? uiConfig?.reconcileEverySeconds
?? 1
);
const sec = Number.isFinite(raw) && raw > 0 ? raw : 1;
return Math.max(100, Math.round(sec * 1000));
}
_updateNodeStatus() { _updateNodeStatus() {
const vg = this.source; const vg = this.source;
const mode = vg.mode; const mode = vg.currentMode;
const scaling = vg.scaling; const flowUnit = vg?.unitPolicy?.output?.flow || this.config.general.unit || "m3/h";
const totalFlow = const measuredFlow = vg.measurements.type("flow").variant("measured").position("atEquipment").getCurrentValue(flowUnit);
Math.round( const predictedFlow = vg.measurements.type("flow").variant("predicted").position("atEquipment").getCurrentValue(flowUnit);
vg.measurements const totalFlowRaw = Number.isFinite(measuredFlow) ? measuredFlow : predictedFlow;
.type("flow") const totalFlow = Number.isFinite(totalFlowRaw) ? Math.round(totalFlowRaw) : 0;
.variant("measured") const availableValves = Array.isArray(vg.getAvailableValves?.()) ? vg.getAvailableValves() : [];
.position("downstream")
.getCurrentValue() * 1
) / 1;
// Calculate total capacity based on available valves
const availableValves = Object.values(vg.valves).filter((valve) => {
const state = valve.state.getCurrentState();
const mode = valve.currentMode;
return !(
state === "off" ||
state === "maintenance" ||
mode === "maintenance"
);
});
// const totalCapacity = Math.round(vg.dynamicTotals.flow.max * 1) / 1; ADD LATER? // const totalCapacity = Math.round(vg.dynamicTotals.flow.max * 1) / 1; ADD LATER?
@@ -91,7 +99,7 @@ class nodeClass {
// Generate status text in a single line // Generate status text in a single line
const text = ` ${mode} | 💨=${totalFlow} | ${status}`; const text = `${mode} | flow=${totalFlow} ${flowUnit} | ${status}`;
return { return {
fill: availableValves.length > 0 ? "green" : "red", fill: availableValves.length > 0 ? "green" : "red",
@@ -139,7 +147,7 @@ class nodeClass {
*/ */
_startTickLoop() { _startTickLoop() {
setTimeout(() => { setTimeout(() => {
this._tickInterval = setInterval(() => this._tick(), 1000); this._tickInterval = setInterval(() => this._tick(), this._reconcileIntervalMs);
// Update node status on nodered screen every second ( this is not the best way to do this, but it works for now) // Update node status on nodered screen every second ( this is not the best way to do this, but it works for now)
this._statusInterval = setInterval(() => { this._statusInterval = setInterval(() => {
const status = this._updateNodeStatus(); const status = this._updateNodeStatus();
@@ -152,6 +160,9 @@ class nodeClass {
* Execute a single tick: update measurement, format and send outputs. * Execute a single tick: update measurement, format and send outputs.
*/ */
_tick() { _tick() {
if (typeof this.source?.calcValveFlows === 'function') {
this.source.calcValveFlows();
}
const raw = this.source.getOutput(); const raw = this.source.getOutput();
const processMsg = this._output.formatMsg(raw, this.config, "process"); const processMsg = this._output.formatMsg(raw, this.config, "process");
const influxMsg = this._output.formatMsg(raw, this.config, "influxdb"); const influxMsg = this._output.formatMsg(raw, this.config, "influxdb");
@@ -167,39 +178,67 @@ class nodeClass {
this.node.on( this.node.on(
"input", "input",
async (msg, send, done) => { async (msg, send, done) => {
const vg = this.source; const vg = this.source;
const RED = this.RED; const RED = this.RED;
try {
switch (msg.topic) { switch (msg.topic) {
case "registerChild": case "registerChild": {
//console.log(`Registering child in mgc: ${msg.payload}`);
const childId = msg.payload; const childId = msg.payload;
const childObj = RED.nodes.getNode(childId); const childObj = RED.nodes.getNode(childId);
vg.childRegistrationUtils.registerChild( if (!childObj || !childObj.source) {
childObj.source, vg.logger.warn(`registerChild skipped: missing child/source for id=${childId}`);
msg.positionVsParent break;
); }
vg.childRegistrationUtils.registerChild(childObj.source, msg.positionVsParent);
break; break;
}
case 'setMode': case 'setMode':
vg.setMode(msg.payload); vg.setMode(msg.payload);
break; break;
case 'execSequence': case 'setReconcileInterval': {
const nextSec = Number(msg.payload);
if (!Number.isFinite(nextSec) || nextSec <= 0) {
vg.logger.warn(`Invalid reconcile interval payload '${msg.payload}'. Expected seconds > 0.`);
break;
}
this._reconcileIntervalMs = Math.max(100, Math.round(nextSec * 1000));
clearInterval(this._tickInterval);
this._tickInterval = setInterval(() => this._tick(), this._reconcileIntervalMs);
vg.logger.info(`Flow reconciliation interval updated to ${nextSec}s (${this._reconcileIntervalMs}ms).`);
break;
}
case 'execSequence': {
const { source: seqSource, action: seqAction, parameter } = msg.payload; const { source: seqSource, action: seqAction, parameter } = msg.payload;
vg.handleInput(seqSource, seqAction, parameter); vg.handleInput(seqSource, seqAction, parameter);
break; break;
}
case 'totalFlowChange': // een van valves is van stand veranderd waardoor total flow is veranderd case 'totalFlowChange': {
const { source: tfcSource, action: tfcAction, q} = msg.payload; const payload = msg.payload || {};
vg.handleInput(tfcSource, tfcAction, Number(q)); if (payload && typeof payload === "object" && Object.prototype.hasOwnProperty.call(payload, "source")) {
const tfcSource = payload.source || "parent";
const tfcAction = payload.action || "totalFlowChange";
vg.handleInput(tfcSource, tfcAction, payload);
} else {
vg.handleInput("parent", "totalFlowChange", payload);
}
break; break;
}
case 'emergencystop':
case 'emergencyStop': {
const payload = msg.payload || {};
const esSource = payload.source || "parent";
vg.handleInput(esSource, "emergencystop");
break;
}
default: default:
// Handle unknown topics if needed
vg.logger.warn(`Unknown topic: ${msg.topic}`); vg.logger.warn(`Unknown topic: ${msg.topic}`);
break; break;
} }
done(); } catch (error) {
vg.logger.error(`Input handler failure: ${error.message}`);
} }
if (typeof done === 'function') done();
}
); );
} }
@@ -210,7 +249,8 @@ class nodeClass {
this.node.on("close", (done) => { this.node.on("close", (done) => {
clearInterval(this._tickInterval); clearInterval(this._tickInterval);
clearInterval(this._statusInterval); clearInterval(this._statusInterval);
done(); this.source?.destroy?.();
if (typeof done === 'function') done();
}); });
} }
} }

File diff suppressed because it is too large Load Diff

12
test/README.md Normal file
View File

@@ -0,0 +1,12 @@
# valveGroupControl Test Suite Layout
Required EVOLV layout:
- basic/
- integration/
- edge/
- helpers/
Baseline structure tests:
- basic/structure-module-load.basic.test.js
- integration/structure-examples.integration.test.js
- edge/structure-examples-node-type.edge.test.js

0
test/basic/.gitkeep Normal file
View File

View File

@@ -0,0 +1,8 @@
const test = require('node:test');
const assert = require('node:assert/strict');
test('valveGroupControl module load smoke', () => {
assert.doesNotThrow(() => {
require('../../vgc.js');
});
});

0
test/edge/.gitkeep Normal file
View File

View File

@@ -0,0 +1,11 @@
const test = require('node:test');
const assert = require('node:assert/strict');
const fs = require('node:fs');
const path = require('node:path');
const flow = JSON.parse(fs.readFileSync(path.resolve(__dirname, '../../examples/basic.flow.json'), 'utf8'));
test('basic example includes node type valveGroupControl', () => {
const count = flow.filter((n) => n && n.type === 'valveGroupControl').length;
assert.equal(count >= 1, true);
});

0
test/helpers/.gitkeep Normal file
View File

View File

View File

@@ -0,0 +1,93 @@
const test = require('node:test');
const assert = require('node:assert/strict');
const Valve = require('../../../valve/src/specificClass');
const ValveGroupControl = require('../../src/specificClass');
function buildValve(name) {
return new Valve(
{
general: {
name,
logging: { enabled: false, logLevel: 'error' },
},
asset: {
supplier: 'binder',
category: 'valve',
type: 'control',
model: 'ECDV',
unit: 'm3/h',
},
functionality: {
positionVsParent: 'atEquipment',
},
},
{
general: {
logging: { enabled: false, logLevel: 'error' },
},
movement: { speed: 1 },
time: { starting: 0, warmingup: 0, stopping: 0, coolingdown: 0 },
}
);
}
function primeValve(valve, position) {
valve.updatePressure('measured', 500, 'downstream', 'mbar');
valve.updateFlow('predicted', 100, 'downstream', 'm3/h');
valve.state.movementManager.currentPosition = position;
valve.updatePosition();
}
function buildGroup() {
return new ValveGroupControl({
general: {
name: 'vgc-test',
logging: { enabled: false, logLevel: 'error' },
unit: 'm3/h',
},
functionality: {
positionVsParent: 'atEquipment',
},
});
}
test('valveGroupControl distributes total flow according to supplier-curve Kv and keeps roundtrip balance', async () => {
const valve1 = buildValve('valve-1');
const valve2 = buildValve('valve-2');
primeValve(valve1, 50);
primeValve(valve2, 80);
const group = buildGroup();
assert.equal(await group.childRegistrationUtils.registerChild(valve1, 'atEquipment'), true);
assert.equal(await group.childRegistrationUtils.registerChild(valve2, 'atEquipment'), true);
group.updateFlow('measured', 1000, 'atEquipment', 'm3/h');
const q1 = valve1.measurements.type('flow').variant('predicted').position('downstream').getCurrentValue('m3/h');
const q2 = valve2.measurements.type('flow').variant('predicted').position('downstream').getCurrentValue('m3/h');
const distributedTotal = q1 + q2;
assert.ok(Math.abs(distributedTotal - 1000) < 0.001, `distributed flow mismatch: ${distributedTotal}`);
const expectedRatio = valve1.kv / (valve1.kv + valve2.kv);
const actualRatio = q1 / (q1 + q2);
assert.ok(Math.abs(expectedRatio - actualRatio) < 0.001, `expected ratio ${expectedRatio}, got ${actualRatio}`);
const expectedMaxDeltaP = Math.max(
valve1.measurements.type('pressure').variant('predicted').position('delta').getCurrentValue('mbar'),
valve2.measurements.type('pressure').variant('predicted').position('delta').getCurrentValue('mbar')
);
assert.ok(Math.abs(group.maxDeltaP - expectedMaxDeltaP) < 0.001, `expected max deltaP ${expectedMaxDeltaP}, got ${group.maxDeltaP}`);
group.destroy();
valve1.destroy();
valve2.destroy();
});
test('valveGroupControl rejects non-valve-like child payload', () => {
const group = buildGroup();
const result = group.registerChild({ config: { functionality: { softwareType: 'valve' } } }, 'atEquipment');
assert.equal(result, false);
assert.equal(Object.keys(group.valves).length, 0);
group.destroy();
});

View File

@@ -0,0 +1,149 @@
const test = require('node:test');
const assert = require('node:assert/strict');
const EventEmitter = require('events');
const Valve = require('../../../valve/src/specificClass');
const ValveGroupControl = require('../../src/specificClass');
function buildValve({ runtimeOptions = {} } = {}) {
return new Valve(
{
general: {
name: 'valve-topology-test',
logging: { enabled: false, logLevel: 'error' },
},
asset: {
supplier: 'binder',
category: 'valve',
type: 'control',
model: 'ECDV',
unit: 'm3/h',
},
functionality: {
positionVsParent: 'atEquipment',
},
},
{
general: {
logging: { enabled: false, logLevel: 'error' },
},
movement: { speed: 1 },
time: { starting: 0, warmingup: 0, stopping: 0, coolingdown: 0 },
},
runtimeOptions
);
}
function buildGroup() {
return new ValveGroupControl({
general: {
name: 'vgc-source-test',
logging: { enabled: false, logLevel: 'error' },
unit: 'm3/h',
},
functionality: {
positionVsParent: 'atEquipment',
},
});
}
function buildSource({
id,
softwareType,
serviceType = null,
status = 'resolved',
}) {
const emitter = new EventEmitter();
let contract = { status, serviceType };
return {
emitter,
config: {
general: { id, name: id },
functionality: { softwareType },
asset: {
serviceType: serviceType || undefined,
},
},
measurements: {
emitter: new EventEmitter(),
},
getFluidContract() {
return { ...contract };
},
setFluidContract(next) {
contract = { ...contract, ...next };
},
};
}
test('valveGroupControl accepts machine source and syncs upstream flow events', () => {
const group = buildGroup();
const machine = buildSource({
id: 'machine-1',
softwareType: 'machine',
serviceType: 'liquid',
});
assert.equal(group.registerChild(machine, 'machine'), true);
machine.measurements.emitter.emit('flow.measured.downstream', {
value: 150,
unit: 'm3/h',
});
const totalMeasuredFlow = group.measurements
.type('flow')
.variant('measured')
.position('atEquipment')
.getCurrentValue('m3/h');
assert.ok(Math.abs(totalMeasuredFlow - 150) < 1e-9);
const contract = group.getFluidContract();
assert.equal(contract.status, 'resolved');
assert.equal(contract.serviceType, 'liquid');
group.destroy();
});
test('valveGroupControl exposes conflict when upstream sources mix fluid contracts', () => {
const group = buildGroup();
const machineLiquid = buildSource({
id: 'machine-liquid',
softwareType: 'machine',
serviceType: 'liquid',
});
const machineGas = buildSource({
id: 'machine-gas',
softwareType: 'machine',
serviceType: 'gas',
});
assert.equal(group.registerChild(machineLiquid, 'machine'), true);
assert.equal(group.registerChild(machineGas, 'machine'), true);
const contract = group.getFluidContract();
assert.equal(contract.status, 'conflict');
assert.deepEqual(new Set(contract.upstreamServiceTypes), new Set(['liquid', 'gas']));
group.destroy();
});
test('valve can validate fluid contract propagated by valveGroupControl', () => {
const group = buildGroup();
const machine = buildSource({
id: 'machine-1',
softwareType: 'machine',
serviceType: 'liquid',
});
const valve = buildValve({ runtimeOptions: { serviceType: 'gas' } });
assert.equal(group.registerChild(machine, 'machine'), true);
assert.equal(valve.registerChild(group, 'valvegroupcontrol'), true);
const compatibility = valve.getFluidCompatibility();
assert.equal(compatibility.status, 'mismatch');
assert.equal(compatibility.expectedServiceType, 'gas');
assert.equal(compatibility.receivedServiceType, 'liquid');
valve.destroy();
group.destroy();
});

View File

@@ -0,0 +1,23 @@
const test = require('node:test');
const assert = require('node:assert/strict');
const fs = require('node:fs');
const path = require('node:path');
const dir = path.resolve(__dirname, '../../examples');
function loadJson(file) {
return JSON.parse(fs.readFileSync(path.join(dir, file), 'utf8'));
}
test('examples package exists for valveGroupControl', () => {
for (const file of ['README.md', 'basic.flow.json', 'integration.flow.json', 'edge.flow.json']) {
assert.equal(fs.existsSync(path.join(dir, file)), true, file + ' missing');
}
});
test('example flows are parseable arrays for valveGroupControl', () => {
for (const file of ['basic.flow.json', 'integration.flow.json', 'edge.flow.json']) {
const parsed = loadJson(file);
assert.equal(Array.isArray(parsed), true);
}
});

View File

@@ -18,6 +18,8 @@
defaults: { defaults: {
// Define default properties // Define default properties
name: { value: "" }, name: { value: "" },
processOutputFormat: { value: "process" },
dbaseOutputFormat: { value: "influxdb" },
// Logger properties // Logger properties
enableLog: { value: false }, enableLog: { value: false },
@@ -38,7 +40,7 @@
icon: "font-awesome/fa-tasks", icon: "font-awesome/fa-tasks",
label: function () { label: function () {
return this.positionIcon + " " + "valveGroupControl"; return (this.positionIcon || "") + " valveGroupControl";
}, },
oneditprepare: function() { oneditprepare: function() {
// Initialize the menu data for the node // Initialize the menu data for the node
@@ -55,6 +57,7 @@
}, },
oneditsave: function(){ oneditsave: function(){
const node = this; const node = this;
let success = true;
// Validate logger properties using the logger menu // Validate logger properties using the logger menu
if (window.EVOLV?.nodes?.valveGroupControl?.loggerMenu?.saveEditor) { if (window.EVOLV?.nodes?.valveGroupControl?.loggerMenu?.saveEditor) {
@@ -65,6 +68,8 @@
if (window.EVOLV?.nodes?.valveGroupControl?.positionMenu?.saveEditor) { if (window.EVOLV?.nodes?.valveGroupControl?.positionMenu?.saveEditor) {
window.EVOLV.nodes.valveGroupControl.positionMenu.saveEditor(this); window.EVOLV.nodes.valveGroupControl.positionMenu.saveEditor(this);
} }
return success;
} }
}); });
@@ -73,6 +78,24 @@
<script type="text/html" data-template-name="valveGroupControl"> <script type="text/html" data-template-name="valveGroupControl">
<h3>Output Formats</h3>
<div class="form-row">
<label for="node-input-processOutputFormat"><i class="fa fa-random"></i> Process Output</label>
<select id="node-input-processOutputFormat" style="width:60%;">
<option value="process">process</option>
<option value="json">json</option>
<option value="csv">csv</option>
</select>
</div>
<div class="form-row">
<label for="node-input-dbaseOutputFormat"><i class="fa fa-database"></i> Database Output</label>
<select id="node-input-dbaseOutputFormat" style="width:60%;">
<option value="influxdb">influxdb</option>
<option value="json">json</option>
<option value="csv">csv</option>
</select>
</div>
<!-- Logger fields injected here --> <!-- Logger fields injected here -->
<div id="logger-fields-placeholder"></div> <div id="logger-fields-placeholder"></div>