Use Jquery To Replace Xmlhttprequest
Solution 1:
$.get(url, {}, callback);
should do the trick. Your callback could be simplified like this:
functioncallback(content){
$('#decimal').val(content);
}
Or even shorter:
$.get(url, {}, function(content){
$('#decimal').val(content);
});
And all in all I think this should work:
functioncreateRequest() {
var keyValue = $('#key').val();
$('#keypressed').val(keyValue);
var url = "/My_Servlet/response";
$.get(url, {key: keyValue}, function(content){
$('#decimal').val(content);
});
}
Solution 2:
Take out the readyState and status checks. jQuery only calls your callback upon success. Your callback is supplied the arguments (data, textStatus)
, so you should use data
instead of req.responseText
.
window.setTimeout()
as suggested by another answer won't do what you want - that only waits and then calls your function once. You need to use window.setInterval()
instead, which will call your function periodically until you cancel it.
So, in summary:
var interval = 500; /* Milliseconds between requests. */window.setInterval(function() {
var val = $("#key").val();
$("#keypressed").val(val);
$.get("/My_Servlet/response", { "key": val }, function(data, textStatus) {
$("#decimal").val(data);
});
}), interval);
Solution 3:
I don't think jQuery implements a timeout function, but plain old javascript does it rather nicely :)
Solution 4:
According to the docs, jQuery.get's arguments are url, data, callback
, not url, callback
.
A call to JavaScript's setTimeout function at the end of your callback function should suffice to get this to continually execute.
Solution 5:
There's no need to set the GET parameters on the URL, jQuery will set them automatically. Try this code:
var key = document.getElementById("key");
[...]
var url = "/My_Servlet/response";
$.get (url, {'key': key}, function (responseText)
{
var decimal = document.getElementById ('decimal');
decimal.value = responseText;
});
Post a Comment for "Use Jquery To Replace Xmlhttprequest"