How do I use a new Image() in react
I think what you're trying to do is create a new DOMNode of the Image variety and render that as a child of the <div>
. If that's right, you're doing something React isn't made to do. Two options:
Option 1 (Best): Render the image tag in your React component template
render: function() {
return (
<div>
<img src={'url-to-your-image'} />
</div>
);
}
Option 2 (Not as good): Render the image as an HTML string entity
renderHTML: function() {
return {
__html : '<img src="url-to-your-image" />'
}
},
render: function() {
return (
<div dangerouslySetInnerHTML={this.renderHTML()} />
);
}
Hope that helps!
The Image
constructor returns an HTMLImageElement
interface.
So to render your img
prop, which as you mention was created using var img = new Image()
, you basically have to create an element and render it.
You can do this via JSX
const YourComponent = ({img}) => <img src={img.src} alt="foo" />
or
Use the React.CreateElement
syntax if you need to do it programmatically.
const YourComponent = ({img}) => {
const myImage = React.createElement("img", {
src: img.src,
// any other image attributes you need go here
}, null);
return (
{myImage}
);
}