# -*- coding: iso-8859-1 -*- # #------------------------------------------------------------------------------- # Code_Saturne version 1.3 # ------------------------ # # # This file is part of the Code_Saturne User Interface, element of the # Code_Saturne CFD tool. # # Copyright (C) 1998-2007 EDF S.A., France # # contact: saturne-support@edf.fr # # The Code_Saturne User Interface is free software; you can redistribute it # and/or modify it under the terms of the GNU General Public License # as published by the Free Software Foundation; either version 2 of # the License, or (at your option) any later version. # # The Code_Saturne User Interface is distributed in the hope that it will be # useful, but WITHOUT ANY WARRANTY; without even the implied warranty # of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU General Public License for more details. # # You should have received a copy of the GNU General Public License # along with the Code_Saturne Kernel; if not, write to the # Free Software Foundation, Inc., # 51 Franklin St, Fifth Floor, # Boston, MA 02110-1301 USA # #------------------------------------------------------------------------------- """ This module defines a Lightweight XML constructor and reader. It provides a management of the XML document, which reflets the treated case. This module defines the following classes: - Dico - XMLElement - _Document (obsolete since Python 2.3) - XMLDocument - Case - XMLDocumentTestCase """ #------------------------------------------------------------------------------- # String for the root node of the xml document from the case #------------------------------------------------------------------------------- rootNode = '' #rootNode = '' #------------------------------------------------------------------------------- # Library modules import #------------------------------------------------------------------------------- import os, sys, string, unittest from types import StringType, UnicodeType, FloatType, IntType from xml.dom.minidom import Document, parse, parseString, Node #------------------------------------------------------------------------------- # Application modules import #------------------------------------------------------------------------------- #------------------------------------------------------------------------------- # Simple class wich emulate a basic dictionary, but allows to make # everytimes verification on values and keys #------------------------------------------------------------------------------- class Dico: """ This define a simple class in order to store informations about the case. These informations are usefull only for the current session, and are forgotten for the next one. """ def __init__(self): """ Create a dictionary and the associated key. """ self.data = {} self.data['new'] = "" self.data['saved'] = "yes" self.data['xmlfile'] = "" self.data['mesh_path'] = "" self.data['user_src_path'] = "" self.data['data_path'] = "" self.data['resu_path'] = "" self.data['scripts_path'] = "" self.data['relevant_subdir'] = "no" self.data['probes'] = 0 self.data['case_path'] = "" self.data['batchScript'] = {} self.data['backupBatchScript'] = {} self.data['computer'] = "" self.data['no_boundary_conditions'] = 0 # FIXME: are these 5 following lines usefull ? from Toolbox import CreateHlist leaves = CreateHlist() self.data['currentPage'] = "" for key in leaves.childs_key: self.data[key] = {'num_entry': 0 , 'depends': [] } self.data['define_boundary_layout'] = "" def _errorExit(self, msg): """ """ print 'CASE DICO ERROR' raise ValueError, msg def __setitem__(self, key, name): """ Store values in the data dictionary when the key existe in the dictionary. """ if hasattr(self, 'data'): if self.data.has_key(key): self.data[key] = name else: msg = "There is an error in the use of the dictionary "+ \ "with the key named: " + key + ". \n" + \ "The application will finish.\n" \ "Please contact the devlopment team." print self._errorExit(msg) def __getitem__(self, key): """ Extraction of informations from the data dictionary. """ if hasattr(self, 'data'): if self.data.has_key(key): return self.data[key] else: return None def printDico(self): """ Simple tool wich print on the current terminal the contents of the dico. """ if hasattr(self, 'data'): for i in self.data.keys(): print "%s -> %s" % (i, self.data[i]) #------------------------------------------------------------------------------- # Lightweight XML constructor and reader #------------------------------------------------------------------------------- enc = "utf-8" def _encode(v): """ return a byte string. This function handles the Unicode encoding. minidom handles only byte strings, see: http://evanjones.ca/python-utf8.html """ if isinstance(v, UnicodeType): v = v.encode(enc) return v class XMLElement: """ """ def __init__(self, doc, el): """ Constructor. """ self.doc = doc self.el = el def _errorExit(self, msg): """ """ print 'XML ERROR' raise ValueError, msg def toString(self): """ Print the XMLElement node to a simple string (without \n and \t). Unicode characters are encoded. """ return self.el.toxml(enc) def toUnicodeString(self): """ Print the XMLElement node to an unicode string (without \n and \t). Unicode string are decoded if it's possible by the standard output, if not unicode characters are replaced by '?' character. Warning: do not use this method for comparison purpose! """ unicode_obj = self.el.toxml() try: return unicode_obj.encode("iso-8859-1",'replace') except: return unicode_obj.encode(sys.stdout.encoding,'replace') def __str__(self): """ Print the XMLElement node with \n and \t. Unicode string are decoded if it's possible by the standard output, if not unicode characters are replaced by '?' character. Warning: do not use this method for comparison purpose! """ unicode_obj = self.el.toprettyxml() try: return unicode_obj.encode("iso-8859-1",'replace') except: return unicode_obj.encode(sys.stdout.encoding,'replace') def _inst(self, el): """ Transform a Element node to an instance of the XMLElement class. """ return XMLElement(self.doc, el) def xmlCreateAttribute(self, **kwargs): """ Set attributes to a XMLElement node, only if these attributes does not allready exist. """ for attr, value in kwargs.items(): if not self.el.hasAttribute(attr): self.el.setAttribute(attr, _encode(value)) def xmlGetAttributeDictionary(self): """ Return the dictionary of the XMLElement node attributes. """ d = {} if self.el.nodeType == Node.ELEMENT_NODE: if self.el.hasAttributes(): attrs = self.el._get_attributes() a_names = attrs.keys() a_names.sort() for a_name in a_names: d[a_name] = attrs[a_name].value return d def xmlGetAttribute(self, attr): """ Return the value of the XMLElement node attribute. Crash if the searched attribute does not exist. """ if not self.el.hasAttribute(attr): node = self.__str__() attr = attr.encode(sys.stdout.encoding,'replace') msg = "There is an error in with the elementNode: \n\n" \ + node + "\n\nand the searching attribute: \n\n" \ + attr + "\n\nThe application will finish." self._errorExit(msg) else: a = self.el.getAttributeNode(attr) return _encode(a.value) def xmlSetAttribute(self, **kwargs): """ Set several attribute (key=value) to a node """ for attr, value in kwargs.items(): self.el.setAttribute(attr, _encode(value)) def xmlDelAttribute(self, attr): """ Delete the XMLElement node attribute """ if self.el.hasAttribute(attr): self.el.removeAttribute(attr) def __getitem__(self, attr): """ Return the XMLElement attribute's value with a dictionary syntaxe: node['attr'] Return None if the searched attribute does not exist. """ a = self.el.getAttributeNode(attr) if a: return _encode(a.value) return None def __setitem__(self, attr, value): """ Set a XMLElement attribute an its value with a dictionary syntaxe: node['attr'] = value """ self.el.setAttribute(attr, _encode(value)) def __delitem__(self, name): """ Delete a XMLElement attribute with a dictionary syntaxe: del node['attr'] """ self.xmlDelAttribute(name) def xmlSortByTagName(self): """ Return a dictionary which keys are the name of the node. """ d = {} for node in self.el.childNodes: if node.nodeType == Node.ELEMENT_NODE: dd = self._inst(node).xmlGetAttributeDictionary() key = node.tagName for k in dd.keys(): key = key + (k+dd[k]) d[key] = self._inst(node) elif node.nodeType == Node.TEXT_NODE: try: k = float(node.data) except: k = node.data d[k] = self._inst(node) return d def __cmp__(self, other): """ Return 0 if two XMLElement are the same, return 1 otherwise. """ if not other: return 1 if not isinstance(other, XMLElement): return 1 if self.el.nodeType == Node.ELEMENT_NODE: if self.el.tagName != other.el.tagName: return 1 elif self.el.nodeType == Node.TEXT_NODE: try: a = float(self.el.data) b = float(other.el.data) except: a = self.el.data b = other.el.data if a != b: return 1 if self.xmlGetAttributeDictionary() != other.xmlGetAttributeDictionary(): return 1 d1 = self.xmlSortByTagName() d2 = other.xmlSortByTagName() l1 = d1.keys() l2 = d2.keys() l1.sort() l2.sort() if l1 != l2: return 1 if self.el.childNodes and other.el.childNodes: for key in d1.keys(): if d1[key] != d2[key]: return 1 return 0 def _nodeList(self, tag, *attrList, **kwargs): """ Return a list of Element (and not XMLElement)! """ nodeList = [] # Get the nodes list # nodeL = self.el.getElementsByTagName(tag) # If there is a precision for the selection # #TRYME ## for attr in attrList: ## for node in nodeL: ## if node.hasAttribute(attr) and node not in nodeList: ## nodeList.append(node) ## if attrList and kwargs: ## nodeL = nodeList ## nodeList = [] ## for k, v in kwargs.items(): ## for node in nodeL: ## if node.getAttribute(k) == v and node not in nodeList: ## nodeList.append(node) for node in nodeL: iok = 0 for attr in attrList: if node.hasAttribute(attr): iok = 1 else: iok = 0 break if iok: nodeList.append(node) if attrList and kwargs: nodeL = nodeList nodeList = [] for node in nodeL: iok = 0 for k, v in kwargs.items(): if node.getAttribute(k) == v: iok = 1 else: iok = 0 break if iok: nodeList.append(node) #TRYME if not attrList and not kwargs: nodeList = nodeL return nodeList def _childNodeList(self, tag, *attrList, **kwargs): """ Return a list of first child Element node from the explored XMLElement node. """ nodeList = self._nodeList(tag, *attrList, **kwargs) childNodeList = [] if self.el.hasChildNodes(): for node in self.el.childNodes: if node.nodeType == Node.ELEMENT_NODE: if node.nodeName == tag and node in nodeList: childNodeList.append(node) return childNodeList def xmlAddChild(self, tag, *attrList, **kwargs): """ Add a new XMLElement node as a child of the current XMLElement node (i.e. self), with attributes and value. """ el = self.doc.createElement(tag) for k in attrList: el.setAttribute(k, "") for k, v in kwargs.items(): el.setAttribute(k, _encode(str(v))) return self._inst(self.el.appendChild(el)) def xmlSetTextNode(self, newTextNode): """ Replace old text value of a TEXT_NODE by the new one. If the elementNode 'node' has no TEXT_NODE as childNodes, it will be created. """ if newTextNode == "" or newTextNode == None : return if type(newTextNode) != StringType: newTextNode = str(newTextNode) ## msg = "There is an error in with the use of the xmlSetTextNode method. "\ ## "The textNode is not a StringType, it is a: \n\n" + \ ## type(textNode) + "\n\nThe application will finish." ## self._errorExit(msg) if self.el.hasChildNodes(): for n in self.el.childNodes: if n.nodeType == Node.TEXT_NODE: n.data = _encode(newTextNode) else: self._inst( self.el.appendChild( self.doc.createTextNode(_encode(newTextNode)))) def xmlSetData(self, tag, textNode, *attrList, **kwargs): """ Set the textNode in an elementNode, which is a single node. If the searched 'tag' doesn't exist, it is create and textNode is added as a child TEXT_NODE nodeType. Return a XMLElement list of the created Node. """ # First we convert textNode in string, if necessary. # About the precision display read : # "B. Floating Point Arithmetic: Issues and Limitations # http://www.python.org/doc/current/tut/node14.html" # if type(textNode) == FloatType: textNode = str("%g" % (textNode)) nodeList = self._childNodeList(tag, *attrList, **kwargs) elementList = [] # Add a new ELEMENT_NODE and a new TEXT_NODE # or replace an existing TEXT_NODE # if not nodeList: child = self.xmlAddChild(tag, *attrList, **kwargs) child.xmlSetTextNode(textNode) elementList.append(child) else: for node in nodeList: child = self._inst(node) child.xmlSetTextNode(textNode) elementList.append(child) return elementList def xmlGetTextNode(self, sep=" "): """ """ rc = [] if self.el.hasChildNodes(): for node in self.el.childNodes: if node.nodeType == node.TEXT_NODE: rc.append(node.data) return _encode(string.join(rc, sep)) else: return None def xmlGetStringList(self, tag, *attrList, **kwargs): """ Return a list of TEXT_NODE associed to the tagName elements from the explored elementNode. """ stringList = [] nodeList = self._nodeList(tag, *attrList, **kwargs) if nodeList: for node in nodeList: data = self._inst(node).xmlGetTextNode() if data: stringList.append(data) return stringList def xmlGetChildStringList(self, tag, *attrList, **kwargs): """ Return a list of TEXT_NODE associed to the tagName elements from the explored elementNode. """ stringList = [] nodeList = self._childNodeList(tag, *attrList, **kwargs) if nodeList: for node in nodeList: data = self._inst(node).xmlGetTextNode() if data: stringList.append(data) return stringList def xmlGetIntList(self, tag, *attrList, **kwargs): """ Return a list of integer insteed of a list of one string. """ intList = [] stringList = self.xmlGetStringList(tag, *attrList, **kwargs) for s in stringList: try: intList.append(int(s)) except: pass return intList def xmlGetString(self, tag, *attrList, **kwargs): """ Just verify that te returned list contains only one string variable. Return a string and not a list of one string. """ stringList = self.xmlGetStringList(tag, *attrList, **kwargs) if stringList: if len(stringList) == 1: string = stringList[0] else: msg = "There is an error in with the use of the xmlGetString method. "\ "There is more than one occurence of the tagName: \n\n" + tag self._errorExit(msg) else: string = "" return string def xmlGetChildString(self, tag, *attrList, **kwargs): """ Just verify that te returned list contains only one string variable. Return a string and not a list of one string. """ stringList = self.xmlGetChildStringList(tag, *attrList, **kwargs) if stringList: if len(stringList) == 1: string = stringList[0] else: msg = "There is an error in with the use of the xmlGetChildString method. "\ "There is more than one occurence of the tagName: \n\n" + tag self._errorExit(msg) else: string = "" return string def xmlGetInt(self, tag, *attrList, **kwargs): """ Just verify that te returned list contains only one string variable. Return an integer and not a list of one string. """ stringList = self.xmlGetStringList(tag, *attrList, **kwargs) if stringList: if len(stringList) == 1: try: integer = int(stringList[0]) except: integer = None else: msg = "There is an error in with the use of the xmlGetInt method. "\ "There is more than one occurence of the tagName: \n\n" + tag self._errorExit(msg) else: integer = None return integer def xmlGetDouble(self, tag, *attrList, **kwargs): """ Just verify that the returned list contains only one string variable. Return a float and not a list of one string. """ stringList = self.xmlGetStringList(tag, *attrList, **kwargs) if stringList: if len(stringList) == 1: try: double = float(stringList[0]) except: double = None else: msg = "There is an error in with the use of the xmlGetDouble method. "\ "There is more than one occurence of the tagName: \n\n" + tag self._errorExit(msg) else: double = None return double def xmlGetChildDouble(self, tag, *attrList, **kwargs): """ Just verify that te returned list contains only one string variable. Return a float and not a list of one string. """ stringList = self.xmlGetChildStringList(tag, *attrList, **kwargs) if stringList: if len(stringList) == 1: try: double = float(stringList[0]) except: double = None else: msg = "There is an error in with the use of the xmlGetChildDouble method. "\ "There is more than one occurence of the tagName: \n\n" + tag self._errorExit(msg) else: double = None return double def xmlAddComment(self, data): """ Create a comment XMLElement node. """ return self._inst( self.el.appendChild(self.doc.createComment(data)) ) def xmlGetNodeList(self, tag, *attrList, **kwargs): """ Return a list of XMLElement nodes from the explored XMLElement node (i.e. self). """ return map(self._inst, self._nodeList(tag, *attrList, **kwargs)) def xmlGetNode(self, tag, *attrList, **kwargs): """ Return a single XMLElement node from the explored elementNode. The returned element is an instance of the XMLElement class. """ nodeList = self._nodeList(tag, *attrList, **kwargs) if len(nodeList) > 1: msg = "There is an error in with the use of the xmlGetNode method. "\ "There is more than one occurence of the tag: \n\n" + tag self._errorExit(msg) elif len(nodeList) == 1: return self._inst(nodeList[0]) else: return None def xmlGetChildNodeList(self, tag, *attrList, **kwargs): """ Return a list of XMLElement nodes from the explored elementNode. Each element of the returned list is an instance of the XMLElement class. """ return map(self._inst, self._childNodeList(tag, *attrList, **kwargs)) def xmlGetChildNode(self, tag, *attrList, **kwargs): """ Return a single XMLElement node from the explored elementNode. The returned element is an instance of the XMLElement class. """ nodeList = self._childNodeList(tag, *attrList, **kwargs) if len(nodeList) > 1: msg = "There is an error in with the use of the xmlGetChildNode method. "\ "There is more than one occurence of the tag: \n\n" + tag self._errorExit(msg) elif len(nodeList) == 1: return self._inst(nodeList[0]) else: return None def xmlInitNodeList(self, tag, *attrList, **kwargs): """ Each element of the returned list is an instance of the XMLElement class. """ nodeList = self._nodeList(tag, *attrList, **kwargs) if not nodeList: child = self.xmlAddChild(tag, *attrList, **kwargs) for k in attrList: child.el.setAttribute(k, "") for k, v in kwargs.items(): child.el.setAttribute(k, _encode(v)) nodeList.append(child) else: list = [] for node in nodeList: list.append(self._inst(node)) nodeList = list return nodeList def xmlInitChildNodeList(self, tag, *attrList, **kwargs): """ Each element of the returned list is an instance of the XMLElement class. """ nodeList = self._childNodeList(tag, *attrList, **kwargs) if not nodeList: child = self.xmlAddChild(tag, *attrList, **kwargs) for k in attrList: child.el.setAttribute(k, "") for k, v in kwargs.items(): child.el.setAttribute(k, _encode(v)) nodeList.append(child) else: list = [] for node in nodeList: list.append(self._inst(node)) nodeList = list return nodeList def xmlInitNode(self, tag, *attrList, **kwargs): """ Return a single XMLElement node from the explored elementNode. If the tag does not exist, it will be created. The returned element is an instance of the XMLElement class. """ nodeList = self._nodeList(tag, *attrList, **kwargs) if not nodeList: child = self.xmlAddChild(tag, *attrList, **kwargs) for k in attrList: child.el.setAttribute(k, "") for k, v in kwargs.items(): child.el.setAttribute(k, _encode(v)) else: if len(nodeList) > 1: msg = "There is an error in with the use of the xmlInitNode method. "\ "There is more than one occurence of the tag: \n\n" + tag self._errorExit(msg) else: child = self._inst(nodeList[0]) return child def xmlInitChildNode(self, tag, *attrList, **kwargs): """ Return a single XMLElement child node from the explored elementNode. If the tag does not exist, it will be created. The returned element is an instance of the XMLElement class. """ nodeList = self._childNodeList(tag, *attrList, **kwargs) if not nodeList: child = self.xmlAddChild(tag, *attrList, **kwargs) for k in attrList: child.el.setAttribute(k, "") for k, v in kwargs.items(): child.el.setAttribute(k, _encode(v)) else: if len(nodeList) > 1: msg = "There is an error in with the use of the xmlInitChildNode method. "\ "There is more than one occurence of the tag: \n\n" + tag self._errorExit(msg) else: child = self._inst(nodeList[0]) return child def xmlChildsCopy(self, oldNode, deep=1000): """ Copy all childsNode of oldNode to the node newNode. 'deep' is the childs and little-childs level of the copy. """ if oldNode.el.hasChildNodes(): for n in oldNode.el.childNodes: self._inst(self.el.appendChild(n.cloneNode(deep))) def xmlRemoveNode(self): """ Destroy a single node. """ oldChild = self.el.parentNode.removeChild(self.el) oldChild.unlink() def xmlRemoveChild(self, tag, *attrList, **kwargs): """ Destroy the nodeList found with 'tag' and 'attrList'/'kwargs' if they exist. """ for node in self._nodeList(tag, *attrList, **kwargs): self._inst(node).xmlRemoveNode() def xmlNormalizeWhitespace(self, text): """ return a string without redundant whitespace. """ # This function is important even if it is single line. # XML treats whitespace very flexibly; you can # include extra spaces or newlines wherever you like. This means that # you must normalize the whitespace before comparing attribute values or # element content; otherwise the comparison might produce a wrong # result due to the content of two elements having different amounts of # whitespace. return string.join(string.split(text), ' ') ##class _Document(Document): ## """ ## """ ## def writexml(self, writer, indent="", addindent="", newl=""): ## """ ## """ ## writer.write('\n' % enc) ## for node in self.childNodes: ## node.writexml(writer, indent, addindent, newl) class XMLDocument(XMLElement): """ """ def __init__(self, tag=None, *attrList, **kwargs): """ """ ## self.doc = _Document() self.doc = Document() XMLElement.__init__(self, self.doc, self.doc) if tag: self.el = self.xmlAddChild(tag, *attrList, **kwargs).el def root(self): """ This function return the only one root element of the document (higher level of ELEMENT_NODE after the markup). """ return self._inst(self.doc.documentElement) def toString(self): """ Return the XMLDocument to a byte string (without \n and \t). Unicode characters are encoded. """ return self.el.toxml(enc) def toUnicodeString(self): """ Return the XMLDocument node to a byte string (without \n and \t). Unicode string are decoded if it's possible by the standard output, if not unicode characters are replaced by '?' character. Warning: do not use this method for comparison purpose! """ unicode_obj = self.el.toxml() try: return unicode_obj.encode("iso-8859-1",'replace') except: return unicode_obj.encode(sys.stdout.encoding,'replace') def toPrettyString(self): """ Return the XMLDocument to a byte string with \n and \t. Unicode characters are encoded. """ return self.doc.toprettyxml(encoding = enc) def toPrettyUnicodeString(self): """ Return the XMLDocument node to a byte string with \n and \t. Unicode string are decoded if it's possible by the standard output, if not unicode characters are replaced by '?' character. Warning: the returned XMLDocument do not show the encoding in the header, because it is already encoded! Warning: do not use this method for comparison purpose! """ unicode_obj = self.el.toprettyxml() try: return unicode_obj.encode("iso-8859-1",'replace') except: return unicode_obj.encode(sys.stdout.encoding,'replace') def __str__(self): """ Print the XMLDocument node with \n and \t. Unicode string are decoded if it's possible by the standard output, if not unicode characters are replaced by '?' character. Warning: the returned XMLDocument do not show the encoding in the header, because it is already encoded! Warning: do not use this method for comparison purpose! """ return self.toPrettyUnicodeString() def parse(self, d): """ return a xml doc from a file """ self.doc = self.el = parse(d) return self def parseString(self, d): """ return a xml doc from a string """ self.doc = self.el = parseString(_encode(d)) return self ## def xmlSaveDocument(self): ## """ ## This method write the associated xml file. ## See saveCase and saveCaseAs methods in the Main module. ## """ ## try: ## file = open(self['xmlfile'], 'w') ## file.write(self.toPrettyString()) ## file.close() ## self['new'] = "no" ## self['saved'] = "yes" ## except IOError: ## msg = "Error: unable to save the XML document file." , ## "(XMLengine module, Case class, xmlSaveDocument method)" ## print msg def xmlSaveDocument(self): """ This method write the associated xml file. See saveCase and saveCaseAs methods in the Main module. """ try: d = XMLDocument().parseString(self.toPrettyString()) d.xmlCleanHightLevelBlank(d.root()) file = open(self['xmlfile'], 'w') file.write(d.toString()) file.close() self['new'] = "no" self['saved'] = "yes" d.doc.unlink() except IOError: msg = "Error: unable to save the XML document file." , "(XMLengine module, Case class, xmlSaveDocument method)" print msg def xmlCleanAllBlank(self, node): """ Clean a previous XMLElement file. The purpose of this method is to delete all TEXT_NODE which are "\n" or "\t". It is a recursive method. """ if isinstance(node, XMLElement): node = node.el for n in node.childNodes: if n.nodeType == Node.TEXT_NODE: n.data = self.xmlNormalizeWhitespace(n.data) node.normalize() for n in node.childNodes: if n.nodeType == Node.TEXT_NODE: if n.data == "": old_child = node.removeChild(n) old_child.unlink() for n in node.childNodes: if n.nodeType == Node.ELEMENT_NODE: if n.hasChildNodes(): self.xmlCleanAllBlank(n) def xmlCleanHightLevelBlank(self, node): """ This method deletes TEXT_NODE which are "\n" or "\t" in the hight level of the ELEMENT_NODE nodes. It is a recursive method. """ if isinstance(node, XMLElement): node = node.el elementNode = 0 for n in node.childNodes: if n.nodeType == Node.ELEMENT_NODE: elementNode = 1 if n.hasChildNodes(): self.xmlCleanHightLevelBlank(n) for n in node.childNodes: if n.nodeType == Node.TEXT_NODE and not elementNode: self.xmlCleanAllBlank(n.parentNode) #------------------------------------------------------------------------------- # XML utility functions #------------------------------------------------------------------------------- class Case(Dico, XMLDocument): def __init__(self, file_name=""): """ Instantiate a new dico and a new xml doc """ Dico.__init__(self) XMLDocument.__init__(self) if file_name: self.parse(file_name) self['new'] = "no" self['saved'] = "yes" else: self.parseString(rootNode) self['new'] = "yes" self['saved'] = "yes" def xmlRootNode(self): """ This function return the only one root element of the document (higher level of ELEMENT_NODE). """ return self.doc.documentElement def __del__(self): """ What to do when the instance of Case is deleted. """ if hasattr(self, 'data'): delattr(self, 'data') if hasattr(self, 'doc'): self.doc.unlink() delattr(self, 'doc') def __str__(self): """ Print on the current terminal the contents of the case. """ self.printDico() return self.toPrettyUnicodeString() #------------------------------------------------------------------------------- # XMLengine test case #------------------------------------------------------------------------------- class XMLengineTestCase(unittest.TestCase): def setUp(self): """This method is executed before all "check" methods.""" self.doc = XMLDocument() def tearDown(self): """This method is executed after all "check" methods.""" self.doc.doc.unlink() def xmlNewFile(self): """Private method to return a xml document.""" return \ u'' def xmlNodeFromString(self, string): """Private method to return a xml node from string""" return self.doc.parseString(string).root() def checkXMLDocumentInstantiation(self): """Check whether the Case class could be instantiated.""" xmldoc = None tag = None xmldoc = XMLDocument(tag) assert xmldoc, 'Could not instantiate XMLDocument' def checkXmlAddChild(self): """Check whether a node child could be added.""" node = self.doc.xmlAddChild("table", name="test") node.xmlAddChild("field", "label", name="info", type="text") truc = node.toString() doc = ''\ ''\ '
' assert doc == truc, 'Could not use the xmlAddChild method' def checkNodeList(self): """Check whether a node could be found if it does exist.""" xmldoc = self.doc.parseString(self.xmlNewFile()) node = '' nodeList = xmldoc._nodeList('fruits') truc = nodeList[0].toxml() assert node == truc, 'Could not use the _nodeList method' nodeList = xmldoc._nodeList('fruits', 'color') truc = nodeList[0].toxml() assert node == truc, 'Could not use the _nodeList method' nodeList = xmldoc._nodeList('fruits', color="red") truc = nodeList[0].toxml() assert node == truc, 'Could not use the _nodeList method' def checkChildNodeList(self): """Check whether a child node could be found if it does exist.""" xmldoc = self.doc.parseString(self.xmlNewFile()) n = self.doc._inst(xmldoc.doc.firstChild.childNodes[1]) node = '' nodeList = n._childNodeList('fruits') truc = nodeList[0].toxml() assert node == truc, 'Could not use the _childNodeList method' nodeList = n._childNodeList('fruits', 'color') truc = nodeList[0].toxml() assert node == truc, 'Could not use the _childNodeList method' nodeList = n._childNodeList('fruits', color="red") truc = nodeList[0].toxml() assert node == truc, 'Could not use the _childNodeList method' nodeList = xmldoc._childNodeList('fruits', color="red") self.failUnless(nodeList==[], 'Could not use the _childNodeList method') def checkXmlInitNodeList(self): """Check whether a node child list could be get.""" nList1 = self.doc.xmlInitNodeList("table", name="test") nList2 = nList1[0].xmlInitNodeList("field", "label", name="info", type="text") truc = nList1[0].toString() doc = ''\ ''\ '
' assert doc == truc, 'Could not use the xmlInitNodeList method' xmldoc = self.doc.parseString(self.xmlNewFile()) node = '' nodeList = xmldoc.xmlInitNodeList('fruits') truc = nodeList[0].toString() assert node == truc, 'Could not use the xmlInitNodeList method' nodeList = xmldoc.xmlInitNodeList('fruits', 'color') truc = nodeList[0].toString() assert node == truc, 'Could not use the xmlInitNodeList method' nodeList = xmldoc.xmlInitNodeList('fruits', color="red") truc = nodeList[0].toString() assert node == truc, 'Could not use the xmlinitNodeList method' def checkXmlInitNode(self): """Check whether a node child could be get.""" n1 = self.doc.xmlInitNode("table", name="test") n2 = n1.xmlInitNode("field", "label", name="info", type="text") truc = n1.toString() doc = ''\ ''\ '
' assert doc == truc, 'Could not use the xmlInitNodeList method' xmldoc = self.doc.parseString(self.xmlNewFile()) node = '' truc = xmldoc.xmlInitNode('fruits').toString() assert node == truc, 'Could not use the xmlInitNode method' truc = xmldoc.xmlInitNode('fruits', 'color').toString() assert node == truc, 'Could not use the xmlInitNode method' truc = xmldoc.xmlInitNode('fruits', color="red").toString() assert node == truc, 'Could not use the xmlInitNode method' def checkXmlInitChildNodeList(self): """Check whether a child node list could be found if it does exist.""" xmldoc = self.doc.parseString(self.xmlNewFile()) thermo = self.doc._inst(xmldoc.doc.firstChild.childNodes[1]) truc = '' assert thermo.toString() == truc, 'Could not use the firstChild.childNodes method' node = '' nodeList = thermo.xmlInitChildNodeList('fruits') truc = nodeList[0].toString() assert node == truc, 'Could not use the xmlInitChildNodeList method' nodeList = thermo.xmlInitChildNodeList('fruits', 'color') truc = nodeList[0].toString() assert node == truc, 'Could not use the xmlInitChildNodeList method' nodeList = thermo.xmlInitChildNodeList('fruits', color="red") truc = nodeList[0].toString() assert node == truc, 'Could not use the xmlInitChildNodeList method' def checkXmlInitChildNode(self): """Check whether a node child could be get.""" n1 = self.doc.xmlInitChildNode("table", name="test") n2 = n1.xmlInitChildNode("field", "label", name="info", type="text") truc = n1.toString() doc = ''\ ''\ '
' assert doc == truc, 'Could not use the xmlInitNodeList method' xmldoc = self.doc.parseString(self.xmlNewFile()) thermo = self.doc._inst(xmldoc.doc.firstChild.childNodes[1]) node = '' truc = thermo.xmlInitChildNode('fruits').toString() assert node == truc, 'Could not use the xmlInitChildNode method' truc = thermo.xmlInitChildNode('fruits', 'color').toString() assert node == truc, 'Could not use the xmlInitChildNode method' truc = thermo.xmlInitChildNode('fruits', color="red").toString() assert node == truc, 'Could not use the xmlInitChildNode method' def checkXmlGetNodeList(self): """Check whether a node list could be found if it does exist.""" xmldoc = self.doc.parseString(self.xmlNewFile()) node = '' nodeList = xmldoc.xmlGetNodeList('fruits') truc = nodeList[0].toString() assert node == truc, 'Could not use the xmlGetNodeList method' nodeList = xmldoc.xmlGetNodeList('fruits', 'color') truc = nodeList[0].toString() assert node == truc, 'Could not use the xmlGetNodeList method' nodeList = xmldoc.xmlGetNodeList('fruits', color="red") truc = nodeList[0].toString() assert node == truc, 'Could not use the xmlGetNodeList method' nodeList = xmldoc.xmlGetNodeList('fruits', color="red") self.failIf(nodeList==[], 'Could not use the xmlGetNodeList method') def checkXmlGetChildNodeList(self): """Check whether a child node list could be found if it does exist.""" xmldoc = self.doc.parseString(self.xmlNewFile()) thermo = self.doc._inst(xmldoc.doc.firstChild.childNodes[1]) node = '' nodeList = thermo.xmlGetChildNodeList('fruits') truc = nodeList[0].toString() assert node == truc, 'Could not use the xmlGetChildNodeList method' nodeList = thermo.xmlGetChildNodeList('fruits', 'color') truc = nodeList[0].toString() assert node == truc, 'Could not use the xmlGetChildNodeList method' nodeList = thermo.xmlGetChildNodeList('fruits', color="red") truc = nodeList[0].toString() assert node == truc, 'Could not use the xmlGetChildNodeList method' nodeList = xmldoc.xmlGetChildNodeList('fruits', color="red") self.failUnless(nodeList==[], 'Could not use the xmlGetChildNodeList method') def checkXmlGetNode(self): """Check whether a child node could be found if it does exist.""" xmldoc = self.doc.parseString(self.xmlNewFile()) node = '' truc = xmldoc.xmlGetNode('fruits').toString() assert node == truc, 'Could not use the xmlGetNode method' truc = xmldoc.xmlGetNode('fruits', 'color').toString() assert node == truc, 'Could not use the xmlGetNode method' truc = xmldoc.xmlGetNode('fruits', color="red").toString() assert node == truc, 'Could not use the xmlGetNode method' empty = xmldoc.xmlGetNode('fruits', color="red") assert empty, 'Could not use the xmlGetNode method' def checkXmlGetChildNode(self): """Check whether a child node could be found if it does exist.""" xmldoc = self.doc.parseString(self.xmlNewFile()) n = self.doc._inst(xmldoc.doc.firstChild.childNodes[1]) node = '' truc = n.xmlGetChildNode('fruits').toString() assert node == truc, 'Could not use the xmlGetChildNode method' truc = n.xmlGetChildNode('fruits', 'color').toString() assert node == truc, 'Could not use the xmlGetChildNode method' truc = n.xmlGetChildNode('fruits', color="red").toString() assert node == truc, 'Could not use the xmlGetChildNode method' empty = xmldoc.xmlGetChildNode('fruits', color="red") self.failUnless(empty==None, 'Could not use the xmlGetChildNode method') def checkXMLDocumentUnicodeParseString(self): """Check whether a XMLDocument could be created.""" d = XMLDocument() d.parseString(u'tâché') t = u'\n' \ u'tâché' t = t.encode(enc) assert d.toString() == t, 'Could not use the parseString method with utf-8 encoding' t = u'\n' \ u'\n\ttâché\n\n' t = t.encode(enc) assert d.toPrettyString() == t, 'Could not use the parseString method with utf-8 encoding' t = self.xmlNodeFromString(u'tâché') assert d.root() == t, 'Could not use the parseString method with utf-8 encoding' def checkXmlNodeFromString(self): """"Check whether two XML nodes could be compared.""" print '\n' n1 = self.xmlNodeFromString(u'toto') n2 = XMLDocument().parseString(u'toto').root() assert n1 == n2, 'This two node are not identical' n3 = self.xmlNodeFromString(u'123.0') n4 = XMLDocument().parseString(u'123').root() assert n3 == n4, 'This two node are not identical' d1 = '' d2 = '' n5 = self.xmlNodeFromString(d1) n6 = XMLDocument().parseString(d2).root() assert n5 == n6, 'This two node are not identical' d1 = ''\ ''\ ''\ ''\ ''\ '' d2 = ''\ ''\ ''\ ''\ ''\ '' n5 = self.xmlNodeFromString(d1) n6 = XMLDocument().parseString(d2).root() assert n5 == n6, 'This two node are not identical' d1 = ''\ ''\ ''\ '' d2 = ''\ ''\ ''\ '' n5 = self.xmlNodeFromString(d1) n6 = XMLDocument().parseString(d2).root() assert n5 == n6, 'This two node are not identical' def checkCaseInstantiation(self): """Check whether the Case class could be instantiated.""" case = None case = Case() assert case, 'Could not instantiate Case' def checkCaseParseString(self): """Check whether a Case could be created.""" case = Case() assert case.root() == self.xmlNodeFromString(rootNode), \ 'Could not use the parseString method' def checkXmlSaveDocument(self): """Check whether a Case could be save on the file system""" case = Case() case.parseString(u'to') case['xmlfile'] = os.path.dirname(os.getcwd()) + "/ToTo" if not os.path.isfile(case['xmlfile']): case.xmlSaveDocument() else: assert False, \ 'Warning: the file ' + case['xmlfile'] + ' exsits already' d= XMLDocument().parse(case['xmlfile']) os.remove(case['xmlfile']) d.xmlCleanAllBlank(d.root()) assert case.root() == d.root(), \ 'Could not use the xmlSaveDocument method' ## def checkFailUnless(self): ## """Test""" ## self.failUnless(1==1, "One should be one.") ## ## ## def checkFailIf(self): ## """Test""" ## self.failIf(1==2,"I don't one to be one, I want it to be two.") def suite(): """unittest function""" testSuite = unittest.makeSuite(XMLengineTestCase, "check") return testSuite def runTest(): """unittest function""" print "XMLengineTestCase to be completed..." runner = unittest.TextTestRunner() runner.run(suite()) #------------------------------------------------------------------------------- # Check XML file #------------------------------------------------------------------------------- # A "Well Formed" XML document is a document that conforms to the XML # syntax rules that we described in the previous chapter. # # A "Valid" XML document is a "Well Formed" XML document which conforms to the # rules of a Document Type Definition (DTD). # # This small script will check whether one or more XML documents are well-formed. # # This uses the SAX API with a "dummy" ContentHandler that does nothing. # It parses the whole document and throws an exception if there is an error. # The exception will be caught and printed like this: # # $ python wellformed.py test.xml # test.xml is NOT well-formed! test.xml:1002:2: mismatched tag # # This means that character 2 on line 1002 has a mismatched tag. # # The script will not check adherence to a DTD or schema. #(Code stolen from: aspn.activestate.com/ASPN/Cookbook/Python/Recipe/52256) # ##from xml.sax.handler import ContentHandler ##from xml.sax import make_parser ##from glob import glob ##import sys ## ##def parsefile(file): ## parser = make_parser() ## parser.setContentHandler(ContentHandler()) ## parser.parse(file) ## ##for arg in sys.argv[1:]: ## for filename in glob(arg): ## try: ## parsefile(filename) ## print "%s is well-formed" % filename ## except Exception, e: ## print "%s is NOT well-formed! %s" % (filename, e) # #------------------------------------------------------------------------------- # Archives : #------------------------------------------------------------------------------- # ##This module defines a Lightweight XML constructor and reader. ##Here is a very easy solution, that doesn't offer all capabilities of XML ##but sufficient stuff for creating valid XML outputs and read them later. ##The central class is XMLElement, even the XMLDocument derives from that. ##This module also handles the encoding in quite an easy way, that's usefull ##if you don't like to use unicode data. ##(Code stolen from: aspn.activestate.com/ASPN/Cookbook/Python/Recipe/157358) ## ##from xml.dom.minidom import Document, parse, parseString ##from types import StringType, UnicodeType ##import string ## ##enc = "iso-8859-1" ## ##def _encode(v): ## if isinstance(v, UnicodeType): ## v = v.encode(enc) ## return v ## ##class XMLElement: ## ## def __init__(self, doc, el): ## self.doc = doc ## self.el = el ## ## def __getitem__(self, name): ## a = self.el.getAttributeNode(name) ## if a: ## return _encode(a.value) ## return None ## ## def __setitem__(self, name, value): ## self.el.setAttribute(name, _encode(value)) ## ## def __delitem__(self, name): ## self.el.removeAttribute(name) ## ## def __str__(self): ## return _encode(self.doc.toprettyxml()) ## ## def toString(self): ## return _encode(self.doc.toxml()) ## ## def _inst(self, el): ## return XMLElement(self.doc, el) ## ## def get(self, name, default=None): ## a = self.el.getAttributeNode(name) ## if a: ## return _encode(a.value) ## return _encode(default) ## ## def add(self, tag, **kwargs): ## el = self.doc.createElement(tag) ## for k, v in kwargs.items(): ## el.setAttribute(k, _encode(str(v))) ## return self._inst(self.el.appendChild(el)) ## ## def addText(self, data): ## return self._inst( ## self.el.appendChild( ## self.doc.createTextNode(_encode(data)))) ## ## def addComment(self, data): ## return self._inst( ## self.el.appendChild( ## self.doc.createComment(data))) ## ## def getText(self, sep=" "): ## rc = [] ## for node in self.el.childNodes: ## if node.nodeType == node.TEXT_NODE: ## rc.append(node.data) ## return _encode(string.join(rc, sep)) ## ## def getAll(self, tag): ## return map(self._inst, self.el.getElementsByTagName(tag)) ## ##class _Document(Document): ## ## def writexml(self, writer, indent="", addindent="", newl=""): ## writer.write('\n' % enc) ## for node in self.childNodes: ## node.writexml(writer, indent, addindent, newl) ## ##class XMLDocument(XMLElement): ## ## def __init__(self, tag=None, **kwargs): ## self.doc = _Document() ## XMLElement.__init__(self, self.doc, self.doc) ## if tag: ## self.el = self.add(tag, **kwargs).el ## ## def parse(self, d): ## self.doc = self.el = parse(d) ## return self ## ## def parseString(self, d): ## self.doc = self.el = parseString(_encode(d)) ## return self ## ##if __name__=="__main__": ## ## # Example of dumping a database structure ## doc = XMLDocument("database", name="testdb") ## table = doc.add("table", name="test") ## table.add("field", name="counter", type="int") ## table.add("field", name="name", type="varchar") ## table.add("field", name="info", type="text") ## print doc ## ## # Simulate reading a XML file ## ndoc = XMLDocument() ## ndoc.parseString(str(doc)) ## root = ndoc.getAll("database") ## if root: ## db = root[0] ## print "Database:", db["name"] ## for table in db.getAll("table"): ## print " Table:", table["name"] ## for field in db.getAll("field"): ## print " Field:", field["name"], "- Type:", field["type"] ## ## # It's object oriented ## print XMLDocument("notice").add("text",format="plain").addText("Some text") # #------------------------------------------------------------------------------- # Testing part #------------------------------------------------------------------------------- if __name__ == "__main__": runTest() sys.exit(0) print "------------------------------------------------------" print " Lightweight XML constructor and reader testing" print "------------------------------------------------------\n" # Example of dumping a database structure # xmldoc = XMLDocument("", "", "database", name="testdb") print "XMLDocument:\n", xmldoc table = xmldoc.xmlAddChild("table", name="test") table.xmlAddChild("field", name="counter", type="int") table.xmlAddChild("field", name="name", type="varchar") table.xmlAddChild("field", name="info", type="text") print "table:\n", table print "name:", table.xmlGetAttribute("name") table.xmlDelAttribute("name") table.xmlCreateAttribute(truc="super", toto="méga") table.xmlCreateAttribute(name="atchoum") for field in table.xmlGetNodeList("field", "name", "type", type="text"): print "field:", field.toString() print "truc:", table.xmlGetAttribute("truc") #table.xmlGetAttribute("tru") # Uncomment this line for testing l = table.xmlGetNodeList("camion", "jacky", moquette="moche") if not l: l = table.xmlAddChild("camion", jacky="", moquette="moche") print "child:", l.toString() l = table.xmlInitNodeList("camion", "jacky", moquette="bêlle")[0] print "child:", l.toString() l.xmlSetData("camion", "rétro") l.xmlSetData("camion", "chêvre") for i in table.xmlGetNodeList("camion"): print "List camion :", i.toString(), "\n" for i in table.xmlGetChildNodeList("camion"): print "Child camion:", i.toString(), "\n" table.xmlAddComment("Ceci est un commentaire") table.xmlInitNodeList('scalar', 'roue', 'box', auto='yes', type='model') table.xmlInitNodeList('scalar', 'roue', 'box', 'auto', type='model') chaise = xmldoc.xmlAddChild("chaise", name="test") chaise.xmlChildsCopy(table) l = chaise.xmlGetNodeList("camion", "jacky", "moquette") for camion in l: camion.xmlDelAttribute("moquette") camion.xmlSetAttribute(jacky="riton") chaise.xmlGetNodeList("camion")[1].xmlRemoveChild("moumoutte") chaise.xmlRemoveNode() chaise = xmldoc.xmlAddChild("chaise", name="test") p = chaise.xmlSetData("pieds", 4) print p[0].toString() print chaise.xmlGetStringList("pieds") print chaise.xmlGetIntList("pieds") print chaise.xmlGetString("pieds") print chaise.xmlGetInt("pieds") print chaise.xmlGetDouble("pieds") print p[0].xmlGetTextNode() print xmldoc # Direct acces to node's methods #print dir(xmldoc.doc.documentElement) #print _encode(xmldoc.doc.documentElement.toxml()) #print _encode(xmldoc.doc.documentElement.childNodes[0].childNodes[2].attributes.get("name").value) #print _encode(xmldoc.doc.firstChild.firstChild.childNodes[1].attributes.items()) #print dir(xmldoc.doc.firstChild.firstChild.childNodes[1].attributes) # Simulate reading a XML file ndoc = XMLDocument("", "") print "XML DOC:", ndoc.toString() ndoc.parseString(str(xmldoc)) print "XML DOC:", ndoc.toString() root = ndoc.xmlGetNodeList("database") if root: db = root[0] print "Database:", db.xmlGetAttribute("name") for table in db.xmlGetNodeList("table"): print " Table:", table.xmlGetAttribute("name") for field in table.xmlGetNodeList("field"): print " Field:", field.xmlGetAttribute("name"), \ "- Type:", field.xmlGetAttribute("type") ndoc.parseString('') print "1 XML DOC:\n", ndoc ndoc.parse("../misc/foo.txt") print "2 XML DOC:\n", ndoc print "------------------------------------------------------" print " Case class testing" print "------------------------------------------------------\n" case = Case() case['new'] = 'toto' print "case:", case['new'] models = case.xmlGetNodeList('thermophysical_models')[0] models = case.xmlInitNodeList('thermophysical_models')[0] #print "models :", dir(models) variables = models.xmlGetNodeList('variable') for var in variables: name = var['name'] print var.toString(), name var['label'] = name #var.xmlSetAttribute(label='truc') #print case #case.xmlRemoveChild('variable') #print case #------------------------------------------------------------------------------- # End of XMLengine #-------------------------------------------------------------------------------