我想: 使标签处于活动状态并关闭所有其他标签。 目前我只在它关闭的地方工作,一次一个。
我试图找出如何做到这一点。 我在想有没有办法将父组件传递给函数,然后能够访问其所有子元素的className属性? 目前我有:
import React from 'react';
import ReactDOM from 'react-dom';
export default class TestContainer extends React.Component{
setActive(event){
event.preventDefault();
//getting id from component
let isActive = event.target.id;
if(event.currentTarget.className === "list-group-item text-center active"){
event.currentTarget.className = "list-group-item text-center";
} else if(event.currentTarget.className === "list-group-item text-center") {
event.currentTarget.className = "list-group-item text-center active";
}
}
render(){
return (
<div className="col-lg-6 col-md-6 col-sm-6 col-xs-6 bhoechie-tab-container scroll-y">
<div className="col-lg-2 col-md-2 col-sm-2 col-xs-2 bhoechie-tab-menu">
<div className="list-group">
<a href="#" onClick={this.setActive} id="eyes" className="list-group-item text-center active">
<h4 className="glyphicon glyphicon-eye-close"></h4><br/>1
</a>
<a href="#" onClick={this.setActive} id="hair" className="list-group-item text-center">
<h4 className="glyphicon glyphicon-tint"></h4><br/>2
</a>
<a href="#" onClick={this.setActive} id="mouth" className="list-group-item text-center">
<h4 className="glyphicon glyphicon-minus"></h4><br/>3
</a>
<a href="#" onClick={this.setActive} id="clothing" className="list-group-item text-center">
<h4 className="glyphicon glyphicon-user"></h4><br/>4
</a>
<a href="#" onClick={this.setActive} id="props" className="list-group-item text-center">
<h4 className="glyphicon glyphicon-gift"></h4><br/>5
</a>
</div>
</div>
)}
答案 0 :(得分:0)
通过尝试在render()
方法之外更改元素的状态,您将反对React的渲染引擎的优势。使用组件内部的状态或通过props / context(最好是props)提供的状态来确定应在其className中使用active
呈现哪个选项卡。
当您响应点击时,更改状态并让React根据新状态重新渲染组件。
对于此处提供的有限示例,我建议将内部活动元素的ID存储在组件的状态中。
export default class TestContainer extends React.Component {
constructor(props) {
super(props);
this.state = {
activeTab: this.props.activeTab || 'eyes'
};
}
setActive(event) {
this.setState({ activeTab: event.target.id });
}
render() {
const { activeTab } = this.state;
const tabClassName = "list-group-item text-center";
const eyesTabClassName = tabClassName + (activeTab === 'eyes' ? ' active' : '');
...
<a href="#" onClick={this.setActive} id="eyes" className={eyesTabClassName}>
...
}
}
这是一个粗略的,未经优化的解决方案,但它应该让我们了解这个想法。当您调用this.setState
时,React会通过将组件标记为需要重新呈现来进行响应。将自动调用render()
方法,因此将重新评估和重新呈现所有JSX。然后,React将查看它刚刚生成的内容与虚拟DOM中已有的内容之间的差异,并合并到您的更改中。
这意味着之前使用&#34;活动&#34;呈现的标签。在其className中将重新呈现。如果它不再处于活动状态,则您的呈现代码不会将活动类连接到该选项卡的className中。此外,无论哪个类处于活动状态,它的className现在都附加了&#34; active&#34;。
<强> TL; DR 强>
不要在事件处理程序中操纵DOM。操纵状态,让React通过重新渲染新状态来发挥其魔力。