UI Server: factor out authentication code
[e-mobility-charging-stations-simulator.git] / src / charging-station / ui-server / UIWebSocketServer.ts
1 import type { IncomingMessage } from 'http';
2 import type internal from 'stream';
3
4 import { StatusCodes } from 'http-status-codes';
5 import * as uuid from 'uuid';
6 import WebSocket, { RawData, WebSocketServer } from 'ws';
7
8 import type { UIServerConfiguration } from '../../types/ConfigurationData';
9 import type { ProtocolRequest, ProtocolResponse } from '../../types/UIProtocol';
10 import { WebSocketCloseEventStatusCode } from '../../types/WebSocket';
11 import logger from '../../utils/Logger';
12 import Utils from '../../utils/Utils';
13 import { AbstractUIServer } from './AbstractUIServer';
14 import { UIServiceUtils } from './ui-services/UIServiceUtils';
15
16 const moduleName = 'UIWebSocketServer';
17
18 export default class UIWebSocketServer extends AbstractUIServer {
19 private readonly webSocketServer: WebSocketServer;
20
21 public constructor(protected readonly uiServerConfiguration: UIServerConfiguration) {
22 super(uiServerConfiguration);
23 this.webSocketServer = new WebSocketServer({
24 handleProtocols: UIServiceUtils.handleProtocols,
25 noServer: true,
26 });
27 }
28
29 public start(): void {
30 this.webSocketServer.on('connection', (ws: WebSocket, req: IncomingMessage): void => {
31 const [protocol, version] = UIServiceUtils.getProtocolAndVersion(ws.protocol);
32 if (UIServiceUtils.isProtocolAndVersionSupported(protocol, version) === false) {
33 logger.error(
34 `${this.logPrefix(
35 moduleName,
36 'start.server.onconnection'
37 )} Unsupported UI protocol version: '${protocol}${version}'`
38 );
39 ws.close(WebSocketCloseEventStatusCode.CLOSE_PROTOCOL_ERROR);
40 }
41 this.registerProtocolVersionUIService(version);
42 ws.on('message', (rawData) => {
43 const request = this.validateRawDataRequest(rawData);
44 if (request === false) {
45 ws.close(WebSocketCloseEventStatusCode.CLOSE_INVALID_PAYLOAD);
46 return;
47 }
48 const [requestId] = request as ProtocolRequest;
49 this.responseHandlers.set(requestId, ws);
50 this.uiServices
51 .get(version)
52 .requestHandler(request)
53 .catch(() => {
54 /* Error caught by AbstractUIService */
55 });
56 });
57 ws.on('error', (error) => {
58 logger.error(`${this.logPrefix(moduleName, 'start.ws.onerror')} WebSocket error:`, error);
59 });
60 ws.on('close', (code, reason) => {
61 logger.debug(
62 `${this.logPrefix(
63 moduleName,
64 'start.ws.onclose'
65 )} WebSocket closed: '${Utils.getWebSocketCloseEventStatusString(
66 code
67 )}' - '${reason.toString()}'`
68 );
69 });
70 });
71 this.httpServer.on(
72 'upgrade',
73 (req: IncomingMessage, socket: internal.Duplex, head: Buffer): void => {
74 this.authenticate(req, (err) => {
75 if (err) {
76 socket.write(`HTTP/1.1 ${StatusCodes.UNAUTHORIZED} Unauthorized\r\n\r\n`);
77 socket.destroy();
78 return;
79 }
80 this.webSocketServer.handleUpgrade(req, socket, head, (ws: WebSocket) => {
81 this.webSocketServer.emit('connection', ws, req);
82 });
83 });
84 }
85 );
86 if (this.httpServer.listening === false) {
87 this.httpServer.listen(this.uiServerConfiguration.options);
88 }
89 }
90
91 public sendRequest(request: ProtocolRequest): void {
92 this.broadcastToClients(JSON.stringify(request));
93 }
94
95 public sendResponse(response: ProtocolResponse): void {
96 const responseId = response[0];
97 if (this.responseHandlers.has(responseId)) {
98 const ws = this.responseHandlers.get(responseId) as WebSocket;
99 if (ws?.readyState === WebSocket.OPEN) {
100 ws.send(JSON.stringify(response));
101 }
102 this.responseHandlers.delete(responseId);
103 } else {
104 logger.error(
105 `${this.logPrefix(
106 moduleName,
107 'sendResponse'
108 )} Response for unknown request id: ${responseId}`
109 );
110 }
111 }
112
113 public logPrefix(modName?: string, methodName?: string, prefixSuffix?: string): string {
114 const logMsgPrefix = prefixSuffix
115 ? `UI WebSocket Server ${prefixSuffix}`
116 : 'UI WebSocket Server';
117 const logMsg =
118 modName && methodName ? ` ${logMsgPrefix} | ${modName}.${methodName}:` : ` ${logMsgPrefix} |`;
119 return Utils.logPrefix(logMsg);
120 }
121
122 private broadcastToClients(message: string): void {
123 for (const client of this.webSocketServer.clients) {
124 if (client?.readyState === WebSocket.OPEN) {
125 client.send(message);
126 }
127 }
128 }
129
130 private validateRawDataRequest(rawData: RawData): ProtocolRequest | false {
131 // logger.debug(
132 // `${this.logPrefix(
133 // moduleName,
134 // 'validateRawDataRequest'
135 // )} Raw data received in string format: ${rawData.toString()}`
136 // );
137
138 const request = JSON.parse(rawData.toString()) as ProtocolRequest;
139
140 if (Array.isArray(request) === false) {
141 logger.error(
142 `${this.logPrefix(
143 moduleName,
144 'validateRawDataRequest'
145 )} UI protocol request is not an array:`,
146 request
147 );
148 return false;
149 }
150
151 if (request.length !== 3) {
152 logger.error(
153 `${this.logPrefix(moduleName, 'validateRawDataRequest')} UI protocol request is malformed:`,
154 request
155 );
156 return false;
157 }
158
159 if (uuid.validate(request[0]) === false) {
160 logger.error(
161 `${this.logPrefix(
162 moduleName,
163 'validateRawDataRequest'
164 )} UI protocol request UUID field is invalid:`,
165 request
166 );
167 return false;
168 }
169
170 return request;
171 }
172 }