Angular get&post请求 写法

汪才英
2023-12-01

使用 Angular 请求数据的时候,需要引入 HttpModule 模块,如果使用的 jsonp 模式的话,则需要另外引入 JsonpModule 模块

import { HttpModule, JsonpModule } from '@angular/http'

 

然后在当前模块中的 imports 内进行注册

imports: [

 HttpModule,

 JsonpModule

],

注册以后就可以在组件文件当中引入相对应的方法来进行数据请求了

import { Http, Jsonp } from '@angular/http'

然后在当前组件的构造函数当中进行注入以后就可以使用了

constructor(private http: Http, private jsonp: Jsonp) { }

一个简单的 get 请求示例

constructor(private http: Http, private jsonp: Jsonp) { }
//用于接收数据
public list: any = []
// 开始请求数据
getData() {
 let url = '您的url'
 let _this = this
 this.http.get(url).subscribe((data) => {
    //回调函数
  _this.list = JSON.parse(data['_body'])['result']
  console.log(_this.list)
 })
}

JSONP 请求数据 注意区分与 get 请求的区别,使用如下

// 请求数据
jsonpData() {
 let url = '您的url&callback=JSONP_CALLBACK'
 let _this = this
 this.jsonp.get(url).subscribe((data) => {
    //这里注意与json区别
  _this.list = data['_body']['result']
  console.log(_this.list)
 })
}

不同点

请求的 url 参数结尾必须要添加指定的回调函数名称 &callback=JSONP_CALLBACK

请求的方式变为 this.jsonp.get(url)

请求后得到的数据格式不统一,需要自行进行调整

POST 请求

首先需要引入请求头 { Headers }

import { Http, Jsonp, Headers } from '@angular/http'

然后来对请求头进行定义,需要先实例化 Headers

private headers = new Headers({'Content-Type': 'application/json'})

最后在提交数据的时候带上 Headers 即可

postData() {
 let url = 'http://localhost:8080/login'
 let data = {
  "username": "zhangsan",
  "password": "123"
 }
 this.http.post(
  url,
  data,
  {headers: this.headers}
 ).subscribe((data) => {
  console.log(data)
 })
}

 

 类似资料: