web-dev-qa-db-fra.com

Appelez la méthode du composant enfant à partir de la classe parent - Angular

J'ai créé un composant enfant qui a une méthode que je veux invoquer.

Lorsque j'appelle cette méthode, elle ne déclenche que la ligne console.log(), elle ne définira pas la propriété test?

Ci-dessous, le démarrage rapide Angular, avec mes modifications.

Parent

import { Component } from '@angular/core';
import { NotifyComponent }  from './notify.component';

@Component({
    selector: 'my-app',
    template:
    `
    <button (click)="submit()">Call Child Component Method</button>
    `
})
export class AppComponent {
    private notify: NotifyComponent;

    constructor() { 
      this.notify = new NotifyComponent();
    }

    submit(): void {
        // execute child component method
        notify.callMethod();
    }
}

Enfant

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

@Component({
    selector: 'notify',
    template: '<h3>Notify {{test}}</h3>'
})
export class NotifyComponent implements OnInit {
   test:string; 
   constructor() { }

    ngOnInit() { }

    callMethod(): void {
        console.log('successfully executed.');
        this.test = 'Me';
    }
}

Comment définir la propriété test?

80
shammelburg

Vous pouvez le faire en utilisant @ViewChild pour plus d'informations, vérifiez ceci lien

Avec sélecteur de type

@Component({
  selector: 'child-cmp',
  template: '<p>child</p>'
})
class ChildCmp {
  doSomething() {}
}
@Component({
  selector: 'some-cmp',
  template: '<child-cmp></child-cmp>',
  directives: [ChildCmp]
})
class SomeCmp {
  @ViewChild(ChildCmp) child:ChildCmp;
  ngAfterViewInit() {
    // child is set
    this.child.doSomething();
  }
}

Avec sélecteur de chaîne

@Component({
  selector: 'child-cmp',
  template: '<p>child</p>'
})
class ChildCmp {
  doSomething() {}
}
@Component({
  selector: 'some-cmp',
  template: '<child-cmp #child></child-cmp>',
  directives: [ChildCmp]
})
class SomeCmp {
  @ViewChild('child') child:ChildCmp;
  ngAfterViewInit() {
    // child is set
    this.child.doSomething();
  }
}
128
rashfmnb

Cela a fonctionné pour moi! Pour Angular 2, appelez la méthode du composant enfant dans le composant parent.

Parent.component.ts

    import { Component, OnInit, ViewChild } from '@angular/core';
    import { ChildComponent } from '../child/child'; 
    @Component({ 
               selector: 'parent-app', 
               template: `<child-cmp></child-cmp>` 
              }) 
    export class parentComponent implements OnInit{ 
        @ViewChild(ChildComponent ) child: ChildComponent ; 

        ngOnInit() { 
           this.child.ChildTestCmp(); } 
}

Child.component.ts

import { Component } from '@angular/core';
@Component({ 
  selector: 'child-cmp', 
  template: `<h2> Show Child Component</h2><br/><p> {{test }}</p> ` 
})
export class ChildComponent {
  test: string;
  ChildTestCmp() 
  { 
    this.test = "I am child component!"; 
  }
 }

34
Kaur A

Je pense que le moyen le plus simple est d'utiliser Subject. Dans l'exemple de code ci-dessous, l'enfant sera averti chaque fois que 'tellChild' est appelé.

Parent.component.ts

import {Subject} from 'rxjs/Subject';
...
export class ParentComp {
    changingValue: Subject<boolean> = new Subject();
    tellChild(){
    this.changingValue.next(true);
  }
}

Parent.component.html

<my-comp [changing]="changingValue"></my-comp>

Child.component.ts

...
export class ChildComp implements OnInit{
@Input() changing: Subject<boolean>;
ngOnInit(){
  this.changing.subscribe(v => { 
     console.log('value is changing', v);
  });
}

Échantillon de travail sur Stackblitz

14
user6779899

la réponse de user6779899 est soignée et plus générique. Cependant, à la demande d'Imad El Hitti, une solution légère est proposée ici. Cela peut être utilisé lorsqu'un composant enfant est étroitement connecté à un seul parent.

Parent.component.ts

export class Notifier {
    valueChanged: (data: number) => void = (d: number) => { };
}

export class Parent {
    notifyObj = new Notifier();
    tellChild(newValue: number) {
        this.notifyObj.valueChanged(newValue); // inform child
    }
}

Parent.component.html

<my-child-comp [notify]="notifyObj"></my-child-comp>

Child.component.ts

export class ChildComp implements OnInit{
    @Input() notify = new Notifier(); // create object to satisfy TypeScript
    ngOnInit(){
      this.notify.valueChanged = (d: number) => {
            console.log(`Parent has notified changes to ${d}`);
            // do something with the new value 
        };
    }
 }
3
shr

Angular - Méthode du composant enfant d’appel dans le modèle du composant parent

Vous avez ParentComponent et ChildComponent qui ressemble à ceci.

parent.component.html

enter image description here

parent.component.ts

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

@Component({
  selector: 'app-parent',
  templateUrl: './parent.component.html',
  styleUrls: ['./parent.component.css']
})
export class ParentComponent {
  constructor() {
  }
}

child.component.html

<p>
  This is child
</p>

child.component.ts

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

@Component({
  selector: 'app-child',
  templateUrl: './child.component.html',
  styleUrls: ['./child.component.css']
})
export class ChildComponent {
  constructor() {
  }

  doSomething() {
    console.log('do something');
  }
}

Quand servir, ça ressemble à ça:

enter image description here

Lorsque l'utilisateur se concentre sur l'élément input de ParentComponent, vous souhaitez appeler la méthode doSomething () de ChildComponent.

Faites simplement ceci:

  1. Donnez au sélecteur app-child dans parent.component.html un nom de variable DOM (préfixe avec # - hashtag) , dans ce cas nous l'appelons appChild.
  2. Attribuez une valeur d'expression (de la méthode à appeler) à l'événement focus de l'élément.

enter image description here

Le résultat:

enter image description here

1
Hemant Ramphul