如果在列表[1]中我有两个字符串,包含两个XML标记:
<example> this is cool</example>
和
<example> this is cooler! </example>
如何将两个标签合并为一个标签,如下所示:
<example> this is cool this is cooler! </example>
所以,当我打印(列表[1])时,我得到:
<example> this is cool this is cooler! </example>
答案 0 :(得分:1)
我们必须找到两个XML元素的标记名称和文本。要做到这一点,最好的办法是解析元素。
所以,你有一个像这样的列表,对吗?
>>> l = ['<example>this is cool</example>', '<example>this is cooler</example>']
首先,让我们解析(在这种情况下使用lxml
):
>>> import lxml.etree
>>> elements = [lxml.etree.fromstring(s) for s in l]
现在我们有一个包含两个元素的列表。从这些元素中,我们可以获取其标签名称......
>>> elements[0].tag
'example'
......及其文字内容:
>>> elements[0].text
'this is cool'
>>> elements[1].text
'this is cooler'
好吧,我们可以创建与第一个相同标签的新解析元素:
>>> new_element = new_element = lxml.etree.Element(elements[0].tag)
现在,我们将这个新元素的文本设置为前两个元素的串联:
>>> new_element.text = elements[0].text + elements[1].text
现在,我们从元素对象中获取字符串表示:
>>> lxml.etree.tostring(new_element)
b'<example>this is coolthis is cooler</example>'