aioupnp/txupnp/scpd.py

321 lines
12 KiB
Python
Raw Normal View History

2018-07-27 01:49:33 +02:00
import logging
2018-07-29 04:08:24 +02:00
from collections import OrderedDict
2018-07-27 01:49:33 +02:00
from twisted.internet import defer
from twisted.web.client import Agent, HTTPConnectionPool
import treq
from treq.client import HTTPClient
from xml.etree import ElementTree
2018-07-29 04:08:24 +02:00
from txupnp.util import etree_to_dict, flatten_keys, return_types, _return_types, none_or_str, none
from txupnp.fault import handle_fault, UPnPError
2018-07-30 23:48:20 +02:00
from txupnp.constants import IP_SCHEMA, SERVICE, SSDP_IP_ADDRESS, DEVICE, ROOT, service_types, ENVELOPE, XML_VERSION
from txupnp.constants import BODY, POST
2018-07-27 01:49:33 +02:00
log = logging.getLogger(__name__)
class StringProducer(object):
def __init__(self, body):
self.body = body
self.length = len(body)
def startProducing(self, consumer):
consumer.write(self.body)
return defer.succeed(None)
def pauseProducing(self):
pass
def stopProducing(self):
pass
def xml_arg(name, arg):
return "<%s>%s</%s>" % (name, arg, name)
def get_soap_body(service_name, method, param_names, **kwargs):
args = "".join(xml_arg(n, kwargs.get(n)) for n in param_names)
return '\n%s\n<s:Envelope xmlns:s="http://schemas.xmlsoap.org/soap/envelope/" s:encodingStyle="http://schemas.xmlsoap.org/soap/encoding/"><s:Body><u:%s xmlns:u="%s">%s</u:%s></s:Body></s:Envelope>' % (XML_VERSION, method, service_name, args, method)
class _SCPDCommand(object):
def __init__(self, gateway_address, service_port, control_url, service_id, method, param_names, returns,
2018-07-30 23:48:20 +02:00
reactor=None, connection_pool=None, agent=None, http_client=None):
2018-07-27 01:49:33 +02:00
if not reactor:
from twisted.internet import reactor
self._reactor = reactor
2018-07-30 23:48:20 +02:00
self._pool = connection_pool or HTTPConnectionPool(reactor)
self.agent = agent or Agent(reactor, connectTimeout=1)
self._http_client = http_client or HTTPClient(self.agent, data_to_body_producer=StringProducer)
2018-07-27 01:49:33 +02:00
self.gateway_address = gateway_address
self.service_port = service_port
self.control_url = control_url
self.service_id = service_id
self.method = method
self.param_names = param_names
self.returns = returns
2018-07-29 04:08:24 +02:00
def extract_body(self, xml_response, service_key=IP_SCHEMA):
2018-07-27 01:49:33 +02:00
content_dict = etree_to_dict(ElementTree.fromstring(xml_response))
envelope = content_dict[ENVELOPE]
return flatten_keys(envelope[BODY], "{%s}" % service_key)
def extract_response(self, body):
body = handle_fault(body) # raises UPnPError if there is a fault
if '%sResponse' % self.method in body:
response_key = '%sResponse' % self.method
else:
2018-07-29 04:08:24 +02:00
log.error(body.keys())
raise UPnPError("unknown response fields")
2018-07-27 01:49:33 +02:00
response = body[response_key]
extracted_response = tuple([response[n] for n in self.returns])
if len(extracted_response) == 1:
return extracted_response[0]
return extracted_response
@defer.inlineCallbacks
def send_upnp_soap(self, **kwargs):
soap_body = get_soap_body(self.service_id, self.method, self.param_names, **kwargs).encode()
headers = OrderedDict((
('SOAPAction', '%s#%s' % (self.service_id, self.method)),
('Host', ('%s:%i' % (SSDP_IP_ADDRESS, self.service_port))),
('Content-Type', 'text/xml'),
('Content-Length', len(soap_body))
2018-07-29 04:08:24 +02:00
))
2018-07-27 01:49:33 +02:00
response = yield self._http_client.request(
POST, url=self.control_url, data=soap_body, headers=headers
)
xml_response = yield response.content()
response = self.extract_response(self.extract_body(xml_response))
2018-07-29 05:38:58 +02:00
if not response:
2018-07-29 23:32:14 +02:00
log.debug("empty response to %s\n%s", self.method, xml_response)
2018-07-27 01:49:33 +02:00
defer.returnValue(response)
@staticmethod
def _process_result(results):
"""
this method gets decorated automatically with a function that maps result types to the types
defined in the @return_types decorator
"""
return results
@defer.inlineCallbacks
def __call__(self, **kwargs):
if set(kwargs.keys()) != set(self.param_names):
raise Exception("argument mismatch")
response = yield self.send_upnp_soap(**kwargs)
result = self._process_result(response)
defer.returnValue(result)
2018-07-29 04:08:24 +02:00
class SCPDResponse(object):
def __init__(self, url, headers, content):
self.url = url
self.headers = headers
self.content = content
def get_element_tree(self):
return ElementTree.fromstring(self.content)
def get_element_dict(self, service_key):
return flatten_keys(etree_to_dict(self.get_element_tree()), "{%s}" % service_key)
def get_action_list(self):
return self.get_element_dict(SERVICE)["scpd"]["actionList"]["action"]
def get_device_info(self):
return self.get_element_dict(DEVICE)[ROOT]
class SCPDCommandRunner(object):
2018-07-30 23:48:20 +02:00
def __init__(self, gateway, reactor):
2018-07-29 04:08:24 +02:00
self._gateway = gateway
2018-07-30 00:20:42 +02:00
self._unsupported_actions = {}
self._registered_commands = {}
2018-07-30 23:48:20 +02:00
self._reactor = reactor
self._agent = Agent(reactor, connectTimeout=1)
self._http_client = HTTPClient(self._agent, data_to_body_producer=StringProducer)
self._connection_pool = HTTPConnectionPool(reactor)
2018-07-27 01:49:33 +02:00
@defer.inlineCallbacks
2018-07-29 04:08:24 +02:00
def _discover_commands(self, service):
scpd_url = self._gateway.base_address + service.scpd_path.encode()
response = yield treq.get(scpd_url)
2018-07-27 01:49:33 +02:00
content = yield response.content()
2018-07-30 00:20:42 +02:00
try:
scpd_response = SCPDResponse(scpd_url,
response.headers, content)
for action_dict in scpd_response.get_action_list():
self._register_command(action_dict, service.service_type)
except Exception as err:
log.exception("failed to parse scpd response (%s) from %s\nheaders:\n%s\ncontent\n%s",
err, scpd_url, response.headers, content)
2018-07-27 01:49:33 +02:00
defer.returnValue(None)
2018-07-29 04:08:24 +02:00
@defer.inlineCallbacks
def discover_commands(self):
for service_type in service_types:
service = self._gateway.get_service(service_type)
if not service:
continue
yield self._discover_commands(service)
2018-07-30 00:20:42 +02:00
log.debug(self.debug_commands())
2018-07-29 04:08:24 +02:00
2018-07-27 01:49:33 +02:00
@staticmethod
def _soap_function_info(action_dict):
if not action_dict.get('argumentList'):
2018-07-29 23:32:14 +02:00
log.debug("don't know how to handle argument list: %s", action_dict)
2018-07-27 01:49:33 +02:00
return (
action_dict['name'],
[],
[]
)
arg_dicts = action_dict['argumentList']['argument']
if not isinstance(arg_dicts, list): # when there is one arg, ew
arg_dicts = [arg_dicts]
return (
action_dict['name'],
[i['name'] for i in arg_dicts if i['direction'] == 'in'],
[i['name'] for i in arg_dicts if i['direction'] == 'out']
)
2018-07-30 23:48:20 +02:00
def _patch_command(self, action_info, service_type):
name, inputs, outputs = self._soap_function_info(action_info)
2018-07-29 04:08:24 +02:00
command = _SCPDCommand(self._gateway.base_address, self._gateway.port,
self._gateway.base_address + self._gateway.get_service(service_type).control_path.encode(),
2018-07-30 23:48:20 +02:00
self._gateway.get_service(service_type).service_id.encode(), name, inputs, outputs,
self._reactor, self._connection_pool, self._agent, self._http_client)
2018-07-27 01:49:33 +02:00
current = getattr(self, command.method)
if hasattr(current, "_return_types"):
command._process_result = _return_types(*current._return_types)(command._process_result)
setattr(command, "__doc__", current.__doc__)
setattr(self, command.method, command)
2018-07-30 00:20:42 +02:00
self._registered_commands[command.method] = service_type
2018-07-29 23:32:14 +02:00
log.debug("registered %s %s", service_type, action_info['name'])
2018-07-30 00:20:42 +02:00
return True
2018-07-29 06:07:51 +02:00
def _register_command(self, action_info, service_type):
try:
2018-07-30 23:48:20 +02:00
return self._patch_command(action_info, service_type)
2018-07-29 06:07:51 +02:00
except Exception as err:
2018-07-30 00:20:42 +02:00
s = self._unsupported_actions.get(service_type, [])
s.append((action_info, err))
self._unsupported_actions[service_type] = s
2018-07-29 06:07:51 +02:00
log.error("failed to setup command for %s\n%s", service_type, action_info)
2018-07-27 01:49:33 +02:00
2018-07-30 00:20:42 +02:00
def debug_commands(self):
2018-07-30 23:48:20 +02:00
return {
2018-07-30 00:20:42 +02:00
'available': self._registered_commands,
'failed': self._unsupported_actions
2018-07-30 23:48:20 +02:00
}
2018-07-30 00:20:42 +02:00
2018-07-27 01:49:33 +02:00
@staticmethod
2018-07-29 04:08:24 +02:00
@return_types(none)
2018-07-27 01:49:33 +02:00
def AddPortMapping(NewRemoteHost, NewExternalPort, NewProtocol, NewInternalPort, NewInternalClient,
NewEnabled, NewPortMappingDescription, NewLeaseDuration):
"""Returns None"""
raise NotImplementedError()
@staticmethod
2018-07-29 04:08:24 +02:00
@return_types(bool, bool)
2018-07-27 01:49:33 +02:00
def GetNATRSIPStatus():
"""Returns (NewRSIPAvailable, NewNATEnabled)"""
raise NotImplementedError()
@staticmethod
@return_types(none_or_str, int, str, int, str, bool, str, int)
def GetGenericPortMappingEntry(NewPortMappingIndex):
"""
Returns (NewRemoteHost, NewExternalPort, NewProtocol, NewInternalPort, NewInternalClient, NewEnabled,
NewPortMappingDescription, NewLeaseDuration)
"""
raise NotImplementedError()
@staticmethod
@return_types(int, str, bool, str, int)
def GetSpecificPortMappingEntry(NewRemoteHost, NewExternalPort, NewProtocol):
"""Returns (NewInternalPort, NewInternalClient, NewEnabled, NewPortMappingDescription, NewLeaseDuration)"""
raise NotImplementedError()
@staticmethod
2018-07-29 04:08:24 +02:00
@return_types(none)
2018-07-27 01:49:33 +02:00
def SetConnectionType(NewConnectionType):
"""Returns None"""
raise NotImplementedError()
@staticmethod
2018-07-29 04:08:24 +02:00
@return_types(str)
2018-07-27 01:49:33 +02:00
def GetExternalIPAddress():
"""Returns (NewExternalIPAddress)"""
raise NotImplementedError()
@staticmethod
2018-07-29 04:08:24 +02:00
@return_types(str, str)
2018-07-27 01:49:33 +02:00
def GetConnectionTypeInfo():
"""Returns (NewConnectionType, NewPossibleConnectionTypes)"""
raise NotImplementedError()
@staticmethod
2018-07-29 04:08:24 +02:00
@return_types(str, str, int)
2018-07-27 01:49:33 +02:00
def GetStatusInfo():
"""Returns (NewConnectionStatus, NewLastConnectionError, NewUptime)"""
raise NotImplementedError()
@staticmethod
2018-07-29 04:08:24 +02:00
@return_types(none)
2018-07-27 01:49:33 +02:00
def ForceTermination():
"""Returns None"""
raise NotImplementedError()
@staticmethod
2018-07-29 04:08:24 +02:00
@return_types(none)
2018-07-27 01:49:33 +02:00
def DeletePortMapping(NewRemoteHost, NewExternalPort, NewProtocol):
"""Returns None"""
raise NotImplementedError()
@staticmethod
2018-07-29 04:08:24 +02:00
@return_types(none)
2018-07-27 01:49:33 +02:00
def RequestConnection():
"""Returns None"""
raise NotImplementedError()
2018-07-29 04:08:24 +02:00
@staticmethod
def GetCommonLinkProperties():
"""Returns (NewWANAccessType, NewLayer1UpstreamMaxBitRate, NewLayer1DownstreamMaxBitRate, NewPhysicalLinkStatus)"""
raise NotImplementedError()
@staticmethod
def GetTotalBytesSent():
"""Returns (NewTotalBytesSent)"""
raise NotImplementedError()
@staticmethod
def GetTotalBytesReceived():
"""Returns (NewTotalBytesReceived)"""
raise NotImplementedError()
@staticmethod
def GetTotalPacketsSent():
"""Returns (NewTotalPacketsSent)"""
raise NotImplementedError()
@staticmethod
def GetTotalPacketsReceived():
"""Returns (NewTotalPacketsReceived)"""
raise NotImplementedError()
@staticmethod
def X_GetICSStatistics():
"""Returns (TotalBytesSent, TotalBytesReceived, TotalPacketsSent, TotalPacketsReceived, Layer1DownstreamMaxBitRate, Uptime)"""
raise NotImplementedError()
@staticmethod
def GetDefaultConnectionService():
"""Returns (NewDefaultConnectionService)"""
raise NotImplementedError()
@staticmethod
def SetDefaultConnectionService(NewDefaultConnectionService):
"""Returns (None)"""
raise NotImplementedError()