web-dev-qa-db-fra.com

Angular: 'Impossible de trouver un objet correspondant différent' [objet Object] 'de type' objet '. NgFor ne prend en charge que la liaison à Iterables tels que Arrays '

J'ai créé une application angular) qui récupère les données d'un fichier json. Mais je ne parviens pas à afficher les données en HTML. De nombreuses variables sont en néerlandais, je suis désolé pour. Je suis aussi un peu nouveau dans tout ça :)

Ceci est mon service:

import {Injectable} from '@angular/core';
import {Http, RequestOptions, Response, Headers} from '@angular/http';
import {Observable} from "rxjs";
import {Afdelingen} from "./models";

@Injectable()
export class AfdelingService {
  private afdelingenUrl = '/assets/backend/afdelingen.json';
    constructor(private http: Http) {
      }

      getAfdelingen(): Observable<Afdelingen[]> {
        return this.http.get(this.afdelingenUrl)
          .map(this.extractData)
          .catch(this.handleError);
      }

      private extractData(res: Response) {
        let body = <Afdelingen[]>res.json();
        return body || {};
      }

      private handleError(error: any): Promise<any> {
        console.error('An error occurred', error);
        return Promise.reject(error.message || error);
      }

      addAfdeling(afdelingsNaam: string, afdeling: any): Observable<Afdelingen> {
        let body = JSON.stringify({"afdelingsNaam": afdelingsNaam, afdeling: afdeling});
        let headers = new Headers({'Content-Type': 'application/json'});
        let options = new RequestOptions({headers: headers});
        return this.http.post(this.afdelingenUrl, body, options)
          .map(res => <Afdelingen> res.json())
          .catch(this.handleError)
      }
    }

Cela fait partie de mon fichier json:

{
  "afdelingen": [
    {
      "afdelingsNaam": "pediatrie",
      "kamernummer": 3.054,
      "patientid": 10001,
      "patientennaam": "Joske Vermeulen",
      "reden": "Appendicitis",
      "opname": "12/05/2017",
      "ontslag": "28/06/2017",
      "behandelingstype": "nazorg",
      "behandelingsomschrijving": "wondverzorging",
      "behandelingsdatum": "10/06/2017",
      "behandelingstijd": "10:20",
      "vegitarisch": false,
      "Opmerkingen": "",
      "sanitair": true,
      "kinderverzorgingsruimte": false,
      "salon": true,
      "hulp": true,
      "width": 5,
      "height": 5
    },
    {
      "afdelingsNaam": "pediatrie",
      "kamernummer": 3.055,
      "patientid": 10002,
      "patientennaam": "Agnes Vermeiren",
      "reden": "Beenbreuk",
      "opname": "18/05/2017",
      "ontslag": "30/06/2017",
      "behandelingstype": "nazorg",
      "behandelingsomschrijving": "wondverzorging",
      "behandelingsdatum": "10/06/2017",
      "behandelingstijd": "10:20",
      "vegitarisch": true,
      "Opmerkingen": "",
      "sanitair": true,
      "kinderverzorgingsruimte": false,
      "salon": true,
      "hulp": false,
      "width": 5,
      "height": 5
    }]}

Le composant:

import {Component, OnInit, Input} from '@angular/core';
import {Afdelingen} from "../models";
import {AfdelingService} from "../afdeling.service";
import {PatientService} from "../patient.service";


@Component({
  selector: 'app-afdeling',
  templateUrl: './afdeling.component.html',
  styleUrls: ['./afdeling.component.css']
})
export class AfdelingComponent implements OnInit {

 afdeling: Afdelingen[];
 errorMessage:string;

  constructor(private afdelingService: AfdelingService, private patientService: PatientService) { }

  ngOnInit() {
    this.getData()
  }

  getData() {
    this.afdelingService.getAfdelingen()
      .subscribe(
        data => {
          this.afdeling = data;
          console.log(this.afdeling);
        }, error => this.errorMessage = <any> error);

  }
}

et le html:

<ul>
  <li *ngFor="let afd of afdeling">
    {{afd.patientid}}
  </li>
</ul>
13
Claire

Comme l'indiquent les messages d'erreur, ngFor ne prend en charge que les itératifs tels que Array. Vous ne pouvez donc pas l'utiliser pour Object.

changement

private extractData(res: Response) {
  let body = <Afdelingen[]>res.json();
  return body || {};       // here you are return an object
}

à

private extractData(res: Response) {
  let body = <Afdelingen[]>res.json().afdelingen;    // return array from json file
  return body || [];     // also return empty array if there is no data
}
15
Pengyy

N'oubliez pas d'alimenter les observables en mode asynchrone, comme *ngFor item of items$ | async, Où vous essayez de *ngFor item of items$items$ Est évidemment un observable parce que vous l'avez noté avec le même caractère $ à items$: Observable<IValuePair>, et votre affectation peut être quelque chose comme this.items$ = this.someDataService.someMethod<IValuePair>() qui renvoie un observable de type T.

En ajoutant à cela ... je crois avoir utilisé une notation telle que *ngFor item of (items$ | async)?.someProperty

10
Adam Cox

Vous avez seulement besoin du tuyau async:

<li *ngFor="let afd of afdeling | async"> {{afd.patientid}} </li>

utilisez toujours le tube async lorsque vous traitez directement avec Observables sans vous désabonner explicitement.

3
Mostafa Attia

J'avais le même problème et, comme Pengyy le suggère, c'est la solution. Merci beaucoup.

Mon problème sur la console du navigateur:

Image Problem on Browser Console

PortafolioComponent.html: 3 ERROR Error: Erreur lors de la tentative de diff '[objet Object]'. Seuls les tableaux et les itérables sont autorisés (…)

Dans mon cas, mon correctif de code était:

//productos.service.ts
import { Injectable } from '@angular/core';
import { Http } from '@angular/http';

@Injectable()
export class ProductosService {

  productos:any[] = [];
  cargando:boolean = true;

  constructor( private http:Http) {
    this.cargar_productos();
  }

  public cargar_productos(){

    this.cargando = true;

    this.http.get('https://webpage-88888a1.firebaseio.com/productos.json')
      .subscribe( res => {
        console.log(res.json());
        this.cargando = false;
        this.productos = res.json().productos; // Before this.productos = res.json(); 
      });
  }

}
2
Angel Diaz