React の単純なサンプルに React Router を組み込んだものに Redux-Saga を適用したものからAjax通信を組み込む

React は Viewしか担当していないので、その他の機能を含めたアプリのスケルトン作成を目指す。

Node.js、npm パッケージ管理、および、ブラウザが対応していないECMAScriptバージョンの利用にBabelを利用するなどを含めた環境構築、ページ遷移のためのReact Router、アプリケーションアーキテクチャとしてのRedux、非同期処理のためのRedux-Saga をとりあえず、最低限のレベルで組み合わせた。

  1. React 開発の全体像を把握しつつ開発環境を整える
  2. React の単純なサンプルに React Router を適用する
  3. React の単純なサンプルに React Router を組み込んだものに Redux-Saga を適用する

次は、Ajax通信部分を組み込む。

jQuery.ajaxの代わりにSuperAgentを使う

Ajax の部分だけを利用するのに、jQueryはオーバースペック(かつ容量を無駄に消費)してしまうため、HTTP通信の特化した、SuperAgetnt を使用することとする。

github : https://github.com/pppiroto/react_get_start.git

1.インストール

SuperAgent

  1. npm install --save superagent

2.実装

2.1 ダミーAPIの結果

まずは、疎通をしたいだけなので、APIの結果を想定した、json ファイルを作成する。

/hello_successurl.json

  1. {
  2. "message":"HELLO FROM API"
  3. }

2.2 Action

以下のActionを追加する。

  • HELLO_API : 上記で作成したダミーjsonを取得する場合に呼び出す
  • HELLO_API_SUCCESS : 取得が成功した場合に呼び出す
  • HELLO_API_FAIL : 取得が失敗した場合に呼び出す

/actions/index.js

  1. import { createAction } from 'redux-actions';
  2.  
  3. export const HELLO = 'HELLO';
  4. export const HELLO_API = 'HELLO_API';
  5. export const HELLO_API_SUCCESS = 'HELLO_API_SUCCESS';
  6. export const HELLO_API_FAIL = 'HELLO_API_FAIL';
  7.  
  8. export const helloAction = createAction(HELLO);
  9. export const helloApiAction = createAction(HELLO_API);
  10. export const helloApiSuccessAction = createAction(HELLO_API_SUCCESS);
  11. export const helloApiFailAction = createAction(HELLO_API_FAIL);

2.3 Ajax API

  • Ajax 通信を行い、データを取得する関数を作成、ここで、SuperAgentを使用する。
  • データの非同期取得のために、Promise を使用する(Promiseについては、こちらを参照)

以下は確認用のやっつけコード

  • id として、2.1 のダミーファイル名の一部を渡すことで、取得成功、失敗を確認
  • クエリパラメータとしてダミーのランダム文字列を付与することで、ブラウザがキャッシュするのを抑制

services/helloApi.js

  1. import request from 'superagent';
  2.  
  3. // http://qiita.com/salesone/items/356572e689b9c2099c5c
  4. export function helloApi(id) {
  5. console.log("helloApi(" + id + ")");
  6. return new Promise(
  7. (resolve, reject) => {
  8. request
  9. .get("./hello_{0}.json?dt=".replace("{0}", id) + Math.random().toString().replace(".", ""))
  10. .end(function (err, res) {
  11. if (err) {
  12. reject(err);
  13. } else {
  14. resolve({ payload: res.body });
  15. }
  16. });
  17. }
  18. );
  19. }

2.4 Sagas

上記で作成したAPIを呼び出し、成功/失敗に応じたActionを値をセットし呼び出す。
/sagas/index.js

  1. import { takeEvery } from 'redux-saga';
  2. import { call, put } from 'redux-saga/effects';
  3. import {
  4. HELLO, helloAction,
  5. HELLO_API, helloApiAction,
  6. HELLO_API_SUCCESS, helloApiSuccessAction,
  7. HELLO_API_FAIL, helloApiFailAction
  8. } from '../actions';
  9. import { helloApi } from '../services/helloApi';
  10.  
  11. export function* getHelloApi(action) {
  12. console.log(helloApiSuccessAction());
  13. try {
  14. console.log(action);
  15. const data = yield call(helloApi, action.payload.id);
  16. yield put(helloApiSuccessAction(data.payload));
  17. } catch (error) {
  18. yield put(helloApiFailAction(error));
  19. }
  20. }
  21.  
  22. // https://redux-saga.js.org/docs/basics/UsingSagaHelpers.html
  23. export default function* rootSaga() {
  24. //yield* takeEvery(HELLO, helloAction);
  25. yield* takeEvery(HELLO_API, getHelloApi);
  26. }

