DS.Model Class packages/ember-data/lib/system/relationships/ext.js:14


Extends: Ember.Object

Uses: Ember.Evented

Defined in: packages/ember-data/lib/system/relationships/ext.js:14

Module: ember-data

These observers observe all belongsTo relationships on the record. See relationships/ext to see how these observers get their dependencies.

Show:

_create

private static

Alias DS.Model's create method to _create. This allows us to create DS.Model instances from within the store, but if end users accidentally call create() (instead of createRecord()), we can raise an error.

_debugInfo

private

Provides info about the model for debugging purposes by grouping the properties into more semantic groups.

Meant to be used by debugging tools such as the Chrome Ember Extension.

  • Groups all attributes in "Attributes" group.
  • Groups all belongsTo relationships in "Belongs To" group.
  • Groups all hasMany relationships in "Has Many" group.
  • Groups all flags in "Flags" group.
  • Flags relationship CPs as expensive properties.

adapterDidCommit

If the adapter did not return a hash in response to a commit, merge the changed attributes and relationships into the existing saved data.

adapterDidDirty

private

adapterDidError

private

adapterDidInvalidate

private

adapterWillCommit

private

belongsToDidChange

(record, key) private static

Parameters:

record
key

belongsToWillChange

(record, key) private static

Parameters:

record
key

changedAttributes

Object

Returns an object, whose keys are changed properties, and value is an [oldProp, newProp] array.

Example

1
2
3
4
5
6
7
8
App.Mascot = DS.Model.extend({
  name: attr('string')
});

var person = store.createRecord('person');
person.changedAttributes(); // {}
person.set('name', 'Tomster');
person.changedAttributes(); // {name: [undefined, 'Tomster']}

Returns:

Object
an object, whose keys are changed properties, and value is an [oldProp, newProp] array.

clearRelationships

private

create

private static

Override the class' create() method to raise an error. This prevents end users from inadvertently calling create() instead of createRecord(). The store is still able to create instances by calling the _create() method. To create an instance of a DS.Model use store.createRecord.

deleteRecord

Marks the record as deleted but does not save it. You must call save afterwards if you want to persist it. You might use this method if you want to allow the user to still rollback() a delete after it was made.

Example

1
2
3
4
5
6
7
8
9
10
11
12
13
App.ModelDeleteRoute = Ember.Route.extend({
  actions: {
    softDelete: function() {
      this.get('model').deleteRecord();
    },
    confirm: function() {
      this.get('model').save();
    },
    undo: function() {
      this.get('model').rollback();
    }
  }
});

destroyRecord

Promise

Same as deleteRecord, but saves the record immediately.

Example

1
2
3
4
5
6
7
8
9
10
App.ModelDeleteRoute = Ember.Route.extend({
  actions: {
    delete: function() {
      var controller = this.controller;
      this.get('model').destroyRecord().then(function() {
        controller.transitionToRoute('model.index');
      });
    }
  }
});

Returns:

Promise
a promise that will be resolved when the adapter returns successfully or rejected if the adapter returns with an error.

didDefineProperty

(proto, key, value)

This Ember.js hook allows an object to be notified when a property is defined.

In this case, we use it to be notified when an Ember Data user defines a belongs-to relationship. In that case, we need to set up observers for each one, allowing us to track relationship changes and automatically reflect changes in the inverse has-many array.

This hook passes the class being set up, as well as the key and value being defined. So, for example, when the user does this:

1
2
3
DS.Model.extend({
  parent: DS.belongsTo('user')
});

This hook would be called with "parent" as the key and the computed property returned by DS.belongsTo as the value.

Parameters:

proto
key
value

eachAttribute

(callback, target) static

Iterates through the attributes of the model, calling the passed function on each attribute.

The callback method you provide should have the following signature (all parameters are optional):

1
function(name, meta);
  • name the name of the current property in the iteration
  • meta the meta object for the attribute property in the iteration

Note that in addition to a callback, you can also pass an optional target object that will be set as this on the context.

Example

1
2
3
4
5
6
7
8
9
10
11
12
13
14
App.Person = DS.Model.extend({
  firstName: attr('string'),
  lastName: attr('string'),
  birthday: attr('date')
});

App.Person.eachAttribute(function(name, meta) {
  console.log(name, meta);
});

// prints:
// firstName {type: "string", isAttribute: true, options: Object, parentType: function, name: "firstName"}
// lastName {type: "string", isAttribute: true, options: Object, parentType: function, name: "lastName"}
// birthday {type: "date", isAttribute: true, options: Object, parentType: function, name: "birthday"}

Parameters:

