Dependencies update and cleanups.
[e-mobility-charging-stations-simulator.git] / src / charging-station / ChargingStation.ts
CommitLineData
f738a0e9 1import { AuthorizationStatus, StartTransactionRequest, StartTransactionResponse, StopTransactionReason, StopTransactionRequest, StopTransactionResponse } from '../types/ocpp/1.6/Transaction';
4dff73b0
JB
2import { AvailabilityType, BootNotificationRequest, ChangeAvailabilityRequest, ChangeConfigurationRequest, GetConfigurationRequest, HeartbeatRequest, IncomingRequestCommand, RemoteStartTransactionRequest, RemoteStopTransactionRequest, RequestCommand, ResetRequest, SetChargingProfileRequest, StatusNotificationRequest, UnlockConnectorRequest } from '../types/ocpp/1.6/Requests';
3import { BootNotificationResponse, ChangeAvailabilityResponse, ChangeConfigurationResponse, DefaultResponse, GetConfigurationResponse, HeartbeatResponse, RegistrationStatus, SetChargingProfileResponse, StatusNotificationResponse, UnlockConnectorResponse } from '../types/ocpp/1.6/RequestResponses';
8c476a1f 4import { ChargingProfile, ChargingProfilePurposeType } from '../types/ocpp/1.6/ChargingProfile';
e118beaa 5import ChargingStationConfiguration, { ConfigurationKey } from '../types/ChargingStationConfiguration';
84d4e562 6import ChargingStationTemplate, { PowerOutType, VoltageOut } from '../types/ChargingStationTemplate';
10570d97 7import Connectors, { Connector } from '../types/Connectors';
f738a0e9 8import { MeterValue, MeterValueLocation, MeterValueMeasurand, MeterValuePhase, MeterValueUnit, MeterValuesRequest, MeterValuesResponse, SampledValue } from '../types/ocpp/1.6/MeterValues';
6af9012e 9import { PerformanceObserver, performance } from 'perf_hooks';
6a64534b 10import Requests, { IncomingRequest, Request } from '../types/ocpp/Requests';
136c90ba 11import WebSocket, { MessageEvent } from 'ws';
3f40bc9c 12
6af9012e 13import AutomaticTransactionGenerator from './AutomaticTransactionGenerator';
29bf6658
JB
14import { ChargePointErrorCode } from '../types/ocpp/1.6/ChargePointErrorCode';
15import { ChargePointStatus } from '../types/ocpp/1.6/ChargePointStatus';
9ac86a7e 16import ChargingStationInfo from '../types/ChargingStationInfo';
6af9012e 17import Configuration from '../utils/Configuration';
63b48f77 18import Constants from '../utils/Constants';
6af9012e 19import ElectricUtils from '../utils/ElectricUtils';
d2a64eb5 20import { ErrorType } from '../types/ocpp/ErrorType';
6b0ce541 21import MeasurandValues from '../types/MeasurandValues';
d2a64eb5 22import { MessageType } from '../types/ocpp/MessageType';
f7a1d1a9 23import { OCPPConfigurationKey } from '../types/ocpp/Configuration';
63b48f77 24import OCPPError from './OcppError';
6a64534b 25import { StandardParametersKey } from '../types/ocpp/1.6/Configuration';
6af9012e
JB
26import Statistics from '../utils/Statistics';
27import Utils from '../utils/Utils';
32a1eb7a 28import { WebSocketCloseEventStatusCode } from '../types/WebSocket';
3f40bc9c
JB
29import crypto from 'crypto';
30import fs from 'fs';
6af9012e 31import logger from '../utils/Logger';
3f40bc9c
JB
32
33export default class ChargingStation {
6af9012e 34 private _index: number;
a4a21709 35 private _stationTemplateFile: string;
9ac86a7e 36 private _stationInfo: ChargingStationInfo;
f738a0e9
JB
37 private _bootNotificationRequest: BootNotificationRequest;
38 private _bootNotificationResponse: BootNotificationResponse;
10570d97 39 private _connectors: Connectors;
e118beaa 40 private _configuration: ChargingStationConfiguration;
a4a21709 41 private _connectorsConfigurationHash: string;
10570d97
JB
42 private _supervisionUrl: string;
43 private _wsConnectionUrl: string;
a4a21709 44 private _wsConnection: WebSocket;
9ac86a7e
JB
45 private _hasStopped: boolean;
46 private _hasSocketRestarted: boolean;
a4a21709 47 private _autoReconnectRetryCount: number;
63b48f77
JB
48 private _requests: Requests;
49 private _messageQueue: string[];
6af9012e
JB
50 private _automaticTransactionGeneration: AutomaticTransactionGenerator;
51 private _authorizedTags: string[];
10570d97 52 private _heartbeatSetInterval: NodeJS.Timeout;
136c90ba 53 private _webSocketPingSetInterval: NodeJS.Timeout;
6af9012e
JB
54 private _statistics: Statistics;
55 private _performanceObserver: PerformanceObserver;
56
57 constructor(index: number, stationTemplateFile: string) {
2e6f5966
JB
58 this._index = index;
59 this._stationTemplateFile = stationTemplateFile;
63b48f77 60 this._connectors = {} as Connectors;
2e6f5966
JB
61 this._initialize();
62
9ac86a7e
JB
63 this._hasStopped = false;
64 this._hasSocketRestarted = false;
7dde0b73 65 this._autoReconnectRetryCount = 0;
2e6f5966 66
63b48f77
JB
67 this._requests = {} as Requests;
68 this._messageQueue = [] as string[];
2e6f5966 69
83045896 70 this._authorizedTags = this._loadAndGetAuthorizedTags();
2e6f5966
JB
71 }
72
9ac86a7e
JB
73 _getStationName(stationTemplate: ChargingStationTemplate): string {
74 return stationTemplate.fixedName ? stationTemplate.baseName : stationTemplate.baseName + '-' + ('000000000' + this._index.toString()).substr(('000000000' + this._index.toString()).length - 4);
5ad8570f
JB
75 }
76
9ac86a7e
JB
77 _buildStationInfo(): ChargingStationInfo {
78 let stationTemplateFromFile: ChargingStationTemplate;
5ad8570f
JB
79 try {
80 // Load template file
81 const fileDescriptor = fs.openSync(this._stationTemplateFile, 'r');
9ac86a7e 82 stationTemplateFromFile = JSON.parse(fs.readFileSync(fileDescriptor, 'utf8')) as ChargingStationTemplate;
5ad8570f
JB
83 fs.closeSync(fileDescriptor);
84 } catch (error) {
7ec46a9a 85 logger.error('Template file ' + this._stationTemplateFile + ' loading error: %j', error);
cdd9fed5 86 throw error;
5ad8570f 87 }
9ac86a7e 88 const stationInfo: ChargingStationInfo = stationTemplateFromFile || {} as ChargingStationInfo;
0a60c33c 89 if (!Utils.isEmptyArray(stationTemplateFromFile.power)) {
9ac86a7e
JB
90 stationTemplateFromFile.power = stationTemplateFromFile.power as number[];
91 stationInfo.maxPower = stationTemplateFromFile.power[Math.floor(Math.random() * stationTemplateFromFile.power.length)];
5ad8570f 92 } else {
9ac86a7e 93 stationInfo.maxPower = stationTemplateFromFile.power as number;
5ad8570f 94 }
9ac86a7e
JB
95 stationInfo.name = this._getStationName(stationTemplateFromFile);
96 stationInfo.resetTime = stationTemplateFromFile.resetTime ? stationTemplateFromFile.resetTime * 1000 : Constants.CHARGING_STATION_DEFAULT_RESET_TIME;
97 return stationInfo;
5ad8570f
JB
98 }
99
9ac86a7e 100 get stationInfo(): ChargingStationInfo {
6af9012e
JB
101 return this._stationInfo;
102 }
103
104 _initialize(): void {
2e6f5966 105 this._stationInfo = this._buildStationInfo();
f738a0e9 106 this._bootNotificationRequest = {
2e6f5966
JB
107 chargePointModel: this._stationInfo.chargePointModel,
108 chargePointVendor: this._stationInfo.chargePointVendor,
6af9012e
JB
109 ...!Utils.isUndefined(this._stationInfo.chargeBoxSerialNumberPrefix) && { chargeBoxSerialNumber: this._stationInfo.chargeBoxSerialNumberPrefix },
110 ...!Utils.isUndefined(this._stationInfo.firmwareVersion) && { firmwareVersion: this._stationInfo.firmwareVersion },
2e6f5966 111 };
136c90ba 112 this._configuration = this._getTemplateChargingStationConfiguration();
2e6f5966 113 this._supervisionUrl = this._getSupervisionURL();
0a60c33c
JB
114 this._wsConnectionUrl = this._supervisionUrl + '/' + this._stationInfo.name;
115 // Build connectors if needed
6ecb15e4
JB
116 const maxConnectors = this._getMaxNumberOfConnectors();
117 if (maxConnectors <= 0) {
3f40bc9c 118 logger.warn(`${this._logPrefix()} Charging station template ${this._stationTemplateFile} with ${maxConnectors} connectors`);
7abfea5f
JB
119 }
120 const templateMaxConnectors = this._getTemplateMaxNumberOfConnectors();
121 if (templateMaxConnectors <= 0) {
593cf3f9
JB
122 logger.warn(`${this._logPrefix()} Charging station template ${this._stationTemplateFile} with no connector configuration`);
123 }
124 if (!this._stationInfo.Connectors[0]) {
125 logger.warn(`${this._logPrefix()} Charging station template ${this._stationTemplateFile} with no connector Id 0 configuration`);
7abfea5f
JB
126 }
127 // Sanity check
9ac86a7e 128 if (maxConnectors > (this._stationInfo.Connectors[0] ? templateMaxConnectors - 1 : templateMaxConnectors) && !this._stationInfo.randomConnectors) {
7abfea5f
JB
129 logger.warn(`${this._logPrefix()} Number of connectors exceeds the number of connector configurations in template ${this._stationTemplateFile}, forcing random connector configurations affectation`);
130 this._stationInfo.randomConnectors = true;
6ecb15e4 131 }
8bce55bf 132 const connectorsConfigHash = crypto.createHash('sha256').update(JSON.stringify(this._stationInfo.Connectors) + maxConnectors.toString()).digest('hex');
de1f5008 133 // FIXME: Handle shrinking the number of connectors
5a9f5716 134 if (!this._connectors || (this._connectors && this._connectorsConfigurationHash !== connectorsConfigHash)) {
de1f5008 135 this._connectorsConfigurationHash = connectorsConfigHash;
7abfea5f 136 // Add connector Id 0
6af9012e 137 let lastConnector = '0';
8bce55bf 138 for (lastConnector in this._stationInfo.Connectors) {
593cf3f9 139 if (Utils.convertToInt(lastConnector) === 0 && this._getUseConnectorId0() && this._stationInfo.Connectors[lastConnector]) {
e56aa9a4 140 this._connectors[lastConnector] = Utils.cloneObject<Connector>(this._stationInfo.Connectors[lastConnector]);
4dff73b0 141 this._connectors[lastConnector].availability = AvailabilityType.OPERATIVE;
0a60c33c
JB
142 }
143 }
0a60c33c 144 // Generate all connectors
7abfea5f
JB
145 if ((this._stationInfo.Connectors[0] ? templateMaxConnectors - 1 : templateMaxConnectors) > 0) {
146 for (let index = 1; index <= maxConnectors; index++) {
9ac86a7e 147 const randConnectorID = this._stationInfo.randomConnectors ? Utils.getRandomInt(Utils.convertToInt(lastConnector), 1) : index;
32a1eb7a 148 this._connectors[index] = Utils.cloneObject<Connector>(this._stationInfo.Connectors[randConnectorID]);
4dff73b0 149 this._connectors[index].availability = AvailabilityType.OPERATIVE;
7abfea5f 150 }
0a60c33c
JB
151 }
152 }
d4a73fb7
JB
153 // Avoid duplication of connectors related information
154 delete this._stationInfo.Connectors;
0a60c33c
JB
155 // Initialize transaction attributes on connectors
156 for (const connector in this._connectors) {
593cf3f9 157 if (Utils.convertToInt(connector) > 0 && !this.getConnector(Utils.convertToInt(connector)).transactionStarted) {
10570d97 158 this._initTransactionOnConnector(Utils.convertToInt(connector));
0a60c33c
JB
159 }
160 }
7abfea5f 161 // OCPP parameters
6a64534b
JB
162 this._addConfigurationKey(StandardParametersKey.NumberOfConnectors, this._getNumberOfConnectors().toString(), true);
163 if (!this._getConfigurationKey(StandardParametersKey.MeterValuesSampledData)) {
164 this._addConfigurationKey(StandardParametersKey.MeterValuesSampledData, MeterValueMeasurand.ENERGY_ACTIVE_IMPORT_REGISTER);
7abfea5f 165 }
6ecb15e4 166 this._stationInfo.powerDivider = this._getPowerDivider();
8bce55bf
JB
167 if (this.getEnableStatistics()) {
168 this._statistics = Statistics.getInstance();
169 this._statistics.objName = this._stationInfo.name;
170 this._performanceObserver = new PerformanceObserver((list) => {
171 const entry = list.getEntries()[0];
10570d97 172 this._statistics.logPerformance(entry, Constants.ENTITY_CHARGING_STATION);
8bce55bf
JB
173 this._performanceObserver.disconnect();
174 });
175 }
7dde0b73
JB
176 }
177
10570d97 178 get connectors(): Connectors {
6af9012e
JB
179 return this._connectors;
180 }
181
182 get statistics(): Statistics {
183 return this._statistics;
184 }
185
186 _logPrefix(): string {
ead548f2 187 return Utils.logPrefix(` ${this._stationInfo.name}:`);
7dde0b73
JB
188 }
189
32a1eb7a
JB
190 _isWebSocketOpen(): boolean {
191 return this._wsConnection?.readyState === WebSocket.OPEN;
192 }
193
194 _isRegistered(): boolean {
195 return this._bootNotificationResponse?.status === RegistrationStatus.ACCEPTED;
196 }
197
136c90ba 198 _getTemplateChargingStationConfiguration(): ChargingStationConfiguration {
e118beaa 199 return this._stationInfo.Configuration ? this._stationInfo.Configuration : {} as ChargingStationConfiguration;
7dde0b73
JB
200 }
201
10570d97 202 _getAuthorizationFile(): string {
6af9012e 203 return this._stationInfo.authorizationFile && this._stationInfo.authorizationFile;
7dde0b73
JB
204 }
205
593cf3f9
JB
206 _getUseConnectorId0(): boolean {
207 return !Utils.isUndefined(this._stationInfo.useConnectorId0) ? this._stationInfo.useConnectorId0 : true;
208 }
209
6af9012e 210 _loadAndGetAuthorizedTags(): string[] {
65c5527e 211 let authorizedTags: string[] = [];
2e6f5966
JB
212 const authorizationFile = this._getAuthorizationFile();
213 if (authorizationFile) {
214 try {
215 // Load authorization file
216 const fileDescriptor = fs.openSync(authorizationFile, 'r');
10570d97 217 authorizedTags = JSON.parse(fs.readFileSync(fileDescriptor, 'utf8')) as string[];
2e6f5966
JB
218 fs.closeSync(fileDescriptor);
219 } catch (error) {
7ec46a9a 220 logger.error(this._logPrefix() + ' Authorization file ' + authorizationFile + ' loading error: %j', error);
cdd9fed5 221 throw error;
2e6f5966
JB
222 }
223 } else {
ead548f2 224 logger.info(this._logPrefix() + ' No authorization file given in template file ' + this._stationTemplateFile);
2e6f5966
JB
225 }
226 return authorizedTags;
227 }
228
65c5527e 229 getRandomTagId(): string {
5ad8570f
JB
230 const index = Math.floor(Math.random() * this._authorizedTags.length);
231 return this._authorizedTags[index];
2e6f5966
JB
232 }
233
65c5527e 234 hasAuthorizedTags(): boolean {
5ad8570f
JB
235 return !Utils.isEmptyArray(this._authorizedTags);
236 }
237
65c5527e 238 getEnableStatistics(): boolean {
9ac86a7e 239 return !Utils.isUndefined(this._stationInfo.enableStatistics) ? this._stationInfo.enableStatistics : true;
2328be1e
JB
240 }
241
6af9012e 242 _getNumberOfPhases(): number {
8c4da341 243 switch (this._getPowerOutType()) {
9ac86a7e 244 case PowerOutType.AC:
6d3a11a0 245 return !Utils.isUndefined(this._stationInfo.numberOfPhases) ? this._stationInfo.numberOfPhases : 3;
9ac86a7e 246 case PowerOutType.DC:
8c4da341
JB
247 return 0;
248 }
8bce55bf
JB
249 }
250
65c5527e 251 _getNumberOfRunningTransactions(): number {
6ecb15e4
JB
252 let trxCount = 0;
253 for (const connector in this._connectors) {
593cf3f9 254 if (Utils.convertToInt(connector) > 0 && this.getConnector(Utils.convertToInt(connector)).transactionStarted) {
6ecb15e4
JB
255 trxCount++;
256 }
257 }
258 return trxCount;
259 }
260
1f761b9a 261 // 0 for disabling
3574dfd3
JB
262 _getConnectionTimeout(): number {
263 if (!Utils.isUndefined(this._stationInfo.connectionTimeout)) {
264 return this._stationInfo.connectionTimeout;
265 }
266 if (!Utils.isUndefined(Configuration.getConnectionTimeout())) {
267 return Configuration.getConnectionTimeout();
268 }
269 return 30;
270 }
271
1f761b9a 272 // -1 for unlimited, 0 for disabling
3574dfd3
JB
273 _getAutoReconnectMaxRetries(): number {
274 if (!Utils.isUndefined(this._stationInfo.autoReconnectMaxRetries)) {
275 return this._stationInfo.autoReconnectMaxRetries;
276 }
277 if (!Utils.isUndefined(Configuration.getAutoReconnectMaxRetries())) {
278 return Configuration.getAutoReconnectMaxRetries();
279 }
280 return -1;
281 }
282
ec977daf 283 // 0 for disabling
32a1eb7a
JB
284 _getRegistrationMaxRetries(): number {
285 if (!Utils.isUndefined(this._stationInfo.registrationMaxRetries)) {
286 return this._stationInfo.registrationMaxRetries;
287 }
288 return -1;
289 }
290
65c5527e 291 _getPowerDivider(): number {
7abfea5f 292 let powerDivider = this._getNumberOfConnectors();
6ecb15e4
JB
293 if (this._stationInfo.powerSharedByConnectors) {
294 powerDivider = this._getNumberOfRunningTransactions();
295 }
296 return powerDivider;
297 }
298
10570d97 299 getConnector(id: number): Connector {
6af9012e 300 return this._connectors[id];
6ecb15e4
JB
301 }
302
4dff73b0
JB
303 _isConnectorAvailable(id: number): boolean {
304 return this.getConnector(id).availability === AvailabilityType.OPERATIVE;
305 }
306
17991e8c
JB
307 _isChargingStationAvailable(): boolean {
308 return this.getConnector(0).availability === AvailabilityType.OPERATIVE;
309 }
310
65c5527e 311 _getTemplateMaxNumberOfConnectors(): number {
7abfea5f
JB
312 return Object.keys(this._stationInfo.Connectors).length;
313 }
314
65c5527e 315 _getMaxNumberOfConnectors(): number {
5ad8570f 316 let maxConnectors = 0;
0a60c33c 317 if (!Utils.isEmptyArray(this._stationInfo.numberOfConnectors)) {
9ac86a7e 318 const numberOfConnectors = this._stationInfo.numberOfConnectors as number[];
6ecb15e4 319 // Distribute evenly the number of connectors
7ec46a9a 320 maxConnectors = numberOfConnectors[(this._index - 1) % numberOfConnectors.length];
7abfea5f 321 } else if (!Utils.isUndefined(this._stationInfo.numberOfConnectors)) {
9ac86a7e 322 maxConnectors = this._stationInfo.numberOfConnectors as number;
488fd3a7 323 } else {
7abfea5f 324 maxConnectors = this._stationInfo.Connectors[0] ? this._getTemplateMaxNumberOfConnectors() - 1 : this._getTemplateMaxNumberOfConnectors();
5ad8570f
JB
325 }
326 return maxConnectors;
2e6f5966
JB
327 }
328
6af9012e 329 _getNumberOfConnectors(): number {
7abfea5f 330 return this._connectors[0] ? Object.keys(this._connectors).length - 1 : Object.keys(this._connectors).length;
6ecb15e4
JB
331 }
332
65c5527e 333 _getVoltageOut(): number {
b2acff85 334 const errMsg = `${this._logPrefix()} Unknown ${this._getPowerOutType()} powerOutType in template file ${this._stationTemplateFile}, cannot define default voltage out`;
10570d97 335 let defaultVoltageOut: number;
b2acff85 336 switch (this._getPowerOutType()) {
9ac86a7e 337 case PowerOutType.AC:
84d4e562 338 defaultVoltageOut = VoltageOut.VOLTAGE_230;
b2acff85 339 break;
9ac86a7e 340 case PowerOutType.DC:
84d4e562 341 defaultVoltageOut = VoltageOut.VOLTAGE_400;
b2acff85
JB
342 break;
343 default:
344 logger.error(errMsg);
345 throw Error(errMsg);
346 }
6d3a11a0 347 return !Utils.isUndefined(this._stationInfo.voltageOut) ? this._stationInfo.voltageOut : defaultVoltageOut;
b2acff85
JB
348 }
349
032d6efc 350 _getTransactionIdTag(transactionId: number): string {
9ac86a7e 351 for (const connector in this._connectors) {
593cf3f9 352 if (Utils.convertToInt(connector) > 0 && this.getConnector(Utils.convertToInt(connector)).transactionId === transactionId) {
9ac86a7e
JB
353 return this.getConnector(Utils.convertToInt(connector)).idTag;
354 }
355 }
356 }
357
1aaa98df
JB
358 _getTransactionMeterStop(transactionId: number): number {
359 for (const connector in this._connectors) {
593cf3f9 360 if (Utils.convertToInt(connector) > 0 && this.getConnector(Utils.convertToInt(connector)).transactionId === transactionId) {
1aaa98df
JB
361 return this.getConnector(Utils.convertToInt(connector)).lastEnergyActiveImportRegisterValue;
362 }
363 }
364 }
365
9ac86a7e
JB
366 _getPowerOutType(): PowerOutType {
367 return !Utils.isUndefined(this._stationInfo.powerOutType) ? this._stationInfo.powerOutType : PowerOutType.AC;
3f40bc9c
JB
368 }
369
65c5527e 370 _getSupervisionURL(): string {
32a1eb7a 371 const supervisionUrls = Utils.cloneObject<string | string[]>(this._stationInfo.supervisionURL ? this._stationInfo.supervisionURL : Configuration.getSupervisionURLs());
7dde0b73 372 let indexUrl = 0;
0a60c33c 373 if (!Utils.isEmptyArray(supervisionUrls)) {
524d9cb3 374 if (Configuration.getDistributeStationsToTenantsEqually()) {
2e6f5966 375 indexUrl = this._index % supervisionUrls.length;
7dde0b73
JB
376 } else {
377 // Get a random url
378 indexUrl = Math.floor(Math.random() * supervisionUrls.length);
379 }
7ec46a9a 380 return supervisionUrls[indexUrl];
7dde0b73 381 }
e118beaa 382 return supervisionUrls as string;
7dde0b73
JB
383 }
384
032d6efc
JB
385 _getReconnectExponentialDelay(): boolean {
386 return !Utils.isUndefined(this._stationInfo.reconnectExponentialDelay) ? this._stationInfo.reconnectExponentialDelay : false;
387 }
388
af99a73f
JB
389 _getHeartbeatInterval(): number {
390 const HeartbeatInterval = this._getConfigurationKey(StandardParametersKey.HeartbeatInterval);
391 if (HeartbeatInterval) {
392 return Utils.convertToInt(HeartbeatInterval.value) * 1000;
393 }
394 const HeartBeatInterval = this._getConfigurationKey(StandardParametersKey.HeartBeatInterval);
395 if (HeartBeatInterval) {
396 return Utils.convertToInt(HeartBeatInterval.value) * 1000;
397 }
af99a73f
JB
398 }
399
65c5527e 400 _getAuthorizeRemoteTxRequests(): boolean {
6a64534b 401 const authorizeRemoteTxRequests = this._getConfigurationKey(StandardParametersKey.AuthorizeRemoteTxRequests);
a6e68f34 402 return authorizeRemoteTxRequests ? Utils.convertToBoolean(authorizeRemoteTxRequests.value) : false;
7dde0b73
JB
403 }
404
65c5527e 405 _getLocalAuthListEnabled(): boolean {
6a64534b 406 const localAuthListEnabled = this._getConfigurationKey(StandardParametersKey.LocalAuthListEnabled);
def3d48e
JB
407 return localAuthListEnabled ? Utils.convertToBoolean(localAuthListEnabled.value) : false;
408 }
409
136c90ba
JB
410 async _startMessageSequence(): Promise<void> {
411 // Start WebSocket ping
412 this._startWebSocketPing();
5ad8570f 413 // Start heartbeat
6af9012e 414 this._startHeartbeat();
0a60c33c 415 // Initialize connectors status
5ad8570f 416 for (const connector in this._connectors) {
593cf3f9
JB
417 if (Utils.convertToInt(connector) === 0) {
418 continue;
4dff73b0 419 } else if (!this._hasStopped && !this.getConnector(Utils.convertToInt(connector))?.status && this.getConnector(Utils.convertToInt(connector))?.bootStatus) {
136c90ba
JB
420 // Send status in template at startup
421 await this.sendStatusNotification(Utils.convertToInt(connector), this.getConnector(Utils.convertToInt(connector)).bootStatus);
4dff73b0 422 } else if (this._hasStopped && this.getConnector(Utils.convertToInt(connector))?.bootStatus) {
136c90ba
JB
423 // Send status in template after reset
424 await this.sendStatusNotification(Utils.convertToInt(connector), this.getConnector(Utils.convertToInt(connector)).bootStatus);
4dff73b0 425 } else if (!this._hasStopped && this.getConnector(Utils.convertToInt(connector))?.status) {
136c90ba
JB
426 // Send previous status at template reload
427 await this.sendStatusNotification(Utils.convertToInt(connector), this.getConnector(Utils.convertToInt(connector)).status);
5ad8570f 428 } else {
136c90ba
JB
429 // Send default status
430 await this.sendStatusNotification(Utils.convertToInt(connector), ChargePointStatus.AVAILABLE);
5ad8570f
JB
431 }
432 }
0a60c33c 433 // Start the ATG
9ac86a7e 434 if (this._stationInfo.AutomaticTransactionGenerator.enable) {
5ad8570f
JB
435 if (!this._automaticTransactionGeneration) {
436 this._automaticTransactionGeneration = new AutomaticTransactionGenerator(this);
437 }
438 if (this._automaticTransactionGeneration.timeToStop) {
439 this._automaticTransactionGeneration.start();
440 }
441 }
8bce55bf
JB
442 if (this.getEnableStatistics()) {
443 this._statistics.start();
444 }
5ad8570f
JB
445 }
446
9ac86a7e 447 async _stopMessageSequence(reason: StopTransactionReason = StopTransactionReason.NONE): Promise<void> {
136c90ba
JB
448 // Stop WebSocket ping
449 this._stopWebSocketPing();
79411696
JB
450 // Stop heartbeat
451 this._stopHeartbeat();
452 // Stop the ATG
9ac86a7e 453 if (this._stationInfo.AutomaticTransactionGenerator.enable &&
79411696
JB
454 this._automaticTransactionGeneration &&
455 !this._automaticTransactionGeneration.timeToStop) {
456 await this._automaticTransactionGeneration.stop(reason);
457 } else {
458 for (const connector in this._connectors) {
593cf3f9 459 if (Utils.convertToInt(connector) > 0 && this.getConnector(Utils.convertToInt(connector)).transactionStarted) {
79411696
JB
460 await this.sendStopTransaction(this.getConnector(Utils.convertToInt(connector)).transactionId, reason);
461 }
462 }
463 }
464 }
465
136c90ba 466 _startWebSocketPing(): void {
6a64534b 467 const webSocketPingInterval: number = this._getConfigurationKey(StandardParametersKey.WebSocketPingInterval) ? Utils.convertToInt(this._getConfigurationKey(StandardParametersKey.WebSocketPingInterval).value) : 0;
136c90ba
JB
468 if (webSocketPingInterval > 0 && !this._webSocketPingSetInterval) {
469 this._webSocketPingSetInterval = setInterval(() => {
32a1eb7a 470 if (this._isWebSocketOpen()) {
3574dfd3 471 this._wsConnection.ping((): void => { });
136c90ba
JB
472 }
473 }, webSocketPingInterval * 1000);
474 logger.info(this._logPrefix() + ' WebSocket ping started every ' + Utils.secondsToHHMMSS(webSocketPingInterval));
475 } else if (this._webSocketPingSetInterval) {
476 logger.info(this._logPrefix() + ' WebSocket ping every ' + Utils.secondsToHHMMSS(webSocketPingInterval) + ' already started');
477 } else {
478 logger.error(`${this._logPrefix()} WebSocket ping interval set to ${webSocketPingInterval ? Utils.secondsToHHMMSS(webSocketPingInterval) : webSocketPingInterval}, not starting the WebSocket ping`);
479 }
480 }
481
482 _stopWebSocketPing(): void {
483 if (this._webSocketPingSetInterval) {
484 clearInterval(this._webSocketPingSetInterval);
485 this._webSocketPingSetInterval = null;
486 }
487 }
488
489 _restartWebSocketPing(): void {
490 // Stop WebSocket ping
491 this._stopWebSocketPing();
492 // Start WebSocket ping
493 this._startWebSocketPing();
494 }
495
6af9012e 496 _startHeartbeat(): void {
af99a73f 497 if (this._getHeartbeatInterval() && this._getHeartbeatInterval() > 0 && !this._heartbeatSetInterval) {
136c90ba
JB
498 this._heartbeatSetInterval = setInterval(async () => {
499 await this.sendHeartbeat();
af99a73f
JB
500 }, this._getHeartbeatInterval());
501 logger.info(this._logPrefix() + ' Heartbeat started every ' + Utils.milliSecondsToHHMMSS(this._getHeartbeatInterval()));
136c90ba 502 } else if (this._heartbeatSetInterval) {
af99a73f 503 logger.info(this._logPrefix() + ' Heartbeat every ' + Utils.milliSecondsToHHMMSS(this._getHeartbeatInterval()) + ' already started');
7dde0b73 504 } else {
af99a73f 505 logger.error(`${this._logPrefix()} Heartbeat interval set to ${this._getHeartbeatInterval() ? Utils.milliSecondsToHHMMSS(this._getHeartbeatInterval()) : this._getHeartbeatInterval()}, not starting the heartbeat`);
0a60c33c
JB
506 }
507 }
508
65c5527e 509 _stopHeartbeat(): void {
0a60c33c
JB
510 if (this._heartbeatSetInterval) {
511 clearInterval(this._heartbeatSetInterval);
512 this._heartbeatSetInterval = null;
7dde0b73 513 }
5ad8570f
JB
514 }
515
136c90ba
JB
516 _restartHeartbeat(): void {
517 // Stop heartbeat
518 this._stopHeartbeat();
519 // Start heartbeat
520 this._startHeartbeat();
521 }
522
65c5527e
JB
523 _startAuthorizationFileMonitoring(): void {
524 // eslint-disable-next-line @typescript-eslint/no-unused-vars
5ad8570f
JB
525 fs.watchFile(this._getAuthorizationFile(), (current, previous) => {
526 try {
ead548f2 527 logger.debug(this._logPrefix() + ' Authorization file ' + this._getAuthorizationFile() + ' have changed, reload');
5ad8570f
JB
528 // Initialize _authorizedTags
529 this._authorizedTags = this._loadAndGetAuthorizedTags();
530 } catch (error) {
7ec46a9a 531 logger.error(this._logPrefix() + ' Authorization file monitoring error: %j', error);
5ad8570f
JB
532 }
533 });
534 }
535
65c5527e
JB
536 _startStationTemplateFileMonitoring(): void {
537 // eslint-disable-next-line @typescript-eslint/no-unused-vars
5ad8570f
JB
538 fs.watchFile(this._stationTemplateFile, (current, previous) => {
539 try {
ead548f2 540 logger.debug(this._logPrefix() + ' Template file ' + this._stationTemplateFile + ' have changed, reload');
5ad8570f
JB
541 // Initialize
542 this._initialize();
9ac86a7e 543 if (!this._stationInfo.AutomaticTransactionGenerator.enable &&
10570d97
JB
544 this._automaticTransactionGeneration) {
545 this._automaticTransactionGeneration.stop().catch(() => { });
79411696 546 }
136c90ba 547 // FIXME?: restart heartbeat and WebSocket ping when their interval values have changed
5ad8570f 548 } catch (error) {
7ec46a9a 549 logger.error(this._logPrefix() + ' Charging station template file monitoring error: %j', error);
5ad8570f
JB
550 }
551 });
552 }
553
6af9012e 554 _startMeterValues(connectorId: number, interval: number): void {
4dff73b0
JB
555 if (connectorId === 0) {
556 logger.error(`${this._logPrefix()} Trying to start MeterValues on connector Id ${connectorId.toString()}`);
557 return;
558 }
559 if (!this.getConnector(connectorId)) {
560 logger.error(`${this._logPrefix()} Trying to start MeterValues on non existing connector Id ${connectorId.toString()}`);
561 return;
562 }
563 if (!this.getConnector(connectorId)?.transactionStarted) {
6ecb15e4 564 logger.error(`${this._logPrefix()} Trying to start MeterValues on connector Id ${connectorId} with no transaction started`);
5ad8570f 565 return;
4dff73b0 566 } else if (this.getConnector(connectorId)?.transactionStarted && !this.getConnector(connectorId)?.transactionId) {
6ecb15e4 567 logger.error(`${this._logPrefix()} Trying to start MeterValues on connector Id ${connectorId} with no transaction id`);
5ad8570f
JB
568 return;
569 }
0a60c33c 570 if (interval > 0) {
10570d97 571 this.getConnector(connectorId).transactionSetInterval = setInterval(async () => {
8bce55bf
JB
572 if (this.getEnableStatistics()) {
573 const sendMeterValues = performance.timerify(this.sendMeterValues);
574 this._performanceObserver.observe({
575 entryTypes: ['function'],
576 });
65c5527e 577 await sendMeterValues(connectorId, interval, this);
8bce55bf 578 } else {
65c5527e 579 await this.sendMeterValues(connectorId, interval, this);
8bce55bf 580 }
0a60c33c
JB
581 }, interval);
582 } else {
84d4e562 583 logger.error(`${this._logPrefix()} Charging station ${StandardParametersKey.MeterValueSampleInterval} configuration set to ${Utils.milliSecondsToHHMMSS(interval)}, not sending MeterValues`);
0a60c33c 584 }
7dde0b73
JB
585 }
586
815e3493 587 _openWSConnection(options?: WebSocket.ClientOptions, forceCloseOpened = false): void {
032d6efc
JB
588 if (Utils.isUndefined(options)) {
589 options = {} as WebSocket.ClientOptions;
590 }
591 if (Utils.isUndefined(options.handshakeTimeout)) {
1f761b9a 592 options.handshakeTimeout = this._getConnectionTimeout() * 1000;
032d6efc 593 }
32a1eb7a 594 if (this._isWebSocketOpen() && forceCloseOpened) {
815e3493
JB
595 this._wsConnection.close();
596 }
032d6efc 597 this._wsConnection = new WebSocket(this._wsConnectionUrl, 'ocpp' + Constants.OCPP_VERSION_16, options);
ead548f2 598 logger.info(this._logPrefix() + ' Will communicate through URL ' + this._supervisionUrl);
136c90ba
JB
599 }
600
601 start(): void {
602 this._openWSConnection();
2e6f5966
JB
603 // Monitor authorization file
604 this._startAuthorizationFileMonitoring();
605 // Monitor station template file
606 this._startStationTemplateFileMonitoring();
7dde0b73
JB
607 // Handle Socket incoming messages
608 this._wsConnection.on('message', this.onMessage.bind(this));
609 // Handle Socket error
610 this._wsConnection.on('error', this.onError.bind(this));
611 // Handle Socket close
612 this._wsConnection.on('close', this.onClose.bind(this));
613 // Handle Socket opening connection
614 this._wsConnection.on('open', this.onOpen.bind(this));
615 // Handle Socket ping
616 this._wsConnection.on('ping', this.onPing.bind(this));
136c90ba
JB
617 // Handle Socket pong
618 this._wsConnection.on('pong', this.onPong.bind(this));
7dde0b73
JB
619 }
620
9ac86a7e 621 async stop(reason: StopTransactionReason = StopTransactionReason.NONE): Promise<void> {
136c90ba 622 // Stop message sequence
10570d97 623 await this._stopMessageSequence(reason);
5ad8570f 624 for (const connector in this._connectors) {
593cf3f9
JB
625 if (Utils.convertToInt(connector) > 0) {
626 await this.sendStatusNotification(Utils.convertToInt(connector), ChargePointStatus.UNAVAILABLE);
627 }
5ad8570f 628 }
32a1eb7a 629 if (this._isWebSocketOpen()) {
65c5527e 630 this._wsConnection.close();
5ad8570f 631 }
f738a0e9 632 this._bootNotificationResponse = null;
9ac86a7e 633 this._hasStopped = true;
5ad8570f
JB
634 }
635
032d6efc 636 async _reconnect(error): Promise<void> {
136c90ba
JB
637 // Stop heartbeat
638 this._stopHeartbeat();
5ad8570f 639 // Stop the ATG if needed
9ac86a7e
JB
640 if (this._stationInfo.AutomaticTransactionGenerator.enable &&
641 this._stationInfo.AutomaticTransactionGenerator.stopOnConnectionFailure &&
5ad8570f
JB
642 this._automaticTransactionGeneration &&
643 !this._automaticTransactionGeneration.timeToStop) {
7ec46a9a 644 this._automaticTransactionGeneration.stop().catch(() => { });
5ad8570f 645 }
1f761b9a 646 if (this._autoReconnectRetryCount < this._getAutoReconnectMaxRetries() || this._getAutoReconnectMaxRetries() === -1) {
5ad8570f 647 this._autoReconnectRetryCount++;
1f761b9a 648 const reconnectDelay = (this._getReconnectExponentialDelay() ? Utils.exponentialDelay(this._autoReconnectRetryCount) : this._getConnectionTimeout() * 1000);
032d6efc
JB
649 logger.error(`${this._logPrefix()} Socket: connection retry in ${Utils.roundTo(reconnectDelay, 2)}ms, timeout ${reconnectDelay - 100}ms`);
650 await Utils.sleep(reconnectDelay);
651 logger.error(this._logPrefix() + ' Socket: reconnecting try #' + this._autoReconnectRetryCount.toString());
3574dfd3 652 this._openWSConnection({ handshakeTimeout: reconnectDelay - 100 });
815e3493 653 this._hasSocketRestarted = true;
1f761b9a 654 } else if (this._getAutoReconnectMaxRetries() !== -1) {
2d23953a 655 logger.error(`${this._logPrefix()} Socket reconnect failure: max retries reached (${this._autoReconnectRetryCount}) or retry disabled (${this._getAutoReconnectMaxRetries()})`);
5ad8570f
JB
656 }
657 }
658
136c90ba 659 async onOpen(): Promise<void> {
ead548f2 660 logger.info(`${this._logPrefix()} Is connected to server through ${this._wsConnectionUrl}`);
32a1eb7a 661 if (!this._isRegistered()) {
0bbcb3dc 662 // Send BootNotification
32a1eb7a 663 let registrationRetryCount = 0;
f738a0e9 664 do {
f738a0e9 665 this._bootNotificationResponse = await this.sendBootNotification();
32a1eb7a
JB
666 if (!this._isRegistered()) {
667 registrationRetryCount++;
c55b9bc2 668 await Utils.sleep(this._bootNotificationResponse?.interval ? this._bootNotificationResponse.interval * 1000 : Constants.OCPP_DEFAULT_BOOT_NOTIFICATION_INTERVAL);
32a1eb7a
JB
669 }
670 } while (!this._isRegistered() && (registrationRetryCount <= this._getRegistrationMaxRetries() || this._getRegistrationMaxRetries() === -1));
0bbcb3dc 671 }
32a1eb7a
JB
672 if (this._isRegistered()) {
673 await this._startMessageSequence();
674 if (this._hasSocketRestarted && this._isWebSocketOpen()) {
675 if (!Utils.isEmptyArray(this._messageQueue)) {
676 this._messageQueue.forEach((message, index) => {
63b48f77 677 this._messageQueue.splice(index, 1);
7dde0b73 678 this._wsConnection.send(message);
32a1eb7a
JB
679 });
680 }
7dde0b73 681 }
32a1eb7a 682 } else {
2d23953a 683 logger.error(`${this._logPrefix()} Registration failure: max retries reached (${this._getRegistrationMaxRetries()}) or retry disabled (${this._getRegistrationMaxRetries()})`);
7dde0b73 684 }
136c90ba 685 this._autoReconnectRetryCount = 0;
032d6efc 686 this._hasSocketRestarted = false;
7dde0b73
JB
687 }
688
032d6efc 689 async onError(errorEvent): Promise<void> {
32a1eb7a
JB
690 logger.error(this._logPrefix() + ' Socket error: %j', errorEvent);
691 // pragma switch (errorEvent.code) {
692 // case 'ECONNREFUSED':
693 // await this._reconnect(errorEvent);
694 // break;
695 // }
7dde0b73
JB
696 }
697
032d6efc 698 async onClose(closeEvent): Promise<void> {
a324ad9b 699 switch (closeEvent) {
32a1eb7a
JB
700 case WebSocketCloseEventStatusCode.CLOSE_NORMAL: // Normal close
701 case WebSocketCloseEventStatusCode.CLOSE_NO_STATUS:
702 logger.info(`${this._logPrefix()} Socket normally closed with status '${Utils.getWebSocketCloseEventStatusString(closeEvent)}'`);
7dde0b73
JB
703 this._autoReconnectRetryCount = 0;
704 break;
705 default: // Abnormal close
32a1eb7a 706 logger.error(`${this._logPrefix()} Socket abnormally closed with status '${Utils.getWebSocketCloseEventStatusString(closeEvent)}'`);
032d6efc 707 await this._reconnect(closeEvent);
7dde0b73
JB
708 break;
709 }
710 }
711
6b0ce541 712 onPing(): void {
ead548f2 713 logger.debug(this._logPrefix() + ' Has received a WS ping (rfc6455) from the server');
7dde0b73
JB
714 }
715
136c90ba
JB
716 onPong(): void {
717 logger.debug(this._logPrefix() + ' Has received a WS pong (rfc6455) from the server');
718 }
719
720 async onMessage(messageEvent: MessageEvent): Promise<void> {
690e5af7 721 let [messageType, messageId, commandName, commandPayload, errorDetails]: IncomingRequest = [0, '', '' as IncomingRequestCommand, {}, {}];
5b0e583f 722 let responseCallback: (payload?: Record<string, unknown> | string, requestPayload?: Record<string, unknown>) => void;
d0641efa
JB
723 let rejectCallback: (error: OCPPError) => void;
724 let requestPayload: Record<string, unknown>;
725 let errMsg: string;
7dde0b73 726 try {
2d8cee5a 727 // Parse the message
5bd15d76 728 [messageType, messageId, commandName, commandPayload, errorDetails] = JSON.parse(messageEvent.toString()) as IncomingRequest;
2d8cee5a 729
7dde0b73
JB
730 // Check the Type of message
731 switch (messageType) {
732 // Incoming Message
d2a64eb5 733 case MessageType.CALL_MESSAGE:
7f134aca 734 if (this.getEnableStatistics()) {
d0641efa 735 this._statistics.addMessage(commandName, messageType);
7f134aca 736 }
7dde0b73 737 // Process the call
d0641efa 738 await this.handleRequest(messageId, commandName, commandPayload);
7dde0b73
JB
739 break;
740 // Outcome Message
d2a64eb5 741 case MessageType.CALL_RESULT_MESSAGE:
7dde0b73 742 // Respond
7dde0b73
JB
743 if (Utils.isIterable(this._requests[messageId])) {
744 [responseCallback, , requestPayload] = this._requests[messageId];
745 } else {
5933cbc8 746 throw new Error(`Response request for message id ${messageId} is not iterable`);
7dde0b73
JB
747 }
748 if (!responseCallback) {
749 // Error
a979cc12 750 throw new Error(`Response request for unknown message id ${messageId}`);
7dde0b73
JB
751 }
752 delete this._requests[messageId];
690e5af7 753 responseCallback(commandName, requestPayload);
7dde0b73
JB
754 break;
755 // Error Message
d2a64eb5 756 case MessageType.CALL_ERROR_MESSAGE:
7dde0b73
JB
757 if (!this._requests[messageId]) {
758 // Error
a979cc12 759 throw new Error(`Error request for unknown message id ${messageId}`);
7dde0b73 760 }
7dde0b73
JB
761 if (Utils.isIterable(this._requests[messageId])) {
762 [, rejectCallback] = this._requests[messageId];
763 } else {
5933cbc8 764 throw new Error(`Error request for message id ${messageId} is not iterable`);
7dde0b73
JB
765 }
766 delete this._requests[messageId];
5b0e583f 767 rejectCallback(new OCPPError(commandName, commandPayload.toString(), errorDetails));
7dde0b73
JB
768 break;
769 // Error
770 default:
d0641efa 771 errMsg = `${this._logPrefix()} Wrong message type ${messageType}`;
7f134aca
JB
772 logger.error(errMsg);
773 throw new Error(errMsg);
7dde0b73
JB
774 }
775 } catch (error) {
776 // Log
5bd15d76 777 logger.error('%s Incoming message %j processing error %j on request content type %j', this._logPrefix(), messageEvent, error, this._requests[messageId]);
7dde0b73 778 // Send error
5bd15d76 779 messageType !== MessageType.CALL_ERROR_MESSAGE && await this.sendError(messageId, error, commandName);
7dde0b73
JB
780 }
781 }
782
6b0ce541 783 async sendHeartbeat(): Promise<void> {
0a60c33c 784 try {
f738a0e9 785 const payload: HeartbeatRequest = {};
d9f60ba1 786 await this.sendMessage(Utils.generateUUID(), payload, MessageType.CALL_MESSAGE, RequestCommand.HEARTBEAT);
0a60c33c 787 } catch (error) {
d9f60ba1 788 this.handleRequestError(RequestCommand.HEARTBEAT, error);
0a60c33c
JB
789 }
790 }
791
f738a0e9 792 async sendBootNotification(): Promise<BootNotificationResponse> {
0a60c33c 793 try {
d9f60ba1 794 return await this.sendMessage(Utils.generateUUID(), this._bootNotificationRequest, MessageType.CALL_MESSAGE, RequestCommand.BOOT_NOTIFICATION) as BootNotificationResponse;
0a60c33c 795 } catch (error) {
d9f60ba1 796 this.handleRequestError(RequestCommand.BOOT_NOTIFICATION, error);
0a60c33c
JB
797 }
798 }
799
10570d97 800 async sendStatusNotification(connectorId: number, status: ChargePointStatus, errorCode: ChargePointErrorCode = ChargePointErrorCode.NO_ERROR): Promise<void> {
6b0ce541 801 this.getConnector(connectorId).status = status;
5ad8570f 802 try {
f738a0e9 803 const payload: StatusNotificationRequest = {
5ad8570f
JB
804 connectorId,
805 errorCode,
806 status,
807 };
d9f60ba1 808 await this.sendMessage(Utils.generateUUID(), payload, MessageType.CALL_MESSAGE, RequestCommand.STATUS_NOTIFICATION);
5ad8570f 809 } catch (error) {
d9f60ba1 810 this.handleRequestError(RequestCommand.STATUS_NOTIFICATION, error);
027b409a
JB
811 }
812 }
813
9ac86a7e 814 async sendStartTransaction(connectorId: number, idTag?: string): Promise<StartTransactionResponse> {
5ad8570f 815 try {
f738a0e9 816 const payload: StartTransactionRequest = {
bec64e8b 817 connectorId,
9ac86a7e 818 ...!Utils.isUndefined(idTag) ? { idTag } : { idTag: Constants.TRANSACTION_DEFAULT_IDTAG },
5ad8570f
JB
819 meterStart: 0,
820 timestamp: new Date().toISOString(),
821 };
d9f60ba1 822 return await this.sendMessage(Utils.generateUUID(), payload, MessageType.CALL_MESSAGE, RequestCommand.START_TRANSACTION) as StartTransactionResponse;
5ad8570f 823 } catch (error) {
d9f60ba1 824 this.handleRequestError(RequestCommand.START_TRANSACTION, error);
7dde0b73
JB
825 }
826 }
827
9ac86a7e 828 async sendStopTransaction(transactionId: number, reason: StopTransactionReason = StopTransactionReason.NONE): Promise<StopTransactionResponse> {
032d6efc 829 const idTag = this._getTransactionIdTag(transactionId);
027b409a 830 try {
f738a0e9 831 const payload: StopTransactionRequest = {
38c8fd6c 832 transactionId,
9ac86a7e 833 ...!Utils.isUndefined(idTag) && { idTag: idTag },
1aaa98df 834 meterStop: this._getTransactionMeterStop(transactionId),
38c8fd6c 835 timestamp: new Date().toISOString(),
6af9012e 836 ...reason && { reason },
38c8fd6c 837 };
d9f60ba1 838 return await this.sendMessage(Utils.generateUUID(), payload, MessageType.CALL_MESSAGE, RequestCommand.STOP_TRANSACTION) as StartTransactionResponse;
027b409a 839 } catch (error) {
d9f60ba1 840 this.handleRequestError(RequestCommand.STOP_TRANSACTION, error);
027b409a
JB
841 }
842 }
843
5b0e583f 844 async sendError(messageId: string, error: OCPPError, commandName: RequestCommand | IncomingRequestCommand): Promise<unknown> {
5ad8570f 845 // Send error
d2a64eb5 846 return this.sendMessage(messageId, error, MessageType.CALL_ERROR_MESSAGE, commandName);
027b409a
JB
847 }
848
5b0e583f 849 async sendMessage(messageId: string, commandParams: any, messageType: MessageType = MessageType.CALL_RESULT_MESSAGE, commandName: RequestCommand | IncomingRequestCommand): Promise<any> {
65c5527e 850 // eslint-disable-next-line @typescript-eslint/no-this-alias
7dde0b73 851 const self = this;
6af9012e 852 // Send a message through wsConnection
df85700c 853 return new Promise((resolve: (value?: any | PromiseLike<any>) => void, reject: (reason?: any) => void) => {
6c4564bc 854 let messageToSend: string;
7dde0b73
JB
855 // Type of message
856 switch (messageType) {
857 // Request
d2a64eb5 858 case MessageType.CALL_MESSAGE:
7dde0b73 859 // Build request
5bd15d76 860 this._requests[messageId] = [responseCallback, rejectCallback, commandParams] as Request;
7f134aca 861 messageToSend = JSON.stringify([messageType, messageId, commandName, commandParams]);
7dde0b73
JB
862 break;
863 // Response
d2a64eb5 864 case MessageType.CALL_RESULT_MESSAGE:
7dde0b73 865 // Build response
7f134aca 866 messageToSend = JSON.stringify([messageType, messageId, commandParams]);
7dde0b73
JB
867 break;
868 // Error Message
d2a64eb5 869 case MessageType.CALL_ERROR_MESSAGE:
a979cc12 870 // Build Error Message
d2a64eb5 871 messageToSend = JSON.stringify([messageType, messageId, commandParams.code ? commandParams.code : ErrorType.GENERIC_ERROR, commandParams.message ? commandParams.message : '', commandParams.details ? commandParams.details : {}]);
7dde0b73
JB
872 break;
873 }
32a1eb7a 874 // Check if wsConnection opened and charging station registered
d9f60ba1 875 if (this._isWebSocketOpen() && (this._isRegistered() || commandName === RequestCommand.BOOT_NOTIFICATION)) {
7f134aca
JB
876 if (this.getEnableStatistics()) {
877 this._statistics.addMessage(commandName, messageType);
878 }
7dde0b73
JB
879 // Yes: Send Message
880 this._wsConnection.send(messageToSend);
690e5af7 881 } else if (commandName !== RequestCommand.BOOT_NOTIFICATION) {
7f134aca
JB
882 let dups = false;
883 // Handle dups in buffer
884 for (const message of this._messageQueue) {
885 // Same message
6c4564bc 886 if (messageToSend === message) {
7f134aca
JB
887 dups = true;
888 break;
889 }
890 }
891 if (!dups) {
892 // Buffer message
893 this._messageQueue.push(messageToSend);
894 }
a979cc12 895 // Reject it
d2a64eb5 896 return rejectCallback(new OCPPError(commandParams.code ? commandParams.code : ErrorType.GENERIC_ERROR, commandParams.message ? commandParams.message : `WebSocket closed for message id '${messageId}' with content '${messageToSend}', message buffered`, commandParams.details ? commandParams.details : {}));
7dde0b73 897 }
a979cc12 898 // Response?
d2a64eb5 899 if (messageType === MessageType.CALL_RESULT_MESSAGE) {
7dde0b73
JB
900 // Yes: send Ok
901 resolve();
d2a64eb5 902 } else if (messageType === MessageType.CALL_ERROR_MESSAGE) {
a979cc12 903 // Send timeout
679125d9 904 setTimeout(() => rejectCallback(new OCPPError(commandParams.code ? commandParams.code : ErrorType.GENERIC_ERROR, commandParams.message ? commandParams.message : `Timeout for message id '${messageId}' with content '${messageToSend}'`, commandParams.details ? commandParams.details : {})), Constants.OCPP_ERROR_TIMEOUT);
7dde0b73
JB
905 }
906
907 // Function that will receive the request's response
690e5af7 908 async function responseCallback(payload: Record<string, unknown> | string, requestPayload: Record<string, unknown>): Promise<void> {
7f134aca
JB
909 if (self.getEnableStatistics()) {
910 self._statistics.addMessage(commandName, messageType);
911 }
7dde0b73 912 // Send the response
d9f60ba1 913 await self.handleResponse(commandName as RequestCommand, payload, requestPayload);
7dde0b73
JB
914 resolve(payload);
915 }
916
917 // Function that will receive the request's rejection
7f134aca 918 function rejectCallback(error: OCPPError): void {
8bce55bf 919 if (self.getEnableStatistics()) {
7f134aca 920 self._statistics.addMessage(commandName, messageType);
8bce55bf 921 }
6bf6769e 922 logger.debug(`${self._logPrefix()} Error: %j occurred when calling command %s with parameters: %j`, error, commandName, commandParams);
7dde0b73
JB
923 // Build Exception
924 // eslint-disable-next-line no-empty-function
e118beaa 925 self._requests[messageId] = [() => { }, () => { }, {}]; // Properly format the request
7dde0b73
JB
926 // Send error
927 reject(error);
928 }
929 });
930 }
931
690e5af7 932 async handleResponse(commandName: RequestCommand, payload: Record<string, unknown> | string, requestPayload: Record<string, unknown>): Promise<void> {
3f40bc9c 933 const responseCallbackFn = 'handleResponse' + commandName;
6af9012e 934 if (typeof this[responseCallbackFn] === 'function') {
4d9bf03b 935 await this[responseCallbackFn](payload, requestPayload);
3f40bc9c 936 } else {
6af9012e 937 logger.error(this._logPrefix() + ' Trying to call an undefined response callback function: ' + responseCallbackFn);
3f40bc9c
JB
938 }
939 }
940
f738a0e9
JB
941 handleResponseBootNotification(payload: BootNotificationResponse, requestPayload: BootNotificationRequest): void {
942 if (payload.status === RegistrationStatus.ACCEPTED) {
136c90ba 943 this._heartbeatSetInterval ? this._restartHeartbeat() : this._startHeartbeat();
6a64534b
JB
944 this._addConfigurationKey(StandardParametersKey.HeartBeatInterval, payload.interval.toString());
945 this._addConfigurationKey(StandardParametersKey.HeartbeatInterval, payload.interval.toString(), false, false);
9ac86a7e 946 this._hasStopped && (this._hasStopped = false);
f738a0e9 947 } else if (payload.status === RegistrationStatus.PENDING) {
fda4af57 948 logger.info(this._logPrefix() + ' Charging station in pending state on the central server');
5ad8570f 949 } else {
ead548f2 950 logger.info(this._logPrefix() + ' Charging station rejected by the central server');
7dde0b73 951 }
7dde0b73
JB
952 }
953
10570d97 954 _initTransactionOnConnector(connectorId: number): void {
8bce55bf
JB
955 this.getConnector(connectorId).transactionStarted = false;
956 this.getConnector(connectorId).transactionId = null;
957 this.getConnector(connectorId).idTag = null;
958 this.getConnector(connectorId).lastEnergyActiveImportRegisterValue = -1;
0a60c33c
JB
959 }
960
10570d97 961 _resetTransactionOnConnector(connectorId: number): void {
bec64e8b 962 this._initTransactionOnConnector(connectorId);
4dff73b0 963 if (this.getConnector(connectorId)?.transactionSetInterval) {
8bce55bf 964 clearInterval(this.getConnector(connectorId).transactionSetInterval);
027b409a
JB
965 }
966 }
967
4d9bf03b 968 async handleResponseStartTransaction(payload: StartTransactionResponse, requestPayload: StartTransactionRequest): Promise<void> {
6d3a11a0 969 const connectorId = requestPayload.connectorId;
84393381 970
9ac86a7e 971 let transactionConnectorId: number;
7de604f9 972 for (const connector in this._connectors) {
593cf3f9 973 if (Utils.convertToInt(connector) > 0 && Utils.convertToInt(connector) === connectorId) {
9ac86a7e 974 transactionConnectorId = Utils.convertToInt(connector);
7de604f9 975 break;
7dde0b73 976 }
7de604f9
JB
977 }
978 if (!transactionConnectorId) {
ab24beae 979 logger.error(this._logPrefix() + ' Trying to start a transaction on a non existing connector Id ' + connectorId.toString());
7de604f9
JB
980 return;
981 }
4dff73b0
JB
982 if (this.getConnector(connectorId)?.transactionStarted) {
983 logger.debug(this._logPrefix() + ' Trying to start a transaction on an already used connector ' + connectorId.toString() + ': %j', this.getConnector(connectorId));
984 return;
985 }
986
987 if (payload.idTagInfo.status === AuthorizationStatus.ACCEPTED) {
7ec46a9a
JB
988 this.getConnector(connectorId).transactionStarted = true;
989 this.getConnector(connectorId).transactionId = payload.transactionId;
990 this.getConnector(connectorId).idTag = requestPayload.idTag;
991 this.getConnector(connectorId).lastEnergyActiveImportRegisterValue = 0;
4d9bf03b 992 await this.sendStatusNotification(connectorId, ChargePointStatus.CHARGING);
7ec46a9a 993 logger.info(this._logPrefix() + ' Transaction ' + payload.transactionId.toString() + ' STARTED on ' + this._stationInfo.name + '#' + connectorId.toString() + ' for idTag ' + requestPayload.idTag);
6ecb15e4
JB
994 if (this._stationInfo.powerSharedByConnectors) {
995 this._stationInfo.powerDivider++;
996 }
6a64534b 997 const configuredMeterValueSampleInterval = this._getConfigurationKey(StandardParametersKey.MeterValueSampleInterval);
7ec46a9a 998 this._startMeterValues(connectorId,
e118beaa 999 configuredMeterValueSampleInterval ? Utils.convertToInt(configuredMeterValueSampleInterval.value) * 1000 : 60000);
7dde0b73 1000 } else {
f738a0e9 1001 logger.error(this._logPrefix() + ' Starting transaction id ' + payload.transactionId.toString() + ' REJECTED with status ' + payload.idTagInfo.status + ', idTag ' + requestPayload.idTag);
7ec46a9a 1002 this._resetTransactionOnConnector(connectorId);
4d9bf03b 1003 await this.sendStatusNotification(connectorId, ChargePointStatus.AVAILABLE);
7dde0b73
JB
1004 }
1005 }
1006
4d9bf03b 1007 async handleResponseStopTransaction(payload: StopTransactionResponse, requestPayload: StopTransactionRequest): Promise<void> {
9ac86a7e 1008 let transactionConnectorId: number;
d3a7883e 1009 for (const connector in this._connectors) {
4dff73b0 1010 if (Utils.convertToInt(connector) > 0 && this.getConnector(Utils.convertToInt(connector))?.transactionId === requestPayload.transactionId) {
9ac86a7e 1011 transactionConnectorId = Utils.convertToInt(connector);
d3a7883e
JB
1012 break;
1013 }
1014 }
1015 if (!transactionConnectorId) {
f738a0e9 1016 logger.error(this._logPrefix() + ' Trying to stop a non existing transaction ' + requestPayload.transactionId.toString());
7de604f9 1017 return;
d3a7883e 1018 }
9ac86a7e 1019 if (payload.idTagInfo?.status === AuthorizationStatus.ACCEPTED) {
17991e8c
JB
1020 if (!this._isChargingStationAvailable() || !this._isConnectorAvailable(transactionConnectorId)) {
1021 await this.sendStatusNotification(transactionConnectorId, ChargePointStatus.UNAVAILABLE);
1022 } else {
1023 await this.sendStatusNotification(transactionConnectorId, ChargePointStatus.AVAILABLE);
1024 }
6ecb15e4
JB
1025 if (this._stationInfo.powerSharedByConnectors) {
1026 this._stationInfo.powerDivider--;
1027 }
f738a0e9 1028 logger.info(this._logPrefix() + ' Transaction ' + requestPayload.transactionId.toString() + ' STOPPED on ' + this._stationInfo.name + '#' + transactionConnectorId.toString());
d3a7883e 1029 this._resetTransactionOnConnector(transactionConnectorId);
34dcb3b5 1030 } else {
f738a0e9 1031 logger.error(this._logPrefix() + ' Stopping transaction id ' + requestPayload.transactionId.toString() + ' REJECTED with status ' + payload.idTagInfo?.status);
34dcb3b5
JB
1032 }
1033 }
1034
f738a0e9 1035 handleResponseStatusNotification(payload: StatusNotificationRequest, requestPayload: StatusNotificationResponse): void {
ead548f2 1036 logger.debug(this._logPrefix() + ' Status notification response received: %j to StatusNotification request: %j', payload, requestPayload);
7dde0b73
JB
1037 }
1038
f738a0e9 1039 handleResponseMeterValues(payload: MeterValuesRequest, requestPayload: MeterValuesResponse): void {
ead548f2 1040 logger.debug(this._logPrefix() + ' MeterValues response received: %j to MeterValues request: %j', payload, requestPayload);
027b409a
JB
1041 }
1042
f738a0e9 1043 handleResponseHeartbeat(payload: HeartbeatResponse, requestPayload: HeartbeatRequest): void {
ead548f2 1044 logger.debug(this._logPrefix() + ' Heartbeat response received: %j to Heartbeat request: %j', payload, requestPayload);
7dde0b73
JB
1045 }
1046
690e5af7 1047 async handleRequest(messageId: string, commandName: IncomingRequestCommand, commandPayload: Record<string, unknown>): Promise<void> {
3f40bc9c 1048 let response;
7dde0b73 1049 // Call
fda4af57 1050 if (typeof this['handleRequest' + commandName] === 'function') {
7dde0b73 1051 try {
3f40bc9c 1052 // Call the method to build the response
fda4af57 1053 response = await this['handleRequest' + commandName](commandPayload);
7dde0b73
JB
1054 } catch (error) {
1055 // Log
7ec46a9a 1056 logger.error(this._logPrefix() + ' Handle request error: %j', error);
facd8ebd 1057 // Send back response to inform backend
7f134aca
JB
1058 await this.sendError(messageId, error, commandName);
1059 throw error;
7dde0b73
JB
1060 }
1061 } else {
84393381 1062 // Throw exception
d2a64eb5 1063 await this.sendError(messageId, new OCPPError(ErrorType.NOT_IMPLEMENTED, `${commandName} is not implemented`, {}), commandName);
7dde0b73
JB
1064 throw new Error(`${commandName} is not implemented ${JSON.stringify(commandPayload, null, ' ')}`);
1065 }
84393381 1066 // Send response
d2a64eb5 1067 await this.sendMessage(messageId, response, MessageType.CALL_RESULT_MESSAGE, commandName);
7dde0b73
JB
1068 }
1069
fda4af57 1070 // Simulate charging station restart
f738a0e9 1071 handleRequestReset(commandPayload: ResetRequest): DefaultResponse {
5ad8570f 1072 setImmediate(async () => {
9ac86a7e 1073 await this.stop(commandPayload.type + 'Reset' as StopTransactionReason);
0a60c33c 1074 await Utils.sleep(this._stationInfo.resetTime);
5ad8570f
JB
1075 await this.start();
1076 });
9ac86a7e 1077 logger.info(`${this._logPrefix()} ${commandPayload.type} reset command received, simulating it. The station will be back online in ${Utils.milliSecondsToHHMMSS(this._stationInfo.resetTime)}`);
5ad8570f
JB
1078 return Constants.OCPP_RESPONSE_ACCEPTED;
1079 }
1080
f738a0e9 1081 handleRequestClearCache(): DefaultResponse {
a410f7c2
JB
1082 return Constants.OCPP_RESPONSE_ACCEPTED;
1083 }
1084
f738a0e9 1085 async handleRequestUnlockConnector(commandPayload: UnlockConnectorRequest): Promise<UnlockConnectorResponse> {
6d3a11a0 1086 const connectorId = commandPayload.connectorId;
9ac86a7e 1087 if (connectorId === 0) {
ab24beae 1088 logger.error(this._logPrefix() + ' Trying to unlock connector ' + connectorId.toString());
9ac86a7e
JB
1089 return Constants.OCPP_RESPONSE_UNLOCK_NOT_SUPPORTED;
1090 }
4dff73b0 1091 if (this.getConnector(connectorId)?.transactionStarted) {
9ac86a7e
JB
1092 const stopResponse = await this.sendStopTransaction(this.getConnector(connectorId).transactionId, StopTransactionReason.UNLOCK_COMMAND);
1093 if (stopResponse.idTagInfo?.status === AuthorizationStatus.ACCEPTED) {
1094 return Constants.OCPP_RESPONSE_UNLOCKED;
1095 }
1096 return Constants.OCPP_RESPONSE_UNLOCK_FAILED;
1097 }
1098 await this.sendStatusNotification(connectorId, ChargePointStatus.AVAILABLE);
1099 return Constants.OCPP_RESPONSE_UNLOCKED;
1100 }
1101
6a64534b 1102 _getConfigurationKey(key: string | StandardParametersKey, caseInsensitive = false): ConfigurationKey {
f7a1d1a9 1103 const configurationKey: ConfigurationKey = this._configuration.configurationKey.find((configElement) => {
1b0147ca
JB
1104 if (caseInsensitive) {
1105 return configElement.key.toLowerCase() === key.toLowerCase();
1106 }
1107 return configElement.key === key;
1108 });
f7a1d1a9 1109 return configurationKey;
61c2e33d
JB
1110 }
1111
6a64534b 1112 _addConfigurationKey(key: string | StandardParametersKey, value: string, readonly = false, visible = true, reboot = false): void {
61c2e33d
JB
1113 const keyFound = this._getConfigurationKey(key);
1114 if (!keyFound) {
1115 this._configuration.configurationKey.push({
1116 key,
1117 readonly,
1118 value,
1119 visible,
3497da01 1120 reboot,
61c2e33d 1121 });
af99a73f
JB
1122 } else {
1123 logger.error(`${this._logPrefix()} Trying to add an already existing configuration key: %j`, keyFound);
61c2e33d
JB
1124 }
1125 }
1126
6a64534b 1127 _setConfigurationKeyValue(key: string | StandardParametersKey, value: string): void {
61c2e33d
JB
1128 const keyFound = this._getConfigurationKey(key);
1129 if (keyFound) {
d3a7883e
JB
1130 const keyIndex = this._configuration.configurationKey.indexOf(keyFound);
1131 this._configuration.configurationKey[keyIndex].value = value;
af99a73f 1132 } else {
df6dddca 1133 logger.error(`${this._logPrefix()} Trying to set a value on a non existing configuration key: %j`, { key, value });
61c2e33d
JB
1134 }
1135 }
1136
f738a0e9 1137 handleRequestGetConfiguration(commandPayload: GetConfigurationRequest): GetConfigurationResponse {
f7a1d1a9 1138 const configurationKey: OCPPConfigurationKey[] = [];
e118beaa 1139 const unknownKey: string[] = [];
61c2e33d
JB
1140 if (Utils.isEmptyArray(commandPayload.key)) {
1141 for (const configuration of this._configuration.configurationKey) {
1142 if (Utils.isUndefined(configuration.visible)) {
1143 configuration.visible = true;
61c2e33d
JB
1144 }
1145 if (!configuration.visible) {
1146 continue;
1147 }
1148 configurationKey.push({
1149 key: configuration.key,
1150 readonly: configuration.readonly,
1151 value: configuration.value,
1152 });
facd8ebd 1153 }
61c2e33d 1154 } else {
f738a0e9 1155 for (const key of commandPayload.key) {
9ac86a7e 1156 const keyFound = this._getConfigurationKey(key);
61c2e33d
JB
1157 if (keyFound) {
1158 if (Utils.isUndefined(keyFound.visible)) {
1159 keyFound.visible = true;
61c2e33d
JB
1160 }
1161 if (!keyFound.visible) {
1162 continue;
1163 }
1164 configurationKey.push({
1165 key: keyFound.key,
1166 readonly: keyFound.readonly,
1167 value: keyFound.value,
1168 });
1169 } else {
9ac86a7e 1170 unknownKey.push(key);
61c2e33d 1171 }
facd8ebd 1172 }
facd8ebd
JB
1173 }
1174 return {
1175 configurationKey,
1176 unknownKey,
1177 };
7dde0b73
JB
1178 }
1179
f738a0e9 1180 handleRequestChangeConfiguration(commandPayload: ChangeConfigurationRequest): ChangeConfigurationResponse {
6d3a11a0
JB
1181 // JSON request fields type sanity check
1182 if (!Utils.isString(commandPayload.key)) {
1183 logger.error(`${this._logPrefix()} ChangeConfiguration request key field is not a string:`, commandPayload);
1184 }
1185 if (!Utils.isString(commandPayload.value)) {
1186 logger.error(`${this._logPrefix()} ChangeConfiguration request value field is not a string:`, commandPayload);
1187 }
1b0147ca 1188 const keyToChange = this._getConfigurationKey(commandPayload.key, true);
7d887a1b 1189 if (!keyToChange) {
9ac86a7e
JB
1190 return Constants.OCPP_CONFIGURATION_RESPONSE_NOT_SUPPORTED;
1191 } else if (keyToChange && keyToChange.readonly) {
1192 return Constants.OCPP_CONFIGURATION_RESPONSE_REJECTED;
1193 } else if (keyToChange && !keyToChange.readonly) {
a6e68f34 1194 const keyIndex = this._configuration.configurationKey.indexOf(keyToChange);
136c90ba
JB
1195 let valueChanged = false;
1196 if (this._configuration.configurationKey[keyIndex].value !== commandPayload.value) {
f738a0e9 1197 this._configuration.configurationKey[keyIndex].value = commandPayload.value;
136c90ba
JB
1198 valueChanged = true;
1199 }
d3a7883e 1200 let triggerHeartbeatRestart = false;
6a64534b
JB
1201 if (keyToChange.key === StandardParametersKey.HeartBeatInterval && valueChanged) {
1202 this._setConfigurationKeyValue(StandardParametersKey.HeartbeatInterval, commandPayload.value);
d3a7883e
JB
1203 triggerHeartbeatRestart = true;
1204 }
6a64534b
JB
1205 if (keyToChange.key === StandardParametersKey.HeartbeatInterval && valueChanged) {
1206 this._setConfigurationKeyValue(StandardParametersKey.HeartBeatInterval, commandPayload.value);
d3a7883e
JB
1207 triggerHeartbeatRestart = true;
1208 }
1209 if (triggerHeartbeatRestart) {
136c90ba
JB
1210 this._restartHeartbeat();
1211 }
6a64534b 1212 if (keyToChange.key === StandardParametersKey.WebSocketPingInterval && valueChanged) {
136c90ba 1213 this._restartWebSocketPing();
5c68da4d 1214 }
9ac86a7e
JB
1215 if (keyToChange.reboot) {
1216 return Constants.OCPP_CONFIGURATION_RESPONSE_REBOOT_REQUIRED;
7d887a1b 1217 }
9ac86a7e 1218 return Constants.OCPP_CONFIGURATION_RESPONSE_ACCEPTED;
7dde0b73 1219 }
7dde0b73
JB
1220 }
1221
8c476a1f
JB
1222 handleRequestSetChargingProfile(commandPayload: SetChargingProfileRequest): SetChargingProfileResponse {
1223 if (!this.getConnector(commandPayload.connectorId)) {
1224 logger.error(`${this._logPrefix()} Trying to set a charging profile to a non existing connector Id ${commandPayload.connectorId}`);
1225 return Constants.OCPP_CHARGING_PROFILE_RESPONSE_REJECTED;
1226 }
1227 if (commandPayload.csChargingProfiles.chargingProfilePurpose === ChargingProfilePurposeType.TX_PROFILE && !this.getConnector(commandPayload.connectorId)?.transactionStarted) {
1228 return Constants.OCPP_CHARGING_PROFILE_RESPONSE_REJECTED;
1229 }
1230 this.getConnector(commandPayload.connectorId).chargingProfiles.forEach((chargingProfile: ChargingProfile, index: number) => {
1231 if (chargingProfile.chargingProfileId === commandPayload.csChargingProfiles.chargingProfileId
1232 || (chargingProfile.stackLevel === commandPayload.csChargingProfiles.stackLevel && chargingProfile.chargingProfilePurpose === commandPayload.csChargingProfiles.chargingProfilePurpose)) {
1233 this.getConnector(commandPayload.connectorId).chargingProfiles[index] = chargingProfile;
1234 return Constants.OCPP_CHARGING_PROFILE_RESPONSE_ACCEPTED;
1235 }
1236 });
1237 this.getConnector(commandPayload.connectorId).chargingProfiles.push(commandPayload.csChargingProfiles);
1238 return Constants.OCPP_CHARGING_PROFILE_RESPONSE_ACCEPTED;
1239 }
1240
4dff73b0
JB
1241 handleRequestChangeAvailability(commandPayload: ChangeAvailabilityRequest): ChangeAvailabilityResponse {
1242 const connectorId: number = commandPayload.connectorId;
1243 if (!this.getConnector(connectorId)) {
1244 logger.error(`${this._logPrefix()} Trying to change the availability of a non existing connector Id ${connectorId.toString()}`);
1245 return Constants.OCPP_AVAILABILITY_RESPONSE_REJECTED;
1246 }
1247 const chargePointStatus: ChargePointStatus = commandPayload.type === AvailabilityType.OPERATIVE ? ChargePointStatus.AVAILABLE : ChargePointStatus.UNAVAILABLE;
1248 if (connectorId === 0) {
1249 let response: ChangeAvailabilityResponse = Constants.OCPP_AVAILABILITY_RESPONSE_ACCEPTED;
1250 for (const connector in this._connectors) {
1251 if (this.getConnector(Utils.convertToInt(connector)).transactionStarted) {
1252 response = Constants.OCPP_AVAILABILITY_RESPONSE_SCHEDULED;
1253 }
1254 this.getConnector(Utils.convertToInt(connector)).availability = commandPayload.type;
17991e8c 1255 response === Constants.OCPP_AVAILABILITY_RESPONSE_ACCEPTED && this.sendStatusNotification(Utils.convertToInt(connector), chargePointStatus);
4dff73b0
JB
1256 }
1257 return response;
1258 } else if (connectorId > 0 && (this.getConnector(0).availability === AvailabilityType.OPERATIVE || (this.getConnector(0).availability === AvailabilityType.INOPERATIVE && commandPayload.type === AvailabilityType.INOPERATIVE))) {
1259 if (this.getConnector(connectorId)?.transactionStarted) {
1260 this.getConnector(connectorId).availability = commandPayload.type;
4dff73b0
JB
1261 return Constants.OCPP_AVAILABILITY_RESPONSE_SCHEDULED;
1262 }
1263 this.getConnector(connectorId).availability = commandPayload.type;
1264 void this.sendStatusNotification(connectorId, chargePointStatus);
1265 return Constants.OCPP_AVAILABILITY_RESPONSE_ACCEPTED;
1266 }
1267 return Constants.OCPP_AVAILABILITY_RESPONSE_REJECTED;
1268 }
1269
f738a0e9 1270 async handleRequestRemoteStartTransaction(commandPayload: RemoteStartTransactionRequest): Promise<DefaultResponse> {
6d3a11a0 1271 const transactionConnectorID: number = commandPayload.connectorId ? commandPayload.connectorId : 1;
17991e8c
JB
1272 if (this._isChargingStationAvailable() && this._isConnectorAvailable(transactionConnectorID)) {
1273 if (this._getAuthorizeRemoteTxRequests() && this._getLocalAuthListEnabled() && this.hasAuthorizedTags()) {
1274 // Check if authorized
1275 if (this._authorizedTags.find((value) => value === commandPayload.idTag)) {
1276 await this.sendStatusNotification(transactionConnectorID, ChargePointStatus.PREPARING);
1277 // Authorization successful start transaction
1278 await this.sendStartTransaction(transactionConnectorID, commandPayload.idTag);
1279 logger.debug(this._logPrefix() + ' Transaction remotely STARTED on ' + this._stationInfo.name + '#' + transactionConnectorID.toString() + ' for idTag ' + commandPayload.idTag);
1280 return Constants.OCPP_RESPONSE_ACCEPTED;
1281 }
1282 logger.error(this._logPrefix() + ' Remote starting transaction REJECTED on connector Id ' + transactionConnectorID.toString() + ', idTag ' + commandPayload.idTag);
1283 return Constants.OCPP_RESPONSE_REJECTED;
7dde0b73 1284 }
17991e8c
JB
1285 await this.sendStatusNotification(transactionConnectorID, ChargePointStatus.PREPARING);
1286 // No local authorization check required => start transaction
1287 await this.sendStartTransaction(transactionConnectorID, commandPayload.idTag);
1288 logger.debug(this._logPrefix() + ' Transaction remotely STARTED on ' + this._stationInfo.name + '#' + transactionConnectorID.toString() + ' for idTag ' + commandPayload.idTag);
1289 return Constants.OCPP_RESPONSE_ACCEPTED;
1290 }
1291 logger.error(this._logPrefix() + ' Remote starting transaction REJECTED on unavailable connector Id ' + transactionConnectorID.toString() + ', idTag ' + commandPayload.idTag);
1292 return Constants.OCPP_RESPONSE_REJECTED;
027b409a
JB
1293 }
1294
f738a0e9 1295 async handleRequestRemoteStopTransaction(commandPayload: RemoteStopTransactionRequest): Promise<DefaultResponse> {
6d3a11a0 1296 const transactionId = commandPayload.transactionId;
027b409a 1297 for (const connector in this._connectors) {
4dff73b0
JB
1298 if (Utils.convertToInt(connector) > 0 && this.getConnector(Utils.convertToInt(connector))?.transactionId === transactionId) {
1299 await this.sendStatusNotification(Utils.convertToInt(connector), ChargePointStatus.FINISHING);
9ac86a7e 1300 await this.sendStopTransaction(transactionId);
d3a7883e 1301 return Constants.OCPP_RESPONSE_ACCEPTED;
027b409a
JB
1302 }
1303 }
ab24beae 1304 logger.info(this._logPrefix() + ' Trying to remote stop a non existing transaction ' + transactionId.toString());
d3a7883e 1305 return Constants.OCPP_RESPONSE_REJECTED;
7dde0b73 1306 }
d9f60ba1 1307
4dff73b0
JB
1308 // eslint-disable-next-line consistent-this
1309 private async sendMeterValues(connectorId: number, interval: number, self: ChargingStation, debug = false): Promise<void> {
1310 try {
1311 const meterValue: MeterValue = {
1312 timestamp: new Date().toISOString(),
1313 sampledValue: [],
1314 };
1315 const meterValuesTemplate: SampledValue[] = self.getConnector(connectorId).MeterValues;
1316 for (let index = 0; index < meterValuesTemplate.length; index++) {
1317 const connector = self.getConnector(connectorId);
1318 // SoC measurand
1319 if (meterValuesTemplate[index].measurand && meterValuesTemplate[index].measurand === MeterValueMeasurand.STATE_OF_CHARGE && self._getConfigurationKey(StandardParametersKey.MeterValuesSampledData).value.includes(MeterValueMeasurand.STATE_OF_CHARGE)) {
1320 meterValue.sampledValue.push({
1321 ...!Utils.isUndefined(meterValuesTemplate[index].unit) ? { unit: meterValuesTemplate[index].unit } : { unit: MeterValueUnit.PERCENT },
1322 ...!Utils.isUndefined(meterValuesTemplate[index].context) && { context: meterValuesTemplate[index].context },
1323 measurand: meterValuesTemplate[index].measurand,
1324 ...!Utils.isUndefined(meterValuesTemplate[index].location) ? { location: meterValuesTemplate[index].location } : { location: MeterValueLocation.EV },
1325 ...!Utils.isUndefined(meterValuesTemplate[index].value) ? { value: meterValuesTemplate[index].value } : { value: Utils.getRandomInt(100).toString() },
1326 });
1327 const sampledValuesIndex = meterValue.sampledValue.length - 1;
1328 if (Utils.convertToInt(meterValue.sampledValue[sampledValuesIndex].value) > 100 || debug) {
1329 logger.error(`${self._logPrefix()} MeterValues measurand ${meterValue.sampledValue[sampledValuesIndex].measurand ? meterValue.sampledValue[sampledValuesIndex].measurand : MeterValueMeasurand.ENERGY_ACTIVE_IMPORT_REGISTER}: connectorId ${connectorId}, transaction ${connector.transactionId}, value: ${meterValue.sampledValue[sampledValuesIndex].value}/100`);
1330 }
1331 // Voltage measurand
1332 } else if (meterValuesTemplate[index].measurand && meterValuesTemplate[index].measurand === MeterValueMeasurand.VOLTAGE && self._getConfigurationKey(StandardParametersKey.MeterValuesSampledData).value.includes(MeterValueMeasurand.VOLTAGE)) {
1333 const voltageMeasurandValue = Utils.getRandomFloatRounded(self._getVoltageOut() + self._getVoltageOut() * 0.1, self._getVoltageOut() - self._getVoltageOut() * 0.1);
1334 meterValue.sampledValue.push({
1335 ...!Utils.isUndefined(meterValuesTemplate[index].unit) ? { unit: meterValuesTemplate[index].unit } : { unit: MeterValueUnit.VOLT },
1336 ...!Utils.isUndefined(meterValuesTemplate[index].context) && { context: meterValuesTemplate[index].context },
1337 measurand: meterValuesTemplate[index].measurand,
1338 ...!Utils.isUndefined(meterValuesTemplate[index].location) && { location: meterValuesTemplate[index].location },
1339 ...!Utils.isUndefined(meterValuesTemplate[index].value) ? { value: meterValuesTemplate[index].value } : { value: voltageMeasurandValue.toString() },
1340 });
1341 for (let phase = 1; self._getNumberOfPhases() === 3 && phase <= self._getNumberOfPhases(); phase++) {
1342 let phaseValue: string;
1343 if (self._getVoltageOut() >= 0 && self._getVoltageOut() <= 250) {
1344 phaseValue = `L${phase}-N`;
1345 } else if (self._getVoltageOut() > 250) {
1346 phaseValue = `L${phase}-L${(phase + 1) % self._getNumberOfPhases() !== 0 ? (phase + 1) % self._getNumberOfPhases() : self._getNumberOfPhases()}`;
1347 }
1348 meterValue.sampledValue.push({
1349 ...!Utils.isUndefined(meterValuesTemplate[index].unit) ? { unit: meterValuesTemplate[index].unit } : { unit: MeterValueUnit.VOLT },
1350 ...!Utils.isUndefined(meterValuesTemplate[index].context) && { context: meterValuesTemplate[index].context },
1351 measurand: meterValuesTemplate[index].measurand,
1352 ...!Utils.isUndefined(meterValuesTemplate[index].location) && { location: meterValuesTemplate[index].location },
1353 ...!Utils.isUndefined(meterValuesTemplate[index].value) ? { value: meterValuesTemplate[index].value } : { value: voltageMeasurandValue.toString() },
1354 phase: phaseValue as MeterValuePhase,
1355 });
1356 }
1357 // Power.Active.Import measurand
1358 } else if (meterValuesTemplate[index].measurand && meterValuesTemplate[index].measurand === MeterValueMeasurand.POWER_ACTIVE_IMPORT && self._getConfigurationKey(StandardParametersKey.MeterValuesSampledData).value.includes(MeterValueMeasurand.POWER_ACTIVE_IMPORT)) {
1359 // FIXME: factor out powerDivider checks
1360 if (Utils.isUndefined(self._stationInfo.powerDivider)) {
1361 const errMsg = `${self._logPrefix()} MeterValues measurand ${meterValuesTemplate[index].measurand ? meterValuesTemplate[index].measurand : MeterValueMeasurand.ENERGY_ACTIVE_IMPORT_REGISTER}: powerDivider is undefined`;
1362 logger.error(errMsg);
1363 throw Error(errMsg);
1364 } else if (self._stationInfo.powerDivider && self._stationInfo.powerDivider <= 0) {
1365 const errMsg = `${self._logPrefix()} MeterValues measurand ${meterValuesTemplate[index].measurand ? meterValuesTemplate[index].measurand : MeterValueMeasurand.ENERGY_ACTIVE_IMPORT_REGISTER}: powerDivider have zero or below value ${self._stationInfo.powerDivider}`;
1366 logger.error(errMsg);
1367 throw Error(errMsg);
1368 }
1369 const errMsg = `${self._logPrefix()} MeterValues measurand ${meterValuesTemplate[index].measurand ? meterValuesTemplate[index].measurand : MeterValueMeasurand.ENERGY_ACTIVE_IMPORT_REGISTER}: Unknown ${self._getPowerOutType()} powerOutType in template file ${self._stationTemplateFile}, cannot calculate ${meterValuesTemplate[index].measurand ? meterValuesTemplate[index].measurand : MeterValueMeasurand.ENERGY_ACTIVE_IMPORT_REGISTER} measurand value`;
1370 const powerMeasurandValues = {} as MeasurandValues;
1371 const maxPower = Math.round(self._stationInfo.maxPower / self._stationInfo.powerDivider);
1372 const maxPowerPerPhase = Math.round((self._stationInfo.maxPower / self._stationInfo.powerDivider) / self._getNumberOfPhases());
1373 switch (self._getPowerOutType()) {
1374 case PowerOutType.AC:
1375 if (Utils.isUndefined(meterValuesTemplate[index].value)) {
1376 powerMeasurandValues.L1 = Utils.getRandomFloatRounded(maxPowerPerPhase);
1377 powerMeasurandValues.L2 = 0;
1378 powerMeasurandValues.L3 = 0;
1379 if (self._getNumberOfPhases() === 3) {
1380 powerMeasurandValues.L2 = Utils.getRandomFloatRounded(maxPowerPerPhase);
1381 powerMeasurandValues.L3 = Utils.getRandomFloatRounded(maxPowerPerPhase);
1382 }
1383 powerMeasurandValues.allPhases = Utils.roundTo(powerMeasurandValues.L1 + powerMeasurandValues.L2 + powerMeasurandValues.L3, 2);
1384 }
1385 break;
1386 case PowerOutType.DC:
1387 if (Utils.isUndefined(meterValuesTemplate[index].value)) {
1388 powerMeasurandValues.allPhases = Utils.getRandomFloatRounded(maxPower);
1389 }
1390 break;
1391 default:
1392 logger.error(errMsg);
1393 throw Error(errMsg);
1394 }
1395 meterValue.sampledValue.push({
1396 ...!Utils.isUndefined(meterValuesTemplate[index].unit) ? { unit: meterValuesTemplate[index].unit } : { unit: MeterValueUnit.WATT },
1397 ...!Utils.isUndefined(meterValuesTemplate[index].context) && { context: meterValuesTemplate[index].context },
1398 measurand: meterValuesTemplate[index].measurand,
1399 ...!Utils.isUndefined(meterValuesTemplate[index].location) && { location: meterValuesTemplate[index].location },
1400 ...!Utils.isUndefined(meterValuesTemplate[index].value) ? { value: meterValuesTemplate[index].value } : { value: powerMeasurandValues.allPhases.toString() },
1401 });
1402 const sampledValuesIndex = meterValue.sampledValue.length - 1;
1403 if (Utils.convertToFloat(meterValue.sampledValue[sampledValuesIndex].value) > maxPower || debug) {
1404 logger.error(`${self._logPrefix()} MeterValues measurand ${meterValue.sampledValue[sampledValuesIndex].measurand ? meterValue.sampledValue[sampledValuesIndex].measurand : MeterValueMeasurand.ENERGY_ACTIVE_IMPORT_REGISTER}: connectorId ${connectorId}, transaction ${connector.transactionId}, value: ${meterValue.sampledValue[sampledValuesIndex].value}/${maxPower}`);
1405 }
1406 for (let phase = 1; self._getNumberOfPhases() === 3 && phase <= self._getNumberOfPhases(); phase++) {
1407 const phaseValue = `L${phase}-N`;
1408 meterValue.sampledValue.push({
1409 ...!Utils.isUndefined(meterValuesTemplate[index].unit) ? { unit: meterValuesTemplate[index].unit } : { unit: MeterValueUnit.WATT },
1410 ...!Utils.isUndefined(meterValuesTemplate[index].context) && { context: meterValuesTemplate[index].context },
1411 ...!Utils.isUndefined(meterValuesTemplate[index].measurand) && { measurand: meterValuesTemplate[index].measurand },
1412 ...!Utils.isUndefined(meterValuesTemplate[index].location) && { location: meterValuesTemplate[index].location },
1413 ...!Utils.isUndefined(meterValuesTemplate[index].value) ? { value: meterValuesTemplate[index].value } : { value: powerMeasurandValues[`L${phase}`] as string },
1414 phase: phaseValue as MeterValuePhase,
1415 });
1416 }
1417 // Current.Import measurand
1418 } else if (meterValuesTemplate[index].measurand && meterValuesTemplate[index].measurand === MeterValueMeasurand.CURRENT_IMPORT && self._getConfigurationKey(StandardParametersKey.MeterValuesSampledData).value.includes(MeterValueMeasurand.CURRENT_IMPORT)) {
1419 // FIXME: factor out powerDivider checks
1420 if (Utils.isUndefined(self._stationInfo.powerDivider)) {
1421 const errMsg = `${self._logPrefix()} MeterValues measurand ${meterValuesTemplate[index].measurand ? meterValuesTemplate[index].measurand : MeterValueMeasurand.ENERGY_ACTIVE_IMPORT_REGISTER}: powerDivider is undefined`;
1422 logger.error(errMsg);
1423 throw Error(errMsg);
1424 } else if (self._stationInfo.powerDivider && self._stationInfo.powerDivider <= 0) {
1425 const errMsg = `${self._logPrefix()} MeterValues measurand ${meterValuesTemplate[index].measurand ? meterValuesTemplate[index].measurand : MeterValueMeasurand.ENERGY_ACTIVE_IMPORT_REGISTER}: powerDivider have zero or below value ${self._stationInfo.powerDivider}`;
1426 logger.error(errMsg);
1427 throw Error(errMsg);
1428 }
1429 const errMsg = `${self._logPrefix()} MeterValues measurand ${meterValuesTemplate[index].measurand ? meterValuesTemplate[index].measurand : MeterValueMeasurand.ENERGY_ACTIVE_IMPORT_REGISTER}: Unknown ${self._getPowerOutType()} powerOutType in template file ${self._stationTemplateFile}, cannot calculate ${meterValuesTemplate[index].measurand ? meterValuesTemplate[index].measurand : MeterValueMeasurand.ENERGY_ACTIVE_IMPORT_REGISTER} measurand value`;
1430 const currentMeasurandValues: MeasurandValues = {} as MeasurandValues;
1431 let maxAmperage: number;
1432 switch (self._getPowerOutType()) {
1433 case PowerOutType.AC:
1434 maxAmperage = ElectricUtils.ampPerPhaseFromPower(self._getNumberOfPhases(), self._stationInfo.maxPower / self._stationInfo.powerDivider, self._getVoltageOut());
1435 if (Utils.isUndefined(meterValuesTemplate[index].value)) {
1436 currentMeasurandValues.L1 = Utils.getRandomFloatRounded(maxAmperage);
1437 currentMeasurandValues.L2 = 0;
1438 currentMeasurandValues.L3 = 0;
1439 if (self._getNumberOfPhases() === 3) {
1440 currentMeasurandValues.L2 = Utils.getRandomFloatRounded(maxAmperage);
1441 currentMeasurandValues.L3 = Utils.getRandomFloatRounded(maxAmperage);
1442 }
1443 currentMeasurandValues.allPhases = Utils.roundTo((currentMeasurandValues.L1 + currentMeasurandValues.L2 + currentMeasurandValues.L3) / self._getNumberOfPhases(), 2);
1444 }
1445 break;
1446 case PowerOutType.DC:
1447 maxAmperage = ElectricUtils.ampTotalFromPower(self._stationInfo.maxPower / self._stationInfo.powerDivider, self._getVoltageOut());
1448 if (Utils.isUndefined(meterValuesTemplate[index].value)) {
1449 currentMeasurandValues.allPhases = Utils.getRandomFloatRounded(maxAmperage);
1450 }
1451 break;
1452 default:
1453 logger.error(errMsg);
1454 throw Error(errMsg);
1455 }
1456 meterValue.sampledValue.push({
1457 ...!Utils.isUndefined(meterValuesTemplate[index].unit) ? { unit: meterValuesTemplate[index].unit } : { unit: MeterValueUnit.AMP },
1458 ...!Utils.isUndefined(meterValuesTemplate[index].context) && { context: meterValuesTemplate[index].context },
1459 measurand: meterValuesTemplate[index].measurand,
1460 ...!Utils.isUndefined(meterValuesTemplate[index].location) && { location: meterValuesTemplate[index].location },
1461 ...!Utils.isUndefined(meterValuesTemplate[index].value) ? { value: meterValuesTemplate[index].value } : { value: currentMeasurandValues.allPhases.toString() },
1462 });
1463 const sampledValuesIndex = meterValue.sampledValue.length - 1;
1464 if (Utils.convertToFloat(meterValue.sampledValue[sampledValuesIndex].value) > maxAmperage || debug) {
1465 logger.error(`${self._logPrefix()} MeterValues measurand ${meterValue.sampledValue[sampledValuesIndex].measurand ? meterValue.sampledValue[sampledValuesIndex].measurand : MeterValueMeasurand.ENERGY_ACTIVE_IMPORT_REGISTER}: connectorId ${connectorId}, transaction ${connector.transactionId}, value: ${meterValue.sampledValue[sampledValuesIndex].value}/${maxAmperage}`);
1466 }
1467 for (let phase = 1; self._getNumberOfPhases() === 3 && phase <= self._getNumberOfPhases(); phase++) {
1468 const phaseValue = `L${phase}`;
1469 meterValue.sampledValue.push({
1470 ...!Utils.isUndefined(meterValuesTemplate[index].unit) ? { unit: meterValuesTemplate[index].unit } : { unit: MeterValueUnit.AMP },
1471 ...!Utils.isUndefined(meterValuesTemplate[index].context) && { context: meterValuesTemplate[index].context },
1472 ...!Utils.isUndefined(meterValuesTemplate[index].measurand) && { measurand: meterValuesTemplate[index].measurand },
1473 ...!Utils.isUndefined(meterValuesTemplate[index].location) && { location: meterValuesTemplate[index].location },
1474 ...!Utils.isUndefined(meterValuesTemplate[index].value) ? { value: meterValuesTemplate[index].value } : { value: currentMeasurandValues[phaseValue] as string },
1475 phase: phaseValue as MeterValuePhase,
1476 });
1477 }
1478 // Energy.Active.Import.Register measurand (default)
1479 } else if (!meterValuesTemplate[index].measurand || meterValuesTemplate[index].measurand === MeterValueMeasurand.ENERGY_ACTIVE_IMPORT_REGISTER) {
1480 // FIXME: factor out powerDivider checks
1481 if (Utils.isUndefined(self._stationInfo.powerDivider)) {
1482 const errMsg = `${self._logPrefix()} MeterValues measurand ${meterValuesTemplate[index].measurand ? meterValuesTemplate[index].measurand : MeterValueMeasurand.ENERGY_ACTIVE_IMPORT_REGISTER}: powerDivider is undefined`;
1483 logger.error(errMsg);
1484 throw Error(errMsg);
1485 } else if (self._stationInfo.powerDivider && self._stationInfo.powerDivider <= 0) {
1486 const errMsg = `${self._logPrefix()} MeterValues measurand ${meterValuesTemplate[index].measurand ? meterValuesTemplate[index].measurand : MeterValueMeasurand.ENERGY_ACTIVE_IMPORT_REGISTER}: powerDivider have zero or below value ${self._stationInfo.powerDivider}`;
1487 logger.error(errMsg);
1488 throw Error(errMsg);
1489 }
1490 if (Utils.isUndefined(meterValuesTemplate[index].value)) {
1491 const measurandValue = Utils.getRandomInt(self._stationInfo.maxPower / (self._stationInfo.powerDivider * 3600000) * interval);
1492 // Persist previous value in connector
1493 if (connector && !Utils.isNullOrUndefined(connector.lastEnergyActiveImportRegisterValue) && connector.lastEnergyActiveImportRegisterValue >= 0) {
1494 connector.lastEnergyActiveImportRegisterValue += measurandValue;
1495 } else {
1496 connector.lastEnergyActiveImportRegisterValue = 0;
1497 }
1498 }
1499 meterValue.sampledValue.push({
1500 ...!Utils.isUndefined(meterValuesTemplate[index].unit) ? { unit: meterValuesTemplate[index].unit } : { unit: MeterValueUnit.WATT_HOUR },
1501 ...!Utils.isUndefined(meterValuesTemplate[index].context) && { context: meterValuesTemplate[index].context },
1502 ...!Utils.isUndefined(meterValuesTemplate[index].measurand) && { measurand: meterValuesTemplate[index].measurand },
1503 ...!Utils.isUndefined(meterValuesTemplate[index].location) && { location: meterValuesTemplate[index].location },
1504 ...!Utils.isUndefined(meterValuesTemplate[index].value) ? { value: meterValuesTemplate[index].value } :
1505 { value: connector.lastEnergyActiveImportRegisterValue.toString() },
1506 });
1507 const sampledValuesIndex = meterValue.sampledValue.length - 1;
1508 const maxConsumption = Math.round(self._stationInfo.maxPower * 3600 / (self._stationInfo.powerDivider * interval));
1509 if (Utils.convertToFloat(meterValue.sampledValue[sampledValuesIndex].value) > maxConsumption || debug) {
1510 logger.error(`${self._logPrefix()} MeterValues measurand ${meterValue.sampledValue[sampledValuesIndex].measurand ? meterValue.sampledValue[sampledValuesIndex].measurand : MeterValueMeasurand.ENERGY_ACTIVE_IMPORT_REGISTER}: connectorId ${connectorId}, transaction ${connector.transactionId}, value: ${meterValue.sampledValue[sampledValuesIndex].value}/${maxConsumption}`);
1511 }
1512 // Unsupported measurand
1513 } else {
1514 logger.info(`${self._logPrefix()} Unsupported MeterValues measurand ${meterValuesTemplate[index].measurand ? meterValuesTemplate[index].measurand : MeterValueMeasurand.ENERGY_ACTIVE_IMPORT_REGISTER} on connectorId ${connectorId}`);
1515 }
1516 }
1517 const payload: MeterValuesRequest = {
1518 connectorId,
1519 transactionId: self.getConnector(connectorId).transactionId,
1520 meterValue: meterValue,
1521 };
1522 await self.sendMessage(Utils.generateUUID(), payload, MessageType.CALL_MESSAGE, RequestCommand.METERVALUES);
1523 } catch (error) {
1524 this.handleRequestError(RequestCommand.METERVALUES, error);
1525 }
1526 }
1527
d9f60ba1
JB
1528 private handleRequestError(commandName: RequestCommand, error: Error) {
1529 logger.error(this._logPrefix() + ' Send ' + commandName + ' error: %j', error);
1530 throw error;
1531 }
7dde0b73
JB
1532}
1533