What is the Angular equivalent to an AngularJS $watch?

169,310

Solution 1

In Angular 2, change detection is automatic... $scope.$watch() and $scope.$digest() R.I.P.

Unfortunately, the Change Detection section of the dev guide is not written yet (there is a placeholder near the bottom of the Architecture Overview page, in section "The Other Stuff").

Here's my understanding of how change detection works:

  • Zone.js "monkey patches the world" -- it intercepts all of the asynchronous APIs in the browser (when Angular runs). This is why we can use setTimeout() inside our components rather than something like $timeout... because setTimeout() is monkey patched.
  • Angular builds and maintains a tree of "change detectors". There is one such change detector (class) per component/directive. (You can get access to this object by injecting ChangeDetectorRef.) These change detectors are created when Angular creates components. They keep track of the state of all of your bindings, for dirty checking. These are, in a sense, similar to the automatic $watches() that Angular 1 would set up for {{}} template bindings.
    Unlike Angular 1, the change detection graph is a directed tree and cannot have cycles (this makes Angular 2 much more performant, as we'll see below).
  • When an event fires (inside the Angular zone), the code we wrote (the event handler callback) runs. It can update whatever data it wants to -- the shared application model/state and/or the component's view state.
  • After that, because of the hooks Zone.js added, it then runs Angular's change detection algorithm. By default (i.e., if you are not using the onPush change detection strategy on any of your components), every component in the tree is examined once (TTL=1)... from the top, in depth-first order. (Well, if you're in dev mode, change detection runs twice (TTL=2). See ApplicationRef.tick() for more about this.) It performs dirty checking on all of your bindings, using those change detector objects.
    • Lifecycle hooks are called as part of change detection.
      If the component data you want to watch is a primitive input property (String, boolean, number), you can implement ngOnChanges() to be notified of changes.
      If the input property is a reference type (object, array, etc.), but the reference didn't change (e.g., you added an item to an existing array), you'll need to implement ngDoCheck() (see this SO answer for more on this).
      You should only change the component's properties and/or properties of descendant components (because of the single tree walk implementation -- i.e., unidirectional data flow). Here's a plunker that violates that. Stateful pipes can also trip you up here.
  • For any binding changes that are found, the Components are updated, and then the DOM is updated. Change detection is now finished.
  • The browser notices the DOM changes and updates the screen.

Other references to learn more:

Solution 2

This behaviour is now part of the component lifecycle.

A component can implement the ngOnChanges method in the OnChanges interface to get access to input changes.

Example:

import {Component, Input, OnChanges} from 'angular2/core';


@Component({
  selector: 'hero-comp',
  templateUrl: 'app/components/hero-comp/hero-comp.html',
  styleUrls: ['app/components/hero-comp/hero-comp.css'],
  providers: [],
  directives: [],

  pipes: [],
  inputs:['hero', 'real']
})
export class HeroComp implements OnChanges{
  @Input() hero:Hero;
  @Input() real:string;
  constructor() {
  }
  ngOnChanges(changes) {
      console.log(changes);
  }
}

Solution 3

If, in addition to automatic two-way binding, you want to call a function when a value changes, you can break the two-way binding shortcut syntax to the more verbose version.

<input [(ngModel)]="yourVar"></input>

is shorthand for

<input [ngModel]="yourVar" (ngModelChange)="yourVar=$event"></input>

