We're Hiring!

React Native iOS: Bridging an iOS Native Module For App Authentication

MacArthur bridge at nightPhoto by Liu Zai Hou on Unsplash

This article and code were written for Approov 1. Though the concepts are equally valid for Approov 2, some code examples may need updating for Approov 2. For Approov 2 please find here the relevant Quick Start for your mobile platform and http stack. If you don't find one, please refer to the Getting Started with Approov guide or into the guide for migrating from Approov 1 to Approov 2.

My company, CriticalBlue, provides a remote mobile app authentication service called Approov. An Approov SDK is provided as a drop-in library to native iOS and Android app developers to improve mobile security.

With many of our customers using or experimenting with React Native, I wanted to provide a convenient Javascript module which exposes the native Approov SDK functionality to React Native developers.

Overall, creating my first React Native native module was surprisingly straightforward. All code for my initial proof of concept is available in a github repository.

This story describes bridging to iOS native modules. For the same example targeting Android, see First experiences with React Native: bridging an Android native module for app authentication.

React Native Bridge

For react Native, Facebook provides a solid getting started guide which goes over the basics, including how to set up an application and how the underlying UI components differ from the usual React web elements.

React Native Bridge

from React Made Native Easy

Architecturally, there are two important threads running in each React Native application — one a main UI thread and the other running a Javascript VM. The two threads interact through a bridge whose communication is asynchronous, serialized, and batched, decoupling the two systems as much as possible.

While the bulk of the React Native app is described in React and runs on the Javascript VM, the UI is rendered using the native platform’s UI elements, and actions which alter the app’s UI are passed as messages through the bridge from the VM to the app’s main UI thread.

System functionality and libraries developed for the native device environment can be exposed to the Javascript VM using React Native’s native module interface and accessed through the React Native bridge.

Approov Native SDK

The Approov SDK is a drop-in native iOS or Android library. It interfaces with the cloud-based Approov authentication service which validates that the app is genuine, untampered, and not a bot. An app integrity token is returned from the authentication service, and that token is sent with each API call to ensure that the back-end API service is dealing with a known and genuine front-end request.

The basic operation we will expose in our native module proof of concept is fetchApproovToken(), an asynchronous operation in the native SDK.

approov protected api call

Approov-protected API call

Before each back-end API call requiring app authentication, the client app makes a fetch token request. If a fresh token is needed, the SDK makes a remote attestation request, and the attestation service cryptographically authenticates the app and responds with an app integrity token.

The token has a short lifetime and is signed by a secret known only to the Approov service and the app’s back-end service. No secret is stored in the app, and in fact the app does not know whether the returned token is valid or not. The app simply adds the integrity token to the back-end API call, and the back-end server validates that the token has not expired and is properly signed before processing the request.

Approov Demo Service

Approov offers a downloadable demo which provides demonstration iOS and Android SDKs and a back-end service with two endpoints:

  • https://demo-server.approovr.io/hello, which provides a publicly accessible test point.
  • https://demo-server.approovr.io/shapes, which provides a random shape only if the request contains a valid integrity token.

We’ll use the iOS SDK with the back-end service to demonstrate a simple React Native app using Approov. For the Android version of this example, see First experiences with React Native: bridging an Android native module for app authentication.

Saying Hello

I started my React Native project using create-react-native-app (CRNA). Follow the CRNA installation instructions to setup your React Native environment and then:

$ create-react-native-app rndemo

I will be adding native code to the app, so go ahead and eject now from create-react-native-app:

$ cd rndemo
$ yarn eject
...

Ejecting is permanent! Please be careful with your selection.

? How would you like to eject from create-react-native-app? React Native: I’d like a regular React Native project.
We have a couple of questions to ask you about how you’d like to name your app:
? What should your app appear as on a user’s home screen? RN Demo
? What should your Android Studio and Xcode projects be called? rndemo

Wrote to app.json, please update it manually in the future.
Generating the iOS folder.
Generating the Android folder.
...

Select a regular React Native project and name it as you wish. The iOS and Android projects are generated, and you will need Xcodeand/or Android Studio build environments installed. Native code will be added to the native Android project later on.

