[javascript] jQuery 지연을 어떻게 사용할 수 있습니까?

jQuery를 1.5은 새로운 이연 객체와 연결 방법을 제공합니다 .when, .Deferred._Deferred.

.Deferred이전에 사용하지 않은 사람들을 위해 소스에 주석을 달았 습니다 .

이 새로운 방법의 가능한 사용법은 무엇입니까? 패턴에 맞추는 방법은 무엇입니까?

API소스를 이미 읽었 으므로 그 기능을 알고 있습니다. 내 질문은 일상적인 코드에서 이러한 새로운 기능을 어떻게 사용할 수 있습니까?

AJAX 요청을 순서대로 호출하는 버퍼 클래스 의 간단한 예가 있습니다. (이전 단계가 끝나면 다음 단계가 시작됩니다).

/* Class: Buffer
 *  methods: append
 *
 *  Constructor: takes a function which will be the task handler to be called
 *
 *  .append appends a task to the buffer. Buffer will only call a task when the
 *  previous task has finished
 */
var Buffer = function(handler) {
    var tasks = [];
    // empty resolved deferred object
    var deferred = $.when();

    // handle the next object
    function handleNextTask() {
        // if the current deferred task has resolved and there are more tasks
        if (deferred.isResolved() && tasks.length > 0) {
            // grab a task
            var task = tasks.shift();
            // set the deferred to be deferred returned from the handler
            deferred = handler(task);
            // if its not a deferred object then set it to be an empty deferred object
            if (!(deferred && deferred.promise)) {
                deferred = $.when();
            }
            // if we have tasks left then handle the next one when the current one 
            // is done.
            if (tasks.length > 0) {
                deferred.done(handleNextTask);
            }
        }
    }

    // appends a task.
    this.append = function(task) {
        // add to the array
        tasks.push(task);
        // handle the next task
        handleNextTask();
    };
};

나는 시위와의 가능한 사용을 찾고 있어요 .Deferred.when.

의 예제를 보는 것도 좋을 것입니다 ._Deferred.

jQuery.ajax예를 들어 새로운 소스에 연결하는 것은 부정 행위입니다.

작업이 동 기적으로 수행되는지 비동기 적으로 수행되는지 추상화 할 때 어떤 기술을 사용할 수 있는지에 특히 관심이 있습니다.



답변

내가 생각할 수있는 가장 좋은 사용 사례는 AJAX 응답을 캐싱하는 것입니다. 다음 은 주제에 대한 Rebecca Murphey의 소개 게시물 에서 수정 된 예입니다 .

var cache = {};

function getData( val ){

    // return either the cached value or jqXHR object wrapped Promise
    return $.when(
        cache[ val ] ||
        $.ajax('/foo/', {
            data: { value: val },
            dataType: 'json',
            success: function( resp ){
                cache[ val ] = resp;
            }
        })
    );
}

getData('foo').then(function(resp){
    // do something with the response, which may
    // or may not have been retrieved using an
    // XHR request.
});

기본적으로 값이 이미 한 번 요청 된 경우 캐시에서 즉시 반환됩니다. 그렇지 않으면 AJAX 요청이 데이터를 가져 와서 캐시에 추가합니다. $.when/는 .then이 중 하나에 대해 상관하지 않는다; .then()두 가지 경우 모두 처리기에 전달되는 응답을 사용하기 만하면됩니다. jQuery.when()비 약속 / 지연을 완료된 것으로 처리하여 즉시 .done()또는 .then()체인에서 실행합니다 .

지연은 작업이 비동기 적으로 작동하거나 작동하지 않을 때 적합하며 코드에서 해당 조건을 추상화하려고합니다.

$.when도우미 를 사용하는 또 다른 실제 예 :

$.when($.getJSON('/some/data/'), $.get('template.tpl')).then(function (data, tmpl) {

    $(tmpl) // create a jQuery object out of the template
    .tmpl(data) // compile it
    .appendTo("#target"); // insert it into the DOM

});


답변

다음은 ehynd ‘s answer 에서와 같이 AJAX 캐시를 약간 다르게 구현 한 입니다.

fortuneRice의 후속 질문 에서 언급했듯이 ehynd의 구현은 요청 중 하나가 반환되기 전에 요청이 수행 된 경우 실제로 동일한 요청을 여러 번 방지하지 못했습니다. 그건,

for (var i=0; i<3; i++) {
    getData("xxx");
}

“xxx”에 대한 결과가 이전에 캐시되지 않은 경우 3 개의 AJAX 요청이 발생합니다.

결과 대신 요청의 지연을 캐싱하여 해결할 수 있습니다.

var cache = {};

function getData( val ){

    // Return a promise from the cache (if available)
    // or create a new one (a jqXHR object) and store it in the cache.
    var promise = cache[val];
    if (!promise) {
        promise = $.ajax('/foo/', {
            data: { value: val },
            dataType: 'json'
        });
        cache[val] = promise;
    }
    return promise;
}

$.when(getData('foo')).then(function(resp){
    // do something with the response, which may
    // or may not have been retreived using an
    // XHR request.
});


답변

뮤텍스 대신에 지연을 사용할 수 있습니다. 이것은 본질적으로 여러 ajax 사용 시나리오와 동일합니다.

뮤텍스

var mutex = 2;

setTimeout(function() {
 callback();
}, 800);

setTimeout(function() {
 callback();
}, 500);

function callback() {
 if (--mutex === 0) {
  //run code
 }
}

지연됨

