相关问题都没有答案。 我想从DOM中获取我的SVG绘图,并将其转换为img。
这就是我的函数现在的样子
const SVG = document.querySelector('svg')!;
const canvas = document.createElement('canvas');
const XML = new XMLSerializer().serializeToString(SVG);
const SVG64 = btoa(XML);
const image64 = 'data:image/svg+xml;base64,' + SVG64;
const img = new Image();
img.onload = function() {
canvas.getContext('2d')!.drawImage(img, 0, 0);
};
img.src = image64;
document.getElementById('container')!.appendChild(img);
还有DOM
<svg xmlns="http://www.w3.org/2000/svg" width="50" height="50">
<circle cx="25" cy="25" r="20" />
</svg>
<div id="container"></div>
结果为空白图像。它确实具有dataurl作为src,但完全空白。这是为什么?应该如何运作?
答案 0 :(得分:3)
观看错误:
const SVG = document.querySelector('svg')!;
const XML = new XMLSerializer().serializeToString(SVG);
const SVG64 = btoa(XML);
const img = new Image();
img.height = 500;
img.width = 500;
img.src = 'data:image/svg+xml;base64,' + SVG64;
document.getElementById('container')!.appendChild(img);
SVG:<br/>
<svg xmlns="http://www.w3.org/2000/svg" width="50" height="50">
<circle cx="25" cy="25" r="20" />
</svg>
<hr/>
<div id="container" style="background: red;">
</div>
好像您有!
标记一样:
document.querySelector('svg')!
,canvas.getContext('2d')!
,document.getElementById('container')!
-为什么?
按照惯例,打开检查器面板,在浏览器的控制台选项卡中查看错误消息。
经过长时间的交谈,我了解到您的js代码位于html元素上方。
因此,请尝试在加载窗口后进行渲染。
检查:
window.onload = function() {
renderSVG();
}
const renderSVG = function() {
const container = document.getElementById('container');
const svg = document.querySelector('svg');
if (container && svg) { // since You want to check existence of elements
const XML = new XMLSerializer().serializeToString(svg);
const SVG64 = btoa(XML);
const img = new Image();
img.height = 500;
img.width = 500;
img.src = 'data:image/svg+xml;base64,' + SVG64;
container.appendChild(img);
}
};
SVG:<br/>
<svg xmlns="http://www.w3.org/2000/svg" width="50" height="50">
<circle cx="25" cy="25" r="20" />
</svg>
<hr/>
<div id="container" style="background: red;">
</div>