UI HTTP server: fix stop simulator response handling
[e-mobility-charging-stations-simulator.git] / src / charging-station / ChargingStation.ts
CommitLineData
b4d34251
JB
1// Partial Copyright Jerome Benoit. 2021. All Rights Reserved.
2
8114d10e
JB
3import crypto from 'crypto';
4import fs from 'fs';
5import path from 'path';
ee5f26a2 6import { URL } from 'url';
8114d10e
JB
7import { parentPort } from 'worker_threads';
8
89b7a234 9import WebSocket, { Data, RawData } from 'ws';
8114d10e
JB
10
11import BaseError from '../exception/BaseError';
12import OCPPError from '../exception/OCPPError';
13import PerformanceStatistics from '../performance/PerformanceStatistics';
6c1761d4
JB
14import type { AutomaticTransactionGeneratorConfiguration } from '../types/AutomaticTransactionGenerator';
15import type ChargingStationConfiguration from '../types/ChargingStationConfiguration';
16import type ChargingStationInfo from '../types/ChargingStationInfo';
17import type ChargingStationOcppConfiguration from '../types/ChargingStationOcppConfiguration';
8114d10e
JB
18import ChargingStationTemplate, {
19 CurrentType,
20 PowerUnits,
21 WsOptions,
22} from '../types/ChargingStationTemplate';
8114d10e 23import { SupervisionUrlDistribution } from '../types/ConfigurationData';
6c1761d4 24import type { ConnectorStatus } from '../types/ConnectorStatus';
8114d10e 25import { FileType } from '../types/FileType';
6c1761d4 26import type { JsonType } from '../types/JsonType';
8114d10e
JB
27import { ChargePointErrorCode } from '../types/ocpp/ChargePointErrorCode';
28import { ChargePointStatus } from '../types/ocpp/ChargePointStatus';
29import { ChargingProfile, ChargingRateUnitType } from '../types/ocpp/ChargingProfile';
30import {
31 ConnectorPhaseRotation,
32 StandardParametersKey,
33 SupportedFeatureProfiles,
34 VendorDefaultParametersKey,
35} from '../types/ocpp/Configuration';
36import { ErrorType } from '../types/ocpp/ErrorType';
37import { MessageType } from '../types/ocpp/MessageType';
38import { MeterValue, MeterValueMeasurand } from '../types/ocpp/MeterValues';
39import { OCPPVersion } from '../types/ocpp/OCPPVersion';
e7aeea18
JB
40import {
41 AvailabilityType,
42 BootNotificationRequest,
43 CachedRequest,
ef6fa3fb 44 HeartbeatRequest,
e7aeea18
JB
45 IncomingRequest,
46 IncomingRequestCommand,
ef6fa3fb 47 MeterValuesRequest,
e7aeea18 48 RequestCommand,
ef6fa3fb 49 StatusNotificationRequest,
e7aeea18 50} from '../types/ocpp/Requests';
f22266fd
JB
51import {
52 BootNotificationResponse,
b3ec7bc1 53 ErrorResponse,
f22266fd
JB
54 HeartbeatResponse,
55 MeterValuesResponse,
56 RegistrationStatus,
b3ec7bc1 57 Response,
f22266fd
JB
58 StatusNotificationResponse,
59} from '../types/ocpp/Responses';
ef6fa3fb
JB
60import {
61 StopTransactionReason,
62 StopTransactionRequest,
63 StopTransactionResponse,
64} from '../types/ocpp/Transaction';
16b0d4e7 65import { WSError, WebSocketCloseEventStatusCode } from '../types/WebSocket';
8114d10e
JB
66import Configuration from '../utils/Configuration';
67import Constants from '../utils/Constants';
68import { ACElectricUtils, DCElectricUtils } from '../utils/ElectricUtils';
69import FileUtils from '../utils/FileUtils';
70import logger from '../utils/Logger';
71import Utils from '../utils/Utils';
9d7484a4 72import AuthorizedTagsCache from './AuthorizedTagsCache';
6af9012e 73import AutomaticTransactionGenerator from './AutomaticTransactionGenerator';
17ac262c 74import { ChargingStationConfigurationUtils } from './ChargingStationConfigurationUtils';
17ac262c 75import { ChargingStationUtils } from './ChargingStationUtils';
89b7a234 76import ChargingStationWorkerBroadcastChannel from './ChargingStationWorkerBroadcastChannel';
32de5a57 77import { MessageChannelUtils } from './MessageChannelUtils';
e7171280 78import OCPP16IncomingRequestService from './ocpp/1.6/OCPP16IncomingRequestService';
c0560973
JB
79import OCPP16RequestService from './ocpp/1.6/OCPP16RequestService';
80import OCPP16ResponseService from './ocpp/1.6/OCPP16ResponseService';
68c993d5 81import { OCPP16ServiceUtils } from './ocpp/1.6/OCPP16ServiceUtils';
6c1761d4
JB
82import type OCPPIncomingRequestService from './ocpp/OCPPIncomingRequestService';
83import type OCPPRequestService from './ocpp/OCPPRequestService';
57adbebc 84import SharedLRUCache from './SharedLRUCache';
3f40bc9c
JB
85
86export default class ChargingStation {
2484ac1e 87 public readonly templateFile: string;
6e0964c8 88 public stationInfo!: ChargingStationInfo;
452a82ca 89 public started: boolean;
a5e9befc
JB
90 public authorizedTagsCache: AuthorizedTagsCache;
91 public automaticTransactionGenerator!: AutomaticTransactionGenerator;
2484ac1e 92 public ocppConfiguration!: ChargingStationOcppConfiguration;
6e0964c8 93 public wsConnection!: WebSocket;
a5e9befc 94 public readonly connectors: Map<number, ConnectorStatus>;
9e23580d 95 public readonly requests: Map<string, CachedRequest>;
6e0964c8
JB
96 public performanceStatistics!: PerformanceStatistics;
97 public heartbeatSetInterval!: NodeJS.Timeout;
6e0964c8 98 public ocppRequestService!: OCPPRequestService;
0a03f36c 99 public bootNotificationRequest!: BootNotificationRequest;
ae711c83 100 public bootNotificationResponse!: BootNotificationResponse | null;
fa7bccf4 101 public powerDivider!: number;
9e23580d 102 private readonly index: number;
073bd098 103 private configurationFile!: string;
7c72977b 104 private configurationFileHash!: string;
6e0964c8 105 private connectorsConfigurationHash!: string;
a472cf2b 106 private ocppIncomingRequestService!: OCPPIncomingRequestService;
8e242273 107 private readonly messageBuffer: Set<string>;
fa7bccf4 108 private configuredSupervisionUrl!: URL;
265e4266 109 private wsConnectionRestarted: boolean;
ad2f27c3 110 private autoReconnectRetryCount: number;
9d7484a4 111 private templateFileWatcher!: fs.FSWatcher;
57adbebc 112 private readonly sharedLRUCache: SharedLRUCache;
6e0964c8 113 private webSocketPingSetInterval!: NodeJS.Timeout;
89b7a234 114 private readonly chargingStationWorkerBroadcastChannel: ChargingStationWorkerBroadcastChannel;
6af9012e 115
2484ac1e 116 constructor(index: number, templateFile: string) {
ad2f27c3 117 this.index = index;
2484ac1e 118 this.templateFile = templateFile;
9f2e3130 119 this.connectors = new Map<number, ConnectorStatus>();
32b02249 120 this.requests = new Map<string, CachedRequest>();
8e242273 121 this.messageBuffer = new Set<string>();
b44b779a
JB
122 this.sharedLRUCache = SharedLRUCache.getInstance();
123 this.authorizedTagsCache = AuthorizedTagsCache.getInstance();
89b7a234 124 this.chargingStationWorkerBroadcastChannel = new ChargingStationWorkerBroadcastChannel(this);
452a82ca 125 this.started = false;
b44b779a
JB
126 this.wsConnectionRestarted = false;
127 this.autoReconnectRetryCount = 0;
32de5a57 128
9f2e3130 129 this.initialize();
c0560973
JB
130 }
131
25f5a959 132 private get wsConnectionUrl(): URL {
fa7bccf4
JB
133 return new URL(
134 (this.getSupervisionUrlOcppConfiguration()
135 ? ChargingStationConfigurationUtils.getConfigurationKey(
17ac262c
JB
136 this,
137 this.getSupervisionUrlOcppKey()
fa7bccf4
JB
138 ).value
139 : this.configuredSupervisionUrl.href) +
140 '/' +
141 this.stationInfo.chargingStationId
142 );
12fc74d6
JB
143 }
144
c0560973 145 public logPrefix(): string {
ccb1d6e9
JB
146 return Utils.logPrefix(
147 ` ${
148 this?.stationInfo?.chargingStationId ??
149 ChargingStationUtils.getChargingStationId(this.index, this.getTemplateFromFile())
150 } |`
151 );
c0560973
JB
152 }
153
f4bf2abd 154 public getRandomIdTag(): string {
9d7484a4
JB
155 const authorizationFile = ChargingStationUtils.getAuthorizationFile(this.stationInfo);
156 const index = Math.floor(
157 Utils.secureRandom() * this.authorizedTagsCache.getAuthorizedTags(authorizationFile).length
158 );
159 return this.authorizedTagsCache.getAuthorizedTags(authorizationFile)[index];
c0560973
JB
160 }
161
162 public hasAuthorizedTags(): boolean {
9d7484a4
JB
163 return !Utils.isEmptyArray(
164 this.authorizedTagsCache.getAuthorizedTags(
165 ChargingStationUtils.getAuthorizationFile(this.stationInfo)
166 )
167 );
c0560973
JB
168 }
169
6e0964c8 170 public getEnableStatistics(): boolean | undefined {
e7aeea18
JB
171 return !Utils.isUndefined(this.stationInfo.enableStatistics)
172 ? this.stationInfo.enableStatistics
173 : true;
c0560973
JB
174 }
175
03ebf4c1
JB
176 public getMustAuthorizeAtRemoteStart(): boolean | undefined {
177 return this.stationInfo.mustAuthorizeAtRemoteStart ?? true;
a7fc8211
JB
178 }
179
e3018bc4
JB
180 public getPayloadSchemaValidation(): boolean | undefined {
181 return this.stationInfo.payloadSchemaValidation ?? true;
182 }
183
fa7bccf4
JB
184 public getNumberOfPhases(stationInfo?: ChargingStationInfo): number | undefined {
185 const localStationInfo: ChargingStationInfo = stationInfo ?? this.stationInfo;
186 switch (this.getCurrentOutType(stationInfo)) {
4c2b4904 187 case CurrentType.AC:
fa7bccf4
JB
188 return !Utils.isUndefined(localStationInfo.numberOfPhases)
189 ? localStationInfo.numberOfPhases
e7aeea18 190 : 3;
4c2b4904 191 case CurrentType.DC:
c0560973
JB
192 return 0;
193 }
194 }
195
d5bff457 196 public isWebSocketConnectionOpened(): boolean {
0d8140bd 197 return this?.wsConnection?.readyState === WebSocket.OPEN;
c0560973
JB
198 }
199
672fed6e
JB
200 public getRegistrationStatus(): RegistrationStatus {
201 return this?.bootNotificationResponse?.status;
202 }
203
73c4266d
JB
204 public isInUnknownState(): boolean {
205 return Utils.isNullOrUndefined(this?.bootNotificationResponse?.status);
206 }
207
16cd35ad
JB
208 public isInPendingState(): boolean {
209 return this?.bootNotificationResponse?.status === RegistrationStatus.PENDING;
210 }
211
212 public isInAcceptedState(): boolean {
e58068fd 213 return this?.bootNotificationResponse?.status === RegistrationStatus.ACCEPTED;
c0560973
JB
214 }
215
16cd35ad
JB
216 public isInRejectedState(): boolean {
217 return this?.bootNotificationResponse?.status === RegistrationStatus.REJECTED;
218 }
219
220 public isRegistered(): boolean {
73c4266d 221 return !this.isInUnknownState() && (this.isInAcceptedState() || this.isInPendingState());
16cd35ad
JB
222 }
223
c0560973 224 public isChargingStationAvailable(): boolean {
734d790d 225 return this.getConnectorStatus(0).availability === AvailabilityType.OPERATIVE;
c0560973
JB
226 }
227
228 public isConnectorAvailable(id: number): boolean {
9f2e3130 229 return id > 0 && this.getConnectorStatus(id).availability === AvailabilityType.OPERATIVE;
c0560973
JB
230 }
231
54544ef1
JB
232 public getNumberOfConnectors(): number {
233 return this.connectors.get(0) ? this.connectors.size - 1 : this.connectors.size;
234 }
235
6d9876e7 236 public getConnectorStatus(id: number): ConnectorStatus | undefined {
734d790d 237 return this.connectors.get(id);
c0560973
JB
238 }
239
fa7bccf4
JB
240 public getCurrentOutType(stationInfo?: ChargingStationInfo): CurrentType {
241 return (stationInfo ?? this.stationInfo).currentOutType ?? CurrentType.AC;
c0560973
JB
242 }
243
672fed6e 244 public getOcppStrictCompliance(): boolean {
ccb1d6e9 245 return this.stationInfo?.ocppStrictCompliance ?? false;
672fed6e
JB
246 }
247
fa7bccf4 248 public getVoltageOut(stationInfo?: ChargingStationInfo): number | undefined {
492cf6ab 249 const defaultVoltageOut = ChargingStationUtils.getDefaultVoltageOut(
fa7bccf4 250 this.getCurrentOutType(stationInfo),
492cf6ab
JB
251 this.templateFile,
252 this.logPrefix()
253 );
fa7bccf4
JB
254 const localStationInfo: ChargingStationInfo = stationInfo ?? this.stationInfo;
255 return !Utils.isUndefined(localStationInfo.voltageOut)
256 ? localStationInfo.voltageOut
e7aeea18 257 : defaultVoltageOut;
c0560973
JB
258 }
259
ad8537a7 260 public getConnectorMaximumAvailablePower(connectorId: number): number {
d20f43b5 261 let connectorAmperageLimitationPowerLimit: number;
b47d68d7
JB
262 if (
263 !Utils.isNullOrUndefined(this.getAmperageLimitation()) &&
264 this.getAmperageLimitation() < this.stationInfo.maximumAmperage
265 ) {
4160ae28
JB
266 connectorAmperageLimitationPowerLimit =
267 (this.getCurrentOutType() === CurrentType.AC
cc6e8ab5
JB
268 ? ACElectricUtils.powerTotal(
269 this.getNumberOfPhases(),
270 this.getVoltageOut(),
da57964c 271 this.getAmperageLimitation() * this.getNumberOfConnectors()
cc6e8ab5 272 )
4160ae28 273 : DCElectricUtils.power(this.getVoltageOut(), this.getAmperageLimitation())) /
fa7bccf4 274 this.powerDivider;
cc6e8ab5 275 }
fa7bccf4 276 const connectorMaximumPower = this.getMaximumPower() / this.powerDivider;
7b872eaa 277 const connectorChargingProfilePowerLimit = this.getChargingProfilePowerLimit(connectorId);
ad8537a7
JB
278 return Math.min(
279 isNaN(connectorMaximumPower) ? Infinity : connectorMaximumPower,
280 isNaN(connectorAmperageLimitationPowerLimit)
281 ? Infinity
282 : connectorAmperageLimitationPowerLimit,
283 isNaN(connectorChargingProfilePowerLimit) ? Infinity : connectorChargingProfilePowerLimit
284 );
cc6e8ab5
JB
285 }
286
6e0964c8 287 public getTransactionIdTag(transactionId: number): string | undefined {
734d790d
JB
288 for (const connectorId of this.connectors.keys()) {
289 if (connectorId > 0 && this.getConnectorStatus(connectorId).transactionId === transactionId) {
290 return this.getConnectorStatus(connectorId).transactionIdTag;
c0560973
JB
291 }
292 }
293 }
294
6ed92bc1 295 public getOutOfOrderEndMeterValues(): boolean {
ccb1d6e9 296 return this.stationInfo?.outOfOrderEndMeterValues ?? false;
6ed92bc1
JB
297 }
298
299 public getBeginEndMeterValues(): boolean {
ccb1d6e9 300 return this.stationInfo?.beginEndMeterValues ?? false;
6ed92bc1
JB
301 }
302
303 public getMeteringPerTransaction(): boolean {
ccb1d6e9 304 return this.stationInfo?.meteringPerTransaction ?? true;
6ed92bc1
JB
305 }
306
fd0c36fa 307 public getTransactionDataMeterValues(): boolean {
ccb1d6e9 308 return this.stationInfo?.transactionDataMeterValues ?? false;
fd0c36fa
JB
309 }
310
9ccca265 311 public getMainVoltageMeterValues(): boolean {
ccb1d6e9 312 return this.stationInfo?.mainVoltageMeterValues ?? true;
9ccca265
JB
313 }
314
6b10669b 315 public getPhaseLineToLineVoltageMeterValues(): boolean {
ccb1d6e9 316 return this.stationInfo?.phaseLineToLineVoltageMeterValues ?? false;
9bd87386
JB
317 }
318
7bc31f9c 319 public getCustomValueLimitationMeterValues(): boolean {
ccb1d6e9 320 return this.stationInfo?.customValueLimitationMeterValues ?? true;
7bc31f9c
JB
321 }
322
f479a792 323 public getConnectorIdByTransactionId(transactionId: number): number | undefined {
734d790d 324 for (const connectorId of this.connectors.keys()) {
f479a792
JB
325 if (
326 connectorId > 0 &&
327 this.getConnectorStatus(connectorId)?.transactionId === transactionId
328 ) {
329 return connectorId;
c0560973
JB
330 }
331 }
332 }
333
07989fad
JB
334 public getEnergyActiveImportRegisterByTransactionId(
335 transactionId: number,
336 meterStop = false
337 ): number {
338 return this.getEnergyActiveImportRegister(
339 this.getConnectorStatus(this.getConnectorIdByTransactionId(transactionId)),
340 meterStop
cbad1217 341 );
cbad1217
JB
342 }
343
df637b0d 344 public getEnergyActiveImportRegisterByConnectorId(connectorId: number): number {
07989fad 345 return this.getEnergyActiveImportRegister(this.getConnectorStatus(connectorId));
6ed92bc1
JB
346 }
347
c0560973 348 public getAuthorizeRemoteTxRequests(): boolean {
17ac262c
JB
349 const authorizeRemoteTxRequests = ChargingStationConfigurationUtils.getConfigurationKey(
350 this,
e7aeea18
JB
351 StandardParametersKey.AuthorizeRemoteTxRequests
352 );
353 return authorizeRemoteTxRequests
354 ? Utils.convertToBoolean(authorizeRemoteTxRequests.value)
355 : false;
c0560973
JB
356 }
357
358 public getLocalAuthListEnabled(): boolean {
17ac262c
JB
359 const localAuthListEnabled = ChargingStationConfigurationUtils.getConfigurationKey(
360 this,
e7aeea18
JB
361 StandardParametersKey.LocalAuthListEnabled
362 );
c0560973
JB
363 return localAuthListEnabled ? Utils.convertToBoolean(localAuthListEnabled.value) : false;
364 }
365
c0560973 366 public startHeartbeat(): void {
e7aeea18
JB
367 if (
368 this.getHeartbeatInterval() &&
369 this.getHeartbeatInterval() > 0 &&
370 !this.heartbeatSetInterval
371 ) {
71623267
JB
372 // eslint-disable-next-line @typescript-eslint/no-misused-promises
373 this.heartbeatSetInterval = setInterval(async (): Promise<void> => {
f7f98c68 374 await this.ocppRequestService.requestHandler<HeartbeatRequest, HeartbeatResponse>(
08f130a0 375 this,
f22266fd
JB
376 RequestCommand.HEARTBEAT
377 );
c0560973 378 }, this.getHeartbeatInterval());
e7aeea18
JB
379 logger.info(
380 this.logPrefix() +
381 ' Heartbeat started every ' +
382 Utils.formatDurationMilliSeconds(this.getHeartbeatInterval())
383 );
c0560973 384 } else if (this.heartbeatSetInterval) {
e7aeea18
JB
385 logger.info(
386 this.logPrefix() +
387 ' Heartbeat already started every ' +
388 Utils.formatDurationMilliSeconds(this.getHeartbeatInterval())
389 );
c0560973 390 } else {
e7aeea18
JB
391 logger.error(
392 `${this.logPrefix()} Heartbeat interval set to ${
393 this.getHeartbeatInterval()
394 ? Utils.formatDurationMilliSeconds(this.getHeartbeatInterval())
395 : this.getHeartbeatInterval()
396 }, not starting the heartbeat`
397 );
c0560973
JB
398 }
399 }
400
401 public restartHeartbeat(): void {
402 // Stop heartbeat
403 this.stopHeartbeat();
404 // Start heartbeat
405 this.startHeartbeat();
406 }
407
17ac262c
JB
408 public restartWebSocketPing(): void {
409 // Stop WebSocket ping
410 this.stopWebSocketPing();
411 // Start WebSocket ping
412 this.startWebSocketPing();
413 }
414
c0560973
JB
415 public startMeterValues(connectorId: number, interval: number): void {
416 if (connectorId === 0) {
e7aeea18
JB
417 logger.error(
418 `${this.logPrefix()} Trying to start MeterValues on connector Id ${connectorId.toString()}`
419 );
c0560973
JB
420 return;
421 }
734d790d 422 if (!this.getConnectorStatus(connectorId)) {
e7aeea18
JB
423 logger.error(
424 `${this.logPrefix()} Trying to start MeterValues on non existing connector Id ${connectorId.toString()}`
425 );
c0560973
JB
426 return;
427 }
5e3cb728 428 if (this.getConnectorStatus(connectorId)?.transactionStarted === false) {
e7aeea18
JB
429 logger.error(
430 `${this.logPrefix()} Trying to start MeterValues on connector Id ${connectorId} with no transaction started`
431 );
c0560973 432 return;
e7aeea18 433 } else if (
5e3cb728 434 this.getConnectorStatus(connectorId)?.transactionStarted === true &&
e7aeea18
JB
435 !this.getConnectorStatus(connectorId)?.transactionId
436 ) {
437 logger.error(
438 `${this.logPrefix()} Trying to start MeterValues on connector Id ${connectorId} with no transaction id`
439 );
c0560973
JB
440 return;
441 }
442 if (interval > 0) {
71623267 443 // eslint-disable-next-line @typescript-eslint/no-misused-promises
e7aeea18 444 this.getConnectorStatus(connectorId).transactionSetInterval = setInterval(
9534e74e 445 // eslint-disable-next-line @typescript-eslint/no-misused-promises
e7aeea18 446 async (): Promise<void> => {
0f3d5941
JB
447 // FIXME: Implement OCPP version agnostic helpers
448 const meterValue: MeterValue = OCPP16ServiceUtils.buildMeterValue(
449 this,
e7aeea18
JB
450 connectorId,
451 this.getConnectorStatus(connectorId).transactionId,
452 interval
453 );
f7f98c68 454 await this.ocppRequestService.requestHandler<MeterValuesRequest, MeterValuesResponse>(
08f130a0 455 this,
f22266fd
JB
456 RequestCommand.METER_VALUES,
457 {
458 connectorId,
459 transactionId: this.getConnectorStatus(connectorId).transactionId,
460 meterValue: [meterValue],
461 }
462 );
e7aeea18
JB
463 },
464 interval
465 );
c0560973 466 } else {
e7aeea18
JB
467 logger.error(
468 `${this.logPrefix()} Charging station ${
469 StandardParametersKey.MeterValueSampleInterval
470 } configuration set to ${
471 interval ? Utils.formatDurationMilliSeconds(interval) : interval
472 }, not sending MeterValues`
473 );
c0560973
JB
474 }
475 }
476
477 public start(): void {
7874b0b1
JB
478 if (this.getEnableStatistics()) {
479 this.performanceStatistics.start();
480 }
c0560973 481 this.openWSConnection();
a95873d8 482 // Monitor charging station template file
9d7484a4 483 this.templateFileWatcher = FileUtils.watchJsonFile(
a95873d8
JB
484 this.logPrefix(),
485 FileType.ChargingStationTemplate,
2484ac1e 486 this.templateFile,
a95873d8
JB
487 null,
488 (event, filename): void => {
489 if (filename && event === 'change') {
490 try {
491 logger.debug(
492 `${this.logPrefix()} ${FileType.ChargingStationTemplate} ${
2484ac1e 493 this.templateFile
a95873d8
JB
494 } file have changed, reload`
495 );
57adbebc 496 this.sharedLRUCache.deleteChargingStationTemplate(this.stationInfo?.templateHash);
a95873d8
JB
497 // Initialize
498 this.initialize();
499 // Restart the ATG
fa7bccf4 500 this.stopAutomaticTransactionGenerator();
60ddad53 501 if (this.getAutomaticTransactionGeneratorConfigurationFromTemplate()?.enable === true) {
4f69be04
JB
502 this.startAutomaticTransactionGenerator();
503 }
a95873d8
JB
504 if (this.getEnableStatistics()) {
505 this.performanceStatistics.restart();
506 } else {
507 this.performanceStatistics.stop();
508 }
509 // FIXME?: restart heartbeat and WebSocket ping when their interval values have changed
510 } catch (error) {
511 logger.error(
32de5a57 512 `${this.logPrefix()} ${FileType.ChargingStationTemplate} file monitoring error:`,
a95873d8
JB
513 error
514 );
515 }
516 }
517 }
518 );
32de5a57 519 parentPort.postMessage(MessageChannelUtils.buildStartedMessage(this));
c0560973
JB
520 }
521
60ddad53
JB
522 public async stop(reason?: StopTransactionReason): Promise<void> {
523 await this.stopMessageSequence(reason);
734d790d
JB
524 for (const connectorId of this.connectors.keys()) {
525 if (connectorId > 0) {
f7f98c68 526 await this.ocppRequestService.requestHandler<
ef6fa3fb
JB
527 StatusNotificationRequest,
528 StatusNotificationResponse
08f130a0 529 >(this, RequestCommand.STATUS_NOTIFICATION, {
ef6fa3fb
JB
530 connectorId,
531 status: ChargePointStatus.UNAVAILABLE,
532 errorCode: ChargePointErrorCode.NO_ERROR,
533 });
734d790d 534 this.getConnectorStatus(connectorId).status = ChargePointStatus.UNAVAILABLE;
c0560973
JB
535 }
536 }
55516218 537 this.closeWSConnection();
7874b0b1
JB
538 if (this.getEnableStatistics()) {
539 this.performanceStatistics.stop();
540 }
57adbebc 541 this.sharedLRUCache.deleteChargingStationConfiguration(this.configurationFileHash);
9d7484a4 542 this.templateFileWatcher.close();
57adbebc 543 this.sharedLRUCache.deleteChargingStationTemplate(this.stationInfo?.templateHash);
c0560973 544 this.bootNotificationResponse = null;
452a82ca 545 this.started = false;
8fc2e5cc 546 parentPort.postMessage(MessageChannelUtils.buildStoppedMessage(this));
c0560973
JB
547 }
548
60ddad53
JB
549 public async reset(reason?: StopTransactionReason): Promise<void> {
550 await this.stop(reason);
94ec7e96 551 await Utils.sleep(this.stationInfo.resetTime);
fa7bccf4 552 this.initialize();
94ec7e96
JB
553 this.start();
554 }
555
17ac262c
JB
556 public saveOcppConfiguration(): void {
557 if (this.getOcppPersistentConfiguration()) {
7c72977b 558 this.saveConfiguration();
e6895390
JB
559 }
560 }
561
a7fc8211 562 public setChargingProfile(connectorId: number, cp: ChargingProfile): void {
0bb3ee61
JB
563 if (Utils.isNullOrUndefined(this.getConnectorStatus(connectorId).chargingProfiles)) {
564 logger.error(
565 `${this.logPrefix()} Trying to set a charging profile on connectorId ${connectorId} with an uninitialized charging profiles array attribute, applying deferred initialization`
566 );
567 this.getConnectorStatus(connectorId).chargingProfiles = [];
568 }
53e5fd67 569 if (Array.isArray(this.getConnectorStatus(connectorId).chargingProfiles) === false) {
0bb3ee61
JB
570 logger.error(
571 `${this.logPrefix()} Trying to set a charging profile on connectorId ${connectorId} with an improper attribute type for the charging profiles array, applying proper type initialization`
572 );
1e5bbb96
O
573 this.getConnectorStatus(connectorId).chargingProfiles = [];
574 }
a7fc8211 575 let cpReplaced = false;
734d790d 576 if (!Utils.isEmptyArray(this.getConnectorStatus(connectorId).chargingProfiles)) {
e7aeea18
JB
577 this.getConnectorStatus(connectorId).chargingProfiles?.forEach(
578 (chargingProfile: ChargingProfile, index: number) => {
579 if (
580 chargingProfile.chargingProfileId === cp.chargingProfileId ||
581 (chargingProfile.stackLevel === cp.stackLevel &&
582 chargingProfile.chargingProfilePurpose === cp.chargingProfilePurpose)
583 ) {
584 this.getConnectorStatus(connectorId).chargingProfiles[index] = cp;
585 cpReplaced = true;
586 }
c0560973 587 }
e7aeea18 588 );
c0560973 589 }
734d790d 590 !cpReplaced && this.getConnectorStatus(connectorId).chargingProfiles?.push(cp);
c0560973
JB
591 }
592
a2653482
JB
593 public resetConnectorStatus(connectorId: number): void {
594 this.getConnectorStatus(connectorId).idTagLocalAuthorized = false;
595 this.getConnectorStatus(connectorId).idTagAuthorized = false;
596 this.getConnectorStatus(connectorId).transactionRemoteStarted = false;
734d790d 597 this.getConnectorStatus(connectorId).transactionStarted = false;
a2653482 598 delete this.getConnectorStatus(connectorId).localAuthorizeIdTag;
734d790d
JB
599 delete this.getConnectorStatus(connectorId).authorizeIdTag;
600 delete this.getConnectorStatus(connectorId).transactionId;
601 delete this.getConnectorStatus(connectorId).transactionIdTag;
602 this.getConnectorStatus(connectorId).transactionEnergyActiveImportRegisterValue = 0;
603 delete this.getConnectorStatus(connectorId).transactionBeginMeterValue;
dd119a6b 604 this.stopMeterValues(connectorId);
4f317101 605 parentPort.postMessage(MessageChannelUtils.buildUpdatedMessage(this));
2e6f5966
JB
606 }
607
68cb8b91 608 public hasFeatureProfile(featureProfile: SupportedFeatureProfiles) {
17ac262c
JB
609 return ChargingStationConfigurationUtils.getConfigurationKey(
610 this,
611 StandardParametersKey.SupportedFeatureProfiles
612 )?.value.includes(featureProfile);
68cb8b91
JB
613 }
614
8e242273
JB
615 public bufferMessage(message: string): void {
616 this.messageBuffer.add(message);
3ba2381e
JB
617 }
618
db2336d9
JB
619 public openWSConnection(
620 options: WsOptions = this.stationInfo?.wsOptions ?? {},
621 params: { closeOpened?: boolean; terminateOpened?: boolean } = {
622 closeOpened: false,
623 terminateOpened: false,
624 }
625 ): void {
626 options.handshakeTimeout = options?.handshakeTimeout ?? this.getConnectionTimeout() * 1000;
627 params.closeOpened = params?.closeOpened ?? false;
628 params.terminateOpened = params?.terminateOpened ?? false;
629 if (
630 !Utils.isNullOrUndefined(this.stationInfo.supervisionUser) &&
631 !Utils.isNullOrUndefined(this.stationInfo.supervisionPassword)
632 ) {
633 options.auth = `${this.stationInfo.supervisionUser}:${this.stationInfo.supervisionPassword}`;
634 }
635 if (params?.closeOpened) {
636 this.closeWSConnection();
637 }
638 if (params?.terminateOpened) {
639 this.terminateWSConnection();
640 }
641 let protocol: string;
642 switch (this.getOcppVersion()) {
643 case OCPPVersion.VERSION_16:
644 protocol = 'ocpp' + OCPPVersion.VERSION_16;
645 break;
646 default:
647 this.handleUnsupportedVersion(this.getOcppVersion());
648 break;
649 }
650
0a03f36c
JB
651 if (this.isWebSocketConnectionOpened()) {
652 logger.warn(
653 `${this.logPrefix()} OCPP connection to URL ${this.wsConnectionUrl.toString()} is already opened`
654 );
655 return;
656 }
657
db2336d9 658 logger.info(
0a03f36c 659 `${this.logPrefix()} Open OCPP connection to URL ${this.wsConnectionUrl.toString()}`
db2336d9
JB
660 );
661
662 this.wsConnection = new WebSocket(this.wsConnectionUrl, protocol, options);
663
664 // Handle WebSocket message
665 this.wsConnection.on(
666 'message',
667 this.onMessage.bind(this) as (this: WebSocket, data: RawData, isBinary: boolean) => void
668 );
669 // Handle WebSocket error
670 this.wsConnection.on(
671 'error',
672 this.onError.bind(this) as (this: WebSocket, error: Error) => void
673 );
674 // Handle WebSocket close
675 this.wsConnection.on(
676 'close',
677 this.onClose.bind(this) as (this: WebSocket, code: number, reason: Buffer) => void
678 );
679 // Handle WebSocket open
680 this.wsConnection.on('open', this.onOpen.bind(this) as (this: WebSocket) => void);
681 // Handle WebSocket ping
682 this.wsConnection.on('ping', this.onPing.bind(this) as (this: WebSocket, data: Buffer) => void);
683 // Handle WebSocket pong
684 this.wsConnection.on('pong', this.onPong.bind(this) as (this: WebSocket, data: Buffer) => void);
685 }
686
687 public closeWSConnection(): void {
688 if (this.isWebSocketConnectionOpened()) {
689 this.wsConnection.close();
690 this.wsConnection = null;
691 }
692 }
693
a5e9befc 694 public startAutomaticTransactionGenerator(connectorIds?: number[]): void {
4f69be04
JB
695 if (!this.automaticTransactionGenerator) {
696 this.automaticTransactionGenerator = AutomaticTransactionGenerator.getInstance(
697 this.getAutomaticTransactionGeneratorConfigurationFromTemplate(),
698 this
699 );
700 }
a5e9befc
JB
701 if (!Utils.isEmptyArray(connectorIds)) {
702 for (const connectorId of connectorIds) {
703 this.automaticTransactionGenerator.startConnector(connectorId);
704 }
705 } else {
4f69be04
JB
706 this.automaticTransactionGenerator.start();
707 }
708 }
709
a5e9befc
JB
710 public stopAutomaticTransactionGenerator(connectorIds?: number[]): void {
711 if (!Utils.isEmptyArray(connectorIds)) {
712 for (const connectorId of connectorIds) {
713 this.automaticTransactionGenerator?.stopConnector(connectorId);
714 }
715 } else {
716 this.automaticTransactionGenerator?.stop();
4f69be04
JB
717 this.automaticTransactionGenerator = null;
718 }
719 }
720
5e3cb728
JB
721 public async stopTransactionOnConnector(
722 connectorId: number,
723 reason = StopTransactionReason.NONE
724 ): Promise<StopTransactionResponse> {
725 const transactionId = this.getConnectorStatus(connectorId).transactionId;
726 if (
727 this.getBeginEndMeterValues() &&
728 this.getOcppStrictCompliance() &&
729 !this.getOutOfOrderEndMeterValues()
730 ) {
731 // FIXME: Implement OCPP version agnostic helpers
732 const transactionEndMeterValue = OCPP16ServiceUtils.buildTransactionEndMeterValue(
733 this,
734 connectorId,
735 this.getEnergyActiveImportRegisterByTransactionId(transactionId)
736 );
737 await this.ocppRequestService.requestHandler<MeterValuesRequest, MeterValuesResponse>(
738 this,
739 RequestCommand.METER_VALUES,
740 {
741 connectorId,
742 transactionId,
743 meterValue: [transactionEndMeterValue],
744 }
745 );
746 }
747 return this.ocppRequestService.requestHandler<StopTransactionRequest, StopTransactionResponse>(
748 this,
749 RequestCommand.STOP_TRANSACTION,
750 {
751 transactionId,
752 meterStop: this.getEnergyActiveImportRegisterByTransactionId(transactionId, true),
753 idTag: this.getTransactionIdTag(transactionId),
754 reason,
755 }
756 );
757 }
758
f90c1757 759 private flushMessageBuffer(): void {
8e242273
JB
760 if (this.messageBuffer.size > 0) {
761 this.messageBuffer.forEach((message) => {
aef1b33a 762 // TODO: evaluate the need to track performance
77f00f84 763 this.wsConnection.send(message);
8e242273 764 this.messageBuffer.delete(message);
77f00f84
JB
765 });
766 }
767 }
768
1f5df42a
JB
769 private getSupervisionUrlOcppConfiguration(): boolean {
770 return this.stationInfo.supervisionUrlOcppConfiguration ?? false;
12fc74d6
JB
771 }
772
e8e865ea
JB
773 private getSupervisionUrlOcppKey(): string {
774 return this.stationInfo.supervisionUrlOcppKey ?? VendorDefaultParametersKey.ConnectionUrl;
775 }
776
9214b603 777 private getTemplateFromFile(): ChargingStationTemplate | null {
2484ac1e 778 let template: ChargingStationTemplate = null;
5ad8570f 779 try {
57adbebc
JB
780 if (this.sharedLRUCache.hasChargingStationTemplate(this.stationInfo?.templateHash)) {
781 template = this.sharedLRUCache.getChargingStationTemplate(this.stationInfo.templateHash);
7c72977b
JB
782 } else {
783 const measureId = `${FileType.ChargingStationTemplate} read`;
784 const beginId = PerformanceStatistics.beginMeasure(measureId);
785 template = JSON.parse(
786 fs.readFileSync(this.templateFile, 'utf8')
787 ) as ChargingStationTemplate;
788 PerformanceStatistics.endMeasure(measureId, beginId);
789 template.templateHash = crypto
790 .createHash(Constants.DEFAULT_HASH_ALGORITHM)
791 .update(JSON.stringify(template))
792 .digest('hex');
57adbebc 793 this.sharedLRUCache.setChargingStationTemplate(template);
7c72977b 794 }
5ad8570f 795 } catch (error) {
e7aeea18
JB
796 FileUtils.handleFileException(
797 this.logPrefix(),
a95873d8 798 FileType.ChargingStationTemplate,
2484ac1e 799 this.templateFile,
e7aeea18
JB
800 error as NodeJS.ErrnoException
801 );
5ad8570f 802 }
2484ac1e
JB
803 return template;
804 }
805
7a3a2ebb 806 private getStationInfoFromTemplate(): ChargingStationInfo {
fa7bccf4
JB
807 const stationTemplate: ChargingStationTemplate = this.getTemplateFromFile();
808 if (Utils.isNullOrUndefined(stationTemplate)) {
ccb1d6e9
JB
809 const errorMsg = 'Failed to read charging station template file';
810 logger.error(`${this.logPrefix()} ${errorMsg}`);
811 throw new BaseError(errorMsg);
94ec7e96 812 }
fa7bccf4 813 if (Utils.isEmptyObject(stationTemplate)) {
ccb1d6e9
JB
814 const errorMsg = `Empty charging station information from template file ${this.templateFile}`;
815 logger.error(`${this.logPrefix()} ${errorMsg}`);
816 throw new BaseError(errorMsg);
94ec7e96 817 }
2dcfe98e 818 // Deprecation template keys section
17ac262c 819 ChargingStationUtils.warnDeprecatedTemplateKey(
fa7bccf4 820 stationTemplate,
e7aeea18 821 'supervisionUrl',
17ac262c 822 this.templateFile,
ccb1d6e9 823 this.logPrefix(),
e7aeea18
JB
824 "Use 'supervisionUrls' instead"
825 );
17ac262c 826 ChargingStationUtils.convertDeprecatedTemplateKey(
fa7bccf4 827 stationTemplate,
17ac262c
JB
828 'supervisionUrl',
829 'supervisionUrls'
830 );
fa7bccf4
JB
831 const stationInfo: ChargingStationInfo =
832 ChargingStationUtils.stationTemplateToStationInfo(stationTemplate);
51c83d6f 833 stationInfo.hashId = ChargingStationUtils.getHashId(this.index, stationTemplate);
fa7bccf4
JB
834 stationInfo.chargingStationId = ChargingStationUtils.getChargingStationId(
835 this.index,
836 stationTemplate
837 );
838 ChargingStationUtils.createSerialNumber(stationTemplate, stationInfo);
839 if (!Utils.isEmptyArray(stationTemplate.power)) {
840 stationTemplate.power = stationTemplate.power as number[];
841 const powerArrayRandomIndex = Math.floor(Utils.secureRandom() * stationTemplate.power.length);
cc6e8ab5 842 stationInfo.maximumPower =
fa7bccf4
JB
843 stationTemplate.powerUnit === PowerUnits.KILO_WATT
844 ? stationTemplate.power[powerArrayRandomIndex] * 1000
845 : stationTemplate.power[powerArrayRandomIndex];
5ad8570f 846 } else {
fa7bccf4 847 stationTemplate.power = stationTemplate.power as number;
cc6e8ab5 848 stationInfo.maximumPower =
fa7bccf4
JB
849 stationTemplate.powerUnit === PowerUnits.KILO_WATT
850 ? stationTemplate.power * 1000
851 : stationTemplate.power;
852 }
853 stationInfo.resetTime = stationTemplate.resetTime
854 ? stationTemplate.resetTime * 1000
e7aeea18 855 : Constants.CHARGING_STATION_DEFAULT_RESET_TIME;
fa7bccf4
JB
856 const configuredMaxConnectors = ChargingStationUtils.getConfiguredNumberOfConnectors(
857 this.index,
858 stationTemplate
859 );
860 ChargingStationUtils.checkConfiguredMaxConnectors(
861 configuredMaxConnectors,
862 this.templateFile,
fc040c43 863 this.logPrefix()
fa7bccf4
JB
864 );
865 const templateMaxConnectors =
866 ChargingStationUtils.getTemplateMaxNumberOfConnectors(stationTemplate);
867 ChargingStationUtils.checkTemplateMaxConnectors(
868 templateMaxConnectors,
869 this.templateFile,
fc040c43 870 this.logPrefix()
fa7bccf4
JB
871 );
872 if (
873 configuredMaxConnectors >
874 (stationTemplate?.Connectors[0] ? templateMaxConnectors - 1 : templateMaxConnectors) &&
875 !stationTemplate?.randomConnectors
876 ) {
877 logger.warn(
878 `${this.logPrefix()} Number of connectors exceeds the number of connector configurations in template ${
879 this.templateFile
880 }, forcing random connector configurations affectation`
881 );
882 stationInfo.randomConnectors = true;
883 }
884 // Build connectors if needed (FIXME: should be factored out)
885 this.initializeConnectors(stationInfo, configuredMaxConnectors, templateMaxConnectors);
886 stationInfo.maximumAmperage = this.getMaximumAmperage(stationInfo);
887 ChargingStationUtils.createStationInfoHash(stationInfo);
9ac86a7e 888 return stationInfo;
5ad8570f
JB
889 }
890
ccb1d6e9
JB
891 private getStationInfoFromFile(): ChargingStationInfo | null {
892 let stationInfo: ChargingStationInfo = null;
fa7bccf4
JB
893 this.getStationInfoPersistentConfiguration() &&
894 (stationInfo = this.getConfigurationFromFile()?.stationInfo ?? null);
895 stationInfo && ChargingStationUtils.createStationInfoHash(stationInfo);
f765beaa 896 return stationInfo;
2484ac1e
JB
897 }
898
899 private getStationInfo(): ChargingStationInfo {
900 const stationInfoFromTemplate: ChargingStationInfo = this.getStationInfoFromTemplate();
2484ac1e 901 const stationInfoFromFile: ChargingStationInfo = this.getStationInfoFromFile();
aca53a1a 902 // Priority: charging station info from template > charging station info from configuration file > charging station info attribute
f765beaa 903 if (stationInfoFromFile?.templateHash === stationInfoFromTemplate.templateHash) {
01efc60a
JB
904 if (this.stationInfo?.infoHash === stationInfoFromFile?.infoHash) {
905 return this.stationInfo;
906 }
2484ac1e 907 return stationInfoFromFile;
f765beaa 908 }
fec4d204
JB
909 stationInfoFromFile &&
910 ChargingStationUtils.propagateSerialNumber(
911 this.getTemplateFromFile(),
912 stationInfoFromFile,
913 stationInfoFromTemplate
914 );
01efc60a 915 return stationInfoFromTemplate;
2484ac1e
JB
916 }
917
918 private saveStationInfo(): void {
ccb1d6e9 919 if (this.getStationInfoPersistentConfiguration()) {
7c72977b 920 this.saveConfiguration();
ccb1d6e9 921 }
2484ac1e
JB
922 }
923
1f5df42a 924 private getOcppVersion(): OCPPVersion {
aba95196 925 return this.stationInfo.ocppVersion ?? OCPPVersion.VERSION_16;
c0560973
JB
926 }
927
e8e865ea 928 private getOcppPersistentConfiguration(): boolean {
ccb1d6e9
JB
929 return this.stationInfo?.ocppPersistentConfiguration ?? true;
930 }
931
932 private getStationInfoPersistentConfiguration(): boolean {
933 return this.stationInfo?.stationInfoPersistentConfiguration ?? true;
e8e865ea
JB
934 }
935
c0560973 936 private handleUnsupportedVersion(version: OCPPVersion) {
fc040c43
JB
937 const errMsg = `Unsupported protocol version '${version}' configured in template file ${this.templateFile}`;
938 logger.error(`${this.logPrefix()} ${errMsg}`);
6c8f5d90 939 throw new BaseError(errMsg);
c0560973
JB
940 }
941
2484ac1e 942 private initialize(): void {
fa7bccf4 943 this.configurationFile = path.join(
ee5f26a2 944 path.dirname(this.templateFile.replace('station-templates', 'configurations')),
b44b779a 945 ChargingStationUtils.getHashId(this.index, this.getTemplateFromFile()) + '.json'
0642c3d2 946 );
b44b779a
JB
947 this.stationInfo = this.getStationInfo();
948 this.saveStationInfo();
949 logger.info(`${this.logPrefix()} Charging station hashId '${this.stationInfo.hashId}'`);
7a3a2ebb 950 // Avoid duplication of connectors related information in RAM
94ec7e96 951 this.stationInfo?.Connectors && delete this.stationInfo.Connectors;
fa7bccf4 952 this.configuredSupervisionUrl = this.getConfiguredSupervisionUrl();
0642c3d2
JB
953 if (this.getEnableStatistics()) {
954 this.performanceStatistics = PerformanceStatistics.getInstance(
51c83d6f 955 this.stationInfo.hashId,
0642c3d2 956 this.stationInfo.chargingStationId,
fa7bccf4 957 this.configuredSupervisionUrl
0642c3d2
JB
958 );
959 }
fa7bccf4
JB
960 this.bootNotificationRequest = ChargingStationUtils.createBootNotificationRequest(
961 this.stationInfo
962 );
fa7bccf4
JB
963 this.powerDivider = this.getPowerDivider();
964 // OCPP configuration
965 this.ocppConfiguration = this.getOcppConfiguration();
966 this.initializeOcppConfiguration();
1f5df42a 967 switch (this.getOcppVersion()) {
c0560973 968 case OCPPVersion.VERSION_16:
e7aeea18 969 this.ocppIncomingRequestService =
08f130a0 970 OCPP16IncomingRequestService.getInstance<OCPP16IncomingRequestService>();
e7aeea18 971 this.ocppRequestService = OCPP16RequestService.getInstance<OCPP16RequestService>(
08f130a0 972 OCPP16ResponseService.getInstance<OCPP16ResponseService>()
e7aeea18 973 );
c0560973
JB
974 break;
975 default:
1f5df42a 976 this.handleUnsupportedVersion(this.getOcppVersion());
c0560973
JB
977 break;
978 }
7c72977b 979 if (this.stationInfo?.autoRegister) {
47e22477
JB
980 this.bootNotificationResponse = {
981 currentTime: new Date().toISOString(),
982 interval: this.getHeartbeatInterval() / 1000,
e7aeea18 983 status: RegistrationStatus.ACCEPTED,
47e22477
JB
984 };
985 }
147d0e0f
JB
986 }
987
2484ac1e 988 private initializeOcppConfiguration(): void {
17ac262c
JB
989 if (
990 !ChargingStationConfigurationUtils.getConfigurationKey(
991 this,
992 StandardParametersKey.HeartbeatInterval
993 )
994 ) {
995 ChargingStationConfigurationUtils.addConfigurationKey(
996 this,
997 StandardParametersKey.HeartbeatInterval,
998 '0'
999 );
f0f65a62 1000 }
17ac262c
JB
1001 if (
1002 !ChargingStationConfigurationUtils.getConfigurationKey(
1003 this,
1004 StandardParametersKey.HeartBeatInterval
1005 )
1006 ) {
1007 ChargingStationConfigurationUtils.addConfigurationKey(
1008 this,
1009 StandardParametersKey.HeartBeatInterval,
1010 '0',
1011 { visible: false }
1012 );
f0f65a62 1013 }
e7aeea18
JB
1014 if (
1015 this.getSupervisionUrlOcppConfiguration() &&
17ac262c 1016 !ChargingStationConfigurationUtils.getConfigurationKey(this, this.getSupervisionUrlOcppKey())
e7aeea18 1017 ) {
17ac262c
JB
1018 ChargingStationConfigurationUtils.addConfigurationKey(
1019 this,
a59737e3 1020 this.getSupervisionUrlOcppKey(),
fa7bccf4 1021 this.configuredSupervisionUrl.href,
e7aeea18
JB
1022 { reboot: true }
1023 );
e6895390
JB
1024 } else if (
1025 !this.getSupervisionUrlOcppConfiguration() &&
17ac262c 1026 ChargingStationConfigurationUtils.getConfigurationKey(this, this.getSupervisionUrlOcppKey())
e6895390 1027 ) {
17ac262c
JB
1028 ChargingStationConfigurationUtils.deleteConfigurationKey(
1029 this,
1030 this.getSupervisionUrlOcppKey(),
1031 { save: false }
1032 );
12fc74d6 1033 }
cc6e8ab5
JB
1034 if (
1035 this.stationInfo.amperageLimitationOcppKey &&
17ac262c
JB
1036 !ChargingStationConfigurationUtils.getConfigurationKey(
1037 this,
1038 this.stationInfo.amperageLimitationOcppKey
1039 )
cc6e8ab5 1040 ) {
17ac262c
JB
1041 ChargingStationConfigurationUtils.addConfigurationKey(
1042 this,
cc6e8ab5 1043 this.stationInfo.amperageLimitationOcppKey,
17ac262c
JB
1044 (
1045 this.stationInfo.maximumAmperage *
1046 ChargingStationUtils.getAmperageLimitationUnitDivider(this.stationInfo)
1047 ).toString()
cc6e8ab5
JB
1048 );
1049 }
17ac262c
JB
1050 if (
1051 !ChargingStationConfigurationUtils.getConfigurationKey(
1052 this,
1053 StandardParametersKey.SupportedFeatureProfiles
1054 )
1055 ) {
1056 ChargingStationConfigurationUtils.addConfigurationKey(
1057 this,
e7aeea18 1058 StandardParametersKey.SupportedFeatureProfiles,
b22787b4 1059 `${SupportedFeatureProfiles.Core},${SupportedFeatureProfiles.FirmwareManagement},${SupportedFeatureProfiles.LocalAuthListManagement},${SupportedFeatureProfiles.SmartCharging},${SupportedFeatureProfiles.RemoteTrigger}`
e7aeea18
JB
1060 );
1061 }
17ac262c
JB
1062 ChargingStationConfigurationUtils.addConfigurationKey(
1063 this,
e7aeea18
JB
1064 StandardParametersKey.NumberOfConnectors,
1065 this.getNumberOfConnectors().toString(),
a95873d8
JB
1066 { readonly: true },
1067 { overwrite: true }
e7aeea18 1068 );
17ac262c
JB
1069 if (
1070 !ChargingStationConfigurationUtils.getConfigurationKey(
1071 this,
1072 StandardParametersKey.MeterValuesSampledData
1073 )
1074 ) {
1075 ChargingStationConfigurationUtils.addConfigurationKey(
1076 this,
e7aeea18
JB
1077 StandardParametersKey.MeterValuesSampledData,
1078 MeterValueMeasurand.ENERGY_ACTIVE_IMPORT_REGISTER
1079 );
7abfea5f 1080 }
17ac262c
JB
1081 if (
1082 !ChargingStationConfigurationUtils.getConfigurationKey(
1083 this,
1084 StandardParametersKey.ConnectorPhaseRotation
1085 )
1086 ) {
7e1dc878 1087 const connectorPhaseRotation = [];
734d790d 1088 for (const connectorId of this.connectors.keys()) {
7e1dc878 1089 // AC/DC
734d790d
JB
1090 if (connectorId === 0 && this.getNumberOfPhases() === 0) {
1091 connectorPhaseRotation.push(`${connectorId}.${ConnectorPhaseRotation.RST}`);
1092 } else if (connectorId > 0 && this.getNumberOfPhases() === 0) {
1093 connectorPhaseRotation.push(`${connectorId}.${ConnectorPhaseRotation.NotApplicable}`);
e7aeea18 1094 // AC
734d790d
JB
1095 } else if (connectorId > 0 && this.getNumberOfPhases() === 1) {
1096 connectorPhaseRotation.push(`${connectorId}.${ConnectorPhaseRotation.NotApplicable}`);
1097 } else if (connectorId > 0 && this.getNumberOfPhases() === 3) {
1098 connectorPhaseRotation.push(`${connectorId}.${ConnectorPhaseRotation.RST}`);
7e1dc878
JB
1099 }
1100 }
17ac262c
JB
1101 ChargingStationConfigurationUtils.addConfigurationKey(
1102 this,
e7aeea18
JB
1103 StandardParametersKey.ConnectorPhaseRotation,
1104 connectorPhaseRotation.toString()
1105 );
7e1dc878 1106 }
e7aeea18 1107 if (
17ac262c
JB
1108 !ChargingStationConfigurationUtils.getConfigurationKey(
1109 this,
1110 StandardParametersKey.AuthorizeRemoteTxRequests
e7aeea18
JB
1111 )
1112 ) {
17ac262c
JB
1113 ChargingStationConfigurationUtils.addConfigurationKey(
1114 this,
1115 StandardParametersKey.AuthorizeRemoteTxRequests,
1116 'true'
1117 );
36f6a92e 1118 }
17ac262c
JB
1119 if (
1120 !ChargingStationConfigurationUtils.getConfigurationKey(
1121 this,
1122 StandardParametersKey.LocalAuthListEnabled
1123 ) &&
1124 ChargingStationConfigurationUtils.getConfigurationKey(
1125 this,
1126 StandardParametersKey.SupportedFeatureProfiles
1127 )?.value.includes(SupportedFeatureProfiles.LocalAuthListManagement)
1128 ) {
1129 ChargingStationConfigurationUtils.addConfigurationKey(
1130 this,
1131 StandardParametersKey.LocalAuthListEnabled,
1132 'false'
1133 );
1134 }
1135 if (
1136 !ChargingStationConfigurationUtils.getConfigurationKey(
1137 this,
1138 StandardParametersKey.ConnectionTimeOut
1139 )
1140 ) {
1141 ChargingStationConfigurationUtils.addConfigurationKey(
1142 this,
e7aeea18
JB
1143 StandardParametersKey.ConnectionTimeOut,
1144 Constants.DEFAULT_CONNECTION_TIMEOUT.toString()
1145 );
8bce55bf 1146 }
2484ac1e 1147 this.saveOcppConfiguration();
073bd098
JB
1148 }
1149
3d25cc86
JB
1150 private initializeConnectors(
1151 stationInfo: ChargingStationInfo,
fa7bccf4 1152 configuredMaxConnectors: number,
3d25cc86
JB
1153 templateMaxConnectors: number
1154 ): void {
1155 if (!stationInfo?.Connectors && this.connectors.size === 0) {
fc040c43
JB
1156 const logMsg = `No already defined connectors and charging station information from template ${this.templateFile} with no connectors configuration defined`;
1157 logger.error(`${this.logPrefix()} ${logMsg}`);
3d25cc86
JB
1158 throw new BaseError(logMsg);
1159 }
1160 if (!stationInfo?.Connectors[0]) {
1161 logger.warn(
1162 `${this.logPrefix()} Charging station information from template ${
1163 this.templateFile
1164 } with no connector Id 0 configuration`
1165 );
1166 }
1167 if (stationInfo?.Connectors) {
1168 const connectorsConfigHash = crypto
1169 .createHash(Constants.DEFAULT_HASH_ALGORITHM)
fa7bccf4 1170 .update(JSON.stringify(stationInfo?.Connectors) + configuredMaxConnectors.toString())
3d25cc86
JB
1171 .digest('hex');
1172 const connectorsConfigChanged =
1173 this.connectors?.size !== 0 && this.connectorsConfigurationHash !== connectorsConfigHash;
1174 if (this.connectors?.size === 0 || connectorsConfigChanged) {
1175 connectorsConfigChanged && this.connectors.clear();
1176 this.connectorsConfigurationHash = connectorsConfigHash;
1177 // Add connector Id 0
1178 let lastConnector = '0';
1179 for (lastConnector in stationInfo?.Connectors) {
1180 const lastConnectorId = Utils.convertToInt(lastConnector);
1181 if (
1182 lastConnectorId === 0 &&
fa7bccf4 1183 this.getUseConnectorId0(stationInfo) &&
3d25cc86
JB
1184 stationInfo?.Connectors[lastConnector]
1185 ) {
1186 this.connectors.set(
1187 lastConnectorId,
1188 Utils.cloneObject<ConnectorStatus>(stationInfo?.Connectors[lastConnector])
1189 );
1190 this.getConnectorStatus(lastConnectorId).availability = AvailabilityType.OPERATIVE;
1191 if (Utils.isUndefined(this.getConnectorStatus(lastConnectorId)?.chargingProfiles)) {
1192 this.getConnectorStatus(lastConnectorId).chargingProfiles = [];
1193 }
1194 }
1195 }
1196 // Generate all connectors
1197 if ((stationInfo?.Connectors[0] ? templateMaxConnectors - 1 : templateMaxConnectors) > 0) {
fa7bccf4 1198 for (let index = 1; index <= configuredMaxConnectors; index++) {
ccb1d6e9 1199 const randConnectorId = stationInfo?.randomConnectors
3d25cc86
JB
1200 ? Utils.getRandomInteger(Utils.convertToInt(lastConnector), 1)
1201 : index;
1202 this.connectors.set(
1203 index,
1204 Utils.cloneObject<ConnectorStatus>(stationInfo?.Connectors[randConnectorId])
1205 );
1206 this.getConnectorStatus(index).availability = AvailabilityType.OPERATIVE;
1207 if (Utils.isUndefined(this.getConnectorStatus(index)?.chargingProfiles)) {
1208 this.getConnectorStatus(index).chargingProfiles = [];
1209 }
1210 }
1211 }
1212 }
1213 } else {
1214 logger.warn(
1215 `${this.logPrefix()} Charging station information from template ${
1216 this.templateFile
1217 } with no connectors configuration defined, using already defined connectors`
1218 );
1219 }
1220 // Initialize transaction attributes on connectors
1221 for (const connectorId of this.connectors.keys()) {
5e3cb728 1222 if (connectorId > 0 && this.getConnectorStatus(connectorId)?.transactionStarted === false) {
3d25cc86
JB
1223 this.initializeConnectorStatus(connectorId);
1224 }
1225 }
1226 }
1227
7f7b65ca 1228 private getConfigurationFromFile(): ChargingStationConfiguration | null {
073bd098 1229 let configuration: ChargingStationConfiguration = null;
2484ac1e 1230 if (this.configurationFile && fs.existsSync(this.configurationFile)) {
073bd098 1231 try {
57adbebc
JB
1232 if (this.sharedLRUCache.hasChargingStationConfiguration(this.configurationFileHash)) {
1233 configuration = this.sharedLRUCache.getChargingStationConfiguration(
1234 this.configurationFileHash
1235 );
7c72977b
JB
1236 } else {
1237 const measureId = `${FileType.ChargingStationConfiguration} read`;
1238 const beginId = PerformanceStatistics.beginMeasure(measureId);
1239 configuration = JSON.parse(
1240 fs.readFileSync(this.configurationFile, 'utf8')
1241 ) as ChargingStationConfiguration;
1242 PerformanceStatistics.endMeasure(measureId, beginId);
1243 this.configurationFileHash = configuration.configurationHash;
57adbebc 1244 this.sharedLRUCache.setChargingStationConfiguration(configuration);
7c72977b 1245 }
073bd098
JB
1246 } catch (error) {
1247 FileUtils.handleFileException(
1248 this.logPrefix(),
a95873d8 1249 FileType.ChargingStationConfiguration,
073bd098
JB
1250 this.configurationFile,
1251 error as NodeJS.ErrnoException
1252 );
1253 }
1254 }
1255 return configuration;
1256 }
1257
7c72977b 1258 private saveConfiguration(): void {
2484ac1e
JB
1259 if (this.configurationFile) {
1260 try {
2484ac1e
JB
1261 if (!fs.existsSync(path.dirname(this.configurationFile))) {
1262 fs.mkdirSync(path.dirname(this.configurationFile), { recursive: true });
073bd098 1263 }
ccb1d6e9
JB
1264 const configurationData: ChargingStationConfiguration =
1265 this.getConfigurationFromFile() ?? {};
7c72977b
JB
1266 this.ocppConfiguration?.configurationKey &&
1267 (configurationData.configurationKey = this.ocppConfiguration.configurationKey);
1268 this.stationInfo && (configurationData.stationInfo = this.stationInfo);
1269 delete configurationData.configurationHash;
1270 const configurationHash = crypto
1271 .createHash(Constants.DEFAULT_HASH_ALGORITHM)
1272 .update(JSON.stringify(configurationData))
1273 .digest('hex');
1274 if (this.configurationFileHash !== configurationHash) {
1275 configurationData.configurationHash = configurationHash;
1276 const measureId = `${FileType.ChargingStationConfiguration} write`;
1277 const beginId = PerformanceStatistics.beginMeasure(measureId);
1278 const fileDescriptor = fs.openSync(this.configurationFile, 'w');
1279 fs.writeFileSync(fileDescriptor, JSON.stringify(configurationData, null, 2), 'utf8');
1280 fs.closeSync(fileDescriptor);
1281 PerformanceStatistics.endMeasure(measureId, beginId);
57adbebc 1282 this.sharedLRUCache.deleteChargingStationConfiguration(this.configurationFileHash);
7c72977b 1283 this.configurationFileHash = configurationHash;
57adbebc 1284 this.sharedLRUCache.setChargingStationConfiguration(configurationData);
7c72977b
JB
1285 } else {
1286 logger.debug(
1287 `${this.logPrefix()} Not saving unchanged charging station configuration file ${
1288 this.configurationFile
1289 }`
1290 );
2484ac1e 1291 }
2484ac1e
JB
1292 } catch (error) {
1293 FileUtils.handleFileException(
1294 this.logPrefix(),
1295 FileType.ChargingStationConfiguration,
1296 this.configurationFile,
1297 error as NodeJS.ErrnoException
073bd098
JB
1298 );
1299 }
2484ac1e
JB
1300 } else {
1301 logger.error(
01efc60a 1302 `${this.logPrefix()} Trying to save charging station configuration to undefined configuration file`
2484ac1e 1303 );
073bd098
JB
1304 }
1305 }
1306
ccb1d6e9
JB
1307 private getOcppConfigurationFromTemplate(): ChargingStationOcppConfiguration | null {
1308 return this.getTemplateFromFile()?.Configuration ?? null;
2484ac1e
JB
1309 }
1310
1311 private getOcppConfigurationFromFile(): ChargingStationOcppConfiguration | null {
1312 let configuration: ChargingStationConfiguration = null;
1313 if (this.getOcppPersistentConfiguration()) {
7a3a2ebb
JB
1314 const configurationFromFile = this.getConfigurationFromFile();
1315 configuration = configurationFromFile?.configurationKey && configurationFromFile;
073bd098 1316 }
2484ac1e 1317 configuration && delete configuration.stationInfo;
073bd098 1318 return configuration;
7dde0b73
JB
1319 }
1320
ccb1d6e9 1321 private getOcppConfiguration(): ChargingStationOcppConfiguration | null {
2484ac1e
JB
1322 let ocppConfiguration: ChargingStationOcppConfiguration = this.getOcppConfigurationFromFile();
1323 if (!ocppConfiguration) {
1324 ocppConfiguration = this.getOcppConfigurationFromTemplate();
1325 }
1326 return ocppConfiguration;
1327 }
1328
c0560973 1329 private async onOpen(): Promise<void> {
5144f4d1
JB
1330 if (this.isWebSocketConnectionOpened()) {
1331 logger.info(
1332 `${this.logPrefix()} Connection to OCPP server through ${this.wsConnectionUrl.toString()} succeeded`
1333 );
94bb24d5 1334 if (!this.isRegistered()) {
5144f4d1
JB
1335 // Send BootNotification
1336 let registrationRetryCount = 0;
1337 do {
f7f98c68 1338 this.bootNotificationResponse = await this.ocppRequestService.requestHandler<
5144f4d1
JB
1339 BootNotificationRequest,
1340 BootNotificationResponse
1341 >(
08f130a0 1342 this,
f22266fd
JB
1343 RequestCommand.BOOT_NOTIFICATION,
1344 {
1345 chargePointModel: this.bootNotificationRequest.chargePointModel,
1346 chargePointVendor: this.bootNotificationRequest.chargePointVendor,
1347 chargeBoxSerialNumber: this.bootNotificationRequest.chargeBoxSerialNumber,
1348 firmwareVersion: this.bootNotificationRequest.firmwareVersion,
1349 chargePointSerialNumber: this.bootNotificationRequest.chargePointSerialNumber,
1350 iccid: this.bootNotificationRequest.iccid,
1351 imsi: this.bootNotificationRequest.imsi,
1352 meterSerialNumber: this.bootNotificationRequest.meterSerialNumber,
1353 meterType: this.bootNotificationRequest.meterType,
1354 },
1355 { skipBufferingOnError: true }
1356 );
94bb24d5 1357 if (!this.isRegistered()) {
5144f4d1
JB
1358 this.getRegistrationMaxRetries() !== -1 && registrationRetryCount++;
1359 await Utils.sleep(
1360 this.bootNotificationResponse?.interval
1361 ? this.bootNotificationResponse.interval * 1000
1362 : Constants.OCPP_DEFAULT_BOOT_NOTIFICATION_INTERVAL
1363 );
1364 }
1365 } while (
94bb24d5 1366 !this.isRegistered() &&
5144f4d1
JB
1367 (registrationRetryCount <= this.getRegistrationMaxRetries() ||
1368 this.getRegistrationMaxRetries() === -1)
1369 );
1370 }
94bb24d5
JB
1371 if (this.isRegistered()) {
1372 if (this.isInAcceptedState()) {
1373 await this.startMessageSequence();
1374 this.wsConnectionRestarted && this.flushMessageBuffer();
c0560973 1375 }
5144f4d1
JB
1376 } else {
1377 logger.error(
1378 `${this.logPrefix()} Registration failure: max retries reached (${this.getRegistrationMaxRetries()}) or retry disabled (${this.getRegistrationMaxRetries()})`
1379 );
caad9d6b 1380 }
452a82ca 1381 this.started === false && (this.started = true);
5144f4d1
JB
1382 this.autoReconnectRetryCount = 0;
1383 this.wsConnectionRestarted = false;
5e3cb728 1384 parentPort.postMessage(MessageChannelUtils.buildUpdatedMessage(this));
2e6f5966 1385 } else {
5144f4d1
JB
1386 logger.warn(
1387 `${this.logPrefix()} Connection to OCPP server through ${this.wsConnectionUrl.toString()} failed`
e7aeea18 1388 );
2e6f5966 1389 }
2e6f5966
JB
1390 }
1391
6c65a295 1392 private async onClose(code: number, reason: string): Promise<void> {
d09085e9 1393 switch (code) {
6c65a295
JB
1394 // Normal close
1395 case WebSocketCloseEventStatusCode.CLOSE_NORMAL:
c0560973 1396 case WebSocketCloseEventStatusCode.CLOSE_NO_STATUS:
e7aeea18 1397 logger.info(
5e3cb728 1398 `${this.logPrefix()} WebSocket normally closed with status '${Utils.getWebSocketCloseEventStatusString(
e7aeea18
JB
1399 code
1400 )}' and reason '${reason}'`
1401 );
c0560973
JB
1402 this.autoReconnectRetryCount = 0;
1403 break;
6c65a295
JB
1404 // Abnormal close
1405 default:
e7aeea18 1406 logger.error(
5e3cb728 1407 `${this.logPrefix()} WebSocket abnormally closed with status '${Utils.getWebSocketCloseEventStatusString(
e7aeea18
JB
1408 code
1409 )}' and reason '${reason}'`
1410 );
d09085e9 1411 await this.reconnect(code);
c0560973
JB
1412 break;
1413 }
5e3cb728 1414 parentPort.postMessage(MessageChannelUtils.buildUpdatedMessage(this));
2e6f5966
JB
1415 }
1416
16b0d4e7 1417 private async onMessage(data: Data): Promise<void> {
b3ec7bc1
JB
1418 let messageType: number;
1419 let messageId: string;
1420 let commandName: IncomingRequestCommand;
1421 let commandPayload: JsonType;
1422 let errorType: ErrorType;
1423 let errorMessage: string;
1424 let errorDetails: JsonType;
1425 let responseCallback: (payload: JsonType, requestPayload: JsonType) => void;
a2d1c0f1 1426 let errorCallback: (error: OCPPError, requestStatistic?: boolean) => void;
32b02249 1427 let requestCommandName: RequestCommand | IncomingRequestCommand;
b3ec7bc1 1428 let requestPayload: JsonType;
32b02249 1429 let cachedRequest: CachedRequest;
c0560973
JB
1430 let errMsg: string;
1431 try {
b3ec7bc1 1432 const request = JSON.parse(data.toString()) as IncomingRequest | Response | ErrorResponse;
53e5fd67 1433 if (Array.isArray(request) === true) {
9934652c 1434 [messageType, messageId] = request;
b3ec7bc1
JB
1435 // Check the type of message
1436 switch (messageType) {
1437 // Incoming Message
1438 case MessageType.CALL_MESSAGE:
9934652c 1439 [, , commandName, commandPayload] = request as IncomingRequest;
b3ec7bc1
JB
1440 if (this.getEnableStatistics()) {
1441 this.performanceStatistics.addRequestStatistic(commandName, messageType);
1442 }
1443 logger.debug(
1444 `${this.logPrefix()} << Command '${commandName}' received request payload: ${JSON.stringify(
1445 request
1446 )}`
1447 );
1448 // Process the message
1449 await this.ocppIncomingRequestService.incomingRequestHandler(
08f130a0 1450 this,
b3ec7bc1
JB
1451 messageId,
1452 commandName,
1453 commandPayload
1454 );
1455 break;
1456 // Outcome Message
1457 case MessageType.CALL_RESULT_MESSAGE:
9934652c 1458 [, , commandPayload] = request as Response;
a2d1c0f1
JB
1459 if (!this.requests.has(messageId)) {
1460 // Error
1461 throw new OCPPError(
1462 ErrorType.INTERNAL_ERROR,
1463 `Response for unknown message id ${messageId}`,
1464 null,
1465 commandPayload
1466 );
1467 }
b3ec7bc1
JB
1468 // Respond
1469 cachedRequest = this.requests.get(messageId);
53e5fd67 1470 if (Array.isArray(cachedRequest) === true) {
b3ec7bc1
JB
1471 [responseCallback, , requestCommandName, requestPayload] = cachedRequest;
1472 } else {
1473 throw new OCPPError(
1474 ErrorType.PROTOCOL_ERROR,
53e5fd67 1475 `Cached request for message id ${messageId} response is not an array`,
c2bc716f
JB
1476 null,
1477 cachedRequest as unknown as JsonType
b3ec7bc1
JB
1478 );
1479 }
1480 logger.debug(
7ec6c5c9 1481 `${this.logPrefix()} << Command '${
7369e417 1482 requestCommandName ?? 'unknown'
7ec6c5c9 1483 }' received response payload: ${JSON.stringify(request)}`
b3ec7bc1 1484 );
a2d1c0f1
JB
1485 responseCallback(commandPayload, requestPayload);
1486 break;
1487 // Error Message
1488 case MessageType.CALL_ERROR_MESSAGE:
1489 [, , errorType, errorMessage, errorDetails] = request as ErrorResponse;
1490 if (!this.requests.has(messageId)) {
b3ec7bc1
JB
1491 // Error
1492 throw new OCPPError(
1493 ErrorType.INTERNAL_ERROR,
a2d1c0f1 1494 `Error response for unknown message id ${messageId}`,
c2bc716f 1495 null,
a2d1c0f1 1496 { errorType, errorMessage, errorDetails }
b3ec7bc1
JB
1497 );
1498 }
b3ec7bc1 1499 cachedRequest = this.requests.get(messageId);
53e5fd67 1500 if (Array.isArray(cachedRequest) === true) {
a2d1c0f1 1501 [, errorCallback, requestCommandName] = cachedRequest;
b3ec7bc1
JB
1502 } else {
1503 throw new OCPPError(
1504 ErrorType.PROTOCOL_ERROR,
53e5fd67 1505 `Cached request for message id ${messageId} error response is not an array`,
c2bc716f
JB
1506 null,
1507 cachedRequest as unknown as JsonType
b3ec7bc1
JB
1508 );
1509 }
1510 logger.debug(
7ec6c5c9 1511 `${this.logPrefix()} << Command '${
7369e417 1512 requestCommandName ?? 'unknown'
7ec6c5c9 1513 }' received error payload: ${JSON.stringify(request)}`
b3ec7bc1 1514 );
a2d1c0f1 1515 errorCallback(new OCPPError(errorType, errorMessage, requestCommandName, errorDetails));
b3ec7bc1
JB
1516 break;
1517 // Error
1518 default:
1519 // eslint-disable-next-line @typescript-eslint/restrict-template-expressions
fc040c43
JB
1520 errMsg = `Wrong message type ${messageType}`;
1521 logger.error(`${this.logPrefix()} ${errMsg}`);
b3ec7bc1
JB
1522 throw new OCPPError(ErrorType.PROTOCOL_ERROR, errMsg);
1523 }
32de5a57 1524 parentPort.postMessage(MessageChannelUtils.buildUpdatedMessage(this));
47e22477 1525 } else {
53e5fd67 1526 throw new OCPPError(ErrorType.PROTOCOL_ERROR, 'Incoming message is not an array', null, {
ac54a9bb
JB
1527 payload: request,
1528 });
47e22477 1529 }
c0560973
JB
1530 } catch (error) {
1531 // Log
e7aeea18 1532 logger.error(
91a4f151 1533 `${this.logPrefix()} Incoming OCPP command '${
fc040c43
JB
1534 commandName ?? requestCommandName ?? null
1535 }' message '${data.toString()}' matching cached request '${JSON.stringify(
1536 this.requests.get(messageId)
1537 )}' processing error:`,
e7aeea18
JB
1538 error
1539 );
247659af
JB
1540 if (!(error instanceof OCPPError)) {
1541 logger.warn(
91a4f151 1542 `${this.logPrefix()} Error thrown at incoming OCPP command '${
fc040c43
JB
1543 commandName ?? requestCommandName ?? null
1544 }' message '${data.toString()}' handling is not an OCPPError:`,
247659af
JB
1545 error
1546 );
1547 }
c0560973 1548 // Send error
e7aeea18 1549 messageType === MessageType.CALL_MESSAGE &&
b3ec7bc1 1550 (await this.ocppRequestService.sendError(
08f130a0 1551 this,
b3ec7bc1
JB
1552 messageId,
1553 error as OCPPError,
a2d1c0f1 1554 commandName ?? requestCommandName ?? null
b3ec7bc1 1555 ));
c0560973 1556 }
2328be1e
JB
1557 }
1558
c0560973 1559 private onPing(): void {
9f2e3130 1560 logger.debug(this.logPrefix() + ' Received a WS ping (rfc6455) from the server');
c0560973
JB
1561 }
1562
1563 private onPong(): void {
9f2e3130 1564 logger.debug(this.logPrefix() + ' Received a WS pong (rfc6455) from the server');
c0560973
JB
1565 }
1566
9534e74e 1567 private onError(error: WSError): void {
bcc9c3c0 1568 this.closeWSConnection();
32de5a57 1569 logger.error(this.logPrefix() + ' WebSocket error:', error);
c0560973
JB
1570 }
1571
07989fad
JB
1572 private getEnergyActiveImportRegister(
1573 connectorStatus: ConnectorStatus,
1574 meterStop = false
1575 ): number {
1576 if (this.getMeteringPerTransaction()) {
1577 return (
1578 (meterStop === true
1579 ? Math.round(connectorStatus?.transactionEnergyActiveImportRegisterValue)
1580 : connectorStatus?.transactionEnergyActiveImportRegisterValue) ?? 0
1581 );
1582 }
1583 return (
1584 (meterStop === true
1585 ? Math.round(connectorStatus?.energyActiveImportRegisterValue)
1586 : connectorStatus?.energyActiveImportRegisterValue) ?? 0
1587 );
1588 }
1589
fa7bccf4
JB
1590 private getUseConnectorId0(stationInfo?: ChargingStationInfo): boolean | undefined {
1591 const localStationInfo = stationInfo ?? this.stationInfo;
1592 return !Utils.isUndefined(localStationInfo.useConnectorId0)
1593 ? localStationInfo.useConnectorId0
e7aeea18 1594 : true;
8bce55bf
JB
1595 }
1596
60ddad53
JB
1597 private getNumberOfRunningTransactions(): number {
1598 let trxCount = 0;
1599 for (const connectorId of this.connectors.keys()) {
1600 if (connectorId > 0 && this.getConnectorStatus(connectorId)?.transactionStarted === true) {
1601 trxCount++;
1602 }
1603 }
1604 return trxCount;
1605 }
1606
1607 private async stopRunningTransactions(reason = StopTransactionReason.NONE): Promise<void> {
1608 for (const connectorId of this.connectors.keys()) {
1609 if (connectorId > 0 && this.getConnectorStatus(connectorId)?.transactionStarted === true) {
1610 await this.stopTransactionOnConnector(connectorId, reason);
1611 }
1612 }
1613 }
1614
1f761b9a 1615 // 0 for disabling
6e0964c8 1616 private getConnectionTimeout(): number | undefined {
17ac262c
JB
1617 if (
1618 ChargingStationConfigurationUtils.getConfigurationKey(
1619 this,
1620 StandardParametersKey.ConnectionTimeOut
1621 )
1622 ) {
e7aeea18 1623 return (
17ac262c
JB
1624 parseInt(
1625 ChargingStationConfigurationUtils.getConfigurationKey(
1626 this,
1627 StandardParametersKey.ConnectionTimeOut
1628 ).value
1629 ) ?? Constants.DEFAULT_CONNECTION_TIMEOUT
e7aeea18 1630 );
291cb255 1631 }
291cb255 1632 return Constants.DEFAULT_CONNECTION_TIMEOUT;
3574dfd3
JB
1633 }
1634
1f761b9a 1635 // -1 for unlimited, 0 for disabling
6e0964c8 1636 private getAutoReconnectMaxRetries(): number | undefined {
ad2f27c3
JB
1637 if (!Utils.isUndefined(this.stationInfo.autoReconnectMaxRetries)) {
1638 return this.stationInfo.autoReconnectMaxRetries;
3574dfd3
JB
1639 }
1640 if (!Utils.isUndefined(Configuration.getAutoReconnectMaxRetries())) {
1641 return Configuration.getAutoReconnectMaxRetries();
1642 }
1643 return -1;
1644 }
1645
ec977daf 1646 // 0 for disabling
6e0964c8 1647 private getRegistrationMaxRetries(): number | undefined {
ad2f27c3
JB
1648 if (!Utils.isUndefined(this.stationInfo.registrationMaxRetries)) {
1649 return this.stationInfo.registrationMaxRetries;
32a1eb7a
JB
1650 }
1651 return -1;
1652 }
1653
c0560973
JB
1654 private getPowerDivider(): number {
1655 let powerDivider = this.getNumberOfConnectors();
fa7bccf4 1656 if (this.stationInfo?.powerSharedByConnectors) {
c0560973 1657 powerDivider = this.getNumberOfRunningTransactions();
6ecb15e4
JB
1658 }
1659 return powerDivider;
1660 }
1661
fa7bccf4
JB
1662 private getMaximumPower(stationInfo?: ChargingStationInfo): number {
1663 const localStationInfo = stationInfo ?? this.stationInfo;
1664 return (localStationInfo['maxPower'] as number) ?? localStationInfo.maximumPower;
0642c3d2
JB
1665 }
1666
fa7bccf4
JB
1667 private getMaximumAmperage(stationInfo: ChargingStationInfo): number | undefined {
1668 const maximumPower = this.getMaximumPower(stationInfo);
1669 switch (this.getCurrentOutType(stationInfo)) {
cc6e8ab5
JB
1670 case CurrentType.AC:
1671 return ACElectricUtils.amperagePerPhaseFromPower(
fa7bccf4 1672 this.getNumberOfPhases(stationInfo),
ad8537a7 1673 maximumPower / this.getNumberOfConnectors(),
fa7bccf4 1674 this.getVoltageOut(stationInfo)
cc6e8ab5
JB
1675 );
1676 case CurrentType.DC:
fa7bccf4 1677 return DCElectricUtils.amperage(maximumPower, this.getVoltageOut(stationInfo));
cc6e8ab5
JB
1678 }
1679 }
1680
cc6e8ab5
JB
1681 private getAmperageLimitation(): number | undefined {
1682 if (
1683 this.stationInfo.amperageLimitationOcppKey &&
17ac262c
JB
1684 ChargingStationConfigurationUtils.getConfigurationKey(
1685 this,
1686 this.stationInfo.amperageLimitationOcppKey
1687 )
cc6e8ab5
JB
1688 ) {
1689 return (
1690 Utils.convertToInt(
17ac262c
JB
1691 ChargingStationConfigurationUtils.getConfigurationKey(
1692 this,
1693 this.stationInfo.amperageLimitationOcppKey
1694 ).value
1695 ) / ChargingStationUtils.getAmperageLimitationUnitDivider(this.stationInfo)
cc6e8ab5
JB
1696 );
1697 }
1698 }
1699
60ddad53
JB
1700 private getChargingProfilePowerLimit(connectorId: number): number | undefined {
1701 let limit: number, matchingChargingProfile: ChargingProfile;
1702 let chargingProfiles: ChargingProfile[] = [];
1703 // Get charging profiles for connector and sort by stack level
1704 chargingProfiles = this.getConnectorStatus(connectorId).chargingProfiles.sort(
1705 (a, b) => b.stackLevel - a.stackLevel
1706 );
1707 // Get profiles on connector 0
1708 if (this.getConnectorStatus(0).chargingProfiles) {
1709 chargingProfiles.push(
1710 ...this.getConnectorStatus(0).chargingProfiles.sort((a, b) => b.stackLevel - a.stackLevel)
1711 );
1712 }
1713 if (!Utils.isEmptyArray(chargingProfiles)) {
1714 const result = ChargingStationUtils.getLimitFromChargingProfiles(
1715 chargingProfiles,
1716 this.logPrefix()
1717 );
1718 if (!Utils.isNullOrUndefined(result)) {
1719 limit = result.limit;
1720 matchingChargingProfile = result.matchingChargingProfile;
1721 switch (this.getCurrentOutType()) {
1722 case CurrentType.AC:
1723 limit =
1724 matchingChargingProfile.chargingSchedule.chargingRateUnit ===
1725 ChargingRateUnitType.WATT
1726 ? limit
1727 : ACElectricUtils.powerTotal(this.getNumberOfPhases(), this.getVoltageOut(), limit);
1728 break;
1729 case CurrentType.DC:
1730 limit =
1731 matchingChargingProfile.chargingSchedule.chargingRateUnit ===
1732 ChargingRateUnitType.WATT
1733 ? limit
1734 : DCElectricUtils.power(this.getVoltageOut(), limit);
1735 }
1736 const connectorMaximumPower = this.getMaximumPower() / this.powerDivider;
1737 if (limit > connectorMaximumPower) {
1738 logger.error(
1739 `${this.logPrefix()} Charging profile id ${
1740 matchingChargingProfile.chargingProfileId
1741 } limit is greater than connector id ${connectorId} maximum, dump charging profiles' stack: %j`,
1742 this.getConnectorStatus(connectorId).chargingProfiles
1743 );
1744 limit = connectorMaximumPower;
1745 }
1746 }
1747 }
1748 return limit;
1749 }
1750
c0560973 1751 private async startMessageSequence(): Promise<void> {
7c72977b 1752 if (this.stationInfo?.autoRegister) {
f7f98c68 1753 await this.ocppRequestService.requestHandler<
ef6fa3fb
JB
1754 BootNotificationRequest,
1755 BootNotificationResponse
1756 >(
08f130a0 1757 this,
6a8b180d
JB
1758 RequestCommand.BOOT_NOTIFICATION,
1759 {
1760 chargePointModel: this.bootNotificationRequest.chargePointModel,
1761 chargePointVendor: this.bootNotificationRequest.chargePointVendor,
1762 chargeBoxSerialNumber: this.bootNotificationRequest.chargeBoxSerialNumber,
1763 firmwareVersion: this.bootNotificationRequest.firmwareVersion,
29d1e2e7
JB
1764 chargePointSerialNumber: this.bootNotificationRequest.chargePointSerialNumber,
1765 iccid: this.bootNotificationRequest.iccid,
1766 imsi: this.bootNotificationRequest.imsi,
1767 meterSerialNumber: this.bootNotificationRequest.meterSerialNumber,
1768 meterType: this.bootNotificationRequest.meterType,
6a8b180d
JB
1769 },
1770 { skipBufferingOnError: true }
e7aeea18 1771 );
6114e6f1 1772 }
136c90ba 1773 // Start WebSocket ping
c0560973 1774 this.startWebSocketPing();
5ad8570f 1775 // Start heartbeat
c0560973 1776 this.startHeartbeat();
0a60c33c 1777 // Initialize connectors status
734d790d
JB
1778 for (const connectorId of this.connectors.keys()) {
1779 if (connectorId === 0) {
593cf3f9 1780 continue;
e7aeea18 1781 } else if (
452a82ca 1782 this.started === true &&
e7aeea18
JB
1783 !this.getConnectorStatus(connectorId)?.status &&
1784 this.getConnectorStatus(connectorId)?.bootStatus
1785 ) {
136c90ba 1786 // Send status in template at startup
f7f98c68 1787 await this.ocppRequestService.requestHandler<
ef6fa3fb
JB
1788 StatusNotificationRequest,
1789 StatusNotificationResponse
08f130a0 1790 >(this, RequestCommand.STATUS_NOTIFICATION, {
ef6fa3fb
JB
1791 connectorId,
1792 status: this.getConnectorStatus(connectorId).bootStatus,
1793 errorCode: ChargePointErrorCode.NO_ERROR,
1794 });
e7aeea18
JB
1795 this.getConnectorStatus(connectorId).status =
1796 this.getConnectorStatus(connectorId).bootStatus;
1797 } else if (
452a82ca 1798 this.started === false &&
e7aeea18
JB
1799 this.getConnectorStatus(connectorId)?.status &&
1800 this.getConnectorStatus(connectorId)?.bootStatus
1801 ) {
136c90ba 1802 // Send status in template after reset
f7f98c68 1803 await this.ocppRequestService.requestHandler<
ef6fa3fb
JB
1804 StatusNotificationRequest,
1805 StatusNotificationResponse
08f130a0 1806 >(this, RequestCommand.STATUS_NOTIFICATION, {
ef6fa3fb
JB
1807 connectorId,
1808 status: this.getConnectorStatus(connectorId).bootStatus,
1809 errorCode: ChargePointErrorCode.NO_ERROR,
1810 });
e7aeea18
JB
1811 this.getConnectorStatus(connectorId).status =
1812 this.getConnectorStatus(connectorId).bootStatus;
452a82ca 1813 } else if (this.started === true && this.getConnectorStatus(connectorId)?.status) {
136c90ba 1814 // Send previous status at template reload
f7f98c68 1815 await this.ocppRequestService.requestHandler<
ef6fa3fb
JB
1816 StatusNotificationRequest,
1817 StatusNotificationResponse
08f130a0 1818 >(this, RequestCommand.STATUS_NOTIFICATION, {
ef6fa3fb
JB
1819 connectorId,
1820 status: this.getConnectorStatus(connectorId).status,
1821 errorCode: ChargePointErrorCode.NO_ERROR,
1822 });
5ad8570f 1823 } else {
136c90ba 1824 // Send default status
f7f98c68 1825 await this.ocppRequestService.requestHandler<
ef6fa3fb
JB
1826 StatusNotificationRequest,
1827 StatusNotificationResponse
08f130a0 1828 >(this, RequestCommand.STATUS_NOTIFICATION, {
ef6fa3fb
JB
1829 connectorId,
1830 status: ChargePointStatus.AVAILABLE,
1831 errorCode: ChargePointErrorCode.NO_ERROR,
1832 });
734d790d 1833 this.getConnectorStatus(connectorId).status = ChargePointStatus.AVAILABLE;
5ad8570f
JB
1834 }
1835 }
0a60c33c 1836 // Start the ATG
60ddad53 1837 if (this.getAutomaticTransactionGeneratorConfigurationFromTemplate()?.enable === true) {
4f69be04 1838 this.startAutomaticTransactionGenerator();
fa7bccf4
JB
1839 }
1840 }
1841
e7aeea18
JB
1842 private async stopMessageSequence(
1843 reason: StopTransactionReason = StopTransactionReason.NONE
1844 ): Promise<void> {
136c90ba 1845 // Stop WebSocket ping
c0560973 1846 this.stopWebSocketPing();
79411696 1847 // Stop heartbeat
c0560973 1848 this.stopHeartbeat();
fa7bccf4 1849 // Stop ongoing transactions
60ddad53
JB
1850 if (this.automaticTransactionGenerator?.started) {
1851 this.stopAutomaticTransactionGenerator();
1852 } else {
1853 await this.stopRunningTransactions(reason);
79411696
JB
1854 }
1855 }
1856
c0560973 1857 private startWebSocketPing(): void {
17ac262c
JB
1858 const webSocketPingInterval: number = ChargingStationConfigurationUtils.getConfigurationKey(
1859 this,
e7aeea18
JB
1860 StandardParametersKey.WebSocketPingInterval
1861 )
1862 ? Utils.convertToInt(
17ac262c
JB
1863 ChargingStationConfigurationUtils.getConfigurationKey(
1864 this,
1865 StandardParametersKey.WebSocketPingInterval
1866 ).value
e7aeea18 1867 )
9cd3dfb0 1868 : 0;
ad2f27c3
JB
1869 if (webSocketPingInterval > 0 && !this.webSocketPingSetInterval) {
1870 this.webSocketPingSetInterval = setInterval(() => {
d5bff457 1871 if (this.isWebSocketConnectionOpened()) {
e7aeea18
JB
1872 this.wsConnection.ping((): void => {
1873 /* This is intentional */
1874 });
136c90ba
JB
1875 }
1876 }, webSocketPingInterval * 1000);
e7aeea18
JB
1877 logger.info(
1878 this.logPrefix() +
1879 ' WebSocket ping started every ' +
1880 Utils.formatDurationSeconds(webSocketPingInterval)
1881 );
ad2f27c3 1882 } else if (this.webSocketPingSetInterval) {
e7aeea18
JB
1883 logger.info(
1884 this.logPrefix() +
1885 ' WebSocket ping every ' +
1886 Utils.formatDurationSeconds(webSocketPingInterval) +
1887 ' already started'
1888 );
136c90ba 1889 } else {
e7aeea18
JB
1890 logger.error(
1891 `${this.logPrefix()} WebSocket ping interval set to ${
1892 webSocketPingInterval
1893 ? Utils.formatDurationSeconds(webSocketPingInterval)
1894 : webSocketPingInterval
1895 }, not starting the WebSocket ping`
1896 );
136c90ba
JB
1897 }
1898 }
1899
c0560973 1900 private stopWebSocketPing(): void {
ad2f27c3
JB
1901 if (this.webSocketPingSetInterval) {
1902 clearInterval(this.webSocketPingSetInterval);
136c90ba
JB
1903 }
1904 }
1905
1f5df42a 1906 private getConfiguredSupervisionUrl(): URL {
e7aeea18
JB
1907 const supervisionUrls = Utils.cloneObject<string | string[]>(
1908 this.stationInfo.supervisionUrls ?? Configuration.getSupervisionUrls()
1909 );
c0560973 1910 if (!Utils.isEmptyArray(supervisionUrls)) {
2dcfe98e
JB
1911 let urlIndex = 0;
1912 switch (Configuration.getSupervisionUrlDistribution()) {
1913 case SupervisionUrlDistribution.ROUND_ROBIN:
1914 urlIndex = (this.index - 1) % supervisionUrls.length;
1915 break;
1916 case SupervisionUrlDistribution.RANDOM:
1917 // Get a random url
1918 urlIndex = Math.floor(Utils.secureRandom() * supervisionUrls.length);
1919 break;
1920 case SupervisionUrlDistribution.SEQUENTIAL:
1921 if (this.index <= supervisionUrls.length) {
1922 urlIndex = this.index - 1;
1923 } else {
e7aeea18
JB
1924 logger.warn(
1925 `${this.logPrefix()} No more configured supervision urls available, using the first one`
1926 );
2dcfe98e
JB
1927 }
1928 break;
1929 default:
e7aeea18
JB
1930 logger.error(
1931 `${this.logPrefix()} Unknown supervision url distribution '${Configuration.getSupervisionUrlDistribution()}' from values '${SupervisionUrlDistribution.toString()}', defaulting to ${
1932 SupervisionUrlDistribution.ROUND_ROBIN
1933 }`
1934 );
2dcfe98e
JB
1935 urlIndex = (this.index - 1) % supervisionUrls.length;
1936 break;
c0560973 1937 }
2dcfe98e 1938 return new URL(supervisionUrls[urlIndex]);
c0560973 1939 }
57939a9d 1940 return new URL(supervisionUrls as string);
136c90ba
JB
1941 }
1942
6e0964c8 1943 private getHeartbeatInterval(): number | undefined {
17ac262c
JB
1944 const HeartbeatInterval = ChargingStationConfigurationUtils.getConfigurationKey(
1945 this,
1946 StandardParametersKey.HeartbeatInterval
1947 );
c0560973
JB
1948 if (HeartbeatInterval) {
1949 return Utils.convertToInt(HeartbeatInterval.value) * 1000;
1950 }
17ac262c
JB
1951 const HeartBeatInterval = ChargingStationConfigurationUtils.getConfigurationKey(
1952 this,
1953 StandardParametersKey.HeartBeatInterval
1954 );
c0560973
JB
1955 if (HeartBeatInterval) {
1956 return Utils.convertToInt(HeartBeatInterval.value) * 1000;
0a60c33c 1957 }
7c72977b 1958 !this.stationInfo?.autoRegister &&
e7aeea18
JB
1959 logger.warn(
1960 `${this.logPrefix()} Heartbeat interval configuration key not set, using default value: ${
1961 Constants.DEFAULT_HEARTBEAT_INTERVAL
1962 }`
1963 );
47e22477 1964 return Constants.DEFAULT_HEARTBEAT_INTERVAL;
0a60c33c
JB
1965 }
1966
c0560973 1967 private stopHeartbeat(): void {
ad2f27c3
JB
1968 if (this.heartbeatSetInterval) {
1969 clearInterval(this.heartbeatSetInterval);
7dde0b73 1970 }
5ad8570f
JB
1971 }
1972
55516218
JB
1973 private terminateWSConnection(): void {
1974 if (this.isWebSocketConnectionOpened()) {
1975 this.wsConnection.terminate();
1976 this.wsConnection = null;
1977 }
1978 }
1979
dd119a6b 1980 private stopMeterValues(connectorId: number) {
734d790d
JB
1981 if (this.getConnectorStatus(connectorId)?.transactionSetInterval) {
1982 clearInterval(this.getConnectorStatus(connectorId).transactionSetInterval);
dd119a6b
JB
1983 }
1984 }
1985
6e0964c8 1986 private getReconnectExponentialDelay(): boolean | undefined {
e7aeea18
JB
1987 return !Utils.isUndefined(this.stationInfo.reconnectExponentialDelay)
1988 ? this.stationInfo.reconnectExponentialDelay
1989 : false;
5ad8570f
JB
1990 }
1991
d09085e9 1992 private async reconnect(code: number): Promise<void> {
7874b0b1
JB
1993 // Stop WebSocket ping
1994 this.stopWebSocketPing();
136c90ba 1995 // Stop heartbeat
c0560973 1996 this.stopHeartbeat();
5ad8570f 1997 // Stop the ATG if needed
6d9876e7 1998 if (this.automaticTransactionGenerator?.configuration?.stopOnConnectionFailure === true) {
fa7bccf4 1999 this.stopAutomaticTransactionGenerator();
ad2f27c3 2000 }
e7aeea18
JB
2001 if (
2002 this.autoReconnectRetryCount < this.getAutoReconnectMaxRetries() ||
2003 this.getAutoReconnectMaxRetries() === -1
2004 ) {
ad2f27c3 2005 this.autoReconnectRetryCount++;
e7aeea18
JB
2006 const reconnectDelay = this.getReconnectExponentialDelay()
2007 ? Utils.exponentialDelay(this.autoReconnectRetryCount)
2008 : this.getConnectionTimeout() * 1000;
1e080116
JB
2009 const reconnectDelayWithdraw = 1000;
2010 const reconnectTimeout =
2011 reconnectDelay && reconnectDelay - reconnectDelayWithdraw > 0
2012 ? reconnectDelay - reconnectDelayWithdraw
2013 : 0;
e7aeea18
JB
2014 logger.error(
2015 `${this.logPrefix()} WebSocket: connection retry in ${Utils.roundTo(
2016 reconnectDelay,
2017 2
2018 )}ms, timeout ${reconnectTimeout}ms`
2019 );
032d6efc 2020 await Utils.sleep(reconnectDelay);
e7aeea18
JB
2021 logger.error(
2022 this.logPrefix() +
2023 ' WebSocket: reconnecting try #' +
2024 this.autoReconnectRetryCount.toString()
2025 );
2026 this.openWSConnection(
ccb1d6e9 2027 { ...(this.stationInfo?.wsOptions ?? {}), handshakeTimeout: reconnectTimeout },
1e080116 2028 { closeOpened: true }
e7aeea18 2029 );
265e4266 2030 this.wsConnectionRestarted = true;
c0560973 2031 } else if (this.getAutoReconnectMaxRetries() !== -1) {
e7aeea18 2032 logger.error(
71a77ac2 2033 `${this.logPrefix()} WebSocket reconnect failure: maximum retries reached (${
e7aeea18
JB
2034 this.autoReconnectRetryCount
2035 }) or retry disabled (${this.getAutoReconnectMaxRetries()})`
2036 );
5ad8570f
JB
2037 }
2038 }
2039
fa7bccf4
JB
2040 private getAutomaticTransactionGeneratorConfigurationFromTemplate(): AutomaticTransactionGeneratorConfiguration | null {
2041 return this.getTemplateFromFile()?.AutomaticTransactionGenerator ?? null;
2042 }
2043
a2653482
JB
2044 private initializeConnectorStatus(connectorId: number): void {
2045 this.getConnectorStatus(connectorId).idTagLocalAuthorized = false;
2046 this.getConnectorStatus(connectorId).idTagAuthorized = false;
2047 this.getConnectorStatus(connectorId).transactionRemoteStarted = false;
734d790d
JB
2048 this.getConnectorStatus(connectorId).transactionStarted = false;
2049 this.getConnectorStatus(connectorId).energyActiveImportRegisterValue = 0;
2050 this.getConnectorStatus(connectorId).transactionEnergyActiveImportRegisterValue = 0;
0a60c33c 2051 }
7dde0b73 2052}