Reputation: 3871
I have a component which can be removed from the page when a close button is clicked. I have exposed a testClose
event that a user can register to do some work when the component is closed. How do I register to that event to call a function when the component is closed? For example, I would like to increment the closeCounter by 1 when the TestComponent is closed. Here is the plnkr:
https://plnkr.co/edit/iGyzIkUQOTCGwaDqr8o0?p=preview
TestComponent which exposes an event:
import {Component, Input, Output, EventEmitter} from 'angular2/core';
@Component({
selector: 'test',
template: `
<div class="box" *ngIf="!_close">
<button class="close" (click)="close()">x</button>
</div>
`,
styles:[
`
.box{
background: yellow;
height: 100px;
width: 100px;
}
`
]
})
export class TestComponent{
@Input("testClose") _close = false;
@Output("testCloseChange") _closeChange = new EventEmitter<boolean>(false);
close(): void{
this._close = true;
this._closeChange.emit(true);
}
open(): void{
this._close = false;
this._closeChange.emit(true);
}
}
App Component which should register to the close event of the TestComponent to call some function.
import {Component} from 'angular2/core';
import {TestComponent} from './test.component';
@Component({
selector: "my-app",
template: `
<div class="container">
<test [testClose]="isClose"></test>
Close Count: {{closeCount}}
</div>
`,
directives: [TestComponent]
})
export class AppComponent{
isClose: boolean = false;
closeCount: number = 0;
incrementClose(): void{
this.closeCount++;
}
}
Upvotes: 2
Views: 10261
Reputation: 1933
Just add a listener to the event being emitted
(testCloseChange)="onTestCloseChange($event)"
So app component template will look like this
<div class="container">
<test [testClose]="isClose" (testCloseChange)="onTestCloseChange($event)"></test>
Close Count: {{closeCount}}
</div>
And inside the App component class you should define the onTestCloseChange
export class AppComponent{
onTestCloseChange(event) {
}
}
Upvotes: 6