web-dev-qa-db-ja.com

クライアントにエラーをレンダリングする方法は? AngularJS / WebApi ModelState

バックエンド用のWebApiを使用してAngularJSSPAアプリケーションを構築しています。サーバーでのモデル検証に属性を使用しています。検証が失敗した場合、これがModelStateから返されます。

     {"Message":"The request is invalid.","ModelState":{"model.LastName":["Last Name must be at least 2 characters long."]}}

次に、AngularJSを使用してこれをクライアントにレンダリングするにはどうすればよいですか?

      //Save User Info
    $scope.processDriverForm = function(isValid) {
        if (isValid) {
            //set button disabled, icon, text
            $scope.locked = true;
            $scope.icon = 'fa fa-spinner fa-spin';
            $scope.buttonText = 'Saving...';
            $scope.submitted = true;
            $scope.formData.birthDate = $scope.formData.birthMonth + '/' + $scope.formData.birthDay + '/' + $scope.formData.birthYear;
            $http({
                    method: 'POST',
                    url: 'api/Account/Register',
                    data: $.param($scope.formData),
                    headers: { 'Content-Type': 'application/x-www-form-urlencoded' } // set the headers so angular passing info as form data (not request payload)
                })
                .success(function (data) {
                    console.log(data);
                    toastr.success('User ' + $scope.formData.username + ' created!');
                    $scope.userForm.$setPristine();
                    $scope.formData = {};
                    //reset the button
                    $scope.locked = false;
                    $scope.icon = '';
                    $scope.buttonText = 'Save';
                    //reset validation submitted
                    $scope.submitted = false;
                })
                .error(function (data, response) {
                    console.log(data);
                    toastr.error('Ooops! There was an error creating the user. Try again and if the problem persists, contact Support.');
                    //reset the button
                    $scope.locked = false;
                    $scope.icon = '';
                    $scope.buttonText = 'Save';
                    $scope.submitted = false;

                    var resp = {};

                    var errors = [];
                    for (var key in resp.ModelState) {
                        for (var i = 0; i < resp.ModelState[key].length; i++) {
                            errors.Push(resp.ModelState[key][i]);
                        }
                    }
                    $scope.errors = errors;

                });

        }
        else {
            toastr.warning('Invalid User Form, correct errors and try again.');
        }
    };
13
Brad Martin

サーバーに電話をかけるときは、$httppromiseの拒否に基づいてエラーをキャプチャします。

次に、コントローラーで、次のように表示用のエラーを処理するときに、エラーの配列に対する応答をフラット化することをお勧めします フィドルの例

for (var key in resp.ModelState) {
    for (var i = 0; i < resp.ModelState[key].length; i++) {
        errors.Push(resp.ModelState[key][i]);
    }
}

すべてをまとめるには:

// Post the data to the web api/service
$http.post(url, data)
    .success(successHandler)
    .error(function (response) {
        // when there's an error, parse the error
        // and set it to the scope (for binding)
        $scope.errors = parseErrors(response);
    });

//separate method for parsing errors into a single flat array
function parseErrors(response) {
    var errors = [];
    for (var key in response.ModelState) {
        for (var i = 0; i < response.ModelState[key].length; i++) {
            errors.Push(response.ModelState[key][i]);
        }
    }
    return errors;
}
18
Brocco

最も簡単な方法は、ModelStateからすべてのエラーを取得し、それらを$ scopeの新しいプロパティに配置することです。

$http.post(url, data).
    success(successHandler).
    error(function (response) {
        $scope.errors = getErrors(response);
    });

function getErrors(responseWithModelState) {
    var errors = [];
    /*
    Get error messages out of ModelState property, and Push them into the errors variable...
    Brocco beat me to it. :-)
    */
    return errors;
};

次に、HTMLで...

<ul>
    <li ng-repeat="e in errors">{{e}}</li>
</ul>

または、すべてのエラーハンドラーでこれを行う代わりに、一度記述して、インターセプターを使用してすべてのHTTPリクエストに適用することができます。自分で書いたことがないので、 doc ([インターセプター]セクションまでスクロールダウン)を紹介します。

3
Andrew