我在将一个元素添加到xml文件时遇到了一些麻烦
我有一个这种结构的xml:
<Root>
<Item>
<ItemId>first</ItemId>
<Datas>
<Data>one</Data>
<Data>two</Data>
<Data>three</Data>
</Datas>
</Item>
<Item>
<ItemId>second</ItemId>
<Datas>
<Data>one</Data>
<Data>two</Data>
<Data>three</Data>
</Datas>
</Item>
</Root>
并且我想仅在itemid为秒时添加数据,并获得如下输出:
<Root>
<Item>
<ItemId>first</ItemId>
<Datas>
<Data>one</Data>
<Data>two</Data>
<Data>three</Data>
</Datas>
</Item>
<Item>
<ItemId>second</ItemId>
<Datas>
<Data>one</Data>
<Data>two</Data>
<Data>three</Data>
<Data>FOUR</Data>
<Data>FIVE</Data>
</Datas>
</Item>
</Root>
感谢您的帮助!
答案 0 :(得分:1)
目前还不清楚您是否想要找到添加元素的位置或如何添加元素本身。
对于这个具体的例子,为了找到哪里,你可以尝试这样的事情:
import xml.etree.ElementTree as ET
tree=ET.parse('xml-file.txt')
root=tree.getroot()
for item in root.findall('Item'):
itemid=item.find('ItemId')
if(itemid.text=='second'):
#add elements
对于实际的添加部分,您可以尝试:
new=ET.SubElement(item[1],'Data')
new.text='FOUR'
new=ET.SubElement(item[1],'Data')
new.text='FIVE'
或
new=ET.Element('Data')
new.text='FOUR'
child[1].append(new)
new=ET.Element('Data')
new.text='FIVE'
child[1].append(new)
还有其他几种方法来完成这两个部分,但一般来说,文档非常有用:https://docs.python.org/2/library/xml.etree.elementtree.html
编辑:
如果“Datas”元素进一步向下,您可以使用与上面相同的Element.find()方法来查找指定标记的第一个出现。 (Element.findall()返回指定标记的所有出现的列表。)
以下应该可以解决问题:
data=item.find('Datas')
new=ET.SubElement(data,'Data')
new.text='FOUR'
new=ET.SubElement(data,'Data')
new.text='FIVE'
答案 1 :(得分:1)
您可以通过以下方式找到Datas
节点并向其添加元素。
from lxml import etree
from xml.etree import ElementTree as ET
xml_str = """<Root>
<Item>
<ItemId>first</ItemId>
<Datas>
<Data>one</Data>
<Data>two</Data>
<Data>three</Data>
</Datas>
</Item>
<Item>
<ItemId>second</ItemId>
<Datas>
<Data>one</Data>
<Data>two</Data>
<Data>three</Data>
</Datas>
</Item>
</Root>"""
# build the tree
tree = etree.fromstring(xml_str)
# get all items nodes
items = tree.findall('Item')
for item in items:
# get ItemId text
item_id = item.findtext('ItemId')
if item_id == 'second':
# get the Datas node
datas = item.find('Datas')
# add an element to it
new_data = ET.SubElement(datas, 'Data')
new_data.text = 'New Data'
# print the final xml tree
print etree.tostring(tree)