4.1 KiB
id, title, challengeType, forumTopicId, dashedName
id | title | challengeType | forumTopicId | dashedName |
---|---|---|---|---|
5a24c314108439a4d4036155 | ストアにアクションデータを送信する | 6 | 301448 | send-action-data-to-the-store |
--description--
ここまで、Redux ストアにアクションをディスパッチする方法を説明しました。しかしこれまでのところ、これらのアクションには type
以外の情報は何も含まれていません。 アクションと一緒に特定のデータを送信することもできます。 実際、この操作はよく使用されます。その理由は、アクションは通常、ユーザーとの何らかのやり取りから発生し、それらと一緒に何らかのデータが送られる場合が多いからです。 多くの場合、Redux ストアではそうしたデータについて知る必要があります。
--instructions--
コードエディターで、基本的な notesReducer()
と addNoteText()
アクションクリエイターが定義されています。 action
オブジェクトを返すように addNoteText()
関数の本体を完成させてください。 オブジェクトには、ADD_NOTE
という値を持つ type
プロパティを含める必要があり、アクションクリエイターに渡される note
データが設定された text
プロパティも含める必要があります。 アクションクリエイターを呼び出すときには、オブジェクトに対してアクセスできる具体的なノート情報を渡します。
次に、notesReducer()
の switch
ステートメントの記述を完成させてください。 addNoteText()
のアクションを処理する case を追加する必要があります。 この case は、タイプ ADD_NOTE
のアクションが存在する場合にトリガーする必要があり、action
を受信したときに新しい state
として text
プロパティを返す必要があります。
アクションはコードの最後でディスパッチされます。 記述を終えたら、コードを実行してコンソールを確認してください。 以上のコードだけで、アクション固有のデータをストアに送信して、ストアの state
を更新するときに使用することができます。
--hints--
アクションクリエイター addNoteText
から、type
と text
というキーを持つオブジェクトを返します。
assert(
(function () {
const addNoteFn = addNoteText('__TEST__NOTE');
return addNoteFn.type === ADD_NOTE && addNoteFn.text === '__TEST__NOTE';
})()
);
addNoteText
アクションクリエイターによるタイプ ADD_NOTE
のアクションのディスパッチで、state
を、アクションクリエイターに渡された文字列に更新します。
assert(
(function () {
const initialState = store.getState();
store.dispatch(addNoteText('__TEST__NOTE'));
const newState = store.getState();
return initialState !== newState && newState === '__TEST__NOTE';
})()
);
--seed--
--seed-contents--
const ADD_NOTE = 'ADD_NOTE';
const notesReducer = (state = 'Initial State', action) => {
switch(action.type) {
// Change code below this line
// Change code above this line
default:
return state;
}
};
const addNoteText = (note) => {
// Change code below this line
// Change code above this line
};
const store = Redux.createStore(notesReducer);
console.log(store.getState());
store.dispatch(addNoteText('Hello!'));
console.log(store.getState());
--solutions--
const ADD_NOTE = 'ADD_NOTE';
const notesReducer = (state = 'Initial State', action) => {
switch(action.type) {
// Change code below this line
case ADD_NOTE:
return action.text;
// Change code above this line
default:
return state;
}
};
const addNoteText = (note) => {
// Change code below this line
return {
type: ADD_NOTE,
text: note
}
// Change code above this line
};
const store = Redux.createStore(notesReducer);
console.log(store.getState());
store.dispatch(addNoteText('Hello Redux!'));
console.log(store.getState());