React Native findNodeHandle直接操作 - 调用组件内部方法

用法

  • JS端通过ref直接操作组件内方法

    import { findNodeHandle } from 'react-native'
    
    <ScrollView 
      ref={ref => {
        this._scrollview = ref;
      }}>
    </ScrollView>
    
    // 滚动到指定位置
    this._scrollview.scrollTo(x, y, animated)
    
  • 直接操作原生模块内的方法
    通过findNodeHandle获取_nativeTag并赋值给 this._handle

    import { NativeModules, findNodeHandle } from 'react-native'
    
    <ScrollView 
      ref={ref => {
        this._handle = findNodeHandle(ref)
      }}>
    </ScrollView>
    
    // 滚动到指定位置
    NativeModules.ScrollViewModule.scrollTo(this._handle, x, y, animated)
    

示例代码

这里以<ScrollView>组件封装设计为例,介绍如何一步一步实现原生模块

index.js

import { NativeModules, findNodeHandle } from 'react-native'
const ScrollViewClass = NativeModuls.ScrollViewModule

class ScrollView extends React.Component {
  _setScrollViewRef=(ref)=>{
    this._scrollViewRef = findNodeHandle(ref)
  }

  scrollTo=({x, y, animated})=>{
     // 这里有两种方式实现🎉🌟🎉🌟🎉🌟
     // 详见下面代码
  }

  render(){
    return (
       <ScrollViewClass {...props} ref={this._setScrollViewRef}>
    )
  }
}

方式一:UIManager的Command模式

JavaScript

import { UIManager } from 'react-native'

scrollTo=()=>{

  UIManager.dispatchViewManagerCommand(
    this._setScrollViewRef,  // 告诉原生需要定位到的组件
    UIManager.RCTScrollView.Commands.scrollTo,  // 原生getCommandsMap提前定义好的命令
    [x, y, animated],  // 携带的参数ReadableArray
  )

}

获取命令常量这里建议使用 UIManager.RCTXXX.Commands.*
RN0.60+版本可以用UIManager.getViewManagerConfig('RCTXXX').Commands但不兼容老版本

1.1 Android实现过程

1.1.1 ScrollViewManager.class

继承GroupManager.class/ViewManager.class,在这里重写getCommandsMap()receiveCommand()方法

class ScrollViewManager  extends GroupManager {

  public static final String REACT_CLASS = "RCTScrollView";

  public static final int COMMAND_SCROLL_TO = 1;
  public static final int COMMAND_SCROLL_TO_END = 2;

  @Override
  public String getName() {
    return REACT_CLASS;
  }

  /**
   * 重写getCommandsMap
   * 
   * @return map 返回为receiveCommand注册的命令集合
   **/  
  @Override
  public Map<String,Integer> getCommandsMap() {
    Map<String, Integer> map = new HashMap<>();
    map.put("scrollTo", COMMAND_SCROLL_TO);
    map.put("scrollToEnd", COMMAND_SCROLL_TO_END);
    return map;
  }

  /**
   * 重写receiveCommand
   *
   * @param root 当前接收命令的ViewManager实例
   * @param commandId 命令id,与getCommandMap内定义的对应
   * @param args 可选参数
   **/
  @Override
  public void receiveCommand(
    ScrollViewManager root,
    int commandId, 
    @Nullable ReadableArray args) {
    switch (commandId) {
      case COMMAND_SCROLL_TO:{
          root.scrollTo(
                (int)args.getDouble(0),
                (int)args.getDouble(1),
                args.getBoolean(2))
      }
      case COMMAND_SCROLL_TO_END:{
          boolean animated = args.getBoolean(0);
          root.scrollToEnd(animated)
      }
    }
  }
}

1.2 iOS实现过程

1.2.1 RCTScrollViewManageer.h

// .h
#import <React/RCTViewManager.h>

@interface RCTScrollViewManager : RCTViewManager

@end

1.2.1 RCTScrollViewManageer.m

也是使用addUIBlock固定写法。
不过和android不同,iOS可以直接在ViewManager中使用RCT_EXPORT_METHOD(),并且指定方法也会自动注册到Commands,不像android需要手动重写getCommandsMap

// .m
#import "RCTScrollViewManager.h"

@implementation RCTScrollViewManager

RCT_EXPORT_MODULE()

//注册scrollTo方法
RCT_EXPORT_METHOD(scrollTo:(nonnull NSNumber *)reactTag
                  offsetX:(CGFloat)x
                  offsetY:(CGFloat)y
                  animated:(BOOL)animated)
{
   [ self.bridge.uiManager addUIBlock:
     ^(__unused RCTUIManager *uiManager, NSDictionary<NSNumber *, UIView *> *viewRegistry)
     {
        //通过tag获取到当前view实例
        UIView *view = viewRegistry[reactTag];
        // 调用ios系统组件自带方法
        if ([view conformsToProtocol:@protocol(RCTScrollableProtocol)]) { //加保护判断是不是scrollview
           [(id<RCTScrollableProtocol>)view scrollToOffset:(CGPoint){x, y} animated:animated];
        }
     }

   ]
}

