1
0
mirror of https://github.com/thingsboard/thingsboard-gateway synced 2025-10-26 22:31:42 +08:00
Files
thingsboard-gateway/thingsboard_gateway/connectors/ocpp/ocpp_connector.py
2023-11-28 15:39:59 +02:00

325 lines
13 KiB
Python

# Copyright 2022. ThingsBoard
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
import asyncio
import base64
import re
import ssl
from queue import Queue
from threading import Thread
from random import choice
from string import ascii_lowercase
from time import sleep
from simplejson import dumps
from thingsboard_gateway.connectors.connector import Connector
from thingsboard_gateway.gateway.statistics_service import StatisticsService
from thingsboard_gateway.tb_utility.tb_utility import TBUtility
from thingsboard_gateway.tb_utility.tb_logger import init_logger
try:
import ocpp
except ImportError:
print('OCPP library not found - installing...')
TBUtility.install_package("ocpp")
import ocpp
try:
import websockets
except ImportError:
print('websockets library not found - installing...')
TBUtility.install_package("websockets")
import websockets
from ocpp.v16 import call
from thingsboard_gateway.connectors.ocpp.charge_point import ChargePoint
class NotAuthorized(Exception):
"""Charge Point not authorized"""
class OcppConnector(Connector, Thread):
DATA_TO_CONVERT = Queue(-1)
DATA_TO_SEND = Queue(-1)
def __init__(self, gateway, config, connector_type):
super().__init__()
self._config = config
self._central_system_config = config['centralSystem']
self._charge_points_config = config.get('chargePoints', [])
self._connector_type = connector_type
self.statistics = {'MessagesReceived': 0,
'MessagesSent': 0}
self._gateway = gateway
self.setName(self._config.get("name", 'OCPP Connector ' + ''.join(choice(ascii_lowercase) for _ in range(5))))
self._log = init_logger(self._gateway, self.name, self._config.get('logLevel', 'INFO'))
self._default_converters = {'uplink': 'OcppUplinkConverter'}
self._server = None
self._connected_charge_points = []
self._ssl_context = None
try:
if self._central_system_config['connection']['type'].lower() == 'tls':
self._ssl_context = ssl.SSLContext(ssl.PROTOCOL_TLS_SERVER)
pem_file = self._central_system_config['connection']['cert']
key_file = self._central_system_config['connection']['key']
password = self._central_system_config['connection'].get('password')
self._ssl_context.load_cert_chain(pem_file, key_file, password=password)
except Exception as e:
self._log.exception(e)
self._log.warning('TLS connection not set!')
self._ssl_context = None
self._data_convert_thread = Thread(name='Convert Data Thread', daemon=True, target=self._process_data)
self._data_send_thread = Thread(name='Send Data Thread', daemon=True, target=self._send_data)
self.__loop = asyncio.new_event_loop()
self.__connected = False
self.__stopped = False
self.daemon = True
def open(self):
self.__stopped = False
self.start()
self._log.info("Starting OCPP Connector")
def get_type(self):
return self._connector_type
def run(self):
self._data_convert_thread.start()
self._data_send_thread.start()
self.__loop.create_task(self.start_server())
self.__loop.run_forever()
async def start_server(self):
host = self._central_system_config.get('host', '0.0.0.0')
port = self._central_system_config.get('port', 9000)
self._server = await websockets.serve(self.on_connect, host, port, subprotocols=['ocpp1.6'],
ssl=self._ssl_context)
self.__connected = True
self._log.info('Central System is running on %s:%d', host, port)
await self._server.wait_closed()
def _auth(self, websocket):
for sec in self._central_system_config['security']:
if sec['type'].lower() == 'token' and websocket.request_headers['authorization'] in sec['tokens']:
self._log.debug('Got Authorization: %s', websocket.request_headers['authorization'])
return
elif sec['type'].lower() == 'basic':
for cred in sec['credentials']:
token = 'Basic {0}'.format(
base64.b64encode(bytes(cred['username'] + ':' + cred['password'], 'utf-8')).decode('ascii'))
if websocket.request_headers['authorization'] == token:
self._log.debug('Got Authorization: %s', websocket.request_headers['authorization'])
return
raise NotAuthorized('Charge Point not authorized')
async def on_connect(self, websocket, path):
""" For every new charge point that connects, create a ChargePoint instance
and start listening for messages.
"""
requested_protocols = None
try:
requested_protocols = websocket.request_headers[
'Sec-WebSocket-Protocol']
except KeyError:
self._log.info("Client hasn't requested any Subprotocol. "
"Closing Connection")
# Authorize Charge Point before accept connection
if self._central_system_config.get('security'):
try:
self._auth(websocket)
except NotAuthorized as e:
self._log.error(e)
return await websocket.close()
if websocket.subprotocol:
self._log.info("Protocols Matched: %s", websocket.subprotocol)
else:
# In the websockets lib if no subprotocols are supported by the
# client and the server, it proceeds without a subprotocol,
# so we have to manually close the connection.
self._log.warning('Protocols Mismatched | Expected Subprotocols: %s,'
' but client supports %s | Closing connection',
websocket.available_subprotocols,
requested_protocols)
return await websocket.close()
cp_host = None
cp_port = None
try:
(cp_host, cp_port) = websocket.remote_address
except ValueError:
pass
charge_point_id = path.strip('/')
# check if charge point can be connected
(is_valid, cp_config) = await self._is_charge_point_valid(charge_point_id, host=cp_host, port=cp_port)
if is_valid:
uplink_converter_name = cp_config.get('extension', self._default_converters['uplink'])
cp = ChargePoint(charge_point_id, websocket, {**cp_config, 'uplink_converter_name': uplink_converter_name},
OcppConnector._callback, self._log)
cp.authorized = True
self._log.info('Connected Charge Point with id: %s', charge_point_id)
self._connected_charge_points.append(cp)
try:
await cp.start()
except websockets.ConnectionClosed:
self._connected_charge_points.pop(self._connected_charge_points.index(cp))
async def _is_charge_point_valid(self, charge_point_id, **kwargs):
for cp_config in self._charge_points_config:
if re.match(cp_config['idRegexpPattern'], charge_point_id):
host = cp_config.get('host')
port = cp_config.get('port')
if host or port:
if not re.match(host, kwargs.get('host')) or not re.match(port, kwargs.get('port')):
return False, None
return True, cp_config
return False, None
def close(self):
self.__stopped = True
self.__connected = False
tasks = asyncio.all_tasks(self.__loop)
for task in tasks:
task.cancel()
for socket in self._server.server.sockets:
socket._sock.close()
self.__loop.stop()
self._log.info('%s has been stopped.', self.get_name())
self._log.reset()
def get_name(self):
return self.name
def is_connected(self):
return self.__connected
@classmethod
def _callback(cls, data):
cls.DATA_TO_CONVERT.put(data)
def _process_data(self):
while not self.__stopped:
if not self.DATA_TO_CONVERT.empty():
self.statistics['MessagesReceived'] += 1
(converter, config, data) = self.DATA_TO_CONVERT.get()
self._log.debug('Data from Charge Point: %s', data)
converted_data = converter.convert(config, data)
if converted_data and (converted_data.get('attributes') or converted_data.get('telemetry')):
self.DATA_TO_SEND.put(converted_data)
sleep(.001)
def _send_data(self):
while not self.__stopped:
if not self.DATA_TO_SEND.empty():
converted_data = self.DATA_TO_SEND.get()
self._gateway.send_to_storage(self.name, converted_data)
self.statistics['MessagesSent'] += 1
self._log.info("Data to ThingsBoard: %s", converted_data)
sleep(.001)
@staticmethod
async def _send_request(cp, request):
return await cp.call(request)
@StatisticsService.CollectAllReceivedBytesStatistics(start_stat_type='allReceivedBytesFromTB')
def on_attributes_update(self, content):
self._log.debug('Got attribute update: %s', content)
try:
charge_point = tuple(filter(lambda cp: cp.name == content['device'], self._connected_charge_points))[0]
except IndexError:
self._log.error('Charge Point with name %s not found!', content['device'])
return
try:
for attribute_update_config in charge_point.config.get('attributeUpdates', []):
for (attr_key, attr_value) in content['data'].items():
if attr_key == attribute_update_config['attributeOnThingsBoard']:
data = attribute_update_config["valueExpression"] \
.replace("${attributeKey}", str(attr_key)) \
.replace("${attributeValue}", str(attr_value))
request = call.DataTransferPayload('1', data=data)
task = self.__loop.create_task(self._send_request(charge_point, request))
while not task.done():
sleep(.2)
self._log.debug(task.result())
except Exception as e:
self._log.exception(e)
@StatisticsService.CollectAllReceivedBytesStatistics(start_stat_type='allReceivedBytesFromTB')
def server_side_rpc_handler(self, content):
self._log.debug('Got RPC: %s', content)
try:
charge_point = tuple(filter(lambda cp: cp.name == content['device'], self._connected_charge_points))[0]
except IndexError:
self._log.error('Charge Point with name %s not found!', content['device'])
return
try:
for rpc in charge_point.config.get('serverSideRpc', []):
if rpc['methodRPC'] == content['data']['method']:
data_to_send_tags = TBUtility.get_values(rpc.get('valueExpression'), content['data'],
'params',
get_tag=True)
data_to_send_values = TBUtility.get_values(rpc.get('valueExpression'), content['data'],
'params',
expression_instead_none=True)
data_to_send = rpc.get('valueExpression')
for (tag, value) in zip(data_to_send_tags, data_to_send_values):
data_to_send = data_to_send.replace('${' + tag + '}', dumps(value))
request = call.DataTransferPayload('1', data=data_to_send)
task = self.__loop.create_task(self._send_request(charge_point, request))
while not task.done():
sleep(.2)
if rpc.get('withResponse', True):
self._gateway.send_rpc_reply(content["device"], content["data"]["id"], str(task.result()))
return
except Exception as e:
self._log.exception(e)
def get_config(self):
return {'CS': self._central_system_config, 'CP': self._charge_points_config}