How to create refs?
There are two approaches
- This is a recently added approach. Refs are created using
React.createRef()
method and attached to React elements via theref
attribute. In order to use refs throughout the component, just assign the ref to the instance property within constructor.
class MyComponent extends React.Component {constructor(props) {super(props);this.myRef = React.createRef();}render() {return <div ref={this.myRef} />;}}
- You can also use ref callbacks approach regardless of React version. For example, the search bar component's input element accessed as follows,
class SearchBar extends Component {constructor(props) {super(props);this.txtSearch = null;this.state = { term: '' };this.setInputSearchRef = (e) => {this.txtSearch = e;};}onInputChange(event) {this.setState({ term: this.txtSearch.value });}render() {return (<inputvalue={this.state.term}onChange={this.onInputChange.bind(this)}ref={this.setInputSearchRef}/>);}}
You can also use refs in function components using closures. Note: You can also use inline ref callbacks even though it is not a recommended approach
July 15, 2022
1299
Read more
What is React?
November 06, 2022
ReactJSHow to programmatically trigger click event in React?
November 06, 2022
ReactJS