在我学习Angular 2时,我使用了一个observable来通过API获取一些数据。像这样:
getPosts() {
return this.http.get(this._postsUrl)
.map(res => <Post[]>res.json())
.catch(this.handleError);
}
我的帖子模型看起来是这样的:
export class Post {
constructor(
public title: string,
public content: string,
public img: string = 'test') {
}
我面临的问题是地图运营商对Post模型没有做任何事情。例如,我尝试为img值设置默认值,但在视图post.img中没有显示任何内容。我甚至用其他模型(Message [])更改了Post [],并且行为没有改变。任何人都可以解释这种行为吗?
答案 0 :(得分:13)
当我想在模板中使用计算属性时,我遇到了类似的问题。
我在本文中找到了一个很好的解决方案:
在模型上创建一个静态方法,该方法接受一个对象数组,然后从映射函数中调用该方法。在静态方法中,您可以调用已经定义的构造函数或使用复制构造函数:
getPosts() {
return this.http.get(this._postsUrl)
.map(res => Post.fromJSONArray(res.json()))
.catch(this.handleError);
}
export class Post {
// Existing constructor.
constructor(public title:string, public content:string, public img:string = 'test') {}
// New static method.
static fromJSONArray(array: Array<Object>): Post[] {
return array.map(obj => new Post(obj['title'], obj['content'], obj['img']));
}
}
export class Post {
title:string;
content:string;
img:string;
// Copy constructor.
constructor(obj: Object) {
this.title = obj['title'];
this.content = obj['content'];
this.img = obj['img'] || 'test';
}
// New static method.
static fromJSONArray(array: Array<Object>): Post[] {
return array.map(obj => new Post(obj);
}
}
如果您使用的是支持代码完成的编辑器,则可以将obj
和array
参数的类型更改为Post
:
export class Post {
title:string;
content:string;
img:string;
// Copy constructor.
constructor(obj: Post) {
this.title = obj.title;
this.content = obj.content;
this.img = obj.img || 'test';
}
// New static method.
static fromJSONArray(array: Array<Post>): Post[] {
return array.map(obj => new Post(obj);
}
}
答案 1 :(得分:0)
您可以使用as
关键字将JSON反序列化为您的对象。
Angular2文档有a tutorial引导您完成此操作。但总之......
型号:
export class Hero {
id: number;
name: string;
}
服务:
...
import { Hero } from './hero';
...
get(): Observable<Hero> {
return this.http
.get('/myhero.json')
.map((r: Response) => r.json() as Hero);
}
组件:
get(id: string) {
this.myService.get()
.subscribe(
hero => {
console.log(hero);
},
error => console.log(error)
);
}