List of components
1. component with react state: my-input
Custom element input field: Contains react state. Start typing to see:
Live demo:
Code:
import React from "react"; | |
import { registerAsWebComponent } from "react-webcomponentify"; | |
export class Input extends React.Component { | |
constructor(props) { | |
super(props); | |
this.state = { buttonText: "" }; | |
this.onInputEnter = this.onInputEnter.bind(this); | |
} | |
onInputEnter(evt) { | |
this.setState({ | |
buttonText: evt.target.value | |
}); | |
} | |
render() { | |
return ( | |
<div> | |
<input | |
style="width:200px;height:40px;padding:10px;font-size:14px;border:2px solid blue;" | |
type="text" | |
placeholder="enter some text here" | |
onChange={this.onInputEnter} | |
/> | |
<br /> | |
<br /> | |
<code>Value of this.state.buttonText: </code> | |
{this.state.buttonText} | |
</div> | |
); | |
} | |
} | |
registerAsWebComponent(Input, "my-input"); | |
/* | |
In html: | |
<my-input></my-input> | |
*/ |
2. props passed via html attributes: my-button
Custom element button element that accepts props via html attributes. Check console log on click. Also, Try editing the attribute text with chrome inspector.
Live demo:
Code:
3. child html elements passed to react: my-complex-component
child html elements can be passed to a custom element made with react.
In this case those can be accessed via
this.props.children
as you would in a regular react app.
Only caveat is that, since these child html elements are dom nodes we
wrap them in a wrapper react component so that react can understand
it.
Live demo:
Code:
import React from "react"; | |
import { registerAsWebComponent } from "react-webcomponentify"; | |
const MyComplexComponent = props => ( | |
<div> | |
Kinda complex component 😂 | |
<p>{props.text}</p> | |
<div>{props.children}</div> | |
</div> | |
); | |
registerAsWebComponent(MyComplexComponent, "my-complex-component"); | |
/* | |
In html: | |
<my-complex-component text="component with children"> | |
<p> I am a child element</p> | |
<div> I am another childish | |
<button>button</button> | |
</div> | |
</my-complex-component> | |
*/ |