9

我正在学习/从事 Angular 项目,我已经做了很多,并且我尝试以“正确的方式”做事情,所以现在我想做的是:

我想从子组件获取变量(输出)到父组件,但我不想使用输出,我不想听它,我想在父需要时获取它,就像child.getVariable()我一样我遇到过一篇文章说我应该使用 childview 但问题与我的不同,所以我想知道使用 childview 从子组件获取数据是否是一种好习惯?

4

4 回答 4

4

您只需要从父模板中访问子组件的变量吗?如果是这样,您可以使用:

<child-component #childComponentRef></child-component>

然后,您可以从父模板中访问#childComponentRef.someVariable。否则,我认为 Angular 团队推荐共享服务。无论如何,它们的用途更广。请参阅https://angular.io/docs/ts/latest/cookbook/component-communication.html#!#parent-and-children-communicate-via-a-service

于 2016-12-17T16:21:48.507 回答
4

在您的子组件中将 EventEmitter 注册为 @Output:

@Output() onDatePicked: EventEmitter<any> = new EventEmitter<any>();
Emit value on click:

public pickDate(date: any): void {
    this.onDatePicked.emit(date);
}

监听父组件模板中的事件:

<div>
    <calendar (onDatePicked)="doSomething($event)"></calendar>
</div>

在父组件中:

public doSomething(date: any):void {
    console.log('Picked date: ', date);
}

参考:stackoverflow.com/a/42109866/4697384

于 2017-10-09T09:29:31.797 回答
1

父母如何与 Angular 中的子组件通信的方式。

(i) 子组件公开一个EventEmitter属性,当事情发生时它会使用该属性发出事件。父级绑定到该事件属性并对这些事件作出反应。

(ii) 父组件不能使用数据绑定来读取子属性或调用子方法。您可以通过为子元素创建模板引用变量,然后在父模板中引用该变量来完成这两项操作

(iii) 局部变量方法简单易行。但它是有限的,因为父子连接必须完全在父模板内完成。父组件本身无权访问子组件。

(iv) 家长和孩子可以通过服务进行交流。

有关详细说明,您可以参考以下链接:

Angular官网-组件通讯

于 2019-04-23T10:35:03.493 回答
1

如果您想同步访问子组件,那么使用 ViewChild 可能是一个好习惯,如下所示:

import { CountryCodesComponent } from '../../components/country-codes/country-codes.component';
import { Component, ViewChild } from '@angular/core';

@Component({
    selector: 'signup',
    templateUrl: "signup.html"
})
export class SignupPage {
    @ViewChild(CountryCodesComponent)
    countryCodes: CountryCodesComponent;
    nationalPhoneNumber = '';

    constructor() {}

    get phoneNumber(): string {
        return '+' + this.countryCodes.countryCode + this.nationalPhoneNumber;
    }
}
于 2016-12-17T16:37:46.650 回答