fetch发送ajax请求

//发送网络请求---使用fetch发送(未优化)
1.普通链式调用
fetch(`/api1/search/users2?q=${keyWord}`).then(
  response => {
    console.log('联系服务器成功了');
    return response.json()
  },
  error => {
    console.log('联系服务器失败了',error);
    return new Promise(()=>{})    // 返回一个初始的Promise中断操作
  }
)
.then(
  response => {console.log('获取数据成功了',response);},
  error => {console.log('获取数据失败了',error);}
)

2.最后统一使用catch捕获错误
fetch(`/api1/search/users2?q=${keyWord}`).then(
  response => {
    console.log('联系服务器成功了');
    return response.json()
  }
)
.then(
  response => {console.log('获取数据成功了',response);},
)
.catch((err)=>{
  console.log(err)
})


// 发送网络请求---使用fetch发送(优化)
// 使用try/catch+async/await, catch中捕获错误
try {
  const response= await fetch(`/api1/search/users2?q=${keyWord}`)
  const data = await response.json()
  console.log(data);
  PubSub.publish('atguigu',{isLoading:false,users:data.items})
} catch (error) {
  console.log('请求出错',error);
  PubSub.publish('atguigu',{isLoading:false,err:error.message})
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43