refactor(ocpp-server): add a few types
[e-mobility-charging-stations-simulator.git] / tests / ocpp-server / server.py
CommitLineData
fa16d389
S
1import asyncio
2import logging
fa16d389 3from datetime import datetime, timezone
aea49501 4from threading import Timer
fa16d389 5
a89844d4 6import ocpp.v201
1a0d2c47 7import websockets
fa16d389 8from ocpp.routing import on
5dd22b9f 9from ocpp.v201.enums import RegistrationStatusType, ClearCacheStatusType, AuthorizationStatusType, \
22c4f1fc 10 TransactionEventType, \
5dd22b9f 11 Action
fa16d389
S
12
13# Setting up the logging configuration to display debug level messages.
14logging.basicConfig(level=logging.DEBUG)
15
1a0d2c47 16
aea49501
JB
17class RepeatTimer(Timer):
18 """ Class that inherits from the Timer class. It will run a
19 function at regular intervals."""
20
21 def run(self):
22 while not self.finished.wait(self.interval):
23 self.function(*self.args, **self.kwargs)
24
25
fa16d389 26# Define a ChargePoint class inheriting from the OCPP 2.0.1 ChargePoint class.
a89844d4 27class ChargePoint(ocpp.v201.ChargePoint):
aea49501 28 # Message handlers to receive OCPP messages.
339f65ad 29 @on(Action.BootNotification)
d6488e8d
JB
30 async def on_boot_notification(self, charging_station, reason, **kwargs):
31 logging.info("Received BootNotification")
32 # Create and return a BootNotification response with the current time,
5dd22b9f 33 # an interval of 60 seconds, and an accepted status.
339f65ad 34 return ocpp.v201.call_result.BootNotification(
d6488e8d 35 current_time=datetime.now(timezone.utc).isoformat(),
115f3b17 36 interval=60,
d6488e8d
JB
37 status=RegistrationStatusType.accepted
38 )
1a0d2c47 39
115f3b17 40 @on(Action.Heartbeat)
5dd22b9f 41 async def on_heartbeat(self, **kwargs):
115f3b17
JB
42 logging.info("Received Heartbeat")
43 return ocpp.v201.call_result.Heartbeat(current_time=datetime.now(timezone.utc).isoformat())
44
65c0600c 45 @on(Action.StatusNotification)
c7f80bf9
JB
46 async def on_status_notification(self, timestamp, evse_id: int, connector_id: int,
47 connector_status,
5dd22b9f 48 **kwargs):
65c0600c
JB
49 logging.info("Received StatusNotification")
50 return ocpp.v201.call_result.StatusNotification()
51
5dd22b9f
JB
52 @on(Action.Authorize)
53 async def on_authorize(self, id_token, **kwargs):
54 logging.info("Received Authorize")
55 return ocpp.v201.call_result.Authorize(
8430af0a
JB
56 id_token_info={'status': AuthorizationStatusType.accepted}
57 )
5dd22b9f 58
22c4f1fc 59 @on(Action.TransactionEvent)
c7f80bf9
JB
60 async def on_transaction_event(self, event_type: TransactionEventType, timestamp,
61 trigger_reason, seq_no: int,
22c4f1fc
JB
62 transaction_info, **kwargs):
63 match event_type:
64 case TransactionEventType.started:
65 logging.info("Received TransactionEvent Started")
66 return ocpp.v201.call_result.TransactionEvent(
8430af0a
JB
67 id_token_info={'status': AuthorizationStatusType.accepted}
68 )
22c4f1fc
JB
69 case TransactionEventType.updated:
70 logging.info("Received TransactionEvent Updated")
71 return ocpp.v201.call_result.TransactionEvent(
8430af0a
JB
72 total_cost=10
73 )
22c4f1fc
JB
74 case TransactionEventType.ended:
75 logging.info("Received TransactionEvent Ended")
76 return ocpp.v201.call_result.TransactionEvent()
77
5dd22b9f 78 @on(Action.MeterValues)
c7f80bf9 79 async def on_meter_values(self, evse_id: int, meter_value, **kwargs):
5dd22b9f
JB
80 logging.info("Received MeterValues")
81 return ocpp.v201.call_result.MeterValues()
82
d6488e8d 83 # Request handlers to emit OCPP messages.
a89844d4
JB
84 async def send_clear_cache(self):
85 request = ocpp.v201.call.ClearCache()
86 response = await self.call(request)
87
88 if response.status == ClearCacheStatusType.accepted:
e1c2dac9 89 logging.info("Cache clearing successful")
a89844d4
JB
90 else:
91 logging.info("Cache clearing failed")
1a0d2c47 92
fa16d389
S
93
94# Function to handle new WebSocket connections.
95async def on_connect(websocket, path):
d6488e8d
JB
96 """ For every new charge point that connects, create a ChargePoint instance and start
97 listening for messages."""
98 try:
99 requested_protocols = websocket.request_headers['Sec-WebSocket-Protocol']
100 except KeyError:
101 logging.info("Client hasn't requested any Subprotocol. Closing Connection")
102 return await websocket.close()
1a0d2c47 103
d6488e8d
JB
104 if websocket.subprotocol:
105 logging.info("Protocols Matched: %s", websocket.subprotocol)
106 else:
107 logging.warning('Protocols Mismatched | Expected Subprotocols: %s,'
108 ' but client supports %s | Closing connection',
109 websocket.available_subprotocols,
8430af0a
JB
110 requested_protocols
111 )
d6488e8d 112 return await websocket.close()
1a0d2c47 113
d6488e8d
JB
114 charge_point_id = path.strip('/')
115 cp = ChargePoint(charge_point_id, websocket)
1a0d2c47 116
d6488e8d
JB
117 # Start the ChargePoint instance to listen for incoming messages.
118 await cp.start()
1a0d2c47 119
fa16d389
S
120
121# Main function to start the WebSocket server.
122async def main():
d6488e8d
JB
123 # Create the WebSocket server and specify the handler for new connections.
124 server = await websockets.serve(
125 on_connect,
126 '127.0.0.1', # Listen on loopback.
127 9000, # Port number.
339f65ad 128 subprotocols=['ocpp2.0', 'ocpp2.0.1'] # Specify OCPP 2.0.1 subprotocols.
d6488e8d
JB
129 )
130 logging.info("WebSocket Server Started")
131 # Wait for the server to close (runs indefinitely).
132 await server.wait_closed()
1a0d2c47 133
fa16d389
S
134
135# Entry point of the script.
136if __name__ == '__main__':
d6488e8d
JB
137 # Run the main function to start the server.
138 asyncio.run(main())