export default class AutomaticTransactionGenerator {
public timeToStop: boolean;
private chargingStation: ChargingStation;
- private performanceObserver: PerformanceObserver;
+ private performanceObserver!: PerformanceObserver;
constructor(chargingStation: ChargingStation) {
this.chargingStation = chargingStation;
// eslint-disable-next-line consistent-this
private async stopTransaction(connectorId: number, self: AutomaticTransactionGenerator): Promise<StopTransactionResponse> {
const transactionId = self.chargingStation.getConnector(connectorId).transactionId;
- return await self.chargingStation.ocppRequestService.sendStopTransaction(transactionId, self.chargingStation.getTransactionMeterStop(transactionId), self.chargingStation.getTransactionIdTag(transactionId));
+ return await self.chargingStation.ocppRequestService.sendStopTransaction(transactionId, self.chargingStation.getTransactionMeterStop(transactionId),
+ self.chargingStation.getTransactionIdTag(transactionId));
}
- private logPrefix(connectorId: number = null): string {
+ private logPrefix(connectorId?: number): string {
if (connectorId) {
return Utils.logPrefix(' ' + this.chargingStation.stationInfo.chargingStationId + ' | ATG on connector #' + connectorId.toString() + ':');
}
private static instance: Bootstrap;
private started: boolean;
private workerScript: string;
- private workerImplementationInstance: WorkerAbstract;
+ private workerImplementationInstance: WorkerAbstract | null = null;
private constructor() {
this.started = false;
if (isMainThread && !this.started) {
try {
let numStationsTotal = 0;
- await this.getWorkerImplementationInstance().start();
+ await this.getWorkerImplementationInstance()?.start();
// Start ChargingStation object in worker thread
if (Configuration.getStationTemplateURLs()) {
for (const stationURL of Configuration.getStationTemplateURLs()) {
index,
templateFile: path.join(path.resolve(__dirname, '../'), 'assets', 'station-templates', path.basename(stationURL.file))
};
- await this.getWorkerImplementationInstance().addElement(workerData);
+ await this.getWorkerImplementationInstance()?.addElement(workerData);
numStationsTotal++;
}
} catch (error) {
public async stop(): Promise<void> {
if (isMainThread && this.started) {
- await this.getWorkerImplementationInstance().stop();
+ await this.getWorkerImplementationInstance()?.stop();
// Nullify to force worker implementation instance creation
this.workerImplementationInstance = null;
}
await this.start();
}
- private getWorkerImplementationInstance(): WorkerAbstract {
+ private getWorkerImplementationInstance(): WorkerAbstract | null {
if (!this.workerImplementationInstance) {
this.workerImplementationInstance = WorkerFactory.getWorkerImplementation<StationWorkerData>(this.workerScript, Configuration.getWorkerProcess(),
{
export default class ChargingStation {
public stationTemplateFile: string;
public authorizedTags: string[];
- public stationInfo: ChargingStationInfo;
+ public stationInfo!: ChargingStationInfo;
public connectors: Connectors;
- public configuration: ChargingStationConfiguration;
+ public configuration!: ChargingStationConfiguration;
public hasStopped: boolean;
- public wsConnection: WebSocket;
+ public wsConnection!: WebSocket;
public requests: Requests;
public messageQueue: string[];
- public performanceStatistics: PerformanceStatistics;
- public heartbeatSetInterval: NodeJS.Timeout;
- public ocppIncomingRequestService: OCPPIncomingRequestService;
- public ocppRequestService: OCPPRequestService;
+ public performanceStatistics!: PerformanceStatistics;
+ public heartbeatSetInterval!: NodeJS.Timeout;
+ public ocppIncomingRequestService!: OCPPIncomingRequestService;
+ public ocppRequestService!: OCPPRequestService;
private index: number;
- private bootNotificationRequest: BootNotificationRequest;
- private bootNotificationResponse: BootNotificationResponse;
- private connectorsConfigurationHash: string;
- private supervisionUrl: string;
- private wsConnectionUrl: string;
+ private bootNotificationRequest!: BootNotificationRequest;
+ private bootNotificationResponse!: BootNotificationResponse | null;
+ private connectorsConfigurationHash!: string;
+ private supervisionUrl!: string;
+ private wsConnectionUrl!: string;
private hasSocketRestarted: boolean;
private autoReconnectRetryCount: number;
- private automaticTransactionGeneration: AutomaticTransactionGenerator;
- private performanceObserver: PerformanceObserver;
- private webSocketPingSetInterval: NodeJS.Timeout;
+ private automaticTransactionGeneration!: AutomaticTransactionGenerator;
+ private performanceObserver!: PerformanceObserver;
+ private webSocketPingSetInterval!: NodeJS.Timeout;
constructor(index: number, stationTemplateFile: string) {
this.index = index;
return !Utils.isEmptyArray(this.authorizedTags);
}
- public getEnableStatistics(): boolean {
+ public getEnableStatistics(): boolean | undefined {
return !Utils.isUndefined(this.stationInfo.enableStatistics) ? this.stationInfo.enableStatistics : true;
}
- public getNumberOfPhases(): number {
+ public getNumberOfPhases(): number | undefined {
switch (this.getCurrentOutType()) {
case CurrentOutType.AC:
return !Utils.isUndefined(this.stationInfo.numberOfPhases) ? this.stationInfo.numberOfPhases : 3;
return this.connectors[id];
}
- public getCurrentOutType(): CurrentOutType {
+ public getCurrentOutType(): CurrentOutType | undefined {
return !Utils.isUndefined(this.stationInfo.currentOutType) ? this.stationInfo.currentOutType : CurrentOutType.AC;
}
- public getVoltageOut(): number {
+ public getVoltageOut(): number | undefined {
const errMsg = `${this.logPrefix()} Unknown ${this.getCurrentOutType()} currentOutType in template file ${this.stationTemplateFile}, cannot define default voltage out`;
let defaultVoltageOut: number;
switch (this.getCurrentOutType()) {
return !Utils.isUndefined(this.stationInfo.voltageOut) ? this.stationInfo.voltageOut : defaultVoltageOut;
}
- public getTransactionIdTag(transactionId: number): string {
+ public getTransactionIdTag(transactionId: number): string | undefined {
for (const connector in this.connectors) {
if (Utils.convertToInt(connector) > 0 && this.getConnector(Utils.convertToInt(connector)).transactionId === transactionId) {
return this.getConnector(Utils.convertToInt(connector)).idTag;
}
}
- public getTransactionMeterStop(transactionId: number): number {
+ public getTransactionMeterStop(transactionId: number): number | undefined {
for (const connector in this.connectors) {
if (Utils.convertToInt(connector) > 0 && this.getConnector(Utils.convertToInt(connector)).transactionId === transactionId) {
return this.getConnector(Utils.convertToInt(connector)).lastEnergyActiveImportRegisterValue;
this.hasStopped = true;
}
- public getConfigurationKey(key: string | StandardParametersKey, caseInsensitive = false): ConfigurationKey {
- const configurationKey: ConfigurationKey = this.configuration.configurationKey.find((configElement) => {
+ public getConfigurationKey(key: string | StandardParametersKey, caseInsensitive = false): ConfigurationKey | undefined {
+ const configurationKey: ConfigurationKey | undefined = this.configuration.configurationKey.find((configElement) => {
if (caseInsensitive) {
return configElement.key.toLowerCase() === key.toLowerCase();
}
public setChargingProfile(connectorId: number, cp: ChargingProfile): boolean {
if (!Utils.isEmptyArray(this.getConnector(connectorId).chargingProfiles)) {
- this.getConnector(connectorId).chargingProfiles.forEach((chargingProfile: ChargingProfile, index: number) => {
+ this.getConnector(connectorId).chargingProfiles?.forEach((chargingProfile: ChargingProfile, index: number) => {
if (chargingProfile.chargingProfileId === cp.chargingProfileId
|| (chargingProfile.stackLevel === cp.stackLevel && chargingProfile.chargingProfilePurpose === cp.chargingProfilePurpose)) {
this.getConnector(connectorId).chargingProfiles[index] = cp;
}
});
}
- this.getConnector(connectorId).chargingProfiles.push(cp);
+ this.getConnector(connectorId).chargingProfiles?.push(cp);
return true;
}
this.hasSocketRestarted = false;
}
- private async onClose(closeEvent): Promise<void> {
+ private async onClose(closeEvent: any): Promise<void> {
switch (closeEvent) {
case WebSocketCloseEventStatusCode.CLOSE_NORMAL: // Normal close
case WebSocketCloseEventStatusCode.CLOSE_NO_STATUS:
logger.debug(this.logPrefix() + ' Has received a WS pong (rfc6455) from the server');
}
- private async onError(errorEvent): Promise<void> {
+ private async onError(errorEvent: any): Promise<void> {
logger.error(this.logPrefix() + ' Socket error: %j', errorEvent);
// pragma switch (errorEvent.code) {
// case 'ECONNREFUSED':
return this.stationInfo.Configuration ? this.stationInfo.Configuration : {} as ChargingStationConfiguration;
}
- private getAuthorizationFile(): string {
+ private getAuthorizationFile(): string | undefined {
return this.stationInfo.authorizationFile && path.join(path.resolve(__dirname, '../'), 'assets', path.basename(this.stationInfo.authorizationFile));
}
return authorizedTags;
}
- private getUseConnectorId0(): boolean {
+ private getUseConnectorId0(): boolean | undefined {
return !Utils.isUndefined(this.stationInfo.useConnectorId0) ? this.stationInfo.useConnectorId0 : true;
}
}
// 0 for disabling
- private getConnectionTimeout(): number {
+ private getConnectionTimeout(): number | undefined {
if (!Utils.isUndefined(this.stationInfo.connectionTimeout)) {
return this.stationInfo.connectionTimeout;
}
}
// -1 for unlimited, 0 for disabling
- private getAutoReconnectMaxRetries(): number {
+ private getAutoReconnectMaxRetries(): number | undefined {
if (!Utils.isUndefined(this.stationInfo.autoReconnectMaxRetries)) {
return this.stationInfo.autoReconnectMaxRetries;
}
}
// 0 for disabling
- private getRegistrationMaxRetries(): number {
+ private getRegistrationMaxRetries(): number | undefined {
if (!Utils.isUndefined(this.stationInfo.registrationMaxRetries)) {
return this.stationInfo.registrationMaxRetries;
}
private stopWebSocketPing(): void {
if (this.webSocketPingSetInterval) {
clearInterval(this.webSocketPingSetInterval);
- this.webSocketPingSetInterval = null;
}
}
return supervisionUrls as string;
}
- private getHeartbeatInterval(): number {
+ private getHeartbeatInterval(): number | undefined {
const HeartbeatInterval = this.getConfigurationKey(StandardParametersKey.HeartbeatInterval);
if (HeartbeatInterval) {
return Utils.convertToInt(HeartbeatInterval.value) * 1000;
private stopHeartbeat(): void {
if (this.heartbeatSetInterval) {
clearInterval(this.heartbeatSetInterval);
- this.heartbeatSetInterval = null;
}
}
if (Utils.isUndefined(options)) {
options = {} as WebSocket.ClientOptions;
}
- if (Utils.isUndefined(options.handshakeTimeout)) {
+ if (Utils.isUndefined(options?.handshakeTimeout)) {
options.handshakeTimeout = this.getConnectionTimeout() * 1000;
}
if (this.isWebSocketOpen() && forceCloseOpened) {
});
}
- private getReconnectExponentialDelay(): boolean {
+ private getReconnectExponentialDelay(): boolean | undefined {
return !Utils.isUndefined(this.stationInfo.reconnectExponentialDelay) ? this.stationInfo.reconnectExponentialDelay : false;
}
- private async reconnect(error): Promise<void> {
+ private async reconnect(error: any): Promise<void> {
// Stop heartbeat
this.stopHeartbeat();
// Stop the ATG if needed
private initTransactionOnConnector(connectorId: number): void {
this.getConnector(connectorId).transactionStarted = false;
- this.getConnector(connectorId).transactionId = null;
- this.getConnector(connectorId).idTag = null;
+ delete this.getConnector(connectorId).transactionId;
+ delete this.getConnector(connectorId).idTag;
this.getConnector(connectorId).lastEnergyActiveImportRegisterValue = -1;
}
}
* Listen messages send by the main thread
*/
function addMessageListener(): void {
- parentPort.on('message', (message) => {
+ parentPort?.on('message', (message) => {
if (message.id === WorkerEvents.START_WORKER_ELEMENT) {
startChargingStation(message.workerData);
}
let clearedCP = false;
for (const connector in this.chargingStation.connectors) {
if (!Utils.isEmptyArray(this.chargingStation.getConnector(Utils.convertToInt(connector)).chargingProfiles)) {
- this.chargingStation.getConnector(Utils.convertToInt(connector)).chargingProfiles.forEach((chargingProfile: OCPP16ChargingProfile, index: number) => {
+ this.chargingStation.getConnector(Utils.convertToInt(connector)).chargingProfiles?.forEach((chargingProfile: OCPP16ChargingProfile, index: number) => {
let clearCurrentCP = false;
if (chargingProfile.chargingProfileId === commandPayload.id) {
clearCurrentCP = true;
import { AuthorizeResponse, StartTransactionResponse, StopTransactionReason, StopTransactionResponse } from '../../types/ocpp/Transaction';
-import { IncomingRequestCommand, Request, RequestCommand } from '../../types/ocpp/Requests';
+import { IncomingRequestCommand, RequestCommand } from '../../types/ocpp/Requests';
import { BootNotificationResponse } from '../../types/ocpp/Responses';
import { ChargePointErrorCode } from '../../types/ocpp/ChargePointErrorCode';
// Request
case MessageType.CALL_MESSAGE:
// Build request
- this.chargingStation.requests[messageId] = [responseCallback, rejectCallback, commandParams] as Request;
+ this.chargingStation.requests[messageId] = [responseCallback, rejectCallback, commandParams as Record<string, unknown>];
messageToSend = JSON.stringify([messageType, messageId, commandName, commandParams]);
break;
// Response
...OCPP16IncomingRequestCommand
};
-export type Request = [(payload: Record<string, unknown>, requestPayload: Record<string, unknown>) => void, (error: OCPPError) => void, Record<string, unknown>];
+export type Request = [(payload: Record<string, unknown> | string, requestPayload: Record<string, unknown>) => void, (error: OCPPError) => void, Record<string, unknown>];
export type IncomingRequest = [MessageType, string, IncomingRequestCommand, Record<string, unknown>, Record<string, unknown>];
export default class Configuration {
private static configurationFilePath = path.join(path.resolve(__dirname, '../'), 'assets', 'config.json');
private static configurationFileWatcher: fs.FSWatcher;
- private static configuration: ConfigurationData;
+ private static configuration: ConfigurationData | null = null;
private static configurationChangeCallback: () => Promise<void>;
static setConfigurationChangeCallback(cb: () => Promise<void>): void {
}
private static objectHasOwnProperty(object: any, property: string): boolean {
- return Object.prototype.hasOwnProperty.call(object, property) as boolean;
+ return Object.prototype.hasOwnProperty.call(object, property);
}
private static isUndefined(obj: any): boolean {
}
}
- static convertToDate(value): Date {
+ static convertToDate(value: any): Date {
// Check
if (!value) {
return value;
return value;
}
- static convertToInt(value): number {
+ static convertToInt(value: any): number {
let changedValue = value;
if (!value) {
return 0;
return changedValue;
}
- static convertToFloat(value): number {
+ static convertToFloat(value: any): number {
let changedValue = value;
if (!value) {
return 0;
return changedValue;
}
- static convertToBoolean(value): boolean {
+ static convertToBoolean(value: any): boolean {
let result = false;
// Check boolean
if (value) {
return false;
}
- static isEmptyJSon(document): boolean {
+ static isEmptyJSon(document: any): boolean {
// Empty?
if (!document) {
return true;
return Object.keys(document).length === 0;
}
- static isString(value): boolean {
+ static isString(value: any): boolean {
return typeof value === 'string';
}
- static isUndefined(value): boolean {
+ static isUndefined(value: any): boolean {
return typeof value === 'undefined';
}
- static isNullOrUndefined(value): boolean {
+ static isNullOrUndefined(value: any): boolean {
// eslint-disable-next-line no-eq-null, eqeqeq
if (value == null) {
return true;
return false;
}
- static isEmptyArray(object): boolean {
+ static isEmptyArray(object: any): boolean {
if (!object) {
return true;
}
return true;
}
- static isEmptyObject(obj): boolean {
+ static isEmptyObject(obj: any): boolean {
return !Object.keys(obj).length;
}
protected readonly workerScript: string;
protected readonly workerStartDelay: number;
public abstract size: number;
- public abstract maxElementsPerWorker: number;
+ public abstract maxElementsPerWorker: number | null;
/**
* `WorkerAbstract` constructor.
return this.pool.workers.length;
}
- get maxElementsPerWorker(): number {
+ get maxElementsPerWorker(): number | null {
return null;
}
/**
*
- * @param elementData
+ * @param {T} elementData
* @returns {Promise<void>}
* @public
*/
public static getInstance(min: number, max: number, workerScript: string, opts?: PoolOptions<Worker>): DynamicPool {
if (!DynamicPool.instance) {
- opts.exitHandler = opts.exitHandler ?? ((code) => {
+ opts.exitHandler = opts?.exitHandler ?? ((code) => {
if (code !== 0) {
console.error(`Worker stopped with exit code ${code}`);
}
import { isMainThread } from 'worker_threads';
export default class WorkerFactory {
- public static getWorkerImplementation<T>(workerScript: string, workerProcessType: WorkerProcessType, options?: WorkerOptions): WorkerAbstract {
+ public static getWorkerImplementation<T>(workerScript: string, workerProcessType: WorkerProcessType, options?: WorkerOptions): WorkerAbstract | null {
if (!isMainThread) {
throw new Error('Trying to get a worker implementation outside the main thread');
}
/**
*
- * @param elementData
+ * @param {T} elementData
* @returns {Promise<void>}
* @public
*/
return this.pool.workers.length;
}
- get maxElementsPerWorker(): number {
+ get maxElementsPerWorker(): number | null {
return null;
}
/**
*
- * @param elementData
+ * @param {T} elementData
* @returns {Promise<void>}
* @public
*/
public static getInstance(numberOfThreads: number, workerScript: string, opts?: PoolOptions<Worker>): StaticPool {
if (!StaticPool.instance) {
- opts.exitHandler = opts.exitHandler ?? ((code) => {
+ opts.exitHandler = opts?.exitHandler ?? ((code) => {
if (code !== 0) {
console.error(`Worker stopped with exit code ${code}`);
}
/* Basic Options */
// "incremental": true, /* Enable incremental compilation */
"target": "es2020", /* Specify ECMAScript target version: 'ES3' (default), 'ES5', 'ES2015', 'ES2016', 'ES2017', 'ES2018', 'ES2019', 'ES2020', or 'ESNEXT'. */
- "module": "es2015", /* Specify module code generation: 'none', 'commonjs', 'amd', 'system', 'umd', 'es2015', 'es2020', or 'ESNext'. */
+ "module": "es2020", /* Specify module code generation: 'none', 'commonjs', 'amd', 'system', 'umd', 'es2015', 'es2020', or 'ESNext'. */
"lib": [
- "es7"
+ "es2020"
], /* Specify library files to be included in the compilation. */
// "allowJs": true, /* Allow javascript files to be compiled. */
// "checkJs": true, /* Report errors in .js files. */