5

我在控制器中有一个方法,如下所示:

[HttpPost]
public void UnfavoriteEvent(int id)
{
    try
    {
        var rows = _connection.Execute("DELETE UserEvent WHERE UserID = (SELECT up.UserID FROM UserProfile up WHERE up.UserName = @UserName) AND EventID = @EventID",
            new { EventID = id, UserName = User.Identity.Name });
        if (rows != 1)
        {
            Response.StatusCode = 500;
            Response.Status = "There was an unknown error updating the database.";
            //throw new HttpException(500, "There was an unknown error updating the database.");
        }
    }
    catch (Exception ex)
    {
        Response.StatusCode = 500;
        Response.Status = ex.Message;
        //throw new HttpException(500, ex.Message);
    }
}

正如你所看到的,我已经尝试了几种不同的方法来抛出这个错误。在 JavaScript 中,我有以下块来调用此方法:

var jqXHR;
if (isFavorite) {
    jqXHR = $.ajax({
        type: 'POST',
        url: '/Account/UnfavoriteEvent',
        data: { id: $("#EventID").val() }
    });
}
else {
    jqXHR = $.ajax({
        type: 'POST',
        url: '/Account/FavoriteEvent',
        data: { id: $("#EventID").val() }
    });
}

jqXHR.error = function (data) {
    $("#ajaxErrorMessage").val(data);
    $("#ajaxError").toggle(2000);
};

现在,我想做的是将发生的错误返回给jqXHR.error函数,以便我可以正确处理它。

目前,未注释的代码会抛出一个异常,指出我放入的文本Status是不允许的,并且注释的代码实际上返回标准错误页面作为响应(这并不奇怪)。

所以,我有几个问题:

  1. 如何正确抛出错误?
  2. Response.Status物业是做什么的?

谢谢大家!

4

2 回答 2

3

您将能够从 javascript 端获取响应状态,执行以下操作:

$.ajax({
    type: 'POST',
    url: '/Account/UnfavoriteEvent',
    data: { id: $("#EventID").val() },
    success: function(data, textStatus, jqXHR) {
        // jqXHR.status contains the Response.Status set on the server
    },
    error: function(jqXHR, textStatus, errorThrown) {
        // jqXHR.status contains the Response.Status set on the server
    }});

如您所见,您必须将函数传递errorajax函数......在您的示例中,您将函数设置为完全没有效果的error属性。jqXHR

关于 ajax 事件的文档

jQuery 文档说错误字符串将出现在errorThrown参数中。

不要使用响应

相反,您应该返回HttpStatusCodeResult

[HttpPost]
public void UnfavoriteEvent(int id)
{
    try
    {
        var rows = _connection.Execute("DELETE UserEvent WHERE UserID = (SELECT up.UserID FROM UserProfile up WHERE up.UserName = @UserName) AND EventID = @EventID",
            new { EventID = id, UserName = User.Identity.Name });
        if (rows != 1)
        {
            return new HttpStatusCodeResult(500, "There was an unknown error updating the database.");
        }
    }
    catch (Exception ex)
    {
        return new HttpStatusCodeResult(500, ex.Message);
    }
}
于 2012-10-19T02:21:07.807 回答
1

使用Response.StatusDescription. 在 jQuery 方面,使用jqXHR.fail(function(){}).

于 2012-10-19T03:55:02.760 回答