Given the following structure of XML file:
JavaScript
x
8
1
<root>
2
<parent attr1="foo" attr2="bar">
3
<child> something </child>
4
</parent>
5
.
6
.
7
.
8
how can transfer the attributes from parent to child and delete the parent element to get the following structure:
JavaScript
1
8
1
<root>
2
<child attr1="foo" attr2="bar">
3
something
4
</child>
5
.
6
.
7
.
8
Advertisement
Answer
Well, you need to find <parent>
, then find <child>
, copy attributes from <parent>
to <child>
, append <child>
to root node and remove <parent>
. Everything is that simple:
JavaScript
1
18
18
1
import xml.etree.ElementTree as ET
2
3
xml = '''<root>
4
<parent attr1="foo" attr2="bar">
5
<child> something </child>
6
</parent>
7
</root>'''
8
9
root = ET.fromstring(xml)
10
parent = root.find("parent")
11
child = parent.find("child")
12
child.attrib = parent.attrib
13
root.append(child)
14
root.remove(parent)
15
# next code is just to print patched XML
16
ET.indent(root)
17
ET.dump(root)
18
Result:
JavaScript
1
4
1
<root>
2
<child attr1="foo" attr2="bar"> something </child>
3
</root>
4