i need to pass $(this).data into success func in ajax. here is my code
JavaScript
x
17
17
1
var product_id = $(this).data("product_id");
2
3
var url = "{{ route('client.add_wishlist')}}";
4
5
$.ajax({
6
url: url,
7
type: "POST",
8
dataType: "json",
9
data: {
10
product_id: product_id,
11
_token: "{{ csrf_token() }}",
12
},
13
success: function (data) {
14
$(this).addClass("wishlist-comp-saved");
15
},
16
});
17
But $(this).addClass('wishlist-comp-saved');
is not working inside success: function(data) {}
Advertisement
Answer
$(this)
will change context when called. When inside of the success: function (data)
, $(this)
is not the same as it was inside of whatever is calling this $.ajax()
request.
For your issue, you simply have to set $(this)
as a variable before your $.ajax()
request, and reference it in the success: function()
:
JavaScript
1
17
17
1
var product_id = $(this).data("product_id");
2
var url = "{{ route('client.add_wishlist')}}";
3
4
var that = $(this);
5
$.ajax({
6
url: url,
7
type: 'POST',
8
dataType: "json",
9
data: {
10
'product_id': product_id
11
'_token': "{{ csrf_token() }}"
12
},
13
success: function(data) {
14
that.addClass('wishlist-comp-saved');
15
}
16
});
17