角度4:从不同的组件调用方法

时间:2017-07-19 10:34:44

标签: angular angular-components

我有2个兄弟组件,我在一个组件中执行http请求,如果发生特定情况,它应该发出另一个http请求,写在另一个组件中。所以我应该能够在第一个组件中调用该方法。

这是第一个组成部分:

import { Component, OnInit, Inject } from '@angular/core';
import { Http } from '@angular/http';
import { SendCardComponent } from '../send-card/send-card.component';

@Component({
  selector: 'app-input-field',
  templateUrl: './input-field.component.html',
  styleUrls: ['./input-field.component.css'],
})

export class InputFieldComponent implements OnInit {

value = '';
output = '';
@Inject(SendCardComponent) saro: SendCardComponent;

constructor(private http : Http) { }
onEnter(value: string) { 

this.value = value;


this.http.post('http://localhost:5000/APIconversation/', {"val":value})
  .map(response=>response.json())
  .subscribe(
      data => {

            this.output = data.result.fulfillment.speech,
            if(data.result.fulfillment.speech == 'test'){
                saro.sendCard('done', '1' );   
            }               

       });

 } 

我正在尝试调用sendCardComponent中定义的sendCard(),它来自InputFieldComponent,如下所示:

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

@Component({
  selector: 'app-send-card',
  templateUrl: './send-card.component.html',
  styleUrls: ['./send-card.component.css']
})

export class SendCardComponent implements OnInit {

constructor(private http : Http) { }

ngOnInit() {

}

 output = '';

 sendCard(value:string, id:number){
   this.http.post('http://localhost:5000/APIconversation/', {"val":value})
  .map(response=>response.json())
  .subscribe(
      data => {

             this.output = data.result.fulfillment.messages[1].payload.options[id].type = $('#'+(id+1)+'>span').html();  

      });
} //sendCard

}

调用saro.sendCard时出错:

  

[ts]找不到名字'saro'

我做错了什么?

2 个答案:

答案 0 :(得分:13)

在InputFieldComponent

中创建SendCardComponent的实例
import { Http } from '@angular/http';
import { SendCardComponent } from '../send-card/send-card.component';

export class InputFieldComponent{

    //your other variables and methods

    constructor(private http : Http) { }

    let saro = new SendCardComponent(this.http);

    saro.sendCard()

}

答案 1 :(得分:2)

您需要解决2个问题。

首先,如果您想使用依赖注入,您的组件需要具有父子关系。因此,在您的情况下,如果InputFieldComponentSendCardComponent的子项,那么您可以使用简单(构造函数)依赖项注入从SendCardComponent获取父InputFieldComponent的实例}。

这就把我们带到了第二个问题 - 实施。如果我想做上述事情,那么我最终会:

export class InputFieldComponent implements OnInit {

  value = '';
  output = '';

  constructor(private http : Http, private saro: SendCardComponent) { }

  onEnter(value: string) { 

    this.value = value;
    this.saro.methodOnSendCardComponent();  
    ......

如果存在其他关系 - InputFieldComponentSendCardComponent的父级,那么您可以使用@ViewChildSendCardComponent获取InputFieldComponent的实例

然而,如上所述,上述两种方法都要求您更改视图层次结构。如果这两个组件需要保持兄弟姐妹,那么上述两种组合都不会起作用。

进一步思考,如果你只需要访问SendCardComponent来使用逻辑(即方法),为什么不将该逻辑抽象给服务,然后你可以在层次结构的任何地方使用该服务?这非常巧妙地绕过了你现在的问题,并且总的来说是合理的建议。老实说,您的组件应该将他们的行为集中在更高级别的问题上,并且尽可能地将其“外包”到服务上。