npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

react-native-xrpc

v0.6.30

Published

rpc, pub/sub between js and natives both way and some helpers for react-native.

Downloads

72

Readme

react-native-xrpc

Getting started

$ npm install react-native-xrpc --save

Mostly automatic installation

non-guaranteed, not recommend!

$ react-native link react-native-xrpc

Manual installation

iOS

update Podfile

pod 'RNXRPC', :path => '../node_modules/react-native-xrpc', :subspecs => [
        'XRPC',
        'Helper', // helpers.
    ]

Android

  1. Append the following lines to android/settings.gradle:
    include ':react-native-xrpc'
    project(':react-native-xrpc').projectDir = new File(rootProject.projectDir, 	'../node_modules/react-native-xrpc/android')
  2. Insert the following lines inside the dependencies block in android/app/build.gradle:
      compile project(':react-native-xrpc')
  3. Add Package Add new RNXRPCPackage() to ReactInstanceManager builder.
OR:

not recommend, this release may not be the latest and may not match with javascript version.

compile 'com.github.webee:react-native-utils-android:v<version>'

Usage

js

xrpc

  • import XRPC

    import XRPC from 'react-native-xrpc';
  • arguments

    // input arguments:
    // ([context, ]args, kwargs[, reply])
    // context: method context;       type: Object;   eg: {user: "test"};
    //    args: array arguments;      type: Array;    eg: [1, 2, "c"];
    //  kwargs: dictionary arguments; type: Object;   eg: {sync: true};
    //   reply: async reply API, {.replyNext(...xargs), .reply(...xargs), .error(err, ...xargs)}
    //          .replyNext: reply subscribe call partial result.
    //          .reply:     reply call result or done subscribe call with last result.
    //          .error:     reply call error.
    //      non-async calls is the same as .reply(<ret value>) or .error(<throw exception>.toString())
    
    // parse xargs
    // parse(xargs) => [args, kwargs], args, kwargs is the same as input arguments.
    // xargs is an Array.
    // if xargs is this pattern: [...args, undefined, kwargs], then => [args, kwargs];
    // else [...args] => [args, {}];
    
    // output arguments:
    // reply:     (args, kwargs): same as input arguments.
    // replyNext: (args, kwargs): ditto.
    // error:     (err, args, kwargs): err is a error string; ditto.
  • register procedure

    // sync procedure
    XRPC.register("test.arithmetic", ([a, b], {op}) => {
      switch (a) {
        case "+":
          return a + b;
          break;
        case "*":
          return a * b;
          break;
        default:
          return 0;
      }
    });
    
    // sync procedure with context.
    XRPC.register("test.user.add", ({user}, [a, b]) => {
      return `${user}: ${a+b}`;
    }, {withContext: true});
    
    // async procedure
    XRPC.register("test.async", ([n, m], {d}, reply) => {
      setTimeout(() => {
        reply.reply(n * m);
      }, d);
    }, {isAsync: true});
    
    // async subscribe procedure
    XRPC.register("test.async.sub", async ([n=1], _, reply) => {
      for (let i = 1; i < n; i++) {
        reply.replyNext(i);
        await new Promise(r => setTimeout(r, 1000));
      }
      reply.reply(n);
    }, {isAsync: true});
  • subscribe event

    // subscribe native event.
    XRPC.subscribe("test.event.log", (args, kwargs) => {
      console.log(args, kwargs);
    });
    
    // subscribe native event with context.
    XRPC.subscribe("test.user.event.log", (context, args, kwargs) => {
      console.log(context.user, args, kwargs);
    }, {withContext:true});
  • xrpc Module

    register procedures and subscribe events are ways to setup js methods for native to invoke. module is a modular way to organize this js methods.

    import {xMod, register, subscribe, isAsync, withContext, registerXMod} from 'react-native-xrpc';
    
    @xMod
    class Test {
      constructor(initialCount=0) {
        // here we can init module states.
        this.count = initialCount;
      }
    
      // sync procedure
      @register("inc")
      inc() {
        // access states.
        return ++this.count;
      }
    
      // sync procedure
      @register("arithmetic")
      arithmetic([a, b], {op}) {
        switch (a) {
          case "+":
            return a + b;
            break;
          case "*":
            return a * b;
            break;
          default:
            return 0;
        }
      }
    
      // sync procedure with context.
      @withContext
      @register("user.add")
      userAdd({user}, [a, b]) {
        return `${user}: ${a+b}`;
      }
    
      // async procedure
      @isAsync
      @register("async")
      asyncMethod([n, m], {d}, reply) {
        setTimeout(() => {
          reply.reply(n * m);
        }, d);
      }
    
      // async subscribe procedure
      @isAsync
      @register("async.sub")
      async asyncSubMethod([n=1], _, reply) {
        for (let i = 1; i < n; i++) {
          reply.replyNext(i);
          await new Promise(r => setTimeout(r, 1000));
        }
        reply.reply(n);
      }
    
      // subscribe native event.
      @subscribe("event.log")
      eventLog(args, kwargs) {
        console.log(args, kwargs);
      }
    
      // subscribe native event with context.
      @withContext
      @subscribe("user.event.log")
      userEventLog({user}, args, kwargs) {
        console.log(user, args, kwargs);
      }
    }
    
    // register xrpc module
    // register all new Test(1)'s registered and subscribed js methods with prefix "test." path.
    registerXMod("test", Test, 1);
  • invoke native methods

    // call a native procedure.
    XRPC.call("test.proc.add", 1, 2, 3, 4, 5)
        .then(sum => XRPC.call("test.proc.toast", `sum: ${sum}`, XRPC.C.Toast.SHORT))
        .catch(err => console.log(err));
    
    // call a native procedure
    // XRPC.C.* is xrpc's constants, see: helper RN && RNX.
    XRPC.call("test.proc.toast", "hello", XRPC.C.Toast.SHORT);
    
    // send event to native.
    XRPC.emit("test.event.toast", "hello", XRPC.C.Toast.LONG);
  • helpers

    import XRPC, {exitApp, EntryComponent} from 'react-native-xrpc'
    // if you use the helper(android, ios) to start a module
    // this.props.appInstID is set for you, it's the unique module id.
    exitApp(appInstID)  // will exit this react app instance.
                        //if appInstID is undefined, will exit all modules(most time, you only have just one);
    
    // extends from EntryComponent for your entry module.
    // this will handle android back for you.
    class MyModuleEntry extends EntryComponent {
      ...
    }

