Old Guides - You are viewing the guides for Ember v1.11.0. VIEW v3.28.0
Edit Page

Representing Multiple Models with ArrayController


You can use Ember.ArrayController to represent an array of models. To tell an ArrayController which models to represent, set its model property in your route's setupController method.

You can treat an ArrayController just like its underlying array. For example, imagine we want to display the current playlist. In our route, we setup our SongsController to represent the songs in the playlist:

export default Ember.Route.extend({
  setupController: function(controller, playlist) {
    controller.set('model', playlist.get('songs'));
  }
});

In the songs template, we can use the {{#each}} helper to display each song:

<h1>Playlist</h1>

<ul>
  {{#each song in model}}
    <li>{{song.name}} by {{song.artist}}</li>
  {{/each}}
</ul>

You can use the ArrayController to collect aggregate information about the models it represents. For example, imagine we want to display the number of songs that are over 30 seconds long. We can add a new computed property called longSongCount to the controller:

export default Ember.ArrayController.extend({
  longSongCount: function() {
    var longSongs = this.filter(function(song) {
      return song.get('duration') > 30;
    });
    return longSongs.get('length');
  }.property('@each.duration')
});

Now we can use this property in our template:

<ul>
  {{#each song in model}}
    <li>{{song.name}} by {{song.artist}}</li>
  {{/each}}
</ul>

{{longSongCount}} songs over 30 seconds.

Sorting

The Ember.ArrayController uses the Ember.SortableMixin to allow sorting of content. There are two properties that can be set in order to set up sorting:

export default Ember.ArrayController.extend({
  sortProperties: ['name', 'artist'],
  sortAscending: true // false for descending
});

Item Controller

It is often useful to specify a controller to decorate individual items in the ArrayController while iterating over them. This can be done by creating an ObjectController:

export default Ember.ObjectController.extend({
  fullName: function() {

    return this.get('name') + ' by ' + this.get('artist');

  }.property('name', 'artist')
});

Then, the ArrayController itemController property must be set to the decorating controller.

export default Ember.ArrayController.extend({
  itemController: 'song'
});
{{#each item in controller}}
  <li>{{item.fullName}}</li>
{{/each}}

or you could setup the itemController directly in the template:

export default Ember.ArrayController.extend({
});
{{#each item in controller itemController="song"}}
  <li>{{item.fullName}}</li>
{{/each}}