DEV Community

Brian Neville-O'Neill
Brian Neville-O'Neill

Posted on • Originally published at blog.logrocket.com on

Navigating React Native apps using React Navigation

Introduction

Mobile apps are made up of multiple screens. When building mobile apps, of primary concern is how we handle a user’s navigation through the app — the presentation of the screens and the transitions between them. React Navigation is a standalone library that allows a developer implement this functionality easily.

React Navigation vs. React Native Navigation

Of the several navigation libraries out there, React Navigation and React Native Navigation are two of the more well known.

React Navigation is written in JavaScript and does not directly use the native navigation APIs on iOS and Android; rather, it recreates some subset of those APIs. This allows for integration of third-party JS plugins, maximum customization, and easier debugging, with no need to learn Objective-C, Swift, Java, Kotlin, etc.

React Native Navigation differs slightly in that it directly uses native navigation APIs on iOS and Android, which allows for a more native look and feel.

For a more detailed exploration of their differences, check out this blog post.

Installation

Assuming you have Yarn installed, the first step is to set up a React Native app. The easiest way to get started with React Native is with Expo tools because they allow you to start a project without installing and configuring Xcode or Android Studio. Install Expo by running this:

npm install -g expo-cli
Enter fullscreen mode Exit fullscreen mode

If you encounter any error on Mac, try running it this way:

sudo npm install --unsafe-perm -g expo-cli
Enter fullscreen mode Exit fullscreen mode

Then run the following to create a new React Native project:

expo init ReactNavigationDemo
Enter fullscreen mode Exit fullscreen mode

This will kickstart some downloads and ask you to enter some configuration variables. Select expo-template-blank and choose yarn for the dependency installation, as shown below:

Creating A React Native Project

Project's Initial Configuration Values

Choosing The Expo Template For Our Project

Next, cd into the project folder and open your code editor:

cd ReactNavigationDemo
Enter fullscreen mode Exit fullscreen mode

If you are using VS Code, you can open the current folder in the editor using:

code .
Enter fullscreen mode Exit fullscreen mode

Start up the app with:

yarn start
Enter fullscreen mode Exit fullscreen mode

The next step is to install the react-navigation library in your React Native project:

yarn add react-navigation
Enter fullscreen mode Exit fullscreen mode

LogRocket Free Trial Banner

Navigation patterns

As we discussed earlier, React Navigation is built with JavaScript and lets you create components and navigation patterns that look and feel like truly native ones.

React Navigation uses what’s called a stack navigator to manage the navigation history and presentation of the appropriate screen based on the route taken by a user inside the app.

Only one screen is presented to a user at a given time. Imagine a stack of paper; navigating to a new screen places it on top of the stack, and navigating back removes it from the stack. The stack navigator also provides the transitions and gestures that feel like those of native iOS and Android.

Note that an app can have more than one stack navigator.

In this section, we’ll explore various navigation patterns used in mobile apps and how to achieve them using React Navigation library.

1. Using stack navigator to navigate between screen components

Let’s begin by first creating a /components folder in the root of our project. Then we create two files namely Homescreen.js and Aboutscreen.

// Homescreen.js
import React, { Component } from 'react';
import { Button, View, Text } from 'react-native';
import { createStackNavigator, createAppContainer } from 'react-navigation';

export default class Homescreen extends Component {
  render() {
    return (
      <View style={{ flex: 1, alignItems: 'center', justifyContent: 'center' }}>
        <Text>Home Screen</Text>
          <Button
          title="Go to About"
          onPress={() => this.props.navigation.navigate('About')}
/>
      </View>
    )
  }
}
Enter fullscreen mode Exit fullscreen mode

Note the onPress prop of the button above — we’ll explain what it does later.

// Aboutscreen.js
import React, { Component } from 'react';
import { Button, View, Text } from 'react-native';
import { createStackNavigator, createAppContainer } from 'react-navigation';

export default class Aboutscreen extends Component {
  render() {
    return (
      <View style={{ flex: 1, alignItems: 'center', justifyContent: 'center' }}>
        <Text>About Screen</Text>
      </View>
    )
  }
}
Enter fullscreen mode Exit fullscreen mode

Your project folder should look like what’s shown in the image below:

Our Project Folder's Contents

Let’s also make some changes to App.js. We’ll import what we need from react-navigation and implement our navigation there.

It is useful to implement our navigation in the root App.js file because the component exported from App.js is the entry point (or root component) for a React Native app, and every other component is a descendant.

As you will see, we will encapsulate every other component inside the navigation functions.

// App.js
import React from 'react';
import { StyleSheet, Text, View } from 'react-native';
import { createStackNavigator, createAppContainer } from "react-navigation";

