|
123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596 |
- // Licensed under the MIT license, see LICENSE file.
- // Author: Per Malmberg (https://github.com/PerMalmberg)
- module.exports = function(RED) {
- function BooleanLogic(config) {
- RED.nodes.createNode(this,config);
- this.config = config;
- this.state = {};
- var node = this;
- var NodeHelper = require('./NodeHelper.js');
- var h = new NodeHelper( node );
-
- this.on('input', function(msg) {
- var topic = msg.topic;
- var payload = msg.payload;
-
- if( topic !== undefined && payload !== undefined ) {
- var value = h.ToBoolean( payload );
- var state = node.state;
-
- state[topic] = value;
-
- // Do we have as many inputs as we expect?
- var keyCount = Object.keys(state).length;
-
- if( keyCount == node.config.inputCount ) {
- var res = CalculateResult();
-
- h.SetResult( res, node.config.topic );
- }
- else if(keyCount > node.config.inputCount ) {
- node.warn(
- (node.config.name !== undefined && node.config.name.length > 0
- ? node.config.name : "BooleanLogic")
- + " [" + node.config.operation + "]: More than the specified "
- + node.config.inputCount + " topics received, resetting. Will not output new value until " + node.config.inputCount + " new topics have been received.");
- node.state = {};
- h.DisplayUnkownStatus();
- }
- }
- });
-
- function CalculateResult() {
- var res;
-
- if( node.config.operation == "XOR") {
- res = PerformXOR();
- }
- else {
- // We need a starting value to perform AND and OR operations.
- var keys = Object.keys(node.state);
- res = node.state[keys[0]];
-
- for( var i = 1; i < keys.length; ++i ) {
- var key = keys[i];
- res = PerformSimpleOperation( node.config.operation, res, node.state[key] );
- }
- }
-
- return res;
- }
-
- function PerformXOR()
- {
- // XOR = exclusively one input is true. As such, we just count the number of true values and compare to 1.
- var trueCount = 0;
-
- for( var key in node.state ) {
- if( node.state[key] ) {
- trueCount++;
- }
- }
-
- return trueCount == 1;
- }
-
- function PerformSimpleOperation( operation, val1, val2 ) {
- var res;
-
- if( operation === "AND" ) {
- res = val1 && val2;
- }
- else if( operation === "OR" ) {
- res = val1 || val2;
- }
- else {
- node.error( "Unknown operation: " + operation );
- }
-
- return res;
- }
-
- h.DisplayUnkownStatus();
- }
-
- RED.nodes.registerType("BooleanLogic",BooleanLogic);
- }
|