Reputation: 1765
I have this function and when I click on the <li>
tag, I want to call two functions, onClick={handleProjectSelection(project)}
a handler function that comes from props from the parent component, and also this function onClick={() => this.setState({ showingProjectSelector: false })}
renderDropdown () {
const { displayDropdown, projects, handleProjectSelection } = this.props
if (this.state.showingProjectSelector && displayDropdown) {
const projectsList = projects.map((project) => (
<li className='u-cursor--pointer u-font-size--12px'
key={project.get('id')}
onClick={handleProjectSelection(project)} >
<i className='fa fa-square u-font-size--10px' style={{color: project.get('color')}}></i>
{project.get('name')}
</li>
))
How can I call this two functions? This is the handler function from the parent component
handleProjectSelection = (project) => () => {
this.setState({
projectToAdd: project.get('id'),
projectToAddColor: project.get('color'),
projectToAddName: project.get('name') === 'default' ? 'No' : project.get('name').substring(0, 2)
})
}
Upvotes: 12
Views: 36075
Reputation: 3376
You can do it in two ways:
1.
onClick={()=>{
callFunctionOne();
callFunctionTwo();
}}
2.
callTwoFunctions(){
callFunctionOne();
callFunctionTwo();
}
onClick={this.callTwoFunctions}
Upvotes: 2
Reputation: 104529
Write it like this:
onClick={() => {
handleProjectSelection(project);
anotherfunctionCall();
}}
Or create a single function, use that as a click handler. Inside that function call other two functions, Like this:
onClick={this.handleClick}
handleClick(){
function1();
function2();
}
See there are two ways of using arrow function:
1- Concise Body: () => /*single expression*/
2- Block Body: () => {}
In block body inside {}
(body of the function), we can perform any number of task.
Like this:
onClick={() => {
fun1();
fun2();
fun3();
fun4();
....
funN();
}}
Upvotes: 12
Reputation: 2708
You can Wrap your two+ function calls in another function/method. For example
var Test = React.createClass({
onClick: function(event){
func1();
func2();
},
render: function(){
return (
<a href="#" onClick={this.onClick}>Test Link</a>
);
}
});
Upvotes: 1