我正在生成一个SVG文件,该文件旨在包含特定于Inkscape的标记。例如,inkscape:label
和inkscape:groupmode
。我使用lxml etree作为我的解析器/生成器。我想将label
和groupmode
标记添加到以下实例中:
layer = etree.SubElement(svg_instance, 'g', id="layer-id")
我的问题是如何在SVG中获得正确的输出形式,例如:
<g inkscape:groupmode="layer" id="layer-id" inkscape:label="layer-label">
答案 0 :(得分:9)
首先,请记住inkscape:
不是命名空间,它只是一种引用XML根元素中定义的命名空间的便捷方式。名称空间为http://www.inkscape.org/namespaces/inkscape
,根据您的XML,inkscape:groupmode
可能与foo:groupmode
相同。当然,您的<g>
元素是SVG名称空间http://www.w3.org/2000/svg
的一部分。要使用LXML生成适当的输出,您可以从以下内容开始:
from lxml import etree
root = etree.Element('{http://www.w3.org/2000/svg}svg')
g = etree.SubElement(root, '{http://www.w3.org/2000/svg}g', id='layer-id')
哪能得到你:
<ns0:svg xmlns:ns0="http://www.w3.org/2000/svg">
<ns0:g id="layer-id"/>
</ns0:svg>
要添加特定于inkscape的属性,您可以这样做:
g.set('{http://www.inkscape.org/namespaces/inkscape}groupmode', 'layer')
g.set('{http://www.inkscape.org/namespaces/inkscape}label', 'layer-label')
哪能得到你:
<ns0:svg xmlns:ns0="http://www.w3.org/2000/svg">
<ns0:g xmlns:ns1="http://www.inkscape.org/namespaces/inkscape" id="layer-id" ns1:groupmode="layer" ns1:label="layer-label"/>
</ns0:svg>
相信与否正是你想要的。通过在创建根元素时传递nsmap=
参数,可以稍微清理命名空间标签。像这样:
NSMAP = {
None: 'http://www.w3.org/2000/svg',
'inkscape': 'http://www.inkscape.org/namespaces/inkscape',
}
root = etree.Element('{http://www.w3.org/2000/svg}svg', nsmap=NSMAP)
有了这个,最终输出将如下所示:
<svg xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape" xmlns="http://www.w3.org/2000/svg">
<g id="layer-id" inkscape:label="layer-label" inkscape:groupmode="layer"/>
</svg>
中的更多信息