择要
不管在Vue中照旧React,如果我们想使用一个元素的DOM,不必要通过JS中使用DOM的方法,它们提供了一个专属的API就是ref。
而Vue中的ref大概比较简单,这一篇重要讲一下如安在React中使用ref,以及使用ref的场景。
1.ref的挂载
在React中,ref可以挂载到html元素上,同时也可以挂载在React元素上,看下面的代码:
- import React, { Component } from 'react'
- // import { findDOMNode } from 'react-dom'
- import Child from './Child'
- export default class Father extends Component {
- componentDidMount(){
- console.log(this.refs.refElement);
- console.log(this.refs.child);
- }
- render() {
- return (
- <div>
- <input ref={ 'refElement' }></input>
- <Child ref={ 'child' }/>
- <button onClick={this.fn}>123</button>
- </div>
- )
- }
- }
复制代码 控制台的打印为:
data:image/s3,"s3://crabby-images/cb987/cb987325d22fd8008079530f49bf7185041e7976" alt=""
可以看到,在React中,ref是可以挂载到HTML元素和React元素上的。
(1)挂载HTML元素,返回真实的DOM
(2)挂载React元素,返回render后的实例对象
同时React也提供了一个方法findDOMNode可以将React元素的ref返回变成真实的DOM元素。
- import { findDOMNode } from 'react-dom'
- console.log(findDOMNode(this.refs.child));
复制代码 同时在上面的代码我们也可以看出来,ref的挂载是在componentDidMount等生命周期之前实行的。
2.使用ref的三种方式
(1)字符串的方式
- import React, { Component } from 'react'
- export default class Father extends Component {
- componentDidMount(){
- console.log(this.refs.refElement);
- }
- render() {
- return (
- <div>
- <input ref={ 'refElement' }></input>
- <button onClick={this.fn}>123</button>
- </div>
- )
- }
- }
复制代码 这种方式和Vue的ref比较相似,但是官方现在已经不保举使用该方式,后续大概还会废弃。
(2)函数的方式
- import React, { Component } from 'react'
- export default class Father extends Component {
- componentDidMount(){
- console.log(this.refElement);
- }
- render() {
- return (
- <div>
- <input ref={ ref => this.refElement = ref }></input>
- <button onClick={this.fn}>123</button>
- </div>
- )
- }
- }
复制代码 (3)react.CreateRef的方式
- import React, { Component } from 'react'
- export default class Father extends Component {
- refElement = React.createRef();
- componentDidMount(){
- console.log(this.refElement.current);
- }
- render() {
- return (
- <div>
- <input ref={this.refElement}></input>
- <button onClick={this.fn}>123</button>
- </div>
- )
- }
- }
复制代码 记住这内里通过refElement中的current,获取真实的DOM元素。
3.ref的使用场景
这里我们说一个比较常见的场景,就是点击按钮让输入框聚焦:
- import React, { Component } from 'react'
- export default class Father extends Component {
- refElement = React.createRef();
- componentDidMount(){
- console.log(this.refElement.current);
- }
- fn = ()=>{
- this.refElement.current.focus();
- }
- render() {
- return (
- <div>
- <input ref={this.refElement}></input>
- <button onClick={this.fn}>聚焦</button>
- </div>
- )
- }
- }
复制代码 通过获取DOM后,调用DOM上的focus方法API,来让input框进行聚焦。
同时ref也可以适用于一些DOM元素的动画结果,比方移动,变大变小,都必要通过ref来控制DOM,进行操作。
来源:https://blog.csdn.net/weixin_46726346/article/details/127545244
免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作! |