How to bind event listener for rendered elements in Angular 2? How to bind event listener for rendered elements in Angular 2? angular angular

How to bind event listener for rendered elements in Angular 2?


import { AfterViewInit, Component, ElementRef} from '@angular/core';constructor(private elementRef:ElementRef) {}ngAfterViewInit() {  this.elementRef.nativeElement.querySelector('my-element')                                .addEventListener('click', this.onClick.bind(this));}onClick(event) {  console.log(event);}


In order to add an EventListener to an element in angular 2+, we can use the method listen of the Renderer2 service (Renderer is deprecated, so use Renderer2):

listen(target: 'window'|'document'|'body'|any, eventName: string, callback: (event: any) => boolean | void): () => void

Example:

export class ListenDemo implements AfterViewInit {    @ViewChild('testElement')    private testElement: ElementRef;   globalInstance: any;          constructor(private renderer: Renderer2) {   }   ngAfterViewInit() {       this.globalInstance = this.renderer.listen(this.testElement.nativeElement, 'click', () => {           this.renderer.setStyle(this.testElement.nativeElement, 'color', 'green');       });    }}

Note:

When you use this method to add an event listener to an element in the dom, you should remove this event listener when the component is destroyed

You can do that this way:

ngOnDestroy() {  this.globalInstance();}

The way of use of ElementRef in this method should not expose your angular application to a security risk. for more on this referrer to ElementRef security risk angular 2


HostListener should be the proper way to bind event into your component:

@Component({  selector: 'your-element'})export class YourElement {  @HostListener('click', ['$event']) onClick(event) {     console.log('component is clicked');     console.log(event);  }}