The react-native-oauth library provides an interface to OAuth 1.0 and OAuth 2.0 providers, such as Twitter and Facebook to React native.
This library cuts out the muck of dealing with the OAuth 1.0 and OAuth 2.0 protocols in react-native apps. The API is incredibly simple and straight-forward and is intended on getting you up and running quickly with OAuth providers (such as Facebook, Github, Twitter, etc).
const manager = new OAuthManager('firestackexample')
manager.configure({
  twitter: {
    consumer_key: 'SOME_CONSUMER_KEY',
    consumer_secret: 'SOME_CONSUMER_SECRET'
  },
  google: {
    callback_url: `io.fullstack.FirestackExample:/oauth2redirect`,
    client_id: 'YOUR_CLIENT_ID',
    client_secret: 'YOUR_SECRET'
  }
});
// ...
manager.authorize('google', {scopes: 'profile email'})
.then(resp => console.log('Your users ID'))
.catch(err => console.log('There was an error'));- Isolates the OAuth experience to a few simple methods.
- Atomatically stores the tokens for later retrieval
- Works with many providers and relatively simple to add a provider
Install react-native-oauth in the usual manner using npm:
npm install --save react-native-oauthAs we are integrating with react-native, we have a little more setup to integrating with our apps.
Automatically with rnpm
To automatically link our react-native-oauth client to our application, use the rnpm tool. rnpm is a React Native package manager which can help to automate the process of linking package environments.
rnpm linkIf you prefer not to use rnpm, we can manually link the package together with the following steps, after npm install:
- In XCode, right click on Librariesand find theAdd Files to [project name].
- Add the node_modules/react-native-oauth/ios/OAuthManager.xcodeproj
- In the project's "Build Settings" tab in your app's target, add libOAuthManager.ato the list ofLink Binary with Libraries
- 
Ensure that the Build Settingsof theOAuthManager.xcodeprojproject is ticked to All and it'sHeader Search Pathsinclude both of the following paths and are set to recursive:
- 
$(SRCROOT)/../../react-native/React
- 
$(SRCROOT)/../node_modules/react-native/React
Coming soon (looking for contributors).
Required step
We'll need to handle app loading from a url with our app in order to handle authentication from other providers. That is, we'll need to make sure our app knows about the credentials we're authenticating our users against when the app loads after a provider is authenticated against.
We need to add a callback method in our ios/AppDelegate.m file and then call our OAuthManager helper method. Let's load the ios/AppDelegate.m file and add the following all the way at the bottom (but before the @end):
- (BOOL)application:(UIApplication *)application openURL:(NSURL *)url
  sourceApplication:(NSString *)sourceApplication annotation:(id)annotation
{
  return [OAuthManager handleOpenUrl:application openURL:url sourceApplication:sourceApplication annotation:annotation];
}When our app loads up with a request that is coming back from OAuthManager and matches the pattern of [app-name]://oauth-callback/{providerName}, the OAuthManager will take over and handle the rest and storing the credentials for later use.
Providers, such as Facebook require some custom setup for each one. The following providers have been implemented and we're working on making more (and making it easier to add more, although the code is not impressively complex either, so it should be relatively simple to add more providers).
In order to configure providers, the react-native-oauth library exports the configureProvider() method, which accepts two parameters and returns a promise:
- The provider name, such as twitterandfacebook
- The provider's individual credentials
For instance, this might look like:
const config =  {
  twitter: {
    consumer_key: 'SOME_CONSUMER_KEY',
    consumer_secret: 'SOME_CONSUMER_SECRET'
  }
}
authManager.configureProvider("twitter", config.twitter);The consumer_key and consumer_secret values are generally provided by the provider development program. In the case of twitter, we can create an app and generate these values through their development dashboard.
The following list are the providers we've implemented thus far in react-native-oauth and the required keys to pass when configuring the provider:
- Twitter
- consumer_key
- consumer_secret
 
- Facebook (not fully implemented)
- consumer_key
- consumer_secret
 
In order to make any authenticated calls against a provider, we need to authenticate against it. The react-native-oauth library passes through an easy method for dealing with authentication with the authorizeWithCallbackURL() method.
Using the app uri we previous setup, we can call the authorizeWithCallbackURL() method to ask iOS to redirect our user to a browser where they can log in to our app in the usual flow. When the user authorizes the login request, the promise returned by the authorizeWithCallbackURL() is resolved. If they reject the login request for any reason, the promise is rejected along with an error, if there are any.
authManager.authorizeWithCallbackURL('twitter', 'firebase-example://oauth-callback/twitter')
.then((oauthResponse) => {
  // the oauthResponse object is the response returned by the request
  // which is later stored by react-native-oauth using AsyncStorage
})
.catch((err) => {
  // err is an error object that contains the reason the user
  // error rejected authentication.
})When the response is returned, react-native-oauth will store the resulting credentials using the AsyncStorage object provided natively by React Native. All of this happens behinds the scenes automatically. When the credentials are successfully rerequested, AsyncStorage is updated behind the scenes automatically. All you have to do is take care of authenticating the user using the authorizeWithCallbackURL() method.
Lastly, we can use our new oauth token to make requests to the api to make authenticated, signed requests. For instance, to get a list of the mentions on twitter, we can make a request at the endpoint: 'https://api.twitter.com/1.1/statuses/user_timeline.json'. Provided our user has been authorized (or previously authorized), we can make a request using these credentials using the makeRequest() method. The makeRequest() method accepts between three and five parameters and returns a promise:
- The provider our user is making a request (twitter, facebook, etc)
- The HTTP method to use to make the request, for instance getorpost
- The URL to make the request
- (optional) parameters to pass through directly to the request
- (optional) headers are any headers associated with the request
const userTimelineUrl = 'https://api.twitter.com/1.1/statuses/user_timeline.json';
authManager.makeRequest('twitter', 'get', userTimelineUrl)
  .then(resp => {
    // resp is an object that includes both a `response` object containing
    // details of the returned response as well as a `data` object which is
    // a STRING of the returned data. OAuthManager makes zero assumptions of
    // the data type when returned and instead passes through the string response
  })
  .catch(err => {
    // err is an object that contains the error called when the promise
    // is rejected
  })We can deauthorize() our user's from using the provider by calling the deauthorize() method. It accepts a single parameter:
- The providerwe want to remove from our user credentials.
authManager.deauthorize('twitter');This is open-source software and we can make it rock for everyone through contributions.
git clone https://github.com/fullstackreact/react-native-oauth.git
cd react-native-oauth
npm install[] Handle rerequesting tokens (automatically?) [] Simplify method of adding providers [] Complete facebook support [] Add github support [] Add Google support [] Add Android support



