UNPKG

node-opcua-server

Version:

pure nodejs OPCUA SDK - module server

1,215 lines (1,064 loc) 57.1 kB
/** * @module node-opcua-server */ import { EventEmitter } from "events"; import chalk from "chalk"; import { assert } from "node-opcua-assert"; import { ISessionContext, UAMethod, UAObject } from "node-opcua-address-space-base"; import { BaseNode, IEventData, makeAttributeEventName, SessionContext, UAVariable, AddressSpace } from "node-opcua-address-space"; import { extractEventFields } from "node-opcua-service-filter"; import { DateTime, UInt32 } from "node-opcua-basic-types"; import { NodeClass, QualifiedNameOptions } from "node-opcua-data-model"; import { AttributeIds } from "node-opcua-data-model"; import { apply_timestamps, DataValue, extractRange, sameDataValue, coerceTimestampsToReturn, sameStatusCode } from "node-opcua-data-value"; import { checkDebugFlag, make_debugLog, make_errorLog, make_warningLog } from "node-opcua-debug"; import { ExtensionObject } from "node-opcua-extension-object"; import { NodeId } from "node-opcua-nodeid"; import { NumericalRange0, NumericRange } from "node-opcua-numeric-range"; import { ObjectRegistry } from "node-opcua-object-registry"; import { EventFilter } from "node-opcua-service-filter"; import { ReadValueId, TimestampsToReturn } from "node-opcua-service-read"; import { MonitoredItemModifyResult, MonitoredItemNotification, MonitoringMode, MonitoringParameters } from "node-opcua-service-subscription"; import { DataChangeFilter, DataChangeTrigger, DeadbandType, isOutsideDeadbandAbsolute, isOutsideDeadbandNone, isOutsideDeadbandPercent, PseudoRange } from "node-opcua-service-subscription"; import { CallbackT, StatusCode, StatusCodes } from "node-opcua-status-code"; import { DataChangeNotification, EventFieldList, EventNotificationList, MonitoringFilter, ReadValueIdOptions, SimpleAttributeOperand, SubscriptionDiagnosticsDataType } from "node-opcua-types"; import { sameVariant, Variant, VariantArrayType } from "node-opcua-variant"; import { appendToTimer, removeFromTimer } from "./node_sampler"; import { validateFilter } from "./validate_filter"; import { checkWhereClauseOnAdressSpace as checkWhereClauseOnAddressSpace } from "./filter/check_where_clause_on_address_space"; import { SamplingFunc } from "./sampling_func"; import { MonitoredItemBase } from "./server_subscription"; const errorLog = make_errorLog(__filename); export type QueueItem = MonitoredItemNotification | EventFieldList; const defaultItemToMonitor: ReadValueIdOptions = new ReadValueId({ attributeId: AttributeIds.Value, indexRange: undefined }); const debugLog = make_debugLog(__filename); const doDebug = checkDebugFlag(__filename); const doDebug2 = doDebug && false; const warningLog = make_warningLog(__filename); function _adjust_sampling_interval(samplingInterval: number, node_minimumSamplingInterval: number): number { assert(typeof node_minimumSamplingInterval === "number", "expecting a number"); if (samplingInterval === 0) { return node_minimumSamplingInterval === 0 ? samplingInterval : Math.max(MonitoredItem.minimumSamplingInterval, node_minimumSamplingInterval); } assert(samplingInterval >= 0, " this case should have been prevented outside"); samplingInterval = samplingInterval || MonitoredItem.defaultSamplingInterval; samplingInterval = Math.max(samplingInterval, MonitoredItem.minimumSamplingInterval); samplingInterval = Math.min(samplingInterval, MonitoredItem.maximumSamplingInterval); samplingInterval = node_minimumSamplingInterval === 0 ? samplingInterval : Math.max(samplingInterval, node_minimumSamplingInterval); return samplingInterval; } const maxQueueSize = 5000; function _adjust_queue_size(queueSize: number): number { queueSize = Math.min(queueSize, maxQueueSize); queueSize = Math.max(1, queueSize); return queueSize; } function _validate_parameters(monitoringParameters: any) { // xx assert(options instanceof MonitoringParameters); assert(Object.prototype.hasOwnProperty.call(monitoringParameters, "clientHandle")); assert(Object.prototype.hasOwnProperty.call(monitoringParameters, "samplingInterval")); assert(isFinite(monitoringParameters.clientHandle)); assert(isFinite(monitoringParameters.samplingInterval)); assert(typeof monitoringParameters.discardOldest === "boolean"); assert(isFinite(monitoringParameters.queueSize)); assert(monitoringParameters.queueSize >= 0); } function statusCodeHasChanged(newDataValue: DataValue, oldDataValue: DataValue): boolean { assert(newDataValue instanceof DataValue); assert(oldDataValue instanceof DataValue); return newDataValue.statusCode.value !== oldDataValue.statusCode.value; } function valueHasChanged( this: MonitoredItem, newDataValue: DataValue, oldDataValue: DataValue, deadbandType: DeadbandType, deadbandValue: number ): boolean { assert(newDataValue instanceof DataValue); assert(oldDataValue instanceof DataValue); switch (deadbandType) { case DeadbandType.None: assert(newDataValue.value instanceof Variant); assert(newDataValue.value instanceof Variant); // No Deadband calculation should be applied. return isOutsideDeadbandNone(oldDataValue.value, newDataValue.value); case DeadbandType.Absolute: // AbsoluteDeadband return isOutsideDeadbandAbsolute(oldDataValue.value, newDataValue.value, deadbandValue); default: { // Percent_2 PercentDeadband (This type is specified in Part 8). assert(deadbandType === DeadbandType.Percent); // The range of the deadbandValue is from 0.0 to 100.0 Percent. assert(deadbandValue >= 0 && deadbandValue <= 100); // DeadbandType = PercentDeadband // For this type of deadband the deadbandValue is defined as the percentage of the EURange. That is, // it applies only to AnalogItems with an EURange Property that defines the typical value range for the // item. This range shall be multiplied with the deadbandValue and then compared to the actual value change // to determine the need for a data change notification. The following pseudo code shows how the deadband // is calculated: // DataChange if (absolute value of (last cached value - current value) > // (deadbandValue/100.0) * ((high-low) of EURange))) // // StatusCode BadDeadbandFilterInvalid (see Table 27). // If the Value of the MonitoredItem is an array, then the deadband calculation logic shall be applied to // each element of the array. If an element that requires a DataChange is found, then no further // deadband checking is necessary and the entire array shall be returned. assert(this.node !== null, "expecting a valid address_space object here to get access the the EURange"); const euRangeNode = this.node!.getChildByName("EURange") as UAVariable; if (euRangeNode && euRangeNode.nodeClass === NodeClass.Variable) { // double,double const rangeVariant = euRangeNode.readValue().value; return isOutsideDeadbandPercent( oldDataValue.value, newDataValue.value, deadbandValue, rangeVariant.value as PseudoRange ); } else { errorLog("EURange is not of type Variable"); } return true; } } } function timestampHasChanged(t1: DateTime, t2: DateTime): boolean { if (t1 || !t2 || t2 || !t1) { return true; } if (!t1 || !t2) { return false; } return (t1 as Date).getTime() !== (t2 as Date).getTime(); } function apply_dataChange_filter(this: MonitoredItem, newDataValue: DataValue, oldDataValue: DataValue): boolean { /* istanbul ignore next */ if (!this.filter || !(this.filter instanceof DataChangeFilter)) { throw new Error("Internal Error"); } const trigger = this.filter.trigger; // istanbul ignore next if (doDebug) { try { debugLog("filter pass ?", DataChangeTrigger[trigger], this.oldDataValue?.toString(), newDataValue.toString()); if ( trigger === DataChangeTrigger.Status || trigger === DataChangeTrigger.StatusValue || trigger === DataChangeTrigger.StatusValueTimestamp ) { debugLog("statusCodeHasChanged ", statusCodeHasChanged(newDataValue, oldDataValue)); } if (trigger === DataChangeTrigger.StatusValue || trigger === DataChangeTrigger.StatusValueTimestamp) { debugLog( "valueHasChanged ", valueHasChanged.call(this, newDataValue, oldDataValue, this.filter!.deadbandType, this.filter!.deadbandValue) ); } if (trigger === DataChangeTrigger.StatusValueTimestamp) { debugLog("timestampHasChanged ", timestampHasChanged(newDataValue.sourceTimestamp, oldDataValue.sourceTimestamp)); } } catch (err) { warningLog(err); } } switch (trigger) { case DataChangeTrigger.Status: { // // Status // Report a notification ONLY if the StatusCode associated with // the value changes. See Table 166 for StatusCodes defined in // this standard. Part 8 specifies additional StatusCodes that are // valid in particular for device data. return statusCodeHasChanged(newDataValue, oldDataValue); } case DataChangeTrigger.StatusValue: { // filtering value changes. // change. The Deadband filter can be used in addition for // Report a notification if either the StatusCode or the value // StatusValue // This is the default setting if no filter is set. return ( statusCodeHasChanged(newDataValue, oldDataValue) || valueHasChanged.call(this, newDataValue, oldDataValue, this.filter.deadbandType, this.filter.deadbandValue) ); } default: { // StatusValueTimestamp // Report a notification if either StatusCode, value or the // SourceTimestamp change. // // If a Deadband filter is specified,this trigger has the same behavior as STATUS_VALUE_1. // // If the DataChangeFilter is not applied to the monitored item, STATUS_VALUE_1 // is the default reporting behavior assert(trigger === DataChangeTrigger.StatusValueTimestamp); return ( timestampHasChanged(newDataValue.sourceTimestamp, oldDataValue.sourceTimestamp) || statusCodeHasChanged(newDataValue, oldDataValue) || valueHasChanged.call(this, newDataValue, oldDataValue, this.filter.deadbandType, this.filter.deadbandValue) ); } } } const s = (a: any) => JSON.stringify(a, null, " "); function safeGuardRegister(monitoredItem: MonitoredItem) { (monitoredItem.oldDataValue as any)._$monitoredItem = monitoredItem.node?.nodeId?.toString(); (monitoredItem as any)._$safeGuard = s((monitoredItem as any).oldDataValue); } function safeGuardVerify(monitoredItem: MonitoredItem) { if ((monitoredItem as any)._$safeGuard) { const verif = s(monitoredItem.oldDataValue || ""); if (verif !== (monitoredItem as any)._$safeGuard) { errorLog(verif, (monitoredItem as any)._$safeGuard); throw new Error("Internal error: DataValue has been altered !!!"); } } } function apply_filter(this: MonitoredItem, newDataValue: DataValue) { if (this.oldDataValue === badDataUnavailable) { return true; // keep } // istanbul ignore next doDebug && safeGuardVerify(this); if (this.filter instanceof DataChangeFilter) { return apply_dataChange_filter.call(this, newDataValue, this.oldDataValue); } else { // if filter not set, by default report changes to Status or Value only if (newDataValue.statusCode.value !== this.oldDataValue.statusCode.value) { return true; // Keep because statusCode has changed ... } return !sameVariant(newDataValue.value, this.oldDataValue.value); } } function setSemanticChangeBit(notification: QueueItem | DataValue): void { if (notification instanceof MonitoredItemNotification) { notification.value.statusCode = StatusCode.makeStatusCode( notification.value.statusCode || StatusCodes.Good, "SemanticChanged" ); } else if (notification instanceof DataValue) { notification.statusCode = StatusCode.makeStatusCode(notification.statusCode || StatusCodes.Good, "SemanticChanged"); } } const useCommonTimer = true; export interface MonitoredItemOptions extends MonitoringParameters { monitoringMode: MonitoringMode; /** * the monitoredItem Id assigned by the server to this monitoredItem. */ monitoredItemId: number; itemToMonitor?: ReadValueIdOptions; timestampsToReturn?: TimestampsToReturn; // MonitoringParameters filter: ExtensionObject | null; /** * if discardOldest === true, older items are removed from the queue when queue overflows */ discardOldest: boolean; /** * the size of the queue. */ queueSize: number; /** * the monitored item sampling interval .. */ samplingInterval: number; /** * the client handle */ clientHandle: number; } export interface BaseNode2 extends EventEmitter { nodeId: NodeId; browseName: QualifiedNameOptions; nodeClass: NodeClass; dataType: NodeId; addressSpace: any; readAttribute(context: SessionContext | null, attributeId: AttributeIds): DataValue; } type TimerKey = NodeJS.Timer; export interface IServerSession2 { sessionContext: ISessionContext; } export interface ISubscription { $session?: IServerSession2; subscriptionDiagnostics: SubscriptionDiagnosticsDataType; getMonitoredItem(monitoredItemId: number): MonitoredItem | null; } function isSourceNewerThan(a: DataValue, b?: DataValue): boolean { if (!b) { return true; } const at = a.sourceTimestamp?.getTime() || 0; const bt = b.sourceTimestamp?.getTime() || 0; if (at === bt) { return a.sourcePicoseconds > b.sourcePicoseconds; } return at > bt; } const badDataUnavailable = new DataValue({ statusCode: StatusCodes.BadDataUnavailable }); // unset initially /** * a server side monitored item * * - Once created, the MonitoredItem will raised an "samplingEvent" event every "samplingInterval" millisecond * until {{#crossLink "MonitoredItem/terminate:method"}}{{/crossLink}} is called. * * - It is up to the event receiver to call {{#crossLink "MonitoredItem/recordValue:method"}}{{/crossLink}}. * */ export class MonitoredItem extends EventEmitter implements MonitoredItemBase { public get node(): UAVariable | UAObject | UAMethod |null { return this._node; } public set node(someNode: UAVariable | UAObject | UAMethod | null) { throw new Error("Unexpected way to set node"); } public static registry = new ObjectRegistry(); public static minimumSamplingInterval = 50; // 50 ms as a minimum sampling interval public static defaultSamplingInterval = 1500; // 1500 ms as a default sampling interval public static maximumSamplingInterval = 1000 * 60 * 60; // 1 hour ! public samplingInterval = -1; public monitoredItemId: number; public overflow: boolean; public oldDataValue: DataValue; public monitoringMode: MonitoringMode; public timestampsToReturn: TimestampsToReturn; public itemToMonitor: any; public filter: MonitoringFilter | null; public discardOldest = true; public queueSize = 0; public clientHandle: UInt32; public $subscription?: ISubscription; public _samplingId?: NodeJS.Timeout | string; public samplingFunc: SamplingFunc | null = null; private _node: UAVariable | UAObject | UAMethod | null; public queue: QueueItem[]; private _semantic_version: number; private _is_sampling = false; private _on_opcua_event_received_callback: any; private _attribute_changed_callback: any; private _value_changed_callback: any; private _semantic_changed_callback: any; private _on_node_disposed_listener: any; private _linkedItems?: number[]; private _triggeredNotifications?: QueueItem[]; constructor(options: MonitoredItemOptions) { super(); assert(Object.prototype.hasOwnProperty.call(options, "monitoredItemId")); assert(!options.monitoringMode, "use setMonitoring mode explicitly to activate the monitored item"); options.itemToMonitor = options.itemToMonitor || defaultItemToMonitor; this._samplingId = undefined; this.clientHandle = 0; // invalid this.filter = null; this._set_parameters(options); this.monitoredItemId = options.monitoredItemId; // ( known as serverHandle) this.queue = []; this.overflow = false; this.oldDataValue = badDataUnavailable; // user has to call setMonitoringMode this.monitoringMode = MonitoringMode.Invalid; this.timestampsToReturn = coerceTimestampsToReturn(options.timestampsToReturn); this.itemToMonitor = options.itemToMonitor; this._node = null; this._semantic_version = 0; // istanbul ignore next if (doDebug) { debugLog("Monitoring ", options.itemToMonitor.toString()); } this._on_node_disposed_listener = null; MonitoredItem.registry.register(this); } public setNode(node: UAVariable | UAObject | UAMethod): void { assert(!this.node || this.node === node, "node already set"); this._node = node; this._semantic_version = (node as any).semantic_version; this._on_node_disposed_listener = () => this._on_node_disposed(this._node!); (this._node as BaseNode).on("dispose", this._on_node_disposed_listener); } public setMonitoringMode(monitoringMode: MonitoringMode): void { assert(monitoringMode !== MonitoringMode.Invalid); if (monitoringMode === this.monitoringMode) { // nothing to do return; } const old_monitoringMode = this.monitoringMode; this.monitoringMode = monitoringMode; if (this.monitoringMode === MonitoringMode.Disabled) { this._stop_sampling(); // OPCUA 1.03 part 4 : $5.12.4 // setting the mode to DISABLED causes all queued Notifications to be deleted this._empty_queue(); } else { assert(this.monitoringMode === MonitoringMode.Sampling || this.monitoringMode === MonitoringMode.Reporting); // OPCUA 1.03 part 4 : $5.12.1.3 // When a MonitoredItem is enabled (i.e. when the MonitoringMode is changed from DISABLED to // SAMPLING or REPORTING) or it is created in the enabled state, the Server shall report the first // sample as soon as possible and the time of this sample becomes the starting point for the next // sampling interval. const recordInitialValue = old_monitoringMode === MonitoringMode.Invalid || old_monitoringMode === MonitoringMode.Disabled; const installEventHandler = old_monitoringMode === MonitoringMode.Invalid; this._start_sampling(recordInitialValue); } } /** * Terminate the MonitoredItem. * This will stop the internal sampling timer. */ public terminate(): void { this._stop_sampling(); } public dispose(): void { // istanbul ignore next if (doDebug) { debugLog("DISPOSING MONITORED ITEM", this._node!.nodeId.toString()); } this._stop_sampling(); MonitoredItem.registry.unregister(this); if (this._on_node_disposed_listener) { this._node!.removeListener("dispose", this._on_node_disposed_listener); this._on_node_disposed_listener = null; } // x assert(this._samplingId === null,"Sampling Id must be null"); this.oldDataValue = badDataUnavailable; this.queue = []; this.itemToMonitor = null; this.filter = null; this.monitoredItemId = 0; this._node = null; this._semantic_version = 0; this.$subscription = undefined; this.removeAllListeners(); assert(!this._samplingId); assert(!this._value_changed_callback); assert(!this._semantic_changed_callback); assert(!this._attribute_changed_callback); assert(!this._on_opcua_event_received_callback); this._on_opcua_event_received_callback = null; this._attribute_changed_callback = null; this._semantic_changed_callback = null; this._on_opcua_event_received_callback = null; } public get isSampling(): boolean { return ( !!this._samplingId || typeof this._value_changed_callback === "function" || typeof this._attribute_changed_callback === "function" ); } public toString(): string { let str = ""; str += `monitored item nodeId : ${this.node?.nodeId.toString()} \n`; str += ` sampling interval : ${this.samplingInterval} \n`; str += ` monitoredItemId : ${this.monitoredItemId} \n`; return str; } /** * @param dataValue the whole dataValue * @param skipChangeTest indicates whether recordValue should not check that dataValue is really * different from previous one, ( by checking timestamps but also variant value) * @private * * Notes: * - recordValue can only be called within timer event * - for performance reason, dataValue may be a shared value with the underlying node, * therefore recordValue must clone the dataValue to make sure it retains a snapshot * of the contain at the time recordValue was called. * * return true if the value has been recorded, false if not. * * Value will not be recorded : * * if the range do not overlap * * is !skipChangeTest and value is equal to previous value * */ // eslint-disable-next-line complexity, max-statements public recordValue(dataValue: DataValue, skipChangeTest?: boolean, indexRange?: NumericRange): boolean { if (!this.itemToMonitor) { // we must have a valid itemToMonitor(have this monitoredItem been disposed already ?) // istanbul ignore next doDebug && debugLog("recordValue => Rejected", this.node?.browseName.toString(), " because no itemToMonitor"); return false; } if (dataValue === this.oldDataValue) { errorLog("recordValue expects different dataValue to be provided"); } doDebug && assert(!dataValue.value || dataValue.value.isValid(), "expecting a valid variant value"); const hasSemanticChanged = this.node && (this.node as any).semantic_version !== this._semantic_version; if (!hasSemanticChanged && indexRange && this.itemToMonitor.indexRange) { // we just ignore changes that do not fall within our range // ( unless semantic bit has changed ) if (!NumericRange.overlap(indexRange as NumericalRange0, this.itemToMonitor.indexRange)) { // istanbul ignore next doDebug && debugLog("recordValue => Rejected", this.node?.browseName.toString(), " because no range not overlap"); return false; // no overlap ! } } // extract the range that we are interested with dataValue = extractRange(dataValue, this.itemToMonitor.indexRange); // istanbul ignore next if (doDebug2) { debugLog( "MonitoredItem#recordValue", this.node!.nodeId.toString(), this.node!.browseName.toString(), " has Changed = ", !sameDataValue(dataValue, this.oldDataValue!), "skipChangeTest = ", skipChangeTest, "hasSemanticChanged = ", hasSemanticChanged ); } // if semantic has changed, value need to be enqueued regardless of other assumptions if (hasSemanticChanged) { debugLog("_enqueue_value => because hasSemanticChanged"); setSemanticChangeBit(dataValue); this._semantic_version = (this.node as UAVariable).semantic_version; this._enqueue_value(dataValue); // istanbul ignore next doDebug && debugLog("recordValue => OK ", this.node?.browseName.toString(), " because hasSemanticChanged"); return true; } const useIndexRange = this.itemToMonitor.indexRange && !this.itemToMonitor.indexRange.isEmpty(); if (!skipChangeTest) { const hasChanged = !sameDataValue(dataValue, this.oldDataValue!); if (!hasChanged) { // istanbul ignore next doDebug2 && debugLog( "recordValue => Rejected ", this.node?.browseName.toString(), " because !skipChangeTest && sameDataValue" ); return false; } } if (!skipChangeTest && !apply_filter.call(this, dataValue)) { // istanbul ignore next if (doDebug) { debugLog("recordValue => Rejected ", this.node?.browseName.toString(), " because apply_filter"); debugLog("current Value =>", this.oldDataValue?.toString()); debugLog("proposed Value =>", dataValue?.toString()); debugLog("proposed Value =>", dataValue == this.oldDataValue, dataValue.value === this.oldDataValue?.value); } return false; } if (useIndexRange) { // when an indexRange is provided , make sure that no record happens unless // extracted variant in the selected range has really changed. // istanbul ignore next if (doDebug) { debugLog("Current : ", this.oldDataValue?.toString()); debugLog("New : ", dataValue.toString()); debugLog("indexRange=", indexRange); } if (this.oldDataValue !== badDataUnavailable && sameVariant(dataValue.value, this.oldDataValue.value)) { // istanbul ignore next doDebug && debugLog("recordValue => Rejected ", this.node?.browseName.toString(), " because useIndexRange && sameVariant"); return false; } } // processTriggerItems this.triggerLinkedItems(); // store last value this._enqueue_value(dataValue); // istanbul ignore next doDebug && debugLog("recordValue => OK ", this.node?.browseName.toString()); return true; } public hasLinkItem(linkedMonitoredItemId: number): boolean { if (!this._linkedItems) { return false; } return this._linkedItems.findIndex((x) => x === linkedMonitoredItemId) > 0; } public addLinkItem(linkedMonitoredItemId: number): StatusCode { if (linkedMonitoredItemId === this.monitoredItemId) { return StatusCodes.BadMonitoredItemIdInvalid; } this._linkedItems = this._linkedItems || []; if (this.hasLinkItem(linkedMonitoredItemId)) { return StatusCodes.BadMonitoredItemIdInvalid; // nothing to do } this._linkedItems.push(linkedMonitoredItemId); return StatusCodes.Good; } public removeLinkItem(linkedMonitoredItemId: number): StatusCode { if (!this._linkedItems || linkedMonitoredItemId === this.monitoredItemId) { return StatusCodes.BadMonitoredItemIdInvalid; } const index = this._linkedItems.findIndex((x) => x === linkedMonitoredItemId); if (index === -1) { return StatusCodes.BadMonitoredItemIdInvalid; } this._linkedItems.splice(index, 1); return StatusCodes.Good; } /** * @private */ private triggerLinkedItems() { if (!this.$subscription || !this._linkedItems) { return; } // see https://reference.opcfoundation.org/v104/Core/docs/Part4/5.12.1/#5.12.1.6 for (const linkItem of this._linkedItems) { const linkedMonitoredItem = this.$subscription.getMonitoredItem(linkItem); if (!linkedMonitoredItem) { // monitoredItem may have been deleted continue; } if (linkedMonitoredItem.monitoringMode === MonitoringMode.Disabled) { continue; } if (linkedMonitoredItem.monitoringMode === MonitoringMode.Reporting) { continue; } assert(linkedMonitoredItem.monitoringMode === MonitoringMode.Sampling); // istanbul ignore next if (doDebug) { debugLog("triggerLinkedItems => ", this.node?.nodeId.toString(), linkedMonitoredItem.node?.nodeId.toString()); } linkedMonitoredItem.trigger(); } } get hasMonitoredItemNotifications(): boolean { return this.queue.length > 0 || (this._triggeredNotifications !== undefined && this._triggeredNotifications.length > 0); } /** * @private */ private trigger() { setImmediate(() => { this._triggeredNotifications = this._triggeredNotifications || []; const notifications = this.extractMonitoredItemNotifications(true); this._triggeredNotifications = ([] as QueueItem[]).concat(this._triggeredNotifications!, notifications); }); } public extractMonitoredItemNotifications(bForce = false): QueueItem[] { if (!bForce && this.monitoringMode === MonitoringMode.Sampling && this._triggeredNotifications) { const notifications1 = this._triggeredNotifications; this._triggeredNotifications = undefined; return notifications1; } if (!bForce && this.monitoringMode !== MonitoringMode.Reporting) { return []; } const notifications = this.queue; this._empty_queue(); // apply semantic changed bit if necessary if (notifications.length > 0 && this.node && this._semantic_version < (this.node as UAVariable).semantic_version) { const dataValue = notifications[notifications.length - 1]; setSemanticChangeBit(dataValue); assert(this.node.nodeClass === NodeClass.Variable); this._semantic_version = (this.node as UAVariable).semantic_version; } return notifications; } public modify( timestampsToReturn: TimestampsToReturn | null, monitoringParameters: MonitoringParameters | null ): MonitoredItemModifyResult { assert(monitoringParameters instanceof MonitoringParameters); const old_samplingInterval = this.samplingInterval; this.timestampsToReturn = timestampsToReturn || this.timestampsToReturn; if (!monitoringParameters) { return new MonitoredItemModifyResult({ revisedQueueSize: this.queueSize, revisedSamplingInterval: this.samplingInterval, filterResult: null, statusCode: StatusCodes.Good }); } if (old_samplingInterval !== 0 && monitoringParameters.samplingInterval === 0) { monitoringParameters.samplingInterval = MonitoredItem.minimumSamplingInterval; // fastest possible } // spec says: Illegal request values for parameters that can be revised do not generate errors. Instead the // server will choose default values and indicate them in the corresponding revised parameter this._set_parameters(monitoringParameters); this._adjust_queue_to_match_new_queue_size(); this._adjustSampling(old_samplingInterval); if (monitoringParameters.filter) { const statusCodeFilter = validateFilter(monitoringParameters.filter, this.itemToMonitor, this.node!); if (statusCodeFilter.isNot(StatusCodes.Good)) { return new MonitoredItemModifyResult({ statusCode: statusCodeFilter }); } } // validate filter // note : The DataChangeFilter does not have an associated result structure. const filterResult = null; // new subscription_service.DataChangeFilter return new MonitoredItemModifyResult({ filterResult, revisedQueueSize: this.queueSize, revisedSamplingInterval: this.samplingInterval, statusCode: StatusCodes.Good }); } public async resendInitialValue(): Promise<void> { // the first Publish response(s) after the TransferSubscriptions call shall contain the current values of all // Monitored Items in the Subscription where the Monitoring Mode is set to Reporting. // the first Publish response after the TransferSubscriptions call shall contain only the value changes since // the last Publish response was sent. // This parameter only applies to MonitoredItems used for monitoring Attribute changes. // istanbul ignore next if (!this.node) return; const sessionContext = this.getSessionContext() || SessionContext.defaultContext; // istanbul ignore next if (!sessionContext) return; // no need to resend if a value is already in the queue if (this.queue.length > 0) return; const theValueToResend = this.oldDataValue !== badDataUnavailable ? this.oldDataValue : this.node.readAttribute(sessionContext, this.itemToMonitor.attributeId); this.oldDataValue = badDataUnavailable; this._enqueue_value(theValueToResend); } private getSessionContext(): ISessionContext | null { const session = this._getSession(); if (!session) { return null; } const sessionContext: ISessionContext = session!.sessionContext; return sessionContext; } /** * @private */ private _on_sampling_timer() { if (this.monitoringMode === MonitoringMode.Disabled) { return; } // Use default context if session is not available const sessionContext = this.getSessionContext() || SessionContext.defaultContext; if (!sessionContext) { warningLog("MonitoredItem#_on_sampling_timer : ", this.node?.nodeId.toString(), "cannot find session"); return; } // istanbul ignore next if (doDebug2) { debugLog( "MonitoredItem#_on_sampling_timer", this.node ? this.node.nodeId.toString() : "null", " isSampling?=", this._is_sampling ); } if (this._samplingId) { assert(this.monitoringMode === MonitoringMode.Sampling || this.monitoringMode === MonitoringMode.Reporting); if (this._is_sampling) { // previous sampling call is not yet completed.. // there is nothing we can do about it except waiting until next tick. // note : see also issue #156 on github // Note: some server returns GoodOverload here const statusCode = StatusCodes.GoodOverload; return; } assert(!this._is_sampling, "sampling func shall not be re-entrant !! fix it"); // istanbul ignore next if (!this.samplingFunc) { throw new Error("internal error : missing samplingFunc"); } this._is_sampling = true; this.samplingFunc.call(this, sessionContext, this.oldDataValue, (err: Error | null, newDataValue?: DataValue) => { if (!this._samplingId) { // item has been disposed. The monitored item has been disposed while the async sampling func // was taking place ... just ignore this return; } // istanbul ignore next if (err) { errorLog(" SAMPLING ERROR =>", err); } else { // only record value if source timestamp is newer // xx if (newDataValue && isSourceNewerThan(newDataValue, this.oldDataValue)) { this._on_value_changed(newDataValue!); // xx } } this._is_sampling = false; }); } else { /* istanbul ignore next */ debugLog("_on_sampling_timer call but MonitoredItem has been terminated !!! "); } } private _stop_sampling() { // debugLog("MonitoredItem#_stop_sampling"); /* istanbul ignore next */ if (!this.node) { throw new Error("Internal Error"); } if (this._on_opcua_event_received_callback) { assert(typeof this._on_opcua_event_received_callback === "function"); this.node.removeListener("event", this._on_opcua_event_received_callback); this._on_opcua_event_received_callback = null; } if (this._attribute_changed_callback) { assert(typeof this._attribute_changed_callback === "function"); const event_name = makeAttributeEventName(this.itemToMonitor.attributeId); this.node.removeListener(event_name, this._attribute_changed_callback); this._attribute_changed_callback = null; } if (this._value_changed_callback) { // samplingInterval was 0 for a exception-based data Item // we setup a event listener that we need to unwind here assert(typeof this._value_changed_callback === "function"); assert(!this._samplingId); this.node.removeListener("value_changed", this._value_changed_callback); this._value_changed_callback = null; } if (this._semantic_changed_callback) { assert(typeof this._semantic_changed_callback === "function"); assert(!this._samplingId); this.node.removeListener("semantic_changed", this._semantic_changed_callback); this._semantic_changed_callback = null; } if (this._samplingId) { this._clear_timer(); } assert(!this._samplingId); assert(!this._value_changed_callback); assert(!this._semantic_changed_callback); assert(!this._attribute_changed_callback); assert(!this._on_opcua_event_received_callback); } private _on_value_changed(dataValue: DataValue, indexRange?: NumericRange) { assert(dataValue instanceof DataValue); this.recordValue(dataValue, false, indexRange); } private _on_semantic_changed() { const dataValue: DataValue = (this.node! as UAVariable).readValue(); this._on_value_changed(dataValue); } private _on_opcua_event(eventData: IEventData) { // TO DO : => Improve Filtering, bearing in mind that .... // Release 1.04 8 OPC Unified Architecture, Part 9 // 4.5 Condition state synchronization // To ensure a Client is always informed, the three special EventTypes // (RefreshEndEventType, RefreshStartEventType and RefreshRequiredEventType) // ignore the Event content filtering associated with a Subscription and will always be // delivered to the Client. // istanbul ignore next if (!this.filter || !(this.filter instanceof EventFilter)) { throw new Error("Internal Error : a EventFilter is requested"); } const addressSpace: AddressSpace = eventData.$eventDataSource?.addressSpace as AddressSpace; if (!checkWhereClauseOnAddressSpace(addressSpace, SessionContext.defaultContext, this.filter.whereClause, eventData)) { return; } const selectClauses = this.filter.selectClauses ? this.filter.selectClauses : ([] as SimpleAttributeOperand[]); const eventFields: Variant[] = extractEventFields(SessionContext.defaultContext, selectClauses, eventData); // istanbul ignore next if (doDebug) { debugLog(" RECEIVED INTERNAL EVENT THAT WE ARE MONITORING"); debugLog(this.filter ? this.filter.toString() : "no filter"); eventFields.forEach((e: any) => { debugLog(e.toString()); }); } this._enqueue_event(eventFields); } private _getSession(): null | IServerSession2 { if (!this.$subscription) { return null; } if (!this.$subscription.$session) { return null; } return this.$subscription.$session; } private _start_sampling(recordInitialValue: boolean): void { // istanbul ignore next if (!this.node) { return; // we just want to ignore here ... } this.oldDataValue = badDataUnavailable; setImmediate(() => this.__start_sampling(recordInitialValue)); } private __acquireInitialValue(sessionContext: ISessionContext, callback: CallbackT<DataValue>): void { // acquire initial value from the variable/object not itself or from the last known value if we have // one already assert(this.itemToMonitor.attributeId === AttributeIds.Value); assert(this.node); if (this.node?.nodeClass !== NodeClass.Variable) { return callback(new Error("Invalid ")); } const variable = this.node as UAVariable; if (this.oldDataValue == badDataUnavailable) { variable.readValueAsync(sessionContext, (err: Error | null, dataValue?: DataValue) => { callback(err, dataValue); }); } else { const o = this.oldDataValue; this.oldDataValue = badDataUnavailable; // istanbul ignore next if (doDebug) { safeGuardRegister(this); } callback(null, o); } } private __start_sampling(recordInitialValue?: boolean): void { // istanbul ignore next if (!this.node) { return; // we just want to ignore here ... } const sessionContext = this.getSessionContext() || SessionContext.defaultContext; // istanbul ignore next if (!sessionContext) { return; } this._stop_sampling(); if (this.itemToMonitor.attributeId === AttributeIds.EventNotifier) { // istanbul ignore next if (doDebug) { debugLog("xxxxxx monitoring EventNotifier on", this.node.nodeId.toString(), this.node.browseName.toString()); } if (!this._on_opcua_event_received_callback) { // we are monitoring OPCUA Event this._on_opcua_event_received_callback = this._on_opcua_event.bind(this); if (this.node && this.node.nodeClass == NodeClass.Object) { this.node.on("event", this._on_opcua_event_received_callback); } } return; } if (this.itemToMonitor.attributeId !== AttributeIds.Value) { // sampling interval only applies to Value Attributes. this.samplingInterval = 0; // turned to exception-based regardless of requested sampling interval // non value attribute only react on value change if (!this._attribute_changed_callback) { this._attribute_changed_callback = this._on_value_changed.bind(this); const event_name = makeAttributeEventName(this.itemToMonitor.attributeId); (this.node as BaseNode).on(event_name, this._attribute_changed_callback); } if (recordInitialValue) { // read initial value const dataValue = this.node.readAttribute(sessionContext, this.itemToMonitor.attributeId); this.recordValue(dataValue, true); } return; } if (this.samplingInterval === 0) { // we have a exception-based dataItem : event based model, so we do not need a timer // rather , we setup the "value_changed_event"; if (!this._value_changed_callback) { assert(!this._semantic_changed_callback); this._value_changed_callback = this._on_value_changed.bind(this); this._semantic_changed_callback = this._on_semantic_changed.bind(this); if (this.node.nodeClass == NodeClass.Variable) { this.node.on("value_changed", this._value_changed_callback); this.node.on("semantic_changed", this._semantic_changed_callback); } } // initiate first read if (recordInitialValue) { this.__acquireInitialValue(sessionContext, (err: Error | null, dataValue?: DataValue) => { if (err) { warningLog(err.message); } if (!err && dataValue) { this.recordValue(dataValue.clone(), true); } }); } } else { if (recordInitialValue) { this.__acquireInitialValue(sessionContext, (err: Error | null, dataValue?: DataValue) => { if (err) { warningLog(err.message); } if (!err && dataValue) { this.recordValue(dataValue, true); } this._set_timer(); }); } else { this._set_timer(); } } } private _set_parameters(monitoredParameters: MonitoringParameters) { _validate_parameters(monitoredParameters); // only change clientHandle if it is valid (0<X<MAX) if (monitoredParameters.clientHandle !== 0 && monitoredParameters.clientHandle !== 4294967295) { this.clientHandle = monitoredParameters.clientHandle; } // The Server may support data that is collected based on a sampling model or generated based on an // exception-based model. The fastest supported sampling interval may be equal to 0, which indicates // that the data item is exception-based rather than being sampled at some period. An exception-based // model means that the underlying system does not require sampling and reports data changes. if (this.node && this.node.nodeClass === NodeClass.Variable) { const variable = this.node as UAVariable; this.samplingInterval = _adjust_sampling_interval( monitoredParameters.samplingInterval, variable.minimumSamplingInterval || 0 ); } else { this.samplingInterval = _adjust_sampling_interval(monitoredParameters.samplingInterval, 0); } this.discardOldest = monitoredParameters.discardOldest; this.queueSize = _adjust_queue_size(monitoredParameters.queueSize); // change filter this.filter = (monitoredParameters.filter as MonitoringFilter) || null; } private _setOverflowBit(notification: any) { if (Object.prototype.hasOwnProperty.call(notification, "value")) { assert(notification.value.statusCode.equals(StatusCodes.Good)); notification.value.statusCode = StatusCode.makeStatusCode( notification.value.statusCode, "Overflow | InfoTypeDataValue" ); assert(sameStatusCode(notification.value.statusCode, StatusCodes.GoodWithOverflowBit)); assert(notification.value.statusCode.hasOverflowBit); } if (this.$subscription && this.$subscription.subscriptionDiagnostics) { this.$subscription.subscriptionDiagnostics.monitoringQueueOverflowCount++; } // to do: eventQueueOverflowCount } private _enqueue_notification(notification: QueueItem) { if (this.queueSize === 1) { // https://reference.opcfoundation.org/v104/Core/docs/Part4/5.12.1/#5.12.1.5 // If the queue size is one, the queue becomes a buffer that always contains the newest // Notification. In this case, if the sampling interval of the MonitoredItem is faster // than the publishing interval of the Subscription, the MonitoredItem will be over // sampling and th