RN之网络请求

react native提供了fetchXMLHttpRequest(即aiax)两种网络请求方式,但是ajax的配置和调用方式比较混乱,不符合指责分离的原则,基于时间的一步模型的写法,没有采用Promise的fetch简洁,所以强烈建议使用fetch网络请求的用法。

fetch

fetch使用链式调用的方式来进行操作,fetch的基本格式

fetch(url , fetchOptions)
    .then((response) => {
        ...//数据解析方式
    })
    .then((responseData) => {
        ...//获取到的数据处理
    })
    .catch((error) => {
        ...//错误处理
    })
    .done(); //千万不要忘记哟

发起网络请求

上述示例的第一行fetch(url , fetchOptions)为发起网络请求的写法。

fetch(url)为发起网络请求的最简单的写法,只传入一个参数,默认的为GET方式请求,将网址作为参数传入fetch 的方法,如:

fetch('https://mywebsite.com/mydata.json')

fetch还有可选的第二个参数,即示例中的fetchOptions,它可以用来定制Http请求的一些参数,如指定header参数、GEtPOST方法、提交表单数据等。例如:

let fetchOptions = {
    method:'POST',
    headers:{
        'Accept':'application/json',
        'Content-Type':'application/json',
    },
    body:JSON.stringify({
        firstParam:'yourValue',
        secondParam:'yourOtherValue',
    })
};

fetch(url , fetchOptions);

fetchOptions是一个对象,它包含了如下可选的参数设置:

  • method : 请求方式:GET、POST、PUT等
  • headers : 请求头
  • body : 需要发送的数据
  • mode : 控制是否允许跨域 :sors 、no-cors 、same-origin
  • cache : 缓存设置 : default、no-store 、no-cache 、 force-cache 、 or only-if-cached
参数解释

1、headers请求头遵循http协议规范,通常设置Accept、Content-Type属性。
Accept:希望接受的数据类型
Content-Type:发送的实体数据的数据类型

headers: {
    'Accept' : 'application/json',
    'Content-Type' : 'application/json',
}

2、body的传入参数有三种方式:
方式一:不推荐,可能在某些服务器无法识别。

JSON.stringify({key:value1 , key2:value2 , ...})

方式二:传统的form格式

'key1 = value1 & key2 = value2'

方式三:使用FormData

let formData = new FormData();
formData.append("key1" , "value1");
formData.append("key2" , "value2");

3、mode:控制属否允许跨域

  • same-origin: 同源请求,该模式是不允许跨域的,跨域回报error。
  • cors: 允许跨域请求,可以获取第三方数据,前提是所访问的服务允许跨域访问。
  • no-cors:默认mode。该模式允许发送本次跨域请求,但是不能访问响应返回的内容,即可以请求其他域的脚本、图片和其他资源,但是不能访问response里面的属性。

如下是一个采用post方式的网络请求:

let formData = new FarmData();
    formData.append("key1" , "value1");
    formData.append("key2" , "value2");

    fetch(url , {
        method:"POST",
        headers:{
                       "Accept" : "application/json",
            "Content-Type" : "application/json",
        },
        body:formData,
    })

处理服务器的响应数据

fetch由于采用了promise的一步处理方式,因此在写网络请求这种异步操作时他别简单顺滑。

fetch(url , fetchOptions)
    .then((response) => response.json())   //数据解析方式,获取到网络请求返回的对象
    .then((responseJson) => {              //网络请求成功,处理获取到的数据
        return responseJson.movies;
    })
    .catch((error) => {                    //网络请求失败,错误处理,否则网络请求失败是无法看到错误信息
        console.error(error);
    })

实例

下面结合
前面介绍的生命周期及State、Props的知识,演示一个网络数据资源一列表的形式显示出来的实例。

1、渲染加载中的界面

在获取真实的网络数据之前,我们的界面要现实一个加载中的Text,并设置其样式。

import React, {Component} from "react";
import {
    Text,
    Image,
    View,
    StyleSheet,
}from 'react-native';

export default class FetchNetDataDemo extends Component {
    render() {
            return (
                <Text style={Styles.loading}>加载中...</Text>
            )
    }
}

const Styles = StyleSheet.create({
   loading:{
        textAlign: "center",
        fontSize: 16,
        padding: 20
    },
})

2、获取网络数据

下面用fetch网络请求获取网上一本真实的书本信息。在组件的生命周期中,组件初始阶段有constructor开始,一般都在这是初始化一些信息。

constructor(props) {
        super(props);
        this.state = {
            bookinfo: null
        };
    }

组件在渲染render后会主动调用componentDidMount函数,componentDidMount方法只会在组件完成后加载一次。我们在componentDidMount中执行获取网络数据的方法fetchBookinfoList,修改组件状态:

fetchBookinfoList() {
        const url = 'https://api.douban.com/v2/book/isbn/9787302315582';
        fetch(url)
            .then((response)=>response.json())
            .then(
                (responseJson)=> {
                    let bookinfo = responseJson;
                    console.log(bookinfo);
                    this.setState({
                        bookinfo: bookinfo,
                    })
                }
            )
            .catch((error)=>console.error(error))
 }

 componentDidMount() {
        this.fetchBookinfoList();
 }

3、将获取到的网络数据显示在界面上

