test: add ConfigurationData enums tests
[e-mobility-charging-stations-simulator.git] / tests / ocpp-server / server.py
CommitLineData
b794f42e 1import argparse
fa16d389
S
2import asyncio
3import logging
fa16d389 4from datetime import datetime, timezone
cbfbfbc1
JB
5from functools import partial
6from typing import Optional
fa16d389 7
a89844d4 8import ocpp.v201
1a0d2c47 9import websockets
fa16d389 10from ocpp.routing import on
d4aa9700
JB
11from ocpp.v201.enums import (
12 Action,
13 AuthorizationStatusType,
14 ClearCacheStatusType,
e3861e41 15 GenericDeviceModelStatusType,
d4aa9700 16 RegistrationStatusType,
f937c172 17 ReportBaseType,
b794f42e 18 TransactionEventType,
d4aa9700 19)
a5c2d21f 20from websockets import ConnectionClosed
fa16d389 21
cbfbfbc1
JB
22from timer import Timer
23
fa16d389
S
24# Setting up the logging configuration to display debug level messages.
25logging.basicConfig(level=logging.DEBUG)
26
a5c2d21f
JB
27ChargePoints = set()
28
1a0d2c47 29
fa16d389 30# Define a ChargePoint class inheriting from the OCPP 2.0.1 ChargePoint class.
a89844d4 31class ChargePoint(ocpp.v201.ChargePoint):
cbfbfbc1
JB
32 _command_timer: Optional[Timer]
33
34 def __init__(self, connection):
35 super().__init__(connection.path.strip("/"), connection)
36 self._command_timer = None
4de4645d 37
aea49501 38 # Message handlers to receive OCPP messages.
339f65ad 39 @on(Action.BootNotification)
d6488e8d 40 async def on_boot_notification(self, charging_station, reason, **kwargs):
7628b7e6 41 logging.info("Received %s", Action.BootNotification)
d6488e8d 42 # Create and return a BootNotification response with the current time,
5dd22b9f 43 # an interval of 60 seconds, and an accepted status.
339f65ad 44 return ocpp.v201.call_result.BootNotification(
d6488e8d 45 current_time=datetime.now(timezone.utc).isoformat(),
115f3b17 46 interval=60,
d4aa9700 47 status=RegistrationStatusType.accepted,
d6488e8d 48 )
1a0d2c47 49
115f3b17 50 @on(Action.Heartbeat)
5dd22b9f 51 async def on_heartbeat(self, **kwargs):
7628b7e6 52 logging.info("Received %s", Action.Heartbeat)
d4aa9700
JB
53 return ocpp.v201.call_result.Heartbeat(
54 current_time=datetime.now(timezone.utc).isoformat()
55 )
115f3b17 56
65c0600c 57 @on(Action.StatusNotification)
d4aa9700
JB
58 async def on_status_notification(
59 self, timestamp, evse_id: int, connector_id: int, connector_status, **kwargs
60 ):
7628b7e6 61 logging.info("Received %s", Action.StatusNotification)
65c0600c
JB
62 return ocpp.v201.call_result.StatusNotification()
63
5dd22b9f
JB
64 @on(Action.Authorize)
65 async def on_authorize(self, id_token, **kwargs):
7628b7e6 66 logging.info("Received %s", Action.Authorize)
5dd22b9f 67 return ocpp.v201.call_result.Authorize(
d4aa9700 68 id_token_info={"status": AuthorizationStatusType.accepted}
8430af0a 69 )
5dd22b9f 70
22c4f1fc 71 @on(Action.TransactionEvent)
d4aa9700
JB
72 async def on_transaction_event(
73 self,
74 event_type: TransactionEventType,
75 timestamp,
76 trigger_reason,
77 seq_no: int,
78 transaction_info,
79 **kwargs,
80 ):
22c4f1fc
JB
81 match event_type:
82 case TransactionEventType.started:
7628b7e6 83 logging.info("Received %s Started", Action.TransactionEvent)
22c4f1fc 84 return ocpp.v201.call_result.TransactionEvent(
d4aa9700 85 id_token_info={"status": AuthorizationStatusType.accepted}
8430af0a 86 )
22c4f1fc 87 case TransactionEventType.updated:
7628b7e6 88 logging.info("Received %s Updated", Action.TransactionEvent)
d4aa9700 89 return ocpp.v201.call_result.TransactionEvent(total_cost=10)
22c4f1fc 90 case TransactionEventType.ended:
7628b7e6 91 logging.info("Received %s Ended", Action.TransactionEvent)
22c4f1fc
JB
92 return ocpp.v201.call_result.TransactionEvent()
93
5dd22b9f 94 @on(Action.MeterValues)
c7f80bf9 95 async def on_meter_values(self, evse_id: int, meter_value, **kwargs):
7628b7e6 96 logging.info("Received %s", Action.MeterValues)
5dd22b9f
JB
97 return ocpp.v201.call_result.MeterValues()
98
d6488e8d 99 # Request handlers to emit OCPP messages.
4de4645d 100 async def _send_clear_cache(self):
a89844d4
JB
101 request = ocpp.v201.call.ClearCache()
102 response = await self.call(request)
103
104 if response.status == ClearCacheStatusType.accepted:
7628b7e6 105 logging.info("%s successful", Action.ClearCache)
a89844d4 106 else:
7628b7e6 107 logging.info("%s failed", Action.ClearCache)
1a0d2c47 108
4de4645d 109 async def _send_get_base_report(self):
b794f42e 110 request = ocpp.v201.call.GetBaseReport(
e3861e41 111 request_id=1, report_base=ReportBaseType.full_inventory
299eb3fa
S
112 )
113 response = await self.call(request)
b794f42e 114
e3861e41 115 if response.status == GenericDeviceModelStatusType.accepted:
299eb3fa
S
116 logging.info("%s successful", Action.GetBaseReport)
117 else:
891ae31d 118 logging.info("%s failed", Action.GetBaseReport)
b2254601 119
4de4645d 120 async def _send_command(self, command_name: Action):
118332f4 121 logging.debug("Sending OCPP command %s", command_name)
299eb3fa
S
122 match command_name:
123 case Action.ClearCache:
4de4645d 124 await self._send_clear_cache()
299eb3fa 125 case Action.GetBaseReport:
4de4645d 126 await self._send_get_base_report()
e3861e41
JB
127 case _:
128 logging.info(f"Not supported command {command_name}")
299eb3fa 129
cbfbfbc1
JB
130 async def send_command(
131 self, command_name: Action, delay: Optional[float], period: Optional[float]
132 ):
4de4645d 133 try:
cbfbfbc1
JB
134 if delay and not self._command_timer:
135 self._command_timer = Timer(
136 delay,
137 False,
138 self._send_command,
139 [command_name],
140 )
141 if period and not self._command_timer:
142 self._command_timer = Timer(
4de4645d 143 period,
cbfbfbc1 144 True,
4de4645d
JB
145 self._send_command,
146 [command_name],
147 )
4de4645d
JB
148 except ConnectionClosed:
149 self.handle_connection_closed()
150
151 def handle_connection_closed(self):
152 logging.info("ChargePoint %s closed connection", self.id)
153 if self._command_timer:
154 self._command_timer.cancel()
155 ChargePoints.remove(self)
e3861e41 156 logging.debug("Connected ChargePoint(s): %d", len(ChargePoints))
f937c172 157
fa16d389
S
158
159# Function to handle new WebSocket connections.
cbfbfbc1
JB
160async def on_connect(
161 websocket,
162 command_name: Optional[Action],
163 delay: Optional[float],
164 period: Optional[float],
165):
d4aa9700 166 """For every new charge point that connects, create a ChargePoint instance and start
ad8df5d3
JB
167 listening for messages.
168 """
d6488e8d 169 try:
d4aa9700 170 requested_protocols = websocket.request_headers["Sec-WebSocket-Protocol"]
d6488e8d
JB
171 except KeyError:
172 logging.info("Client hasn't requested any Subprotocol. Closing Connection")
173 return await websocket.close()
1a0d2c47 174
d6488e8d
JB
175 if websocket.subprotocol:
176 logging.info("Protocols Matched: %s", websocket.subprotocol)
177 else:
d4aa9700
JB
178 logging.warning(
179 "Protocols Mismatched | Expected Subprotocols: %s,"
180 " but client supports %s | Closing connection",
181 websocket.available_subprotocols,
182 requested_protocols,
183 )
d6488e8d 184 return await websocket.close()
1a0d2c47 185
cbfbfbc1
JB
186 cp = ChargePoint(websocket)
187 if command_name:
188 await cp.send_command(command_name, delay, period)
1a0d2c47 189
a5c2d21f 190 ChargePoints.add(cp)
cbfbfbc1 191
7628b7e6
JB
192 try:
193 await cp.start()
194 except ConnectionClosed:
4de4645d 195 cp.handle_connection_closed()
1a0d2c47 196
b738a0fc 197
93d95199
JB
198def check_positive_number(value: Optional[float]):
199 try:
200 value = float(value)
201 except ValueError:
202 raise argparse.ArgumentTypeError("must be a number") from None
203 if value <= 0:
204 raise argparse.ArgumentTypeError("must be a positive number")
205 return value
206
207
fa16d389
S
208# Main function to start the WebSocket server.
209async def main():
cbfbfbc1 210 parser = argparse.ArgumentParser(description="OCPP2 Server")
ba56e7c9
JB
211 parser.add_argument("-c", "--command", type=Action, help="command name")
212 group = parser.add_mutually_exclusive_group()
93d95199
JB
213 group.add_argument(
214 "-d",
215 "--delay",
216 type=check_positive_number,
217 help="delay in seconds",
218 )
219 group.add_argument(
220 "-p",
221 "--period",
222 type=check_positive_number,
223 help="period in seconds",
224 )
ba56e7c9 225 group.required = parser.parse_known_args()[0].command is not None
cbfbfbc1
JB
226
227 args = parser.parse_args()
b2254601 228
d6488e8d
JB
229 # Create the WebSocket server and specify the handler for new connections.
230 server = await websockets.serve(
cbfbfbc1
JB
231 partial(
232 on_connect, command_name=args.command, delay=args.delay, period=args.period
233 ),
d4aa9700 234 "127.0.0.1", # Listen on loopback.
d6488e8d 235 9000, # Port number.
d4aa9700 236 subprotocols=["ocpp2.0", "ocpp2.0.1"], # Specify OCPP 2.0.1 subprotocols.
d6488e8d
JB
237 )
238 logging.info("WebSocket Server Started")
f937c172 239
d6488e8d
JB
240 # Wait for the server to close (runs indefinitely).
241 await server.wait_closed()
1a0d2c47 242
fa16d389
S
243
244# Entry point of the script.
d4aa9700 245if __name__ == "__main__":
d6488e8d
JB
246 # Run the main function to start the server.
247 asyncio.run(main())