1 // Partial Copyright Jerome Benoit. 2021. All Rights Reserved.
3 import { ChangeAvailabilityRequest
, ChangeConfigurationRequest
, ClearChargingProfileRequest
, GetConfigurationRequest
, GetDiagnosticsRequest
, MessageTrigger
, OCPP16AvailabilityType
, OCPP16IncomingRequestCommand
, OCPP16RequestCommand
, OCPP16TriggerMessageRequest
, RemoteStartTransactionRequest
, RemoteStopTransactionRequest
, ResetRequest
, SetChargingProfileRequest
, UnlockConnectorRequest
} from
'../../../types/ocpp/1.6/Requests';
4 import { ChangeAvailabilityResponse
, ChangeConfigurationResponse
, ClearChargingProfileResponse
, GetConfigurationResponse
, GetDiagnosticsResponse
, OCPP16TriggerMessageResponse
, SetChargingProfileResponse
, UnlockConnectorResponse
} from
'../../../types/ocpp/1.6/Responses';
5 import { ChargingProfilePurposeType
, OCPP16ChargingProfile
} from
'../../../types/ocpp/1.6/ChargingProfile';
6 import { Client
, FTPResponse
} from
'basic-ftp';
7 import { OCPP16AuthorizationStatus
, OCPP16StopTransactionReason
} from
'../../../types/ocpp/1.6/Transaction';
9 import ChargingStation from
'../../ChargingStation';
10 import Constants from
'../../../utils/Constants';
11 import { DefaultResponse
} from
'../../../types/ocpp/Responses';
12 import { ErrorType
} from
'../../../types/ocpp/ErrorType';
13 import { IncomingRequestHandler
} from
'../../../types/ocpp/Requests';
14 import { JsonType
} from
'../../../types/JsonType';
15 import { OCPP16ChargePointStatus
} from
'../../../types/ocpp/1.6/ChargePointStatus';
16 import { OCPP16DiagnosticsStatus
} from
'../../../types/ocpp/1.6/DiagnosticsStatus';
17 import { OCPP16StandardParametersKey
} from
'../../../types/ocpp/1.6/Configuration';
18 import { OCPPConfigurationKey
} from
'../../../types/ocpp/Configuration';
19 import OCPPError from
'../../../exception/OCPPError';
20 import OCPPIncomingRequestService from
'../OCPPIncomingRequestService';
21 import { URL
} from
'url';
22 import Utils from
'../../../utils/Utils';
24 import getLogger from
'../../../utils/Logger';
25 import path from
'path';
26 import tar from
'tar';
28 export default class OCPP16IncomingRequestService
extends OCPPIncomingRequestService
{
29 private incomingRequestHandlers
: Map
<OCPP16IncomingRequestCommand
, IncomingRequestHandler
>;
31 constructor(chargingStation
: ChargingStation
) {
32 super(chargingStation
);
33 this.incomingRequestHandlers
= new Map
<OCPP16IncomingRequestCommand
, IncomingRequestHandler
>([
34 [OCPP16IncomingRequestCommand
.RESET
, this.handleRequestReset
.bind(this)],
35 [OCPP16IncomingRequestCommand
.CLEAR_CACHE
, this.handleRequestClearCache
.bind(this)],
36 [OCPP16IncomingRequestCommand
.UNLOCK_CONNECTOR
, this.handleRequestUnlockConnector
.bind(this)],
37 [OCPP16IncomingRequestCommand
.GET_CONFIGURATION
, this.handleRequestGetConfiguration
.bind(this)],
38 [OCPP16IncomingRequestCommand
.CHANGE_CONFIGURATION
, this.handleRequestChangeConfiguration
.bind(this)],
39 [OCPP16IncomingRequestCommand
.SET_CHARGING_PROFILE
, this.handleRequestSetChargingProfile
.bind(this)],
40 [OCPP16IncomingRequestCommand
.CLEAR_CHARGING_PROFILE
, this.handleRequestClearChargingProfile
.bind(this)],
41 [OCPP16IncomingRequestCommand
.CHANGE_AVAILABILITY
, this.handleRequestChangeAvailability
.bind(this)],
42 [OCPP16IncomingRequestCommand
.REMOTE_START_TRANSACTION
, this.handleRequestRemoteStartTransaction
.bind(this)],
43 [OCPP16IncomingRequestCommand
.REMOTE_STOP_TRANSACTION
, this.handleRequestRemoteStopTransaction
.bind(this)],
44 [OCPP16IncomingRequestCommand
.GET_DIAGNOSTICS
, this.handleRequestGetDiagnostics
.bind(this)],
45 [OCPP16IncomingRequestCommand
.TRIGGER_MESSAGE
, this.handleRequestTriggerMessage
.bind(this)]
49 public async handleRequest(messageId
: string, commandName
: OCPP16IncomingRequestCommand
, commandPayload
: JsonType
): Promise
<void> {
51 if (this.chargingStation
.getOcppStrictCompliance() && (this.chargingStation
.isInPendingState()
52 && (commandName
=== OCPP16IncomingRequestCommand
.REMOTE_START_TRANSACTION
|| commandName
=== OCPP16IncomingRequestCommand
.REMOTE_STOP_TRANSACTION
))) {
53 throw new OCPPError(ErrorType
.SECURITY_ERROR
, `${commandName} cannot be issued to handle request payload ${JSON.stringify(commandPayload, null, 2)} while the charging station is in pending state on the central server`, commandName
);
55 if (this.chargingStation
.isRegistered() || (!this.chargingStation
.getOcppStrictCompliance() && this.chargingStation
.isInUnknownState())) {
56 if (this.incomingRequestHandlers
.has(commandName
)) {
58 // Call the method to build the result
59 result
= await this.incomingRequestHandlers
.get(commandName
)(commandPayload
);
62 getLogger().error(this.chargingStation
.logPrefix() + ' Handle request error: %j', error
);
67 throw new OCPPError(ErrorType
.NOT_IMPLEMENTED
, `${commandName} is not implemented to handle request payload ${JSON.stringify(commandPayload, null, 2)}`, commandName
);
70 throw new OCPPError(ErrorType
.SECURITY_ERROR
, `${commandName} cannot be issued to handle request payload ${JSON.stringify(commandPayload, null, 2)} while the charging station is not registered on the central server.`, commandName
);
72 // Send the built result
73 await this.chargingStation
.ocppRequestService
.sendResult(messageId
, result
, commandName
);
76 // Simulate charging station restart
77 private handleRequestReset(commandPayload
: ResetRequest
): DefaultResponse
{
78 // eslint-disable-next-line @typescript-eslint/no-misused-promises
79 setImmediate(async (): Promise
<void> => {
80 await this.chargingStation
.stop(commandPayload
.type + 'Reset' as OCPP16StopTransactionReason
);
81 await Utils
.sleep(this.chargingStation
.stationInfo
.resetTime
);
82 this.chargingStation
.start();
84 getLogger().info(`${this.chargingStation.logPrefix()} ${commandPayload.type} reset command received, simulating it. The station will be back online in ${Utils.formatDurationMilliSeconds(this.chargingStation.stationInfo.resetTime)}`);
85 return Constants
.OCPP_RESPONSE_ACCEPTED
;
88 private handleRequestClearCache(): DefaultResponse
{
89 return Constants
.OCPP_RESPONSE_ACCEPTED
;
92 private async handleRequestUnlockConnector(commandPayload
: UnlockConnectorRequest
): Promise
<UnlockConnectorResponse
> {
93 const connectorId
= commandPayload
.connectorId
;
94 if (connectorId
=== 0) {
95 getLogger().error(this.chargingStation
.logPrefix() + ' Trying to unlock connector ' + connectorId
.toString());
96 return Constants
.OCPP_RESPONSE_UNLOCK_NOT_SUPPORTED
;
98 if (this.chargingStation
.getConnectorStatus(connectorId
)?.transactionStarted
) {
99 const transactionId
= this.chargingStation
.getConnectorStatus(connectorId
).transactionId
;
100 const stopResponse
= await this.chargingStation
.ocppRequestService
.sendStopTransaction(transactionId
,
101 this.chargingStation
.getEnergyActiveImportRegisterByTransactionId(transactionId
),
102 this.chargingStation
.getTransactionIdTag(transactionId
),
103 OCPP16StopTransactionReason
.UNLOCK_COMMAND
);
104 if (stopResponse
.idTagInfo
?.status === OCPP16AuthorizationStatus
.ACCEPTED
) {
105 return Constants
.OCPP_RESPONSE_UNLOCKED
;
107 return Constants
.OCPP_RESPONSE_UNLOCK_FAILED
;
109 await this.chargingStation
.ocppRequestService
.sendStatusNotification(connectorId
, OCPP16ChargePointStatus
.AVAILABLE
);
110 this.chargingStation
.getConnectorStatus(connectorId
).status = OCPP16ChargePointStatus
.AVAILABLE
;
111 return Constants
.OCPP_RESPONSE_UNLOCKED
;
114 private handleRequestGetConfiguration(commandPayload
: GetConfigurationRequest
): GetConfigurationResponse
{
115 const configurationKey
: OCPPConfigurationKey
[] = [];
116 const unknownKey
: string[] = [];
117 if (Utils
.isEmptyArray(commandPayload
.key
)) {
118 for (const configuration
of this.chargingStation
.configuration
.configurationKey
) {
119 if (Utils
.isUndefined(configuration
.visible
)) {
120 configuration
.visible
= true;
122 if (!configuration
.visible
) {
125 configurationKey
.push({
126 key
: configuration
.key
,
127 readonly: configuration
.readonly,
128 value
: configuration
.value
,
132 for (const key
of commandPayload
.key
) {
133 const keyFound
= this.chargingStation
.getConfigurationKey(key
);
135 if (Utils
.isUndefined(keyFound
.visible
)) {
136 keyFound
.visible
= true;
138 if (!keyFound
.visible
) {
141 configurationKey
.push({
143 readonly: keyFound
.readonly,
144 value
: keyFound
.value
,
147 unknownKey
.push(key
);
157 private handleRequestChangeConfiguration(commandPayload
: ChangeConfigurationRequest
): ChangeConfigurationResponse
{
158 // JSON request fields type sanity check
159 if (!Utils
.isString(commandPayload
.key
)) {
160 getLogger().error(`${this.chargingStation.logPrefix()} ${OCPP16RequestCommand.CHANGE_CONFIGURATION} request key field is not a string:`, commandPayload
);
162 if (!Utils
.isString(commandPayload
.value
)) {
163 getLogger().error(`${this.chargingStation.logPrefix()} ${OCPP16RequestCommand.CHANGE_CONFIGURATION} request value field is not a string:`, commandPayload
);
165 const keyToChange
= this.chargingStation
.getConfigurationKey(commandPayload
.key
, true);
167 return Constants
.OCPP_CONFIGURATION_RESPONSE_NOT_SUPPORTED
;
168 } else if (keyToChange
&& keyToChange
.readonly) {
169 return Constants
.OCPP_CONFIGURATION_RESPONSE_REJECTED
;
170 } else if (keyToChange
&& !keyToChange
.readonly) {
171 const keyIndex
= this.chargingStation
.configuration
.configurationKey
.indexOf(keyToChange
);
172 let valueChanged
= false;
173 if (this.chargingStation
.configuration
.configurationKey
[keyIndex
].value
!== commandPayload
.value
) {
174 this.chargingStation
.configuration
.configurationKey
[keyIndex
].value
= commandPayload
.value
;
177 let triggerHeartbeatRestart
= false;
178 if (keyToChange
.key
=== OCPP16StandardParametersKey
.HeartBeatInterval
&& valueChanged
) {
179 this.chargingStation
.setConfigurationKeyValue(OCPP16StandardParametersKey
.HeartbeatInterval
, commandPayload
.value
);
180 triggerHeartbeatRestart
= true;
182 if (keyToChange
.key
=== OCPP16StandardParametersKey
.HeartbeatInterval
&& valueChanged
) {
183 this.chargingStation
.setConfigurationKeyValue(OCPP16StandardParametersKey
.HeartBeatInterval
, commandPayload
.value
);
184 triggerHeartbeatRestart
= true;
186 if (triggerHeartbeatRestart
) {
187 this.chargingStation
.restartHeartbeat();
189 if (keyToChange
.key
=== OCPP16StandardParametersKey
.WebSocketPingInterval
&& valueChanged
) {
190 this.chargingStation
.restartWebSocketPing();
192 if (keyToChange
.reboot
) {
193 return Constants
.OCPP_CONFIGURATION_RESPONSE_REBOOT_REQUIRED
;
195 return Constants
.OCPP_CONFIGURATION_RESPONSE_ACCEPTED
;
199 private handleRequestSetChargingProfile(commandPayload
: SetChargingProfileRequest
): SetChargingProfileResponse
{
200 if (!this.chargingStation
.getConnectorStatus(commandPayload
.connectorId
)) {
201 getLogger().error(`${this.chargingStation.logPrefix()} Trying to set charging profile(s) to a non existing connector Id ${commandPayload.connectorId}`);
202 return Constants
.OCPP_SET_CHARGING_PROFILE_RESPONSE_REJECTED
;
204 if (commandPayload
.csChargingProfiles
.chargingProfilePurpose
=== ChargingProfilePurposeType
.CHARGE_POINT_MAX_PROFILE
&& commandPayload
.connectorId
!== 0) {
205 return Constants
.OCPP_SET_CHARGING_PROFILE_RESPONSE_REJECTED
;
207 if (commandPayload
.csChargingProfiles
.chargingProfilePurpose
=== ChargingProfilePurposeType
.TX_PROFILE
&& (commandPayload
.connectorId
=== 0 || !this.chargingStation
.getConnectorStatus(commandPayload
.connectorId
)?.transactionStarted
)) {
208 return Constants
.OCPP_SET_CHARGING_PROFILE_RESPONSE_REJECTED
;
210 this.chargingStation
.setChargingProfile(commandPayload
.connectorId
, commandPayload
.csChargingProfiles
);
211 getLogger().debug(`${this.chargingStation.logPrefix()} Charging profile(s) set, dump their stack: %j`, this.chargingStation
.getConnectorStatus(commandPayload
.connectorId
).chargingProfiles
);
212 return Constants
.OCPP_SET_CHARGING_PROFILE_RESPONSE_ACCEPTED
;
215 private handleRequestClearChargingProfile(commandPayload
: ClearChargingProfileRequest
): ClearChargingProfileResponse
{
216 if (!this.chargingStation
.getConnectorStatus(commandPayload
.connectorId
)) {
217 getLogger().error(`${this.chargingStation.logPrefix()} Trying to clear a charging profile(s) to a non existing connector Id ${commandPayload.connectorId}`);
218 return Constants
.OCPP_CLEAR_CHARGING_PROFILE_RESPONSE_UNKNOWN
;
220 if (commandPayload
.connectorId
&& !Utils
.isEmptyArray(this.chargingStation
.getConnectorStatus(commandPayload
.connectorId
).chargingProfiles
)) {
221 this.chargingStation
.getConnectorStatus(commandPayload
.connectorId
).chargingProfiles
= [];
222 getLogger().debug(`${this.chargingStation.logPrefix()} Charging profile(s) cleared, dump their stack: %j`, this.chargingStation
.getConnectorStatus(commandPayload
.connectorId
).chargingProfiles
);
223 return Constants
.OCPP_CLEAR_CHARGING_PROFILE_RESPONSE_ACCEPTED
;
225 if (!commandPayload
.connectorId
) {
226 let clearedCP
= false;
227 for (const connectorId
of this.chargingStation
.connectors
.keys()) {
228 if (!Utils
.isEmptyArray(this.chargingStation
.getConnectorStatus(connectorId
).chargingProfiles
)) {
229 this.chargingStation
.getConnectorStatus(connectorId
).chargingProfiles
?.forEach((chargingProfile
: OCPP16ChargingProfile
, index
: number) => {
230 let clearCurrentCP
= false;
231 if (chargingProfile
.chargingProfileId
=== commandPayload
.id
) {
232 clearCurrentCP
= true;
234 if (!commandPayload
.chargingProfilePurpose
&& chargingProfile
.stackLevel
=== commandPayload
.stackLevel
) {
235 clearCurrentCP
= true;
237 if (!chargingProfile
.stackLevel
&& chargingProfile
.chargingProfilePurpose
=== commandPayload
.chargingProfilePurpose
) {
238 clearCurrentCP
= true;
240 if (chargingProfile
.stackLevel
=== commandPayload
.stackLevel
&& chargingProfile
.chargingProfilePurpose
=== commandPayload
.chargingProfilePurpose
) {
241 clearCurrentCP
= true;
243 if (clearCurrentCP
) {
244 this.chargingStation
.getConnectorStatus(commandPayload
.connectorId
).chargingProfiles
[index
] = {} as OCPP16ChargingProfile
;
245 getLogger().debug(`${this.chargingStation.logPrefix()} Charging profile(s) cleared, dump their stack: %j`, this.chargingStation
.getConnectorStatus(commandPayload
.connectorId
).chargingProfiles
);
252 return Constants
.OCPP_CLEAR_CHARGING_PROFILE_RESPONSE_ACCEPTED
;
255 return Constants
.OCPP_CLEAR_CHARGING_PROFILE_RESPONSE_UNKNOWN
;
258 private async handleRequestChangeAvailability(commandPayload
: ChangeAvailabilityRequest
): Promise
<ChangeAvailabilityResponse
> {
259 const connectorId
: number = commandPayload
.connectorId
;
260 if (!this.chargingStation
.getConnectorStatus(connectorId
)) {
261 getLogger().error(`${this.chargingStation.logPrefix()} Trying to change the availability of a non existing connector Id ${connectorId.toString()}`);
262 return Constants
.OCPP_AVAILABILITY_RESPONSE_REJECTED
;
264 const chargePointStatus
: OCPP16ChargePointStatus
= commandPayload
.type === OCPP16AvailabilityType
.OPERATIVE
265 ? OCPP16ChargePointStatus
.AVAILABLE
266 : OCPP16ChargePointStatus
.UNAVAILABLE
;
267 if (connectorId
=== 0) {
268 let response
: ChangeAvailabilityResponse
= Constants
.OCPP_AVAILABILITY_RESPONSE_ACCEPTED
;
269 for (const id
of this.chargingStation
.connectors
.keys()) {
270 if (this.chargingStation
.getConnectorStatus(id
)?.transactionStarted
) {
271 response
= Constants
.OCPP_AVAILABILITY_RESPONSE_SCHEDULED
;
273 this.chargingStation
.getConnectorStatus(id
).availability
= commandPayload
.type;
274 if (response
=== Constants
.OCPP_AVAILABILITY_RESPONSE_ACCEPTED
) {
275 await this.chargingStation
.ocppRequestService
.sendStatusNotification(id
, chargePointStatus
);
276 this.chargingStation
.getConnectorStatus(id
).status = chargePointStatus
;
280 } else if (connectorId
> 0 && (this.chargingStation
.getConnectorStatus(0).availability
=== OCPP16AvailabilityType
.OPERATIVE
|| (this.chargingStation
.getConnectorStatus(0).availability
=== OCPP16AvailabilityType
.INOPERATIVE
&& commandPayload
.type === OCPP16AvailabilityType
.INOPERATIVE
))) {
281 if (this.chargingStation
.getConnectorStatus(connectorId
)?.transactionStarted
) {
282 this.chargingStation
.getConnectorStatus(connectorId
).availability
= commandPayload
.type;
283 return Constants
.OCPP_AVAILABILITY_RESPONSE_SCHEDULED
;
285 this.chargingStation
.getConnectorStatus(connectorId
).availability
= commandPayload
.type;
286 await this.chargingStation
.ocppRequestService
.sendStatusNotification(connectorId
, chargePointStatus
);
287 this.chargingStation
.getConnectorStatus(connectorId
).status = chargePointStatus
;
288 return Constants
.OCPP_AVAILABILITY_RESPONSE_ACCEPTED
;
290 return Constants
.OCPP_AVAILABILITY_RESPONSE_REJECTED
;
293 private async handleRequestRemoteStartTransaction(commandPayload
: RemoteStartTransactionRequest
): Promise
<DefaultResponse
> {
294 const transactionConnectorId
: number = commandPayload
.connectorId
;
295 if (transactionConnectorId
) {
296 await this.chargingStation
.ocppRequestService
.sendStatusNotification(transactionConnectorId
, OCPP16ChargePointStatus
.PREPARING
);
297 this.chargingStation
.getConnectorStatus(transactionConnectorId
).status = OCPP16ChargePointStatus
.PREPARING
;
298 if (this.chargingStation
.isChargingStationAvailable() && this.chargingStation
.isConnectorAvailable(transactionConnectorId
)) {
299 // Check if authorized
300 if (this.chargingStation
.getAuthorizeRemoteTxRequests()) {
301 let authorized
= false;
302 if (this.chargingStation
.getLocalAuthListEnabled() && this.chargingStation
.hasAuthorizedTags()
303 && this.chargingStation
.authorizedTags
.find((value
) => value
=== commandPayload
.idTag
)) {
304 this.chargingStation
.getConnectorStatus(transactionConnectorId
).localAuthorizeIdTag
= commandPayload
.idTag
;
305 this.chargingStation
.getConnectorStatus(transactionConnectorId
).idTagLocalAuthorized
= true;
307 } else if (this.chargingStation
.getMayAuthorizeAtRemoteStart()) {
308 const authorizeResponse
= await this.chargingStation
.ocppRequestService
.sendAuthorize(transactionConnectorId
, commandPayload
.idTag
);
309 if (authorizeResponse
?.idTagInfo
?.status === OCPP16AuthorizationStatus
.ACCEPTED
) {
313 getLogger().warn(`${this.chargingStation.logPrefix()} The charging station configuration expects authorize at remote start transaction but local authorization or authorize isn't enabled`);
316 // Authorization successful, start transaction
317 if (this.setRemoteStartTransactionChargingProfile(transactionConnectorId
, commandPayload
.chargingProfile
)) {
318 this.chargingStation
.getConnectorStatus(transactionConnectorId
).transactionRemoteStarted
= true;
319 if ((await this.chargingStation
.ocppRequestService
.sendStartTransaction(transactionConnectorId
, commandPayload
.idTag
)).idTagInfo
.status === OCPP16AuthorizationStatus
.ACCEPTED
) {
320 getLogger().debug(this.chargingStation
.logPrefix() + ' Transaction remotely STARTED on ' + this.chargingStation
.stationInfo
.chargingStationId
+ '#' + transactionConnectorId
.toString() + ' for idTag ' + commandPayload
.idTag
);
321 return Constants
.OCPP_RESPONSE_ACCEPTED
;
323 return this.notifyRemoteStartTransactionRejected(transactionConnectorId
, commandPayload
.idTag
);
325 return this.notifyRemoteStartTransactionRejected(transactionConnectorId
, commandPayload
.idTag
);
327 return this.notifyRemoteStartTransactionRejected(transactionConnectorId
, commandPayload
.idTag
);
329 // No authorization check required, start transaction
330 if (this.setRemoteStartTransactionChargingProfile(transactionConnectorId
, commandPayload
.chargingProfile
)) {
331 this.chargingStation
.getConnectorStatus(transactionConnectorId
).transactionRemoteStarted
= true;
332 if ((await this.chargingStation
.ocppRequestService
.sendStartTransaction(transactionConnectorId
, commandPayload
.idTag
)).idTagInfo
.status === OCPP16AuthorizationStatus
.ACCEPTED
) {
333 getLogger().debug(this.chargingStation
.logPrefix() + ' Transaction remotely STARTED on ' + this.chargingStation
.stationInfo
.chargingStationId
+ '#' + transactionConnectorId
.toString() + ' for idTag ' + commandPayload
.idTag
);
334 return Constants
.OCPP_RESPONSE_ACCEPTED
;
336 return this.notifyRemoteStartTransactionRejected(transactionConnectorId
, commandPayload
.idTag
);
338 return this.notifyRemoteStartTransactionRejected(transactionConnectorId
, commandPayload
.idTag
);
340 return this.notifyRemoteStartTransactionRejected(transactionConnectorId
, commandPayload
.idTag
);
342 return this.notifyRemoteStartTransactionRejected(transactionConnectorId
, commandPayload
.idTag
);
345 private async notifyRemoteStartTransactionRejected(connectorId
: number, idTag
: string): Promise
<DefaultResponse
> {
346 if (this.chargingStation
.getConnectorStatus(connectorId
).status !== OCPP16ChargePointStatus
.AVAILABLE
) {
347 await this.chargingStation
.ocppRequestService
.sendStatusNotification(connectorId
, OCPP16ChargePointStatus
.AVAILABLE
);
348 this.chargingStation
.getConnectorStatus(connectorId
).status = OCPP16ChargePointStatus
.AVAILABLE
;
350 getLogger().warn(this.chargingStation
.logPrefix() + ' Remote starting transaction REJECTED on connector Id ' + connectorId
.toString() + ', idTag ' + idTag
+ ', availability ' + this.chargingStation
.getConnectorStatus(connectorId
).availability
+ ', status ' + this.chargingStation
.getConnectorStatus(connectorId
).status);
351 return Constants
.OCPP_RESPONSE_REJECTED
;
354 private setRemoteStartTransactionChargingProfile(connectorId
: number, cp
: OCPP16ChargingProfile
): boolean {
355 if (cp
&& cp
.chargingProfilePurpose
=== ChargingProfilePurposeType
.TX_PROFILE
) {
356 this.chargingStation
.setChargingProfile(connectorId
, cp
);
357 getLogger().debug(`${this.chargingStation.logPrefix()} Charging profile(s) set at remote start transaction, dump their stack: %j`, this.chargingStation
.getConnectorStatus(connectorId
).chargingProfiles
);
359 } else if (cp
&& cp
.chargingProfilePurpose
!== ChargingProfilePurposeType
.TX_PROFILE
) {
360 getLogger().warn(`${this.chargingStation.logPrefix()} Not allowed to set ${cp.chargingProfilePurpose} charging profile(s) at remote start transaction`);
367 private async handleRequestRemoteStopTransaction(commandPayload
: RemoteStopTransactionRequest
): Promise
<DefaultResponse
> {
368 const transactionId
= commandPayload
.transactionId
;
369 for (const connectorId
of this.chargingStation
.connectors
.keys()) {
370 if (connectorId
> 0 && this.chargingStation
.getConnectorStatus(connectorId
)?.transactionId
=== transactionId
) {
371 await this.chargingStation
.ocppRequestService
.sendStatusNotification(connectorId
, OCPP16ChargePointStatus
.FINISHING
);
372 this.chargingStation
.getConnectorStatus(connectorId
).status = OCPP16ChargePointStatus
.FINISHING
;
373 await this.chargingStation
.ocppRequestService
.sendStopTransaction(transactionId
, this.chargingStation
.getEnergyActiveImportRegisterByTransactionId(transactionId
),
374 this.chargingStation
.getTransactionIdTag(transactionId
));
375 return Constants
.OCPP_RESPONSE_ACCEPTED
;
378 getLogger().info(this.chargingStation
.logPrefix() + ' Trying to remote stop a non existing transaction ' + transactionId
.toString());
379 return Constants
.OCPP_RESPONSE_REJECTED
;
382 private async handleRequestGetDiagnostics(commandPayload
: GetDiagnosticsRequest
): Promise
<GetDiagnosticsResponse
> {
383 getLogger().debug(this.chargingStation
.logPrefix() + ' ' + OCPP16IncomingRequestCommand
.GET_DIAGNOSTICS
+ ' request received: %j', commandPayload
);
384 const uri
= new URL(commandPayload
.location
);
385 if (uri
.protocol
.startsWith('ftp:')) {
386 let ftpClient
: Client
;
388 const logFiles
= fs
.readdirSync(path
.resolve(__dirname
, '../../../../')).filter((file
) => file
.endsWith('.log')).map((file
) => path
.join('./', file
));
389 const diagnosticsArchive
= this.chargingStation
.stationInfo
.chargingStationId
+ '_logs.tar.gz';
390 tar
.create({ gzip
: true }, logFiles
).pipe(fs
.createWriteStream(diagnosticsArchive
));
391 ftpClient
= new Client();
392 const accessResponse
= await ftpClient
.access({
394 ...(uri
.port
!== '') && { port
: Utils
.convertToInt(uri
.port
) },
395 ...(uri
.username
!== '') && { user
: uri
.username
},
396 ...(uri
.password
!== '') && { password
: uri
.password
},
398 let uploadResponse
: FTPResponse
;
399 if (accessResponse
.code
=== 220) {
400 // eslint-disable-next-line @typescript-eslint/no-misused-promises
401 ftpClient
.trackProgress(async (info
) => {
402 getLogger().info(`${this.chargingStation.logPrefix()} ${info.bytes / 1024} bytes transferred from diagnostics archive ${info.name}`);
403 await this.chargingStation
.ocppRequestService
.sendDiagnosticsStatusNotification(OCPP16DiagnosticsStatus
.Uploading
);
405 uploadResponse
= await ftpClient
.uploadFrom(path
.join(path
.resolve(__dirname
, '../../../../'), diagnosticsArchive
), uri
.pathname
+ diagnosticsArchive
);
406 if (uploadResponse
.code
=== 226) {
407 await this.chargingStation
.ocppRequestService
.sendDiagnosticsStatusNotification(OCPP16DiagnosticsStatus
.Uploaded
);
411 return { fileName
: diagnosticsArchive
};
413 throw new OCPPError(ErrorType
.GENERIC_ERROR
, `Diagnostics transfer failed with error code ${accessResponse.code.toString()}${uploadResponse?.code && '|' + uploadResponse?.code.toString()}`, OCPP16IncomingRequestCommand
.GET_DIAGNOSTICS
);
415 throw new OCPPError(ErrorType
.GENERIC_ERROR
, `Diagnostics transfer failed with error code ${accessResponse.code.toString()}${uploadResponse?.code && '|' + uploadResponse?.code.toString()}`, OCPP16IncomingRequestCommand
.GET_DIAGNOSTICS
);
417 await this.chargingStation
.ocppRequestService
.sendDiagnosticsStatusNotification(OCPP16DiagnosticsStatus
.UploadFailed
);
421 return this.handleIncomingRequestError(OCPP16IncomingRequestCommand
.GET_DIAGNOSTICS
, error
as Error, Constants
.OCPP_RESPONSE_EMPTY
);
424 getLogger().error(`${this.chargingStation.logPrefix()} Unsupported protocol ${uri.protocol} to transfer the diagnostic logs archive`);
425 await this.chargingStation
.ocppRequestService
.sendDiagnosticsStatusNotification(OCPP16DiagnosticsStatus
.UploadFailed
);
426 return Constants
.OCPP_RESPONSE_EMPTY
;
430 private handleRequestTriggerMessage(commandPayload
: OCPP16TriggerMessageRequest
): OCPP16TriggerMessageResponse
{
432 switch (commandPayload
.requestedMessage
) {
433 case MessageTrigger
.BootNotification
:
435 this.chargingStation
.ocppRequestService
.sendBootNotification(this.chargingStation
.getBootNotificationRequest().chargePointModel
,
436 this.chargingStation
.getBootNotificationRequest().chargePointVendor
, this.chargingStation
.getBootNotificationRequest().chargeBoxSerialNumber
,
437 this.chargingStation
.getBootNotificationRequest().firmwareVersion
, this.chargingStation
.getBootNotificationRequest().chargePointSerialNumber
,
438 this.chargingStation
.getBootNotificationRequest().iccid
, this.chargingStation
.getBootNotificationRequest().imsi
,
439 this.chargingStation
.getBootNotificationRequest().meterSerialNumber
, this.chargingStation
.getBootNotificationRequest().meterType
,
440 { triggerMessage
: true }).catch(() => { /* This is intentional */ });
441 }, Constants
.OCPP_TRIGGER_MESSAGE_DELAY
);
442 return Constants
.OCPP_TRIGGER_MESSAGE_RESPONSE_ACCEPTED
;
443 case MessageTrigger
.Heartbeat
:
445 this.chargingStation
.ocppRequestService
.sendHeartbeat({ triggerMessage
: true }).catch(() => { /* This is intentional */ });
446 }, Constants
.OCPP_TRIGGER_MESSAGE_DELAY
);
447 return Constants
.OCPP_TRIGGER_MESSAGE_RESPONSE_ACCEPTED
;
449 return Constants
.OCPP_TRIGGER_MESSAGE_RESPONSE_NOT_IMPLEMENTED
;
452 return this.handleIncomingRequestError(OCPP16IncomingRequestCommand
.TRIGGER_MESSAGE
, error
as Error, Constants
.OCPP_TRIGGER_MESSAGE_RESPONSE_REJECTED
);