将回调 object 从 parent 传递到 child 组件 angular

Passing a callback object from parent to child component angular

我有一个表单组件 parent 和一个 show-results 组件 child 组件。 我调用了 api 并且我必须使用回调来检索数据。 在我的服务层我打电话:

postSearchDocument(response: any, callback): void {
  console.log('Response form in service layer: ', response);

  const xmlhttp = new XMLHttpRequest();
  xmlhttp.open('POST', this.appConfig.getConfig().apiUrl + '' + this.appConfig.getConfig().searchDocument, true);

  // build SOAP request
  const soapRequest =
    '<?xml version="1.0" encoding="utf-8"?>' +
    '<soapenv:Envelope xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" ' +
    'xmlns:xsd="http://www.w3.org/2001/XMLSchema" ' +
    'xmlns:soapenv="http://schemas.xmlsoap.org/soap/envelope/" ' +
    'xmlns:bran="http://www.bottomline.com/soap/branch/">' +
    '<soapenv:Header/>' +
    '<soapenv:Body>' +
    '<bran:CallBranch soapenv:encodingStyle="http://schemas.xmlsoap.org/soap/encoding/">' +
    '<JSONRequest xsi:type="xsd:string">' +
    JSON.stringify(response) +
    '</JSONRequest>' +
    '</bran:CallBranch>' +
    '</soapenv:Body>' +
    '</soapenv:Envelope>';

  console.log('SOAP REQUEST ');
  console.log(soapRequest.toString());

  xmlhttp.onreadystatechange = () => {
    if (xmlhttp.readyState === 4) {
      if (xmlhttp.status === 200) {
        this.returnValue = xmlhttp.responseText;
        // alert(xmlhttp.responseText);
        console.log('Response : ');
        console.log(xmlhttp.responseText);

        this.documentResponse = JSON.parse(this.returnValue)
      );  
      console.log(this.documentResponse);
      callback.apply(this, [this.documentResponse]);
      // return this.documentResponse;
    }
  }
};

显然我将数据从 parent 传递给 children :

<app-show-results [documentsResponse]="documentsResponse"></app-show-results>

在 parent 组件中,我有一个 onSubmit 方法,允许我调用我的 API:

this.apiService.postSearchDocument(this.searchRequest, this.getResponse);

这是我的回调:

getResponse(response): void {
  this.documentsResponse = response;
  console.log('In callback response ', this.documentsResponse);
}

此 API 调用正在使用 SOAP,我添加了一个回调以便从服务器获取响应:

在我的 child 组件中我有这个变量:

@Input() documentsResponse;

我的问题是我没有在 child 组件中显示来自 parent 的 return 值。我在我的 child 组件中添加了一个生命周期挂钩来监视更改:

ngOnChanges(changes: SimpleChanges): Promise<any> {
  if (changes.documentsResponse && this.documentsResponse !== null) {
    console.log(this.documentsResponse);
  }
}

在您使用 ChangeDetectionStrategy.OnPush 时,更改检测将受到限制并且仅适用于某些情况。您需要标记父组件和子组件以便在下一个周期检查。试试下面的代码

父组件

import { ..., ChangeDetectorRef } from '@angular/core'

@Component({})
class ParentComponent {
  documentResponse: any

  ...

  constructor(
    private changeDetectorRef: ChangeDetectorRef
  ) {}

  ...

  getResponse(response) {
    this.documentResponse = response;
    this.changeDetectorRef.markForCheck(); // Here is the fix
  }
}

工作stackblitz