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

时间:2016-06-05 06:28:34

标签: javascript reactjs

我的项目遇到了一些麻烦。任何人都可以向我解释为什么我不能使用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>
    )

  }
}

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

module.exports = class Menu extends React.Component {

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

        </div>
       )

    }
}

我真的想知道为什么我可以使用txt访问spacee.target值。我已阅读文档并寻找其他来源,但我还没有回答,但我希望有办法可以做到。

1 个答案:

答案 0 :(得分:51)

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

如果你需要传递参数来更新方法,你可以这样做

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

并在update方法

中获取这些参数
update(e, space, txt){
   console.log(e.target, space, txt);
}

Example

event.target为您提供本机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