题外话,说几句我对 React 与 React Native 关系的理解:
言归正传,正文开始
之前没搞过 React ,直接开撸的 React Native,使用过程也是各种踩坑填坑,磕磕绊绊,这里简单总结一下我用过的组件通信的几种方式吧。
constructor(props) { super(props); this.state = { isOnline: true //组件 state }; } render() { if(this.state.isOnline){ //...剩余代码 } //...剩余代码 }
//父组件设置属性参数 <MyComponet isOnline={true} /> //子组件 classMyComponentextendsComponent{ constructor(props) { super(props); //子组件获取属性 let isOnline = this.props.isOnline; } //...剩余代码 }
//子组件 classMyComponentextendsComponent{ constructor(props) { super(props); } componentDidMount() { //子组件给父组件的方法传参 this.props.onChange('newVal'); } render() { return ( <View /> ); } }
//父组件 classparentCptextendsComponent{ constructor(props) { super(props); this.state = { key: 'defVal' }; } //父组件接受子组件的参数,并改变 state handleChange(val) { this.setState({ key: val }); } render() { //...剩余代码 return ( <MyComponent onChange={(val) => {this.handleChange(val)}} /> ); } }
//子组件 classMyComponentextendsComponent{ constructor(props) { super(props); } //开放的实例方法 doIt() { //...做点什么 } render() { return ( <View /> ); } }
//父组件 classparentCptextendsComponent{ constructor(props) { super(props); } render() { //this.myCpt 保存组件的实例 return ( <MyComponent ref={(c) => {this.myCpt = c;}} /> ); } componentDidMount() { //调用组件的实例方法 this.myCpt.doIt(); } }
global
类似浏览器里的 window
对象,它是全局的,一处定义,所有组件都可以访问,一般用于存储一些全局的配置参数或方法。
使用场景:全局参数不想通过 props
层层组件传递,有些组件对此参数并不关心,只有嵌套的某个组件使用
global.isOnline = true;
RCTDeviceEventEmitter
是一种事件机制,React Native 的文档只是草草带过,也可以使用 DeviceEventEmitter
,它是把 RCTDeviceEventEmitter
封装了一层,用法略不同。
按文档所言, RCTDeviceEventEmitter
主要用于 Native 发送事件给 JavaScript,实际上也可以用来发送自定义事件。
//引入模块 import RCTDeviceEventEmitter from 'RCTDeviceEventEmitter'; //监听自定义事件 RCTDeviceEventEmitter.addListener('customEvt', (o) => { console.log(o.data); //'some data' //做点其它的 }); //发送自定义事件,可传数据 RCTDeviceEventEmitter.emit('customEvt', { data: 'some data' });
这是官方提供的持久缓存的模块,类似浏览器端的 localStorage
,用法也很类似,不过比 localStorage
多了不少 API。
使用场景:当然也类似,退出应用需要保存的少量数据,可以存在这里,至于大小限制, Android 貌似是 6M 。
import { AsyncStorage } from 'react-native'; //设置 AsyncStorage.setItem('@MySuperStore:key', 'I like to save it.'); //获取 AsyncStorage.getItem('@MySuperStore:key')
综上所述,这是我能想到的组件通信方式,其它想到了再补充吧。