0

按照下面的例子:

如何使用/创建动态模板来使用 Angular 2.0 编译动态组件?

我开发了自己的模板生成器,它直接从变量中获取 HTML 内容。这是: http ://plnkr.co/edit/2Sv1vp?p=preview

现在,我的问题是......如果模板内容必须与组件交互,例如与点击时执行的功能......我该怎么做?

这是我的 app.component.ts

import { Component }          from '@angular/core';

@Component({
  selector: 'my-app',  
  template: `
    <div>
      <h2>An app with DYNAMIC content</h2>
      <hr />
      <dynamic-detail [tmpl]="tmpl1" [entity]="entity"></dynamic-detail>
      <dynamic-detail [tmpl]="tmpl2" [entity]="entity"></dynamic-detail>
    </div>`,
   })
   export class AppComponent { 
     private tmpl: string;
     private entity: any;

     constructor() {
       this.entity = { 
         code: "ABC123",
         description: "A description of this Entity",
         nome: "Bea"
       };

       this.tmpl1 = '<h2>Sono {{entity.nome}}, il primo template</h2>';
       this.tmpl2 = '<a (click)="printSomething()">Sono il secondo template</a>';
      }

    printSomething() {
      console.log("Hello World");
    }
}

当我尝试点击“Sono il secondo template”时,它应该执行printSomething()函数,但我得到了这个错误:

 Error in ./CustomDynamicComponent class CustomDynamicComponent - inline template:0:0 caused by: self.context.printSomething is not a function
4

1 回答 1

0

问题就像Angular所说的那样;printSomething 在您动态创建的组件中不存在。如果我们在动态创建的组件中声明一个函数,我们就可以调用它:

app.component.ts

this.tmpl2 = '<a (click)="linkClicked()">Sono il secondo template</a>';

类型.builder.ts

  protected createNewComponent(tmpl: string) {
    @Component({
      selector: 'dynamic-component',
      template: tmpl,
    })
    class CustomDynamicComponent implements IHaveDynamicData {
      @Input() public entity: any;

      linkClicked() {
        console.log('yay!');
      }

    };
    // a component for this particular template
    return CustomDynamicComponent;
  }

如果要调用 app.component.ts 中的方法,则需要在 CustomDynamicComponent 的新 @Input() 属性中传递对它的引用。

于 2016-12-14T19:00:38.427 回答