답변:
다른 사람들이 지적했듯이 setInterval 및 setTimeout이 트릭을 수행합니다. Paul Irish의 훌륭한 비디오에서 배운 좀 더 고급 기술을 강조하고 싶었습니다. http://paulirish.com/2010/10-things-i-learned-from-the-jquery-source/
반복 간격보다 오래 걸릴 수있는주기적인 작업 (예 : 느린 연결의 HTTP 요청)에는를 사용하지 않는 것이 가장 좋습니다 setInterval()
. 첫 번째 요청이 완료되지 않고 다른 요청을 시작하면 공유 리소스를 소비하고 서로 굶주리는 여러 요청이있는 상황이 될 수 있습니다. 마지막 요청이 완료 될 때까지 다음 요청을 예약 할 때까지 기다리면이 문제를 피할 수 있습니다.
// Use a named immediately-invoked function expression.
(function worker() {
$.get('ajax/test.html', function(data) {
// Now that we've completed the request schedule the next one.
$('.result').html(data);
setTimeout(worker, 5000);
});
})();
간단하게 스케줄링에 성공 콜백을 사용했습니다. 이것의 단점은 하나의 실패한 요청이 업데이트를 중지한다는 것입니다. 이를 방지하려면 대신 전체 콜백을 사용할 수 있습니다.
(function worker() {
$.ajax({
url: 'ajax/test.html',
success: function(data) {
$('.result').html(data);
},
complete: function() {
// Schedule the next request when the current one's complete
setTimeout(worker, 5000);
}
});
})();
예, JavaScript setTimeout()
방법 또는setInterval()
메서드를 사용하여 실행하려는 코드를 호출 할 수 있습니다. setTimeout을 사용하여 수행하는 방법은 다음과 같습니다.
function executeQuery() {
$.ajax({
url: 'url/path/here',
success: function(data) {
// do something with the return value here if you like
}
});
setTimeout(executeQuery, 5000); // you could choose not to continue on failure...
}
$(document).ready(function() {
// run the first time; all subsequent calls will take care of themselves
setTimeout(executeQuery, 5000);
});
아래 코드를 시도했습니다.
function executeQuery() {
$.ajax({
url: 'url/path/here',
success: function(data) {
// do something with the return value here if you like
}
});
setTimeout(executeQuery, 5000); // you could choose not to continue on failure...
}
$(document).ready(function() {
// run the first time; all subsequent calls will take care of themselves
setTimeout(executeQuery, 5000);
});
지정된 간격 동안 예상대로 작동하지 않았고 페이지가 완전히로드되지 않았고 함수가 계속 호출되었습니다. 아래와 같이 별도의 함수로 setTimeout(executeQuery, 5000);
외부 를 호출하는 것이 좋습니다 executeQuery()
.
function executeQuery() {
$.ajax({
url: 'url/path/here',
success: function(data) {
// do something with the return value here if you like
}
});
updateCall();
}
function updateCall(){
setTimeout(function(){executeQuery()}, 5000);
}
$(document).ready(function() {
executeQuery();
});
이것은 의도 한대로 정확하게 작동했습니다.