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.
 
 
 

3098 lines
107 KiB

  1. # Copyright (c) 2003, The Regents of the University of California,
  2. # through Lawrence Berkeley National Laboratory (subject to receipt of
  3. # any required approvals from the U.S. Dept. of Energy). All rights
  4. # reserved.
  5. #
  6. # Copyright (c) 2001 Zope Corporation and Contributors. All Rights Reserved.
  7. #
  8. # This software is subject to the provisions of the Zope Public License,
  9. # Version 2.0 (ZPL). A copy of the ZPL should accompany this distribution.
  10. # THIS SOFTWARE IS PROVIDED "AS IS" AND ANY AND ALL EXPRESS OR IMPLIED
  11. # WARRANTIES ARE DISCLAIMED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
  12. # WARRANTIES OF TITLE, MERCHANTABILITY, AGAINST INFRINGEMENT, AND FITNESS
  13. # FOR A PARTICULAR PURPOSE.
  14. ident = "$Id$"
  15. import types, weakref, sys, warnings
  16. from Namespaces import SCHEMA, XMLNS, SOAP
  17. from Utility import DOM, DOMException, Collection, SplitQName, basejoin
  18. from StringIO import StringIO
  19. # If we have no threading, this should be a no-op
  20. try:
  21. from threading import RLock
  22. except ImportError:
  23. class RLock:
  24. def acquire():
  25. pass
  26. def release():
  27. pass
  28. #
  29. # Collections in XMLSchema class
  30. #
  31. TYPES = 'types'
  32. ATTRIBUTE_GROUPS = 'attr_groups'
  33. ATTRIBUTES = 'attr_decl'
  34. ELEMENTS = 'elements'
  35. MODEL_GROUPS = 'model_groups'
  36. BUILT_IN_NAMESPACES = [SOAP.ENC,] + SCHEMA.XSD_LIST
  37. def GetSchema(component):
  38. """convience function for finding the parent XMLSchema instance.
  39. """
  40. parent = component
  41. while not isinstance(parent, XMLSchema):
  42. parent = parent._parent()
  43. return parent
  44. class SchemaReader:
  45. """A SchemaReader creates XMLSchema objects from urls and xml data.
  46. """
  47. namespaceToSchema = {}
  48. def __init__(self, domReader=None, base_url=None):
  49. """domReader -- class must implement DOMAdapterInterface
  50. base_url -- base url string
  51. """
  52. self.__base_url = base_url
  53. self.__readerClass = domReader
  54. if not self.__readerClass:
  55. self.__readerClass = DOMAdapter
  56. self._includes = {}
  57. self._imports = {}
  58. def __setImports(self, schema):
  59. """Add dictionary of imports to schema instance.
  60. schema -- XMLSchema instance
  61. """
  62. for ns,val in schema.imports.items():
  63. if self._imports.has_key(ns):
  64. schema.addImportSchema(self._imports[ns])
  65. def __setIncludes(self, schema):
  66. """Add dictionary of includes to schema instance.
  67. schema -- XMLSchema instance
  68. """
  69. for schemaLocation, val in schema.includes.items():
  70. if self._includes.has_key(schemaLocation):
  71. schema.addIncludeSchema(schemaLocation, self._imports[schemaLocation])
  72. def addSchemaByLocation(self, location, schema):
  73. """provide reader with schema document for a location.
  74. """
  75. self._includes[location] = schema
  76. def addSchemaByNamespace(self, schema):
  77. """provide reader with schema document for a targetNamespace.
  78. """
  79. self._imports[schema.targetNamespace] = schema
  80. def loadFromNode(self, parent, element):
  81. """element -- DOM node or document
  82. parent -- WSDLAdapter instance
  83. """
  84. reader = self.__readerClass(element)
  85. schema = XMLSchema(parent)
  86. #HACK to keep a reference
  87. schema.wsdl = parent
  88. schema.setBaseUrl(self.__base_url)
  89. schema.load(reader)
  90. return schema
  91. def loadFromStream(self, file, url=None):
  92. """Return an XMLSchema instance loaded from a file object.
  93. file -- file object
  94. url -- base location for resolving imports/includes.
  95. """
  96. reader = self.__readerClass()
  97. reader.loadDocument(file)
  98. schema = XMLSchema()
  99. if url is not None:
  100. schema.setBaseUrl(url)
  101. schema.load(reader)
  102. self.__setIncludes(schema)
  103. self.__setImports(schema)
  104. return schema
  105. def loadFromString(self, data):
  106. """Return an XMLSchema instance loaded from an XML string.
  107. data -- XML string
  108. """
  109. return self.loadFromStream(StringIO(data))
  110. def loadFromURL(self, url, schema=None):
  111. """Return an XMLSchema instance loaded from the given url.
  112. url -- URL to dereference
  113. schema -- Optional XMLSchema instance.
  114. """
  115. reader = self.__readerClass()
  116. if self.__base_url:
  117. url = basejoin(self.__base_url,url)
  118. reader.loadFromURL(url)
  119. schema = schema or XMLSchema()
  120. schema.setBaseUrl(url)
  121. schema.load(reader)
  122. self.__setIncludes(schema)
  123. self.__setImports(schema)
  124. return schema
  125. def loadFromFile(self, filename):
  126. """Return an XMLSchema instance loaded from the given file.
  127. filename -- name of file to open
  128. """
  129. if self.__base_url:
  130. filename = basejoin(self.__base_url,filename)
  131. file = open(filename, 'rb')
  132. try:
  133. schema = self.loadFromStream(file, filename)
  134. finally:
  135. file.close()
  136. return schema
  137. class SchemaError(Exception):
  138. pass
  139. ###########################
  140. # DOM Utility Adapters
  141. ##########################
  142. class DOMAdapterInterface:
  143. def hasattr(self, attr, ns=None):
  144. """return true if node has attribute
  145. attr -- attribute to check for
  146. ns -- namespace of attribute, by default None
  147. """
  148. raise NotImplementedError, 'adapter method not implemented'
  149. def getContentList(self, *contents):
  150. """returns an ordered list of child nodes
  151. *contents -- list of node names to return
  152. """
  153. raise NotImplementedError, 'adapter method not implemented'
  154. def setAttributeDictionary(self, attributes):
  155. """set attribute dictionary
  156. """
  157. raise NotImplementedError, 'adapter method not implemented'
  158. def getAttributeDictionary(self):
  159. """returns a dict of node's attributes
  160. """
  161. raise NotImplementedError, 'adapter method not implemented'
  162. def getNamespace(self, prefix):
  163. """returns namespace referenced by prefix.
  164. """
  165. raise NotImplementedError, 'adapter method not implemented'
  166. def getTagName(self):
  167. """returns tagName of node
  168. """
  169. raise NotImplementedError, 'adapter method not implemented'
  170. def getParentNode(self):
  171. """returns parent element in DOMAdapter or None
  172. """
  173. raise NotImplementedError, 'adapter method not implemented'
  174. def loadDocument(self, file):
  175. """load a Document from a file object
  176. file --
  177. """
  178. raise NotImplementedError, 'adapter method not implemented'
  179. def loadFromURL(self, url):
  180. """load a Document from an url
  181. url -- URL to dereference
  182. """
  183. raise NotImplementedError, 'adapter method not implemented'
  184. class DOMAdapter(DOMAdapterInterface):
  185. """Adapter for ZSI.Utility.DOM
  186. """
  187. def __init__(self, node=None):
  188. """Reset all instance variables.
  189. element -- DOM document, node, or None
  190. """
  191. if hasattr(node, 'documentElement'):
  192. self.__node = node.documentElement
  193. else:
  194. self.__node = node
  195. self.__attributes = None
  196. def getNode(self):
  197. return self.__node
  198. def hasattr(self, attr, ns=None):
  199. """attr -- attribute
  200. ns -- optional namespace, None means unprefixed attribute.
  201. """
  202. if not self.__attributes:
  203. self.setAttributeDictionary()
  204. if ns:
  205. return self.__attributes.get(ns,{}).has_key(attr)
  206. return self.__attributes.has_key(attr)
  207. def getContentList(self, *contents):
  208. nodes = []
  209. ELEMENT_NODE = self.__node.ELEMENT_NODE
  210. for child in DOM.getElements(self.__node, None):
  211. if child.nodeType == ELEMENT_NODE and\
  212. SplitQName(child.tagName)[1] in contents:
  213. nodes.append(child)
  214. return map(self.__class__, nodes)
  215. def setAttributeDictionary(self):
  216. self.__attributes = {}
  217. for v in self.__node._attrs.values():
  218. self.__attributes[v.nodeName] = v.nodeValue
  219. def getAttributeDictionary(self):
  220. if not self.__attributes:
  221. self.setAttributeDictionary()
  222. return self.__attributes
  223. def getTagName(self):
  224. return self.__node.tagName
  225. def getParentNode(self):
  226. if self.__node.parentNode.nodeType == self.__node.ELEMENT_NODE:
  227. return DOMAdapter(self.__node.parentNode)
  228. return None
  229. def getNamespace(self, prefix):
  230. """prefix -- deference namespace prefix in node's context.
  231. Ascends parent nodes until found.
  232. """
  233. namespace = None
  234. if prefix == 'xmlns':
  235. namespace = DOM.findDefaultNS(prefix, self.__node)
  236. else:
  237. try:
  238. namespace = DOM.findNamespaceURI(prefix, self.__node)
  239. except DOMException, ex:
  240. if prefix != 'xml':
  241. raise SchemaError, '%s namespace not declared for %s'\
  242. %(prefix, self.__node._get_tagName())
  243. namespace = XMLNS.XML
  244. return namespace
  245. def loadDocument(self, file):
  246. self.__node = DOM.loadDocument(file)
  247. if hasattr(self.__node, 'documentElement'):
  248. self.__node = self.__node.documentElement
  249. def loadFromURL(self, url):
  250. self.__node = DOM.loadFromURL(url)
  251. if hasattr(self.__node, 'documentElement'):
  252. self.__node = self.__node.documentElement
  253. class XMLBase:
  254. """ These class variables are for string indentation.
  255. """
  256. tag = None
  257. __indent = 0
  258. __rlock = RLock()
  259. def __str__(self):
  260. XMLBase.__rlock.acquire()
  261. XMLBase.__indent += 1
  262. tmp = "<" + str(self.__class__) + '>\n'
  263. for k,v in self.__dict__.items():
  264. tmp += "%s* %s = %s\n" %(XMLBase.__indent*' ', k, v)
  265. XMLBase.__indent -= 1
  266. XMLBase.__rlock.release()
  267. return tmp
  268. """Marker Interface: can determine something about an instances properties by using
  269. the provided convenience functions.
  270. """
  271. class DefinitionMarker:
  272. """marker for definitions
  273. """
  274. pass
  275. class DeclarationMarker:
  276. """marker for declarations
  277. """
  278. pass
  279. class AttributeMarker:
  280. """marker for attributes
  281. """
  282. pass
  283. class AttributeGroupMarker:
  284. """marker for attribute groups
  285. """
  286. pass
  287. class WildCardMarker:
  288. """marker for wildcards
  289. """
  290. pass
  291. class ElementMarker:
  292. """marker for wildcards
  293. """
  294. pass
  295. class ReferenceMarker:
  296. """marker for references
  297. """
  298. pass
  299. class ModelGroupMarker:
  300. """marker for model groups
  301. """
  302. pass
  303. class AllMarker(ModelGroupMarker):
  304. """marker for all model group
  305. """
  306. pass
  307. class ChoiceMarker(ModelGroupMarker):
  308. """marker for choice model group
  309. """
  310. pass
  311. class SequenceMarker(ModelGroupMarker):
  312. """marker for sequence model group
  313. """
  314. pass
  315. class ExtensionMarker:
  316. """marker for extensions
  317. """
  318. pass
  319. class RestrictionMarker:
  320. """marker for restrictions
  321. """
  322. facets = ['enumeration', 'length', 'maxExclusive', 'maxInclusive',\
  323. 'maxLength', 'minExclusive', 'minInclusive', 'minLength',\
  324. 'pattern', 'fractionDigits', 'totalDigits', 'whiteSpace']
  325. class SimpleMarker:
  326. """marker for simple type information
  327. """
  328. pass
  329. class ListMarker:
  330. """marker for simple type list
  331. """
  332. pass
  333. class UnionMarker:
  334. """marker for simple type Union
  335. """
  336. pass
  337. class ComplexMarker:
  338. """marker for complex type information
  339. """
  340. pass
  341. class LocalMarker:
  342. """marker for complex type information
  343. """
  344. pass
  345. class MarkerInterface:
  346. def isDefinition(self):
  347. return isinstance(self, DefinitionMarker)
  348. def isDeclaration(self):
  349. return isinstance(self, DeclarationMarker)
  350. def isAttribute(self):
  351. return isinstance(self, AttributeMarker)
  352. def isAttributeGroup(self):
  353. return isinstance(self, AttributeGroupMarker)
  354. def isElement(self):
  355. return isinstance(self, ElementMarker)
  356. def isReference(self):
  357. return isinstance(self, ReferenceMarker)
  358. def isWildCard(self):
  359. return isinstance(self, WildCardMarker)
  360. def isModelGroup(self):
  361. return isinstance(self, ModelGroupMarker)
  362. def isAll(self):
  363. return isinstance(self, AllMarker)
  364. def isChoice(self):
  365. return isinstance(self, ChoiceMarker)
  366. def isSequence(self):
  367. return isinstance(self, SequenceMarker)
  368. def isExtension(self):
  369. return isinstance(self, ExtensionMarker)
  370. def isRestriction(self):
  371. return isinstance(self, RestrictionMarker)
  372. def isSimple(self):
  373. return isinstance(self, SimpleMarker)
  374. def isComplex(self):
  375. return isinstance(self, ComplexMarker)
  376. def isLocal(self):
  377. return isinstance(self, LocalMarker)
  378. def isList(self):
  379. return isinstance(self, ListMarker)
  380. def isUnion(self):
  381. return isinstance(self, UnionMarker)
  382. ##########################################################
  383. # Schema Components
  384. #########################################################
  385. class XMLSchemaComponent(XMLBase, MarkerInterface):
  386. """
  387. class variables:
  388. required -- list of required attributes
  389. attributes -- dict of default attribute values, including None.
  390. Value can be a function for runtime dependencies.
  391. contents -- dict of namespace keyed content lists.
  392. 'xsd' content of xsd namespace.
  393. xmlns_key -- key for declared xmlns namespace.
  394. xmlns -- xmlns is special prefix for namespace dictionary
  395. xml -- special xml prefix for xml namespace.
  396. """
  397. required = []
  398. attributes = {}
  399. contents = {}
  400. xmlns_key = ''
  401. xmlns = 'xmlns'
  402. xml = 'xml'
  403. def __init__(self, parent=None):
  404. """parent -- parent instance
  405. instance variables:
  406. attributes -- dictionary of node's attributes
  407. """
  408. self.attributes = None
  409. self._parent = parent
  410. if self._parent:
  411. self._parent = weakref.ref(parent)
  412. if not self.__class__ == XMLSchemaComponent\
  413. and not (type(self.__class__.required) == type(XMLSchemaComponent.required)\
  414. and type(self.__class__.attributes) == type(XMLSchemaComponent.attributes)\
  415. and type(self.__class__.contents) == type(XMLSchemaComponent.contents)):
  416. raise RuntimeError, 'Bad type for a class variable in %s' %self.__class__
  417. def getItemTrace(self):
  418. """Returns a node trace up to the <schema> item.
  419. """
  420. item, path, name, ref = self, [], 'name', 'ref'
  421. while not isinstance(item,XMLSchema) and not isinstance(item,WSDLToolsAdapter):
  422. attr = item.getAttribute(name)
  423. if attr is None:
  424. attr = item.getAttribute(ref)
  425. if attr is None: path.append('<%s>' %(item.tag))
  426. else: path.append('<%s ref="%s">' %(item.tag, attr))
  427. else:
  428. path.append('<%s name="%s">' %(item.tag,attr))
  429. item = item._parent()
  430. try:
  431. tns = item.getTargetNamespace()
  432. except:
  433. tns = ''
  434. path.append('<%s targetNamespace="%s">' %(item.tag, tns))
  435. path.reverse()
  436. return ''.join(path)
  437. def getTargetNamespace(self):
  438. """return targetNamespace
  439. """
  440. parent = self
  441. targetNamespace = 'targetNamespace'
  442. tns = self.attributes.get(targetNamespace)
  443. while not tns and parent and parent._parent is not None:
  444. parent = parent._parent()
  445. tns = parent.attributes.get(targetNamespace)
  446. return tns or ''
  447. def getAttributeDeclaration(self, attribute):
  448. """attribute -- attribute with a QName value (eg. type).
  449. collection -- check types collection in parent Schema instance
  450. """
  451. return self.getQNameAttribute(ATTRIBUTES, attribute)
  452. def getAttributeGroup(self, attribute):
  453. """attribute -- attribute with a QName value (eg. type).
  454. collection -- check types collection in parent Schema instance
  455. """
  456. return self.getQNameAttribute(ATTRIBUTE_GROUPS, attribute)
  457. def getTypeDefinition(self, attribute):
  458. """attribute -- attribute with a QName value (eg. type).
  459. collection -- check types collection in parent Schema instance
  460. """
  461. return self.getQNameAttribute(TYPES, attribute)
  462. def getElementDeclaration(self, attribute):
  463. """attribute -- attribute with a QName value (eg. element).
  464. collection -- check elements collection in parent Schema instance.
  465. """
  466. return self.getQNameAttribute(ELEMENTS, attribute)
  467. def getModelGroup(self, attribute):
  468. """attribute -- attribute with a QName value (eg. ref).
  469. collection -- check model_group collection in parent Schema instance.
  470. """
  471. return self.getQNameAttribute(MODEL_GROUPS, attribute)
  472. def getQNameAttribute(self, collection, attribute):
  473. """returns object instance representing QName --> (namespace,name),
  474. or if does not exist return None.
  475. attribute -- an information item attribute, with a QName value.
  476. collection -- collection in parent Schema instance to search.
  477. """
  478. tdc = self.getAttributeQName(attribute)
  479. if not tdc:
  480. return
  481. obj = self.getSchemaItem(collection, tdc.getTargetNamespace(), tdc.getName())
  482. if obj:
  483. return obj
  484. # raise SchemaError, 'No schema item "%s" in collection %s' %(tdc, collection)
  485. return
  486. def getSchemaItem(self, collection, namespace, name):
  487. """returns object instance representing namespace, name,
  488. or if does not exist return None if built-in, else
  489. raise SchemaError.
  490. namespace -- namespace item defined in.
  491. name -- name of item.
  492. collection -- collection in parent Schema instance to search.
  493. """
  494. parent = GetSchema(self)
  495. if parent.targetNamespace == namespace:
  496. try:
  497. obj = getattr(parent, collection)[name]
  498. except KeyError, ex:
  499. raise KeyError, 'targetNamespace(%s) collection(%s) has no item(%s)'\
  500. %(namespace, collection, name)
  501. return obj
  502. if not parent.imports.has_key(namespace):
  503. if namespace in BUILT_IN_NAMESPACES:
  504. # built-in just return
  505. # WARNING: expecting import if "redefine" or add to built-in namespace.
  506. return
  507. raise SchemaError, 'schema "%s" does not import namespace "%s"' %(
  508. parent.targetNamespace, namespace)
  509. # Lazy Eval
  510. schema = parent.imports[namespace]
  511. if not isinstance(schema, XMLSchema):
  512. schema = schema.getSchema()
  513. if schema is not None:
  514. parent.imports[namespace] = schema
  515. if schema is None:
  516. if namespace in BUILT_IN_NAMESPACES:
  517. # built-in just return
  518. return
  519. raise SchemaError, 'no schema instance for imported namespace (%s).'\
  520. %(namespace)
  521. if not isinstance(schema, XMLSchema):
  522. raise TypeError, 'expecting XMLSchema instance not "%r"' %schema
  523. try:
  524. obj = getattr(schema, collection)[name]
  525. except KeyError, ex:
  526. raise KeyError, 'targetNamespace(%s) collection(%s) has no item(%s)'\
  527. %(namespace, collection, name)
  528. return obj
  529. def getXMLNS(self, prefix=None):
  530. """deference prefix or by default xmlns, returns namespace.
  531. """
  532. if prefix == XMLSchemaComponent.xml:
  533. return XMLNS.XML
  534. parent = self
  535. ns = self.attributes[XMLSchemaComponent.xmlns].get(prefix or\
  536. XMLSchemaComponent.xmlns_key)
  537. while not ns:
  538. parent = parent._parent()
  539. ns = parent.attributes[XMLSchemaComponent.xmlns].get(prefix or\
  540. XMLSchemaComponent.xmlns_key)
  541. if not ns and isinstance(parent, WSDLToolsAdapter):
  542. if prefix is None:
  543. return ''
  544. raise SchemaError, 'unknown prefix %s' %prefix
  545. return ns
  546. def getAttribute(self, attribute):
  547. """return requested attribute value or None
  548. """
  549. if type(attribute) in (list, tuple):
  550. if len(attribute) != 2:
  551. raise LookupError, 'To access attributes must use name or (namespace,name)'
  552. return self.attributes.get(attribute[0]).get(attribute[1])
  553. return self.attributes.get(attribute)
  554. def getAttributeQName(self, attribute):
  555. """return requested attribute value as (namespace,name) or None
  556. """
  557. qname = self.getAttribute(attribute)
  558. if isinstance(qname, TypeDescriptionComponent) is True:
  559. return qname
  560. if qname is None:
  561. return None
  562. prefix,ncname = SplitQName(qname)
  563. namespace = self.getXMLNS(prefix)
  564. return TypeDescriptionComponent((namespace,ncname))
  565. def getAttributeName(self):
  566. """return attribute name or None
  567. """
  568. return self.getAttribute('name')
  569. def setAttributes(self, node):
  570. """Sets up attribute dictionary, checks for required attributes and
  571. sets default attribute values. attr is for default attribute values
  572. determined at runtime.
  573. structure of attributes dictionary
  574. ['xmlns'][xmlns_key] -- xmlns namespace
  575. ['xmlns'][prefix] -- declared namespace prefix
  576. [namespace][prefix] -- attributes declared in a namespace
  577. [attribute] -- attributes w/o prefix, default namespaces do
  578. not directly apply to attributes, ie Name can't collide
  579. with QName.
  580. """
  581. self.attributes = {XMLSchemaComponent.xmlns:{}}
  582. for k,v in node.getAttributeDictionary().items():
  583. prefix,value = SplitQName(k)
  584. if value == XMLSchemaComponent.xmlns:
  585. self.attributes[value][prefix or XMLSchemaComponent.xmlns_key] = v
  586. elif prefix:
  587. ns = node.getNamespace(prefix)
  588. if not ns:
  589. raise SchemaError, 'no namespace for attribute prefix %s'\
  590. %prefix
  591. if not self.attributes.has_key(ns):
  592. self.attributes[ns] = {}
  593. elif self.attributes[ns].has_key(value):
  594. raise SchemaError, 'attribute %s declared multiple times in %s'\
  595. %(value, ns)
  596. self.attributes[ns][value] = v
  597. elif not self.attributes.has_key(value):
  598. self.attributes[value] = v
  599. else:
  600. raise SchemaError, 'attribute %s declared multiple times' %value
  601. if not isinstance(self, WSDLToolsAdapter):
  602. self.__checkAttributes()
  603. self.__setAttributeDefaults()
  604. #set QNames
  605. for k in ['type', 'element', 'base', 'ref', 'substitutionGroup', 'itemType']:
  606. if self.attributes.has_key(k):
  607. prefix, value = SplitQName(self.attributes.get(k))
  608. self.attributes[k] = \
  609. TypeDescriptionComponent((self.getXMLNS(prefix), value))
  610. #Union, memberTypes is a whitespace separated list of QNames
  611. for k in ['memberTypes']:
  612. if self.attributes.has_key(k):
  613. qnames = self.attributes[k]
  614. self.attributes[k] = []
  615. for qname in qnames.split():
  616. prefix, value = SplitQName(qname)
  617. self.attributes['memberTypes'].append(\
  618. TypeDescriptionComponent(\
  619. (self.getXMLNS(prefix), value)))
  620. def getContents(self, node):
  621. """retrieve xsd contents
  622. """
  623. return node.getContentList(*self.__class__.contents['xsd'])
  624. def __setAttributeDefaults(self):
  625. """Looks for default values for unset attributes. If
  626. class variable representing attribute is None, then
  627. it must be defined as an instance variable.
  628. """
  629. for k,v in self.__class__.attributes.items():
  630. if v is not None and self.attributes.has_key(k) is False:
  631. if isinstance(v, types.FunctionType):
  632. self.attributes[k] = v(self)
  633. else:
  634. self.attributes[k] = v
  635. def __checkAttributes(self):
  636. """Checks that required attributes have been defined,
  637. attributes w/default cannot be required. Checks
  638. all defined attributes are legal, attribute
  639. references are not subject to this test.
  640. """
  641. for a in self.__class__.required:
  642. if not self.attributes.has_key(a):
  643. raise SchemaError,\
  644. 'class instance %s, missing required attribute %s'\
  645. %(self.__class__, a)
  646. for a,v in self.attributes.items():
  647. # attribute #other, ie. not in empty namespace
  648. if type(v) is dict:
  649. continue
  650. # predefined prefixes xmlns, xml
  651. if a in (XMLSchemaComponent.xmlns, XMLNS.XML):
  652. continue
  653. if (a not in self.__class__.attributes.keys()) and not\
  654. (self.isAttribute() and self.isReference()):
  655. raise SchemaError, '%s, unknown attribute(%s,%s)' \
  656. %(self.getItemTrace(), a, self.attributes[a])
  657. class WSDLToolsAdapter(XMLSchemaComponent):
  658. """WSDL Adapter to grab the attributes from the wsdl document node.
  659. """
  660. attributes = {'name':None, 'targetNamespace':None}
  661. tag = 'definitions'
  662. def __init__(self, wsdl):
  663. XMLSchemaComponent.__init__(self, parent=wsdl)
  664. self.setAttributes(DOMAdapter(wsdl.document))
  665. def getImportSchemas(self):
  666. """returns WSDLTools.WSDL types Collection
  667. """
  668. return self._parent().types
  669. class Notation(XMLSchemaComponent):
  670. """<notation>
  671. parent:
  672. schema
  673. attributes:
  674. id -- ID
  675. name -- NCName, Required
  676. public -- token, Required
  677. system -- anyURI
  678. contents:
  679. annotation?
  680. """
  681. required = ['name', 'public']
  682. attributes = {'id':None, 'name':None, 'public':None, 'system':None}
  683. contents = {'xsd':('annotation')}
  684. tag = 'notation'
  685. def __init__(self, parent):
  686. XMLSchemaComponent.__init__(self, parent)
  687. self.annotation = None
  688. def fromDom(self, node):
  689. self.setAttributes(node)
  690. contents = self.getContents(node)
  691. for i in contents:
  692. component = SplitQName(i.getTagName())[1]
  693. if component == 'annotation' and not self.annotation:
  694. self.annotation = Annotation(self)
  695. self.annotation.fromDom(i)
  696. else:
  697. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  698. class Annotation(XMLSchemaComponent):
  699. """<annotation>
  700. parent:
  701. all,any,anyAttribute,attribute,attributeGroup,choice,complexContent,
  702. complexType,element,extension,field,group,import,include,key,keyref,
  703. list,notation,redefine,restriction,schema,selector,simpleContent,
  704. simpleType,union,unique
  705. attributes:
  706. id -- ID
  707. contents:
  708. (documentation | appinfo)*
  709. """
  710. attributes = {'id':None}
  711. contents = {'xsd':('documentation', 'appinfo')}
  712. tag = 'annotation'
  713. def __init__(self, parent):
  714. XMLSchemaComponent.__init__(self, parent)
  715. self.content = None
  716. def fromDom(self, node):
  717. self.setAttributes(node)
  718. contents = self.getContents(node)
  719. content = []
  720. for i in contents:
  721. component = SplitQName(i.getTagName())[1]
  722. if component == 'documentation':
  723. #print_debug('class %s, documentation skipped' %self.__class__, 5)
  724. continue
  725. elif component == 'appinfo':
  726. #print_debug('class %s, appinfo skipped' %self.__class__, 5)
  727. continue
  728. else:
  729. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  730. self.content = tuple(content)
  731. class Documentation(XMLSchemaComponent):
  732. """<documentation>
  733. parent:
  734. annotation
  735. attributes:
  736. source, anyURI
  737. xml:lang, language
  738. contents:
  739. mixed, any
  740. """
  741. attributes = {'source':None, 'xml:lang':None}
  742. contents = {'xsd':('mixed', 'any')}
  743. tag = 'documentation'
  744. def __init__(self, parent):
  745. XMLSchemaComponent.__init__(self, parent)
  746. self.content = None
  747. def fromDom(self, node):
  748. self.setAttributes(node)
  749. contents = self.getContents(node)
  750. content = []
  751. for i in contents:
  752. component = SplitQName(i.getTagName())[1]
  753. if component == 'mixed':
  754. #print_debug('class %s, mixed skipped' %self.__class__, 5)
  755. continue
  756. elif component == 'any':
  757. #print_debug('class %s, any skipped' %self.__class__, 5)
  758. continue
  759. else:
  760. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  761. self.content = tuple(content)
  762. class Appinfo(XMLSchemaComponent):
  763. """<appinfo>
  764. parent:
  765. annotation
  766. attributes:
  767. source, anyURI
  768. contents:
  769. mixed, any
  770. """
  771. attributes = {'source':None, 'anyURI':None}
  772. contents = {'xsd':('mixed', 'any')}
  773. tag = 'appinfo'
  774. def __init__(self, parent):
  775. XMLSchemaComponent.__init__(self, parent)
  776. self.content = None
  777. def fromDom(self, node):
  778. self.setAttributes(node)
  779. contents = self.getContents(node)
  780. content = []
  781. for i in contents:
  782. component = SplitQName(i.getTagName())[1]
  783. if component == 'mixed':
  784. #print_debug('class %s, mixed skipped' %self.__class__, 5)
  785. continue
  786. elif component == 'any':
  787. #print_debug('class %s, any skipped' %self.__class__, 5)
  788. continue
  789. else:
  790. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  791. self.content = tuple(content)
  792. class XMLSchemaFake:
  793. # This is temporary, for the benefit of WSDL until the real thing works.
  794. def __init__(self, element):
  795. self.targetNamespace = DOM.getAttr(element, 'targetNamespace')
  796. self.element = element
  797. class XMLSchema(XMLSchemaComponent):
  798. """A schema is a collection of schema components derived from one
  799. or more schema documents, that is, one or more <schema> element
  800. information items. It represents the abstract notion of a schema
  801. rather than a single schema document (or other representation).
  802. <schema>
  803. parent:
  804. ROOT
  805. attributes:
  806. id -- ID
  807. version -- token
  808. xml:lang -- language
  809. targetNamespace -- anyURI
  810. attributeFormDefault -- 'qualified' | 'unqualified', 'unqualified'
  811. elementFormDefault -- 'qualified' | 'unqualified', 'unqualified'
  812. blockDefault -- '#all' | list of
  813. ('substitution | 'extension' | 'restriction')
  814. finalDefault -- '#all' | list of
  815. ('extension' | 'restriction' | 'list' | 'union')
  816. contents:
  817. ((include | import | redefine | annotation)*,
  818. (attribute, attributeGroup, complexType, element, group,
  819. notation, simpleType)*, annotation*)*
  820. attributes -- schema attributes
  821. imports -- import statements
  822. includes -- include statements
  823. redefines --
  824. types -- global simpleType, complexType definitions
  825. elements -- global element declarations
  826. attr_decl -- global attribute declarations
  827. attr_groups -- attribute Groups
  828. model_groups -- model Groups
  829. notations -- global notations
  830. """
  831. attributes = {'id':None,
  832. 'version':None,
  833. 'xml:lang':None,
  834. 'targetNamespace':None,
  835. 'attributeFormDefault':'unqualified',
  836. 'elementFormDefault':'unqualified',
  837. 'blockDefault':None,
  838. 'finalDefault':None}
  839. contents = {'xsd':('include', 'import', 'redefine', 'annotation',
  840. 'attribute', 'attributeGroup', 'complexType',
  841. 'element', 'group', 'notation', 'simpleType',
  842. 'annotation')}
  843. empty_namespace = ''
  844. tag = 'schema'
  845. def __init__(self, parent=None):
  846. """parent --
  847. instance variables:
  848. targetNamespace -- schema's declared targetNamespace, or empty string.
  849. _imported_schemas -- namespace keyed dict of schema dependencies, if
  850. a schema is provided instance will not resolve import statement.
  851. _included_schemas -- schemaLocation keyed dict of component schemas,
  852. if schema is provided instance will not resolve include statement.
  853. _base_url -- needed for relative URLs support, only works with URLs
  854. relative to initial document.
  855. includes -- collection of include statements
  856. imports -- collection of import statements
  857. elements -- collection of global element declarations
  858. types -- collection of global type definitions
  859. attr_decl -- collection of global attribute declarations
  860. attr_groups -- collection of global attribute group definitions
  861. model_groups -- collection of model group definitions
  862. notations -- collection of notations
  863. """
  864. self.__node = None
  865. self.targetNamespace = None
  866. XMLSchemaComponent.__init__(self, parent)
  867. f = lambda k: k.attributes['name']
  868. ns = lambda k: k.attributes['namespace']
  869. sl = lambda k: k.attributes['schemaLocation']
  870. self.includes = Collection(self, key=sl)
  871. self.imports = Collection(self, key=ns)
  872. self.elements = Collection(self, key=f)
  873. self.types = Collection(self, key=f)
  874. self.attr_decl = Collection(self, key=f)
  875. self.attr_groups = Collection(self, key=f)
  876. self.model_groups = Collection(self, key=f)
  877. self.notations = Collection(self, key=f)
  878. self._imported_schemas = {}
  879. self._included_schemas = {}
  880. self._base_url = None
  881. def getNode(self):
  882. """
  883. Interacting with the underlying DOM tree.
  884. """
  885. return self.__node
  886. def addImportSchema(self, schema):
  887. """for resolving import statements in Schema instance
  888. schema -- schema instance
  889. _imported_schemas
  890. """
  891. if not isinstance(schema, XMLSchema):
  892. raise TypeError, 'expecting a Schema instance'
  893. if schema.targetNamespace != self.targetNamespace:
  894. self._imported_schemas[schema.targetNamespace] = schema
  895. else:
  896. raise SchemaError, 'import schema bad targetNamespace'
  897. def addIncludeSchema(self, schemaLocation, schema):
  898. """for resolving include statements in Schema instance
  899. schemaLocation -- schema location
  900. schema -- schema instance
  901. _included_schemas
  902. """
  903. if not isinstance(schema, XMLSchema):
  904. raise TypeError, 'expecting a Schema instance'
  905. if not schema.targetNamespace or\
  906. schema.targetNamespace == self.targetNamespace:
  907. self._included_schemas[schemaLocation] = schema
  908. else:
  909. raise SchemaError, 'include schema bad targetNamespace'
  910. def setImportSchemas(self, schema_dict):
  911. """set the import schema dictionary, which is used to
  912. reference depedent schemas.
  913. """
  914. self._imported_schemas = schema_dict
  915. def getImportSchemas(self):
  916. """get the import schema dictionary, which is used to
  917. reference depedent schemas.
  918. """
  919. return self._imported_schemas
  920. def getSchemaNamespacesToImport(self):
  921. """returns tuple of namespaces the schema instance has declared
  922. itself to be depedent upon.
  923. """
  924. return tuple(self.includes.keys())
  925. def setIncludeSchemas(self, schema_dict):
  926. """set the include schema dictionary, which is keyed with
  927. schemaLocation (uri).
  928. This is a means of providing
  929. schemas to the current schema for content inclusion.
  930. """
  931. self._included_schemas = schema_dict
  932. def getIncludeSchemas(self):
  933. """get the include schema dictionary, which is keyed with
  934. schemaLocation (uri).
  935. """
  936. return self._included_schemas
  937. def getBaseUrl(self):
  938. """get base url, used for normalizing all relative uri's
  939. """
  940. return self._base_url
  941. def setBaseUrl(self, url):
  942. """set base url, used for normalizing all relative uri's
  943. """
  944. self._base_url = url
  945. def getElementFormDefault(self):
  946. """return elementFormDefault attribute
  947. """
  948. return self.attributes.get('elementFormDefault')
  949. def isElementFormDefaultQualified(self):
  950. return self.attributes.get('elementFormDefault') == 'qualified'
  951. def getAttributeFormDefault(self):
  952. """return attributeFormDefault attribute
  953. """
  954. return self.attributes.get('attributeFormDefault')
  955. def getBlockDefault(self):
  956. """return blockDefault attribute
  957. """
  958. return self.attributes.get('blockDefault')
  959. def getFinalDefault(self):
  960. """return finalDefault attribute
  961. """
  962. return self.attributes.get('finalDefault')
  963. def load(self, node, location=None):
  964. self.__node = node
  965. pnode = node.getParentNode()
  966. if pnode:
  967. pname = SplitQName(pnode.getTagName())[1]
  968. if pname == 'types':
  969. attributes = {}
  970. self.setAttributes(pnode)
  971. attributes.update(self.attributes)
  972. self.setAttributes(node)
  973. for k,v in attributes['xmlns'].items():
  974. if not self.attributes['xmlns'].has_key(k):
  975. self.attributes['xmlns'][k] = v
  976. else:
  977. self.setAttributes(node)
  978. else:
  979. self.setAttributes(node)
  980. self.targetNamespace = self.getTargetNamespace()
  981. for childNode in self.getContents(node):
  982. component = SplitQName(childNode.getTagName())[1]
  983. if component == 'include':
  984. tp = self.__class__.Include(self)
  985. tp.fromDom(childNode)
  986. sl = tp.attributes['schemaLocation']
  987. schema = tp.getSchema()
  988. if not self.getIncludeSchemas().has_key(sl):
  989. self.addIncludeSchema(sl, schema)
  990. self.includes[sl] = tp
  991. pn = childNode.getParentNode().getNode()
  992. pn.removeChild(childNode.getNode())
  993. for child in schema.getNode().getNode().childNodes:
  994. pn.appendChild(child.cloneNode(1))
  995. for collection in ['imports','elements','types',
  996. 'attr_decl','attr_groups','model_groups',
  997. 'notations']:
  998. for k,v in getattr(schema,collection).items():
  999. if not getattr(self,collection).has_key(k):
  1000. v._parent = weakref.ref(self)
  1001. getattr(self,collection)[k] = v
  1002. else:
  1003. warnings.warn("Not keeping schema component.")
  1004. elif component == 'import':
  1005. slocd = SchemaReader.namespaceToSchema
  1006. tp = self.__class__.Import(self)
  1007. tp.fromDom(childNode)
  1008. import_ns = tp.getAttribute('namespace') or\
  1009. self.__class__.empty_namespace
  1010. schema = slocd.get(import_ns)
  1011. if schema is None:
  1012. schema = XMLSchema()
  1013. slocd[import_ns] = schema
  1014. try:
  1015. tp.loadSchema(schema)
  1016. except SchemaError:
  1017. # Dependency declaration, hopefully implementation
  1018. # is aware of this namespace (eg. SOAP,WSDL,?)
  1019. #warnings.warn(\
  1020. # '<import namespace="%s" schemaLocation=?>, %s'\
  1021. # %(import_ns, 'failed to load schema instance')
  1022. #)
  1023. del slocd[import_ns]
  1024. class LazyEval(str):
  1025. '''Lazy evaluation of import, replace entry in self.imports.'''
  1026. def getSchema(namespace):
  1027. schema = slocd.get(namespace)
  1028. if schema is None:
  1029. parent = self._parent()
  1030. wstypes = parent
  1031. if isinstance(parent, WSDLToolsAdapter):
  1032. wstypes = parent.getImportSchemas()
  1033. schema = wstypes.get(namespace)
  1034. if isinstance(schema, XMLSchema):
  1035. self.imports[namespace] = schema
  1036. return schema
  1037. return None
  1038. self.imports[import_ns] = LazyEval(import_ns)
  1039. continue
  1040. else:
  1041. tp._schema = schema
  1042. if self.getImportSchemas().has_key(import_ns):
  1043. warnings.warn(\
  1044. 'Detected multiple imports of the namespace "%s" '\
  1045. %import_ns)
  1046. self.addImportSchema(schema)
  1047. # spec says can have multiple imports of same namespace
  1048. # but purpose of import is just dependency declaration.
  1049. self.imports[import_ns] = tp
  1050. elif component == 'redefine':
  1051. warnings.warn('redefine is ignored')
  1052. elif component == 'annotation':
  1053. warnings.warn('annotation is ignored')
  1054. elif component == 'attribute':
  1055. tp = AttributeDeclaration(self)
  1056. tp.fromDom(childNode)
  1057. self.attr_decl[tp.getAttribute('name')] = tp
  1058. elif component == 'attributeGroup':
  1059. tp = AttributeGroupDefinition(self)
  1060. tp.fromDom(childNode)
  1061. self.attr_groups[tp.getAttribute('name')] = tp
  1062. elif component == 'element':
  1063. tp = ElementDeclaration(self)
  1064. tp.fromDom(childNode)
  1065. self.elements[tp.getAttribute('name')] = tp
  1066. elif component == 'group':
  1067. tp = ModelGroupDefinition(self)
  1068. tp.fromDom(childNode)
  1069. self.model_groups[tp.getAttribute('name')] = tp
  1070. elif component == 'notation':
  1071. tp = Notation(self)
  1072. tp.fromDom(childNode)
  1073. self.notations[tp.getAttribute('name')] = tp
  1074. elif component == 'complexType':
  1075. tp = ComplexType(self)
  1076. tp.fromDom(childNode)
  1077. self.types[tp.getAttribute('name')] = tp
  1078. elif component == 'simpleType':
  1079. tp = SimpleType(self)
  1080. tp.fromDom(childNode)
  1081. self.types[tp.getAttribute('name')] = tp
  1082. else:
  1083. break
  1084. class Import(XMLSchemaComponent):
  1085. """<import>
  1086. parent:
  1087. schema
  1088. attributes:
  1089. id -- ID
  1090. namespace -- anyURI
  1091. schemaLocation -- anyURI
  1092. contents:
  1093. annotation?
  1094. """
  1095. attributes = {'id':None,
  1096. 'namespace':None,
  1097. 'schemaLocation':None}
  1098. contents = {'xsd':['annotation']}
  1099. tag = 'import'
  1100. def __init__(self, parent):
  1101. XMLSchemaComponent.__init__(self, parent)
  1102. self.annotation = None
  1103. self._schema = None
  1104. def fromDom(self, node):
  1105. self.setAttributes(node)
  1106. contents = self.getContents(node)
  1107. if self.attributes['namespace'] == self.getTargetNamespace():
  1108. raise SchemaError, 'namespace of schema and import match'
  1109. for i in contents:
  1110. component = SplitQName(i.getTagName())[1]
  1111. if component == 'annotation' and not self.annotation:
  1112. self.annotation = Annotation(self)
  1113. self.annotation.fromDom(i)
  1114. else:
  1115. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  1116. def getSchema(self):
  1117. """if schema is not defined, first look for a Schema class instance
  1118. in parent Schema. Else if not defined resolve schemaLocation
  1119. and create a new Schema class instance, and keep a hard reference.
  1120. """
  1121. if not self._schema:
  1122. ns = self.attributes['namespace']
  1123. schema = self._parent().getImportSchemas().get(ns)
  1124. if not schema and self._parent()._parent:
  1125. schema = self._parent()._parent().getImportSchemas().get(ns)
  1126. if not schema:
  1127. url = self.attributes.get('schemaLocation')
  1128. if not url:
  1129. raise SchemaError, 'namespace(%s) is unknown' %ns
  1130. base_url = self._parent().getBaseUrl()
  1131. reader = SchemaReader(base_url=base_url)
  1132. reader._imports = self._parent().getImportSchemas()
  1133. reader._includes = self._parent().getIncludeSchemas()
  1134. self._schema = reader.loadFromURL(url)
  1135. return self._schema or schema
  1136. def loadSchema(self, schema):
  1137. """
  1138. """
  1139. base_url = self._parent().getBaseUrl()
  1140. reader = SchemaReader(base_url=base_url)
  1141. reader._imports = self._parent().getImportSchemas()
  1142. reader._includes = self._parent().getIncludeSchemas()
  1143. self._schema = schema
  1144. if not self.attributes.has_key('schemaLocation'):
  1145. raise SchemaError, 'no schemaLocation'
  1146. reader.loadFromURL(self.attributes.get('schemaLocation'), schema)
  1147. class Include(XMLSchemaComponent):
  1148. """<include schemaLocation>
  1149. parent:
  1150. schema
  1151. attributes:
  1152. id -- ID
  1153. schemaLocation -- anyURI, required
  1154. contents:
  1155. annotation?
  1156. """
  1157. required = ['schemaLocation']
  1158. attributes = {'id':None,
  1159. 'schemaLocation':None}
  1160. contents = {'xsd':['annotation']}
  1161. tag = 'include'
  1162. def __init__(self, parent):
  1163. XMLSchemaComponent.__init__(self, parent)
  1164. self.annotation = None
  1165. self._schema = None
  1166. def fromDom(self, node):
  1167. self.setAttributes(node)
  1168. contents = self.getContents(node)
  1169. for i in contents:
  1170. component = SplitQName(i.getTagName())[1]
  1171. if component == 'annotation' and not self.annotation:
  1172. self.annotation = Annotation(self)
  1173. self.annotation.fromDom(i)
  1174. else:
  1175. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  1176. def getSchema(self):
  1177. """if schema is not defined, first look for a Schema class instance
  1178. in parent Schema. Else if not defined resolve schemaLocation
  1179. and create a new Schema class instance.
  1180. """
  1181. if not self._schema:
  1182. schema = self._parent()
  1183. self._schema = schema.getIncludeSchemas().get(\
  1184. self.attributes['schemaLocation']
  1185. )
  1186. if not self._schema:
  1187. url = self.attributes['schemaLocation']
  1188. reader = SchemaReader(base_url=schema.getBaseUrl())
  1189. reader._imports = schema.getImportSchemas()
  1190. reader._includes = schema.getIncludeSchemas()
  1191. # create schema before loading so chameleon include
  1192. # will evalute targetNamespace correctly.
  1193. self._schema = XMLSchema(schema)
  1194. reader.loadFromURL(url, self._schema)
  1195. return self._schema
  1196. class AttributeDeclaration(XMLSchemaComponent,\
  1197. AttributeMarker,\
  1198. DeclarationMarker):
  1199. """<attribute name>
  1200. parent:
  1201. schema
  1202. attributes:
  1203. id -- ID
  1204. name -- NCName, required
  1205. type -- QName
  1206. default -- string
  1207. fixed -- string
  1208. contents:
  1209. annotation?, simpleType?
  1210. """
  1211. required = ['name']
  1212. attributes = {'id':None,
  1213. 'name':None,
  1214. 'type':None,
  1215. 'default':None,
  1216. 'fixed':None}
  1217. contents = {'xsd':['annotation','simpleType']}
  1218. tag = 'attribute'
  1219. def __init__(self, parent):
  1220. XMLSchemaComponent.__init__(self, parent)
  1221. self.annotation = None
  1222. self.content = None
  1223. def fromDom(self, node):
  1224. """ No list or union support
  1225. """
  1226. self.setAttributes(node)
  1227. contents = self.getContents(node)
  1228. for i in contents:
  1229. component = SplitQName(i.getTagName())[1]
  1230. if component == 'annotation' and not self.annotation:
  1231. self.annotation = Annotation(self)
  1232. self.annotation.fromDom(i)
  1233. elif component == 'simpleType':
  1234. self.content = AnonymousSimpleType(self)
  1235. self.content.fromDom(i)
  1236. else:
  1237. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  1238. class LocalAttributeDeclaration(AttributeDeclaration,\
  1239. AttributeMarker,\
  1240. LocalMarker,\
  1241. DeclarationMarker):
  1242. """<attribute name>
  1243. parent:
  1244. complexType, restriction, extension, attributeGroup
  1245. attributes:
  1246. id -- ID
  1247. name -- NCName, required
  1248. type -- QName
  1249. form -- ('qualified' | 'unqualified'), schema.attributeFormDefault
  1250. use -- ('optional' | 'prohibited' | 'required'), optional
  1251. default -- string
  1252. fixed -- string
  1253. contents:
  1254. annotation?, simpleType?
  1255. """
  1256. required = ['name']
  1257. attributes = {'id':None,
  1258. 'name':None,
  1259. 'type':None,
  1260. 'form':lambda self: GetSchema(self).getAttributeFormDefault(),
  1261. 'use':'optional',
  1262. 'default':None,
  1263. 'fixed':None}
  1264. contents = {'xsd':['annotation','simpleType']}
  1265. def __init__(self, parent):
  1266. AttributeDeclaration.__init__(self, parent)
  1267. self.annotation = None
  1268. self.content = None
  1269. def fromDom(self, node):
  1270. self.setAttributes(node)
  1271. contents = self.getContents(node)
  1272. for i in contents:
  1273. component = SplitQName(i.getTagName())[1]
  1274. if component == 'annotation' and not self.annotation:
  1275. self.annotation = Annotation(self)
  1276. self.annotation.fromDom(i)
  1277. elif component == 'simpleType':
  1278. self.content = AnonymousSimpleType(self)
  1279. self.content.fromDom(i)
  1280. else:
  1281. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  1282. class AttributeWildCard(XMLSchemaComponent,\
  1283. AttributeMarker,\
  1284. DeclarationMarker,\
  1285. WildCardMarker):
  1286. """<anyAttribute>
  1287. parents:
  1288. complexType, restriction, extension, attributeGroup
  1289. attributes:
  1290. id -- ID
  1291. namespace -- '##any' | '##other' |
  1292. (anyURI* | '##targetNamespace' | '##local'), ##any
  1293. processContents -- 'lax' | 'skip' | 'strict', strict
  1294. contents:
  1295. annotation?
  1296. """
  1297. attributes = {'id':None,
  1298. 'namespace':'##any',
  1299. 'processContents':'strict'}
  1300. contents = {'xsd':['annotation']}
  1301. tag = 'anyAttribute'
  1302. def __init__(self, parent):
  1303. XMLSchemaComponent.__init__(self, parent)
  1304. self.annotation = None
  1305. def fromDom(self, node):
  1306. self.setAttributes(node)
  1307. contents = self.getContents(node)
  1308. for i in contents:
  1309. component = SplitQName(i.getTagName())[1]
  1310. if component == 'annotation' and not self.annotation:
  1311. self.annotation = Annotation(self)
  1312. self.annotation.fromDom(i)
  1313. else:
  1314. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  1315. class AttributeReference(XMLSchemaComponent,\
  1316. AttributeMarker,\
  1317. ReferenceMarker):
  1318. """<attribute ref>
  1319. parents:
  1320. complexType, restriction, extension, attributeGroup
  1321. attributes:
  1322. id -- ID
  1323. ref -- QName, required
  1324. use -- ('optional' | 'prohibited' | 'required'), optional
  1325. default -- string
  1326. fixed -- string
  1327. contents:
  1328. annotation?
  1329. """
  1330. required = ['ref']
  1331. attributes = {'id':None,
  1332. 'ref':None,
  1333. 'use':'optional',
  1334. 'default':None,
  1335. 'fixed':None}
  1336. contents = {'xsd':['annotation']}
  1337. tag = 'attribute'
  1338. def __init__(self, parent):
  1339. XMLSchemaComponent.__init__(self, parent)
  1340. self.annotation = None
  1341. def getAttributeDeclaration(self, attribute='ref'):
  1342. return XMLSchemaComponent.getAttributeDeclaration(self, attribute)
  1343. def fromDom(self, node):
  1344. self.setAttributes(node)
  1345. contents = self.getContents(node)
  1346. for i in contents:
  1347. component = SplitQName(i.getTagName())[1]
  1348. if component == 'annotation' and not self.annotation:
  1349. self.annotation = Annotation(self)
  1350. self.annotation.fromDom(i)
  1351. else:
  1352. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  1353. class AttributeGroupDefinition(XMLSchemaComponent,\
  1354. AttributeGroupMarker,\
  1355. DefinitionMarker):
  1356. """<attributeGroup name>
  1357. parents:
  1358. schema, redefine
  1359. attributes:
  1360. id -- ID
  1361. name -- NCName, required
  1362. contents:
  1363. annotation?, (attribute | attributeGroup)*, anyAttribute?
  1364. """
  1365. required = ['name']
  1366. attributes = {'id':None,
  1367. 'name':None}
  1368. contents = {'xsd':['annotation', 'attribute', 'attributeGroup', 'anyAttribute']}
  1369. tag = 'attributeGroup'
  1370. def __init__(self, parent):
  1371. XMLSchemaComponent.__init__(self, parent)
  1372. self.annotation = None
  1373. self.attr_content = None
  1374. def getAttributeContent(self):
  1375. return self.attr_content
  1376. def fromDom(self, node):
  1377. self.setAttributes(node)
  1378. contents = self.getContents(node)
  1379. content = []
  1380. for indx in range(len(contents)):
  1381. component = SplitQName(contents[indx].getTagName())[1]
  1382. if (component == 'annotation') and (not indx):
  1383. self.annotation = Annotation(self)
  1384. self.annotation.fromDom(contents[indx])
  1385. elif component == 'attribute':
  1386. if contents[indx].hasattr('name'):
  1387. content.append(LocalAttributeDeclaration(self))
  1388. elif contents[indx].hasattr('ref'):
  1389. content.append(AttributeReference(self))
  1390. else:
  1391. raise SchemaError, 'Unknown attribute type'
  1392. content[-1].fromDom(contents[indx])
  1393. elif component == 'attributeGroup':
  1394. content.append(AttributeGroupReference(self))
  1395. content[-1].fromDom(contents[indx])
  1396. elif component == 'anyAttribute':
  1397. if len(contents) != indx+1:
  1398. raise SchemaError, 'anyAttribute is out of order in %s' %self.getItemTrace()
  1399. content.append(AttributeWildCard(self))
  1400. content[-1].fromDom(contents[indx])
  1401. else:
  1402. raise SchemaError, 'Unknown component (%s)' %(contents[indx].getTagName())
  1403. self.attr_content = tuple(content)
  1404. class AttributeGroupReference(XMLSchemaComponent,\
  1405. AttributeGroupMarker,\
  1406. ReferenceMarker):
  1407. """<attributeGroup ref>
  1408. parents:
  1409. complexType, restriction, extension, attributeGroup
  1410. attributes:
  1411. id -- ID
  1412. ref -- QName, required
  1413. contents:
  1414. annotation?
  1415. """
  1416. required = ['ref']
  1417. attributes = {'id':None,
  1418. 'ref':None}
  1419. contents = {'xsd':['annotation']}
  1420. tag = 'attributeGroup'
  1421. def __init__(self, parent):
  1422. XMLSchemaComponent.__init__(self, parent)
  1423. self.annotation = None
  1424. def getAttributeGroup(self, attribute='ref'):
  1425. """attribute -- attribute with a QName value (eg. type).
  1426. collection -- check types collection in parent Schema instance
  1427. """
  1428. return XMLSchemaComponent.getAttributeGroup(self, attribute)
  1429. def fromDom(self, node):
  1430. self.setAttributes(node)
  1431. contents = self.getContents(node)
  1432. for i in contents:
  1433. component = SplitQName(i.getTagName())[1]
  1434. if component == 'annotation' and not self.annotation:
  1435. self.annotation = Annotation(self)
  1436. self.annotation.fromDom(i)
  1437. else:
  1438. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  1439. ######################################################
  1440. # Elements
  1441. #####################################################
  1442. class IdentityConstrants(XMLSchemaComponent):
  1443. """Allow one to uniquely identify nodes in a document and ensure the
  1444. integrity of references between them.
  1445. attributes -- dictionary of attributes
  1446. selector -- XPath to selected nodes
  1447. fields -- list of XPath to key field
  1448. """
  1449. def __init__(self, parent):
  1450. XMLSchemaComponent.__init__(self, parent)
  1451. self.selector = None
  1452. self.fields = None
  1453. self.annotation = None
  1454. def fromDom(self, node):
  1455. self.setAttributes(node)
  1456. contents = self.getContents(node)
  1457. fields = []
  1458. for i in contents:
  1459. component = SplitQName(i.getTagName())[1]
  1460. if component in self.__class__.contents['xsd']:
  1461. if component == 'annotation' and not self.annotation:
  1462. self.annotation = Annotation(self)
  1463. self.annotation.fromDom(i)
  1464. elif component == 'selector':
  1465. self.selector = self.Selector(self)
  1466. self.selector.fromDom(i)
  1467. continue
  1468. elif component == 'field':
  1469. fields.append(self.Field(self))
  1470. fields[-1].fromDom(i)
  1471. continue
  1472. else:
  1473. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  1474. else:
  1475. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  1476. self.fields = tuple(fields)
  1477. class Constraint(XMLSchemaComponent):
  1478. def __init__(self, parent):
  1479. XMLSchemaComponent.__init__(self, parent)
  1480. self.annotation = None
  1481. def fromDom(self, node):
  1482. self.setAttributes(node)
  1483. contents = self.getContents(node)
  1484. for i in contents:
  1485. component = SplitQName(i.getTagName())[1]
  1486. if component in self.__class__.contents['xsd']:
  1487. if component == 'annotation' and not self.annotation:
  1488. self.annotation = Annotation(self)
  1489. self.annotation.fromDom(i)
  1490. else:
  1491. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  1492. else:
  1493. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  1494. class Selector(Constraint):
  1495. """<selector xpath>
  1496. parent:
  1497. unique, key, keyref
  1498. attributes:
  1499. id -- ID
  1500. xpath -- XPath subset, required
  1501. contents:
  1502. annotation?
  1503. """
  1504. required = ['xpath']
  1505. attributes = {'id':None,
  1506. 'xpath':None}
  1507. contents = {'xsd':['annotation']}
  1508. tag = 'selector'
  1509. class Field(Constraint):
  1510. """<field xpath>
  1511. parent:
  1512. unique, key, keyref
  1513. attributes:
  1514. id -- ID
  1515. xpath -- XPath subset, required
  1516. contents:
  1517. annotation?
  1518. """
  1519. required = ['xpath']
  1520. attributes = {'id':None,
  1521. 'xpath':None}
  1522. contents = {'xsd':['annotation']}
  1523. tag = 'field'
  1524. class Unique(IdentityConstrants):
  1525. """<unique name> Enforce fields are unique w/i a specified scope.
  1526. parent:
  1527. element
  1528. attributes:
  1529. id -- ID
  1530. name -- NCName, required
  1531. contents:
  1532. annotation?, selector, field+
  1533. """
  1534. required = ['name']
  1535. attributes = {'id':None,
  1536. 'name':None}
  1537. contents = {'xsd':['annotation', 'selector', 'field']}
  1538. tag = 'unique'
  1539. class Key(IdentityConstrants):
  1540. """<key name> Enforce fields are unique w/i a specified scope, and all
  1541. field values are present w/i document. Fields cannot
  1542. be nillable.
  1543. parent:
  1544. element
  1545. attributes:
  1546. id -- ID
  1547. name -- NCName, required
  1548. contents:
  1549. annotation?, selector, field+
  1550. """
  1551. required = ['name']
  1552. attributes = {'id':None,
  1553. 'name':None}
  1554. contents = {'xsd':['annotation', 'selector', 'field']}
  1555. tag = 'key'
  1556. class KeyRef(IdentityConstrants):
  1557. """<keyref name refer> Ensure a match between two sets of values in an
  1558. instance.
  1559. parent:
  1560. element
  1561. attributes:
  1562. id -- ID
  1563. name -- NCName, required
  1564. refer -- QName, required
  1565. contents:
  1566. annotation?, selector, field+
  1567. """
  1568. required = ['name', 'refer']
  1569. attributes = {'id':None,
  1570. 'name':None,
  1571. 'refer':None}
  1572. contents = {'xsd':['annotation', 'selector', 'field']}
  1573. tag = 'keyref'
  1574. class ElementDeclaration(XMLSchemaComponent,\
  1575. ElementMarker,\
  1576. DeclarationMarker):
  1577. """<element name>
  1578. parents:
  1579. schema
  1580. attributes:
  1581. id -- ID
  1582. name -- NCName, required
  1583. type -- QName
  1584. default -- string
  1585. fixed -- string
  1586. nillable -- boolean, false
  1587. abstract -- boolean, false
  1588. substitutionGroup -- QName
  1589. block -- ('#all' | ('substition' | 'extension' | 'restriction')*),
  1590. schema.blockDefault
  1591. final -- ('#all' | ('extension' | 'restriction')*),
  1592. schema.finalDefault
  1593. contents:
  1594. annotation?, (simpleType,complexType)?, (key | keyref | unique)*
  1595. """
  1596. required = ['name']
  1597. attributes = {'id':None,
  1598. 'name':None,
  1599. 'type':None,
  1600. 'default':None,
  1601. 'fixed':None,
  1602. 'nillable':0,
  1603. 'abstract':0,
  1604. 'substitutionGroup':None,
  1605. 'block':lambda self: self._parent().getBlockDefault(),
  1606. 'final':lambda self: self._parent().getFinalDefault()}
  1607. contents = {'xsd':['annotation', 'simpleType', 'complexType', 'key',\
  1608. 'keyref', 'unique']}
  1609. tag = 'element'
  1610. def __init__(self, parent):
  1611. XMLSchemaComponent.__init__(self, parent)
  1612. self.annotation = None
  1613. self.content = None
  1614. self.constraints = ()
  1615. def isQualified(self):
  1616. """Global elements are always qualified.
  1617. """
  1618. return True
  1619. def getAttribute(self, attribute):
  1620. """return attribute.
  1621. If attribute is type and it's None, and no simple or complex content,
  1622. return the default type "xsd:anyType"
  1623. """
  1624. value = XMLSchemaComponent.getAttribute(self, attribute)
  1625. if attribute != 'type' or value is not None:
  1626. return value
  1627. if self.content is not None:
  1628. return None
  1629. parent = self
  1630. while 1:
  1631. nsdict = parent.attributes[XMLSchemaComponent.xmlns]
  1632. for k,v in nsdict.items():
  1633. if v not in SCHEMA.XSD_LIST: continue
  1634. return TypeDescriptionComponent((v, 'anyType'))
  1635. if isinstance(parent, WSDLToolsAdapter)\
  1636. or not hasattr(parent, '_parent'):
  1637. break
  1638. parent = parent._parent()
  1639. raise SchemaError, 'failed to locate the XSD namespace'
  1640. def getElementDeclaration(self, attribute):
  1641. raise Warning, 'invalid operation for <%s>' %self.tag
  1642. def getTypeDefinition(self, attribute=None):
  1643. """If attribute is None, "type" is assumed, return the corresponding
  1644. representation of the global type definition (TypeDefinition),
  1645. or the local definition if don't find "type". To maintain backwards
  1646. compat, if attribute is provided call base class method.
  1647. """
  1648. if attribute:
  1649. return XMLSchemaComponent.getTypeDefinition(self, attribute)
  1650. gt = XMLSchemaComponent.getTypeDefinition(self, 'type')
  1651. if gt:
  1652. return gt
  1653. return self.content
  1654. def getConstraints(self):
  1655. return self._constraints
  1656. def setConstraints(self, constraints):
  1657. self._constraints = tuple(constraints)
  1658. constraints = property(getConstraints, setConstraints, None, "tuple of key, keyref, unique constraints")
  1659. def fromDom(self, node):
  1660. self.setAttributes(node)
  1661. contents = self.getContents(node)
  1662. constraints = []
  1663. for i in contents:
  1664. component = SplitQName(i.getTagName())[1]
  1665. if component in self.__class__.contents['xsd']:
  1666. if component == 'annotation' and not self.annotation:
  1667. self.annotation = Annotation(self)
  1668. self.annotation.fromDom(i)
  1669. elif component == 'simpleType' and not self.content:
  1670. self.content = AnonymousSimpleType(self)
  1671. self.content.fromDom(i)
  1672. elif component == 'complexType' and not self.content:
  1673. self.content = LocalComplexType(self)
  1674. self.content.fromDom(i)
  1675. elif component == 'key':
  1676. constraints.append(Key(self))
  1677. constraints[-1].fromDom(i)
  1678. elif component == 'keyref':
  1679. constraints.append(KeyRef(self))
  1680. constraints[-1].fromDom(i)
  1681. elif component == 'unique':
  1682. constraints.append(Unique(self))
  1683. constraints[-1].fromDom(i)
  1684. else:
  1685. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  1686. else:
  1687. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  1688. self.constraints = constraints
  1689. class LocalElementDeclaration(ElementDeclaration,\
  1690. LocalMarker):
  1691. """<element>
  1692. parents:
  1693. all, choice, sequence
  1694. attributes:
  1695. id -- ID
  1696. name -- NCName, required
  1697. form -- ('qualified' | 'unqualified'), schema.elementFormDefault
  1698. type -- QName
  1699. minOccurs -- Whole Number, 1
  1700. maxOccurs -- (Whole Number | 'unbounded'), 1
  1701. default -- string
  1702. fixed -- string
  1703. nillable -- boolean, false
  1704. block -- ('#all' | ('extension' | 'restriction')*), schema.blockDefault
  1705. contents:
  1706. annotation?, (simpleType,complexType)?, (key | keyref | unique)*
  1707. """
  1708. required = ['name']
  1709. attributes = {'id':None,
  1710. 'name':None,
  1711. 'form':lambda self: GetSchema(self).getElementFormDefault(),
  1712. 'type':None,
  1713. 'minOccurs':'1',
  1714. 'maxOccurs':'1',
  1715. 'default':None,
  1716. 'fixed':None,
  1717. 'nillable':0,
  1718. 'abstract':0,
  1719. 'block':lambda self: GetSchema(self).getBlockDefault()}
  1720. contents = {'xsd':['annotation', 'simpleType', 'complexType', 'key',\
  1721. 'keyref', 'unique']}
  1722. def isQualified(self):
  1723. """
  1724. Local elements can be qualified or unqualifed according
  1725. to the attribute form, or the elementFormDefault. By default
  1726. local elements are unqualified.
  1727. """
  1728. form = self.getAttribute('form')
  1729. if form == 'qualified':
  1730. return True
  1731. if form == 'unqualified':
  1732. return False
  1733. raise SchemaError, 'Bad form (%s) for element: %s' %(form, self.getItemTrace())
  1734. class ElementReference(XMLSchemaComponent,\
  1735. ElementMarker,\
  1736. ReferenceMarker):
  1737. """<element ref>
  1738. parents:
  1739. all, choice, sequence
  1740. attributes:
  1741. id -- ID
  1742. ref -- QName, required
  1743. minOccurs -- Whole Number, 1
  1744. maxOccurs -- (Whole Number | 'unbounded'), 1
  1745. contents:
  1746. annotation?
  1747. """
  1748. required = ['ref']
  1749. attributes = {'id':None,
  1750. 'ref':None,
  1751. 'minOccurs':'1',
  1752. 'maxOccurs':'1'}
  1753. contents = {'xsd':['annotation']}
  1754. tag = 'element'
  1755. def __init__(self, parent):
  1756. XMLSchemaComponent.__init__(self, parent)
  1757. self.annotation = None
  1758. def getElementDeclaration(self, attribute=None):
  1759. """If attribute is None, "ref" is assumed, return the corresponding
  1760. representation of the global element declaration (ElementDeclaration),
  1761. To maintain backwards compat, if attribute is provided call base class method.
  1762. """
  1763. if attribute:
  1764. return XMLSchemaComponent.getElementDeclaration(self, attribute)
  1765. return XMLSchemaComponent.getElementDeclaration(self, 'ref')
  1766. def fromDom(self, node):
  1767. self.annotation = None
  1768. self.setAttributes(node)
  1769. for i in self.getContents(node):
  1770. component = SplitQName(i.getTagName())[1]
  1771. if component in self.__class__.contents['xsd']:
  1772. if component == 'annotation' and not self.annotation:
  1773. self.annotation = Annotation(self)
  1774. self.annotation.fromDom(i)
  1775. else:
  1776. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  1777. class ElementWildCard(LocalElementDeclaration, WildCardMarker):
  1778. """<any>
  1779. parents:
  1780. choice, sequence
  1781. attributes:
  1782. id -- ID
  1783. minOccurs -- Whole Number, 1
  1784. maxOccurs -- (Whole Number | 'unbounded'), 1
  1785. namespace -- '##any' | '##other' |
  1786. (anyURI* | '##targetNamespace' | '##local'), ##any
  1787. processContents -- 'lax' | 'skip' | 'strict', strict
  1788. contents:
  1789. annotation?
  1790. """
  1791. required = []
  1792. attributes = {'id':None,
  1793. 'minOccurs':'1',
  1794. 'maxOccurs':'1',
  1795. 'namespace':'##any',
  1796. 'processContents':'strict'}
  1797. contents = {'xsd':['annotation']}
  1798. tag = 'any'
  1799. def __init__(self, parent):
  1800. XMLSchemaComponent.__init__(self, parent)
  1801. self.annotation = None
  1802. def isQualified(self):
  1803. """
  1804. Global elements are always qualified, but if processContents
  1805. are not strict could have dynamically generated local elements.
  1806. """
  1807. return GetSchema(self).isElementFormDefaultQualified()
  1808. def getAttribute(self, attribute):
  1809. """return attribute.
  1810. """
  1811. return XMLSchemaComponent.getAttribute(self, attribute)
  1812. def getTypeDefinition(self, attribute):
  1813. raise Warning, 'invalid operation for <%s>' % self.tag
  1814. def fromDom(self, node):
  1815. self.annotation = None
  1816. self.setAttributes(node)
  1817. for i in self.getContents(node):
  1818. component = SplitQName(i.getTagName())[1]
  1819. if component in self.__class__.contents['xsd']:
  1820. if component == 'annotation' and not self.annotation:
  1821. self.annotation = Annotation(self)
  1822. self.annotation.fromDom(i)
  1823. else:
  1824. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  1825. ######################################################
  1826. # Model Groups
  1827. #####################################################
  1828. class Sequence(XMLSchemaComponent,\
  1829. SequenceMarker):
  1830. """<sequence>
  1831. parents:
  1832. complexType, extension, restriction, group, choice, sequence
  1833. attributes:
  1834. id -- ID
  1835. minOccurs -- Whole Number, 1
  1836. maxOccurs -- (Whole Number | 'unbounded'), 1
  1837. contents:
  1838. annotation?, (element | group | choice | sequence | any)*
  1839. """
  1840. attributes = {'id':None,
  1841. 'minOccurs':'1',
  1842. 'maxOccurs':'1'}
  1843. contents = {'xsd':['annotation', 'element', 'group', 'choice', 'sequence',\
  1844. 'any']}
  1845. tag = 'sequence'
  1846. def __init__(self, parent):
  1847. XMLSchemaComponent.__init__(self, parent)
  1848. self.annotation = None
  1849. self.content = None
  1850. def fromDom(self, node):
  1851. self.setAttributes(node)
  1852. contents = self.getContents(node)
  1853. content = []
  1854. for i in contents:
  1855. component = SplitQName(i.getTagName())[1]
  1856. if component in self.__class__.contents['xsd']:
  1857. if component == 'annotation' and not self.annotation:
  1858. self.annotation = Annotation(self)
  1859. self.annotation.fromDom(i)
  1860. continue
  1861. elif component == 'element':
  1862. if i.hasattr('ref'):
  1863. content.append(ElementReference(self))
  1864. else:
  1865. content.append(LocalElementDeclaration(self))
  1866. elif component == 'group':
  1867. content.append(ModelGroupReference(self))
  1868. elif component == 'choice':
  1869. content.append(Choice(self))
  1870. elif component == 'sequence':
  1871. content.append(Sequence(self))
  1872. elif component == 'any':
  1873. content.append(ElementWildCard(self))
  1874. else:
  1875. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  1876. content[-1].fromDom(i)
  1877. else:
  1878. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  1879. self.content = tuple(content)
  1880. class All(XMLSchemaComponent,\
  1881. AllMarker):
  1882. """<all>
  1883. parents:
  1884. complexType, extension, restriction, group
  1885. attributes:
  1886. id -- ID
  1887. minOccurs -- '0' | '1', 1
  1888. maxOccurs -- '1', 1
  1889. contents:
  1890. annotation?, element*
  1891. """
  1892. attributes = {'id':None,
  1893. 'minOccurs':'1',
  1894. 'maxOccurs':'1'}
  1895. contents = {'xsd':['annotation', 'element']}
  1896. tag = 'all'
  1897. def __init__(self, parent):
  1898. XMLSchemaComponent.__init__(self, parent)
  1899. self.annotation = None
  1900. self.content = None
  1901. def fromDom(self, node):
  1902. self.setAttributes(node)
  1903. contents = self.getContents(node)
  1904. content = []
  1905. for i in contents:
  1906. component = SplitQName(i.getTagName())[1]
  1907. if component in self.__class__.contents['xsd']:
  1908. if component == 'annotation' and not self.annotation:
  1909. self.annotation = Annotation(self)
  1910. self.annotation.fromDom(i)
  1911. continue
  1912. elif component == 'element':
  1913. if i.hasattr('ref'):
  1914. content.append(ElementReference(self))
  1915. else:
  1916. content.append(LocalElementDeclaration(self))
  1917. else:
  1918. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  1919. content[-1].fromDom(i)
  1920. else:
  1921. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  1922. self.content = tuple(content)
  1923. class Choice(XMLSchemaComponent,\
  1924. ChoiceMarker):
  1925. """<choice>
  1926. parents:
  1927. complexType, extension, restriction, group, choice, sequence
  1928. attributes:
  1929. id -- ID
  1930. minOccurs -- Whole Number, 1
  1931. maxOccurs -- (Whole Number | 'unbounded'), 1
  1932. contents:
  1933. annotation?, (element | group | choice | sequence | any)*
  1934. """
  1935. attributes = {'id':None,
  1936. 'minOccurs':'1',
  1937. 'maxOccurs':'1'}
  1938. contents = {'xsd':['annotation', 'element', 'group', 'choice', 'sequence',\
  1939. 'any']}
  1940. tag = 'choice'
  1941. def __init__(self, parent):
  1942. XMLSchemaComponent.__init__(self, parent)
  1943. self.annotation = None
  1944. self.content = None
  1945. def fromDom(self, node):
  1946. self.setAttributes(node)
  1947. contents = self.getContents(node)
  1948. content = []
  1949. for i in contents:
  1950. component = SplitQName(i.getTagName())[1]
  1951. if component in self.__class__.contents['xsd']:
  1952. if component == 'annotation' and not self.annotation:
  1953. self.annotation = Annotation(self)
  1954. self.annotation.fromDom(i)
  1955. continue
  1956. elif component == 'element':
  1957. if i.hasattr('ref'):
  1958. content.append(ElementReference(self))
  1959. else:
  1960. content.append(LocalElementDeclaration(self))
  1961. elif component == 'group':
  1962. content.append(ModelGroupReference(self))
  1963. elif component == 'choice':
  1964. content.append(Choice(self))
  1965. elif component == 'sequence':
  1966. content.append(Sequence(self))
  1967. elif component == 'any':
  1968. content.append(ElementWildCard(self))
  1969. else:
  1970. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  1971. content[-1].fromDom(i)
  1972. else:
  1973. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  1974. self.content = tuple(content)
  1975. class ModelGroupDefinition(XMLSchemaComponent,\
  1976. ModelGroupMarker,\
  1977. DefinitionMarker):
  1978. """<group name>
  1979. parents:
  1980. redefine, schema
  1981. attributes:
  1982. id -- ID
  1983. name -- NCName, required
  1984. contents:
  1985. annotation?, (all | choice | sequence)?
  1986. """
  1987. required = ['name']
  1988. attributes = {'id':None,
  1989. 'name':None}
  1990. contents = {'xsd':['annotation', 'all', 'choice', 'sequence']}
  1991. tag = 'group'
  1992. def __init__(self, parent):
  1993. XMLSchemaComponent.__init__(self, parent)
  1994. self.annotation = None
  1995. self.content = None
  1996. def fromDom(self, node):
  1997. self.setAttributes(node)
  1998. contents = self.getContents(node)
  1999. for i in contents:
  2000. component = SplitQName(i.getTagName())[1]
  2001. if component in self.__class__.contents['xsd']:
  2002. if component == 'annotation' and not self.annotation:
  2003. self.annotation = Annotation(self)
  2004. self.annotation.fromDom(i)
  2005. continue
  2006. elif component == 'all' and not self.content:
  2007. self.content = All(self)
  2008. elif component == 'choice' and not self.content:
  2009. self.content = Choice(self)
  2010. elif component == 'sequence' and not self.content:
  2011. self.content = Sequence(self)
  2012. else:
  2013. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  2014. self.content.fromDom(i)
  2015. else:
  2016. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  2017. class ModelGroupReference(XMLSchemaComponent,\
  2018. ModelGroupMarker,\
  2019. ReferenceMarker):
  2020. """<group ref>
  2021. parents:
  2022. choice, complexType, extension, restriction, sequence
  2023. attributes:
  2024. id -- ID
  2025. ref -- NCName, required
  2026. minOccurs -- Whole Number, 1
  2027. maxOccurs -- (Whole Number | 'unbounded'), 1
  2028. contents:
  2029. annotation?
  2030. """
  2031. required = ['ref']
  2032. attributes = {'id':None,
  2033. 'ref':None,
  2034. 'minOccurs':'1',
  2035. 'maxOccurs':'1'}
  2036. contents = {'xsd':['annotation']}
  2037. tag = 'group'
  2038. def __init__(self, parent):
  2039. XMLSchemaComponent.__init__(self, parent)
  2040. self.annotation = None
  2041. def getModelGroupReference(self):
  2042. return self.getModelGroup('ref')
  2043. def fromDom(self, node):
  2044. self.setAttributes(node)
  2045. contents = self.getContents(node)
  2046. for i in contents:
  2047. component = SplitQName(i.getTagName())[1]
  2048. if component in self.__class__.contents['xsd']:
  2049. if component == 'annotation' and not self.annotation:
  2050. self.annotation = Annotation(self)
  2051. self.annotation.fromDom(i)
  2052. else:
  2053. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  2054. else:
  2055. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  2056. class ComplexType(XMLSchemaComponent,\
  2057. DefinitionMarker,\
  2058. ComplexMarker):
  2059. """<complexType name>
  2060. parents:
  2061. redefine, schema
  2062. attributes:
  2063. id -- ID
  2064. name -- NCName, required
  2065. mixed -- boolean, false
  2066. abstract -- boolean, false
  2067. block -- ('#all' | ('extension' | 'restriction')*), schema.blockDefault
  2068. final -- ('#all' | ('extension' | 'restriction')*), schema.finalDefault
  2069. contents:
  2070. annotation?, (simpleContent | complexContent |
  2071. ((group | all | choice | sequence)?, (attribute | attributeGroup)*, anyAttribute?))
  2072. """
  2073. required = ['name']
  2074. attributes = {'id':None,
  2075. 'name':None,
  2076. 'mixed':0,
  2077. 'abstract':0,
  2078. 'block':lambda self: self._parent().getBlockDefault(),
  2079. 'final':lambda self: self._parent().getFinalDefault()}
  2080. contents = {'xsd':['annotation', 'simpleContent', 'complexContent',\
  2081. 'group', 'all', 'choice', 'sequence', 'attribute', 'attributeGroup',\
  2082. 'anyAttribute', 'any']}
  2083. tag = 'complexType'
  2084. def __init__(self, parent):
  2085. XMLSchemaComponent.__init__(self, parent)
  2086. self.annotation = None
  2087. self.content = None
  2088. self.attr_content = None
  2089. def isMixed(self):
  2090. m = self.getAttribute('mixed')
  2091. if m == 0 or m == False:
  2092. return False
  2093. if isinstance(m, basestring) is True:
  2094. if m in ('false', '0'):
  2095. return False
  2096. if m in ('true', '1'):
  2097. return True
  2098. raise SchemaError, 'invalid value for attribute mixed(%s): %s'\
  2099. %(m, self.getItemTrace())
  2100. def getAttributeContent(self):
  2101. return self.attr_content
  2102. def getElementDeclaration(self, attribute):
  2103. raise Warning, 'invalid operation for <%s>' %self.tag
  2104. def getTypeDefinition(self, attribute):
  2105. raise Warning, 'invalid operation for <%s>' %self.tag
  2106. def fromDom(self, node):
  2107. self.setAttributes(node)
  2108. contents = self.getContents(node)
  2109. indx = 0
  2110. num = len(contents)
  2111. if not num:
  2112. return
  2113. component = SplitQName(contents[indx].getTagName())[1]
  2114. if component == 'annotation':
  2115. self.annotation = Annotation(self)
  2116. self.annotation.fromDom(contents[indx])
  2117. indx += 1
  2118. component = SplitQName(contents[indx].getTagName())[1]
  2119. self.content = None
  2120. if component == 'simpleContent':
  2121. self.content = self.__class__.SimpleContent(self)
  2122. self.content.fromDom(contents[indx])
  2123. elif component == 'complexContent':
  2124. self.content = self.__class__.ComplexContent(self)
  2125. self.content.fromDom(contents[indx])
  2126. else:
  2127. if component == 'all':
  2128. self.content = All(self)
  2129. elif component == 'choice':
  2130. self.content = Choice(self)
  2131. elif component == 'sequence':
  2132. self.content = Sequence(self)
  2133. elif component == 'group':
  2134. self.content = ModelGroupReference(self)
  2135. if self.content:
  2136. self.content.fromDom(contents[indx])
  2137. indx += 1
  2138. self.attr_content = []
  2139. while indx < num:
  2140. component = SplitQName(contents[indx].getTagName())[1]
  2141. if component == 'attribute':
  2142. if contents[indx].hasattr('ref'):
  2143. self.attr_content.append(AttributeReference(self))
  2144. else:
  2145. self.attr_content.append(LocalAttributeDeclaration(self))
  2146. elif component == 'attributeGroup':
  2147. self.attr_content.append(AttributeGroupReference(self))
  2148. elif component == 'anyAttribute':
  2149. self.attr_content.append(AttributeWildCard(self))
  2150. else:
  2151. raise SchemaError, 'Unknown component (%s): %s' \
  2152. %(contents[indx].getTagName(),self.getItemTrace())
  2153. self.attr_content[-1].fromDom(contents[indx])
  2154. indx += 1
  2155. class _DerivedType(XMLSchemaComponent):
  2156. def __init__(self, parent):
  2157. XMLSchemaComponent.__init__(self, parent)
  2158. self.annotation = None
  2159. # XXX remove attribute derivation, inconsistent
  2160. self.derivation = None
  2161. self.content = None
  2162. def fromDom(self, node):
  2163. self.setAttributes(node)
  2164. contents = self.getContents(node)
  2165. for i in contents:
  2166. component = SplitQName(i.getTagName())[1]
  2167. if component in self.__class__.contents['xsd']:
  2168. if component == 'annotation' and not self.annotation:
  2169. self.annotation = Annotation(self)
  2170. self.annotation.fromDom(i)
  2171. continue
  2172. elif component == 'restriction' and not self.derivation:
  2173. self.derivation = self.__class__.Restriction(self)
  2174. elif component == 'extension' and not self.derivation:
  2175. self.derivation = self.__class__.Extension(self)
  2176. else:
  2177. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  2178. else:
  2179. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  2180. self.derivation.fromDom(i)
  2181. self.content = self.derivation
  2182. class ComplexContent(_DerivedType,\
  2183. ComplexMarker):
  2184. """<complexContent>
  2185. parents:
  2186. complexType
  2187. attributes:
  2188. id -- ID
  2189. mixed -- boolean, false
  2190. contents:
  2191. annotation?, (restriction | extension)
  2192. """
  2193. attributes = {'id':None,
  2194. 'mixed':0}
  2195. contents = {'xsd':['annotation', 'restriction', 'extension']}
  2196. tag = 'complexContent'
  2197. def isMixed(self):
  2198. m = self.getAttribute('mixed')
  2199. if m == 0 or m == False:
  2200. return False
  2201. if isinstance(m, basestring) is True:
  2202. if m in ('false', '0'):
  2203. return False
  2204. if m in ('true', '1'):
  2205. return True
  2206. raise SchemaError, 'invalid value for attribute mixed(%s): %s'\
  2207. %(m, self.getItemTrace())
  2208. class _DerivationBase(XMLSchemaComponent):
  2209. """<extension>,<restriction>
  2210. parents:
  2211. complexContent
  2212. attributes:
  2213. id -- ID
  2214. base -- QName, required
  2215. contents:
  2216. annotation?, (group | all | choice | sequence)?,
  2217. (attribute | attributeGroup)*, anyAttribute?
  2218. """
  2219. required = ['base']
  2220. attributes = {'id':None,
  2221. 'base':None }
  2222. contents = {'xsd':['annotation', 'group', 'all', 'choice',\
  2223. 'sequence', 'attribute', 'attributeGroup', 'anyAttribute']}
  2224. def __init__(self, parent):
  2225. XMLSchemaComponent.__init__(self, parent)
  2226. self.annotation = None
  2227. self.content = None
  2228. self.attr_content = None
  2229. def getAttributeContent(self):
  2230. return self.attr_content
  2231. def fromDom(self, node):
  2232. self.setAttributes(node)
  2233. contents = self.getContents(node)
  2234. indx = 0
  2235. num = len(contents)
  2236. #XXX ugly
  2237. if not num:
  2238. return
  2239. component = SplitQName(contents[indx].getTagName())[1]
  2240. if component == 'annotation':
  2241. self.annotation = Annotation(self)
  2242. self.annotation.fromDom(contents[indx])
  2243. indx += 1
  2244. component = SplitQName(contents[indx].getTagName())[1]
  2245. if component == 'all':
  2246. self.content = All(self)
  2247. self.content.fromDom(contents[indx])
  2248. indx += 1
  2249. elif component == 'choice':
  2250. self.content = Choice(self)
  2251. self.content.fromDom(contents[indx])
  2252. indx += 1
  2253. elif component == 'sequence':
  2254. self.content = Sequence(self)
  2255. self.content.fromDom(contents[indx])
  2256. indx += 1
  2257. elif component == 'group':
  2258. self.content = ModelGroupReference(self)
  2259. self.content.fromDom(contents[indx])
  2260. indx += 1
  2261. else:
  2262. self.content = None
  2263. self.attr_content = []
  2264. while indx < num:
  2265. component = SplitQName(contents[indx].getTagName())[1]
  2266. if component == 'attribute':
  2267. if contents[indx].hasattr('ref'):
  2268. self.attr_content.append(AttributeReference(self))
  2269. else:
  2270. self.attr_content.append(LocalAttributeDeclaration(self))
  2271. elif component == 'attributeGroup':
  2272. if contents[indx].hasattr('ref'):
  2273. self.attr_content.append(AttributeGroupReference(self))
  2274. else:
  2275. self.attr_content.append(AttributeGroupDefinition(self))
  2276. elif component == 'anyAttribute':
  2277. self.attr_content.append(AttributeWildCard(self))
  2278. else:
  2279. raise SchemaError, 'Unknown component (%s)' %(contents[indx].getTagName())
  2280. self.attr_content[-1].fromDom(contents[indx])
  2281. indx += 1
  2282. class Extension(_DerivationBase,
  2283. ExtensionMarker):
  2284. """<extension base>
  2285. parents:
  2286. complexContent
  2287. attributes:
  2288. id -- ID
  2289. base -- QName, required
  2290. contents:
  2291. annotation?, (group | all | choice | sequence)?,
  2292. (attribute | attributeGroup)*, anyAttribute?
  2293. """
  2294. tag = 'extension'
  2295. class Restriction(_DerivationBase,\
  2296. RestrictionMarker):
  2297. """<restriction base>
  2298. parents:
  2299. complexContent
  2300. attributes:
  2301. id -- ID
  2302. base -- QName, required
  2303. contents:
  2304. annotation?, (group | all | choice | sequence)?,
  2305. (attribute | attributeGroup)*, anyAttribute?
  2306. """
  2307. tag = 'restriction'
  2308. class SimpleContent(_DerivedType,\
  2309. SimpleMarker):
  2310. """<simpleContent>
  2311. parents:
  2312. complexType
  2313. attributes:
  2314. id -- ID
  2315. contents:
  2316. annotation?, (restriction | extension)
  2317. """
  2318. attributes = {'id':None}
  2319. contents = {'xsd':['annotation', 'restriction', 'extension']}
  2320. tag = 'simpleContent'
  2321. class Extension(XMLSchemaComponent,\
  2322. ExtensionMarker):
  2323. """<extension base>
  2324. parents:
  2325. simpleContent
  2326. attributes:
  2327. id -- ID
  2328. base -- QName, required
  2329. contents:
  2330. annotation?, (attribute | attributeGroup)*, anyAttribute?
  2331. """
  2332. required = ['base']
  2333. attributes = {'id':None,
  2334. 'base':None }
  2335. contents = {'xsd':['annotation', 'attribute', 'attributeGroup',
  2336. 'anyAttribute']}
  2337. tag = 'extension'
  2338. def __init__(self, parent):
  2339. XMLSchemaComponent.__init__(self, parent)
  2340. self.annotation = None
  2341. self.attr_content = None
  2342. def getAttributeContent(self):
  2343. return self.attr_content
  2344. def fromDom(self, node):
  2345. self.setAttributes(node)
  2346. contents = self.getContents(node)
  2347. indx = 0
  2348. num = len(contents)
  2349. if num:
  2350. component = SplitQName(contents[indx].getTagName())[1]
  2351. if component == 'annotation':
  2352. self.annotation = Annotation(self)
  2353. self.annotation.fromDom(contents[indx])
  2354. indx += 1
  2355. component = SplitQName(contents[indx].getTagName())[1]
  2356. content = []
  2357. while indx < num:
  2358. component = SplitQName(contents[indx].getTagName())[1]
  2359. if component == 'attribute':
  2360. if contents[indx].hasattr('ref'):
  2361. content.append(AttributeReference(self))
  2362. else:
  2363. content.append(LocalAttributeDeclaration(self))
  2364. elif component == 'attributeGroup':
  2365. content.append(AttributeGroupReference(self))
  2366. elif component == 'anyAttribute':
  2367. content.append(AttributeWildCard(self))
  2368. else:
  2369. raise SchemaError, 'Unknown component (%s)'\
  2370. %(contents[indx].getTagName())
  2371. content[-1].fromDom(contents[indx])
  2372. indx += 1
  2373. self.attr_content = tuple(content)
  2374. class Restriction(XMLSchemaComponent,\
  2375. RestrictionMarker):
  2376. """<restriction base>
  2377. parents:
  2378. simpleContent
  2379. attributes:
  2380. id -- ID
  2381. base -- QName, required
  2382. contents:
  2383. annotation?, simpleType?, (enumeration | length |
  2384. maxExclusive | maxInclusive | maxLength | minExclusive |
  2385. minInclusive | minLength | pattern | fractionDigits |
  2386. totalDigits | whiteSpace)*, (attribute | attributeGroup)*,
  2387. anyAttribute?
  2388. """
  2389. required = ['base']
  2390. attributes = {'id':None,
  2391. 'base':None }
  2392. contents = {'xsd':['annotation', 'simpleType', 'attribute',\
  2393. 'attributeGroup', 'anyAttribute'] + RestrictionMarker.facets}
  2394. tag = 'restriction'
  2395. def __init__(self, parent):
  2396. XMLSchemaComponent.__init__(self, parent)
  2397. self.annotation = None
  2398. self.content = None
  2399. self.attr_content = None
  2400. def getAttributeContent(self):
  2401. return self.attr_content
  2402. def fromDom(self, node):
  2403. self.content = []
  2404. self.setAttributes(node)
  2405. contents = self.getContents(node)
  2406. indx = 0
  2407. num = len(contents)
  2408. component = SplitQName(contents[indx].getTagName())[1]
  2409. if component == 'annotation':
  2410. self.annotation = Annotation(self)
  2411. self.annotation.fromDom(contents[indx])
  2412. indx += 1
  2413. component = SplitQName(contents[indx].getTagName())[1]
  2414. content = []
  2415. while indx < num:
  2416. component = SplitQName(contents[indx].getTagName())[1]
  2417. if component == 'attribute':
  2418. if contents[indx].hasattr('ref'):
  2419. content.append(AttributeReference(self))
  2420. else:
  2421. content.append(LocalAttributeDeclaration(self))
  2422. elif component == 'attributeGroup':
  2423. content.append(AttributeGroupReference(self))
  2424. elif component == 'anyAttribute':
  2425. content.append(AttributeWildCard(self))
  2426. elif component == 'simpleType':
  2427. self.content.append(AnonymousSimpleType(self))
  2428. self.content[-1].fromDom(contents[indx])
  2429. else:
  2430. raise SchemaError, 'Unknown component (%s)'\
  2431. %(contents[indx].getTagName())
  2432. content[-1].fromDom(contents[indx])
  2433. indx += 1
  2434. self.attr_content = tuple(content)
  2435. class LocalComplexType(ComplexType,\
  2436. LocalMarker):
  2437. """<complexType>
  2438. parents:
  2439. element
  2440. attributes:
  2441. id -- ID
  2442. mixed -- boolean, false
  2443. contents:
  2444. annotation?, (simpleContent | complexContent |
  2445. ((group | all | choice | sequence)?, (attribute | attributeGroup)*, anyAttribute?))
  2446. """
  2447. required = []
  2448. attributes = {'id':None,
  2449. 'mixed':0}
  2450. tag = 'complexType'
  2451. class SimpleType(XMLSchemaComponent,\
  2452. DefinitionMarker,\
  2453. SimpleMarker):
  2454. """<simpleType name>
  2455. parents:
  2456. redefine, schema
  2457. attributes:
  2458. id -- ID
  2459. name -- NCName, required
  2460. final -- ('#all' | ('extension' | 'restriction' | 'list' | 'union')*),
  2461. schema.finalDefault
  2462. contents:
  2463. annotation?, (restriction | list | union)
  2464. """
  2465. required = ['name']
  2466. attributes = {'id':None,
  2467. 'name':None,
  2468. 'final':lambda self: self._parent().getFinalDefault()}
  2469. contents = {'xsd':['annotation', 'restriction', 'list', 'union']}
  2470. tag = 'simpleType'
  2471. def __init__(self, parent):
  2472. XMLSchemaComponent.__init__(self, parent)
  2473. self.annotation = None
  2474. self.content = None
  2475. def getElementDeclaration(self, attribute):
  2476. raise Warning, 'invalid operation for <%s>' %self.tag
  2477. def getTypeDefinition(self, attribute):
  2478. raise Warning, 'invalid operation for <%s>' %self.tag
  2479. def fromDom(self, node):
  2480. self.setAttributes(node)
  2481. contents = self.getContents(node)
  2482. for child in contents:
  2483. component = SplitQName(child.getTagName())[1]
  2484. if component == 'annotation':
  2485. self.annotation = Annotation(self)
  2486. self.annotation.fromDom(child)
  2487. continue
  2488. break
  2489. else:
  2490. return
  2491. if component == 'restriction':
  2492. self.content = self.__class__.Restriction(self)
  2493. elif component == 'list':
  2494. self.content = self.__class__.List(self)
  2495. elif component == 'union':
  2496. self.content = self.__class__.Union(self)
  2497. else:
  2498. raise SchemaError, 'Unknown component (%s)' %(component)
  2499. self.content.fromDom(child)
  2500. class Restriction(XMLSchemaComponent,\
  2501. RestrictionMarker):
  2502. """<restriction base>
  2503. parents:
  2504. simpleType
  2505. attributes:
  2506. id -- ID
  2507. base -- QName, required or simpleType child
  2508. contents:
  2509. annotation?, simpleType?, (enumeration | length |
  2510. maxExclusive | maxInclusive | maxLength | minExclusive |
  2511. minInclusive | minLength | pattern | fractionDigits |
  2512. totalDigits | whiteSpace)*
  2513. """
  2514. attributes = {'id':None,
  2515. 'base':None }
  2516. contents = {'xsd':['annotation', 'simpleType']+RestrictionMarker.facets}
  2517. tag = 'restriction'
  2518. def __init__(self, parent):
  2519. XMLSchemaComponent.__init__(self, parent)
  2520. self.annotation = None
  2521. self.content = None
  2522. self.facets = None
  2523. def getAttributeBase(self):
  2524. return XMLSchemaComponent.getAttribute(self, 'base')
  2525. def getTypeDefinition(self, attribute='base'):
  2526. return XMLSchemaComponent.getTypeDefinition(self, attribute)
  2527. def getSimpleTypeContent(self):
  2528. for el in self.content:
  2529. if el.isSimple(): return el
  2530. return None
  2531. def fromDom(self, node):
  2532. self.facets = []
  2533. self.setAttributes(node)
  2534. contents = self.getContents(node)
  2535. content = []
  2536. for indx in range(len(contents)):
  2537. component = SplitQName(contents[indx].getTagName())[1]
  2538. if (component == 'annotation') and (not indx):
  2539. self.annotation = Annotation(self)
  2540. self.annotation.fromDom(contents[indx])
  2541. continue
  2542. elif (component == 'simpleType') and (not indx or indx == 1):
  2543. content.append(AnonymousSimpleType(self))
  2544. content[-1].fromDom(contents[indx])
  2545. elif component in RestrictionMarker.facets:
  2546. self.facets.append(contents[indx])
  2547. else:
  2548. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  2549. self.content = tuple(content)
  2550. class Union(XMLSchemaComponent,
  2551. UnionMarker):
  2552. """<union>
  2553. parents:
  2554. simpleType
  2555. attributes:
  2556. id -- ID
  2557. memberTypes -- list of QNames, required or simpleType child.
  2558. contents:
  2559. annotation?, simpleType*
  2560. """
  2561. attributes = {'id':None,
  2562. 'memberTypes':None }
  2563. contents = {'xsd':['annotation', 'simpleType']}
  2564. tag = 'union'
  2565. def __init__(self, parent):
  2566. XMLSchemaComponent.__init__(self, parent)
  2567. self.annotation = None
  2568. self.content = None
  2569. def fromDom(self, node):
  2570. self.setAttributes(node)
  2571. contents = self.getContents(node)
  2572. content = []
  2573. for indx in range(len(contents)):
  2574. component = SplitQName(contents[indx].getTagName())[1]
  2575. if (component == 'annotation') and (not indx):
  2576. self.annotation = Annotation(self)
  2577. self.annotation.fromDom(contents[indx])
  2578. elif (component == 'simpleType'):
  2579. content.append(AnonymousSimpleType(self))
  2580. content[-1].fromDom(contents[indx])
  2581. else:
  2582. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  2583. self.content = tuple(content)
  2584. class List(XMLSchemaComponent,
  2585. ListMarker):
  2586. """<list>
  2587. parents:
  2588. simpleType
  2589. attributes:
  2590. id -- ID
  2591. itemType -- QName, required or simpleType child.
  2592. contents:
  2593. annotation?, simpleType?
  2594. """
  2595. attributes = {'id':None,
  2596. 'itemType':None }
  2597. contents = {'xsd':['annotation', 'simpleType']}
  2598. tag = 'list'
  2599. def __init__(self, parent):
  2600. XMLSchemaComponent.__init__(self, parent)
  2601. self.annotation = None
  2602. self.content = None
  2603. def getItemType(self):
  2604. return self.attributes.get('itemType')
  2605. def getTypeDefinition(self, attribute='itemType'):
  2606. """
  2607. return the type refered to by itemType attribute or
  2608. the simpleType content. If returns None, then the
  2609. type refered to by itemType is primitive.
  2610. """
  2611. tp = XMLSchemaComponent.getTypeDefinition(self, attribute)
  2612. return tp or self.content
  2613. def fromDom(self, node):
  2614. self.annotation = None
  2615. self.content = None
  2616. self.setAttributes(node)
  2617. contents = self.getContents(node)
  2618. for indx in range(len(contents)):
  2619. component = SplitQName(contents[indx].getTagName())[1]
  2620. if (component == 'annotation') and (not indx):
  2621. self.annotation = Annotation(self)
  2622. self.annotation.fromDom(contents[indx])
  2623. elif (component == 'simpleType'):
  2624. self.content = AnonymousSimpleType(self)
  2625. self.content.fromDom(contents[indx])
  2626. break
  2627. else:
  2628. raise SchemaError, 'Unknown component (%s)' %(i.getTagName())
  2629. class AnonymousSimpleType(SimpleType,\
  2630. SimpleMarker,\
  2631. LocalMarker):
  2632. """<simpleType>
  2633. parents:
  2634. attribute, element, list, restriction, union
  2635. attributes:
  2636. id -- ID
  2637. contents:
  2638. annotation?, (restriction | list | union)
  2639. """
  2640. required = []
  2641. attributes = {'id':None}
  2642. tag = 'simpleType'
  2643. class Redefine:
  2644. """<redefine>
  2645. parents:
  2646. attributes:
  2647. contents:
  2648. """
  2649. tag = 'redefine'
  2650. ###########################
  2651. ###########################
  2652. if sys.version_info[:2] >= (2, 2):
  2653. tupleClass = tuple
  2654. else:
  2655. import UserTuple
  2656. tupleClass = UserTuple.UserTuple
  2657. class TypeDescriptionComponent(tupleClass):
  2658. """Tuple of length 2, consisting of
  2659. a namespace and unprefixed name.
  2660. """
  2661. def __init__(self, args):
  2662. """args -- (namespace, name)
  2663. Remove the name's prefix, irrelevant.
  2664. """
  2665. if len(args) != 2:
  2666. raise TypeError, 'expecting tuple (namespace, name), got %s' %args
  2667. elif args[1].find(':') >= 0:
  2668. args = (args[0], SplitQName(args[1])[1])
  2669. tuple.__init__(self, args)
  2670. return
  2671. def getTargetNamespace(self):
  2672. return self[0]
  2673. def getName(self):
  2674. return self[1]