function timeout(x) {
 var dfd = jQuery.Deferred();
 setTimeout(function() {
  dfd.resolve();
 }, x);
 return dfd.promise();
}

jQuery.when(
timeout(800), timeout(500)).done(function() {
 // run code
});

Deferred를 뮤텍스로만 사용하는 경우 성능 영향에주의하십시오 (http://jsperf.com/deferred-vs-mutex/2). Deferred가 제공하는 편의성과 추가 혜택은 그만한 가치가 있지만 실제 (사용자 중심 이벤트 기반) 사용에서는 성능 영향이 눈에 띄지 않아야합니다.


답변

이것은 자체 판촉적인 답변이지만 몇 달 동안 이것을 연구하고 jQuery Conference San Francisco 2012에서 결과를 발표했습니다.

다음은이 대화에 대한 무료 비디오입니다.

https://www.youtube.com/watch?v=juRtEEsHI9E


답변

내가 좋은 목적으로 사용했던 또 다른 용도는 여러 소스에서 데이터를 가져 오는 것입니다. 아래 예에서는 클라이언트와 REST 서버 간의 유효성 검사를 위해 기존 애플리케이션에서 사용되는 여러 개의 독립적 인 JSON 스키마 객체를 가져옵니다. 이 경우 브라우저 측 응용 프로그램이 모든 스키마를로드하기 전에 데이터로드를 시작하지 않으려합니다. $ .when.apply (). then ()은 이것에 완벽합니다. then (fn1, fn2)을 사용하여 오류 조건을 모니터링하는 방법에 대한 포인터는 Raynos에게 감사하십시오.

fetch_sources = function (schema_urls) {
    var fetch_one = function (url) {
            return $.ajax({
                url: url,
                data: {},
                contentType: "application/json; charset=utf-8",
                dataType: "json",
            });
        }
    return $.map(schema_urls, fetch_one);
}

var promises = fetch_sources(data['schemas']);
$.when.apply(null, promises).then(

function () {
    var schemas = $.map(arguments, function (a) {
        return a[0]
    });
    start_application(schemas);
}, function () {
    console.log("FAIL", this, arguments);
});     


답변

Deferreds를 사용하여 모든 종류의 계산 (일반적으로 성능 집약적이거나 오래 실행되는 작업)에 대한 캐시를 구현하는 또 다른 예 :

var ResultsCache = function(computationFunction, cacheKeyGenerator) {
    this._cache = {};
    this._computationFunction = computationFunction;
    if (cacheKeyGenerator)
        this._cacheKeyGenerator = cacheKeyGenerator;
};

ResultsCache.prototype.compute = function() {
    // try to retrieve computation from cache
    var cacheKey = this._cacheKeyGenerator.apply(this, arguments);
    var promise = this._cache[cacheKey];

    // if not yet cached: start computation and store promise in cache 
    if (!promise) {
        var deferred = $.Deferred();
        promise = deferred.promise();
        this._cache[cacheKey] = promise;

        // perform the computation
        var args = Array.prototype.slice.call(arguments);
        args.push(deferred.resolve);
        this._computationFunction.apply(null, args);
    }

    return promise;
};

// Default cache key generator (works with Booleans, Strings, Numbers and Dates)
// You will need to create your own key generator if you work with Arrays etc.
ResultsCache.prototype._cacheKeyGenerator = function(args) {
    return Array.prototype.slice.call(arguments).join("|");
};

다음은이 클래스를 사용하여 시뮬레이션 된 무거운 계산을 수행하는 예입니다.

// The addingMachine will add two numbers
var addingMachine = new ResultsCache(function(a, b, resultHandler) {
    console.log("Performing computation: adding " + a + " and " + b);
    // simulate rather long calculation time by using a 1s timeout
    setTimeout(function() {
        var result = a + b;
        resultHandler(result);
    }, 1000);
});

addingMachine.compute(2, 4).then(function(result) {
    console.log("result: " + result);
});

addingMachine.compute(1, 1).then(function(result) {
    console.log("result: " + result);
});

// cached result will be used
addingMachine.compute(2, 4).then(function(result) {
    console.log("result: " + result);
});

동일한 기본 캐시를 사용하여 Ajax 요청을 캐시 할 수 있습니다.

var ajaxCache = new ResultsCache(function(id, resultHandler) {
    console.log("Performing Ajax request for id '" + id + "'");
    $.getJSON('http://jsfiddle.net/echo/jsonp/?callback=?', {value: id}, function(data) {
        resultHandler(data.value);
    });
});

ajaxCache.compute("anID").then(function(result) {
    console.log("result: " + result);
});

ajaxCache.compute("anotherID").then(function(result) {
    console.log("result: " + result);
});

// cached result will be used
ajaxCache.compute("anID").then(function(result) {
    console.log("result: " + result);
});

이 jsFiddle 에서 위의 코드로 재생할 수 있습니다 .


답변

1) 콜백을 순서대로 실행하려면 사용하십시오.

var step1 = new Deferred();
var step2 = new Deferred().done(function() { return step1 });
var step3 = new Deferred().done(function() { return step2 });

step1.done(function() { alert("Step 1") });
step2.done(function() { alert("Step 2") });
step3.done(function() { alert("All done") });
//now the 3 alerts will also be fired in order of 1,2,3
//no matter which Deferred gets resolved first.

step2.resolve();
step3.resolve();
step1.resolve();

2) 앱 상태를 확인하는 데 사용하십시오.

var loggedIn = logUserInNow(); //deferred
var databaseReady = openDatabaseNow(); //deferred

jQuery.when(loggedIn, databaseReady).then(function() {
  //do something
});