Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How do I remove a node in xml using ElementTree in Python?

I've read the remove example here and the example here is not applicable to me.

My xml file reads:

<A>
  <B>some text</B>
  <B>other text</B>
  <B>more text</B>
</A>

What I want to do is to remove the second <B></B> from the xml. I do not know what text it holds. But I have the index of the <B></B>, say index = 1, which means I want to remove the second element (or node).

I have a code like this:

F = open('example.xml')
self.tree = parse(F)
self.root = self.tree.getroot()
F.close()

So in this case what I want to remove is self.root[1].

How can this be implemented using ElementTree?

Edit: Made my question more clear and specific.

like image 214
elwc Avatar asked Dec 27 '12 08:12

elwc


People also ask

What do you do next to delete the XML node?

Remove a Text Node xml is loaded into xmlDoc. Set the variable x to be the first title element node. Set the variable y to be the text node to remove. Remove the element node by using the removeChild() method from the parent node.

What is XML Etree ElementTree in Python?

The xml.etree.ElementTree module implements a simple and efficient API for parsing and creating XML data. Changed in version 3.3: This module will use a fast implementation whenever available.


2 Answers

In [1]: import xml.etree.ElementTree as ET

In [2]: xmlstr=\
   ...: """
   ...: <A>
   ...:   <B>some text</B>
   ...:   <B>other text</B>
   ...:   <B>more text</B>
   ...: </A>
   ...: """

In [3]: tree=ET.fromstring(xmlstr)

In [4]: tree.remove(tree.findall('.//B')[1])
like image 69
root Avatar answered Sep 24 '22 12:09

root


You guys are not straight to the point. I've combined my knowledge with the answers here and came out with this:

for i, child in enumerate(self.root):
    if path == i:
        self.root.remove(child)
        break

where path is the index of the item I want to remove.

like image 31
elwc Avatar answered Sep 22 '22 12:09

elwc