Fetch之常用api

一.GET请求中如果需要传递参数怎么办?这个时候,只能把参数写在URL上来进行传递了

// 通过fetch获取百度的错误提示页面
fetch('https://www.baidu.com/search/error.html?a=1&b=2', { // 在URL中写上传递的参数
    method: 'GET'
  })
  .then((res)=>{
    return res.text()
  })
  .then((res)=>{
    console.log(res)
  })

二.Post请求携带请求体的键值对形式的字符串数据

// 通过fetch获取百度的错误提示页面
fetch('https://www.baidu.com/search/error.html', {
    method: 'POST',
    headers: new Headers({
      'Content-Type': 'application/x-www-form-urlencoded' // 指定提交方式为表单提交
    }),
    body: new URLSearchParams([["foo", 1],["bar", 2]]).toString()
  })
  .then((res)=>{
    return res.text()
  })
  .then((res)=>{
    console.log(res)
  })

 

三.获取JSON数据格式的数据

// 通过fetch获取百度的错误提示页面
fetch('https://www.baidu.com/rec?platform=wise&ms=1&rset=rcmd&word=123&qid=11327900426705455986&rq=123&from=844b&baiduid=A1D0B88941B30028C375C79CE5AC2E5E%3AFG%3D1&tn=&clientWidth=375&t=1506826017369&r=8255', { // 在URL中写上传递的参数
    method: 'GET',
    headers: new Headers({
      'Accept': 'application/json' // 通过头指定,获取的数据类型是JSON
    })
  })
  .then((res)=>{
    return res.json() // 返回一个Promise,可以解析成JSON
  })
  .then((res)=>{
    console.log(res) // 获取JSON数据
  })

四.强制带Cookie,默认情况下, fetch 不会从服务端发送或接收任何 cookies, 如果站点依赖于维护一个用户会话,则导致未经认证的请求(要发送 cookies,必须发送凭据头).

// 通过fetch获取百度的错误提示页面
fetch('https://www.baidu.com/search/error.html', {
    method: 'GET',
    credentials: 'include' // 强制加入凭据头
  })
  .then((res)=>{
    return res.text()
  })
  .then((res)=>{
    console.log(res)
  })

五.凭据Credentials

//为了让浏览器发送包含凭据的请求(即使是跨域源),要将credentials: 'include'添加到传递给 fetch()方法的init对象。

fetch('https://example.com', {
  credentials: 'include'  
})
//如果你只想在请求URL与调用脚本位于同一起源处时发送凭据,请添加credentials: 'same-origin'。

// The calling script is on the origin 'https://example.com'

fetch('https://example.com', {
  credentials: 'same-origin'  
})
//要改为确保浏览器不在请求中包含凭据,请使用credentials: 'omit'。

fetch('https://example.com', {
  credentials: 'omit'  
})

六.fetch-jsonp

npm i fetch-jsonp -S 下载好fetch-jsonp包后,可导入该第三方包进行跨域请求

import fetchJsonp from 'fetch-jsonp'


fetchJsonp('https://www.baidu.com/search/error.html?a=1&b=2')
  .then((res)=>{
    return res.text()
  })
  .then((res)=>{
    console.log(res)
  })

七.结合promise与es7的async,await改造fetch写法

export default class XXX extends React.Component {
....
getUsers = async(){

const res = await fetch ('https://www.baidu.com/search/error.html?a=1&b=2', { // 在URL中写上传递的参数
    method: 'GET'
  })
const data = await res.json()

}

}

 

 

转载于:https://my.oschina.net/u/3937325/blog/1933338

你可能感兴趣的:(json,javascript)