import HomeScreen from './components/HomeScreen';
import AboutScreen from './components/AboutScreen';


export default class App extends React.Component {
  render() {
    return <AppContainer />;
  }
}

const AppNavigator = createStackNavigator({
  Home: {
    screen: HomeScreen
  },
  About: {
    screen: AboutScreen
  }
});

const AppContainer = createAppContainer(AppNavigator);

const styles = StyleSheet.create({
  container: {
    flex: 1,
    backgroundColor: '#fff',
    alignItems: 'center',
    justifyContent: 'center',
  },
});
Enter fullscreen mode Exit fullscreen mode

In the code above, createStackNavigator provides a way for our app to transition between screens, where each new screen is placed on top of a stack. It is configured to have the familiar iOS and Android look and feel: new screens slide in from the right on iOS and fade in from the bottom on Android.

We pass in a route configuration object to the createStackNavigator function. The Home route corresponds to the HomeScreen, and the About route corresponds to AboutScreen.

Note that an optional, more concise way of writing the route configuration is the { screen: HomeScreen } configuration format.

Also, we can optionally add another options object, as specified by the API. If we wanted to indicate which is the initial route, we can add a separate object:

const AppNavigator = createStackNavigator({
  Home: {
    screen: HomeScreen
  },
  About: {
    screen: AboutScreen
  }
},{
        initialRouteName: "Home"
});
Enter fullscreen mode Exit fullscreen mode

Note that the Home and About route name-value pairs are enclosed by an overall route object. The options object isn’t enclosed but is a separate object.

The createStackNavigator function passes behind the scenes, a navigate prop to the HomeScreen and AboutScreen components. The navigate prop allows for navigation to a specified screen component. This is why we are able to use it on a button at HomeScreen.js, which, when pressed, leads to the AboutScreen page, as shown below.

<Button title="Go to About" 
onPress={() => this.props.navigation.navigate('About')}
/>
Enter fullscreen mode Exit fullscreen mode

In the App.js code, we finally created an app container using const AppContainer = createAppContainer(AppNavigator);. This container manages navigation state.

To run the app, you’ll need to download the Expo client app. You can get the ‎iOS and Android versions. Make sure your command line is pointed to the project folder and run the following command.

npm start
Enter fullscreen mode Exit fullscreen mode

You should see a QR code displayed on the terminal. Scan the QR code with the Expo app on Android, and for the iOS app, you can scan using the normal iPhone camera, which will prompt you with a command to click to open the Expo app.

Scanning QR Code To Open The Stack Nav Example

2. Using tab navigation

Most mobile apps have more than one screen. A common style of navigation in such mobile apps is tab-based navigation. Here we will focus on how to implement tab navigation using createBottomTabNavigator.

Let’s add another screen in our app by creating a ContactScreen.js file under /components.

import React, { Component } from 'react'

export default class ContactScreen extends Component {
  render() {
    return (
      <View style={{ flex: 1, alignItems: 'center', justifyContent: 'center' }}>
        <Text>Contact Screen</Text>
      </View>
    )
  }
}
Enter fullscreen mode Exit fullscreen mode

Now let’s add to the imports at the top of our App.js file:

import ContactScreen from './components/ContactScreen';
Enter fullscreen mode Exit fullscreen mode

Recall that it is useful to implement our navigation in the root App.js component. Therefore, we will implement our tab navigation by importing createBottomTabNavigator in App.js. Let’s replace createStackNavigator:

import { createBottomTabNavigator, createAppContainer } from "react-navigation";
Enter fullscreen mode Exit fullscreen mode

Also replace createStackNavigator with createBottomTabNavigator in the AppNavigator object:

const AppNavigator = createBottomTabNavigator({
  Home: {
    screen: HomeScreen
  },
  About: {
    screen: AboutScreen
  }
}, {
  initialRouteName: "Home"
});
Enter fullscreen mode Exit fullscreen mode

Add the new screen to the navigator object:

const AppNavigator = createBottomTabNavigator({
  Home: {
    screen: HomeScreen
  },
  About: {
    screen: AboutScreen
  },
  Contact: {
    screen: ContactScreen
  }
}, {
  initialRouteName: "Home"
});
Enter fullscreen mode Exit fullscreen mode

If you run the app with npm start and open it on your Expo client, you should see the bottom nav implemented.

Scanning QR Code To Open Bottom Nav Example

3. Using drawer navigation

To immediately begin implementing drawer navigation, replace createBottomTabNavigator in the code with createDrawerNavigator.

Let’s start at the import statements:

import { createDrawerNavigator, createAppContainer } from "react-navigation";
Enter fullscreen mode Exit fullscreen mode

Let’s also update the AppNavigator variable:

