Reputation: 131
I try to call a dynamic component from another component but it showing me an empty page
This is the dynamic component.ts :
@Component({
selector: 'app-draw-linechart',
templateUrl: './draw-linechart.component.html',
styleUrls: ['./draw-linechart.component.css']
})
export class DrawLinechartComponent implements OnInit {
constructor(private productservice: ProductService) {}
ngOnInit() {
this.PrepareData(); }
PrepareData() {
this.productservice.getProductsData(this.productHistoric).subscribe((data) => {
this.historicproducts = data;
console.log("historic products", this.historicproducts)
});}
The dynamic component.html :
<div class="container">
<mat-grid-list cols="1" rows="2" rowHeight="100px" >
<mat-grid-tile>
<mat-card class="dashboard-card">
<mat-card-header>
<mat-card-title>
Line chart
</mat-card-title>
</mat-card-header>
<mat-card-content class="dashboard-card-content">
<button mat-raised-button color="warn" (click)="prepareData()">Add Line chart</button>
</mat-card-content>
</mat-card>
This is the other component where I called the dynamic component:
export class LineChartComponent implements OnInit{
constructor(private componentFactoryResolver:ComponentFactoryResolver,private vf:ViewContainerRef){}
...
OnSubmit(){
this.createComponent();}
createComponent(){
let resolver = this.componentFactoryResolver.resolveComponentFactory(DrawLinechartComponent);
this.vf.createComponent(resolver);
} Then I added the dynamic component in entryComponent of the module.ts:
entryComponents:[DrawLinechartComponent]
In the console I got the correct data but I had an empty page ( I don't know why it not reading the html code )
Upvotes: 0
Views: 824
Reputation: 588
first, create a directive, you use this directive to any element that you want to be a container for your dynamic component:
import { Directive, ViewContainerRef } from '@angular/core';
@Directive({
selector: '[ad-host]',
})
export class AdDirective {
constructor(public viewContainerRef: ViewContainerRef) { }
}
in your template:
<ng-template ad-host></ng-template>
in your component:
@ViewChild(AdDirective, {static: true}) adHost: AdDirective;
and then in your function:
const viewContainerRef = this.adHost.viewContainerRef;
viewContainerRef.clear();
const componentRef = viewContainerRef.createComponent(componentFactory);
now your component will be created in the ng-template tag.
you can see a detailed example in angular docs
Upvotes: 2