Related issue39
[e-mobility-charging-stations-simulator.git] / tests / ocpp-server / server.py
... / ...
CommitLineData
1import asyncio
2import logging
3from datetime import datetime, timezone
4from threading import Timer
5import argparse
6
7import ocpp.v201
8import websockets
9from ocpp.routing import on
10from ocpp.v201.enums import (
11 Action,
12 AuthorizationStatusType,
13 ClearCacheStatusType,
14 RegistrationStatusType,
15 TransactionEventType,
16 ReportBaseType,
17)
18
19# Setting up the logging configuration to display debug level messages.
20logging.basicConfig(level=logging.DEBUG)
21
22
23class RepeatTimer(Timer):
24 """Class that inherits from the Timer class. It will run a
25 function at regular intervals."""
26
27 def run(self):
28 while not self.finished.wait(self.interval):
29 self.function(*self.args, **self.kwargs)
30
31
32# Define a ChargePoint class inheriting from the OCPP 2.0.1 ChargePoint class.
33class ChargePoint(ocpp.v201.ChargePoint):
34 # Message handlers to receive OCPP messages.
35 @on(Action.BootNotification)
36 async def on_boot_notification(self, charging_station, reason, **kwargs):
37 logging.info("Received BootNotification")
38 # Create and return a BootNotification response with the current time,
39 # an interval of 60 seconds, and an accepted status.
40 return ocpp.v201.call_result.BootNotification(
41 current_time=datetime.now(timezone.utc).isoformat(),
42 interval=60,
43 status=RegistrationStatusType.accepted,
44 )
45
46 @on(Action.Heartbeat)
47 async def on_heartbeat(self, **kwargs):
48 logging.info("Received Heartbeat")
49 return ocpp.v201.call_result.Heartbeat(
50 current_time=datetime.now(timezone.utc).isoformat()
51 )
52
53 @on(Action.StatusNotification)
54 async def on_status_notification(
55 self, timestamp, evse_id: int, connector_id: int, connector_status, **kwargs
56 ):
57 logging.info("Received StatusNotification")
58 return ocpp.v201.call_result.StatusNotification()
59
60 @on(Action.Authorize)
61 async def on_authorize(self, id_token, **kwargs):
62 logging.info("Received Authorize")
63 return ocpp.v201.call_result.Authorize(
64 id_token_info={"status": AuthorizationStatusType.accepted}
65 )
66
67 @on(Action.TransactionEvent)
68 async def on_transaction_event(
69 self,
70 event_type: TransactionEventType,
71 timestamp,
72 trigger_reason,
73 seq_no: int,
74 transaction_info,
75 **kwargs,
76 ):
77 match event_type:
78 case TransactionEventType.started:
79 logging.info("Received TransactionEvent Started")
80 return ocpp.v201.call_result.TransactionEvent(
81 id_token_info={"status": AuthorizationStatusType.accepted}
82 )
83 case TransactionEventType.updated:
84 logging.info("Received TransactionEvent Updated")
85 return ocpp.v201.call_result.TransactionEvent(total_cost=10)
86 case TransactionEventType.ended:
87 logging.info("Received TransactionEvent Ended")
88 return ocpp.v201.call_result.TransactionEvent()
89
90 @on(Action.MeterValues)
91 async def on_meter_values(self, evse_id: int, meter_value, **kwargs):
92 logging.info("Received MeterValues")
93 return ocpp.v201.call_result.MeterValues()
94
95 @on(Action.GetBaseReport)
96 async def on_get_base_report(self, request_id: int, report_base: ReportBaseType, **kwargs):
97 logging.info("Received GetBaseReport")
98 return ocpp.v201.call_result.GetBaseReport(status="Accepted")
99
100 # Request handlers to emit OCPP messages.
101 async def send_clear_cache(self):
102 request = ocpp.v201.call.ClearCache()
103 response = await self.call(request)
104
105 if response.status == ClearCacheStatusType.accepted:
106 logging.info("Cache clearing successful")
107 else:
108 logging.info("Cache clearing failed")
109
110 async def send_get_base_report(self):
111 logging.info("Executing send_get_base_report...")
112 request = ocpp.v201.call.GetBaseReport(reportBase=ReportBaseType.ConfigurationInventory) # Use correct ReportBaseType
113 try:
114 response = await self.call(request)
115 logging.info("Send GetBaseReport")
116
117 if response.status == "Accepted": # Adjust depending on the structure of your response
118 logging.info("Send GetBaseReport successful")
119 else:
120 logging.info("Send GetBaseReport failed")
121 except Exception as e:
122 logging.error(f"Send GetBaseReport failed: {str(e)}")
123 logging.info("send_get_base_report done.")
124
125# Define argument parser
126parser = argparse.ArgumentParser(description='OCPP Charge Point Simulator')
127parser.add_argument('--request', type=str, help='OCPP 2 Command Name')
128parser.add_argument('--delay', type=int, help='Delay in seconds')
129parser.add_argument('--period', type=int, help='Period in seconds')
130
131args = parser.parse_args()
132
133# Function to send OCPP command
134async def send_ocpp_command(cp, command_name, delay=None, period=None):
135 # If delay is not None, sleep for delay seconds
136 if delay:
137 await asyncio.sleep(delay)
138
139 # If period is not None, send command repeatedly with period interval
140 if period:
141 while True:
142 if command_name == 'GetBaseReport':
143 logging.info("GetBaseReport parser working")
144 await cp.send_get_base_report()
145
146 await asyncio.sleep(period)
147 else:
148 if command_name == 'GetBaseReport':
149 await cp.send_get_base_report()
150
151
152# Function to handle new WebSocket connections.
153async def on_connect(websocket, path):
154 """For every new charge point that connects, create a ChargePoint instance and start
155 listening for messages."""
156 try:
157 requested_protocols = websocket.request_headers["Sec-WebSocket-Protocol"]
158 except KeyError:
159 logging.info("Client hasn't requested any Subprotocol. Closing Connection")
160 return await websocket.close()
161
162 if websocket.subprotocol:
163 logging.info("Protocols Matched: %s", websocket.subprotocol)
164 else:
165 logging.warning(
166 "Protocols Mismatched | Expected Subprotocols: %s,"
167 " but client supports %s | Closing connection",
168 websocket.available_subprotocols,
169 requested_protocols,
170 )
171 return await websocket.close()
172
173 charge_point_id = path.strip("/")
174 cp = ChargePoint(charge_point_id, websocket)
175
176 # Check if request argument is specified
177 if args.request:
178 asyncio.create_task(send_ocpp_command(cp, args.request, args.delay, args.period))
179
180 # Start the ChargePoint instance to listen for incoming messages.
181 await cp.start()
182
183
184# Main function to start the WebSocket server.
185async def main():
186 # Create the WebSocket server and specify the handler for new connections.
187 server = await websockets.serve(
188 on_connect,
189 "127.0.0.1", # Listen on loopback.
190 9000, # Port number.
191 subprotocols=["ocpp2.0", "ocpp2.0.1"], # Specify OCPP 2.0.1 subprotocols.
192 )
193 logging.info("WebSocket Server Started")
194
195 # Create a ChargePoint instance
196 # websocket = await websockets.connect('ws://localhost:9000')
197 # cp = ChargePoint('test', websocket)
198
199 # Call send_ocpp_command function
200 # asyncio.create_task(send_ocpp_command(cp, args.request, args.delay, args.period))
201
202 # Wait for the server to close (runs indefinitely).
203 await server.wait_closed()
204
205
206# Entry point of the script.
207if __name__ == "__main__":
208 # Run the main function to start the server.
209 asyncio.run(main())