const AppNavigator = createDrawerNavigator({
  Home: {
    screen: HomeScreen
  },
  About: {
    screen: AboutScreen
  },
  Contact: {
    screen: ContactScreen
  }
}, {
    initialRouteName: "Home"
  });
Enter fullscreen mode Exit fullscreen mode

If you npm start, you should be able to see the changes right away. Swipe from the left to see the drawer navigation.

Scanning QR Code To Open Drawer Nav Example

You can customize your drawer navigation by adding icons beside the route names. In the assets folder of this project, there are currently three icons:

Icons In The Assets Folder

We can customize by adding navigationOptions to the following screen component files:

// in HomeScreen.js

import React, { Component } from 'react';
import { Button, View, Text, Image, StyleSheet } from 'react-native';
import { createStackNavigator, createAppContainer } from 'react-navigation';

export default class HomeScreen extends Component {

  static navigationOptions = {
    drawerLabel: 'Home',
    drawerIcon: ({ tintColor }) => (
      <Image
        source={require('../assets/home-icon.png')}
        style={[styles.icon, { tintColor: tintColor }]}
      />
    ),
  };

  render() {
    return (
      <View style={{ flex: 1, alignItems: 'center', justifyContent: 'center' }}>
        <Text>Home Screen</Text>
        <Button
          title="Go to About"
          onPress={() => this.props.navigation.navigate('About')}
        />
      </View>
    )
  }
}

const styles = StyleSheet.create({
  icon: {
    width: 24,
    height: 24,
  }
});
Enter fullscreen mode Exit fullscreen mode
// in AboutScreen.js

import React, { Component } from 'react';
import { Button, View, Text, Image, StyleSheet } from 'react-native';
import { createStackNavigator, createAppContainer } from 'react-navigation';

export default class AboutScreen extends Component {

  static navigationOptions = {
    drawerLabel: 'About',
    drawerIcon: ({ tintColor }) => (

    ),
  };
  render() {
    return (

        About Screen

    )
  }
}

const styles = StyleSheet.create({
  icon: {
    width: 24,
    height: 24,
  }
});
Enter fullscreen mode Exit fullscreen mode
// in ContactScreen.js

import React, { Component } from 'react';
import { Button, View, Text, Image, StyleSheet } from 'react-native';

export default class ContactScreen extends Component {

  static navigationOptions = {
    drawerLabel: 'Contact',
    drawerIcon: ({ tintColor }) => (

    ),
  };

  render() {
    return (

        Contact Screen

    )
  }
}

const styles = StyleSheet.create({
  icon: {
    width: 24,
    height: 24,
  }
});
Enter fullscreen mode Exit fullscreen mode

Navigation Icons In The Drawer Nav

The tintColor prop lets you apply any color based on active or inactive states of navigation tabs and labels. For example, we can change the active state color for our nav drawer labels. Go to the AppNavigator variable and add to the options object:

const AppNavigator = createDrawerNavigator({
  Home: {
    screen: HomeScreen
  },
  About: {
    screen: AboutScreen
  },
  Contact: {
    screen: ContactScreen
  }
}, {
    initialRouteName: "Home",
      contentOptions: {
        activeTintColor: '#e91e63'
     }
  });
Enter fullscreen mode Exit fullscreen mode

This results in a change of color:

Color Change In The Drawer Nav Example

Passing parameters to screens

There are two simple steps to pass params to routes:

  1. Pass params to a route by putting them in an object as a second parameter to the navigation.navigate function:
this.props.navigation.navigate('RouteName', { /* params go here */ })
Enter fullscreen mode Exit fullscreen mode
  1. Read the params in your screen component:
this.props.navigation.getParam(paramName, defaultValue)
Enter fullscreen mode Exit fullscreen mode

Conclusion

I hope that this article will jumpstart your use of the React Navigation package in your existing or future React Native projects. There’s a lot more that can be done; most of your needs will be met by this package. Feel free to explore more of the documentation and to grab the final code from my GitHub repo.


Plug: LogRocket, a DVR for web apps

LogRocket Dashboard Free Trial Banner

LogRocket is a frontend logging tool that lets you replay problems as if they happened in your own browser. Instead of guessing why errors happen, or asking users for screenshots and log dumps, LogRocket lets you replay the session to quickly understand what went wrong. It works perfectly with any app, regardless of framework, and has plugins to log additional context from Redux, Vuex, and @ngrx/store.

In addition to logging Redux actions and state, LogRocket records console logs, JavaScript errors, stacktraces, network requests/responses with headers + bodies, browser metadata, and custom logs. It also instruments the DOM to record the HTML and CSS on the page, recreating pixel-perfect videos of even the most complex single-page apps.

Try it for free.


The post Navigating React Native apps using React Navigation appeared first on LogRocket Blog.

Top comments (0)