在scope內置的全部函數中,用得最多的可能就是$watch 函數了,當你的數據模型中某一部分發生變化時,$watch函數能夠向你發出通知。你能夠監控單個對象的屬性,也能夠監控須要通過計算的結果(函數),實際上只要可以被看成屬性訪問到,或者能夠看成一個JavaScript函數被計算出來,就能夠被$watch 函數監控。它的函數簽名爲$watch(watchFn, watchAction, deepWatch)數組
其中每一個參數的詳細含義以下。
watchFn函數
該參數是一個帶有Angular表達式或者函數的字符串,它會返回被監控的數據模型的當前值。這個表達式將會被執行不少次,因此你要保證它不會產生其餘反作用。也就是說,要保證它能夠被調用不少次而不會改變狀態。基於一樣的緣由,監控表達式應該很容易被計算出來。若是你使用字符串傳遞了一個Angular表達式,那麼它將會針對調用它的那個做用域中的對象而執行。
watchActionspa
這是一個函數或者表達式,當watchFn 發生變化時會被調用。若是是函數的形式,它將會接收到watchFn的新舊兩個值,以及做用域對象的引用。其函數簽名爲function(newValue, oldValue, scope)。
deepWatch對象
若是設置爲true,這個可選的布爾型參數將會命令Angular去檢查被監控對象的每一個屬性是否發生了變化。若是你想要監控數組中的元素,或者對象上的全部屬性,而不僅是監控一個簡單的值,你就可使用這個參數。因爲Angular須要遍歷數組或者對象,若是集合比較大,那麼運算負擔就會比較重。ip
$watch 函數會返回一個函數,當你再也不須要接收變動通知時,能夠用這個返回的函數註銷監控器。作用域
若是咱們須要監控一個屬性,而後接着註銷監控,咱們可使用如下代碼:
...
var dereg = $scope.$watch('someModel.someProperty', callbackOnChange());
…
dereg();字符串
咱們再回到第1章的購物車案例,把它的功能擴充完整。例如,當用戶添加到購物車中的商品價值超過100美圓的時候,咱們會給他10美圓的折扣。咱們將會使用下面這種模板:
<div ng-controller="CartController">
<div ng-repeat="item in items">
<span>{{item.title}}</span>
<input ng-model="item.quantity">
<span>{{item.price | currency}}</span>
<span>{{item.price * item.quantity | currency}}</span>
</div>
<div>Total: {{totalCart() | currency}}</div>
<div>Discount: {{bill.discount | currency}}</div>
<div>Subtotal: {{subtotal() | currency}}</div>
</div>get
而CartController看起來可能像下面這樣:
function CartController($scope) {
$scope.bill = {};
$scope.items = [
{title: 'Paint pots', quantity: 8, price: 3.95},
{title: 'Polka dots', quantity: 17, price: 12.95},
{title: 'Pebbles', quantity: 5, price: 6.95}
];
$scope.totalCart = function() {
var total = 0;
for (var i = 0, len = $scope.items.length; i < len; i++) {
total = total + $scope.items[i].price * $scope.items[i].quantity;
}
return total;
}
$scope.subtotal = function() {
return $scope.totalCart() - $scope.discount;
};
function calculateDiscount(newValue, oldValue, scope) {
$scope.bill.discount = newValue > 100 ? 10 : 0;
}
$scope.$watch($scope.totalCart, calculateDiscount);
}input
注意CartController 的底部,咱們在totalCart() 的值上面設置了一個監控,用來計算這次購物的總價。只要這個值發生變化,監控器就會調用calculateDiscount() , 而後咱們就能夠把折扣設置爲相應的值。若是總價超過100美圓,咱們將會把折扣設置爲10美圓。不然,折扣爲0。it
angular