callback Function
The callback to execute
target Object
The target object to use

eachRelatedType

(callback, binding) static

Given a callback, iterates over each of the types related to a model, invoking the callback with the related type's class. Each type will be returned just once, regardless of how many different relationships it has with a model.

Parameters:

callback Function
the callback to invoke
binding Any
the value to which the callback's `this` should be bound

eachRelationship

(callback, binding)

Given a callback, iterates over each of the relationships in the model, invoking the callback with the name of each relationship and its relationship descriptor.

Parameters:

callback Function
the callback to invoke
binding Any
the value to which the callback's `this` should be bound

eachTransformedAttribute

(callback, target) static

Iterates through the transformedAttributes of the model, calling the passed function on each attribute. Note the callback will not be called for any attributes that do not have an transformation type.

The callback method you provide should have the following signature (all parameters are optional):

1
function(name, type);
  • name the name of the current property in the iteration
  • type a tring contrining the name of the type of transformed applied to the attribute

Note that in addition to a callback, you can also pass an optional target object that will be set as this on the context.

Example

1
2
3
4
5
6
7
8
9
10
11
12
13
App.Person = DS.Model.extend({
  firstName: attr(),
  lastName: attr('string'),
  birthday: attr('date')
});

App.Person.eachTransformedAttribute(function(name, type) {
  console.log(name, type);
});

// prints:
// lastName string
// birthday date

Parameters:

callback Function
The callback to execute
target Object
The target object to use

loadedData

private

loadingData

(promise) private

Parameters:

promise Promise

notFound

private

pushedData

private

reload

Promise

Reload the record from the adapter.

This will only work if the record has already finished loading and has not yet been modified (isLoaded but not isDirty, or isSaving).

Example

1
2
3
4
5
6
7
App.ModelViewRoute = Ember.Route.extend({
  actions: {
    reload: function() {
      this.get('model').reload();
    }
  }
});

Returns:

Promise
a promise that will be resolved with the record when the adapter returns successfully or rejected if the adapter returns with an error.

rollback

If the model isDirty this function will which discard any unsaved changes

Example

1
2
3
4
5
record.get('name'); // 'Untitled Document'
record.set('name', 'Doc 1');
record.get('name'); // 'Doc 1'
record.rollback();
record.get('name'); // 'Untitled Document'

save

Promise

Save the record and persist any changes to the record to an extenal source via the adapter.

Example

1
2
3
4
5
6
record.set('name', 'Tomster');
record.save().then(function(){
  // Success callback
}, function() {
  // Error callback
});

Returns:

Promise
a promise that will be resolved when the adapter returns successfully or rejected if the adapter returns with an error.

send

(name, context) private

Parameters:

name String
context Object

serialize

(options) Object

Create a JSON representation of the record, using the serialization strategy of the store's adapter.

serialize takes an optional hash as a parameter, currently supported options are:

  • includeId: true if the record's ID should be included in the JSON representation.

Parameters:

options Object

Returns:

Object
an object whose values are primitive JSON values only

setupData

(data, partial) private

Parameters:

data Object
partial Boolean
the data should be merged into the existing data, not replace it.

suspendRelationshipObservers

(callback, binding) private

The goal of this method is to temporarily disable specific observers that take action in response to application changes.

This allows the system to make changes (such as materialization and rollback) that should not trigger secondary behavior (such as setting an inverse relationship or marking records as dirty).

The specific implementation will likely change as Ember proper provides better infrastructure for suspending groups of observers, and if Array observation becomes more unified with regular observers.

Parameters:

callback
binding

toJSON

(options) Object

Use DS.JSONSerializer to get the JSON representation of a record.

toJSON takes an optional hash as a parameter, currently supported options are:

  • includeId: true if the record's ID should be included in the JSON representation.

Parameters:

options Object

Returns:

Object
A JSON representation of the object.

transitionTo

(name) private

Parameters:

name String

trigger

(name) private

Override the default event firing from Ember.Evented to also call methods with the given name.

Parameters:

name

typeForRelationship

(name) subclass of DS.Model static

For a given relationship name, returns the model type of the relationship.

For example, if you define a model like this:

1
2
3
App.Post = DS.Model.extend({
  comments: DS.hasMany('comment')
});

Calling App.Post.typeForRelationship('comments') will return App.Comment.

Parameters:

name String
the name of the relationship

Returns:

subclass of DS.Model
the type of the relationship, or undefined

unloadRecord

private

updateBelongsTo

(name, record) private

Parameters:

name String
record DS.Model

updateHasMany

(name, records) private

Parameters:

name String
records Array

