$(this) doesn't work in a function
Solution 1:
The problem is that inside the success callback, this
does not have the value you expect it to.
However, you do have access to this
(with the expected value) inside loadWithoutCache
itself. So you can achieve your goal by saving $(this)
into a local variable and accessing it from inside the success handler (creating a closure).
This is what you need to do:
$.fn.loadWithoutCache = function (){
var $el = $(this);
$.ajax({
url: arguments[0],
cache: false,
dataType: "html",
success: function(data) {
$el.html(data);
alert(data);
}
});
}
Solution 2:
The callback (success
) function runs when the response arrives, and it doesn't run in the scope of the loadWithoutCache
method, as that has already ended.
You can use the context
property in the ajax
call to set the context of the callback functions:
$.fn.loadWithoutCache = function (){
$.ajax({
url: arguments[0],
cache: false,
dataType: "html",
context: this,
success: function(data) {
$(this).html(data);
}
});
}