6

我在 jQuery 函数中有我的 Ajax:

btnApplyConfig.js:

$(".btnApplyConfig").click(function(){
    var token = $("input[name=csrfmiddlewaretoken]").val();
    // Some other vars I'm sending properly
    console.log('token: '+token); //printing correctly
    $("#"+frm).submit(function(e){
        e.preventDefault();
        console.log('Post method via ajax');
        $.ajax({
            url: '/ajax/validate_config',
            type: 'POST',
            data: {
                'token': token,
                //and other stuff I'm sending properly
            },
            dataType: 'json',
        });
    });
});

我的 Django 视图:

def validate_config(request):
    token = request.GET.get('token', None)
    #some other vars I've sent ok with ajax
    data = {
        #some vars
        'token': token,
    }
    if request.method == 'POST':
        item = MyClass.objects.filter(my_keyword=my_filter_values).update(my_ajax_values)
    return JsonResponse(data)

所有数据都被正确处理,对我来说唯一的问题是我收到以下错误:

Forbidden (CSRF token missing or incorrect.): /ajax/validate_config/

为了检查 vars 是否正确发送,我已经放置了一些打印件,是的。我怎么能处理它?我检查了一些教程,但到目前为止我找不到解决方案。

4

3 回答 3

4

一个非常简单的方法

let cookie = document.cookie
let csrfToken = cookie.substring(cookie.indexOf('=') + 1)

$.ajax({
         url: 'url/path',
         type: 'POST',
         headers: {
           'X-CSRFToken': csrfToken
         }
})
于 2020-12-30T14:27:21.423 回答
2

这是在这种情况下对我有用的解决方案:

在 Ajax 代码之前添加此代码:

function getCookie(name) {
    var cookieValue = null;
    if (document.cookie && document.cookie !== '') {
        var cookies = document.cookie.split(';');
        for (var i = 0; i < cookies.length; i++) {
            var cookie = jQuery.trim(cookies[i]);
            // Does this cookie string begin with the name we want?
            if (cookie.substring(0, name.length + 1) === (name + '=')) {
                cookieValue = decodeURIComponent(cookie.substring(name.length + 1));
                break;
            }
        }
    }
    return cookieValue;
}
var csrftoken = getCookie('csrftoken');

function csrfSafeMethod(method) {
    // these HTTP methods do not require CSRF protection
    return (/^(GET|HEAD|OPTIONS|TRACE)$/.test(method));
}
$.ajaxSetup({
    beforeSend: function(xhr, settings) {
        if (!csrfSafeMethod(settings.type) && !this.crossDomain) {
            xhr.setRequestHeader("X-CSRFToken", csrftoken);
        }
    }
});
于 2019-02-23T12:50:50.830 回答
2

你可以使用这个。你不必为此投入任何东西view。它会自动找到它。

$.ajax({
  url: ,
  type: "POST",
  data: {
    'csrfmiddlewaretoken': $("input[name=csrfmiddlewaretoken]").val()
    // plus other data
  },
  dataType: 'json',
  success: ,
});

您可能还想添加if request.is_ajax()到您的view.

于 2019-02-23T06:22:22.403 回答