方式二: 原生模块与原生UI组件结合使用

JavaScript直接调用ReactMethod / RCT_EXPORT_METHOD 原生方法

import { NativeModules } from 'react-native'

scrollTo=()=>{

  NativeModules.ScrollViewModule.scrollTo(this._setScrollViewRef, x, y, animated)

}

2.1 Android实现过程

2.1.1 ScrollViewManager.class

和上面1.1.1一样,但不再重写getCommandsMap()receiveCommand()方法

2.1.2 ScrollViewModule.class

需要额外声明ScrollViewModule类继承ReactContextBaseJavaModule.class
在这里创建scrollTo()ReactMethod方法

public class ScrollViewModule extends ReactContextBaseJavaModule {
    @Override
    public String getName() {
        return "ScrollViewModule";
    }

    public ScrollViewModule(ReactApplicationContext reactContext) {
        super(reactContext);
    }

    /**
     * 创建scrollTo方法
     *
     * @param viewTag  由findNodeHandle创建
     *        the view tag of the parent view
     *
     * @param x
     * @param y
     * @param animated
     **/
    @ReactMethod
    public void scrollTo(final int viewTag, int x, int y, boolean animated) {
        final ReactApplicationContext context = getReactApplicationContext();

        //固定写法:通过拓展uiManager实现定位ViewManager
        UIManagerModule uiManager = context.getNativeModule(UIManagerModule.class);
        uiManager.addUIBlock(new UIBlock() {

            @Override
            public void execute(NativeViewHierarchyManager nativeViewHierarchyManager) {
                final ScrollView scrollview;

                try {
                    scrollview = (ScrollView) nativeViewHierarchyManager.resolveView(viewTag);
                    // 调用自带的scrollTo方法
                    scrollview.scrollTo(x, y, animated);
                } catch (Exception e) {
                    e.printStackTrace();
                }
            }
        });
    }
}

2.1.2 ScrollViewPackage.class

ReactPackage中同时注册createNativeModulescreateViewManagers

public class ScrollViewPackage implements ReactPackage {

    @Override
    public List<NativeModule> createNativeModules(ReactApplicationContext reactContext) {
        return Arrays.<NativeModule>asList(
                new ScrollViewModule(reactContext) // <- add here
        );
    }

    // Deprecated as of RN 0.47.0
    public List<Class<? extends JavaScriptModule>> createJSModules() {
        return Collections.emptyList();
    }

    @Override
    public List<ViewManager> createViewManagers(ReactApplicationContext reactContext) {
        List<ViewManager> modules = new ArrayList<>();
        modules.add(new ScrollViewManager(reactContext)); // <- add here
        return modules;
    }
}

2.2 iOS实现过程

1.2

2.3 iOS的RCT_EXPORT_METHOD宏和android的@ReactMethod注释区别

// iOS native
RCT_EXPORT_METHOD(scrollTo, ...)
RCT_EXPORT_METHOD(scrollToEnd, ...)

// android native
@ReactMethod
public void scrollTo(int viewTag ...)

// index.js
console.log(UIManager.RCTScrollView)
console.log(NativeModules.ScrollViewManager)
JavaScript打印结果 iOS android
UIManager.RCTScrollView.Commands {scrollTo: 1, scrollToEnd: 2} undefined
NativeModules.ScrollViewManager {scrollTo: fn(), scrollToEnd: fn() } {scrollTo: fn(), scrollToEnd: fn() }

iOS会同时自动注册到Commands和NativeModule方法集合中,而
android是用@ReactMethodgetCommandMap()分开注册的。

其他:measure文档补完

老版本:

import {
  ...
  findNodeHandle,
} from 'react-native';

var RCTUIManager = require('NativeModules').UIManager;

var view = this.refs['yourRef']; // Where view is a ref obtained through <View ref='ref'/>
RCTUIManager.measure(findNodeHandle(view), (fx, fy, width, height, px, py) => {
  console.log('Component width is: ' + width)
  console.log('Component height is: ' + height)
  console.log('X offset to frame: ' + fx)
  console.log('Y offset to frame: ' + fy)
  console.log('X offset to page: ' + px)
  console.log('Y offset to page: ' + py)
})

现可直接使用

this.refs['yourRef'].measure(findNodeHandle(view), (fx, fy, width, height, px, py) => {
  console.log('Component width is: ' + width)
  console.log('Component height is: ' + height)
  console.log('X offset to frame: ' + fx)
  console.log('Y offset to frame: ' + fy)
  console.log('X offset to page: ' + px)
  console.log('Y offset to page: ' + py)
})

Reference

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