We will experiment with a very simple proof of concept app that will use the demo server hello endpoint to validate our network connectivity.

React Native implements the fetch API for networking. We combine the connection check, UI rendering, and styling all in theApp.jsfile:

import React from 'react';
import { View, Image, Text, Button, StyleSheet } from 'react-native';
import ShapeView from './ShapeView'
export default class App extends React.Component {
constructor(props) {
super(props);
this.state = {shape: 'logo',
status: ''};
}
// check connection
checkConnection = () => {
fetch('https://demo-server.approovr.io/hello', {
method: 'GET',
})
.then((response) => response.text())
.then((text) => {
this.setState(previousState => {
return { shape: 'hello', status: 'connected' };
})
})
.catch((error) => {
this.setState(previousState => {
return { shape: 'confused', status: 'not connected' };
})
});
}
// render the app screen
render() {
let pic = {
uri: 'https://approov.io/images/approov_largelogo.png'
};
return (
<View style={styles.container}>
<View style={styles.header}>
<Text style=>Approov Shapes</Text>
</View>
<ShapeView style={styles.content} shape={this.state.shape} status={this.state.status}/>
<View style={styles.footer}>
<View style={styles.buttonBar}>
<Button onPress={this.checkConnection} title="Test Hello" />
</View>
</View>
</View>
);
}
}
// flexbox styles
const styles = StyleSheet.create({
container: {
flex: 1,
flexDirection: 'column',
backgroundColor: '#fff',
margin: 10,
},
header: {
flex: .1,
flexDirection: 'row',
justifyContent: 'center',
},
content: {
flex: .8,
flexDirection: 'column',
justifyContent: 'center',
alignItems: 'center',
},
footer: {
flex: .1,
flexDirection: 'row',
justifyContent: 'center',
},
buttonBar: {
flex: 1,
flexDirection: 'row',
alignItems: 'flex-end',
justifyContent: 'space-around',
},
});
// end of file
view rawApp.js hosted with ❤ by GitHub

The top-level App component is registered in the index.js file.

The main view is rendered by a stateless view component which displays a choice of image and a status message:

import React from "react";
import { View, Image, Text, StyleSheet } from "react-native";
const shapeView = (props) => {
const imgSrc = {
'logo': require('./assets/approov_largelogo.png'),
'hello': require('./assets/hello.png'),
'confused': require('./assets/confused.png'),
'Rectangle': require('./assets/rectangle.png'),
'Square': require('./assets/square.png'),
'Triangle': require('./assets/triangle.png'),
'Circle': require('./assets/circle.png')
};
return (
<View style={props.style}>
<Image source={imgSrc[props.shape]} style={styles.shapeImg} />
<Text style=>{props.status}</Text>
</View>
);
}
const styles = StyleSheet.create({
shapeImg: {
resizeMode: 'contain',
height: 256,
width: 256
}
});
export default shapeView;
// end of file
view rawShapeView.js hosted with ❤ by GitHub

I am using iOS for these examples, but this works similarly on Android. Fire up an iOS simulator (you may need to launch Xcode for this). In the rndemo directory, launch the app:

$ cd rndemo
$ yarn run ios

You should see a screen like this:

Approov shapes screenshot

Push the Test Hello button and you should see a connected message if everything went okay:

Approov shapes connected not connected screenshot

This validates network communication between our React Native app and the demo server.

To run on an actual iPhone, connect the iPhone to your Mac. In Xcode, open the React Native iOS project, select the iPhone as your target and run the application.

To test for no connection, if running on the simulator, disable your Mac’s WiFi or networking and push the Test Hello button. If running on a phone, set airplane mode and then push the Test Hello button.

The Approov Native Module

The Approov demo package includes a README, the iOS and Android Approov demo libraries, sample clients, and app registration tools. Download the demo package, and save the app registration token which is included in your download email.

The Approov SDK includes the native code we want to expose to React Native. It must be included in the iOS or Android native projects which were generated when we ejected the create-react-native-app. For iOS, this project is located at rndemo/ios. Add the Approov SDK framework into the iOS project by following these instructions from the Approov docs.

