我有一个简单的Angular 4应用程序正在联系HTTP REST服务器,这个服务器只是返回一个JSON有效负载,我想在浏览器中显示这个JSON有效负载。这是我的makeRequest打字稿函数:
import { Component, OnInit } from '@angular/core';
import {Http, Response} from '@angular/http';
@Component({
selector: 'app-simple-http',
templateUrl: './simple-http.component.html'
})
export class SimpleHttpComponent implements OnInit {
data: string;
loading: boolean;
constructor(private http: Http) {
}
ngOnInit() {
}
makeRequest(): void {
this.loading = true;
this.http.request('http://jsonplaceholder.typicode.com/posts/1')
.subscribe((res: Response) => {
this.data = res.json();
this.loading = false;
});
}
}
对http://jsonplaceholder.typicode.com/posts/1的调用会返回以下JSON:
{
"userId": 1,
"id": 1,
"title": "sunt aut facere repellat provident occaecati excepturi optio reprehenderit",
"body": "quia et suscipit\nsuscipit recusandae consequuntur expedita et cum\nreprehenderit molestiae ut ut quas totam\nnostrum rerum est autem sunt rem eveniet architecto"
}
我现在在我的html组件中显示为:
<h2>Basic Request</h2>
<button type="button" (click)="makeRequest()">Make Request</button>
<div *ngIf="loading">loading...</div>
<pre>Data Obtained is: {{ data }}</pre>
但在浏览器中,我看到了这一点:
如何按原样显示我的JSON?
答案 0 :(得分:17)
您可以使用json pipe。在您的模板中:
<pre>Data Obtained is: {{ data | json }}</pre>
此外,您必须将data
属性的类型更改为any
而不是string
。
答案 1 :(得分:5)
您有两种选择:
使用内置管道JsonPipe(this.data
应为any
类型):
<pre>Data Obtained is: {{ data | json }}</pre>
手动获取JSON字符串:
this.data = JSON.stringify(res.json()); //data is a string :)
或
<pre>Data Obtained is: {{ JSON.stringify(data) }}</pre>
您必须了解模板中的任何值都是通过调用其.toString()
方法显示的,因此基本对象(例如{key: value}
)只显示[object Object]
这里有一个working demo,检查app.ts文件,ajax调用和带有json管道的模板。