You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
 
 
 

1342 lines
48 KiB

  1. # Copyright (c) 2001 Zope Corporation and Contributors. All Rights Reserved.
  2. #
  3. # This software is subject to the provisions of the Zope Public License,
  4. # Version 2.0 (ZPL). A copy of the ZPL should accompany this distribution.
  5. # THIS SOFTWARE IS PROVIDED "AS IS" AND ANY AND ALL EXPRESS OR IMPLIED
  6. # WARRANTIES ARE DISCLAIMED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
  7. # WARRANTIES OF TITLE, MERCHANTABILITY, AGAINST INFRINGEMENT, AND FITNESS
  8. # FOR A PARTICULAR PURPOSE.
  9. ident = "$Id$"
  10. from Utility import DOM, Collection, CollectionNS
  11. from XMLSchema import XMLSchema, SchemaReader, WSDLToolsAdapter
  12. from Namespaces import WSR, WSA
  13. from StringIO import StringIO
  14. import urllib
  15. class WSDLReader:
  16. """A WSDLReader creates WSDL instances from urls and xml data."""
  17. # Custom subclasses of WSDLReader may wish to implement a caching
  18. # strategy or other optimizations. Because application needs vary
  19. # so widely, we don't try to provide any caching by default.
  20. def loadFromStream(self, stream, name=None):
  21. """Return a WSDL instance loaded from a stream object."""
  22. document = DOM.loadDocument(stream)
  23. wsdl = WSDL()
  24. if name:
  25. wsdl.location = name
  26. elif hasattr(stream, 'name'):
  27. wsdl.location = stream.name
  28. wsdl.load(document)
  29. return wsdl
  30. def loadFromURL(self, url):
  31. """Return a WSDL instance loaded from the given url."""
  32. document = DOM.loadFromURL(url)
  33. wsdl = WSDL()
  34. wsdl.location = url
  35. wsdl.load(document)
  36. return wsdl
  37. def loadFromString(self, data):
  38. """Return a WSDL instance loaded from an xml string."""
  39. return self.loadFromStream(StringIO(data))
  40. def loadFromFile(self, filename):
  41. """Return a WSDL instance loaded from the given file."""
  42. file = open(filename, 'rb')
  43. try:
  44. wsdl = self.loadFromStream(file)
  45. finally:
  46. file.close()
  47. return wsdl
  48. class WSDL:
  49. """A WSDL object models a WSDL service description. WSDL objects
  50. may be created manually or loaded from an xml representation
  51. using a WSDLReader instance."""
  52. def __init__(self, targetNamespace=None, strict=1):
  53. self.targetNamespace = targetNamespace or 'urn:this-document.wsdl'
  54. self.documentation = ''
  55. self.location = None
  56. self.document = None
  57. self.name = None
  58. self.services = CollectionNS(self)
  59. self.messages = CollectionNS(self)
  60. self.portTypes = CollectionNS(self)
  61. self.bindings = CollectionNS(self)
  62. #self.imports = Collection(self)
  63. self.types = Types(self)
  64. self.extensions = []
  65. self.strict = strict
  66. def __del__(self):
  67. if self.document is not None:
  68. self.document.unlink()
  69. version = '1.1'
  70. def addService(self, name, documentation='', targetNamespace=None):
  71. if self.services.has_key(name):
  72. raise WSDLError(
  73. 'Duplicate service element: %s' % name
  74. )
  75. item = Service(name, documentation)
  76. if targetNamespace:
  77. item.targetNamespace = targetNamespace
  78. self.services[name] = item
  79. return item
  80. def addMessage(self, name, documentation='', targetNamespace=None):
  81. if self.messages.has_key(name):
  82. raise WSDLError(
  83. 'Duplicate message element: %s.' % name
  84. )
  85. item = Message(name, documentation)
  86. if targetNamespace:
  87. item.targetNamespace = targetNamespace
  88. self.messages[name] = item
  89. return item
  90. def addPortType(self, name, documentation='', targetNamespace=None):
  91. if self.portTypes.has_key(name):
  92. raise WSDLError(
  93. 'Duplicate portType element: name'
  94. )
  95. item = PortType(name, documentation)
  96. if targetNamespace:
  97. item.targetNamespace = targetNamespace
  98. self.portTypes[name] = item
  99. return item
  100. def addBinding(self, name, type, documentation='', targetNamespace=None):
  101. if self.bindings.has_key(name):
  102. raise WSDLError(
  103. 'Duplicate binding element: %s' % name
  104. )
  105. item = Binding(name, type, documentation)
  106. if targetNamespace:
  107. item.targetNamespace = targetNamespace
  108. self.bindings[name] = item
  109. return item
  110. #def addImport(self, namespace, location):
  111. # item = ImportElement(namespace, location)
  112. # self.imports[namespace] = item
  113. # return item
  114. def load(self, document):
  115. # We save a reference to the DOM document to ensure that elements
  116. # saved as "extensions" will continue to have a meaningful context
  117. # for things like namespace references. The lifetime of the DOM
  118. # document is bound to the lifetime of the WSDL instance.
  119. self.document = document
  120. definitions = DOM.getElement(document, 'definitions', None, None)
  121. if definitions is None:
  122. raise WSDLError(
  123. 'Missing <definitions> element.'
  124. )
  125. self.version = DOM.WSDLUriToVersion(definitions.namespaceURI)
  126. NS_WSDL = DOM.GetWSDLUri(self.version)
  127. self.targetNamespace = DOM.getAttr(definitions, 'targetNamespace',
  128. None, None)
  129. self.name = DOM.getAttr(definitions, 'name', None, None)
  130. self.documentation = GetDocumentation(definitions)
  131. # Resolve (recursively) any import elements in the document.
  132. imported = {}
  133. base_location = self.location
  134. while 1:
  135. #XXX
  136. imports = []
  137. for element in DOM.getElements(definitions, 'import', NS_WSDL):
  138. location = DOM.getAttr(element, 'location')
  139. # Resolve relative location, and save
  140. location = urllib.basejoin(base_location, location)
  141. if not imported.has_key(location):
  142. imports.append(element)
  143. if not imports:
  144. break
  145. for element in imports:
  146. location = DOM.getAttr(element, 'location')
  147. self._import(document, element, base_location)
  148. location = urllib.basejoin(base_location, location)
  149. imported[location] = 1
  150. base_location = ''
  151. #reader = SchemaReader(base_url=self.location)
  152. for element in DOM.getElements(definitions, None, None):
  153. targetNamespace = DOM.getAttr(element, 'targetNamespace')
  154. localName = element.localName
  155. if not DOM.nsUriMatch(element.namespaceURI, NS_WSDL):
  156. if localName == 'schema':
  157. reader = SchemaReader(base_url=self.location)
  158. schema = reader.loadFromNode(WSDLToolsAdapter(self), element)
  159. schema.setBaseUrl(self.location)
  160. self.types.addSchema(schema)
  161. else:
  162. self.extensions.append(element)
  163. continue
  164. elif localName == 'message':
  165. name = DOM.getAttr(element, 'name')
  166. docs = GetDocumentation(element)
  167. message = self.addMessage(name, docs, targetNamespace)
  168. parts = DOM.getElements(element, 'part', NS_WSDL)
  169. message.load(parts)
  170. continue
  171. elif localName == 'portType':
  172. name = DOM.getAttr(element, 'name')
  173. docs = GetDocumentation(element)
  174. ptype = self.addPortType(name, docs, targetNamespace)
  175. #operations = DOM.getElements(element, 'operation', NS_WSDL)
  176. #ptype.load(operations)
  177. ptype.load(element)
  178. continue
  179. elif localName == 'binding':
  180. name = DOM.getAttr(element, 'name')
  181. type = DOM.getAttr(element, 'type', default=None)
  182. if type is None:
  183. raise WSDLError(
  184. 'Missing type attribute for binding %s.' % name
  185. )
  186. type = ParseQName(type, element)
  187. docs = GetDocumentation(element)
  188. binding = self.addBinding(name, type, docs, targetNamespace)
  189. operations = DOM.getElements(element, 'operation', NS_WSDL)
  190. binding.load(operations)
  191. binding.load_ex(GetExtensions(element))
  192. continue
  193. elif localName == 'service':
  194. name = DOM.getAttr(element, 'name')
  195. docs = GetDocumentation(element)
  196. service = self.addService(name, docs, targetNamespace)
  197. ports = DOM.getElements(element, 'port', NS_WSDL)
  198. service.load(ports)
  199. service.load_ex(GetExtensions(element))
  200. continue
  201. elif localName == 'types':
  202. self.types.documentation = GetDocumentation(element)
  203. base_location = DOM.getAttr(element, 'base-location')
  204. if base_location:
  205. element.removeAttribute('base-location')
  206. base_location = base_location or self.location
  207. reader = SchemaReader(base_url=base_location)
  208. for item in DOM.getElements(element, None, None):
  209. if item.localName == 'schema':
  210. schema = reader.loadFromNode(WSDLToolsAdapter(self), item)
  211. # XXX <types> could have been imported
  212. #schema.setBaseUrl(self.location)
  213. schema.setBaseUrl(base_location)
  214. self.types.addSchema(schema)
  215. else:
  216. self.types.addExtension(item)
  217. # XXX remove the attribute
  218. # element.removeAttribute('base-location')
  219. continue
  220. def _import(self, document, element, base_location=None):
  221. '''Algo take <import> element's children, clone them,
  222. and add them to the main document. Support for relative
  223. locations is a bit complicated. The orig document context
  224. is lost, so we need to store base location in DOM elements
  225. representing <types>, by creating a special temporary
  226. "base-location" attribute, and <import>, by resolving
  227. the relative "location" and storing it as "location".
  228. document -- document we are loading
  229. element -- DOM Element representing <import>
  230. base_location -- location of document from which this
  231. <import> was gleaned.
  232. '''
  233. namespace = DOM.getAttr(element, 'namespace', default=None)
  234. location = DOM.getAttr(element, 'location', default=None)
  235. if namespace is None or location is None:
  236. raise WSDLError(
  237. 'Invalid import element (missing namespace or location).'
  238. )
  239. if base_location:
  240. location = urllib.basejoin(base_location, location)
  241. element.setAttributeNS(None, 'location', location)
  242. #location = urllib.basejoin(self.location, location)
  243. #obimport = self.addImport(namespace, location)
  244. #obimport._loaded = 1
  245. importdoc = DOM.loadFromURL(location)
  246. try:
  247. if location.find('#') > -1:
  248. idref = location.split('#')[-1]
  249. imported = DOM.getElementById(importdoc, idref)
  250. else:
  251. imported = importdoc.documentElement
  252. if imported is None:
  253. raise WSDLError(
  254. 'Import target element not found for: %s' % location
  255. )
  256. imported_tns = DOM.findTargetNS(imported)
  257. if imported_tns != namespace:
  258. return
  259. if imported.localName == 'definitions':
  260. imported_nodes = imported.childNodes
  261. else:
  262. imported_nodes = [imported]
  263. parent = element.parentNode
  264. for node in imported_nodes:
  265. if node.nodeType != node.ELEMENT_NODE:
  266. continue
  267. child = DOM.importNode(document, node, 1)
  268. parent.appendChild(child)
  269. child.setAttribute('targetNamespace', namespace)
  270. attrsNS = imported._attrsNS
  271. for attrkey in attrsNS.keys():
  272. if attrkey[0] == DOM.NS_XMLNS:
  273. attr = attrsNS[attrkey].cloneNode(1)
  274. child.setAttributeNode(attr)
  275. #XXX Quick Hack, should be in WSDL Namespace.
  276. if child.localName == 'import':
  277. rlocation = child.getAttributeNS(None, 'location')
  278. alocation = urllib.basejoin(location, rlocation)
  279. child.setAttribute('location', alocation)
  280. elif child.localName == 'types':
  281. child.setAttribute('base-location', location)
  282. finally:
  283. importdoc.unlink()
  284. return location
  285. class Element:
  286. """A class that provides common functions for WSDL element classes."""
  287. def __init__(self, name=None, documentation=''):
  288. self.name = name
  289. self.documentation = documentation
  290. self.extensions = []
  291. def addExtension(self, item):
  292. self.extensions.append(item)
  293. class ImportElement(Element):
  294. def __init__(self, namespace, location):
  295. self.namespace = namespace
  296. self.location = location
  297. _loaded = None
  298. class Types(Collection):
  299. default = lambda self,k: k.targetNamespace
  300. def __init__(self, parent):
  301. Collection.__init__(self, parent)
  302. self.documentation = ''
  303. self.extensions = []
  304. def addSchema(self, schema):
  305. name = schema.targetNamespace
  306. self[name] = schema
  307. return schema
  308. def addExtension(self, item):
  309. self.extensions.append(item)
  310. class Message(Element):
  311. def __init__(self, name, documentation=''):
  312. Element.__init__(self, name, documentation)
  313. self.parts = Collection(self)
  314. def addPart(self, name, type=None, element=None):
  315. if self.parts.has_key(name):
  316. raise WSDLError(
  317. 'Duplicate message part element: %s' % name
  318. )
  319. if type is None and element is None:
  320. raise WSDLError(
  321. 'Missing type or element attribute for part: %s' % name
  322. )
  323. item = MessagePart(name)
  324. item.element = element
  325. item.type = type
  326. self.parts[name] = item
  327. return item
  328. def load(self, elements):
  329. for element in elements:
  330. name = DOM.getAttr(element, 'name')
  331. part = MessagePart(name)
  332. self.parts[name] = part
  333. elemref = DOM.getAttr(element, 'element', default=None)
  334. typeref = DOM.getAttr(element, 'type', default=None)
  335. if typeref is None and elemref is None:
  336. raise WSDLError(
  337. 'No type or element attribute for part: %s' % name
  338. )
  339. if typeref is not None:
  340. part.type = ParseTypeRef(typeref, element)
  341. if elemref is not None:
  342. part.element = ParseTypeRef(elemref, element)
  343. class MessagePart(Element):
  344. def __init__(self, name):
  345. Element.__init__(self, name, '')
  346. self.element = None
  347. self.type = None
  348. def getWSDL(self):
  349. """Return the WSDL object that contains this Message Part."""
  350. return self.parent().parent().parent().parent()
  351. def getTypeDefinition(self):
  352. wsdl = self.getWSDL()
  353. nsuri,name = self.type
  354. schema = wsdl.types.get(nsuri, {})
  355. return schema.get(name)
  356. def getElementDeclaration(self):
  357. wsdl = self.getWSDL()
  358. nsuri,name = self.element
  359. schema = wsdl.types.get(nsuri, {})
  360. return schema.get(name)
  361. class PortType(Element):
  362. '''PortType has a anyAttribute, thus must provide for an extensible
  363. mechanism for supporting such attributes. ResourceProperties is
  364. specified in WS-ResourceProperties. wsa:Action is specified in
  365. WS-Address.
  366. Instance Data:
  367. name -- name attribute
  368. resourceProperties -- optional. wsr:ResourceProperties attribute,
  369. value is a QName this is Parsed into a (namespaceURI, name)
  370. that represents a Global Element Declaration.
  371. operations
  372. '''
  373. def __init__(self, name, documentation=''):
  374. Element.__init__(self, name, documentation)
  375. self.operations = Collection(self)
  376. self.resourceProperties = None
  377. def getWSDL(self):
  378. return self.parent().parent()
  379. def getTargetNamespace(self):
  380. return self.targetNamespace or self.getWSDL().targetNamespace
  381. def getResourceProperties(self):
  382. return self.resourceProperties
  383. def addOperation(self, name, documentation='', parameterOrder=None):
  384. item = Operation(name, documentation, parameterOrder)
  385. self.operations[name] = item
  386. return item
  387. def load(self, element):
  388. self.name = DOM.getAttr(element, 'name')
  389. self.documentation = GetDocumentation(element)
  390. self.targetNamespace = DOM.getAttr(element, 'targetNamespace')
  391. print "PORTYPE TNS: ", self.targetNamespace
  392. if DOM.hasAttr(element, 'ResourceProperties', WSR.PROPERTIES):
  393. rpref = DOM.getAttr(element, 'ResourceProperties', WSR.PROPERTIES)
  394. self.resourceProperties = ParseQName(rpref, element)
  395. NS_WSDL = DOM.GetWSDLUri(self.getWSDL().version)
  396. elements = DOM.getElements(element, 'operation', NS_WSDL)
  397. for element in elements:
  398. name = DOM.getAttr(element, 'name')
  399. docs = GetDocumentation(element)
  400. param_order = DOM.getAttr(element, 'parameterOrder', default=None)
  401. if param_order is not None:
  402. param_order = param_order.split(' ')
  403. operation = self.addOperation(name, docs, param_order)
  404. item = DOM.getElement(element, 'input', None, None)
  405. if item is not None:
  406. name = DOM.getAttr(item, 'name')
  407. docs = GetDocumentation(item)
  408. msgref = DOM.getAttr(item, 'message')
  409. message = ParseQName(msgref, item)
  410. action = DOM.getAttr(item, 'Action', WSA.ADDRESS, None)
  411. operation.setInput(message, name, docs, action)
  412. item = DOM.getElement(element, 'output', None, None)
  413. if item is not None:
  414. name = DOM.getAttr(item, 'name')
  415. docs = GetDocumentation(item)
  416. msgref = DOM.getAttr(item, 'message')
  417. message = ParseQName(msgref, item)
  418. action = DOM.getAttr(item, 'Action', WSA.ADDRESS, None)
  419. operation.setOutput(message, name, docs, action)
  420. for item in DOM.getElements(element, 'fault', None):
  421. name = DOM.getAttr(item, 'name')
  422. docs = GetDocumentation(item)
  423. msgref = DOM.getAttr(item, 'message')
  424. message = ParseQName(msgref, item)
  425. action = DOM.getAttr(item, 'Action', WSA.ADDRESS, None)
  426. operation.addFault(message, name, docs, action)
  427. class Operation(Element):
  428. def __init__(self, name, documentation='', parameterOrder=None):
  429. Element.__init__(self, name, documentation)
  430. self.parameterOrder = parameterOrder
  431. self.faults = Collection(self)
  432. self.input = None
  433. self.output = None
  434. def getPortType(self):
  435. return self.parent().parent()
  436. def getInputAction(self):
  437. """wsa:Action attribute"""
  438. return GetWSAActionInput(self)
  439. def getInputMessage(self):
  440. if self.input is None:
  441. return None
  442. wsdl = self.getPortType().getWSDL()
  443. return wsdl.messages[self.input.message]
  444. def getOutputAction(self):
  445. """wsa:Action attribute"""
  446. return GetWSAActionOutput(self)
  447. def getOutputMessage(self):
  448. if self.output is None:
  449. return None
  450. wsdl = self.getPortType().getWSDL()
  451. return wsdl.messages[self.output.message]
  452. def getFaultAction(self, name):
  453. """wsa:Action attribute"""
  454. return GetWSAActionFault(self, name)
  455. def getFaultMessage(self, name):
  456. wsdl = self.getPortType().getWSDL()
  457. return wsdl.messages[self.faults[name].message]
  458. def addFault(self, message, name, documentation='', action=None):
  459. if self.faults.has_key(name):
  460. raise WSDLError(
  461. 'Duplicate fault element: %s' % name
  462. )
  463. item = MessageRole('fault', message, name, documentation, action)
  464. self.faults[name] = item
  465. return item
  466. def setInput(self, message, name='', documentation='', action=None):
  467. self.input = MessageRole('input', message, name, documentation, action)
  468. return self.input
  469. def setOutput(self, message, name='', documentation='', action=None):
  470. self.output = MessageRole('output', message, name, documentation, action)
  471. return self.output
  472. class MessageRole(Element):
  473. def __init__(self, type, message, name='', documentation='', action=None):
  474. Element.__init__(self, name, documentation)
  475. self.message = message
  476. self.type = type
  477. self.action = action
  478. class Binding(Element):
  479. def __init__(self, name, type, documentation=''):
  480. Element.__init__(self, name, documentation)
  481. self.operations = Collection(self)
  482. self.type = type
  483. def getWSDL(self):
  484. """Return the WSDL object that contains this binding."""
  485. return self.parent().parent()
  486. def getPortType(self):
  487. """Return the PortType object associated with this binding."""
  488. return self.getWSDL().portTypes[self.type]
  489. def findBinding(self, kind):
  490. for item in self.extensions:
  491. if isinstance(item, kind):
  492. return item
  493. return None
  494. def findBindings(self, kind):
  495. return [ item for item in self.extensions if isinstance(item, kind) ]
  496. def addOperationBinding(self, name, documentation=''):
  497. item = OperationBinding(name, documentation)
  498. self.operations[name] = item
  499. return item
  500. def load(self, elements):
  501. for element in elements:
  502. name = DOM.getAttr(element, 'name')
  503. docs = GetDocumentation(element)
  504. opbinding = self.addOperationBinding(name, docs)
  505. opbinding.load_ex(GetExtensions(element))
  506. item = DOM.getElement(element, 'input', None, None)
  507. if item is not None:
  508. mbinding = MessageRoleBinding('input')
  509. mbinding.documentation = GetDocumentation(item)
  510. opbinding.input = mbinding
  511. mbinding.load_ex(GetExtensions(item))
  512. item = DOM.getElement(element, 'output', None, None)
  513. if item is not None:
  514. mbinding = MessageRoleBinding('output')
  515. mbinding.documentation = GetDocumentation(item)
  516. opbinding.output = mbinding
  517. mbinding.load_ex(GetExtensions(item))
  518. for item in DOM.getElements(element, 'fault', None):
  519. name = DOM.getAttr(item, 'name')
  520. mbinding = MessageRoleBinding('fault', name)
  521. mbinding.documentation = GetDocumentation(item)
  522. opbinding.faults[name] = mbinding
  523. mbinding.load_ex(GetExtensions(item))
  524. def load_ex(self, elements):
  525. for e in elements:
  526. ns, name = e.namespaceURI, e.localName
  527. if ns in DOM.NS_SOAP_BINDING_ALL and name == 'binding':
  528. transport = DOM.getAttr(e, 'transport', default=None)
  529. style = DOM.getAttr(e, 'style', default='document')
  530. ob = SoapBinding(transport, style)
  531. self.addExtension(ob)
  532. continue
  533. elif ns in DOM.NS_HTTP_BINDING_ALL and name == 'binding':
  534. verb = DOM.getAttr(e, 'verb')
  535. ob = HttpBinding(verb)
  536. self.addExtension(ob)
  537. continue
  538. else:
  539. self.addExtension(e)
  540. class OperationBinding(Element):
  541. def __init__(self, name, documentation=''):
  542. Element.__init__(self, name, documentation)
  543. self.input = None
  544. self.output = None
  545. self.faults = Collection(self)
  546. def getBinding(self):
  547. """Return the parent Binding object of the operation binding."""
  548. return self.parent().parent()
  549. def getOperation(self):
  550. """Return the abstract Operation associated with this binding."""
  551. return self.getBinding().getPortType().operations[self.name]
  552. def findBinding(self, kind):
  553. for item in self.extensions:
  554. if isinstance(item, kind):
  555. return item
  556. return None
  557. def findBindings(self, kind):
  558. return [ item for item in self.extensions if isinstance(item, kind) ]
  559. def addInputBinding(self, binding):
  560. if self.input is None:
  561. self.input = MessageRoleBinding('input')
  562. self.input.addExtension(binding)
  563. return binding
  564. def addOutputBinding(self, binding):
  565. if self.output is None:
  566. self.output = MessageRoleBinding('output')
  567. self.output.addExtension(binding)
  568. return binding
  569. def addFaultBinding(self, name, binding):
  570. fault = self.get(name, None)
  571. if fault is None:
  572. fault = MessageRoleBinding('fault', name)
  573. fault.addExtension(binding)
  574. return binding
  575. def load_ex(self, elements):
  576. for e in elements:
  577. ns, name = e.namespaceURI, e.localName
  578. if ns in DOM.NS_SOAP_BINDING_ALL and name == 'operation':
  579. soapaction = DOM.getAttr(e, 'soapAction', default=None)
  580. style = DOM.getAttr(e, 'style', default=None)
  581. ob = SoapOperationBinding(soapaction, style)
  582. self.addExtension(ob)
  583. continue
  584. elif ns in DOM.NS_HTTP_BINDING_ALL and name == 'operation':
  585. location = DOM.getAttr(e, 'location')
  586. ob = HttpOperationBinding(location)
  587. self.addExtension(ob)
  588. continue
  589. else:
  590. self.addExtension(e)
  591. class MessageRoleBinding(Element):
  592. def __init__(self, type, name='', documentation=''):
  593. Element.__init__(self, name, documentation)
  594. self.type = type
  595. def findBinding(self, kind):
  596. for item in self.extensions:
  597. if isinstance(item, kind):
  598. return item
  599. return None
  600. def findBindings(self, kind):
  601. return [ item for item in self.extensions if isinstance(item, kind) ]
  602. def load_ex(self, elements):
  603. for e in elements:
  604. ns, name = e.namespaceURI, e.localName
  605. if ns in DOM.NS_SOAP_BINDING_ALL and name == 'body':
  606. encstyle = DOM.getAttr(e, 'encodingStyle', default=None)
  607. namespace = DOM.getAttr(e, 'namespace', default=None)
  608. parts = DOM.getAttr(e, 'parts', default=None)
  609. use = DOM.getAttr(e, 'use', default=None)
  610. if use is None:
  611. raise WSDLError(
  612. 'Invalid soap:body binding element.'
  613. )
  614. ob = SoapBodyBinding(use, namespace, encstyle, parts)
  615. self.addExtension(ob)
  616. continue
  617. elif ns in DOM.NS_SOAP_BINDING_ALL and name == 'fault':
  618. encstyle = DOM.getAttr(e, 'encodingStyle', default=None)
  619. namespace = DOM.getAttr(e, 'namespace', default=None)
  620. name = DOM.getAttr(e, 'name', default=None)
  621. use = DOM.getAttr(e, 'use', default=None)
  622. if use is None or name is None:
  623. raise WSDLError(
  624. 'Invalid soap:fault binding element.'
  625. )
  626. ob = SoapFaultBinding(name, use, namespace, encstyle)
  627. self.addExtension(ob)
  628. continue
  629. elif ns in DOM.NS_SOAP_BINDING_ALL and name in (
  630. 'header', 'headerfault'
  631. ):
  632. encstyle = DOM.getAttr(e, 'encodingStyle', default=None)
  633. namespace = DOM.getAttr(e, 'namespace', default=None)
  634. message = DOM.getAttr(e, 'message')
  635. part = DOM.getAttr(e, 'part')
  636. use = DOM.getAttr(e, 'use')
  637. if name == 'header':
  638. _class = SoapHeaderBinding
  639. else:
  640. _class = SoapHeaderFaultBinding
  641. message = ParseQName(message, e)
  642. ob = _class(message, part, use, namespace, encstyle)
  643. self.addExtension(ob)
  644. continue
  645. elif ns in DOM.NS_HTTP_BINDING_ALL and name == 'urlReplacement':
  646. ob = HttpUrlReplacementBinding()
  647. self.addExtension(ob)
  648. continue
  649. elif ns in DOM.NS_HTTP_BINDING_ALL and name == 'urlEncoded':
  650. ob = HttpUrlEncodedBinding()
  651. self.addExtension(ob)
  652. continue
  653. elif ns in DOM.NS_MIME_BINDING_ALL and name == 'multipartRelated':
  654. ob = MimeMultipartRelatedBinding()
  655. self.addExtension(ob)
  656. ob.load_ex(GetExtensions(e))
  657. continue
  658. elif ns in DOM.NS_MIME_BINDING_ALL and name == 'content':
  659. part = DOM.getAttr(e, 'part', default=None)
  660. type = DOM.getAttr(e, 'type', default=None)
  661. ob = MimeContentBinding(part, type)
  662. self.addExtension(ob)
  663. continue
  664. elif ns in DOM.NS_MIME_BINDING_ALL and name == 'mimeXml':
  665. part = DOM.getAttr(e, 'part', default=None)
  666. ob = MimeXmlBinding(part)
  667. self.addExtension(ob)
  668. continue
  669. else:
  670. self.addExtension(e)
  671. class Service(Element):
  672. def __init__(self, name, documentation=''):
  673. Element.__init__(self, name, documentation)
  674. self.ports = Collection(self)
  675. def getWSDL(self):
  676. return self.parent().parent()
  677. def addPort(self, name, binding, documentation=''):
  678. item = Port(name, binding, documentation)
  679. self.ports[name] = item
  680. return item
  681. def load(self, elements):
  682. for element in elements:
  683. name = DOM.getAttr(element, 'name', default=None)
  684. docs = GetDocumentation(element)
  685. binding = DOM.getAttr(element, 'binding', default=None)
  686. if name is None or binding is None:
  687. raise WSDLError(
  688. 'Invalid port element.'
  689. )
  690. binding = ParseQName(binding, element)
  691. port = self.addPort(name, binding, docs)
  692. port.load_ex(GetExtensions(element))
  693. def load_ex(self, elements):
  694. for e in elements:
  695. self.addExtension(e)
  696. class Port(Element):
  697. def __init__(self, name, binding, documentation=''):
  698. Element.__init__(self, name, documentation)
  699. self.binding = binding
  700. def getService(self):
  701. """Return the Service object associated with this port."""
  702. return self.parent().parent()
  703. def getBinding(self):
  704. """Return the Binding object that is referenced by this port."""
  705. wsdl = self.getService().getWSDL()
  706. return wsdl.bindings[self.binding]
  707. def getPortType(self):
  708. """Return the PortType object that is referenced by this port."""
  709. wsdl = self.getService().getWSDL()
  710. binding = wsdl.bindings[self.binding]
  711. return wsdl.portTypes[binding.type]
  712. def getAddressBinding(self):
  713. """A convenience method to obtain the extension element used
  714. as the address binding for the port, or None if undefined."""
  715. for item in self.extensions:
  716. if isinstance(item, SoapAddressBinding) or \
  717. isinstance(item, HttpAddressBinding):
  718. return item
  719. raise WSDLError(
  720. 'No address binding found in port.'
  721. )
  722. def load_ex(self, elements):
  723. for e in elements:
  724. ns, name = e.namespaceURI, e.localName
  725. if ns in DOM.NS_SOAP_BINDING_ALL and name == 'address':
  726. location = DOM.getAttr(e, 'location', default=None)
  727. ob = SoapAddressBinding(location)
  728. self.addExtension(ob)
  729. continue
  730. elif ns in DOM.NS_HTTP_BINDING_ALL and name == 'address':
  731. location = DOM.getAttr(e, 'location', default=None)
  732. ob = HttpAddressBinding(location)
  733. self.addExtension(ob)
  734. continue
  735. else:
  736. self.addExtension(e)
  737. class SoapBinding:
  738. def __init__(self, transport, style='rpc'):
  739. self.transport = transport
  740. self.style = style
  741. class SoapAddressBinding:
  742. def __init__(self, location):
  743. self.location = location
  744. class SoapOperationBinding:
  745. def __init__(self, soapAction=None, style=None):
  746. self.soapAction = soapAction
  747. self.style = style
  748. class SoapBodyBinding:
  749. def __init__(self, use, namespace=None, encodingStyle=None, parts=None):
  750. if not use in ('literal', 'encoded'):
  751. raise WSDLError(
  752. 'Invalid use attribute value: %s' % use
  753. )
  754. self.encodingStyle = encodingStyle
  755. self.namespace = namespace
  756. if type(parts) in (type(''), type(u'')):
  757. parts = parts.split()
  758. self.parts = parts
  759. self.use = use
  760. class SoapFaultBinding:
  761. def __init__(self, name, use, namespace=None, encodingStyle=None):
  762. if not use in ('literal', 'encoded'):
  763. raise WSDLError(
  764. 'Invalid use attribute value: %s' % use
  765. )
  766. self.encodingStyle = encodingStyle
  767. self.namespace = namespace
  768. self.name = name
  769. self.use = use
  770. class SoapHeaderBinding:
  771. def __init__(self, message, part, use, namespace=None, encodingStyle=None):
  772. if not use in ('literal', 'encoded'):
  773. raise WSDLError(
  774. 'Invalid use attribute value: %s' % use
  775. )
  776. self.encodingStyle = encodingStyle
  777. self.namespace = namespace
  778. self.message = message
  779. self.part = part
  780. self.use = use
  781. tagname = 'header'
  782. class SoapHeaderFaultBinding(SoapHeaderBinding):
  783. tagname = 'headerfault'
  784. class HttpBinding:
  785. def __init__(self, verb):
  786. self.verb = verb
  787. class HttpAddressBinding:
  788. def __init__(self, location):
  789. self.location = location
  790. class HttpOperationBinding:
  791. def __init__(self, location):
  792. self.location = location
  793. class HttpUrlReplacementBinding:
  794. pass
  795. class HttpUrlEncodedBinding:
  796. pass
  797. class MimeContentBinding:
  798. def __init__(self, part=None, type=None):
  799. self.part = part
  800. self.type = type
  801. class MimeXmlBinding:
  802. def __init__(self, part=None):
  803. self.part = part
  804. class MimeMultipartRelatedBinding:
  805. def __init__(self):
  806. self.parts = []
  807. def load_ex(self, elements):
  808. for e in elements:
  809. ns, name = e.namespaceURI, e.localName
  810. if ns in DOM.NS_MIME_BINDING_ALL and name == 'part':
  811. self.parts.append(MimePartBinding())
  812. continue
  813. class MimePartBinding:
  814. def __init__(self):
  815. self.items = []
  816. def load_ex(self, elements):
  817. for e in elements:
  818. ns, name = e.namespaceURI, e.localName
  819. if ns in DOM.NS_MIME_BINDING_ALL and name == 'content':
  820. part = DOM.getAttr(e, 'part', default=None)
  821. type = DOM.getAttr(e, 'type', default=None)
  822. ob = MimeContentBinding(part, type)
  823. self.items.append(ob)
  824. continue
  825. elif ns in DOM.NS_MIME_BINDING_ALL and name == 'mimeXml':
  826. part = DOM.getAttr(e, 'part', default=None)
  827. ob = MimeXmlBinding(part)
  828. self.items.append(ob)
  829. continue
  830. elif ns in DOM.NS_SOAP_BINDING_ALL and name == 'body':
  831. encstyle = DOM.getAttr(e, 'encodingStyle', default=None)
  832. namespace = DOM.getAttr(e, 'namespace', default=None)
  833. parts = DOM.getAttr(e, 'parts', default=None)
  834. use = DOM.getAttr(e, 'use', default=None)
  835. if use is None:
  836. raise WSDLError(
  837. 'Invalid soap:body binding element.'
  838. )
  839. ob = SoapBodyBinding(use, namespace, encstyle, parts)
  840. self.items.append(ob)
  841. continue
  842. class WSDLError(Exception):
  843. pass
  844. def DeclareNSPrefix(writer, prefix, nsuri):
  845. if writer.hasNSPrefix(nsuri):
  846. return
  847. writer.declareNSPrefix(prefix, nsuri)
  848. def ParseTypeRef(value, element):
  849. parts = value.split(':', 1)
  850. if len(parts) == 1:
  851. return (DOM.findTargetNS(element), value)
  852. nsuri = DOM.findNamespaceURI(parts[0], element)
  853. return (nsuri, parts[1])
  854. def ParseQName(value, element):
  855. nameref = value.split(':', 1)
  856. if len(nameref) == 2:
  857. nsuri = DOM.findNamespaceURI(nameref[0], element)
  858. name = nameref[-1]
  859. else:
  860. nsuri = DOM.findTargetNS(element)
  861. name = nameref[-1]
  862. return nsuri, name
  863. def GetDocumentation(element):
  864. docnode = DOM.getElement(element, 'documentation', None, None)
  865. if docnode is not None:
  866. return DOM.getElementText(docnode)
  867. return ''
  868. def GetExtensions(element):
  869. return [ item for item in DOM.getElements(element, None, None)
  870. if item.namespaceURI != DOM.NS_WSDL ]
  871. def GetWSAActionFault(operation, name):
  872. """Find wsa:Action attribute, and return value or WSA.FAULT
  873. for the default.
  874. """
  875. attr = operation.faults[name].action
  876. if attr is not None:
  877. return attr
  878. return WSA.FAULT
  879. def GetWSAActionInput(operation):
  880. """Find wsa:Action attribute, and return value or the default."""
  881. attr = operation.input.action
  882. if attr is not None:
  883. return attr
  884. portType = operation.getPortType()
  885. targetNamespace = portType.getTargetNamespace()
  886. ptName = portType.name
  887. msgName = operation.input.name
  888. if not msgName:
  889. msgName = operation.name + 'Request'
  890. if targetNamespace.endswith('/'):
  891. return '%s%s/%s' %(targetNamespace, ptName, msgName)
  892. return '%s/%s/%s' %(targetNamespace, ptName, msgName)
  893. def GetWSAActionOutput(operation):
  894. """Find wsa:Action attribute, and return value or the default."""
  895. attr = operation.output.action
  896. if attr is not None:
  897. return attr
  898. targetNamespace = operation.getPortType().getTargetNamespace()
  899. ptName = operation.getPortType().name
  900. msgName = operation.output.name
  901. if not msgName:
  902. msgName = operation.name + 'Response'
  903. if targetNamespace.endswith('/'):
  904. return '%s%s/%s' %(targetNamespace, ptName, msgName)
  905. return '%s/%s/%s' %(targetNamespace, ptName, msgName)
  906. def FindExtensions(object, kind, t_type=type(())):
  907. if isinstance(kind, t_type):
  908. result = []
  909. namespaceURI, name = kind
  910. return [ item for item in object.extensions
  911. if hasattr(item, 'nodeType') \
  912. and DOM.nsUriMatch(namespaceURI, item.namespaceURI) \
  913. and item.name == name ]
  914. return [ item for item in object.extensions if isinstance(item, kind) ]
  915. def FindExtension(object, kind, t_type=type(())):
  916. if isinstance(kind, t_type):
  917. namespaceURI, name = kind
  918. for item in object.extensions:
  919. if hasattr(item, 'nodeType') \
  920. and DOM.nsUriMatch(namespaceURI, item.namespaceURI) \
  921. and item.name == name:
  922. return item
  923. else:
  924. for item in object.extensions:
  925. if isinstance(item, kind):
  926. return item
  927. return None
  928. class SOAPCallInfo:
  929. """SOAPCallInfo captures the important binding information about a
  930. SOAP operation, in a structure that is easier to work with than
  931. raw WSDL structures."""
  932. def __init__(self, methodName):
  933. self.methodName = methodName
  934. self.inheaders = []
  935. self.outheaders = []
  936. self.inparams = []
  937. self.outparams = []
  938. self.retval = None
  939. encodingStyle = DOM.NS_SOAP_ENC
  940. documentation = ''
  941. soapAction = None
  942. transport = None
  943. namespace = None
  944. location = None
  945. use = 'encoded'
  946. style = 'rpc'
  947. def addInParameter(self, name, type, namespace=None, element_type=0):
  948. """Add an input parameter description to the call info."""
  949. parameter = ParameterInfo(name, type, namespace, element_type)
  950. self.inparams.append(parameter)
  951. return parameter
  952. def addOutParameter(self, name, type, namespace=None, element_type=0):
  953. """Add an output parameter description to the call info."""
  954. parameter = ParameterInfo(name, type, namespace, element_type)
  955. self.outparams.append(parameter)
  956. return parameter
  957. def setReturnParameter(self, name, type, namespace=None, element_type=0):
  958. """Set the return parameter description for the call info."""
  959. parameter = ParameterInfo(name, type, namespace, element_type)
  960. self.retval = parameter
  961. return parameter
  962. def addInHeaderInfo(self, name, type, namespace, element_type=0,
  963. mustUnderstand=0):
  964. """Add an input SOAP header description to the call info."""
  965. headerinfo = HeaderInfo(name, type, namespace, element_type)
  966. if mustUnderstand:
  967. headerinfo.mustUnderstand = 1
  968. self.inheaders.append(headerinfo)
  969. return headerinfo
  970. def addOutHeaderInfo(self, name, type, namespace, element_type=0,
  971. mustUnderstand=0):
  972. """Add an output SOAP header description to the call info."""
  973. headerinfo = HeaderInfo(name, type, namespace, element_type)
  974. if mustUnderstand:
  975. headerinfo.mustUnderstand = 1
  976. self.outheaders.append(headerinfo)
  977. return headerinfo
  978. def getInParameters(self):
  979. """Return a sequence of the in parameters of the method."""
  980. return self.inparams
  981. def getOutParameters(self):
  982. """Return a sequence of the out parameters of the method."""
  983. return self.outparams
  984. def getReturnParameter(self):
  985. """Return param info about the return value of the method."""
  986. return self.retval
  987. def getInHeaders(self):
  988. """Return a sequence of the in headers of the method."""
  989. return self.inheaders
  990. def getOutHeaders(self):
  991. """Return a sequence of the out headers of the method."""
  992. return self.outheaders
  993. class ParameterInfo:
  994. """A ParameterInfo object captures parameter binding information."""
  995. def __init__(self, name, type, namespace=None, element_type=0):
  996. if element_type:
  997. self.element_type = 1
  998. if namespace is not None:
  999. self.namespace = namespace
  1000. self.name = name
  1001. self.type = type
  1002. element_type = 0
  1003. namespace = None
  1004. default = None
  1005. class HeaderInfo(ParameterInfo):
  1006. """A HeaderInfo object captures SOAP header binding information."""
  1007. def __init__(self, name, type, namespace, element_type=None):
  1008. ParameterInfo.__init__(self, name, type, namespace, element_type)
  1009. mustUnderstand = 0
  1010. actor = None
  1011. def callInfoFromWSDL(port, name):
  1012. """Return a SOAPCallInfo given a WSDL port and operation name."""
  1013. wsdl = port.getService().getWSDL()
  1014. binding = port.getBinding()
  1015. portType = binding.getPortType()
  1016. operation = portType.operations[name]
  1017. opbinding = binding.operations[name]
  1018. messages = wsdl.messages
  1019. callinfo = SOAPCallInfo(name)
  1020. addrbinding = port.getAddressBinding()
  1021. if not isinstance(addrbinding, SoapAddressBinding):
  1022. raise ValueError, 'Unsupported binding type.'
  1023. callinfo.location = addrbinding.location
  1024. soapbinding = binding.findBinding(SoapBinding)
  1025. if soapbinding is None:
  1026. raise ValueError, 'Missing soap:binding element.'
  1027. callinfo.transport = soapbinding.transport
  1028. callinfo.style = soapbinding.style or 'document'
  1029. soap_op_binding = opbinding.findBinding(SoapOperationBinding)
  1030. if soap_op_binding is not None:
  1031. callinfo.soapAction = soap_op_binding.soapAction
  1032. callinfo.style = soap_op_binding.style or callinfo.style
  1033. parameterOrder = operation.parameterOrder
  1034. if operation.input is not None:
  1035. message = messages[operation.input.message]
  1036. msgrole = opbinding.input
  1037. mime = msgrole.findBinding(MimeMultipartRelatedBinding)
  1038. if mime is not None:
  1039. raise ValueError, 'Mime bindings are not supported.'
  1040. else:
  1041. for item in msgrole.findBindings(SoapHeaderBinding):
  1042. part = messages[item.message].parts[item.part]
  1043. header = callinfo.addInHeaderInfo(
  1044. part.name,
  1045. part.element or part.type,
  1046. item.namespace,
  1047. element_type = part.element and 1 or 0
  1048. )
  1049. header.encodingStyle = item.encodingStyle
  1050. body = msgrole.findBinding(SoapBodyBinding)
  1051. if body is None:
  1052. raise ValueError, 'Missing soap:body binding.'
  1053. callinfo.encodingStyle = body.encodingStyle
  1054. callinfo.namespace = body.namespace
  1055. callinfo.use = body.use
  1056. if body.parts is not None:
  1057. parts = []
  1058. for name in body.parts:
  1059. parts.append(message.parts[name])
  1060. else:
  1061. parts = message.parts.values()
  1062. for part in parts:
  1063. callinfo.addInParameter(
  1064. part.name,
  1065. part.element or part.type,
  1066. element_type = part.element and 1 or 0
  1067. )
  1068. if operation.output is not None:
  1069. try:
  1070. message = messages[operation.output.message]
  1071. except KeyError:
  1072. if self.strict:
  1073. raise RuntimeError(
  1074. "Recieved message not defined in the WSDL schema: %s" %
  1075. operation.output.message)
  1076. else:
  1077. message = wsdl.addMessage(operation.output.message)
  1078. print "Warning:", \
  1079. "Recieved message not defined in the WSDL schema.", \
  1080. "Adding it."
  1081. print "Message:", operation.output.message
  1082. msgrole = opbinding.output
  1083. mime = msgrole.findBinding(MimeMultipartRelatedBinding)
  1084. if mime is not None:
  1085. raise ValueError, 'Mime bindings are not supported.'
  1086. else:
  1087. for item in msgrole.findBindings(SoapHeaderBinding):
  1088. part = messages[item.message].parts[item.part]
  1089. header = callinfo.addOutHeaderInfo(
  1090. part.name,
  1091. part.element or part.type,
  1092. item.namespace,
  1093. element_type = part.element and 1 or 0
  1094. )
  1095. header.encodingStyle = item.encodingStyle
  1096. body = msgrole.findBinding(SoapBodyBinding)
  1097. if body is None:
  1098. raise ValueError, 'Missing soap:body binding.'
  1099. callinfo.encodingStyle = body.encodingStyle
  1100. callinfo.namespace = body.namespace
  1101. callinfo.use = body.use
  1102. if body.parts is not None:
  1103. parts = []
  1104. for name in body.parts:
  1105. parts.append(message.parts[name])
  1106. else:
  1107. parts = message.parts.values()
  1108. if parts:
  1109. # XXX no idea what this is for, but it breaks everything. jrb
  1110. #callinfo.setReturnParameter(
  1111. # parts[0].name,
  1112. # parts[0].element or parts[0].type,
  1113. # element_type = parts[0].element and 1 or 0
  1114. # )
  1115. #for part in parts[1:]:
  1116. for part in parts:
  1117. callinfo.addOutParameter(
  1118. part.name,
  1119. part.element or part.type,
  1120. element_type = part.element and 1 or 0
  1121. )
  1122. return callinfo