I have an xml file, similar to this:
<tag attrib1='I'>
<subtag1 subattrib1='1'>
<subtext>text1</subtext>
</subtag1>
<subtag3 subattrib3='3'>
<subtext>text3</subtext>
</subtag3>
</tag>
I would like to insert a new subElement, so the result would be something like this
<tag attrib1='I'>
<subtag1 subattrib1='1'>
<subtext>text1</subtext>
</subtag1>
<subtag2 subattrib2='2'>
<subtext>text2</subtext>
</subtag2>
<subtag3 subattrib3='3'>
<subtext>text3</subtext>
</subtag3>
</tag>
I can append my xml file, but then the new elements will be inserted at the end. How can I force python lxml to put it into a given position?
Thanks for your help!
The lxml. objectify, element trees provide an API that models the behaviour of normal Python object trees as closely as possible.
lxml is a reference to the XML toolkit in a pythonic way which is internally being bound with two specific libraries of C language, libxml2, and libxslt. lxml is unique in a way that it combines the speed and XML feature completeness of these libraries with the simplicity of a native Python API.
You can use the addnext() method:
from lxml import etree
XML= """
<tag attrib1='I'>
<subtag1 subattrib1='1'>
<subtext>text1</subtext>
</subtag1>
<subtag3 subattrib3='3'>
<subtext>text3</subtext>
</subtag3>
</tag>"""
parser = etree.XMLParser(remove_blank_text=True)
tag = etree.fromstring(XML, parser)
subtag1 = tag.find("subtag1")
subtag2 = etree.Element("subtag2", subattrib2="2")
subtext = etree.SubElement(subtag2, "subtext")
subtext.text = "text2"
subtag1.addnext(subtag2) # Add subtag2 as a following sibling of subtag1
print etree.tostring(tag, pretty_print=True)
Output:
<tag attrib1="I">
<subtag1 subattrib1="1">
<subtext>text1</subtext>
</subtag1>
<subtag2 subattrib2="2">
<subtext>text2</subtext>
</subtag2>
<subtag3 subattrib3="3">
<subtext>text3</subtext>
</subtag3>
</tag>
Alternative: use insert()
on the root element:
subtag2 = etree.Element("subtag2", subattrib2="2")
subtext = etree.SubElement(subtag2, "subtext")
subtext.text = "text2"
tag.insert(1, subtag2) # Add subtag2 as the second child (index 1) of the root element
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With