The iOS Approov SDK currently does not support bitcode, so you should set Build Settings -> Build Options -> Enable Bitcode to Noin your Xcode project settings.

In iOS, a native module is an Objective-C class that implements the RCTBridgeModule protocol. Our example will mix Objective-C and Swift to register and implement the bridge to native code.

We’ll start by creating the Approov bridge class in Swift with a fetchApproovToken() call which wraps the asynchronous nativefetchApproovToken() call and settles a promise when the token fetch completes.

import Foundation
import Approov
@objc(Approov)
class Approov: NSObject {
@objc func fetchApproovToken(_ url: String,
resolver resolve: @escaping RCTPromiseResolveBlock,
rejecter reject: @escaping RCTPromiseRejectBlock) -> Void {
let attestee = ApproovAttestee.shared()
attestee?.fetchApproovToken({ (tokenFetchData: ApproovTokenFetchData) in
switch tokenFetchData.result {
case .successful:
resolve(tokenFetchData.approovToken)
case .failed:
resolve("NO_TOKEN")
}
}, url)
}
}
view rawApproov.swift hosted with ❤ by GitHub

In the fetchApproovToken() call, the promise is settled by calling the resolve RCTPromiseResolveBlock or the reject RCTPromiseRejectBlock. Our implementation simply resolves with the fetched token if successful or a NO_TOKEN sentinel on failure. Both closure blocks are marked with @escaping attributes to indicate that they may complete after the fetchApproovToken() call completes. @objc modifiers are used to export the class and functions to the Objective-C runtime.

The Objective-C implementation connects the Objective-C exposed Swift class to the React Native bridge. The RCT_EXTERN_MODULE()macro registers the Approov class, and the RCT_EXTERN_METHOD() macro exposes the fetchApproovToken() call.

#import <React/RCTBridgeModule.h>
@interface RCT_EXTERN_MODULE(Approov, NSObject)
RCT_EXTERN_METHOD(fetchApproovToken:(NSString *)url
resolver:(RCTPromiseResolveBlock)resolve
rejecter:(RCTPromiseRejectBlock)reject
)
@end
view rawApproovBridge.m hosted with ❤ by GitHub

Whenever you mix Swift and Objective-C in the same project, you need a bridging header to expose the Objective-C files to Swift. It must include the React Native bridge headers.

// rndemo rndemo-Bridging-Header.h
#import <React/RCTBridgeModule.h>

On the Javascript side, the Approov native module will now be included in the NativeModules imported from react-native. In our implementation, Approov.fetchApproovToken() returns a normal javascript promise:

import {NativeModules} from 'react-native';
NativeModules.Approov.fetchApproovToken(input)
.then(token => {
// do something useful...
})
.catch((error) => {
throw error;
});

Bridging the native and Javascript environments was a bit confusing when mixing Swift and Objective-C, but in the end it required only a small amount of code.

Interceptors

Many networking libraries, such as Axios and OkHttp, include the concept of an interceptor. Interceptors can be used to intercept network requests and responses and inject some additional processing.

Api interceptors diagram

When implementing natively with the Android SDK, most customers use interceptors to fetch an Approov token and add it to each API request’s headers, so we’ll want to fully implement this abstraction in our production module. For this simple example though, we’ll hardwire the interception in a fetchWithToken() call.

In the fetchWithToken() method, when the native fetch token call completes, if the promise is resolved, we add the token to the input request headers and make a fetch() call with the augmented input request. When completed, the fetch returns a resolved promise holding the API server’s response.

import {NativeModules} from 'react-native';
const fetchWithToken = (input, options) => {
return NativeModules.Approov.fetchApproovToken(input)
.then(token => {
let optionsA = (options? {...options, headers:{ ...options.headers}}:{headers: {}});
optionsA.headers['Approov-Token'] = token;
return fetch(input, optionsA)
.then((response) => {
if (response.ok) {
return response;
}
else {
throw new Error('HTTP response status is ' + response.status);
}
})
.catch((error) => {
throw error;
})
})
.catch((error) => {
throw error;
})
};
const Approov = Object.assign({ fetch: fetchWithToken }, NativeModules.Approov);
export default Approov;
view rawApproov.js hosted with ❤ by GitHub