修改render()方法,当this.state.bookinfo数据不为空时显示书本信息,否则显示一个正在加载的视图。

render() {
        let item = this.state.bookinfo;
        if (item) {
            return this.renderItem(item);
        }else {
            return (
                <Text style={Styles.loading}>加载中...</Text>
            )
        }
    }

   renderItem(item) {
        return (
            <View style={Styles.container}>
                <Image style={Styles.image_book} source={{uri: item.image}}/>
                <View style={Styles.right}>
                    <Text style={Styles.text_title}>{item.title}</Text>
                    <Text style={Styles.text_price}>{item.publisher}</Text>
                </View>
            </View>
        )
    }
image

完整代码

import React, {Component} from 'react';
import {StyleSheet, Text, View , Image} from 'react-native';

export default class App extends Component {
  constructor(props) {
    super(props);
    this.state = {
      bookinfo:null,
    }
  }

  render() {
    let item = this.state.bookinfo;
    if(item){
      return this.renderItem(item);
    }else{
      return(
        <Text style={styles.loading}>加载中···</Text>
      )
    }
  }

  renderItem = (item)=> {
    return (
      <View style={styles.container}>
        <Image source={{uri:item.image}} style={styles.imageStyle}/>
        <View style={styles.rightStyle}>
          <Text style={styles.titleStyle}>{item.title}</Text>
          <Text style={styles.priceStyle}>{item.publisher}</Text>
        </View>
      </View>
    )
  }

  componentDidMount = ()=> {
    this.fetchBookinfoList();
  }
  fetchBookinfoList = ()=> {
    const url = 'https://api.douban.com/v2/book/isbn/9787302315582';
    fetch(url)
        .then((response) => response.json())
        .then((responseJson) => {
          let bookinfo = responseJson;
          this.setState({
            bookinfo:bookinfo,
          })
        })
        .catch((error) => {
          console.error(error)
        })
  }
}

const styles = StyleSheet.create({
  container:{
    backgroundColor: "white",
    height: 100,
    flexDirection: "row",
    alignItems: "center",
    paddingTop:5,
  },
  loading:{
    textAlign:'center',
    fontSize:16,
    padding:20
  },
  rightStyle:{
    flexDirection: "column",
    height: 80,
    flexGrow: 1,
  },
  imageStyle:{
    width:100,
    height:100,
    resizeMode:'cover',
    marginHorizontal:12,
  },
  titleStyle:{
    fontSize:16,
    color:'black',
    lineHeight:24,
  },
  priceStyle:{
    color: "gray",
    fontSize: 12,
    lineHeight: 20,
  }
})

Fetch的轻量级封装

这里我们用Promise进行封装:

export default class HttpUtils{

    static get(url){
        return new Promise((resolve, reject)=>{
            fetch(url)
                .then(response=>response.json())
                .then(result=>{
                    resolve(result);
                })
                .catch(error=>{
                    reject(error);
                })
        })
    }

    static post(url,data){
        return new Promise((resolve,reject)=>{
            fetch(url,{
                method:'POST',
                header:{
                    'Accept':'application/json',
                    'Content-Type':'application/json'
                },
                body:JSON.stringify(data)
            })
                .then(response=>response.json())
                .then(result=>{
                    resolve(result);
                })
                .catch(error=>{
                    reject(error);
                })
        })
    }

}

调用:

// GET
HttpUtils.get(url)
            .then(result=>{
                this.setState({
                    result:JSON.stringify(result)
                })
            })
            .catch(error=>{
                this.setState({
                    result:'err+' + JSON.stringify(error)
                })
            })
// POST
HttpUtils.post(url,data)
            .then(result=>{
                this.setState({
                    result:JSON.stringify(result)
                })
            })
            .catch(error=>{
                this.setState({
                    result:'err + ' + JSON.stringify(error)
                })
            })
最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 202,905评论 5 476
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 85,140评论 2 379
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 149,791评论 0 335
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,483评论 1 273
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,476评论 5 364
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,516评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 37,905评论 3 395
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,560评论 0 256
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 40,778评论 1 296
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,557评论 2 319
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,635评论 1 329
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,338评论 4 318
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 38,925评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,898评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,142评论 1 259
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 42,818评论 2 349
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,347评论 2 342

推荐阅读更多精彩内容

  • Spring Cloud为开发人员提供了快速构建分布式系统中一些常见模式的工具(例如配置管理,服务发现,断路器,智...
    卡卡罗2017阅读 134,579评论 18 139
  • Spring Web MVC Spring Web MVC 是包含在 Spring 框架中的 Web 框架,建立于...
    Hsinwong阅读 22,295评论 1 92
  • 1、通过CocoaPods安装项目名称项目信息 AFNetworking网络请求组件 FMDB本地数据库组件 SD...
    阳明先生x阅读 15,967评论 3 119
  • 乃用四肢架住身形 中间是个眼睛 明察秋毫 乱糟糟 有些尸体经由土地化作蓬蒿 有些尸体经由烟筒化作云飘 而你们的一切...
    西村1983阅读 183评论 0 5
  • 继凌晨四点睡早上八点醒后 又贪睡了一小时并不舒服的觉 打开暖气 等屋子变暖 然后昏昏沉沉拖拖拉拉的爬起来换衣服 习...
    大宝天天天天见阅读 165评论 0 0