http://www.cnblogs.com/lewis617/p/5145073.html;
今天,我们通过解读官方示例代码(counter)的方式来学习react+redux。
例子
这个例子是官方的例子,计数器程序。前两个按钮是加减,第三个是如果当前数字是奇数则加一,第四个按钮是异步加一(延迟一秒)。
源代码:https://github.com/lewis617/react-redux-tutorial/tree/master/redux-examples/counter
组件
components/Counter.js
import React,{ Component,PropTypes } from 'react' class Counter extends Component { render() { //从组件的props属性中导入四个方法和一个变量 const { increment,incrementIfOdd,incrementAsync,decrement,counter } = this.props; 渲染组件,包括一个数字,四个按钮 return ( <p> Clicked: {counter} times {' '} <button onClick={increment}>+</button> {' '} <button onClick={decrement}>-</button> {' '} <button onClick={incrementIfOdd}>Increment if odd</button> {' '} <button onClick={() => incrementAsync()}>Increment async</button> </p> ) } } 限制组件的props安全 Counter.propTypes = { increment必须为fucntion,且必须存在 increment: PropTypes.func.isrequired,incrementIfOdd: PropTypes.func.isrequired,incrementAsync: PropTypes.func.isrequired,decrement: PropTypes.func.isrequired,counter必须为数字,且必须存在 counter: PropTypes.number.isrequired }; export default Counter
上述代码,我们干了几件事:
- 从props中导入变量和方法
- 渲染组件
有的同学可能会急于想知道props的方法和变量是怎么来,下面我们继续解读。
容器
containers/App.js
import { bindActionCreators } from 'redux' import { connect } from 'react-redux' import Counter from '../components/Counter' import * as CounterActions from '../actions/counter' 将state.counter绑定到props的counter function mapStateToProps(state) { return { counter: state.counter } } 将action的所有方法绑定到props上 function mapDispatchToProps(dispatch) { return bindActionCreators(CounterActions,dispatch) } 通过react-redux提供的connect方法将我们需要的state中的数据和actions中的方法绑定到props上 export default connect(mapStateToProps,mapDispatchToProps)(Counter)