(see e.g. http://victorsavkin.com/post/119943127151/angular-2-template-syntax)

You could do something like this:

<input [(ngModel)]="yourVar" (ngModelChange)="changedExtraHandler($event)"></input>

Solution 4

You can use getter function or get accessor to act as watch on angular 2.

See demo here.

import {Component} from 'angular2/core';

@Component({
  // Declare the tag name in index.html to where the component attaches
  selector: 'hello-world',

  // Location of the template for this component
  template: `
  <button (click)="OnPushArray1()">Push 1</button>
  <div>
    I'm array 1 {{ array1 | json }}
  </div>
  <button (click)="OnPushArray2()">Push 2</button>
  <div>
    I'm array 2 {{ array2 | json }}
  </div>
  I'm concatenated {{ concatenatedArray | json }}
  <div>
    I'm length of two arrays {{ arrayLength | json }}
  </div>`
})
export class HelloWorld {
    array1: any[] = [];
    array2: any[] = [];

    get concatenatedArray(): any[] {
      return this.array1.concat(this.array2);
    }

    get arrayLength(): number {
      return this.concatenatedArray.length;
    }

    OnPushArray1() {
        this.array1.push(this.array1.length);
    }

    OnPushArray2() {
        this.array2.push(this.array2.length);
    }
}

Solution 5

Here is another approach using getter and setter functions for the model.

@Component({
  selector: 'input-language',
  template: `
  …
  <input 
    type="text" 
    placeholder="Language" 
    [(ngModel)]="query" 
  />
  `,
})
export class InputLanguageComponent {

  set query(value) {
    this._query = value;
    console.log('query set to :', value)
  }

  get query() {
    return this._query;
  }
}
Share:
169,310

Related videos on Youtube

Erwin
Author by

Erwin

Updated on February 27, 2020

Comments

  • Erwin
    Erwin about 4 years

    In AngularJS you were able to specify watchers to observe changes in scope variables using the $watch function of the $scope. What is the equivalent of watching for variable changes (in, for example, component variables) in Angular?

    • jmvtrinidad
      jmvtrinidad almost 8 years
      Use get accessor in typescript.
    • Max Koretskyi
      Max Koretskyi about 7 years
      check this article that explains the difference
  • Albert James Teddy
    Albert James Teddy over 8 years
    window.addEventListener() does not trigger detection when variable are changed... it drives me crazy, there's is nothing on that anywhere.
  • LanderV
    LanderV about 8 years
    this is only true for @Input(). if you want to track changes of your component's own data, this will not work
  • Mark Rajcok
    Mark Rajcok about 8 years
    @AlbertJamesTeddy, see the host, "Host Listeners" documentation in the DirectiveMetadata API doc. It explains how to listen to global events from inside the Angular zone (so change detection will be triggered as desired). This answer has a working plunker.
  • mtoloo
    mtoloo almost 8 years
    I couldn't get changes of simple variables (boolean for example). Only objects changes are detected.
  • refactor
    refactor almost 8 years
    this link would be helpful ..
  • Cody
    Cody over 7 years
    This subject is insane. I have an object with many properties tied to a complex form. I don't want to add (change) handler(s) on every single one of them; I don't want to add get|setss to every property in my model; it won't help to add a get|set for this.object; ngOnChanges() only detects changes to @Inputs. Holy manna! What did they do to us??? Give us back a deep-watch of some kind!
  • Max Koretskyi
    Max Koretskyi almost 7 years
    @MarkRajcok, I took a liberty of adding reference to my article on change detection. Hope you don't mind. It explains in great details what happens under the hood.
  • Mister_L
    Mister_L over 6 years
    Regarding the plunkr that violates the unidirectional data flow rule, I would like to add that if you run the plunkr with enableProdMode(), you will not see any update in the parent view, because the change detector runs only once.
  • c1moore
    c1moore over 6 years
    Since zone.js monkey patches the async functions like XMLHttpRequest(), does that mean even external libraries that make HTTP requests will trigger Angular's life cycle? While it sounds like it, you specify "When an event fires (inside the Angular zone)". Plus, based on the zone.js docs, it seems like there can be multiple Zones at any given time.
  • Gil Epshtain
    Gil Epshtain over 6 years
    why do need to add an "inputs" array in the component's decorator? the change detection will work without this as well.
  • Eugene Kulabuhov
    Eugene Kulabuhov almost 6 years
    In the last example you meant to remove [] around ngModel?
  • Jason
    Jason about 3 years
    To me this is the best answer, especially the last line regarding (ngModelChange). Any time a change is detected in the [(ngModel)], then fire off that function. Brilliant! This is how most of my $watch is being converted into from old AngularJS to new Angular app.