显然,并没有定期检查作用域中附加的对象是否有任何变化。并不是所有附加到作用域的对象都被监视。范围原型通常维护一个$$观察者。当调用$digest时,作用域仅遍历此$$watcher。
Angular为每个$$观察者添加一个观察者
{{表达式}} — 在您的模板中(以及其他任何有表达式的地方),或者在我们定义ng模型时。$范围$watch('表达式/函数') — 在您的JavaScript中,我们只需附加一个范围对象来观察angular。
$watch函数接受三个参数:
第一个是一个观察函数,它只返回对象,或者我们可以添加一个表达式。第二个是侦听器函数,当对象发生更改时将调用该函数。所有诸如DOM更改的事情都将在该函数中实现。第三个是可选参数,它接受布尔值。如果它为真,angular deep会监视对象;如果它为假,angular只会对对象进行引用监视。$watch的大致实现如下
Scope.prototype.$watch = function(watchFn, listenerFn) {
var watcher = {
watchFn: watchFn,
listenerFn: listenerFn || function() { },
last: initWatchVal // initWatchVal is typically undefined
};
this.$$watchers.push(watcher); // pushing the Watcher Object to Watchers
};
在Angular中有一个有趣的东西叫做Digest Cycle。$digest循环是调用$scope的结果$digest()。假设您通过ng-click指令更改处理程序函数中的$scope模型。在这种情况下,AngularJS通过调用$digest()自动触发$digest循环。除了ng-click之外,还有几个内置的指令/服务可以让您更改模型(例如ng-model、$timeout等)并自动触发$digest循环。$digest的大致实现如下所示。
Scope.prototype.$digest = function() {
var dirty;
do {
dirty = this.$$digestOnce();
} while (dirty);
}
Scope.prototype.$$digestOnce = function() {
var self = this;
var newValue, oldValue, dirty;
_.forEach(this.$$watchers, function(watcher) {
newValue = watcher.watchFn(self);
oldValue = watcher.last; // It just remembers the last value for dirty checking
if (newValue !== oldValue) { //Dirty checking of References
// For Deep checking the object , code of Value
// based checking of Object should be implemented here
watcher.last = newValue;
watcher.listenerFn(newValue,
(oldValue === initWatchVal ? newValue : oldValue),
self);
dirty = true;
}
});
return dirty;
};
如果我们使用JavaScript的setTimeout()函数来更新范围模型,Angular无法知道您可能会更改什么。在这种情况下,我们有责任手动调用$apply(),这将触发$digest循环。类似地,如果您有一个指令设置DOM事件侦听器并更改处理程序函数中的某些模型,则需要调用$apply()以确保更改生效。$apply的主要思想是,我们可以执行一些不知道Angular的代码,这些代码可能仍然会改变作用域上的内容。如果我们将代码包装在$apply中,它将负责调用$digest()。$apply()的粗略实现。
Scope.prototype.$apply = function(expr) {
try {
return this.$eval(expr); //Evaluating code in the context of Scope
} finally {
this.$digest();
}
};