14

我有以下ajax.actionlink要求Delete action method删除对象:-

 @if (!item.IsAlreadyAssigned(item.LabTestID))
        { 
        string i = "Are You sure You want to delete (" + @item.Description.ToString() + ") ?";
           @Ajax.ActionLink("Delete",
       "Delete", "LabTest",
      new { id = item.LabTestID },

new AjaxOptions
{ Confirm = i,
    HttpMethod = "Post",
    OnSuccess = "deletionconfirmation",
    OnFailure = "deletionerror"
})
} 

但是有没有办法包含@Html.AntiForgeryToken()Ajax.actionlink删除调用中以确保没有攻击者可以发送错误的删除请求?

BR

4

2 回答 2

17

您需要使用Html.AntiForgeryToken设置 cookie 并发出具有相同值的隐藏字段的助手。发送 AJAX 请求时,您还需要将此值添加到 POST 数据中。

所以我会使用普通链接而不是 Ajax 链接:

@Html.ActionLink(
    "Delete", 
    "Delete", 
    "LabTest", 
    new { 
        id = item.LabTestID
    }, 
    new { 
        @class = "delete",
        data_confirm = "Are You sure You want to delete (" + item.Description.ToString() + ") ?"
    }
)

然后将隐藏字段放在 DOM 中的某个位置(例如在结束 body 标记之前):

@Html.AntiForgeryToken()

最后以不显眼的 AJAXify 删除锚点:

$(function () {
    $('.delete').click(function () {
        if (!confirm($(this).data('confirm'))) {
            return false;
        }

        var token = $(':input:hidden[name*="RequestVerificationToken"]');
        var data = { };
        data[token.attr('name')] = token.val();
        $.ajax({
            url: this.href,
            type: 'POST',
            data: data,
            success: function (result) {

            },
            error: function () {

            }
        });

        return false;
    });
});

现在您可以使用以下属性来装饰您的Delete操作:ValidateAntiForgeryToken

[HttpPost]
[ValidateAntiForgeryToken]
public ActionResult Delete(int id)
{
    ...
}
于 2012-04-23T07:32:16.490 回答
2

修改布朗克斯的答案:

$.ajaxPrefilter(function (options, localOptions, jqXHR) {
    var token, tokenQuery;
    if (options.type.toLowerCase() !== 'get') {
        token = GetAntiForgeryToken();
        if (options.data.indexOf(token.name)===-1) {
            tokenQuery = token.name + '=' + token.value;
            options.data = options.data ? (options.data + '&' + tokenQuery) 
                : tokenQuery;
        }
    }
});

结合乔恩怀特的这个答案

function GetAntiForgeryToken() {
  var tokenField = $("input[type='hidden'][name$='RequestVerificationToken']");
  if (tokenField.length == 0) { return null; 
  } else {
  return {
     name: tokenField[0].name,
     value: tokenField[0].value
  };
}

编辑对不起 - 意识到我在这里重新发明轮子所以asp-net-mvc-antiforgerytoken-over-ajax/16495855#16495855

于 2013-06-11T05:19:03.893 回答