14

如何使用redux-form和 Fetch API 进行服务器端验证?文档中提供了“提交验证”演示,其中说推荐的服务器端验证方法是从 onSubmit 函数返回一个承诺。但是我应该把这个承诺放在哪里呢?据我了解 onSubmit 功能应该是我的行动。

<form onSubmit={this.props.addWidget}>...

this.props.addWidget 实际上是我的操作,如下所示。

import fetch from 'isomorphic-fetch';
...
function fetchAddWidget(widget, workspace) {
    return dispatch => {
        dispatch(requestAddWidget(widget, workspace));
        return fetch.post(`/service/workspace/${workspace}/widget`, widget)
            .then(parseJSON)
            .then(json => {
                dispatch(successAddWidget(json, workspace));
                DataManager.handleSubscribes(json);
            })
            .catch(error => popupErrorMessages(error));
    }
}

export function addWidget(data, workspace) {
    return (dispatch, getState) => {
        return dispatch(fetchAddWidget(data, workspace));
    }
}

如您所见,我使用 fetch API。我预计 fetch 会返回承诺,redux-form 会抓住它,但这不起作用。如何使其与示例中的承诺一起工作?

同样从演示中我无法理解 this.props.handleSubmit 函数中应该提供什么。Demo不解释这部分,至于我。

4

2 回答 2

20

这是我基于http://erikras.github.io/redux-form/#/examples/submit-validation的示例使用 fetch 的看法。

  • ...但是我应该把那个承诺放在哪里?
  • ... this.props.handleSubmit 中应该提供什么?

详细信息在下面的评论中;抱歉,代码块需要一些滚动才能阅读:/


components/submitValidation.js

import React, { Component, PropTypes } from 'react';
import { reduxForm } from 'redux-form';
import { myHandleSubmit, show as showResults } from '../redux/modules/submission';

class SubmitValidationForm extends Component {
  // the following three props are all provided by the reduxForm() wrapper / decorator
  static propTypes = {
    // the field names we passed in the wrapper;
    // each field is now an object with properties:
    // value, error, touched, dirty, etc
    // and methods onFocus, onBlur, etc
    fields: PropTypes.object.isRequired,

    // handleSubmit is _how_ to handle submission:
    // eg, preventDefault, validate, etc
    // not _what_ constitutes or follows success or fail.. that's up to us

    // I must pass a submit function to this form, but I can either:

    // a) import or define a function in this component (see above), then: 
    //   `<form onSubmit={ this.props.handleSubmit(myHandleSubmit) }>`, or

    // b) pass that function to this component as 
    //   `<SubmitValidationForm onSubmit={ myHandleSubmit } etc />`, then 
    //   `<form onSubmit={this.props.handleSubmit}>`
    handleSubmit: PropTypes.func.isRequired,

    // redux-form listens for `reject({_error: 'my error'})`, we receive `this.props.error`
    error: PropTypes.string
  };

  render() {
    const { fields: { username, password }, error, handleSubmit } = this.props;

    return (
      <form onSubmit={ handleSubmit(myHandleSubmit) }>

        <input type="text" {...username} />
        {
            // this can be read as "if touched and error, then render div"
            username.touched && username.error && <div className="form-error">{ username.error }</div>
        }

        <input type="password" {...password} />
        { password.touched && password.error && <div className="form-error">{ password.error }</div> }

        {
          // this is the generic error, passed through as { _error: 'something wrong' }
          error && <div className="text-center text-danger">{ error }</div>
        }

        // not sure why in the example @erikras uses 
        // `onClick={ handleSubmit }` here.. I suspect a typo.
        // because I'm using `type="submit"` this button will trigger onSubmit
        <button type="submit">Log In</button>
      </form>
    );
  }
}

// this is the Higher Order Component I've been referring to 
// as the wrapper, and it may also be written as a @decorator
export default reduxForm({
  form: 'submitValidation',
  fields: ['username', 'password'] // we send only field names here
})(SubmitValidationForm);

../redux/modules/submission.js

// (assume appropriate imports)

function postToApi(values) {
  return fetch( API_ENDPOINT, {
    credentials: 'include',
    mode: 'cors',
    method: 'post',
    body: JSON.stringify({values}),
    headers: {
      'Content-Type': 'application/json',
      'X-CSRFToken': CSRF_TOKEN
    }
  }).then( response => Promise.all([ response, response.json()] ));
}

export const myHandleSubmit = (values, dispatch) => {
  dispatch(startLoading());

  return new Promise((resolve, reject) => {
    // postToApi is a wrapper around fetch
    postToApi(values)
      .then(([ response, json ]) => {
        dispatch(stopLoading());

        // your statuses may be different, I only care about 202 and 400
        if (response.status === 202) {
          dispatch(showResults(values));
          resolve();
        }
        else if (response.status === 400) {
          // here I expect that the server will return the shape:
          // {
          //   username: 'User does not exist',
          //   password: 'Wrong password',
          //   _error: 'Login failed!'
          // }
          reject(json.errors);
        }
        else {
          // we're not sure what happened, but handle it:
          // our Error will get passed straight to `.catch()`
          throw(new Error('Something went horribly wrong!'));
        }
      })
      .catch( error => {
        // Otherwise unhandled server error
        dispatch(stopLoading());
        reject({ _error: error });
      });
  });
};

如果我遗漏了什么/被误解等,请发表评论,我会修改:)

于 2015-12-21T14:27:28.317 回答
1

事实证明,有一些未记录的属性 returnRejectedSubmitPromise必须设置为 true。

于 2015-12-17T08:37:10.443 回答