ReactNative和iOS原生组件的混合编程

这次项目改版的技术重点,是集成RN,用RN实现页面的一部分,便于对运营的改变做出及时响应.在运营要求改变时,不需要苹果官方审核,修改js代码即可完成.

混合编程实例

上图中的页面,下面是基本的UITableView组件.头部的产品数据部分,通过js代码实现,并设置为tableHeaderView属性.
本例中将数据保存在iOS项目中的detail.txt文件中.在js代码中,通过设置定时器,每隔2秒,就向原生组件发送一次请求数据的消息.然后通过回调函数的方式,在头部展现出请求的数据.下拉刷新UITableView时,向js组件发送刷新消息,本例中通过js中Alert组件来显示.点击上部的头部数据后,向原生组件发送跳转控制器的消息,并在新控制器中,将js传递的产品数据展示出来.具体实现步骤如下.

通过命令

react-native init FetchTest --version 0.44.0

创建指定react-native版本为0.44.0的FetchTest工程项目.
打开ios的工程,新建控制器ZDHomeTableController,并将RCTRootView设置为其tableView的tableHeaderView.添加MJRefresh,为tableView设置mj_header. .m文件如下:

@interface ZDHomeTableController ()<RCTRootViewDelegate>

@property (nonatomic, strong) RCTRootView *rootView;

@end

@implementation ZDHomeTableController

- (void)viewDidLoad {
    [super viewDidLoad];
  self.tableView.tableFooterView = [UIView new];
  self.tableView.tableHeaderView = self.rootView;
  self.tableView.mj_header = [MJRefreshNormalHeader headerWithRefreshingTarget:self refreshingAction:@selector(loadData)];
}

- (void)loadData{
  [[SendToRN allocWithZone:nil] refreshWithDict:@{@"value":@"refresh"}];
  [self.tableView.mj_header endRefreshing];
}

#pragma mark - Table view data source

- (NSInteger)numberOfSectionsInTableView:(UITableView *)tableView {

    return 1;
}

- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section {

    return 10;
}

- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {
    UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:@"cell"];
  if (!cell) {
    cell = [[UITableViewCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:@"cell"];
  }
  cell.textLabel.text = [NSString stringWithFormat:@"section = %zd, row = %zd",indexPath.section, indexPath.row];
    return cell;
}

#pragma mark - RCTRootViewDelegate
- (void)rootViewDidChangeIntrinsicSize:(RCTRootView *)rootView{
  CGRect frame = rootView.frame;
  CGSize intrinsicSize = rootView.intrinsicContentSize;
  frame.size = intrinsicSize;
  rootView.frame = frame;
  [self.tableView reloadData];
}
- (RCTRootView *)rootView{
  if (!_rootView) {
    NSURL *jsCodeLocation;
    
    jsCodeLocation = [[RCTBundleURLProvider sharedSettings] jsBundleURLForBundleRoot:@"index.ios" fallbackResource:nil];
    RCTRootView *rootView = [[RCTRootView alloc] initWithBundleURL:jsCodeLocation moduleName:@"FetchTest" initialProperties:nil launchOptions:nil];
    rootView.sizeFlexibility = RCTRootViewSizeFlexibilityWidthAndHeight;
    rootView.frame = CGRectMake(0, 0, ScreenSize.width, 0);
    rootView.delegate = self;
    _rootView = rootView;
  }
  return _rootView;
}

@end

其中设置rootView的代理为ZDHomeTableController后,在其代理方法rootViewDidChangeIntrinsicSize中,能够通过intrinsicContentSize属性得到请求的js控件高度.在此更新tableView后,tableHeaderView的高度会调整到js代码中设定的大小.
loadData中通过SendToRN向js发送刷新的消息.根据官方文档可以实现.

+ (id)allocWithZone:(NSZone *)zone {
  static SendToRN *sharedInstance = nil;
  static dispatch_once_t onceToken;
  dispatch_once(&onceToken, ^{
    sharedInstance = [super allocWithZone:zone];
  });
  return sharedInstance;
}

RCT_EXPORT_MODULE();
- (NSArray<NSString *> *)supportedEvents
{
  return @[@"RefreshEvent"];
}
- (void)refreshWithDict:(NSDictionary *)dict {
  [self sendEventWithName:@"RefreshEvent" body:dict];
}

注意:allocWithZone方法是必须按照以上方式重写,否者会出现以下错误:
Terminating app due to uncaught exception 'NSInternalInconsistencyException', reason: 'bridge is not set. This is probably because you've explicitly synthesized the bridge in SendToRN, even though it's inherited from RCTEventEmitter.'

