道场xhr链接

时间:2013-07-06 18:04:48

标签: javascript dojo promise deferred

我有以下延迟对象:

var base = xhr.get({
    url: config.baseUrl + base_query,
    handleAs: "json",
    load: function(result) {
        widget.set('value', result);
    },
    error: function(result) {
    }
});

完成此GET请求后,我需要使用带有第一个base结果的URL执行第二个请求:

var d1 = base.then(
    function(result) {
        xhr.get({
            url: config.baseUrl + result.id,
            handleAs: "json",
            load: function(result) {
                widget.set('visibility', result);
            },
            error: function(result) {
            }
        })
   },
   function(result) {
   }
);

工作正常。但是,如何根据d1结果制作一个而不是两个或更多的请求(例如base)?是否可以将d1d2,...,dn合并到一个延迟对象中,并使用then将其连接到base对象?

1 个答案:

答案 0 :(得分:3)

是的,确切地说。您可以在then上无限次地致电base

var d1 = base.then(fn1),
    d2 = base.then(fn2),
    …

请注意,虽然它目前可能正常工作,但您的d1并不表示任何结果 - 链条已断开,因为您没有从回调中返回任何内容。您应该实际返回第二个请求的承诺:

var base = xhr.get({
    url: config.baseUrl + base_query,
    handleAs: "json"
});
base.then(widget.set.bind(widget, 'value'));
// or:    dojo.hitch(widget, widget.set, 'value') if you like that better

var d1 = base.then(function(result) {
    return xhr.get({
//  ^^^^^^
            url: config.baseUrl + result.id,
            handleAs: "json"
    });
});
d1.then(widget.set.bind(widget, 'visibility'));