* chore(i8n,learn): processed translations * fix: remove extra space Co-authored-by: Nicholas Carrigan (he/him) <nhcarrigan@gmail.com> Co-authored-by: Crowdin Bot <support+bot@crowdin.com> Co-authored-by: Randell Dawson <5313213+RandellDawson@users.noreply.github.com> Co-authored-by: Nicholas Carrigan (he/him) <nhcarrigan@gmail.com>
		
			
				
	
	
	
		
			3.3 KiB
		
	
	
	
	
	
	
	
			
		
		
	
	id, title, challengeType, forumTopicId, dashedName
| id | title | challengeType | forumTopicId | dashedName | 
|---|---|---|---|---|
| 5a24c314108439a4d4036157 | 用 Redux 写一个计数器 | 6 | 301453 | write-a-counter-with-redux | 
--description--
现在已经了解了 Redux 的所有核心原则! 已经了解了如何创建 action 和 action creator,创建 Redux store,通过 store dispatch action,以及使用纯粹的 reducer 设计状态更新。 甚至已经看到过如何使用 reducer 组合管理复杂状态并处理异步操作。 这些例子很简单,但这些概念是 Redux 的核心原则。 如果已经理解这些,那么就可以开始构建自己的 Redux 应用了。 接下来的挑战包括关于 state 不变性的一些细节,但是,这里是对到目前为止学到的所有内容的回顾。
--instructions--
在本课程中,将从头开始使用 Redux 实现一个简单的计数器。 基本知识在代码编辑器中提供,但你必须完成细节! 使用提供的名称定义 incAction 和 decAction action creator,counterReducer(),INCREMENT和DECREMENT action 类型,以及 Redux store。 一旦完成,应该能够 dispatch INCREMENT 或 DECREMENT 动作来增加或减少 store 中保存的状态。 开始构建你的第一个 Redux 应用程序吧,编码愉快!
--hints--
action creator incAction 应该返回一个 type 等于 INCREMENT 的 action 对象。
assert(incAction().type === INCREMENT);
action creator decAction 应该返回一个 type 等于 DECREMENT 的 action 对象。
assert(decAction().type === DECREMENT);
Redux store 应该将 state 初始化为 0。
assert(store.getState() === 0);
在 Redux store 上 dispatch incAction 应该将 state 增加 1。
assert(
  (function () {
    const initialState = store.getState();
    store.dispatch(incAction());
    const incState = store.getState();
    return initialState + 1 === incState;
  })()
);
在 Redux store 上 dispatch decAction 应该将 state 减少 1。
assert(
  (function () {
    const initialState = store.getState();
    store.dispatch(decAction());
    const decState = store.getState();
    return initialState - 1 === decState;
  })()
);
counterReducer 必须是一个函数。
assert(typeof counterReducer === 'function');
--seed--
--seed-contents--
const INCREMENT = null; // Define a constant for increment action types
const DECREMENT = null; // Define a constant for decrement action types
const counterReducer = null; // Define the counter reducer which will increment or decrement the state based on the action it receives
const incAction = null; // Define an action creator for incrementing
const decAction = null; // Define an action creator for decrementing
const store = null; // Define the Redux store here, passing in your reducers
--solutions--
const INCREMENT = 'INCREMENT';
const DECREMENT = 'DECREMENT';
const counterReducer = (state = 0, action) => {
  switch(action.type) {
    case INCREMENT:
      return state + 1;
    case DECREMENT:
      return state - 1;
    default:
      return state;
  }
};
const incAction = () => {
  return {
    type: INCREMENT
  }
};
const decAction = () => {
  return {
    type: DECREMENT
  }
};
const store = Redux.createStore(counterReducer);