React Native Tutorial on React Native Router

in this chapter, we will understand navigation in react native.

step 1: install router

to begin with, we need to install the router. we will use the react native router flux in this chapter. you can run the following command in terminal, from the project folder.

npm i react-native-router-flux --save

step 2: entire application

since we want our router to handle the entire application, we will add it in index.ios.js. for android, you can do the same in index.android.js.

app.js

import react, { component } from 'react';
import { appregistry, view } from 'react-native';
import routes from './routes.js'

class reacttutorialapp extends component {
   render() {
      return (
         <routes />
      )
   }
}
export default reacttutorialapp
appregistry.registercomponent('reacttutorialapp', () => reacttutorialapp)

step 3: add router

now we will create the routes component inside the components folder. it will return router with several scenes. each scene will need key, component and title. router uses the key property to switch between scenes, component will be rendered on screen and the title will be shown in the navigation bar. we can also set the initial property to the scene that is to be rendered initially.

routes.js

import react from 'react'
import { router, scene } from 'react-native-router-flux'
import home from './home.js'
import about from './about.js'

const routes = () => (
   <router>
      <scene key = "root">
         <scene key = "home" component = {home} title = "home" initial = {true} />
         <scene key = "about" component = {about} title = "about" />
      </scene>
   </router>
)
export default routes

step 4: create components

we already have the home component from previous chapters; now, we need to add the about component. we will add the gotoabout and the gotohome functions to switch between scenes.

home.js

import react from 'react'
import { touchableopacity, text } from 'react-native';
import { actions } from 'react-native-router-flux';

const home = () => {
   const gotoabout = () => {
      actions.about()
   }
   return (
      <touchableopacity style = {{ margin: 128 }} onpress = {gotoabout}>
         <text>this is home!</text>
      </touchableopacity>
   )
}
export default home

about.js

import react from 'react'
import { touchableopacity, text } from 'react-native'
import { actions } from 'react-native-router-flux'

const about = () => {
   const gotohome = () => {
      actions.home()
   }
   return (
      <touchableopacity style = {{ margin: 128 }} onpress = {gotohome}>
         <text>this is about</text>
      </touchableopacity>
   )
}
export default about

the app will render the initial home screen.

react native router

you can press the button to switch to the about screen. the back arrow will appear; you can use it to get back to the previous screen.

react native router