I've Element of etree having some attributes - how can we delete the attribute of perticular etree Element.
可以将文章内容翻译成中文,广告屏蔽插件可能会导致该功能失效(如失效,请关闭广告屏蔽插件后再试):
问题:
回答1:
The .attrib
member of the element object contains the dict of attributes - you can use .pop("key")
or del
like you would on any other dict to remove a key-val pair.
回答2:
Example :
>>> from lxml import etree
>>> from lxml.builder import E
>>> otree = E.div()
>>> otree.set("id","123")
>>> otree.set("data","321")
>>> etree.tostring(otree)
'<div id="123" data="321"/>'
>>> del otree.attrib["data"]
>>> etree.tostring(otree)
'<div id="123"/>'
Take care sometimes you dont have the attribute:
It is always suggested that we handle exceptions.
try:
del myElement.attrib["myAttr"]
except KeyError:
pass
回答3:
You do not need to try/except
while you are popping a key which is unavailable. Here is how you can do this.
Code
import xml.etree.ElementTree as ET
tree = ET.parse(file_path)
root = tree.getroot()
print(root.attrib) # {'xyz': '123'}
root.attrib.pop("xyz", None) # None is to not raise an exception if xyz does not exist
print(root.attrib) # {}
ET.tostring(root)
'<urlset> <url> <changefreq>daily</changefreq> <loc>http://www.example.com</loc></url></urlset>'