自从Angular v2进入Beta版以来,已经在Angular v1中工作了一段时间。

现在我有了这段代码,但是无法正常工作,真的不知道为什么。以某种方式,当我打印{{profileUser | json}}时,一切正常(profileUser是一个对象)。

但是,当我想打印该对象的子对象(例如{{profileUser.name}}{{profileUser.name.firstName}})时,Angular会引发以下错误:
EXEPTION: TypeError: undefined is not an object (evaluating 'l_profileUser0.name') in [ {{profileUser.name}} in ProfileComponent@4:11

这真的让我感到困惑,应该只是周围最简单的事情之一。刚从TypeScript btw开始。

这是一些代码-ProfileService.ts:

import { Injectable } from 'angular2/core';
import { Headers } from 'angular2/http';
import { API_PREFIX } from '../constants/constants';
import { AuthHttp } from 'angular2-jwt/angular2-jwt';
import 'rxjs/add/operator/map';

@Injectable()
export class ProfileService {

  API_PREFIX = API_PREFIX;

  constructor(private _authHttp:AuthHttp) {
  }

  getProfileData(username:string):any {
    return new Promise((resolve, reject) => {
      this._authHttp.get(API_PREFIX + '/users/username/' + username)
        .map(res => res.json())
        .subscribe(
          data => {
            resolve(data.data);
          },
          err => {
            reject(err);
          }
        )
      ;
    });
  }
}

这是我的ProfileComponent:
import {Component, OnInit} from 'angular2/core';
import {RouteParams} from 'angular2/router';
import {ProfileService} from '../../services/profile.service';

@Component({
  selector: 'profile',
  templateUrl: './components/profile/profile.html',
  directives: [],
  providers: [ProfileService]
})

export class ProfileComponent implements OnInit {

  public username:string;
  public profileUser:any;

  constructor(private _profileService: ProfileService,
              private _params: RouteParams) {
    this.username = this._params.get('username');
  }

  ngOnInit() {
    this.getProfileData(this.username);
  }

  getProfileData(username:string):void {
    this._profileService.getProfileData(username)
      .then(data => {
        this.profileUser = data;
        console.log(data);
      })
    ;
  }
}

最后,profile.html模板:
<pre> <!-- works! -->
{{profileUser | json}}
</pre>

要么..
<pre> <!-- throws the error -->
{{profileUser.name | json}}
</pre>

要么..
<pre> <!-- throws the error -->
{{profileUser.name.firstName}}
</pre>

仅供引用,profileUser看起来像这样:
{
  "id": "9830ecfa-34ef-4aa4-86d5-cabbb7f007b3",
  "name": {
    "firstName": "John",
    "lastName": "Doe",
    "fullName": "John Doe"
  }
}

如果有人可以帮助我,那就太好了,这真的使我不熟悉Angular v2。谢谢!

最佳答案

实际上,您的profileUser对象是从HTTP请求中加载的,开头可以是nulljson管道仅执行JSON.stringify

这就是您的错误消息所说的:undefined is not an object (evaluating 'l_profileUser0.name')

您需要确保profileUser对象不为null才能获得其name属性,依此类推。可以使用*ngIf指令完成此操作:

<div *ngIf="profileUser">
  {{profileUser.name | json}}
</div>

当数据在那里时,将显示HTML块。

正如Eric所说,猫王运算符(operator)也可以为您提供帮助。您可以使用{{profileUser.name | json}}代替{{profileUser?.name | json}}

希望对您有帮助,
蒂埃里

07-25 21:26