Indeterminate Checkbox In React Jsx
Solution 1:
You can also use the ref function directly:
ReactDOM.render(
<label><inputtype="checkbox"ref={input => {
if (input) {
input.indeterminate = true;
}
}}
/>
{' '}
Un test
</label>,
document.getElementById('root')
);
<scriptsrc="https://cdnjs.cloudflare.com/ajax/libs/react/15.1.0/react.min.js"></script><scriptsrc="https://cdnjs.cloudflare.com/ajax/libs/react/15.1.0/react-dom.min.js"></script><divid="root"></div>
Solution 2:
I would probably create a composite component that encapsulates the necessary hooks to set or unset the checkbox's indeterminate
property. It looks like you're using ES2015 syntax, so I'll use some of those features here.
classIndeterminateCheckboxextendsReact.Component {
componentDidMount() {
if (this.props.indeterminate === true) {
this._setIndeterminate(true);
}
}
componentDidUpdate(previousProps) {
if (previousProps.indeterminate !== this.props.indeterminate) {
this._setIndeterminate(this.props.indeterminate);
}
}
_setIndeterminate(indeterminate) {
const node = React.findDOMNode(this);
node.indeterminate = indeterminate;
}
render() {
const { indeterminate, type, ...props } = this.props;
return<inputtype="checkbox" {...props} />;
}
}
// elsewhererender() {
return<IndeterminateCheckboxchecked={this.props.state === "checked"}
indeterminate={this.props.state === "indeterminate"} />
}
Working example: https://jsbin.com/hudemu/edit?js,output
Solution 3:
You can use the componentDidMount
step (which is invoked after the initial rendering) to set that property:
componentDidMount() {
React.findDOMNode(this).indeterminate = this.props.state === "indeterminate";
}
If you want that property to be updated with subsequent renders, do the same thing in componentDidUpdate
also.
Solution 4:
I'd suggest creating a simple component (code ported from coffeescript so mind you, might have some simple typos):
constReact = require('react');
module.exports = classIndeterminateCheckboxextendsReact.Component {
componentDidMount() {
this.refs.box.indeterminate = this.props.indeterminate;
}
componentDidUpdate(prevProps, prevState) {
if(prevProps.indeterminate !== this.props.indeterminate) {
this.refs.box.indeterminate = this.props.indeterminate;
}
}
render() {
return<input {...this.props} ref="box"type="checkbox"/>;
}
}
Now you have a simple component that behaves exactly like a checkbox, that supports the indeterminate
prop. Note there's plenty of room for improvements here, namely setting propTypes and proper defaults for some props, and of course implementing componentShouldUpdate
to only do something when needed.
Solution 5:
An alternative would be to use a ref
attribute with a callback to set the property on the DOM node. For example:
render: function() {
return (
<inputtype="checkbox"
ref={function(input) {
if (input != null) {
React.findDOMNode(input).indeterminate = this.props.indeterminate;
}}
{...this.props} />
)
}
Post a Comment for "Indeterminate Checkbox In React Jsx"