For convenience, we create an Approov object from the NativeModules.Approov object, adding a fetch() method which is actually the fetchWithToken() method, and then we export this as the Approov module.

Getting Shapes

Now we are ready to use the Approov object for authentication. We add a getShape() method inside our App which makes an Approov.fetch(request) call to authenticate and request a random shape value. Once the fetch completes, the App component state updates, triggering a render() call which causes the ShapeView to display an updated shape and status message.

A Get Shapes button is added to the button bar to request new shapes.

import Approov from './Approov';
class App extends React.Component {
// unchanged code ommitted for brevity...
// get shape
getShape = () => {
Approov.fetch('https://demo-server.approovr.io/shapes', {
method: 'GET',
})
.then((response) => {
if (!response.ok) {
throw new Error('HTTP response status not OK.');
}
return response.text();
})
.then((text) => {
this.setState(previousState => {
return { shape: text, status: '' };
})
})
.catch((error) => {
const message = '' + error.message;
this.setState(previousState => {
return { shape: 'confused', status: message };
})
});
}
// render the app screen
render() {
let pic = {
uri: 'https://approov.io/images/approov_largelogo.png'
};
return (
<View style={styles.container}>
<View style={styles.header}>
<Text style=>Approov Shapes</Text>
</View>
<ShapeView style={styles.content} shape={this.state.shape} status={this.state.status}/>
<View style={styles.footer}>
<View style={styles.buttonBar}>
<Button onPress={this.checkConnection} title="Test Hello" />
<Button onPress={this.getShape} title="Get Shape" />
</View>
</View>
</View>
);
}
}
view rawAppFragment.js hosted with ❤ by GitHub

Everything looks good, but when we request a new shape, we see a failure with a 400 status code, suggesting there is a problem with the client request.

Approov fetch shape failure screenshot

Failure to fetch a shape

The call fails because the integrity token added by Approov is invalid. Until our example app is properly registered with the Approov service, the fetchWithToken() call will always fail the authentication check.

Command line registration tools are included in the demo download. To register the app, issue a registration request specifying the App’s IPA archive and the app registration token you saved from the demo download email. You can generate the IPA archive from the rndemo.app product inside Xcode. As a courtesy to other demo users, set your registration to expire after a few hours using the -e flag:

$ cd <<approov-demo-package>>/registration-tools/Android/Mac/
$ ./registration 
   -a <<your-rndemo.ipa>>
   -t <registration-token>
   -e 2h

Submitting data…
Success: new app signature added to database.

Once the app is registered and can be properly authenticated, pressing the Get Shapes button should return one of these shapes:

Successful shapes fetch diagram

Successfully fetching random shapes

Man in the Middle Attacks

The security of the communication channel is very important during API calls. If the channel is insecure, an API call could be intercepted and modified. An integrity token, although it has a short lifetime, could be observed in the insecure channel and used to make malicious API calls with impunity.

Despite using HTTPS/TLS when making API requests, an attacker who controls both the network and the mobile device can easily setup a Man in the Middle (MitM) attack to steal and quickly reuse Approov tokens before they expire.

To counter MitM attacks, mobile clients should use certificate or public key ‘pinning’ which checks that the certificate or public key presented by the back-end service is known specifically by the client app. Other certificates, though they might appear authentic, will be rejected by the client, and no API calls will be made.

Implementing pinning in React Native is a bit complicated and will be described in a separate article and integrated into this example’s code repository.

Going Further

We’ve demonstrated a native module implementation in React Native with a hardwired interceptor successfully providing app authentication and API protection.

A production quality native module implementation for React Native would generalize the interceptor functionality, add convenience configuration methods, and provide full MitM protection. For comparison, a similar Approov plugin library already exists for Cordova andIonic hybrid apps.

All code for this example is located on github.

 

Skip Hovsmith

- Senior Consultant at Approov
Developer and Evangelist - Software Performance and API Security - Linux and Android Client and Microservice Platforms