updateRecordArrays

private

updateRecordArraysLater

private

Show:

attributes

{Ember.Map} static

A map whose keys are the attributes of the model (properties described by DS.attr) and whose values are the meta object for the property.

Example

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
App.Person = DS.Model.extend({
  firstName: attr('string'),
  lastName: attr('string'),
  birthday: attr('date')
});

var attributes = Ember.get(App.Person, 'attributes')

attributes.forEach(function(name, meta) {
  console.log(name, meta);
});

// prints:
// firstName {type: "string", isAttribute: true, options: Object, parentType: function, name: "firstName"}
// lastName {type: "string", isAttribute: true, options: Object, parentType: function, name: "lastName"}
// birthday {type: "date", isAttribute: true, options: Object, parentType: function, name: "birthday"}

clientId

{Number|String} private

The clientId property is a transient numerical identifier generated at runtime by the data store. It is important primarily because newly created objects may not yet have an externally generated id.

currentState

{Object} private

data

{Object} private

dirtyType

{String}

If the record is in the dirty state this property will report what kind of change has caused it to move into the dirty state. Possible values are:

  • created The record has been created by the client and not yet saved to the adapter.
  • updated The record has been updated by the client and not yet saved to the adapter.
  • deleted The record has been deleted by the client and not yet saved to the adapter.

Example

1
2
var record = store.createRecord(App.Model);
record.get('dirtyType'); // 'created'

errors

{Object}

When the record is in the invalid state this object will contain any errors returned by the adapter. When present the errors hash typically contains keys coresponding to the invalid property names and values which are an array of error messages.

1
2
3
4
5
record.get('errors'); // null
record.set('foo', 'invalid value');
record.save().then(null, function() {
  record.get('errors'); // {foo: ['foo should be a number.']}
});

fields

Ember.Map static

A map whose keys are the fields of the model and whose values are strings describing the kind of the field. A model's fields are the union of all of its attributes and relationships.

For example:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
App.Blog = DS.Model.extend({
  users: DS.hasMany('user'),
  owner: DS.belongsTo('user'),

  posts: DS.hasMany('post'),

  title: DS.attr('string')
});

var fields = Ember.get(App.Blog, 'fields');
fields.forEach(function(field, kind) {
  console.log(field, kind);
});

// prints:
// users, hasMany
// owner, belongsTo
// posts, hasMany
// title, attribute

id

{String}

All ember models have an id property. This is an identifier managed by an external source. These are always coerced to be strings before being used internally. Note when declaring the attributes for a model it is an error to declare an id attribute.

1
2
3
4
5
6
var record = store.createRecord(App.Model);
record.get('id'); // null

store.find('model', 1).then(function(model) {
  model.get('id'); // '1'
});

isDeleted

{Boolean}

If this property is true the record is in the deleted state and has been marked for deletion. When isDeleted is true and isDirty is true, the record is deleted locally but the deletion was not yet persisted. When isSaving is true, the change is in-flight. When both isDirty and isSaving are false, the change has persisted.

Example

1
2
3
4
var record = store.createRecord(App.Model);
record.get('isDeleted'); // false
record.deleteRecord();
record.get('isDeleted'); // true

isDirty

{Boolean}

If this property is true the record is in the dirty state. The record has local changes that have not yet been saved by the adapter. This includes records that have been created (but not yet saved) or deleted.

Example

1
2
3
4
5
6
7
8
var record = store.createRecord(App.Model);
record.get('isDirty'); // true

store.find('model', 1).then(function(model) {
  model.get('isDirty'); // false
  model.set('foo', 'some value');
  model.set('isDirty'); // true
});

isEmpty

{Boolean}

If this property is true the record is in the empty state. Empty is the first state all records enter after they have been created. Most records created by the store will quickly transition to the loading state if data needs to be fetched from the server or the created state if the record is created on the client. A record can also enter the empty state if the adapter is unable to locate the record.

isError

{Boolean}

If true the adapter reported that it was unable to save local changes to the backend. This may also result in the record having its isValid property become false if the adapter reported that server-side validations failed.

Example

1
2
3
4
5
record.get('isError'); // false
record.set('foo', 'invalid value');
record.save().then(null, function() {
  record.get('isError'); // true
});

isLoaded

{Boolean}

If this property is true the record is in the loaded state. A record enters this state when its data is populated. Most of a record's lifecycle is spent inside substates of the loaded state.

Example

1
2
3
4
5
6
var record = store.createRecord(App.Model);
record.get('isLoaded'); // true

store.find('model', 1).then(function(model) {
  model.get('isLoaded'); // true
});

isLoading

