使用React.js和Ajax在Laravel 5中显示验证错误

问题描述:

我正在运行一个Laravel 5应用程序,该应用程序的主视图使用React.js呈现.在页面上,我有一个简单的输入表单,我正在使用Ajax处理该表单(将输入发送回而无需刷新页面).我在UserController中验证输入数据.我想做的是在我的视图中显示错误消息(如果输入未通过验证).

I am running a Laravel 5 application that has its main view rendered using React.js. On the page, I have a simple input form, that I am handling with Ajax (sending the input back without page refresh). I validate the input data in my UserController. What I would like to do is display error messages (if the input does not pass validation) in my view.

我还希望基于React.js代码中的状态(已提交或未提交)显示验证错误.

I would also like the validation errors to appear based on state (submitted or not submitted) within the React.js code.

在没有页面刷新的情况下,如何使用React.js做到这一点?

How would I do this using React.js and without page refresh?

这是一些代码:

React.js代码:

React.js code:

var ReactCSSTransitionGroup = React.addons.CSSTransitionGroup;

var SignupForm = React.createClass({
  getInitialState: function() {
    return {email: '', submitted: false, error: false};
  },

  _updateInputValue(e) {
    this.setState({email: e.target.value});
  },

  render: function() {
    var text = this.state.submitted ? 'Thank you!  Expect a follow up at '+email+' soon!' : 'Enter your email to request early access:';
    var style = this.state.submitted ? {"backgroundColor": "rgba(26, 188, 156, 0.4)"} : {};
    return (
      <div>
{this.state.submitted ? null :
                              <div className="overall-input">
                                  <ReactCSSTransitionGroup transitionName="example" transitionAppear={true}>
                                      <input type="email" className="input_field" onChange={this._updateInputValue} ref="email" value={this.state.email} />

                                      <div className="button-row">
                                          <a href="#" className="button" onClick={this.saveAndContinue}>Request Invite</a>
                                      </div> 
                                  </ReactCSSTransitionGroup>
                              </div>                            
}
      </div>
    )
  },

  saveAndContinue: function(e) {
    e.preventDefault()

    if(this.state.submitted==false) {
        email = this.refs.email.getDOMNode().value
        this.setState({email: email})
        this.setState({submitted: !this.state.submitted});

        request = $.ajax({ 
              url: "/user", 
              type: "post", 
              data: 'email=' + email + '&_token={{ csrf_token() }}',
              data: {'email': email, '_token': $('meta[name=_token]').attr('content')},
              beforeSend: function(data){console.log(data);},
              success:function(data){},  
        });


        setTimeout(function(){
             this.setState({submitted:false});
        }.bind(this),5000);

    }

  }
});

React.render(<SignupForm/>, document.getElementById('content'));

UserController:

UserController:

public function store(Request $request) {

    $this->validate($request, [
        'email' => 'Required|Email|Min:2|Max:80'
    ]);

    $email = $request->input('email');;

        $user = new User;
        $user->email = $email;
        $user->save();

    return $email;

}

谢谢您的帮助!

根据Laravel文档,他们在验证失败时发送带有422代码的响应:

According to Laravel docs, they send a response with 422 code on failed validation:

如果传入请求是AJAX请求,则不会重定向 产生.取而代之的是,带有422状态代码的HTTP响应将是 返回到包含JSON表示形式的浏览器 验证错误

If the incoming request was an AJAX request, no redirect will be generated. Instead, an HTTP response with a 422 status code will be returned to the browser containing a JSON representation of the validation errors

因此,您只需要处理响应,如果验证失败,则将验证消息添加到状态,如以下代码片段所示:

So, you just need to handle response and, if validation failed, add a validation message to the state, something like in the following code snippet:

  request = $.ajax({ 
              url: "/user", 
              type: "post", 
              data: 'email=' + email + '&_token={{ csrf_token() }}',
              data: {'email': email, '_token': $('meta[name=_token]').attr('content')},
              beforeSend: function(data){console.log(data);},
              error: function(jqXhr, json, errorThrown) {
                if(jqXhr.status === 422) {
                    //status means that this is a validation error, now we need to get messages from JSON
                    var errors = jqXhr.responseJSON;
                    var theMessageFromRequest = errors['email'].join('. ');
                    this.setState({
                        validationErrorMessage: theMessageFromRequest,
                        submitted: false
                    });
                }
              }.bind(this)
        });

之后,在"render"方法中,只需检查是否设置了this.state.validationErrorMessage并将消息呈现在某处:

After that, in the 'render' method, just check if this.state.validationErrorMessage is set and render the message somewhere:

  render: function() {
    var text = this.state.submitted ? 'Thank you!  Expect a follow up at '+email+' soon!' : 'Enter your email to request early access:';
    var style = this.state.submitted ? {"backgroundColor": "rgba(26, 188, 156, 0.4)"} : {};
    return (
      <div>
        {this.state.submitted ? null :
            <div className="overall-input">
              <ReactCSSTransitionGroup transitionName="example" transitionAppear={true}>
                  <input type="email" className="input_field" onChange={this._updateInputValue} ref="email" value={this.state.email} />
                  <div className="validation-message">{this.state.validationErrorMessage}</div>
                  <div className="button-row">
                      <a href="#" className="button" onClick={this.saveAndContinue}>Request Invite</a>
                  </div> 
              </ReactCSSTransitionGroup>
            </div>                            
        }
      </div>
    )
  }