You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
1.4 KiB
1.4 KiB
id | title | layout | permalink | prev | next |
---|---|---|---|---|---|
communicate-between-components | Communicate Between Components | tips | communicate-between-components.html | false-in-jsx.html | expose-component-functions.html |
For parent-child communication, simply pass props.
For child-parent communication:
Say your GroceryList
component has a list of items generated through an array. When a list item is clicked, you want to display its name:
var GroceryList = React.createClass({
handleClick: function(i) {
console.log('You clicked: ' + this.props.items[i]);
},
render: function() {
return (
<div>
{this.props.items.map(function(item, i) {
return (
<div onClick={this.handleClick.bind(this, i)} key={i}>{item}</div>
);
}, this)}
</div>
);
}
});
ReactDOM.render(
<GroceryList items={['Apple', 'Banana', 'Cranberry']} />, mountNode
);
Notice the use of bind(this, arg1, arg2, ...)
: we're simply passing more arguments to handleClick
. This is not a new React concept; it's just JavaScript.
For communication between two components that don't have a parent-child relationship, you can set up your own global event system. Subscribe to events in componentDidMount()
, unsubscribe in componentWillUnmount()
, and call setState()
when you receive an event. Flux pattern is one of the possible ways to arrange this.