【发布时间】:2012-01-09 08:06:58
【问题描述】:
如何获取 SVG DOM 根,并开始以编程方式向其中添加子元素,而不是通过标记添加 SVG 元素?
【问题讨论】:
标签: javascript dom svg
如何获取 SVG DOM 根,并开始以编程方式向其中添加子元素,而不是通过标记添加 SVG 元素?
【问题讨论】:
标签: javascript dom svg
<svg xmlns="http://www.w3.org/2000/svg">
<script>
var svg = document.documentElement;
var svgNS = svg.namespaceURI;
var circle = document.createElementNS(svgNS,'circle');
circle.setAttribute('cx',100);
circle.setAttribute('cy',200);
circle.setAttribute('r',50);
circle.setAttribute('fill','red');
circle.setAttribute('stroke','black');
circle.setAttribute('stroke-width','20px');
circle.setAttribute('stroke-opacity','0.5');
svg.appendChild(circle);
</script>
</svg>
实际操作:http://phrogz.net/SVG/create-circle.svg
因为发出所有这些setAttribute 调用会很麻烦,所以我经常使用这样的函数:
// Create an SVG element on another node with a set of attributes.
// Attributes with colons in the name (e.g. 'xlink:href') will automatically
// find the appropriate namespace URI from the SVG element.
// Optionally specify text to create as a child node, for example
// createOn(someGroup,'text',{x:100,'text-anchor':'middle'},"Hello World!");
function createOn(root,name,attrs,text){
var doc = root.ownerDocument, svg = root;
while (svg.tagName!='svg') svg = svg.parentNode;
var el = doc.createElementNS(svg.namespaceURI,name);
for (var a in attrs){
if (!attrs.hasOwnProperty(a)) continue;
var p = a.split(':');
if (p[1]) el.setAttributeNS(svg.getAttribute('xmlns:'+p[0]),p[1],attrs[a]);
else el.setAttribute(a,attrs[a]);
}
if (text) el.appendChild(doc.createTextNode(text));
return root.appendChild(el);
}
实际上,上面的文件变得更简单了:
<svg version="1.1" baseProfile="full" xmlns="http://www.w3.org/2000/svg">
<script>
var svg = document.documentElement;
createOn(svg,'circle',{
cx:100, cy:200, r:50,
fill:'red', stroke:'black',
'stroke-width':'20px', 'stroke-opacity':0.5
});
// …function from above…
</script>
</svg>
【讨论】: