我想将文档类型添加到我使用 LXML 的 etree 生成的 XML 文档中。
但是我不知道如何添加文档类型。硬编码和连接字符串不是一种选择。
我期待与如何在 etree 中添加 PI 类似的东西:
pi = etree.PI(...)
doc.addprevious(pi)
但这对我不起作用。如何使用 lxml 将 a 添加到 xml 文档中?
我想将文档类型添加到我使用 LXML 的 etree 生成的 XML 文档中。
但是我不知道如何添加文档类型。硬编码和连接字符串不是一种选择。
我期待与如何在 etree 中添加 PI 类似的东西:
pi = etree.PI(...)
doc.addprevious(pi)
但这对我不起作用。如何使用 lxml 将 a 添加到 xml 文档中?
这对我有用:
print etree.tostring(tree, pretty_print=True, xml_declaration=True, encoding="UTF-8", doctype="<!DOCTYPE TEST_FILE>")
您可以使用 doctype 创建您的文档:
# Adapted from example on http://codespeak.net/lxml/tutorial.html
import lxml.etree as et
import StringIO
s = """<?xml version="1.0" encoding="utf-8"?>
<!DOCTYPE root SYSTEM "test" [ <!ENTITY tasty "cheese">
<!ENTITY eacute "é"> ]>
<root>
<a>&tasty; soufflé</a>
</root>
"""
tree = et.parse(StringIO.StringIO(s))
print et.tostring(tree, xml_declaration=True, encoding="utf-8")
印刷:
<?xml version='1.0' encoding='utf-8'?>
<!DOCTYPE root SYSTEM "test" [
<!ENTITY tasty "cheese">
<!ENTITY eacute "é">
]>
<root>
<a>cheese soufflé</a>
</root>
如果您想将一个文档类型添加到一些不是用它创建的 XML 中,您可以首先使用所需的文档类型创建一个(如上),然后将您的无文档类型的 XML 复制到其中:
xml = et.XML("<root><test/><a>whatever</a><end_test/></root>")
root = tree.getroot()
root[:] = xml
root.text, root.tail = xml.text, xml.tail
print et.tostring(tree, xml_declaration=True, encoding="utf-8")
印刷:
<?xml version='1.0' encoding='utf-8'?>
<!DOCTYPE root SYSTEM "test" [
<!ENTITY tasty "cheese">
<!ENTITY eacute "é">
]>
<root><test/><a>whatever</a><end_test/></root>
那是你要找的吗?
PI 实际上是作为“doc”中的前一个元素添加的。因此,它不是“doc”的孩子。您必须使用“doc.getroottree()”
这是一个例子:
>>> root = etree.Element("root")
>>> a = etree.SubElement(root, "a")
>>> b = etree.SubElement(root, "b")
>>> root.addprevious(etree.PI('xml-stylesheet', 'type="text/xsl" href="my.xsl"'))
>>> print etree.tostring(root, pretty_print=True, xml_declaration=True, encoding='utf-8')
<?xml version='1.0' encoding='utf-8'?>
<root>
<a/>
<b/>
</root>
使用 getroottree():
>>> print etree.tostring(root.getroottree(), pretty_print=True, xml_declaration=True, encoding='utf-8')
<?xml version='1.0' encoding='utf-8'?>
<?xml-stylesheet type="text/xsl" href="my.xsl"?>
<root>
<a/>
<b/>
</root>