web-dev-qa-db-ja.com

React、Redux、Axiosで非同期リクエストを処理しますか?

私はReact JSとReduxに慣れていないので、行き詰まりすぎています。Axiosを使用してPOSTリクエストを作成しようとしていますが、コンテナファイルに何かが欠けているのかもしれません。以下はコードですチェック plnkr

更新:送信後に@@ redux-form/SET_SUBMIT_SUCCEEDEDメッセージが表示されます。しかし、[ネットワーク]タブでチェックインしているとき、APIの呼び出しが表示されません。また、送信された値を慰めるとき、名前とフルネームの値のみが表示されます。ロゴと詳細で構成されていません。私は何が欠けていますか?

コンポーネントファイル

   import React, { PureComponent } from 'react'
   import PropTypes from 'prop-types'
   import { Field,reduxForm } from 'redux-form'
   import {   Columns,Column, TextArea, Label,Button  } from 'bloomer'
   import FormField from 'FormField'

   const validate = (values) => {
     const errors = {}
    const requiredFields = 
      ['organizationName','organizationFullName','organizationDetails']

    requiredFields.forEach((field) => {
     if (!values[field]) {
     errors[field] = 'This field can\'t be empty!'
    }
  })
     return errors
}

  const formConfig = {
   validate,
   form: 'createOrganization',
   enableReinitialize: true
   }

  export class CreateOrganization extends PureComponent {
   static propTypes = {
     isLoading:PropTypes.bool.isRequired,
     handleSubmit: PropTypes.func.isRequired, // from react-redux     
     submitting: PropTypes.bool.isRequired // from react-redux
    }
   onSubmit = data => {
     console.log(data)
   }
  render () {
     const { handleSubmit,submitting,isLoading } = this.props
      return (
        <Columns isCentered>
        <form onSubmit={handleSubmit(this.onSubmit.bind(this))} > 

          <Column isSize='3/6' >        
            <Label>Organization Name</Label>             
            <Field 
              name="organizationName"
              component={FormField}
              type="text"
              placeholder="Organization Name"
            />   
          </Column>       


          <Column isSize='3/6'>
            <Label>Organization Full Name</Label>              
            <Field
              name="organizationFullName"
              component={FormField}
              type="text"
              placeholder="Organization Full Name"
            />  
          </Column> 


           <Column isSize='3/6'>            
            <Label>Organization Logo</Label>              
            <Input                  
              name="organizationLogo"                  
              type="file"
              placeholder="Logo"
            /> 
          </Column>

          <Column isSize='3/6'>
            <Label>Organization Details</Label>         
                <TextArea placeholder={'Enter Details'} />               
          </Column>          


          <Column >
            <span className="create-button">
              <Button type="submit" isLoading={submitting || isLoading} isColor='primary'>
                Submit
              </Button>  
            </span> 
              <Button type="button" isColor='danger'>
                Cancel
              </Button>                
          </Column>  

        </form>
      </Columns>
    )    
  }
}

  export default reduxForm(formConfig)(CreateOrganization)

コンテナファイル

   import React, { PureComponent } from 'react'
   import PropTypes from 'prop-types'
   import { connect } from 'react-redux'
   import Loader from 'Loader'
   import organization from 'state/organization'
   import CreateOrganization from '../components/createOrganization'

   export class Create extends PureComponent {
   static propTypes = {    
     error: PropTypes.object,
     isLoaded: PropTypes.bool.isRequired,  
     create: PropTypes.func.isRequired,   
    }
    onSubmit = data => {
      this.props.create(data)
    }

    render () {
      const { isLoaded, error } = this.props
    return (      
       <CreateOrganization onSubmitForm={this.onSubmit} isLoading=
         {isLoading} />    
     )
   }
 }

   const mapStateToProps = state => ({
     error: organization.selectors.getError(state),
     isLoading: organization.selectors.isLoading(state)
   })

    const mapDispatchToProps = {
      create: organization.actions.create
    }


  export default connect(mapStateToProps, mapDispatchToProps)(Create)
19
HebleV

Reduxアクションの作成者は、プレーンで、オブジェクトであり、必須キーtypeを使用してディスパッチおよびアクションする必要があります。ただし、redux-thunkなどのカスタムミドルウェアを使用すると、カスタムaxiosなしでアクションクリエーター内でmiddlewaresリクエストを呼び出すことができます。アクションクリエーターはプレーンオブジェクトを返す必要があります

アクション作成者は次のようになります

export function create (values) {

  return (dispatch) => {
     dispatch({type: CREATE_ORGANIZATION});
     axios.post('/url', values)   
        .then((res) =>{
            dispatch({type: CREATE_ORGANIZATION_SUCCESS, payload: res});
        })
        .catch((error)=> {
            dispatch({type: CREATE_ORGANIZATION_FAILURE, payload: error});
        })
  }

}

減速機は次のようになります

