server.py 15 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286
  1. # SPDX-License-Identifier: Apache-2.0
  2. # Copyright 2020 Contributors to OpenLEADR
  3. # Licensed under the Apache License, Version 2.0 (the "License");
  4. # you may not use this file except in compliance with the License.
  5. # You may obtain a copy of the License at
  6. # http://www.apache.org/licenses/LICENSE-2.0
  7. # Unless required by applicable law or agreed to in writing, software
  8. # distributed under the License is distributed on an "AS IS" BASIS,
  9. # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  10. # See the License for the specific language governing permissions and
  11. # limitations under the License.
  12. from aiohttp import web
  13. from openleadr.service import EventService, PollService, RegistrationService, ReportService, \
  14. OptService, VTNService
  15. from openleadr.messaging import create_message
  16. from openleadr import objects
  17. from openleadr import utils
  18. from functools import partial
  19. from datetime import datetime, timedelta, timezone
  20. from collections import deque
  21. import asyncio
  22. import inspect
  23. import logging
  24. import ssl
  25. import re
  26. import sys
  27. logger = logging.getLogger('openleadr')
  28. class OpenADRServer:
  29. _MAP = {'on_created_event': 'event_service',
  30. 'on_request_event': 'event_service',
  31. 'on_register_report': 'report_service',
  32. 'on_create_report': 'report_service',
  33. 'on_created_report': 'report_service',
  34. 'on_request_report': 'report_service',
  35. 'on_update_report': 'report_service',
  36. 'on_poll': 'poll_service',
  37. 'on_query_registration': 'registration_service',
  38. 'on_create_party_registration': 'registration_service',
  39. 'on_cancel_party_registration': 'registration_service'}
  40. def __init__(self, vtn_id, cert=None, key=None, passphrase=None, fingerprint_lookup=None,
  41. show_fingerprint=True, http_port=8080, http_host='127.0.0.1', http_cert=None,
  42. http_key=None, http_key_passphrase=None, http_path_prefix='/OpenADR2/Simple/2.0b',
  43. requested_poll_freq=timedelta(seconds=10), http_ca_file=None):
  44. """
  45. Create a new OpenADR VTN (Server).
  46. :param str vtn_id: An identifier string for this VTN. This is how you identify yourself
  47. to the VENs that talk to you.
  48. :param str cert: Path to the PEM-formatted certificate file that is used to sign outgoing
  49. messages
  50. :param str key: Path to the PEM-formatted private key file that is used to sign outgoing
  51. messages
  52. :param str passphrase: The passphrase used to decrypt the private key file
  53. :param callable fingerprint_lookup: A callable that receives a ven_id and should return the
  54. registered fingerprint for that VEN. You should receive
  55. these fingerprints outside of OpenADR and configure them
  56. manually.
  57. :param bool show_fingerprint: Whether to print the fingerprint to your stdout on startup.
  58. Defaults to True.
  59. :param int http_port: The port that the web server is exposed on (default: 8080)
  60. :param str http_host: The host or IP address to bind the server to (default: 127.0.0.1).
  61. :param str http_cert: The path to the PEM certificate for securing HTTP traffic.
  62. :param str http_key: The path to the PEM private key for securing HTTP traffic.
  63. :param str http_ca_file: The path to the CA-file that client certificates are checked against.
  64. :param str http_key_passphrase: The passphrase for the HTTP private key.
  65. """
  66. # Set up the message queues
  67. self.message_queues = {}
  68. self.app = web.Application()
  69. self.services = {'event_service': EventService(vtn_id, message_queues=self.message_queues),
  70. 'report_service': ReportService(vtn_id, message_queues=self.message_queues),
  71. 'poll_service': PollService(vtn_id, message_queues=self.message_queues),
  72. 'opt_service': OptService(vtn_id),
  73. 'registration_service': RegistrationService(vtn_id,
  74. poll_freq=requested_poll_freq)}
  75. if http_path_prefix[-1] == "/":
  76. http_path_prefix = http_path_prefix[:-1]
  77. self.app.add_routes([web.post(f"{http_path_prefix}/{s.__service_name__}", s.handler)
  78. for s in self.services.values()])
  79. self.http_port = http_port
  80. self.http_host = http_host
  81. self.http_path_prefix = http_path_prefix
  82. # Create SSL context for running the server
  83. if http_cert and http_key:
  84. self.ssl_context = ssl.create_default_context(cafile=http_ca_file,
  85. purpose=ssl.Purpose.CLIENT_AUTH)
  86. self.ssl_context.verify_mode = ssl.CERT_REQUIRED
  87. self.ssl_context.load_cert_chain(http_cert, http_key, http_key_passphrase)
  88. else:
  89. self.ssl_context = None
  90. # Configure message signing
  91. if cert and key:
  92. with open(cert, "rb") as file:
  93. cert = file.read()
  94. with open(key, "rb") as file:
  95. key = file.read()
  96. if show_fingerprint:
  97. print("")
  98. print("*" * 80)
  99. print("Your VTN Certificate Fingerprint is "
  100. f"{utils.certificate_fingerprint(cert)}".center(80))
  101. print("Please deliver this fingerprint to the VENs that connect to you.".center(80))
  102. print("You do not need to keep this a secret.".center(80))
  103. print("*" * 80)
  104. print("")
  105. VTNService._create_message = partial(create_message, cert=cert, key=key,
  106. passphrase=passphrase)
  107. VTNService.fingerprint_lookup = staticmethod(fingerprint_lookup)
  108. self.__setattr__ = self.add_handler
  109. async def run(self):
  110. """
  111. Starts the server in an already-running asyncio loop.
  112. """
  113. self.app_runner = web.AppRunner(self.app)
  114. await self.app_runner.setup()
  115. site = web.TCPSite(self.app_runner,
  116. port=self.http_port,
  117. host=self.http_host,
  118. ssl_context=self.ssl_context)
  119. await site.start()
  120. protocol = 'https' if self.ssl_context else 'http'
  121. print("")
  122. print("*" * 80)
  123. print("Your VTN Server is now running at ".center(80))
  124. print(f"{protocol}://{self.http_host}:{self.http_port}{self.http_path_prefix}".center(80))
  125. print("*" * 80)
  126. print("")
  127. async def run_async(self):
  128. await self.run()
  129. async def stop(self):
  130. if sys.version_info.minor >= 8:
  131. delayed_call_tasks = [task for task in asyncio.all_tasks()
  132. if task.get_name().startswith('DelayedCall')]
  133. for task in delayed_call_tasks:
  134. task.cancel()
  135. await self.app_runner.cleanup()
  136. def add_event(self, ven_id, signal_name, signal_type, intervals, callback=None, event_id=None,
  137. targets=None, targets_by_type=None, target=None, response_required='always',
  138. market_context="oadr://unknown.context", notification_period=None,
  139. ramp_up_period=None, recovery_period=None):
  140. """
  141. Convenience method to add an event with a single signal.
  142. :param str ven_id: The ven_id to whom this event must be delivered.
  143. :param str signal_name: The OpenADR name of the signal; one of openleadr.objects.SIGNAL_NAME
  144. :param str signal_type: The OpenADR type of the signal; one of openleadr.objects.SIGNAL_TYPE
  145. :param str intervals: A list of intervals with a dtstart, duration and payload member.
  146. :param str callback: A callback function for when your event has been accepted (optIn) or refused (optOut).
  147. :param list targets: A list of Targets that this Event applies to.
  148. :param target: A single target for this event.
  149. :param dict targets_by_type: A dict of targets, grouped by type.
  150. :param str market_context: A URI for the DR program that this event belongs to.
  151. :param timedelta notification_period: The Notification period for the Event's Active Period.
  152. :param timedelta ramp_up_period: The Ramp Up period for the Event's Active Period.
  153. :param timedelta recovery_period: The Recovery period for the Event's Active Period.
  154. If you don't provide a target using any of the three arguments, the target will be set to the given ven_id.
  155. """
  156. if self.services['event_service'].polling_method == 'external':
  157. logger.error("You cannot use the add_event method after you assign your own on_poll "
  158. "handler. If you use your own on_poll handler, you are responsible for "
  159. "delivering events from that handler. If you want to use OpenLEADRs "
  160. "message queuing system, you should not assign an on_poll handler. "
  161. "Your Event will NOT be added.")
  162. return
  163. if not re.match(r"^(([^:/?#]+):)?(//([^/?#]*))?([^?#]*)(\?([^#]*))?(#(.*))?", market_context):
  164. raise ValueError("The Market Context must be a valid URI.")
  165. event_id = event_id or utils.generate_id()
  166. if response_required not in ('always', 'never'):
  167. raise ValueError("'response_required' should be either 'always' or 'never'; "
  168. f"you provided '{response_required}'.")
  169. # Figure out the target for this Event
  170. if target is None and targets is None and targets_by_type is None:
  171. targets = [{'ven_id': ven_id}]
  172. elif target is not None:
  173. targets = [target]
  174. elif targets_by_type is not None:
  175. targets = utils.ungroup_targets_by_type(targets_by_type)
  176. if not isinstance(targets, list):
  177. targets = [targets]
  178. event_descriptor = objects.EventDescriptor(event_id=event_id,
  179. modification_number=0,
  180. market_context=market_context,
  181. event_status="far",
  182. created_date_time=datetime.now(timezone.utc))
  183. event_signal = objects.EventSignal(intervals=intervals,
  184. signal_name=signal_name,
  185. signal_type=signal_type,
  186. signal_id=utils.generate_id(),
  187. targets=targets)
  188. # Make sure the intervals carry timezone-aware timestamps
  189. for interval in intervals:
  190. if utils.getmember(interval, 'dtstart').tzinfo is None:
  191. utils.setmember(interval, 'dtstart',
  192. utils.getmember(interval, 'dtstart').astimezone(timezone.utc))
  193. logger.warning("You supplied a naive datetime object to your interval's dtstart. "
  194. "This will be interpreted as a timestamp in your local timezone "
  195. "and then converted to UTC before sending. Please supply timezone-"
  196. "aware timestamps like datetime.datetime.new(timezone.utc) or "
  197. "datetime.datetime(..., tzinfo=datetime.timezone.utc)")
  198. active_period = utils.get_active_period_from_intervals(intervals, False)
  199. active_period.ramp_up_period = ramp_up_period
  200. active_period.notification_period = notification_period
  201. active_period.recovery_period = recovery_period
  202. event = objects.Event(active_period=active_period,
  203. event_descriptor=event_descriptor,
  204. event_signals=[event_signal],
  205. targets=targets,
  206. response_required=response_required)
  207. self.add_raw_event(ven_id=ven_id, event=event, callback=callback)
  208. return event_id
  209. def add_raw_event(self, ven_id, event, callback=None):
  210. """
  211. Add a new event to the queue for a specific VEN.
  212. :param str ven_id: The ven_id to which this event should be distributed.
  213. :param dict event: The event (as a dict or as a objects.Event instance)
  214. that contains the event details.
  215. :param callable callback: A callback that will receive the opt status for this event.
  216. This callback receives ven_id, event_id, opt_type as its arguments.
  217. """
  218. if utils.getmember(event, 'response_required') == 'always':
  219. if callback is None:
  220. logger.warning("You did not provide a 'callback', which means you won't know if the "
  221. "VEN will opt in or opt out of your event. You should consider adding "
  222. "a callback for this.")
  223. elif not asyncio.isfuture(callback):
  224. args = inspect.signature(callback).parameters
  225. if not all(['ven_id' in args, 'event_id' in args, 'opt_type' in args]):
  226. raise ValueError("The 'callback' must have at least the following parameters: "
  227. "'ven_id' (str), 'event_id' (str), 'opt_type' (str). Please fix "
  228. "your 'callback' handler.")
  229. if ven_id not in self.message_queues:
  230. self.message_queues[ven_id] = deque()
  231. event_id = utils.getmember(utils.getmember(event, 'event_descriptor'), 'event_id')
  232. self.message_queues[ven_id].append(event)
  233. if callback is not None:
  234. self.services['event_service'].pending_events[event_id] = (event, callback)
  235. if utils.getmember(event, 'response_required') == 'never':
  236. self.services['event_service'].schedule_event_updates(ven_id, event)
  237. return event_id
  238. def add_handler(self, name, func):
  239. """
  240. Add a handler to the OpenADRServer.
  241. :param str name: The name for this handler. Should be one of: on_created_event,
  242. on_request_event, on_register_report, on_create_report,
  243. on_created_report, on_request_report, on_update_report, on_poll,
  244. on_query_registration, on_create_party_registration,
  245. on_cancel_party_registration.
  246. :param callable func: A function or coroutine that handles this type of occurrence.
  247. It receives the message, and should return the contents of a response.
  248. """
  249. logger.debug(f"Adding handler: {name} {func}")
  250. if name in self._MAP:
  251. setattr(self.services[self._MAP[name]], name, func)
  252. if name == 'on_poll':
  253. self.services['poll_service'].polling_method = 'external'
  254. self.services['event_service'].polling_method = 'external'
  255. else:
  256. raise NameError(f"""Unknown handler '{name}'. """
  257. f"""Correct handler names are: '{"', '".join(self._MAP.keys())}'.""")