Android

  • helpers

    // RN
    //
    // react native setup.
    //
    // initialize RNXRPCModule constants;
    Bundle c = new Bundle();
    c.putInt("SHORT", Toast.LENGTH_SHORT);
    c.putInt("LONG", Toast.LENGTH_LONG);
    Map<String, Bundle> extraConstants = new HashMap<>();
    extraConstants.put("Toast", c);
    
    // extra packages.
    List<ReactPackage> packages = Arrays.asList(
            new RealmReactPackage(),
            new RNXRPCPackage(extraConstants),
            new MyReactPackage()
    );
    // load index.android.jsbundle
    RN.setup(this, BuildConfig.DEBUG, packages);
    
    // Now:
    // RN.inst() -> <ReactInstanceManager>
    // RN.xrpc() -> <RNXRPC>
    RN.newXrpc(Bundle context); // create a xrpc with default context.
    
    // add to mainifest
    <activity
        android:name="com.webee.react.helper.ReactNativeActivity"
        android:theme="@style/Theme.AppCompat.Light.NoActionBar"></activity>
    
    // then, start a module
    startActivity(ReactNativeActivity.getStartIntent(this, "MyModuleEntry", null));
    
    // RNX
    //
    // RN is the default RNX
    // load index.android.xxx.jsbundle
    RNX rnx = new RNX(this, ".xxx", BuildConfig.DEBUG, Arrays.asList(
            new RealmReactPackage(),
            new RNXRPCPackage()
    ));
  • xrpc

    // create a xrpc client with a ReactInstanceManager.
    RNXRPCClient xrpc = new RNXRPCClient(instanceManager);
    // or:
    xrpc = RN.xrpc()
    xrpc = RN.newXrpc()
    // or:
    xrpc = rnx.xrpc()
    xrpc = rnx.newXrpc()
  • call js procedure

    // call a procedure
    xrpc.call("test.inc", null, null)
          .then(new Transform<Reply, Integer>() {
              @Override
              public Integer run(Reply reply) {
                  ReadableArray args = reply.args;
                  return args.getInt(0);
              }
          })
          .handleOn(AndroidExecutors.mainThread())
          .fulfilled(new Action<Integer>() {
              @Override
              public void run(Integer val) {
                  Log.i("XRPC.inc", val.toString());
              }
          })
          .rejected(new Action<Throwable>() {
              @Override
              public void run(Throwable e) {
                  Log.e("XRPC.inc", e.getMessage());
              }
          })
          .settled(new Runnable() {
              @Override
              public void run() {
                  Log.i("XRPC.inc", "completed");
              }
          });
    
    // call a context procedure
    Bundle context = new Bundle();
    context.putString("user", "test");
    xrpc.call("test.user.add", context, new Object[]{1, 2}, null)
            .then(new Transform<Reply, String>() {
                @Override
                public String run(Reply reply) {
                    ReadableArray args = reply.args;
                    return args.getString(0);
                }
            })
            .handleOn(AndroidExecutors.mainThread())
            .fulfilled(new Action<String>() {
                @Override
                public void run(String sum) {
                    Log.i("XRPC.user.add", sum);
                }
            })
            .rejected(new Action<Throwable>() {
                @Override
                public void run(Throwable e) {
                    Log.e("XRPC.user.add", e.getMessage());
                }
            })
            .settled(new Runnable() {
                @Override
                public void run() {
                    Log.i("XRPC.user.add", "completed");
                }
            });
    
    // subscribe call a subscribe procedure.
    // if you call a subscribe procedure, you get the last result.
    RN.xrpc().subCall("test.async.sub", new Object[]{7}, null)
          .map(new Func1<Reply, Integer>() {
              @Override
              public Integer call(Reply reply) {
                  ReadableArray args = reply.args;
                  return args.getInt(0);
              }
          })
          .observeOn(AndroidSchedulers.mainThread())
          .subscribe(new Subscriber<Integer>() {
              @Override
              public void onCompleted() {
                  Log.i("XRPC.inc", "completed");
              }
    
              @Override
              public void onError(Throwable e) {
                  Log.e("XRPC.inc", e.getMessage());
              }
    
              @Override
              public void onNext(Integer v) {
                  Log.i("XRPC.inc", v.toString());
              }
          });
  • emit event to js subscriber

    // emit event to js.
    Bundle kwargs = new Bundle();
    kwargs.putInt("a", 123);
    xrpc.emit("test.event.log", new Object[]{"hello", 123}, null);
    
    // emit event to js with context.
    Bundle context = new Bundle();
    context.putString("user", "test");
    xrpc.emit("test.user.event.log", context, new Object[]{"hello", 123}, null);
  • register a procedure

    // register a native procedure.
    Client.xrpc.register("test.proc.add")
      .subscribeOn(Schedulers.io())
      .observeOn(Schedulers.computation())
      .subscribe(new Subscriber<Request>() {
          @Override
          public void onCompleted() {
              Log.i("XRPC.proc.add", "completed");
          }
    
          @Override
          public void onError(Throwable e) {
              Log.e("XRPC.proc.add", e.getMessage());
          }
    
          @Override
          public void onNext(Request request) {
              int sum = 0;
              ReadableArray args = request.args;
              for (int i = 0; i < args.size(); i++) {
                  sum += args.getInt(i);
              }
              request.promise.resolve(sum);
          }
      });
    
    // register native procedure.
    Client.xrpc.register("test.proc.toast")
      .subscribeOn(Schedulers.io())
      .observeOn(AndroidSchedulers.mainThread())
      .subscribe(new Subscriber<Request>() {
          @Override
          public void onCompleted() {
              Log.i("XRPC.proc.toast", "completed");
          }
    
          @Override
          public void onError(Throwable e) {
              Log.e("XRPC.proc.toast", e.getMessage());
          }
    
          @Override
          public void onNext(Request request) {
              ReadableArray args = request.args;
              String s = args.getString(0);
              int duration = args.getInt(1);
              Toast.makeText(request.context, s, duration).show();
          }
      });
  • subscribe js event.

    xrpc.sub("test.event.toast")
      .subscribeOn(Schedulers.io())
      .observeOn(AndroidSchedulers.mainThread())
      .subscribe(new Subscriber<String>() {
          @Override
          public void onCompleted() {
              Log.i("XRPC.event.toast", "completed");
          }
    
          @Override
          public void onError(Throwable e) {
              Log.e("XRPC.event.toast", e.getMessage());
          }
    
          @Override
          public void onNext(Event e) {
              ReadableArray args = event.args;
              String s = args.getString(0);
              int duration = args.getInt(1);
              Log.i("XRPC.event.toast", s);
              Toast.makeText(e.context, s, duration).show();
          }
      });

IOS

  • helper

    #ifdef DEBUG
        _env = @"dev";
    #else
        _env = @"prod";
    #endif
    
    // RN
    //
    // setup react native bridge.
    //
    // load index.ios.jsbundle
    [RN setupWithEnv: _env
     andExtraModules: @[[[RNXRPC alloc] initWithExtraConstants:@{@"Toast": @{@"SHORT":@0, @"LONG":@1}}]]
       launchOptions: nil];
    
    // Now
    // [RN xrpc] -> <RNXRPC>
    // [RN bridge] -> <RCTBridge>
    [RN newXrpc:defaultContext] // create a xrpc with default context.
    
    // then, start a module
    UIViewController* vc = [[RNViewController alloc] initWithModule:@"MyModuleEntry" initialProperties:nil];
    [self presentViewController:vc animated:YES completion:nil];
    
    // RNX
    //
    // RN is the default RNX
    // load index.ios.xxx.jsbundle
    RNX *rnx = [[RNX alloc] initWithEnv:env andName:@"xxx" andExtraModules:extraModules launchOptions:launchOptions];
  • xrpc etc

    // interface is the same as java.
    // Promise4j -> PromiseKit
    // rxJava -> ReactiveObjC
    // details: refer RNXRPCClient.{h,m}