I am trying to use React refs to focus a Redux-Form Field when it mounts.
When I try this.refs.title.getRenderedComponent().focus()
in componentD
I use redux-form and Material UI and had to do the following. MaterialCheckboxField
and MaterialTextField
are custom components in my project wrapping material-ui/{Checkbox,TextField}
.
I converted MaterialTextField
to a class component (as stipulated in the React docs).
You may not use the
ref
attribute on function components because they don’t have instances.
import { findDOMNode } from "react-dom";
The field setting focus (within the render()
method):
<Field
component={MaterialCheckboxField}
label="Checkbox"
name="..."
onClick={event => {
if (!event.target.checked) return;
// focus() field after grace period
// oddity of Material UI, does not work without
window.setTimeout(() => this.textField.focus(), 150);
}}
/>
Material UI specific
Suggestion to allow a grace period usingsetTimeout()
from this SO question. Consider @Lukas' comment:"This code may throw. What would be even better is to save
setTimeout()
returned ID to component and oncomponentWillUnmount()
check if the timeout is still there and clear it if so"
The field that will receive focus (within the render()
method):
<Field
component={MaterialTextField}
label="Text field"
name="..."
ref={ref => {
const node = findDOMNode(ref);
if (node) {
// Material UI wraps input element,
// use querySelector() to obtain reference to it
// if not using MUI, querySelector() likely not needed
this.textField = node.querySelector("input");
}
}}
withRef
/>
Note
I am using Material UI0.x
, not sure if that's whyReact.CreateRef()
didn't work for me (the recommended approach since React 16.3).
Please try setting ref using callback function:
ref={(input) => { this.title = input; }}
and then use this to get underlying DOM node:
ReactDOM.findDOMNode(this.title).focus();
of if DOM input element is wrapped in another element:
ReactDOM.findDOMNode(this.title).getElementsByTagName("input")[0].focus()
According to React docs using refs with a string have some issues. Please check docs for more details.