$watch an object $watch an object angularjs angularjs

$watch an object


Call $watch with true as the third argument:

$scope.$watch('form', function(newVal, oldVal){    console.log('changed');}, true);

By default when comparing two complex objects in JavaScript, they will be checked for "reference" equality, which asks if the two objects refer to the same thing, rather than "value" equality, which checks if the values of all the properties of those objects are equal.

Per the Angular documentation, the third parameter is for objectEquality:

When objectEquality == true, inequality of the watchExpression is determined according to the angular.equals function. To save the value of the object for later comparison, the angular.copy function is used. This therefore means that watching complex objects will have adverse memory and performance implications.


The form object isn't changing, only the name property is

updated fiddle

function MyController($scope) {$scope.form = {    name: 'my name',}$scope.changeCount = 0;$scope.$watch('form.name', function(newVal, oldVal){    console.log('changed');    $scope.changeCount++;});}


Little performance tip if somebody has a datastore kind of service with key -> value pairs:

If you have a service called dataStore, you can update a timestamp whenever your big data object changes.This way instead of deep watching the whole object, you are only watching a timestamp for change.

app.factory('dataStore', function () {    var store = { data: [], change: [] };    // when storing the data, updating the timestamp    store.setData = function(key, data){        store.data[key] = data;        store.setChange(key);    }    // get the change to watch    store.getChange = function(key){        return store.change[key];    }    // set the change    store.setChange = function(key){        store.change[key] = new Date().getTime();    }});

And in a directive you are only watching the timestamp to change

app.directive("myDir", function ($scope, dataStore) {    $scope.dataStore = dataStore;    $scope.$watch('dataStore.getChange("myKey")', function(newVal, oldVal){        if(newVal !== oldVal && newVal){            // Data changed        }    });});