DS.Model Class addon/-private/system/relationships/ext.js:96
Extends: Ember.Object
Uses: Ember.Evented
Defined in: addon/-private/system/relationships/ext.js:96
Module: ember-data
The model class that all Ember Data records descend from.
This is the public API of Ember Data models. If you are using Ember Data
in your application, this is the class you should use.
If you are working on Ember Data internals, you most likely want to be dealing
with InternalModel
Methods
- _create
- _debugInfo
- _notifyProperties
- adapterDidDirty
- belongsTo
- changedAttributes
- create
- deleteRecord
- destroyRecord
- didDefineProperty
- eachAttribute
- eachRelatedType
- eachRelationship
- eachTransformedAttribute
- hasMany
- initializeStore
- initializeStoreInjections
- initializeTransforms
- inverseFor
- reload
- rollbackAttributes
- save
- send
- serialize
- toJSON
- transitionTo
- trigger
- typeForRelationship
- unloadRecord
Properties
- adapterError
- attributes
- currentState
- data
- dirtyType
- errors
- fields
- hasDirtyAttributes
- id
- isDeleted
- isEmpty
- isError
- isLoaded
- isLoading
- isNew
- isReloading
- isSaving
- isValid
- modelName
- relatedTypes
- relationshipNames
- relationships
- relationshipsByName
- transformedAttributes
Events
_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.
_notifyProperties
private
adapterDidDirty
private
belongsTo
(name)
BelongsToReference
Get the reference for the specified belongsTo relationship.
Example
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 |
// models/blog.js export default DS.Model.extend({ user: DS.belongsTo({ async: true }) }); store.push({ type: 'blog', id: 1, relationships: { user: { type: 'user', id: 1 } } }); var userRef = blog.belongsTo('user'); // check if the user relationship is loaded var isLoaded = userRef.value() !== null; // get the record of the reference (null if not yet available) var user = userRef.value(); // get the identifier of the reference if (userRef.remoteType() === "id") { var id = userRef.id(); } else if (userRef.remoteType() === "link") { var link = userRef.link(); } // load user (via store.findRecord or store.findBelongsTo) userRef.load().then(...) // or trigger a reload userRef.reload().then(...) // provide data for reference userRef.push({ type: 'user', id: 1, attributes: { username: "@user" } }).then(function(user) { userRef.value() === user; }); |
Parameters:
- name String
- of the relationship
Returns:
- BelongsToReference
- reference for this relationship
changedAttributes
Object
Returns an object, whose keys are changed properties, and value is an [oldProp, newProp] array.
Example
app/models/mascot.js | |
1 2 3 4 5 |
import DS from 'ember-data'; export default DS.Model.extend({ name: attr('string') }); |
1 2 3 4 |
var mascot = store.createRecord('mascot'); mascot.changedAttributes(); // {} mascot.set('name', 'Tomster'); mascot.changedAttributes(); // {name: [undefined, 'Tomster']} |
Returns:
- Object
- an object, whose keys are changed properties, and value is an [oldProp, newProp] array.
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 rollbackAttributes()
after a delete it was made.
Example
app/routes/model/delete.js | |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 |
import Ember from 'ember'; export default Ember.Route.extend({ actions: { softDelete: function() { this.controller.get('model').deleteRecord(); }, confirm: function() { this.controller.get('model').save(); }, undo: function() { this.controller.get('model').rollbackAttributes(); } } }); |
destroyRecord
(options)
Promise
Same as deleteRecord
, but saves the record immediately.
Example
app/routes/model/delete.js | |
1 2 3 4 5 6 7 8 9 10 11 12 |
import Ember from 'ember'; export default Ember.Route.extend({ actions: { delete: function() { var controller = this.controller; controller.get('model').destroyRecord().then(function() { controller.transitionToRoute('model.index'); }); } } }); |
Parameters:
- options Object
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 Object
- key String
- value Ember.ComputedProperty
eachAttribute
(callback, binding)
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 iterationmeta
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 15 16 |
import DS from 'ember-data'; var Person = DS.Model.extend({ firstName: attr('string'), lastName: attr('string'), birthday: attr('date') }); 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
- binding [Object]
- the value to which the callback's `this` should be bound
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.
The callback method you provide should have the following signature (all parameters are optional):
1 |
function(name, descriptor);
|
name
the name of the current property in the iterationdescriptor
the meta object that describes this relationship
The relationship descriptor argument is an object with the following properties.
- key String the name of this relationship on the Model
- kind String "hasMany" or "belongsTo"
- options Object the original options hash passed when the relationship was declared
- parentType DS.Model the type of the Model that owns this relationship
- type DS.Model the type of the related Model
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
app/serializers/application.js | |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 |
import DS from 'ember-data'; export default DS.JSONSerializer.extend({ serialize: function(record, options) { var json = {}; record.eachRelationship(function(name, descriptor) { if (descriptor.kind === 'hasMany') { var serializedHasManyName = name.toUpperCase() + '_IDS'; json[serializedHasManyName] = record.get(name).mapBy('id'); } }); return json; } }); |
Parameters:
- callback Function
- the callback to invoke
- binding Any
- the value to which the callback's `this` should be bound
eachTransformedAttribute
(callback, binding)
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 iterationtype
a string containing 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 14 15 |
import DS from 'ember-data'; var Person = DS.Model.extend({ firstName: attr(), lastName: attr('string'), birthday: attr('date') }); Person.eachTransformedAttribute(function(name, type) { console.log(name, type); }); // prints: // lastName string // birthday date |
Parameters:
- callback Function
- The callback to execute
- binding [Object]
- the value to which the callback's `this` should be bound
hasMany
(name)
HasManyReference
Get the reference for the specified hasMany relationship.
Example
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 |
// models/blog.js export default DS.Model.extend({ comments: DS.hasMany({ async: true }) }); store.push({ type: 'blog', id: 1, relationships: { comments: { data: [ { type: 'comment', id: 1 }, { type: 'comment', id: 2 } ] } } }); var commentsRef = blog.hasMany('comments'); // check if the comments are loaded already var isLoaded = commentsRef.value() !== null; // get the records of the reference (null if not yet available) var comments = commentsRef.value(); // get the identifier of the reference if (commentsRef.remoteType() === "ids") { var ids = commentsRef.ids(); } else if (commentsRef.remoteType() === "link") { var link = commentsRef.link(); } // load comments (via store.findMany or store.findHasMany) commentsRef.load().then(...) // or trigger a reload commentsRef.reload().then(...) // provide data for reference commentsRef.push([{ type: 'comment', id: 1 }, { type: 'comment', id: 2 }]).then(function(comments) { commentsRef.value() === comments; }); |
Parameters:
- name String
- of the relationship
Returns:
- HasManyReference
- reference for this relationship
initializeStore
(applicationOrRegistry)
Configures a registry for use with an Ember-Data store.
Parameters:
- applicationOrRegistry Ember.ApplicationInstance
initializeStoreInjections
(registry)
Configures a registry with injections on Ember applications for the Ember-Data store. Accepts an optional namespace argument.
Parameters:
- registry Ember.Registry
initializeTransforms
(registry)
Configures a registry for use with Ember-Data transforms.
Parameters:
- registry Ember.Registry
inverseFor
(name)
Object
static
Find the relationship which is the inverse of the one asked for.
For example, if you define models like this:
app/models/post.js | |
1 2 3 4 5 |
import DS from 'ember-data'; export default DS.Model.extend({ comments: DS.hasMany('message') }); |
app/models/message.js | |
1 2 3 4 5 |
import DS from 'ember-data'; export default DS.Model.extend({ owner: DS.belongsTo('post') }); |
App.Post.inverseFor('comments') -> { type: App.Message, name: 'owner', kind: 'belongsTo' } App.Message.inverseFor('owner') -> { type: App.Post, name: 'comments', kind: 'hasMany' }
Parameters:
- name String
- the name of the relationship
Returns:
- Object
- the inverse relationship, or null
reload
Promise
Reload the record from the adapter.
This will only work if the record has already finished loading.
Example
app/routes/model/view.js | |
1 2 3 4 5 6 7 8 9 10 11 |
import Ember from 'ember'; export default Ember.Route.extend({ actions: { reload: function() { this.controller.get('model').reload().then(function(model) { // do something with the reloaded model }); } } }); |
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.
rollbackAttributes
If the model hasDirtyAttributes
this function will discard any unsaved
changes. If the model isNew
it will be removed from the store.
Example
1 2 3 4 5 |
record.get('name'); // 'Untitled Document' record.set('name', 'Doc 1'); record.get('name'); // 'Doc 1' record.rollbackAttributes(); record.get('name'); // 'Untitled Document' |
save
(options)
Promise
Save the record and persist any changes to the record to an external source via the adapter.
Example
1 2 3 4 5 6 |
record.set('name', 'Tomster'); record.save().then(function() { // Success callback }, function() { // Error callback }); |
Parameters:
- options Object
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
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 String
typeForRelationship
(name, store)
DS.Model
static
For a given relationship name, returns the model type of the relationship.
For example, if you define a model like this:
app/models/post.js | |
1 2 3 4 5 |
import DS from 'ember-data'; export default DS.Model.extend({ comments: DS.hasMany('comment') }); |
Calling App.Post.typeForRelationship('comments')
will return App.Comment
.
Parameters:
- name String
- the name of the relationship
- store Store
- an instance of DS.Store
Returns:
- DS.Model
- the type of the relationship, or undefined
unloadRecord
private
adapterError
{DS.AdapterError}
This property holds the DS.AdapterError
object with which
last adapter operation was rejected.
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
app/models/person.js | |
1 2 3 4 5 6 7 |
import DS from 'ember-data'; export default DS.Model.extend({ firstName: attr('string'), lastName: attr('string'), birthday: attr('date') }); |
1 2 3 4 5 6 7 8 9 10 11 12 13 |
import Ember from 'ember'; import Person from 'app/models/person'; var attributes = Ember.get(Person, 'attributes') attributes.forEach(function(meta, name) { 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"} |
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('model'); record.get('dirtyType'); // 'created' |
errors
{DS.Errors}
When the record is in the invalid
state this object will contain
any errors returned by the adapter. When present the errors hash
contains keys corresponding to the invalid property names
and values which are arrays of Javascript objects with two keys:
message
A string containing the error message from the backendattribute
The name of the property associated with this error message
1 2 3 4 5 6 |
record.get('errors.length'); // 0 record.set('foo', 'invalid value'); record.save().catch(function() { record.get('errors').get('foo'); // [{message: 'foo should be a number.', attribute: 'foo'}] }); |
The errors
property us useful for displaying error messages to
the user.
You can also access the special messages
property on the error
object to get an array of all the error strings.
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:
app/models/blog.js | |
1 2 3 4 5 6 7 8 9 10 |
import DS from 'ember-data'; export default DS.Model.extend({ users: DS.hasMany('user'), owner: DS.belongsTo('user'), posts: DS.hasMany('post'), title: DS.attr('string') }); |
1 2 3 4 5 6 7 8 9 10 11 12 13 |
import Ember from 'ember'; import Blog from 'app/models/blog'; var fields = Ember.get(Blog, 'fields'); fields.forEach(function(kind, field) { console.log(field, kind); }); // prints: // users, hasMany // owner, belongsTo // posts, hasMany // title, attribute |
hasDirtyAttributes
{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('model'); record.get('hasDirtyAttributes'); // true store.findRecord('model', 1).then(function(model) { model.get('hasDirtyAttributes'); // false model.set('foo', 'some value'); model.get('hasDirtyAttributes'); // true }); |
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('model'); record.get('id'); // null store.findRecord('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
hasDirtyAttributes
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 hasDirtyAttributes
and isSaving
are false, the
change has persisted.
Example
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 |
var record = store.createRecord('model'); record.get('isDeleted'); // false record.deleteRecord(); // Locally deleted record.get('isDeleted'); // true record.get('hasDirtyAttributes'); // true record.get('isSaving'); // false // Persisting the deletion var promise = record.save(); record.get('isDeleted'); // true record.get('isSaving'); // true // Deletion Persisted promise.then(function() { record.get('isDeleted'); // true record.get('isSaving'); // false record.get('hasDirtyAttributes'); // false }); |
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 for any reason other than a server-side
validation error.
Example
1 2 3 4 5 |
record.get('isError'); // false record.set('foo', 'valid 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('model'); record.get('isLoaded'); // true store.findRecord('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 asks 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('model'); record.get('isNew'); // true record.save().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('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 the adapter did not report any
server-side validation failures.
modelName
String
Represents the model's class name as a string. This can be used to look up the model through DS.Store's modelFor method.
modelName
is generated for you by Ember Data. It will be a lowercased, dasherized string.
For example:
1 2 |
store.modelFor('post').modelName; // 'post' store.modelFor('blog-post').modelName; // 'blog-post' |
The most common place you'll want to access modelName
is in your serializer's payloadKeyFromModelName
method. For example, to change payload
keys to underscore (instead of dasherized), you might use the following code:
1 2 3 4 5 |
export default var PostSerializer = DS.RESTSerializer.extend({ payloadKeyFromModelName: function(modelName) { return Ember.String.underscore(modelName); } }); |
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:
app/models/blog.js | |
1 2 3 4 5 6 7 8 |
import DS from 'ember-data'; export default 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 6 7 8 |
import Ember from 'ember'; import Blog from 'app/models/blog'; var relationshipNames = Ember.get(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:
app/models/blog.js | |
1 2 3 4 5 6 7 |
import DS from 'ember-data'; export default 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 7 8 9 |
import Ember from 'ember'; import Blog from 'app/models/blog'; var relationships = Ember.get(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:
app/models/blog.js | |
1 2 3 4 5 6 7 8 |
import DS from 'ember-data'; export default 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 6 7 8 |
import Ember from 'ember'; import Blog from 'app/models/blog'; var relationshipsByName = Ember.get(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
app/models/person.js | |
1 2 3 4 5 6 7 |
import DS from 'ember-data'; export default DS.Model.extend({ firstName: attr(), lastName: attr('string'), birthday: attr('date') }); |
1 2 3 4 5 6 7 8 9 10 11 12 |
import Ember from 'ember'; import Person from 'app/models/person'; var transformedAttributes = Ember.get(Person, 'transformedAttributes') transformedAttributes.forEach(function(field, type) { console.log(field, type); }); // prints: // lastName string // birthday date |
becameError
Fired when the record enters the error state.
becameInvalid
Fired when the record becomes invalid.
didCreate
Fired when a new record is commited to the server.
didDelete
Fired when the record is deleted.
didLoad
Fired when the record is loaded from the server.
didUpdate
Fired when the record is updated.
ready
Fired when the record is ready to be interacted with, that is either loaded from the server or created locally.
rolledBack
Fired when the record is rolled back.