我有一个ReactJS应用程序。我正在动态生成SVG图像作为JSX组件。到目前为止,一切都很好-但现在我需要将SVG用作Canvas元素中的图像源。静态SVG文件可以很好地工作,但是如何将动态SVG导入画布?
代码段中出现一个简化的版本。在componentDidMount方法中显示了对drawImage调用的两种方法:创建一个未安装的SvgSource,并使用对页面上已安装的一个的引用,但它们均失败。
class App extends React.Component {
// On mount, paint the SVG in the canvas
componentDidMount(){
let ctx = this.canvasRef.getContext("2d")
// THIS DOES NOT WORK:
//ctx.drawImage(new SvgSource({fill: "green"}), 50, 50);
// NOR DOES THIS:
//ctx.drawImage(this.svgRef, 50, 50);
/* TypeError: Argument 1 of CanvasRenderingContext2D.drawImage could not be converted to any of: HTMLImageElement, SVGImageElement, HTMLCanvasElement, HTMLVideoElement, ImageBitmap. */
}
render() {
return (
<div>
{/* This works, inserting the SvgSource element directly - but that's not what I want. */}
<SvgSource ref={s => this.svgRef = s} fill="blue" />
{/* I want to use the SVG as an image source in this canvas. */}
<canvas
ref={
c => this.canvasRef = c
/* NB: using older ref syntax because jsFiddle uses React .14 - use CreateRef with version 16 */
}
width={200}
height={200} />
</div>
);
}
}
// Our JSX SVG component that provides the custom image to use in the canvas
class SvgSource extends React.Component {
render() {
return (
<svg width={100} height={100} viewBox="0 0 100 100">
<circle cx={50} cy={50} r={25} fill={this.props.fill || "red"}/>
</svg>
);
}
}
ReactDOM.render(<App />, document.querySelector("#app"))
body {
background: #20262E;
padding: 20px;
}
#app {
background: #fff;
border-radius: 4px;
padding: 20px;
min-height: 200px;
}
<script src="https://cdnjs.cloudflare.com/ajax/libs/react/16.6.3/umd/react.production.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/react-dom/16.6.3/umd/react-dom.production.min.js"></script>
<div id="app"></div>
澄清一下:我知道如何将普通的SVG图像插入画布元素。问题在于将JSX SVG转换为画布上下文上drawImage
的有效源,以便可以在React组件中完成所有工作。
答案 0 :(得分:0)
这不是一个非常优雅的方法,但这是我最终得到的:
class SvgSource extends React.Component {
generateSvg() {
return "data:image/svg+xml;base64," +
btoa(`<svg xmlns="http://www.w3.org/2000/svg" width="100" height="100" viewBox="0 0 100 100"><circle cx="50" cy="50" r="25" fill="${this.props.fill}" /></svg>`);
}
render() {
return (<img src={this.generateSvg()} />);
}
}
我没有将SVG用作JSX对象,而是将其构造为字符串,并编码为base64以用作数据URL。然后,我可以从<img>
函数返回一个render()
JSX元素,以直接在页面中使用该图像。当我需要在画布中使用它时,可以使用返回的字符串在普通(非JSX)new SvgSource({fill: "green"}).generateSvg()
元素的<img>
属性中直接调用src
。
如果没有将SVG标记真正放在页面上,我找不到更好的方法。