修改AppDelegate.m文件中的默认实现.为项目添加UINavigationController并将ZDHomeTableController设置为其根控制器.

ZDHomeTableController *homeController = [ZDHomeTableController new];
  UINavigationController *nav = [[UINavigationController alloc] initWithRootViewController:homeController];
  nav.navigationBar.translucent = false;
  nav.navigationBar.barTintColor = [UIColor colorWithWhite:0.5 alpha:0.5];
  self.window = [[UIWindow alloc] initWithFrame:[UIScreen mainScreen].bounds];
  self.window.rootViewController = nav;
  [self.window makeKeyAndVisible];
  return YES;

添加LoadHttp类用于接收js的网络请求. .m实现如下:

#import "LoadHttp.h"

@implementation LoadHttp

RCT_EXPORT_MODULE();

RCT_EXPORT_METHOD(loadData:(RCTResponseSenderBlock)callback){
  
  dispatch_after(dispatch_time(DISPATCH_TIME_NOW, (int64_t)(0.5 * NSEC_PER_SEC)), dispatch_get_main_queue(), ^{
    NSDictionary *dict = [[NSDictionary alloc] initWithContentsOfFile:[[NSBundle mainBundle] pathForResource:@"detail.txt" ofType:nil]];
    //将字典包装成数组的形式传递
    callback(@[dict]);
  });
}

@end

添加Navigate类用于接受点击js头部产品组件的事件,用于页面的跳转. .m实现:

#import "Navigate.h"
#import <UIKit/UIKit.h>
#import "ZDSecondTableController.h"

@implementation Navigate
RCT_EXPORT_MODULE()

RCT_EXPORT_METHOD(push:(NSDictionary *)dict){
  
  NSLog(@"%@", dict);
  dispatch_async(dispatch_get_main_queue(), ^{
    ZDSecondTableController *secTC = [ZDSecondTableController new];
    secTC.dict = dict;
    [[self getNavigation] pushViewController:secTC animated:true];
  });
}

- (UINavigationController *)getNavigation{
  UINavigationController *nav = (UINavigationController *)[UIApplication sharedApplication].keyWindow.rootViewController;
  return nav;
}
@end

其中的ZDSecondTableController类用于跳转后,展示js传递的数据.

下面添加js代码和文件.在index.ios.js文件中编辑具体的js代码.

import React, { Component } from 'react';
import {
    AppRegistry,
    StyleSheet,
    Text,
    View,
    Dimensions,
    FlatList,
    NativeModules,
    NativeEventEmitter,
    Alert,
} from 'react-native';

import FlatItem from './FlatItem';

export default class FetchTest extends Component {
    constructor(props) {
        super(props);
        this.state = {
            data: []
        }

        const { SendToRN } = NativeModules;

        const SendToRNEmitter = new NativeEventEmitter(SendToRN);

        const subscription = SendToRNEmitter.addListener(
            'RefreshEvent',
            (dict) => {
                alert(dict.value);
            }
        );
    }
  componentDidMount() {
      this.loadData();
      this.timer = setInterval(() => {
          // console.log("aaaaaa");
          this.loadData();
      }, 2000);

  }

    componentWillUnmount() {
        this.timer && clearInterval(this.timer);
        subscription.remove();
    }

  Item = ({item}) => {
    return(
      <FlatItem item={item}/>
    );
  }

  loadData = () => {
      this.setState({
          data:[]
      });
      var LoadHttp = NativeModules.LoadHttp;
      LoadHttp.loadData((response) => {
          // console.log("****" + response);
          // console.log("****" + response.success);
          if (response.success == 1){
              //请求成功
              this.setState({data: response.value});
          }else {
              //网络请求失败
              Alert.alert("请求失败");
          }

      });
  }
  render() {
    return (
        <View>
            <View style={styles.containerView}>
                <FlatList style={styles.topFlat}
                          data={this.state.data}
                          renderItem={this.Item}
                          horizontal={true}
                          keyExtractor={(item, index) => item.code}
                          showsHorizontalScrollIndicator={false}
                          ItemSeparatorComponent = {SeparatorComponent}
                          showsVerticalScrollIndicator={false}
                />
            </View>

        </View>
    );
  }
}
class SeparatorComponent extends Component {
    render() {
        return (
            <View style={styles.separatorComponent}/>
        );
    }
}
const {ScreenWidth, ScreenHeight} = Dimensions.get('window');

const styles = StyleSheet.create({
  containerView: {
    height: 90,
    width:ScreenWidth,
    backgroundColor:'azure',
  },
  topFlat: {
    height: 90,
    width:ScreenWidth,
  },
    separatorComponent:{
        backgroundColor:'aliceblue',
        width:2,
        height:90,
    }
});
AppRegistry.registerComponent('FetchTest', () => FetchTest);

