Reputation: 21688
Taking as an example the following code, which are good alternatives to accessing the DOM using nativeElement
import {Component, Directive, Input, ElementRef} from 'angular2/core';
@Directive({
selector: '[myDR]',
host:{
'(mouseenter)' : ' mouseEnter()'
}
})
export class MyDi {
@Input () myColor: string;
constructor(private el:ElementRef) {
}
mouseEnter(){
this.el.nativeElement.style.backgroundColor = this.myColor;
console.log(this.myColor);
}
}
This is a Plunker for you test more easy.
Upvotes: 4
Views: 2230
Reputation: 31787
Since accessing directly to DOM through nativeElement
is discouraged you have three options
host
property (this will set the color immediatly)@Directive({
host:{
'(mouseenter)' : ' mouseEnter()',
'[style.background-color]' : 'myColor'
}
})
mouseEnter(){
this.myColor = 'blue';
}
@HostBinding
(this case will set the color immediatly)@HostBinding('style.background-color') get color {
return this.myColor;
}
mouseEnter(){
this.myColor = 'blue';
}
Renderer
(use this instead of nativeElement.style = 'value'
)constructor(public renderer: Renderer, public element: ElementRef) {}
mouseEnter(){
this.renderer.setElementStyle(this.element.nativeElement, 'background-color', this.myColor);
}
Note that host
and @HostBinding
are equivalent.
Upvotes: 4