基础

  • Array.prototype.reduce
//类似的核心思想
const initState = '';
const actions = ['a', 'b', 'c'];
const newState = actions.reduce(
( (prevState, action) => prevState + action ),
initState
); //action: actions;
//state: initState,newState;
//reducer: (prevState, action) => prevState + action //计算

Action

  • 描述有什么事情发生了;
{
type: 'ADD_TODO',
text: 'Build Redux app'
}
  • 改变State只能通过actions, 使用store.dispatch()。并且,每一个action都必须是Javascript Plain Object;
  • 为保证状态保存、回放、Undo 之类的功能可以被实现, action必须是可以被序列化的因此,不能包含如函数调用这样的不可序列化字段;
  • type是必须要有的字符串属性; 建议文档;
  • 好的结构中应该每次action传需要的数据而不是整个
{
type: SET_VISIBILITY_FILTER,
filter: SHOW_COMPLETED
}

Action Creator

  • 事实上,创建action对象更多地是通过一个创建函数;
function addTodo(text) {
return {
type: ADD_TODO,
text
};
}
//触发
dispatch(addTodo(text));
  • dispatch可以直接来自store.dispatch;
handleClick() {
// Works! (but you need to grab store somehow)
store.dispatch(addTodo('Fix the issue'));
}`
  • react-redux中可以通过connect(mapStateToProps,mapDispatchToProps)(Counter);

    • mapStateToProps函数通过返回一个映射对象selector,指定了 Store/State属性映射到React Componentthis.props的情况;
class AddTodo extends Component {
handleClick() {
// Works!
this.props.dispatch(addTodo('Fix the issue'));
}
....
} //将dispatch和state放入props
export default connect(select)(AddTodo);
  • 或者结合bindActionCreators(actionCreators, dispatch);
import * as CounterActions from '../actions/counter';

function mapStateToProps(state) {
return {
counter: state.counter
};
} function mapDispatchToProps(dispatch) {
return bindActionCreators(CounterActions, dispatch);
} export default connect(mapStateToProps, mapDispatchToProps)(Counter); //可以直接添加actionCreators //调用
<button onClick={this.props.addTodo}/>add</button>

Reducers

  • 描述事情发生后state如何改变;

更新成员

  • 为了确保State的消费者在判断数据是否变化时,只要简单地进行引用比较避免Deep Equal的遍历,需要确保State中每个节点都是不可改变的;

  • Reducer中更新State成员需要

  • 增加

//对象
let counters = {
faves: 0,
forward: 20,
}
// this creates a brand new copy overwriting just that key
counters = {...counters, faves: counters.faves + 1} //数组; 调换顺序,可以改变增加的位置; let todos = [
{ id: 1, text: 'have lunch'}
]
todos = [...todos, { id: 2, text: 'buy a cup of coffee'} ]
  • 删除
//数组
let users = [...];
users = users.filter(user=> user.id !== find.id)
  • 由于更新数据的差异:如对于数组型react:state操作后,会同时更新操作位置之后的数据;而redux则只会更新操作位置的数据;

同步执行

  • Reducer的执行是同步的;
  • 在给定initState以及一系列的actions,都应该得到相同的newState;

分割reduce

  • Reduceraction.type是多对多的关系;
export default function counter(state = 0, action) {
switch (action.type) {
case INCREMENT_COUNTER:
return state + 1;
case DECREMENT_COUNTER:
return state - 1;
default:
return state;
}
}
  • 在程序变多时可以使用combineReducers({field1: reducerForField1,....})来管理

    • 每个reducerForField1将仅仅获得State.field1的值,而看不到State下的其他字段的内容;
    • 响应的返回结果也会被合并到对应的State字段中;
import { combineReducers } from 'redux';

const todoAppReducer = combineReducers({
visibilityFilter: visibilityFilterReducer
todos: todosReducer
}); //
visibilityFilterReducer 仅仅负责处理 State.visibilityFilter 字段的状态
  • 注意使用combineReducers的前提是,每一个被组合的Reducer仅仅和State的一部分数据相关;
  • 如果需要消费其他State字段,那还是需要在大switch中为特定处理函数传入整个State;
function todoAppReducer(state = initialState, action) {
switch (action.type) {
case FAVE_ALL_ITEMS:
return Object.assign({}, state, faveThemAll(state));
default:
return state;
}
}

Store

  • 维护应用程序状态的对象;
  • 构造Store对象,仅需要提供一个Reducer函数;
import { combineReducers, createStore } from 'redux';
import * as reducers from './reducers'; const todoAppReducer = combineReducers(reducers);
const store = createStore(todoAppReducer); // Line 5 store.dispatch({type: 'ADD_TODO', text: 'Build Redux app'});
  • 可以在createStore的时候为Store指定一个初始状态;
const store = createStore(reducers, window.STATE_FROM_SERVER);

方法

  • store.getState(): 获取最近的内部状态对象;
  • store.dispatch(action): 将一个action对象发送给reducer;
  • store.subscribe(listener):订阅状态的变化;并不推荐使用, 可以搭配Observable模式的程序,react中不建议;

Provider Component

  • 通过Provider Component来设定connect从哪里获得store对象;
React.render(
<Provider store={store}>
{() => <MyRootComponent />} //react 0.14: <MyRootComponent />
</Provider>,
rootEl
);

主要流程

  • 设置redecers,分片的话使用redux: combineReducers;
  • 创建store,使用redux: createStore,传入reducers;
  • 在特定的组件/顶层组件绑定状态和dispatch,使用react-redux: connet,传入状态映射selector;
  • store关联到绑定后的特定/顶层组件,使用react-resuc: Provider;
  • 设置actions,并在组件想要调用的地方触发this.props.dispatch(),自动更新state;

其他

  • 在绑定组件时使用redux: bindActionCreators,connect传入第二参数,直接将dispatch(actions)传入组件ptops; //注意此时action则必须是Action Creator;
  • 在创建store时使用redux: applyMiddleware先传入中间件,再创建
import { createStore, applyMiddleware } from 'redux';
import thunk from 'redux-thunk';
import reducer from '../reducers'; const createStoreWithMiddleware = applyMiddleware(
thunk
)(createStore); export default function configureStore(initialState) {
const store = createStoreWithMiddleware(reducer, initialState);
return store;
}
//
const store = configureStore();

react-redux(1)的更多相关文章

  1. webpack+react+redux+es6开发模式

    一.预备知识 node, npm, react, redux, es6, webpack 二.学习资源 ECMAScript 6入门 React和Redux的连接react-redux Redux 入 ...

  2. react+redux教程(六)redux服务端渲染流程

    今天,我们要讲解的是react+redux服务端渲染.个人认为,react击败angular的真正“杀手锏”就是服务端渲染.我们为什么要实现服务端渲染,主要是为了SEO. 例子 例子仍然是官方的计数器 ...

  3. react+redux教程(五)异步、单一state树结构、componentWillReceiveProps

    今天,我们要讲解的是异步.单一state树结构.componentWillReceiveProps这三个知识点. 例子 这个例子是官方的例子,主要是从Reddit中请求新闻列表来显示,可以切换reac ...

  4. react+redux官方实例TODO从最简单的入门(6)-- 完结

    通过实现了增-->删-->改-->查,对react结合redux的机制差不多已经了解,那么把剩下的功能一起完成吧 全选 1.声明状态,这个是全选状态 2.action约定 3.red ...

  5. react+redux官方实例TODO从最简单的入门(1)-- 前言

    刚进公司的时候,一点react不会,有一个需求要改,重构页面!!!完全懵逼,一点不知道怎么办!然后就去官方文档,花了一周时间,就纯react实现了页面重构,总体来说,react还是比较简单的,由于当初 ...

  6. 重写官方TodoList,对于初学react+redux的人来说,很有好处

    虽然官网的TodoList的例子写的很详细,但是都是一步到位,就是给你一个action,好家伙,全部都写好了,给你一个reducer,所有功能也是都写好了,但是我们这些小白怎么可能一下就消化那么多,那 ...

  7. react+redux教程(四)undo、devtools、router

    上节课,我们介绍了一些es6的新语法:react+redux教程(三)reduce().filter().map().some().every()....展开属性 今天我们通过解读redux-undo ...

  8. react+redux教程(三)reduce()、filter()、map()、some()、every()、...展开属性

    reduce().filter().map().some().every()....展开属性   这些概念属于es5.es6中的语法,跟react+redux并没有什么联系,我们直接在https:// ...

  9. react+redux教程(二)redux的单一状态树完全替代了react的状态机?

    上篇react+redux教程,我们讲解了官方计数器的代码实现,react+redux教程(一).我们发现我们没有用到react组件本身的state,而是通过props来导入数据和操作的. 我们知道r ...

  10. react+redux教程(一)connect、applyMiddleware、thunk、webpackHotMiddleware

    今天,我们通过解读官方示例代码(counter)的方式来学习react+redux. 例子 这个例子是官方的例子,计数器程序.前两个按钮是加减,第三个是如果当前数字是奇数则加一,第四个按钮是异步加一( ...

随机推荐

  1. win7 ubuntu10.04双系统,重装win7后,修复双启动项

    进入ubuntu的liveCD(即在试用ubuntu里),在终端里操作 首先要找到自己的ubuntu系统挂载在那个sda下面.可以用sudo fdisk -l 这个命令.然后: 1. sudo -i ...

  2. JAVA导出pdf实例

    一.直接导出成PDF   Java代码 1. import java.io.FileNotFoundException; 2. import java.io.FileOutputStream; 3.  ...

  3. LeetCode 283 Move Zeros

    Problem: Given an array nums, write a function to move all 0's to the end of it while maintaining th ...

  4. 【XLL 文档翻译】【第2部分】C API 回调函数 Excel4, Excel12

    Excel4 和 Excel12 函数使得 DLL 可以调用 Excel 工作表函数.宏表函数.命令.XLL特定函数或命令.最近的一些 Excel 版本都支持 Excel12 函数.这两个函数支持下面 ...

  5. C# 泛型约束

    一.泛型简介1.1泛型通过使用泛型,可以创建这样的类.接口和方法,它们以一种类型安全的工作方式操作各种数据.本质上,术语“泛型”指的是“参数化类型”(parameterized types).参数化类 ...

  6. 加载gif动画的三种方式

    GifView.h/** * 调用结束就开始播放动画,如果需要用户指定何时播放的话,只需要把timer的开始放到合适的位置.通过对CFDictonaryRaf 也就是gifProperties的改变, ...

  7. JQ JSON数据类型

    <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/ ...

  8. 让那些为Webkit优化的网站也能适配IE10(转载)

    转载地址:http://www.w3cplus.com/css3/adapting-your-webkit-optimized-site-for-internet-explorer-10.html 特 ...

  9. 无废话ExtJs 入门教程十三[上传图片:File]

    无废话ExtJs 入门教程十三[上传图片:File] extjs技术交流,欢迎加群(201926085) 1.代码如下: 1 <!DOCTYPE html PUBLIC "-//W3C ...

  10. ora-01033:oracle initializationg or shutdown in progress 错误提示解决方法

    1.进入CMD,执行set ORACLE_SID=fbms,确保连接到正确的SID:2.运行sqlplus "/as sysdba" SQL>shutdown immedia ...