在Angular 2中,我有一个包含子组件的组件。但是,我想获取要在父级中使用的子组件的副本,以调用其函数或其他任何内容。
我发现我可以使用局部变量,这样我就可以在模板中使用该组件。但是,我不要只在模板中使用它,我想在组件的实际代码中使用它。
我找到了一种方法,这里是子代码:
//our child
import {Component, OnInit, EventEmitter} from 'angular2/core'
@Component({
selector: 'my-child',
providers: [],
template: `
<div>
<h2>Child</h2>
</div>
`,
directives: [],
outputs: ['onInitialized']
})
export class Child implements OnInit{
onInitialized = new EventEmitter<Child>();
constructor() {
this.name = 'Angular2'
}
ngOnInit() {
this.onInitialized.emit(this);
}
}
父:
//our root app component
import {Component} from 'angular2/core'
import {Child} from './child'
@Component({
selector: 'my-app',
providers: [],
template: `
<div>
<h2>Hello {{name}}</h2>
<my-child (onInitialized)="func($event)"></my-child>
</div>
`,
directives: [Child]
})
export class App {
constructor() {
this.name = 'Angular2'
}
func(e) {
console.log(e)
}
}
我在this plunker中实现了它。但它似乎是一个黑客。
是否有更简单的方法将组件附加到其父项中的变量?
答案 0 :(得分:63)
您可以使用ViewChild
<child-tag #varName></child-tag>
@ViewChild('varName') someElement;
ngAfterViewInit() {
someElement...
}
其中varName
是添加到元素的模板变量。或者,您可以按组件或指令类型进行查询。
还有其他选择,例如ViewChildren
,ContentChild
,ContentChildren
。
@ViewChildren
也可以在构造函数中使用。
constructor(@ViewChildren('var1,var2,var3') childQuery:QueryList)
优点是结果可以提前使用。
另请参阅http://www.bennadel.com/blog/3041-constructor-vs-property-querylist-injection-in-angular-2-beta-8.htm了解使用构造函数或字段的一些优点/缺点。
注意:@Query()
是@ContentChildren()
<强>更新强>
Query
目前只是一个抽象基类。如果它全部用于https://github.com/angular/angular/blob/2.1.x/modules/@angular/core/src/metadata/di.ts#L145
答案 1 :(得分:6)
您需要利用@ViewChild
装饰器通过注入引用父组件中的子组件:
import { Component, ViewChild } from 'angular2/core';
(...)
@Component({
selector: 'my-app',
template: `
<h1>My First Angular 2 App</h1>
<child></child>
<button (click)="submit()">Submit</button>
`,
directives:[App]
})
export class AppComponent {
@ViewChild(Child) child:Child;
(...)
someOtherMethod() {
this.searchBar.someMethod();
}
}
这是更新的plunkr:http://plnkr.co/edit/mrVK2j3hJQ04n8vlXLXt?p=preview。
您可以注意到也可以使用@Query
参数装饰器:
export class AppComponent {
constructor(@Query(Child) children:QueryList<Child>) {
this.childcmp = children.first();
}
(...)
}
答案 2 :(得分:2)
您实际上可以使用 ViewChild API
...
<强> parent.ts 强>
<button (click)="clicked()">click</button>
export class App {
@ViewChild(Child) vc:Child;
constructor() {
this.name = 'Angular2'
}
func(e) {
console.log(e)
}
clicked(){
this.vc.getName();
}
}
<强> child.ts 强>
export class Child implements OnInit{
onInitialized = new EventEmitter<Child>();
...
...
getName()
{
console.log('called by vc')
console.log(this.name);
}
}