2.5 Reducer

Actionに設定された値から状態値を生成する。

ダミーの単純な処理のため、識別のため、末尾に処理時間を付与している。

/reducers/hello.js

  1. import { HELLO, HELLO_API, HELLO_API_SUCCESS, HELLO_API_FAIL } from '../actions';
  2.  
  3. export default function hello(state="", action) {
  4. var suffix = " " + (new Date()).toLocaleTimeString("ja-JP");
  5. switch (action.type) {
  6. case HELLO:
  7. return action.payload + ",hello" + suffix;
  8. case HELLO_API_SUCCESS:
  9. return action.payload.message + suffix;
  10. case HELLO_API_FAIL:
  11. return action.payload.toString() + suffix;
  12. default:
  13. return state;
  14. }
  15. }

2.6 App

  • Home コンポーネントに、成功/失敗のAPI呼び出しボタンを配置。
  • name 属性の値をActionに引き渡す

/containers/app.js

  1. import React, { Component } from 'react';
  2. import { BrowserRouter, Route, Link } from 'react-router-dom';
  3. import { connect } from 'react-redux';
  4. import { withRouter } from 'react-router-dom'
  5. import { helloAction, helloApiAction } from '../actions';
  6.  
  7. class Home extends Component {
  8. handleMessage() {
  9. this.props.dispatch(helloAction('Yes'));
  10. }
  11. handleMessageApi(event) {
  12. this.props.dispatch(helloApiAction({id:event.target.name}));
  13. }
  14. render () {
  15. return (
  16. <div>
  17. <h2>Home</h2>
  18. { this.props.hello }
  19. <br />
  20. <button onClick={ this.handleMessage.bind(this) } >Hello</button>
  21. <br />
  22. <button name="successurl" onClick={ this.handleMessageApi.bind(this) } >API(Sucess)</button>
  23. <br />
  24. <button name="failurl" onClick={ this.handleMessageApi.bind(this) } >API(Fail)</button>
  25. </div>
  26. );
  27. }
  28. }
  29. const About = () => (
  30. <div><h2>About</h2></div>
  31. )
  32. const Topics = () => (
  33. <div><h2>Topics</h2></div>
  34. )
  35.  
  36. class App extends Component {
  37. render() {
  38. return (
  39. <BrowserRouter>
  40. <div>
  41. <ul>
  42. <li><Link to="/">Home</Link></li>
  43. <li><Link to="/about">About</Link></li>
  44. <li><Link to="/topics">Topics</Link></li>
  45. </ul>
  46. <hr />
  47. {/* http://qiita.com/kuy/items/869aeb7b403ea7a8fd8a */}
  48. <Route exact path="/" component={connect(state => state)(Home)} />
  49. <Route exact path="/about" component={About} />
  50. <Route exact path="/topics" component={Topics} />
  51. </div>
  52. </BrowserRouter>
  53. );
  54. }
  55. }
  56.  
  57. // http://qiita.com/MegaBlackLabel/items/df868e734d199071b883#_reference-863a1e1485bf47f046e5
  58. function mapStateToProps(state) {
  59. return {
  60. message:state.hello
  61. };
  62. }
  63.  
  64. // https://stackoverflow.com/questions/43350683/react-router-uncaught-typeerror-cannot-read-property-route-of-undefined
  65. // export default withRouter(connect(mapStateToProps)(App))
  66. export default connect(state => state)(App)

3.実行

3.1 成功

成功ボタンを押下、json取得し、Actionによりstateが更新され、そうていされた結果が表示されたOK。

super_agent01

3.2 失敗(存在しないURLを指定)

失敗ボタン押下で、存在しないURLへアクセスしに行き、結果エラーメッセージが画面表示されたOK。

super_agent03

ようやく最低ラインにたどり着いた。。。

  1. React 開発の全体像を把握しつつ開発環境を整える
  2. React の単純なサンプルに React Router を適用する
  3. React の単純なサンプルに React Router を組み込んだものに Redux-Saga を適用する
  4. React の単純なサンプルに React Router を組み込んだものに Redux-Saga を適用したものからAjax通信を組み込む
  5. React環境->React Router->Redux-Saga->SuperAgent に Bootstrapを適用する

Follow me!

コメントを残す

メールアドレスが公開されることはありません。 * が付いている欄は必須項目です