export default (state = initialState, action) => {
  const payload = action.payload

   switch (action.type) {    
    case CREATE:    

      return {
        ...state,
        loading: true,
        loaded: false
      }

    case CREATE_SUCCESS:
      return {
        ...state,
        data: state.data.concat(payload.data),
        loading: false,
        loaded: true,
        error: null
      }   

      }

    case CREATE_FAILURE:

      return {
        ...state,
        loading: false,
        loaded: true,
        error: payload
      }
    default:
      return state
  }
}

ストアを作成している間、次のようにできます

import thunk from 'redux-thunk';
import { createStore, applyMiddleware } from 'redux';
const store = createStore(
  reducer,
  applyMiddleware(thunk)
);

これとは別に、reduxフォームを設定する必要もあります

あなたはcombineReducersとProviderを使用してストアを渡す必要があります

import reducer from './reducer';
import { combineReducers } from 'redux';
import { reducer as formReducer } from 'redux-form'

export const rootReducer = combineReducers({
   reducer,
   form: formReducer
})

CodeSandbox

15
Shubham Khatri

あなたはredux-sagaの助けを借りて簡単にそれを行うことができます。

Redux-sagaについて:

redux-sagaは、アプリケーションの副作用(つまり、データの取得などの非同期処理やブラウザーキャッシュへのアクセスなどの不純な処理)を管理しやすく、実行を効率化し、テストを簡単にし、障害処理を改善することを目的とするライブラリです。

インストール:

$ npm install --save redux-saga 

または

$ yarnがredux-sagaを追加

リンクを参照してください: https://github.com/redux-saga/redux-saga

2
Vikas Yadav

Reduxアクションクリエーターは、ポストリクエストでやろうとしている非同期アクションをサポートしていないようです。 Redux Thunkはこれに役立つはずです。

次のようなstore.jsファイルが必要です。

//npm install --save redux-thunk

import { createStore, applyMiddleware } from 'redux';
import thunk from 'redux-thunk';
import rootReducer from './reducer.js';

// Note: this API requires redux@>=3.1.0
const store = createStore(
  rootReducer,
  applyMiddleware(thunk) //needed so you can do async
);

アクションファイルは次のようになります。 Createはアクションクリエーターになり、関数を返します。この関数はポストリクエストを実行し、そこでディスパッチを実行してストア/ステートを更新できるようにします。 :

import axios from 'axios'
import { CREATE_ORGANIZATION, CREATE_ORGANIZATION_SUCCESS, CREATE_ORGANIZATION_FAILURE,

       } from './constants'
import * as selectors from './selectors'

/*
  CREATE ORGANIZATION
*/
//uses redux-thunk to make the post call happen
export function create (values) {
  return function(dispatch) {
    return axios.post('/url', values).then((response) => {
      dispatch({ type: 'Insert-constant-here'})
      console.log(response);
    })
    }
  }

また、このように作成したonSubmitメソッドをonSubmitFormに渡すこともできます。 isLoadingがどこから来たのかはわかりません。なぜなら、そのコンテナコンポーネントにisLoadingがインポートされていないので、あなたもそれを見たくなるかもしれないからです。

  <createOrganization onSubmitForm={this.onSubmit.bind(this)} isLoading={isLoading} />
1
Dream_Cap

redux-promise-middleware を使用することをお勧めします。このライブラリでは、アクションにpromiseであるpayloadという名前のプロパティが必要です。これはaxiosを使用すると簡単です。次に、Reduxと統合して、ルートアクションタイプの接尾辞を付けます(例:GET_CUSTOMERSPENDINGFULFILLED、およびREJECTEDを使用して、それらのアクションを起動します。

アクションの実行は、他のアクションと同じです。

格納

import {applyMiddleware, compose, createStore} from 'redux';
import promiseMiddleware from 'redux-promise-middleware';
import reducer from './reducers';

let middleware = applyMiddleware(promiseMiddleware());
const composeEnhancers = window.__REDUX_DEVTOOLS_EXTENSION_COMPOSE__ || compose;
const enhancer = composeEnhancers(middleware);

export default createStore(reducer, enhancer);

アクション

export function getCustomers() {
  return {
    type: 'GET_CUSTOMERS',
    payload: axios.get('url/to/api')
      .then(res => {
        if (!res.ok) throw new Error('An error occurred.');
        return res;
      })
      .then(res => res.json())
      .catch(err => console.warn(err));
  };
}

減速機

export default function(state = initialState, action) => {
  switch (action.type) {
    case 'GET_CUSTOMERS_PENDING':
      // this means the call is pending in the browser and has not
      // yet returned a response
      ...
    case 'GET_CUSTOMERS_FULFILLED':
      // this means the call is successful and the response has been set
      // to action.payload
      ...
    case 'GET_CUSTOMERS_REJECTED':
      // this means the response was unsuccessful so you can handle that
      // error here
      ...
    default:
      return state;
  }
}
0
Mike Perrenoud