{Boolean}

If this property is true the record is in the loading state. A record enters this state when the store askes the adapter for its data. It remains in this state until the adapter provides the requested data.

isNew

{Boolean}

If this property is true the record is in the new state. A record will be in the new state when it has been created on the client and the adapter has not yet report that it was successfully saved.

Example

1
2
3
4
5
6
var record = store.createRecord(App.Model);
record.get('isNew'); // true

store.find('model', 1).then(function(model) {
  model.get('isNew'); // false
});

isReloading

{Boolean}

If true the store is attempting to reload the record form the adapter.

Example

1
2
3
record.get('isReloading'); // false
record.reload();
record.get('isReloading'); // true

isSaving

{Boolean}

If this property is true the record is in the saving state. A record enters the saving state when save is called, but the adapter has not yet acknowledged that the changes have been persisted to the backend.

Example

1
2
3
4
5
6
7
var record = store.createRecord(App.Model);
record.get('isSaving'); // false
var promise = record.save();
record.get('isSaving'); // true
promise.then(function() {
  record.get('isSaving'); // false
});

isValid

{Boolean}

If this property is true the record is in the valid state. A record will be in the valid state when no client-side validations have failed and the adapter did not report any server-side validation failures.

relatedTypes

Ember.Array static

An array of types directly related to a model. Each type will be included once, regardless of the number of relationships it has with the model.

For example, given a model with this definition:

1
2
3
4
5
6
App.Blog = DS.Model.extend({
  users: DS.hasMany('user'),
  owner: DS.belongsTo('user'),

  posts: DS.hasMany('post')
});

This property would contain the following:

1
2
var relatedTypes = Ember.get(App.Blog, 'relatedTypes');
//=> [ App.User, App.Post ]

relationshipNames

Object static

A hash containing lists of the model's relationships, grouped by the relationship kind. For example, given a model with this definition:

1
2
3
4
5
6
App.Blog = DS.Model.extend({
  users: DS.hasMany('user'),
  owner: DS.belongsTo('user'),

  posts: DS.hasMany('post')
});

This property would contain the following:

1
2
3
4
5
var relationshipNames = Ember.get(App.Blog, 'relationshipNames');
relationshipNames.hasMany;
//=> ['users', 'posts']
relationshipNames.belongsTo;
//=> ['owner']

relationships

Ember.Map static

The model's relationships as a map, keyed on the type of the relationship. The value of each entry is an array containing a descriptor for each relationship with that type, describing the name of the relationship as well as the type.

For example, given the following model definition:

1
2
3
4
5
App.Blog = DS.Model.extend({
  users: DS.hasMany('user'),
  owner: DS.belongsTo('user'),
  posts: DS.hasMany('post')
});

This computed property would return a map describing these relationships, like this:

1
2
3
4
5
6
var relationships = Ember.get(App.Blog, 'relationships');
relationships.get(App.User);
//=> [ { name: 'users', kind: 'hasMany' },
//     { name: 'owner', kind: 'belongsTo' } ]
relationships.get(App.Post);
//=> [ { name: 'posts', kind: 'hasMany' } ]

relationshipsByName

Ember.Map static

A map whose keys are the relationships of a model and whose values are relationship descriptors.

For example, given a model with this definition:

1
2
3
4
5
6
App.Blog = DS.Model.extend({
  users: DS.hasMany('user'),
  owner: DS.belongsTo('user'),

  posts: DS.hasMany('post')
});

This property would contain the following:

1
2
3
4
5
var relationshipsByName = Ember.get(App.Blog, 'relationshipsByName');
relationshipsByName.get('users');
//=> { key: 'users', kind: 'hasMany', type: App.User }
relationshipsByName.get('owner');
//=> { key: 'owner', kind: 'belongsTo', type: App.User }

transformedAttributes

{Ember.Map} static

A map whose keys are the attributes of the model (properties described by DS.attr) and whose values are type of transformation applied to each attribute. This map does not include any attributes that do not have an transformation type.

Example

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
App.Person = DS.Model.extend({
  firstName: attr(),
  lastName: attr('string'),
  birthday: attr('date')
});

var transformedAttributes = Ember.get(App.Person, 'transformedAttributes')

transformedAttributes.forEach(function(field, type) {
  console.log(field, type);
});

// prints:
// lastName string
// birthday date

Show:

becameError

Fired when the record enters the error state.

becameInvalid

Fired when the record becomes invalid.

didCreate

Fired when the record is created.

didDelete

Fired when the record is deleted.

didLoad

Fired when the record is loaded from the server.

didUpdate

Fired when the record is updated.