How to return a promise composed of nested models in EmberJS with EmberData?

后端 未结 2 364
遇见更好的自我
遇见更好的自我 2020-12-30 12:19

Enviroment

# Ember       : 1.4.0
# Ember Data  : 1.0.0-beta.7+canary.b45e23ba

Model

I have simplified my use case to make the q

2条回答
  •  天涯浪人
    2020-12-30 12:45

    The trick is you need to resolve certain promises before you can access the properties on those records. Ember.RSVP.all takes an Array of promises. Ember.RSVP.hash takes a hash of promises. Unfortunately you're in the situation where you can't construct your promises until the previous promises have resolved (a la, you don't know which regions to get until the countries are resolved, and you don't know which areas to get until the regions are resolved). That being the case you really have a serial set of promises to fetch (albeit arrays of promises at each level). Ember knows to wait until the deepest promise has resolved and to use that value as the model.

    Now we need to pretend that regions and area are async, if they aren't, you're telling Ember Data the information will be included in the request with country, or in the request with region and those collections won't be promises so the code I've included below wouldn't work.

    regions: DS.hasMany('region', {async: true})
    
    areas: DS.hasMany('area', {async: true})
    
    App.IndexRoute = Ember.Route.extend({
      controllerName: 'application',
    
      model: function() {
        return this.store.find('country').then(function(countries){
          // get each country promises
          var regionCollectionPromises = countries.getEach('regions');
    
          // wait for regions to resolve to get the areas
          return Ember.RSVP.all(regionCollectionPromises).then(function(regionCollections){
    
            var regions = regionCollections.reduce(function(sum, val){
                return sum.pushObjects(val.toArray());
            }, []);
    
            var areaCollectionPromises = regions.getEach('areas');
            //wait on the areas to resolve
            return Ember.RSVP.all(areaCollectionPromises).then(function(areaCollections){
    
              // yay, we have countries, regions, and areas resolved
    
              return countries;
            });
          });
        });
    
      }
    });
    

    All this being said, since it appears you're using Ember Data, I'd just return this.store.find('country') and let Ember Data fetch the data when it's used... This template would work without all of that promise code, and would populate as Ember Data fulfill's the promises on its own (it will request the data once it sees you've attempted to use the data, good ol' lazy loading).

    {{#each country in model}}
      Country: {{country.name}}
      {{#each region in country.regions}}
        Region: {{region.name}}
          {{#each area in region.areas}}
            Area: {{area.name}}
         {{/each}}
      {{/each}}
    {{/each}}
    

提交回复
热议问题