Обнаружение ошибок с помощью плагина jQuery Form (ajaxForm) - PullRequest
2 голосов
/ 08 декабря 2010

Я использую плагин jQuery Form, чтобы настроить элемент управления загрузкой файлов. Я возвращаю HTML, который я хочу загрузить в div.

У меня проблемы с обнаружением ошибки.

У меня есть следующий метод контроллера ASP.NET MVC:

public ActionResult UploadDocument(int id)
{
    try
    {
        // ...blah
    }
    catch(Exception e)
    {
        // log e

        // these two lines are what I can't get working
        Response.StatusCode = (int)HttpStatusCode.InternalServerError;
        return null;
    }
    return PartialView("blah", model);
} 

и в jQuery

$documentForm.ajaxForm({
    beforeSubmit: function() { ... },
    success: function(response, status, xhr) {

        if (status == "error") {
            // this doesn't work, status is still "success"
        }

        if (!response || response == '') {
            // this doesn't work either, as the html response
            // seems to get wrapped in a <pre> tag
        }

        // this line is fine if the controller call was a success
        $container.find('.documentHistory').html(response);
    }   

Как я могу предупредить клиента об ошибке из ответа моего сервера?

Ответы [ 2 ]

3 голосов
/ 23 декабря 2010

страх

вот моя исправленная реализация плагина jquery ajaxform:

(function($) {
    $.fn.ajaxify = function(options) {

        // Defaults and options
        var defaults = {
            method: '',
            action: '',
            dataType: null, // i.e. json, jsonp etc
            target: null, // target div for ajax return data
            errordiv: null,
            // callback functions
            onBeforeSend: function() { },
            onSubmit: function() { return true },
            onSuccess: function() { },
            onError: function() { }
        };
        var opts = $.extend({}, defaults, options);

        this.each(function() {
            $(this).bind('submit', function(event) {

                event.preventDefault();

                // Increase readability && scope
                FORM = $(this);

                // Mimic the normal onSubmit handler
                if (!opts.onSubmit.call(FORM[0])) { return; }

                // Determine the method && action
                var method = opts.method || FORM.attr('method') || 'GET';
                var action = opts.action || FORM.attr('action');
                var dataType = opts.dataType || "text";
                var target = opts.target || null;
                var errordiv = opts.errordiv || null;

                // Submit the form via ajax, with appropriate callback
                $.ajax({
                    type: method,
                    url: action,
                    data: FORM.serialize(),
                    dataType: dataType,
                    beforeSend: function() {
                        opts.onBeforeSend(FORM[0]);
                    },
                    success: function(data) {
                        if (target != null)
                            opts.onSuccess.call(FORM[0], data, target);
                        else
                            opts.onSuccess.call(FORM[0], data);
                    },
                    error: function(request, status, error) {
                        // Boil the ASP.NET AJAX error down to JSON.
                        //var err = eval("(" + request.responseText + ")");
                        // Display the specific error raised by the server
                        if (request.responseText == '') {
                            var loader = this;
                            setTimeout(function() { $.ajax(loader); }, 150);
                            //console.log(status + " : " + request.statusText + " : " + request.status);
                        }
                        else {
                            if (errordiv != null)
                                opts.onError.call(FORM[0], request.responseText, errordiv);
                            else
                                opts.onError.call(FORM[0], request.responseText);
                        }
                    }
                });
            });
        });

        // allow chaining
        return this;
    }
})(jQuery);

использование (где <form id="ajaxify" method="post" action="<%=Url.Action("Test") %>"> и т.д ..:

$(document).ready(function() {
    var options = {
        onSubmit: myOnSubmit,
        onBeforeSend: myBefore,
        onSuccess: myOnSuccess,
        onError: myOnError,
        target: "#myDiv",
        errordiv: "#errDiv"
    };
    $('#ajaxify').ajaxify(options);
});

function myOnSubmit() {
    var valid = true;
    var FORM = $(this);

    FORM.find('input').css('border-color', '#F0F0F0');
    // fake validation just to demonstrate
    FORM.find('input').each(function() {
        if ($(this).val() == '') {
            $(this).css('border-color', 'red');
            valid = false;
        }
    });
    return valid;
}

function myBefore() {
    alert("we");
}

function myOnSuccess(msg, target) {
    if (target == null) {
        // this could also be a manually entered target
        // i.e. $("#myTargetDiv").html(msg);
        alert("no target");
    }
    else
        //alert($(target).html());
        $(target).html(msg);
}

function myOnError(errorText, errorDiv) {
    $(errorDiv).html(errorText);
}

надеюсь, это должно дать пищу для размышлений ...

3 голосов
/ 08 декабря 2010

после функции успеха добавьте следующее:

error: function(request, status, error) {
    // Boil the ASP.NET AJAX error down to JSON.
    //var err = eval("(" + request.responseText + ")");
    // Display the specific error raised by the server
    if (request.responseText == '') {
        var loader = this;
        setTimeout(function() { $.ajax(loader); }, 150);
        //console.log(status + " : " + request.statusText + " : " + request.status);
    }
    else {
        console.log(request.responseText);
        // or populate a div with the error in bright RED :)
    }
}

должно работать для вас.

...