home *** CD-ROM | disk | FTP | other *** search
/ Chip 2011 November / CHIP_2011_11.iso / Programy / Narzedzia / Inkscape / Inkscape-0.48.2-1-win32.exe / python / Lib / xml / sax / saxutils.py < prev    next >
Encoding:
Python Source  |  2010-03-06  |  9.5 KB  |  303 lines

  1. """\
  2. A library of useful helper classes to the SAX classes, for the
  3. convenience of application and driver writers.
  4. """
  5.  
  6. import os, urlparse, urllib, types
  7. import handler
  8. import xmlreader
  9.  
  10. try:
  11.     _StringTypes = [types.StringType, types.UnicodeType]
  12. except AttributeError:
  13.     _StringTypes = [types.StringType]
  14.  
  15. # See whether the xmlcharrefreplace error handler is
  16. # supported
  17. try:
  18.     from codecs import xmlcharrefreplace_errors
  19.     _error_handling = "xmlcharrefreplace"
  20.     del xmlcharrefreplace_errors
  21. except ImportError:
  22.     _error_handling = "strict"
  23.  
  24. def __dict_replace(s, d):
  25.     """Replace substrings of a string using a dictionary."""
  26.     for key, value in d.items():
  27.         s = s.replace(key, value)
  28.     return s
  29.  
  30. def escape(data, entities={}):
  31.     """Escape &, <, and > in a string of data.
  32.  
  33.     You can escape other strings of data by passing a dictionary as
  34.     the optional entities parameter.  The keys and values must all be
  35.     strings; each key will be replaced with its corresponding value.
  36.     """
  37.  
  38.     # must do ampersand first
  39.     data = data.replace("&", "&")
  40.     data = data.replace(">", ">")
  41.     data = data.replace("<", "<")
  42.     if entities:
  43.         data = __dict_replace(data, entities)
  44.     return data
  45.  
  46. def unescape(data, entities={}):
  47.     """Unescape &, <, and > in a string of data.
  48.  
  49.     You can unescape other strings of data by passing a dictionary as
  50.     the optional entities parameter.  The keys and values must all be
  51.     strings; each key will be replaced with its corresponding value.
  52.     """
  53.     data = data.replace("<", "<")
  54.     data = data.replace(">", ">")
  55.     if entities:
  56.         data = __dict_replace(data, entities)
  57.     # must do ampersand last
  58.     return data.replace("&", "&")
  59.  
  60. def quoteattr(data, entities={}):
  61.     """Escape and quote an attribute value.
  62.  
  63.     Escape &, <, and > in a string of data, then quote it for use as
  64.     an attribute value.  The \" character will be escaped as well, if
  65.     necessary.
  66.  
  67.     You can escape other strings of data by passing a dictionary as
  68.     the optional entities parameter.  The keys and values must all be
  69.     strings; each key will be replaced with its corresponding value.
  70.     """
  71.     entities = entities.copy()
  72.     entities.update({'\n': ' ', '\r': ' ', '\t':' '})
  73.     data = escape(data, entities)
  74.     if '"' in data:
  75.         if "'" in data:
  76.             data = '"%s"' % data.replace('"', """)
  77.         else:
  78.             data = "'%s'" % data
  79.     else:
  80.         data = '"%s"' % data
  81.     return data
  82.  
  83.  
  84. class XMLGenerator(handler.ContentHandler):
  85.  
  86.     def __init__(self, out=None, encoding="iso-8859-1"):
  87.         if out is None:
  88.             import sys
  89.             out = sys.stdout
  90.         handler.ContentHandler.__init__(self)
  91.         self._out = out
  92.         self._ns_contexts = [{}] # contains uri -> prefix dicts
  93.         self._current_context = self._ns_contexts[-1]
  94.         self._undeclared_ns_maps = []
  95.         self._encoding = encoding
  96.  
  97.     def _write(self, text):
  98.         if isinstance(text, str):
  99.             self._out.write(text)
  100.         else:
  101.             self._out.write(text.encode(self._encoding, _error_handling))
  102.  
  103.     def _qname(self, name):
  104.         """Builds a qualified name from a (ns_url, localname) pair"""
  105.         if name[0]:
  106.             # The name is in a non-empty namespace
  107.             prefix = self._current_context[name[0]]
  108.             if prefix:
  109.                 # If it is not the default namespace, prepend the prefix
  110.                 return prefix + ":" + name[1]
  111.         # Return the unqualified name
  112.         return name[1]
  113.  
  114.     # ContentHandler methods
  115.  
  116.     def startDocument(self):
  117.         self._write('<?xml version="1.0" encoding="%s"?>\n' %
  118.                         self._encoding)
  119.  
  120.     def startPrefixMapping(self, prefix, uri):
  121.         self._ns_contexts.append(self._current_context.copy())
  122.         self._current_context[uri] = prefix
  123.         self._undeclared_ns_maps.append((prefix, uri))
  124.  
  125.     def endPrefixMapping(self, prefix):
  126.         self._current_context = self._ns_contexts[-1]
  127.         del self._ns_contexts[-1]
  128.  
  129.     def startElement(self, name, attrs):
  130.         self._write('<' + name)
  131.         for (name, value) in attrs.items():
  132.             self._write(' %s=%s' % (name, quoteattr(value)))
  133.         self._write('>')
  134.  
  135.     def endElement(self, name):
  136.         self._write('</%s>' % name)
  137.  
  138.     def startElementNS(self, name, qname, attrs):
  139.         self._write('<' + self._qname(name))
  140.  
  141.         for prefix, uri in self._undeclared_ns_maps:
  142.             if prefix:
  143.                 self._out.write(' xmlns:%s="%s"' % (prefix, uri))
  144.             else:
  145.                 self._out.write(' xmlns="%s"' % uri)
  146.         self._undeclared_ns_maps = []
  147.  
  148.         for (name, value) in attrs.items():
  149.             self._write(' %s=%s' % (self._qname(name), quoteattr(value)))
  150.         self._write('>')
  151.  
  152.     def endElementNS(self, name, qname):
  153.         self._write('</%s>' % self._qname(name))
  154.  
  155.     def characters(self, content):
  156.         self._write(escape(content))
  157.  
  158.     def ignorableWhitespace(self, content):
  159.         self._write(content)
  160.  
  161.     def processingInstruction(self, target, data):
  162.         self._write('<?%s %s?>' % (target, data))
  163.  
  164.  
  165. class XMLFilterBase(xmlreader.XMLReader):
  166.     """This class is designed to sit between an XMLReader and the
  167.     client application's event handlers.  By default, it does nothing
  168.     but pass requests up to the reader and events on to the handlers
  169.     unmodified, but subclasses can override specific methods to modify
  170.     the event stream or the configuration requests as they pass
  171.     through."""
  172.  
  173.     def __init__(self, parent = None):
  174.         xmlreader.XMLReader.__init__(self)
  175.         self._parent = parent
  176.  
  177.     # ErrorHandler methods
  178.  
  179.     def error(self, exception):
  180.         self._err_handler.error(exception)
  181.  
  182.     def fatalError(self, exception):
  183.         self._err_handler.fatalError(exception)
  184.  
  185.     def warning(self, exception):
  186.         self._err_handler.warning(exception)
  187.  
  188.     # ContentHandler methods
  189.  
  190.     def setDocumentLocator(self, locator):
  191.         self._cont_handler.setDocumentLocator(locator)
  192.  
  193.     def startDocument(self):
  194.         self._cont_handler.startDocument()
  195.  
  196.     def endDocument(self):
  197.         self._cont_handler.endDocument()
  198.  
  199.     def startPrefixMapping(self, prefix, uri):
  200.         self._cont_handler.startPrefixMapping(prefix, uri)
  201.  
  202.     def endPrefixMapping(self, prefix):
  203.         self._cont_handler.endPrefixMapping(prefix)
  204.  
  205.     def startElement(self, name, attrs):
  206.         self._cont_handler.startElement(name, attrs)
  207.  
  208.     def endElement(self, name):
  209.         self._cont_handler.endElement(name)
  210.  
  211.     def startElementNS(self, name, qname, attrs):
  212.         self._cont_handler.startElementNS(name, qname, attrs)
  213.  
  214.     def endElementNS(self, name, qname):
  215.         self._cont_handler.endElementNS(name, qname)
  216.  
  217.     def characters(self, content):
  218.         self._cont_handler.characters(content)
  219.  
  220.     def ignorableWhitespace(self, chars):
  221.         self._cont_handler.ignorableWhitespace(chars)
  222.  
  223.     def processingInstruction(self, target, data):
  224.         self._cont_handler.processingInstruction(target, data)
  225.  
  226.     def skippedEntity(self, name):
  227.         self._cont_handler.skippedEntity(name)
  228.  
  229.     # DTDHandler methods
  230.  
  231.     def notationDecl(self, name, publicId, systemId):
  232.         self._dtd_handler.notationDecl(name, publicId, systemId)
  233.  
  234.     def unparsedEntityDecl(self, name, publicId, systemId, ndata):
  235.         self._dtd_handler.unparsedEntityDecl(name, publicId, systemId, ndata)
  236.  
  237.     # EntityResolver methods
  238.  
  239.     def resolveEntity(self, publicId, systemId):
  240.         return self._ent_handler.resolveEntity(publicId, systemId)
  241.  
  242.     # XMLReader methods
  243.  
  244.     def parse(self, source):
  245.         self._parent.setContentHandler(self)
  246.         self._parent.setErrorHandler(self)
  247.         self._parent.setEntityResolver(self)
  248.         self._parent.setDTDHandler(self)
  249.         self._parent.parse(source)
  250.  
  251.     def setLocale(self, locale):
  252.         self._parent.setLocale(locale)
  253.  
  254.     def getFeature(self, name):
  255.         return self._parent.getFeature(name)
  256.  
  257.     def setFeature(self, name, state):
  258.         self._parent.setFeature(name, state)
  259.  
  260.     def getProperty(self, name):
  261.         return self._parent.getProperty(name)
  262.  
  263.     def setProperty(self, name, value):
  264.         self._parent.setProperty(name, value)
  265.  
  266.     # XMLFilter methods
  267.  
  268.     def getParent(self):
  269.         return self._parent
  270.  
  271.     def setParent(self, parent):
  272.         self._parent = parent
  273.  
  274. # --- Utility functions
  275.  
  276. def prepare_input_source(source, base = ""):
  277.     """This function takes an InputSource and an optional base URL and
  278.     returns a fully resolved InputSource object ready for reading."""
  279.  
  280.     if type(source) in _StringTypes:
  281.         source = xmlreader.InputSource(source)
  282.     elif hasattr(source, "read"):
  283.         f = source
  284.         source = xmlreader.InputSource()
  285.         source.setByteStream(f)
  286.         if hasattr(f, "name"):
  287.             source.setSystemId(f.name)
  288.  
  289.     if source.getByteStream() is None:
  290.         sysid = source.getSystemId()
  291.         basehead = os.path.dirname(os.path.normpath(base))
  292.         sysidfilename = os.path.join(basehead, sysid)
  293.         if os.path.isfile(sysidfilename):
  294.             source.setSystemId(sysidfilename)
  295.             f = open(sysidfilename, "rb")
  296.         else:
  297.             source.setSystemId(urlparse.urljoin(base, sysid))
  298.             f = urllib.urlopen(source.getSystemId())
  299.  
  300.         source.setByteStream(f)
  301.  
  302.     return source
  303.