将 event.target 与 React 组件一起使用

IT技术 javascript reactjs
2021-04-13 23:30:03

我的项目遇到了一些问题。谁能向我解释为什么我不能使用e.target访问除 之外的任何内容className

以下是我的入口点的代码:

import React from 'react'
import ReactDOM from 'react-dom'
import Button from './Button'
import Menu from './Menu'

function test(e){
    console.log(e.target.ref)
 }

module.exports = class Content extends React.Component {
    constructor(props){
        super(props)
        this.state={content: ''}
    }

update(e){
    console.log(e.target.txt)

}

render (){
    return (
        <div id="lower">
            <div id="menu">
               <Menu onClick={this.update.bind(this)}/>
            </div>
            <div id="content">
                {this.state.content}
            </div>
        </div>
    )

  }
}

我正在尝试使用该方法访问Menu组件中的设置update请参阅以下菜单

module.exports = class Menu extends React.Component {

    render (){
       return (
           <div>
               <Button space="home" className="home" txt="Home" onClick={this.props.onClick}/>

        </div>
       )

    }
}

我真的想知道为什么我可以访问txtspace使用值e.target我已经阅读了文档并寻找了其他来源,但我还没有答案,但我希望有一种方法可以做到。

1个回答

updatemethod 中的第一个参数SyntheticEvent包含任何通用属性和方法的对象event,它不是对有属性的 React 组件的引用props

如果您需要将参数传递给更新方法,您可以这样做

onClick={ (e) => this.props.onClick(e, 'home', 'Home') }

并在update方法中获取这些参数

update(e, space, txt){
   console.log(e.target, space, txt);
}

Example


event.target为您提供 native DOMNode,那么您需要使用常规 DOM API 来访问属性。例如getAttributedataset

<button 
  data-space="home" 
  className="home" 
  data-txt="Home" 
  onClick={ this.props.onClick } 
/> 
  Button
</button>

onClick(e) {
   console.log(e.target.dataset.txt, e.target.dataset.space);
}

Example