添加FlatItem.js文件,用于显示用于FlatList的模块FlatItem.

import React, {Component} from 'react';
import {View,
    Text,
    StyleSheet,
    Dimensions,
    TouchableOpacity,
    NativeModules,
} from 'react-native';
import {ScreenWidth, ScreenHeight} from './ScreenUnit';


export default class FlatItem extends Component {

    click = () => {
        let Navigate = NativeModules.Navigate;
        Navigate.push(this.props.item);
    }

    dealIncreasePoint = (item) => {
        let point = item.last - item.lastclose;
        let pointPercent = (item.last - item.lastclose) * 100 / item.lastclose;
        let pointStr;
        let pointPercentStr;
        let str;
        if (point > 0){
            currentColor = upperColor;
            //金,保留2位
            if(item.code.toString() == "LLG") {
                pointStr = '+' + point.toFixed(2);
                pointPercentStr = '+' + pointPercent.toFixed(2) + '%';
            }else if(item.code.toString() == "LLS"){
                //银,保留3位
                pointStr = '+' + point.toFixed(3);
                pointPercentStr = '+' + pointPercent.toFixed(3) + '%';
            }else {
                //美元指数,保留4位
                pointStr = '+' + point.toFixed(4);
                pointPercentStr = '+' + pointPercent.toFixed(4) + '%';
            }

        }else if(point < 0){
            currentColor = lowerColor;
            //金,保留2位
            if(item.code.toString() == "LLG") {
                pointStr = point.toFixed(2);
                pointPercentStr = pointPercent.toFixed(2) + '%';
            }else if(item.code.toString() == "LLS"){
                //银,保留3位
                pointStr = point.toFixed(3);
                pointPercentStr = pointPercent.toFixed(3) + '%';
            }else {
                //美元指数,保留4位
                pointStr = point.toFixed(4);
                pointPercentStr = pointPercent.toFixed(4) + '%';
            }
        }else {
            currentColor = item.lastColor;
        }
        item.lasColor = currentColor;

        return {pointString: pointStr, percentString: pointPercentStr};
    }

    dealBottomColor = (item) => {
        let point = item.last - item.lastclose;
        if (point > 0) {
            currentColor = upperColor;
        }else if(point < 0) {
            currentColor = lowerColor;
        }else {
            currentColor = item.lastColor;
        }
        item.lasColor = currentColor;
        return currentColor;
    }
    constructor(props){
        super(props);

    }
    render(){
        return(
            <TouchableOpacity onPress={this.click}>
                <View style={styles.item}>
                    <Text>
                        {this.props.item.name}
                    </Text>
                    <Text style={{color:this.dealBottomColor(this.props.item), marginTop: 5}}>
                        {this.props.item.last}
                    </Text>
                    <View flexDirection="row">
                        <Text style= {{color:this.dealBottomColor(this.props.item), padding:5}}>
                            {this.dealIncreasePoint(this.props.item).pointString}
                        </Text>
                        <Text style= {{color:this.dealBottomColor(this.props.item), padding:5}}>
                            {this.dealIncreasePoint(this.props.item).percentString}
                        </Text>
                    </View>
                </View>
            </TouchableOpacity>

        );
    };
}

let upperColor = '#F56262';
let lowerColor = '#00B876';
let currentColor;
const styles = StyleSheet.create({
    item: {width: ScreenWidth / 3.0, height: 90,
        alignItems:'center',justifyContent:'center'},
});

总结
本例中在iOS项目中,实现js和原生组件的混合编程.通过设置UITabelView的tableHeaderView将js组件用于原生项目.其中实现了js组件调用原生中请求数据和跳转页面的方法,以及原生请求数据后的回调和原生向js组件发送刷新消息.对遇到iOS项目混合编码的人,可以作为详细参考.
详细代码请点击:Demo

喜欢和关注都是对我的鼓励和支持~

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

推荐阅读更多精彩内容

  • Android 自定义View的各种姿势1 Activity的显示之ViewRootImpl详解 Activity...
    passiontim阅读 171,907评论 25 707
  • 《秋日》 黑夜流入 夸父的眼睛 我要躺在你的河流上 一饮而尽 不是因为那金色的光芒灿烂无比 而是你让世间万物都有了...
    雲归阅读 271评论 0 0
  • 前几天记得一件事儿:是我去饭堂吃饭的时候,因为肚子实在太饿所以也不避讳什么,找到了空座位就坐下来。 当时书包背...
    陈路得阅读 855评论 0 2