react-native/docs/NativeModulesIOS.md

392 lines
16 KiB
Markdown
Raw Normal View History

2015-03-21 18:39:34 +00:00
---
id: native-modules-ios
title: Native Modules
2015-03-21 18:39:34 +00:00
layout: docs
category: Guides (iOS)
permalink: docs/native-modules-ios.html
next: native-components-ios
2015-03-21 18:39:34 +00:00
---
Sometimes an app needs access to platform API, and React Native doesn't have a corresponding module yet. Maybe you want to reuse some existing Objective-C, Swift or C++ code without having to reimplement it in JavaScript, or write some high performance, multi-threaded code such as for image processing, a database, or any number of advanced extensions.
2015-03-22 01:16:49 +00:00
We designed React Native such that it is possible for you to write real native code and have access to the full power of the platform. This is a more advanced feature and we don't expect it to be part of the usual development process, however it is essential that it exists. If React Native doesn't support a native feature that you need, you should be able to build it yourself.
This is a more advanced guide that shows how to build a native module. It assumes the reader knows Objective-C or Swift and core libraries (Foundation, UIKit).
2015-03-21 18:39:34 +00:00
2015-04-21 05:42:02 +00:00
## iOS Calendar Module Example
2015-03-21 18:39:34 +00:00
This guide will use the [iOS Calendar API](https://developer.apple.com/library/mac/documentation/DataManagement/Conceptual/EventKitProgGuide/Introduction/Introduction.html) example. Let's say we would like to be able to access the iOS calendar from JavaScript.
2015-03-21 18:39:34 +00:00
2015-04-21 05:42:02 +00:00
A native module is just an Objective-C class that implements the `RCTBridgeModule` protocol. If you are wondering, RCT is an abbreviation of ReaCT.
2015-03-21 18:39:34 +00:00
```objective-c
// CalendarManager.h
2015-03-21 18:39:34 +00:00
#import "RCTBridgeModule.h"
@interface CalendarManager : NSObject <RCTBridgeModule>
2015-03-21 18:39:34 +00:00
@end
```
2015-04-21 05:42:02 +00:00
In addition to implementing the `RCTBridgeModule` protocol, your class must also include the `RCT_EXPORT_MODULE()` macro. This takes an optional argument that specifies the name that the module will be accessible as in your JavaScript code (more on this later). If you do not specify a name, the JavaScript module name will match the Objective-C class name.
2015-03-21 18:39:34 +00:00
```objective-c
// CalendarManager.m
@implementation CalendarManager
2015-03-21 18:39:34 +00:00
RCT_EXPORT_MODULE();
@end
```
React Native will not expose any methods of `CalendarManager` to JavaScript unless explicitly told to. This is done using the `RCT_EXPORT_METHOD()` macro:
```objective-c
RCT_EXPORT_METHOD(addEvent:(NSString *)name location:(NSString *)location)
2015-03-21 18:39:34 +00:00
{
RCTLogInfo(@"Pretending to create an event %@ at %@", name, location);
2015-03-21 18:39:34 +00:00
}
```
Now, from your JavaScript file you can call the method like this:
2015-03-21 18:39:34 +00:00
```javascript
import { NativeModules } from 'react-native';
var CalendarManager = NativeModules.CalendarManager;
CalendarManager.addEvent('Birthday Party', '4 Privet Drive, Surrey');
2015-03-21 18:39:34 +00:00
```
> **NOTE**: JavaScript method names
>
> The name of the method exported to JavaScript is the native method's name up to the first colon. React Native also defines a macro called `RCT_REMAP_METHOD()` to specify the JavaScript method's name. This is useful when multiple native methods are the same up to the first colon and would have conflicting JavaScript names.
The return type of bridge methods is always `void`. React Native bridge is asynchronous, so the only way to pass a result to JavaScript is by using callbacks or emitting events (see below).
2015-03-21 18:39:34 +00:00
2015-04-21 05:42:02 +00:00
## Argument Types
2015-03-21 18:39:34 +00:00
`RCT_EXPORT_METHOD` supports all standard JSON object types, such as:
2015-03-21 18:39:34 +00:00
- string (`NSString`)
2015-03-22 01:16:49 +00:00
- number (`NSInteger`, `float`, `double`, `CGFloat`, `NSNumber`)
2015-03-21 18:39:34 +00:00
- boolean (`BOOL`, `NSNumber`)
- array (`NSArray`) of any types from this list
- map (`NSDictionary`) with string keys and values of any type from this list
- function (`RCTResponseSenderBlock`)
2015-04-21 05:42:02 +00:00
But it also works with any type that is supported by the `RCTConvert` class (see [`RCTConvert`](https://github.com/facebook/react-native/blob/master/React/Base/RCTConvert.h) for details). The `RCTConvert` helper functions all accept a JSON value as input and map it to a native Objective-C type or class.
2015-04-21 05:42:02 +00:00
In our `CalendarManager` example, we need to pass the event date to the native method. We can't send JavaScript Date objects over the bridge, so we need to convert the date to a string or number. We could write our native function like this:
2015-03-21 18:39:34 +00:00
```objective-c
RCT_EXPORT_METHOD(addEvent:(NSString *)name location:(NSString *)location date:(NSNumber *)secondsSinceUnixEpoch)
2015-03-21 18:39:34 +00:00
{
NSDate *date = [RCTConvert NSDate:secondsSinceUnixEpoch];
2015-03-21 18:39:34 +00:00
}
```
or like this:
```objective-c
RCT_EXPORT_METHOD(addEvent:(NSString *)name location:(NSString *)location date:(NSString *)ISO8601DateString)
{
NSDate *date = [RCTConvert NSDate:ISO8601DateString];
}
```
But by using the automatic type conversion feature, we can skip the manual conversion step completely, and just write:
```objective-c
RCT_EXPORT_METHOD(addEvent:(NSString *)name location:(NSString *)location date:(NSDate *)date)
{
2015-04-21 05:42:02 +00:00
// Date is ready to use!
}
```
2015-04-21 05:42:02 +00:00
You would then call this from JavaScript by using either:
```javascript
CalendarManager.addEvent('Birthday Party', '4 Privet Drive, Surrey', date.getTime()); // passing date as number of seconds since Unix epoch
```
or
```javascript
CalendarManager.addEvent('Birthday Party', '4 Privet Drive, Surrey', date.toISOString()); // passing date as ISO-8601 string
```
2015-04-21 05:42:02 +00:00
And both values would get converted correctly to the native `NSDate`. A bad value, like an `Array`, would generate a helpful "RedBox" error message.
2015-03-21 18:39:34 +00:00
As `CalendarManager.addEvent` method gets more and more complex, the number of arguments will grow. Some of them might be optional. In this case it's worth considering changing the API a little bit to accept a dictionary of event attributes, like this:
```objective-c
2015-04-02 14:50:42 +00:00
#import "RCTConvert.h"
RCT_EXPORT_METHOD(addEvent:(NSString *)name details:(NSDictionary *)details)
2015-03-21 18:39:34 +00:00
{
NSString *location = [RCTConvert NSString:details[@"location"]];
NSDate *time = [RCTConvert NSDate:details[@"time"]];
...
2015-03-21 18:39:34 +00:00
}
```
and call it from JavaScript:
```javascript
CalendarManager.addEvent('Birthday Party', {
location: '4 Privet Drive, Surrey',
time: date.toTime(),
description: '...'
})
```
> **NOTE**: About array and map
>
> Objective-C doesn't provide any guarantees about the types of values in these structures. Your native module might expect an array of strings, but if JavaScript calls your method with an array containing numbers and strings, you'll get an `NSArray` containing a mix of `NSNumber` and `NSString`. For arrays, `RCTConvert` provides some typed collections you can use in your method declaration, such as `NSStringArray`, or `UIColorArray`. For maps, it is the developer's responsibility to check the value types individually by manually calling `RCTConvert` helper methods.
2015-03-21 18:39:34 +00:00
## Callbacks
2015-03-21 18:39:34 +00:00
> **WARNING**
>
2015-04-21 05:42:02 +00:00
> This section is more experimental than others because we don't have a solid set of best practices around callbacks yet.
2015-03-21 18:39:34 +00:00
2015-04-21 05:42:02 +00:00
Native modules also supports a special kind of argument- a callback. In most cases it is used to provide the function call result to JavaScript.
2015-03-21 18:39:34 +00:00
```objective-c
RCT_EXPORT_METHOD(findEvents:(RCTResponseSenderBlock)callback)
2015-03-21 18:39:34 +00:00
{
NSArray *events = ...
callback(@[[NSNull null], events]);
}
```
2015-04-21 05:42:02 +00:00
`RCTResponseSenderBlock` accepts only one argument - an array of parameters to pass to the JavaScript callback. In this case we use node's convention to make the first parameter an error object (usually `null` when there is no error) and the rest are the results of the function.
2015-03-21 18:39:34 +00:00
```javascript
CalendarManager.findEvents((error, events) => {
if (error) {
console.error(error);
} else {
this.setState({events: events});
}
})
```
2015-04-21 05:42:02 +00:00
A native module is supposed to invoke its callback only once. It can, however, store the callback and invoke it later. This pattern is often used to wrap iOS APIs that require delegates. See [`RCTAlertManager`](https://github.com/facebook/react-native/blob/master/React/Modules/RCTAlertManager.m) for an example.
2015-03-21 18:39:34 +00:00
2015-04-21 05:42:02 +00:00
If you want to pass error-like objects to JavaScript, use `RCTMakeError` from [`RCTUtils.h`](https://github.com/facebook/react-native/blob/master/React/Base/RCTUtils.h). Right now this just passes an Error-shaped dictionary to JavaScript, but we would like to automatically generate real JavaScript `Error` objects in the future.
2015-03-21 18:39:34 +00:00
## Promises
Native modules can also fulfill a promise, which can simplify your code, especially when using ES2016's `async/await` syntax. When the last parameters of a bridged native method are an `RCTPromiseResolveBlock` and `RCTPromiseRejectBlock`, its corresponding JS method will return a JS Promise object.
Refactoring the above code to use a promise instead of callbacks looks like this:
```objective-c
RCT_REMAP_METHOD(findEvents,
resolver:(RCTPromiseResolveBlock)resolve
rejecter:(RCTPromiseRejectBlock)reject)
{
NSArray *events = ...
if (events) {
resolve(events);
} else {
NSError *error = ...
reject(@"no_events", @"There were no events", error);
}
}
```
The JavaScript counterpart of this method returns a Promise. This means you can use the `await` keyword within an async function to call it and wait for its result:
```js
async function updateEvents() {
try {
var events = await CalendarManager.findEvents();
this.setState({ events });
} catch (e) {
console.error(e);
}
}
updateEvents();
```
2015-04-21 05:42:02 +00:00
## Threading
2015-03-21 18:39:34 +00:00
2015-04-21 05:42:02 +00:00
The native module should not have any assumptions about what thread it is being called on. React Native invokes native modules methods on a separate serial GCD queue, but this is an implementation detail and might change. The `- (dispatch_queue_t)methodQueue` method allows the native module to specify which queue its methods should be run on. For example, if it needs to use a main-thread-only iOS API, it should specify this via:
2015-03-21 18:39:34 +00:00
```objective-c
2015-04-21 05:42:02 +00:00
- (dispatch_queue_t)methodQueue
2015-03-21 18:39:34 +00:00
{
2015-04-21 05:42:02 +00:00
return dispatch_get_main_queue();
2015-03-21 18:39:34 +00:00
}
```
2015-04-21 05:42:02 +00:00
Similarly, if an operation may take a long time to complete, the native module should not block and can specify it's own queue to run operations on. For example, the `RCTAsyncLocalStorage` module creates it's own queue so the React queue isn't blocked waiting on potentially slow disk access:
```objective-c
- (dispatch_queue_t)methodQueue
{
return dispatch_queue_create("com.facebook.React.AsyncLocalStorageQueue", DISPATCH_QUEUE_SERIAL);
}
```
2015-03-21 18:39:34 +00:00
2015-04-26 18:44:55 +00:00
The specified `methodQueue` will be shared by all of the methods in your module. If *just one* of your methods is long-running (or needs to be run on a different queue than the others for some reason), you can use `dispatch_async` inside the method to perform that particular method's code on another queue, without affecting the others:
```objective-c
RCT_EXPORT_METHOD(doSomethingExpensive:(NSString *)param callback:(RCTResponseSenderBlock)callback)
{
dispatch_async(dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0), ^{
// Call long-running code on background thread
...
// You can invoke callback from any thread/queue
callback(@[...]);
});
}
```
> **NOTE**: Sharing dispatch queues between modules
>
> The `methodQueue` method will be called once when the module is initialized, and then retained by the bridge, so there is no need to retain the queue yourself, unless you wish to make use of it within your module. However, if you wish to share the same queue between multiple modules then you will need to ensure that you retain and return the same queue instance for each of them; merely returning a queue of the same name for each won't work.
2015-04-21 05:42:02 +00:00
## Exporting Constants
2015-03-21 18:39:34 +00:00
2015-04-21 05:42:02 +00:00
A native module can export constants that are immediately available to JavaScript at runtime. This is useful for communicating static data that would otherwise require a round-trip through the bridge.
2015-03-21 18:39:34 +00:00
```objective-c
- (NSDictionary *)constantsToExport
{
return @{ @"firstDayOfTheWeek": @"Monday" };
}
```
2015-04-21 05:42:02 +00:00
JavaScript can use this value right away, synchronously:
2015-03-21 18:39:34 +00:00
```javascript
console.log(CalendarManager.firstDayOfTheWeek);
```
2015-04-21 05:42:02 +00:00
Note that the constants are exported only at initialization time, so if you change `constantsToExport` values at runtime it won't affect the JavaScript environment.
2015-03-21 18:39:34 +00:00
### Enum Constants
Enums that are defined via `NS_ENUM` cannot be used as method arguments without first extending RCTConvert.
In order to export the following `NS_ENUM` definition:
```objc
typedef NS_ENUM(NSInteger, UIStatusBarAnimation) {
UIStatusBarAnimationNone,
UIStatusBarAnimationFade,
UIStatusBarAnimationSlide,
};
```
You must create a class extension of RCTConvert like so:
```objc
@implementation RCTConvert (StatusBarAnimation)
RCT_ENUM_CONVERTER(UIStatusBarAnimation, (@{ @"statusBarAnimationNone" : @(UIStatusBarAnimationNone),
@"statusBarAnimationFade" : @(UIStatusBarAnimationFade),
@"statusBarAnimationSlide" : @(UIStatusBarAnimationSlide)},
UIStatusBarAnimationNone, integerValue)
@end
```
You can then define methods and export your enum constants like this:
```objc
- (NSDictionary *)constantsToExport
{
return @{ @"statusBarAnimationNone" : @(UIStatusBarAnimationNone),
@"statusBarAnimationFade" : @(UIStatusBarAnimationFade),
@"statusBarAnimationSlide" : @(UIStatusBarAnimationSlide) }
};
RCT_EXPORT_METHOD(updateStatusBarAnimation:(UIStatusBarAnimation)animation
completion:(RCTResponseSenderBlock)callback)
```
Your enum will then be automatically unwrapped using the selector provided (`integerValue` in the above example) before being passed to your exported method.
2015-03-21 18:39:34 +00:00
2015-04-21 05:42:02 +00:00
## Sending Events to JavaScript
2015-03-21 18:39:34 +00:00
The native module can signal events to JavaScript without being invoked directly. The easiest way to do this is to use `eventDispatcher`:
```objective-c
#import "RCTBridge.h"
2015-03-30 14:24:40 +00:00
#import "RCTEventDispatcher.h"
@implementation CalendarManager
@synthesize bridge = _bridge;
2015-03-21 18:39:34 +00:00
- (void)calendarEventReminderReceived:(NSNotification *)notification
{
NSString *eventName = notification.userInfo[@"name"];
[self.bridge.eventDispatcher sendAppEventWithName:@"EventReminder"
body:@{@"name": eventName}];
}
2015-03-30 14:24:40 +00:00
@end
2015-03-21 18:39:34 +00:00
```
JavaScript code can subscribe to these events:
```javascript
import { NativeAppEventEmitter } from 'react-native';
var subscription = NativeAppEventEmitter.addListener(
2015-03-21 18:39:34 +00:00
'EventReminder',
(reminder) => console.log(reminder.name)
);
...
2015-04-21 05:42:02 +00:00
// Don't forget to unsubscribe, typically in componentWillUnmount
2015-03-21 18:39:34 +00:00
subscription.remove();
```
For more examples of sending events to JavaScript, see [`RCTLocationObserver`](https://github.com/facebook/react-native/blob/master/Libraries/Geolocation/RCTLocationObserver.m).
## Exporting Swift
Swift doesn't have support for macros so exposing it to React Native requires a bit more setup but works relatively the same.
Let's say we have the same `CalendarManager` but as a Swift class:
```swift
// CalendarManager.swift
@objc(CalendarManager)
class CalendarManager: NSObject {
@objc func addEvent(name: String, location: String, date: NSNumber) -> Void {
// Date is ready to use!
}
}
```
> **NOTE**: It is important to use the @objc modifiers to ensure the class and functions are exported properly to the Objective-C runtime.
Then create a private implementation file that will register the required information with the React Native bridge:
```objc
// CalendarManagerBridge.m
#import "RCTBridgeModule.h"
@interface RCT_EXTERN_MODULE(CalendarManager, NSObject)
RCT_EXTERN_METHOD(addEvent:(NSString *)name location:(NSString *)location date:(nonnull NSNumber *)date)
@end
```
For those of you new to Swift and Objective-C, whenever you [mix the two languages in an iOS project](https://developer.apple.com/library/prerelease/ios/documentation/Swift/Conceptual/BuildingCocoaApps/MixandMatch.html), you will also need an additional bridging file, known as a bridging header, to expose the Objective-C files to Swift. Xcode will offer to create this header file for you if you add your Swift file to your app through the Xcode `File>New File` menu option. You will need to import `RCTBridgeModule.h` in this header file.
```objc
// CalendarManager-Bridging-Header.h
#import "RCTBridgeModule.h"
```
You can also use `RCT_EXTERN_REMAP_MODULE` and `RCT_EXTERN_REMAP_METHOD` to alter the JavaScript name of the module or methods you are exporting. For more information see [`RCTBridgeModule`](https://github.com/facebook/react-native/blob/master/React/Base/RCTBridgeModule.h).