for better understanding of react native concepts, we will borrow a few lines from the official documentation −
react native lets you build mobile apps using only javascript. it uses the same design as react, letting you compose a rich mobile ui from declarative components. with react native, you don't build a mobile web app, an html5 app, or a hybrid app; you build a real mobile app that's indistinguishable from an app built using objective-c or java. react native uses the same fundamental ui building blocks as regular ios and android apps. you just put those building blocks together using javascript and react.
react native features
following are the features of react native −
react − this is a framework for building web and mobile apps using javascript.
native − you can use native components controlled by javascript.
platforms − react native supports ios and android platform.
react native advantages
follow are the advantages of react native −
javascript − you can use the existing javascript knowledge to build native mobile apps.
code sharing − you can share most of your code on different platforms.
community − the community around react and react native is large, and you will be able to find any answer you need.
react native limitations
following are the limitations of react native −
native components − if you want to create native functionality which is not created yet, you will need to write some platform specific code.
there are a couple of things you need to install to set up the environment for react native. we will use osx as our building platform.
sr.no. | software | description |
---|---|---|
1 | nodejs and npm | you can follow our nodejs environment setup tutorial to install nodejs. |
step 1: install create-react-native-app
after installing nodejs and npm successfully in your system you can proceed with installation of create-react-native-app (globally as shown below).
c:\users\tutorialspoint> npm install -g create-react-native-app
step 2: create project
browse through required folder and create a new react native project as shown below.
c:\users\tutorialspoint>cd desktop c:\users\tutorialspoint\desktop>create-react-native-app myreactnative
after executing the above command, a folder with specifies name is created with the following contents.

step 3: nodejs python jdk8
make sure you have python nodejs and jdk8 installed in your system if not, install them. in addition to these it is recommended to install latest version of yarn to avoid certain issues.
step 4: install react native cli
you can install react native command line interface on npm, using the install -g react-native-cli command as shown below.
npm install -g react-native-cli

step 5: start react native
to verify the installation browse through the project folder and try starting the project using the start command.
c:\users\tutorialspoint\desktop>cd myreactnative c:\users\tutorialspoint\desktop\myreactnative>npm start
if everything went well you will get a qr code as shown below.

as instructed, one way to run react native apps on your android devise is to using expo. install expo client in your android devise and scan the above obtained qr code.
step 6: eject the project
if you want to run android emulator using android studio, come out of the current command line by pressing ctrl+c.
then, execute run eject command as
npm run eject
this prompts you options to eject, select the first one using arrows and press enter.

then, you should suggest the name of the app on home screen and project name of the android studio and xcode projects.

though your project ejected successfully, you may get an error as −

ignore this error and run react native for android using the following command −
react-native run-android
but, before that you need to install android studio.
step 7: installing android studio
visit the web page https://developer.android.com/studio/ and download android studio.

after downloading the installation file of it, double click on it and proceed with the installation.

step 8: configuring avd manager
to configure the avd manager click on the respective icon in the menu bar.

step 9: configuring avd manager
choose a device definition, nexus 5x is suggestable.

click on the next button you will see a system image window. select the x86 images tab.

then, select marshmallow and click on next.

finally, click on the finish button to finish the avd configuration.

after configuring your virtual device click on the play button under the actions column to start your android emulator.

step 10: running android
open command prompt, browse through your project folder and, execute the react-native run-android command.

then, your app execution begins in another prompt you can see its status.

in your android emulator you can see the execution of the default app as −

step 11: local.properties
open the android folder in your project folder samplereactnative/android (in this case). create a file with named local.properties and add the following path in it.
sdk.dir = /c:\\users\\tutorialspoint\\appdata\\local\\android\\sdk
here, replace tutorialspoint with your user name.
step 12: hot reloading
and to build application modify the app.js and the changes will be automatically updated on the android emulator.
if not, click on the android emulator press ctrl+m then, select enable hot reloading option.

if you open the default app you can observe that the app.js file looks like
import react from 'react'; import { stylesheet, text, view } from 'react-native'; export default class app extends react.component { render() { return ( <view style = {styles.container}> <text>open up app.js to start working on your app!</text> <text>changes you make will automatically reload.</text> <text>shake your phone to open the developer menu.</text> </view> ); } } const styles = stylesheet.create({ container: { flex: 1, backgroundcolor: '#fff', alignitems: 'center', justifycontent: 'center', }, });
output

hello world
to display a simple message saying “welcome to tutorialspoint” remove the css part and insert the message to be printed wrapped by the <text></text> tags inside <view></view> as shown below.
import react from 'react'; import { stylesheet, text, view } from 'react-native'; export default class app extends react.component { render() { return ( <view> <text>welcome to tutorialspoint</text> </view> ); } }

the data inside react components is managed by state and props. in this chapter, we will talk about state.
difference between state and props
the state is mutable while props are immutable. this means that state can be updated in the future while props cannot be updated.
using state
this is our root component. we are just importing home which will be used in most of the chapters.
app.js
import react from 'react'; import { stylesheet, text, view } from 'react-native'; export default class app extends react.component { state = { mystate: 'lorem ipsum dolor sit amet, consectetur adipisicing elit, used do eiusmod tempor incididunt ut labore et dolore magna aliqua. ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum.' } render() { return ( <view> <text> {this.state.mystate} </text> </view> ); } }
we can see in emulator text from the state as in the following screenshot.

updating state
since state is mutable, we can update it by creating the deletestate function and call it using the onpress = {this.deletetext} event.
home.js
import react, { component } from 'react' import { text, view } from 'react-native' class home extends component { state = { mystate: 'lorem ipsum dolor sit amet, consectetur adipisicing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum.' } updatestate = () ⇒ this.setstate({ mystate: 'the state is updated' }) render() { return ( <view> <text onpress = {this.updatestate}> {this.state.mystate} </text> </view> ); } } export default home;
notes − in all chapters, we will use the class syntax for stateful (container) components and function syntax for stateless (presentational) components. we will learn more about components in the next chapter.
we will also learn how to use the arrow function syntax for updatestate. you should keep in mind that this syntax uses the lexical scope, and this keyword will be bound to the environment object (class). this will sometimes lead to unexpected behavior.
the other way to define methods is to use the ec5 functions but in that case we will need to bind this manually in the constructor. consider the following example to understand this.
class home extends component { constructor() { super() this.updatestate = this.updatestate.bind(this) } updatestate() { // } render() { // } }
in our last chapter, we showed you how to use mutable state. in this chapter, we will show you how to combine the state and the props.
presentational components should get all data by passing props. only container components should have state.
container component
we will now understand what a container component is and also how it works.
theory
now we will update our container component. this component will handle the state and pass the props to the presentational component.
container component is only used for handling state. all functionality related to view(styling etc.) will be handled in the presentational component.
example
if we want to use example from the last chapter we need to remove the text element from the render function since this element is used for presenting text to the users. this should be inside the presentational component.
let us review the code in the example given below. we will import the presentationalcomponent and pass it to the render function.
after we import the presentationalcomponent and pass it to the render function, we need to pass the props. we will pass the props by adding mytext = {this.state.mytext} and deletetext = {this.deletetext} to <presentationalcomponent>. now, we will be able to access this inside the presentational component.
app.js
import react from 'react'; import { stylesheet, text, view } from 'react-native'; import presentationalcomponent from './presentationalcomponent' export default class app extends react.component { state = { mystate: 'lorem ipsum dolor sit amet, consectetur adipisicing elit, used do eiusmod tempor incididunt ut labore et dolore magna aliqua. ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum.' } updatestate = () => { this.setstate({ mystate: 'the state is updated' }) } render() { return ( <view> <presentationalcomponent mystate = {this.state.mystate} updatestate = {this.updatestate}/> </view> ); } }
presentational component
we will now understand what a presentational component is and also how it works.
theory
presentational components should be used only for presenting view to the users. these components do not have state. they receive all data and functions as props.
the best practice is to use as much presentational components as possible.
example
as we mentioned in our previous chapter, we are using the ec6 function syntax for presentational components.
our component will receive props, return view elements, present text using {props.mytext} and call the {props.deletetext} function when a user clicks on the text.
presentationalcomponent.js
import react, { component } from 'react' import { text, view } from 'react-native' const presentationalcomponent = (props) => { return ( <view> <text onpress = {props.updatestate}> {props.mystate} </text> </view> ) } export default presentationalcomponent
now, we have the same functionality as in our state chapter. the only difference is that we refactored our code to the container and the presentational component.
you can run the app and see the text as in the following screenshot.

if you click on text, it will be removed from the screen.

there are a couple of ways to style your elements in react native.
you can use the style property to add the styles inline. however, this is not the best practice because it can be hard to read the code.
in this chapter, we will use the stylesheet for styling.
container component
in this section, we will simplify our container component from our previous chapter.
app.js
import react from 'react'; import { stylesheet, text, view } from 'react-native'; import presentationalcomponent from './presentationalcomponent' export default class app extends react.component { state = { mystate: 'this is my state' } render() { return ( <view> <presentationalcomponent mystate = {this.state.mystate}/> </view> ); } }
presentational component
in the following example, we will import the stylesheet. at the bottom of the file, we will create our stylesheet and assign it to the styles constant. note that our styles are in camelcase and we do not use px or % for styling.
to apply styles to our text, we need to add style = {styles.mytext} property to the text element.
presentationalcomponent.js
import react, { component } from 'react' import { text, view, stylesheet } from 'react-native' const presentationalcomponent = (props) => { return ( <view> <text style = {styles.mystate}> {props.mystate} </text> </view> ) } export default presentationalcomponent const styles = stylesheet.create ({ mystate: { margintop: 20, textalign: 'center', color: 'blue', fontweight: 'bold', fontsize: 20 } })
when we run the app, we will receive the following output.
to accommodate different screen sizes, react native offers flexbox support.
we will use the same code that we used in our react native - styling chapter. we will only change the presentationalcomponent.
layout
to achieve the desired layout, flexbox offers three main properties − flexdirection justifycontent and alignitems.
the following table shows the possible options.
property | values | description |
---|---|---|
flexdirection | 'column', 'row' | used to specify if elements will be aligned vertically or horizontally. |
justifycontent | 'center', 'flex-start', 'flex-end', 'space-around', 'space-between' | used to determine how should elements be distributed inside the container. |
alignitems | 'center', 'flex-start', 'flex-end', 'stretched' | used to determine how should elements be distributed inside the container along the secondary axis (opposite of flexdirection) |
if you want to align the items vertically and centralize them, then you can use the following code.
app.js
import react, { component } from 'react' import { view, stylesheet } from 'react-native' const home = (props) => { return ( <view style = {styles.container}> <view style = {styles.redbox} /> <view style = {styles.bluebox} /> <view style = {styles.blackbox} /> </view> ) } export default home const styles = stylesheet.create ({ container: { flexdirection: 'column', justifycontent: 'center', alignitems: 'center', backgroundcolor: 'grey', height: 600 }, redbox: { width: 100, height: 100, backgroundcolor: 'red' }, bluebox: { width: 100, height: 100, backgroundcolor: 'blue' }, blackbox: { width: 100, height: 100, backgroundcolor: 'black' }, })
output

if the items need to be moved to the right side and spaces need to be added between them, then we can use the following code.
app.js
import react, { component } from 'react' import { view, stylesheet } from 'react-native' const app = (props) => { return ( <view style = {styles.container}> <view style = {styles.redbox} /> <view style = {styles.bluebox} /> <view style = {styles.blackbox} /> </view> ) } export default app const styles = stylesheet.create ({ container: { flexdirection: 'column', justifycontent: 'space-between', alignitems: 'flex-end', backgroundcolor: 'grey', height: 600 }, redbox: { width: 100, height: 100, backgroundcolor: 'red' }, bluebox: { width: 100, height: 100, backgroundcolor: 'blue' }, blackbox: { width: 100, height: 100, backgroundcolor: 'black' }, })

in this chapter, we will show you how to create a list in react native. we will import list in our home component and show it on screen.
app.js
import react from 'react' import list from './list.js' const app = () => { return ( <list /> ) } export default app
to create a list, we will use the map() method. this will iterate over an array of items, and render each one.
list.js
import react, { component } from 'react' import { text, view, touchableopacity, stylesheet } from 'react-native' class list extends component { state = { names: [ { id: 0, name: 'ben', }, { id: 1, name: 'susan', }, { id: 2, name: 'robert', }, { id: 3, name: 'mary', } ] } alertitemname = (item) => { alert(item.name) } render() { return ( <view> { this.state.names.map((item, index) => ( <touchableopacity key = {item.id} style = {styles.container} onpress = {() => this.alertitemname(item)}> <text style = {styles.text}> {item.name} </text> </touchableopacity> )) } </view> ) } } export default list const styles = stylesheet.create ({ container: { padding: 10, margintop: 3, backgroundcolor: '#d9f9b1', alignitems: 'center', }, text: { color: '#4f603c' } })
when we run the app, we will see the list of names.

you can click on each item in the list to trigger an alert with the name.

in this chapter, we will show you how to work with textinput elements in react native.
the home component will import and render inputs.
app.js
import react from 'react'; import inputs from './inputs.js' const app = () => { return ( <inputs /> ) } export default app
inputs
we will define the initial state.
after defining the initial state, we will create the handleemail and the handlepassword functions. these functions are used for updating state.
the login() function will just alert the current value of the state.
we will also add some other properties to text inputs to disable auto capitalisation, remove the bottom border on android devices and set a placeholder.
inputs.js
import react, { component } from 'react' import { view, text, touchableopacity, textinput, stylesheet } from 'react-native' class inputs extends component { state = { email: '', password: '' } handleemail = (text) => { this.setstate({ email: text }) } handlepassword = (text) => { this.setstate({ password: text }) } login = (email, pass) => { alert('email: ' + email + ' password: ' + pass) } render() { return ( <view style = {styles.container}> <textinput style = {styles.input} underlinecolorandroid = "transparent" placeholder = "email" placeholdertextcolor = "#9a73ef" autocapitalize = "none" onchangetext = {this.handleemail}/> <textinput style = {styles.input} underlinecolorandroid = "transparent" placeholder = "password" placeholdertextcolor = "#9a73ef" autocapitalize = "none" onchangetext = {this.handlepassword}/> <touchableopacity style = {styles.submitbutton} onpress = { () => this.login(this.state.email, this.state.password) }> <text style = {styles.submitbuttontext}> submit </text> </touchableopacity> </view> ) } } export default inputs const styles = stylesheet.create({ container: { paddingtop: 23 }, input: { margin: 15, height: 40, bordercolor: '#7a42f4', borderwidth: 1 }, submitbutton: { backgroundcolor: '#7a42f4', padding: 10, margin: 15, height: 40, }, submitbuttontext:{ color: 'white' } })
whenever we type in one of the input fields, the state will be updated. when we click on the submit button, text from inputs will be shown inside the dialog box.

whenever we type in one of the input fields, the state will be updated. when we click on the submit button, text from inputs will be shown inside the dialog box.

in this chapter, we will show you how to work with the scrollview element.
we will again create scrollviewexample.js and import it in home.
app.js
import react from 'react'; import scrollviewexample from './scroll_view.js'; const app = () => { return ( <scrollviewexample /> ) }export default app
scrollview will render a list of names. we will create it in state.
scrollview.js
import react, { component } from 'react'; import { text, image, view, stylesheet, scrollview } from 'react-native'; class scrollviewexample extends component { state = { names: [ {'name': 'ben', 'id': 1}, {'name': 'susan', 'id': 2}, {'name': 'robert', 'id': 3}, {'name': 'mary', 'id': 4}, {'name': 'daniel', 'id': 5}, {'name': 'laura', 'id': 6}, {'name': 'john', 'id': 7}, {'name': 'debra', 'id': 8}, {'name': 'aron', 'id': 9}, {'name': 'ann', 'id': 10}, {'name': 'steve', 'id': 11}, {'name': 'olivia', 'id': 12} ] } render() { return ( <view> <scrollview> { this.state.names.map((item, index) => ( <view key = {item.id} style = {styles.item}> <text>{item.name}</text> </view> )) } </scrollview> </view> ) } } export default scrollviewexample const styles = stylesheet.create ({ item: { flexdirection: 'row', justifycontent: 'space-between', alignitems: 'center', padding: 30, margin: 2, bordercolor: '#2a4944', borderwidth: 1, backgroundcolor: '#d2f7f1' } })
when we run the app, we will see the scrollable list of names.
in this chapter, we will understand how to work with images in react native.
adding image
let us create a new folder img inside the src folder. we will add our image (myimage.png) inside this folder.
we will show images on the home screen.
app.js
import react from 'react'; import imagesexample from './imagesexample.js' const app = () => { return ( <imagesexample /> ) } export default app
local image can be accessed using the following syntax.
image_example.js
import react, { component } from 'react' import { image } from 'react-native' const imagesexample = () => ( <image source = {require('c:/users/tutorialspoint/desktop/nativereactsample/logo.png')} /> ) export default imagesexample
output

screen density
react native offers a way to optimize images for different devices using @2x, @3x suffix. the app will load only the image necessary for particular screen density.
the following will be the names of the image inside the img folder.
my-image@2x.jpg my-image@3x.jpg
network images
when using network images, instead of require, we need the source property. it is recommended to define the width and the height for network images.
app.js
import react from 'react'; import imagesexample from './image_example.js' const app = () => { return ( <imagesexample /> ) } export default app
image_example.js
import react, { component } from 'react' import { view, image } from 'react-native' const imagesexample = () => ( <image source = {{uri:'https://pbs.twimg.com/profile_images/486929358120964097/gnliny67_400x400.png'}} style = {{ width: 200, height: 200 }} /> ) export default imagesexample
output

in this chapter, we will show you how to use fetch for handling network requests.
app.js
import react from 'react'; import httpexample from './http_example.js' const app = () => { return ( <httpexample /> ) } export default app
using fetch
we will use the componentdidmount lifecycle method to load the data from server as soon as the component is mounted. this function will send get request to the server, return json data, log output to console and update our state.
http_example.js
import react, { component } from 'react' import { view, text } from 'react-native' class httpexample extends component { state = { data: '' } componentdidmount = () => { fetch('https://jsonplaceholder.typicode.com/posts/1', { method: 'get' }) .then((response) => response.json()) .then((responsejson) => { console.log(responsejson); this.setstate({ data: responsejson }) }) .catch((error) => { console.error(error); }); } render() { return ( <view> <text> {this.state.data.body} </text> </view> ) } } export default httpexample
output

in this chapter, we will show you touchable components in react native. we call them 'touchable' because they offer built in animations and we can use the onpress prop for handling touch event.
facebook offers the button component, which can be used as a generic button. consider the following example to understand the same.
app.js
import react, { component } from 'react' import { button } from 'react-native' const app = () => { const handlepress = () => false return ( <button onpress = {handlepress} title = "red button!" color = "red" /> ) } export default app
if the default button component does not suit your needs, you can use one of the following components instead.

touchable opacity
this element will change the opacity of an element when touched.
app.js
import react from 'react' import { touchableopacity, stylesheet, view, text } from 'react-native' const app = () => { return ( <view style = {styles.container}> <touchableopacity> <text style = {styles.text}> button </text> </touchableopacity> </view> ) } export default app const styles = stylesheet.create ({ container: { alignitems: 'center', }, text: { borderwidth: 1, padding: 25, bordercolor: 'black', backgroundcolor: 'red' } })

touchable highlight
when a user presses the element, it will get darker and the underlying color will show through.
app.js
import react from 'react' import { view, touchablehighlight, text, stylesheet } from 'react-native' const app = (props) => { return ( <view style = {styles.container}> <touchablehighlight> <text style = {styles.text}> button </text> </touchablehighlight> </view> ) } export default app const styles = stylesheet.create ({ container: { alignitems: 'center', }, text: { borderwidth: 1, padding: 25, bordercolor: 'black', backgroundcolor: 'red' } })
touchable native feedback
this will simulate ink animation when the element is pressed.
app.js
import react from 'react' import { view, touchablenativefeedback, text, stylesheet } from 'react-native' const home = (props) => { return ( <view style = {styles.container}> <touchablenativefeedback> <text style = {styles.text}> button </text> </touchablenativefeedback> </view> ) } export default home const styles = stylesheet.create ({ container: { alignitems: 'center', }, text: { borderwidth: 1, padding: 25, bordercolor: 'black', backgroundcolor: 'red' } })
touchable without feedback
this should be used when you want to handle the touch event without any animation usually, this component is not used much.
<touchablewithoutfeedback> <text> button </text> </touchablewithoutfeedback>
in this chapter, we will show you how to use layoutanimation in react native.
animations component
we will set mystyle as a property of the state. this property is used for styling an element inside presentationalanimationcomponent.
we will also create two functions − expandelement and collapseelement. these functions will update values from the state. the first one will use the spring preset animation while the second one will have the linear preset. we will pass these as props too. the expand and the collapse buttons call the expandelement() and collapseelement() functions.
in this example, we will dynamically change the width and the height of the box. since the home component will be the same, we will only change the animations component.
app.js
import react, { component } from 'react' import { view, stylesheet, animated, touchableopacity } from 'react-native' class animations extends component { componentwillmount = () => { this.animatedwidth = new animated.value(50) this.animatedheight = new animated.value(100) } animatedbox = () => { animated.timing(this.animatedwidth, { tovalue: 200, duration: 1000 }).start() animated.timing(this.animatedheight, { tovalue: 500, duration: 500 }).start() } render() { const animatedstyle = { width: this.animatedwidth, height: this.animatedheight } return ( <touchableopacity style = {styles.container} onpress = {this.animatedbox}> <animated.view style = {[styles.box, animatedstyle]}/> </touchableopacity> ) } } export default animations const styles = stylesheet.create({ container: { justifycontent: 'center', alignitems: 'center' }, box: { backgroundcolor: 'blue', width: 50, height: 100 } })
react native offers a couple of methods that help in debugging your code.
in app developer menu
you can open the developer menu on the ios simulator by pressing command + d.
on android emulator, you need to press command + m.

reload − used for reloading simulator. you can use shortcut command + r
debug js remotely − used for activating debugging inside browser developer console.
enable live reload − used for enabling live reloading whenever your code is saved. the debugger will open at localhost:8081/debugger-ui.
start systrace − used for starting android marker based profiling tool.
show inspector − used for opening inspector where you can find info about your components. you can use shortcut command + i
show perf monitor − perf monitor is used for keeping track of the performance of your app.
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.

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.

if you want to test your app in the ios simulator, all you need is to open the root folder of your app in terminal and run −
react-native run-ios
the above command will start the simulator and run the app.
we can also specify the device we want to use.
react-native run-ios --simulator "iphone 5s
after you open the app in simulator, you can press command + d on ios to open the developers menu. you can check more about this in our debugging chapter.
you can also reload the ios simulator by pressing command + r.
we can run the react native app on android platform by running the following code in the terminal.
react-native run-android
before you can run your app on android device, you need to enable usb debugging inside the developer options.
when usb debugging is enabled, you can plug in your device and run the code snippet given above.
the native android emulator is slow. we recommend downloading genymotion for testing your app.
the developer menu can be accessed by pressing command + m.
view is the most common element in react native. you can consider it as an equivalent of the div element used in web development.
use cases
let us now see a few common use cases.
when you need to wrap your elements inside the container, you can use view as a container element.
when you want to nest more elements inside the parent element, both parent and child can be view. it can have as many children as you want.
when you want to style different elements, you can place them inside view since it supports style property, flexbox etc.
view also supports synthetic touch events, which can be useful for different purposes.
we already used view in our previous chapters and we will use it in almost all subsequent chapters as well. the view can be assumed as a default element in react native. in example given below, we will nest two views and a text.
app.js
import react, { component } from 'react' import { view, text } from 'react-native' const app = () => { return ( <view> <view> <text>this is my text</text> </view> </view> ) } export default app
output

in this chapter, we will learn how to use webview. it is used when you want to render web page to your mobile app inline.
using webview
the homecontainer will be a container component.
app.js
import react, { component } from 'react' import webviewexample from './web_view_example.js' const app = () => { return ( <webviewexample/> ) } export default app;
let us create a new file called webviewexample.js inside the src/components/home folder.
web_view_example.js
import react, { component } from 'react' import { view, webview, stylesheet } from 'react-native' const webviewexample = () => { return ( <view style = {styles.container}> <webview source = {{ uri: 'https://www.google.com/?gws_rd=cr,ssl&ei=siccv9_efqqk6asa3zaaba#q=tutorialspoint' }} /> </view> ) } export default webviewexample; const styles = stylesheet.create({ container: { height: 350, } })
the above program will generate the following output.

in this chapter, we will show you how to use the modal component in react native.
let us now create a new file: modalexample.js
we will put logic inside modalexample. we can update the initial state by running the togglemodal.
after updating the initial state by running the togglemodal, we will set the visible property to our modal. this prop will be updated when the state changes.
the onrequestclose is required for android devices.
app.js
import react, { component } from 'react' import webviewexample from './modal_example.js' const home = () => { return ( <webviewexample/> ) } export default home;
modal_example.js
import react, { component } from 'react'; import { modal, text, touchablehighlight, view, stylesheet} from 'react-native' class modalexample extends component { state = { modalvisible: false, } togglemodal(visible) { this.setstate({ modalvisible: visible }); } render() { return ( <view style = {styles.container}> <modal animationtype = {"slide"} transparent = {false} visible = {this.state.modalvisible} onrequestclose = {() => { console.log("modal has been closed.") } }> <view style = {styles.modal}> <text style = {styles.text}>modal is open!</text> <touchablehighlight onpress = {() => { this.togglemodal(!this.state.modalvisible)}}> <text style = {styles.text}>close modal</text> </touchablehighlight> </view> </modal> <touchablehighlight onpress = {() => {this.togglemodal(true)}}> <text style = {styles.text}>open modal</text> </touchablehighlight> </view> ) } } export default modalexample const styles = stylesheet.create ({ container: { alignitems: 'center', backgroundcolor: '#ede3f2', padding: 100 }, modal: { flex: 1, alignitems: 'center', backgroundcolor: '#f7021a', padding: 100 }, text: { color: '#3f2949', margintop: 10 } })
our starting screen will look like this −

if we click the button, the modal will open.

in this chapter we will show you how to use the activity indicator in react native.
step 1: app
app component will be used to import and show our activityindicator.
app.js
import react from 'react' import activityindicatorexample from './activity_indicator_example.js' const home = () => { return ( <activityindicatorexample /> ) } export default home
step 2: activityindicatorexample
animating property is a boolean which is used for showing the activity indicator. the latter closes six seconds after the component is mounted. this is done using the closeactivityindicator() function.
activity_indicator_example.js
import react, { component } from 'react'; import { activityindicator, view, text, touchableopacity, stylesheet } from 'react-native'; class activityindicatorexample extends component { state = { animating: true } closeactivityindicator = () => settimeout(() => this.setstate({ animating: false }), 60000) componentdidmount = () => this.closeactivityindicator() render() { const animating = this.state.animating return ( <view style = {styles.container}> <activityindicator animating = {animating} color = '#bc2b78' size = "large" style = {styles.activityindicator}/> </view> ) } } export default activityindicatorexample const styles = stylesheet.create ({ container: { flex: 1, justifycontent: 'center', alignitems: 'center', margintop: 70 }, activityindicator: { flex: 1, justifycontent: 'center', alignitems: 'center', height: 80 } })
when we run the app, we will see the loader on screen. it will disappear after six seconds.

in this chapter, we will create simple picker with two available options.
step 1: create file
here, the app.js folder will be used as a presentational component.
app.js
import react from 'react' import pickerexample from './pickerexample.js' const app = () => { return ( <pickerexample /> ) } export default app
step 2: logic
this.state.user is used for picker control.
the updateuser function will be triggered when a user is picked.
pickerexample.js
import react, { component } from 'react'; import { view, text, picker, stylesheet } from 'react-native' class pickerexample extends component { state = {user: ''} updateuser = (user) => { this.setstate({ user: user }) } render() { return ( <view> <picker selectedvalue = {this.state.user} onvaluechange = {this.updateuser}> <picker.item label = "steve" value = "steve" /> <picker.item label = "ellen" value = "ellen" /> <picker.item label = "maria" value = "maria" /> </picker> <text style = {styles.text}>{this.state.user}</text> </view> ) } } export default pickerexample const styles = stylesheet.create({ text: { fontsize: 30, alignself: 'center', color: 'red' } })
output

if you click on the name it prompts you all three options as −

and you can pick one of them and the output will be like.

in this chapter, we will show you how to control the status bar appearance in react native.
the status bar is easy to use and all you need to do is set properties to change it.
the hidden property can be used to hide the status bar. in our example it is set to false. this is default value.
the barstyle can have three values – dark-content, light-content and default.
this component has several other properties that can be used. some of them are android or ios specific. you can check it in official documentation.
app.js
import react, { component } from 'react'; import { statusbar } from 'react-native' const app = () => { return ( <statusbar barstyle = "dark-content" hidden = {false} backgroundcolor = "#00bcd4" translucent = {true}/> ) } export default app
if we run the app, the status bar will be visible and content will have dark color.
output

in this chapter, we will explain the switch component in a couple of steps.
step 1: create file
we will use the homecontainer component for logic, but we need to create the presentational component.
let us now create a new file: switchexample.js.
step 2: logic
we are passing value from the state and functions for toggling switch items to switchexample component. toggle functions will be used for updating the state.
app.js
import react, { component } from 'react' import { view } from 'react-native' import switchexample from './switch_example.js' export default class homecontainer extends component { constructor() { super(); this.state = { switch1value: false, } } toggleswitch1 = (value) => { this.setstate({switch1value: value}) console.log('switch 1 is: ' + value) } render() { return ( <view> <switchexample toggleswitch1 = {this.toggleswitch1} switch1value = {this.state.switch1value}/> </view> ); } }
step 3: presentation
switch component takes two props. the onvaluechange prop will trigger our toggle functions after a user presses the switch. the value prop is bound to the state of the homecontainer component.
switch_example.js
import react, { component } from 'react' import { view, switch, stylesheet } from 'react-native' export default switchexample = (props) => { return ( <view style = {styles.container}> <switch onvaluechange = {props.toggleswitch1} value = {props.switch1value}/> </view> ) } const styles = stylesheet.create ({ container: { flex: 1, alignitems: 'center', margintop: 100 } })
if we press the switch, the state will be updated. you can check values in the console.
output

in this chapter, we will talk about text component in react native.
this component can be nested and it can inherit properties from parent to child. this can be useful in many ways. we will show you example of capitalizing the first letter, styling words or parts of the text, etc.
step 1: create file
the file we are going to create is text_example.js
step 2: app.js
in this step, we will just create a simple container.
app.js
import react, { component } from 'react' import textexample from './text_example.js' const app = () => { return ( <textexample/> ) } export default app
step 3: text
in this step, we will use the inheritance pattern. styles.text will be applied to all text components.
you can also notice how we set other styling properties to some parts of the text. it is important to know that all child elements have parent styles passed to them.
text_example.js
import react, { component } from 'react'; import { view, text, image, stylesheet } from 'react-native' const textexample = () => { return ( <view style = {styles.container}> <text style = {styles.text}> <text style = {styles.capitalletter}> l </text> <text> orem ipsum dolor sit amet, sed do eiusmod. </text> <text> ut enim ad <text style = {styles.wordbold}>minim </text> veniam, quis aliquip ex ea commodo consequat. </text> <text style = {styles.italictext}> duis aute irure dolor in reprehenderit in voluptate velit esse cillum. </text> <text style = {styles.textshadow}> excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum. </text> </text> </view> ) } export default textexample const styles = stylesheet.create ({ container: { alignitems: 'center', margintop: 100, padding: 20 }, text: { color: '#41cdf4', }, capitalletter: { color: 'red', fontsize: 20 }, wordbold: { fontweight: 'bold', color: 'black' }, italictext: { color: '#37859b', fontstyle: 'italic' }, textshadow: { textshadowcolor: 'red', textshadowoffset: { width: 2, height: 2 }, textshadowradius : 5 } })
you will receive the following output −

in this chapter, we will understand how to create custom alert component.
step 1: app.js
import react from 'react' import alertexample from './alert_example.js' const app = () => { return ( <alertexample /> ) } export default app
step 2: alert_example.js
we will create a button for triggering the showalert function.
import react from 'react' import { alert, text, touchableopacity, stylesheet } from 'react-native' const alertexample = () => { const showalert = () =>{ alert.alert( 'you need to...' ) } return ( <touchableopacity onpress = {showalert} style = {styles.button}> <text>alert</text> </touchableopacity> ) } export default alertexample const styles = stylesheet.create ({ button: { backgroundcolor: '#4ba37b', width: 100, borderradius: 50, alignitems: 'center', margintop: 100 } })
output

when you click the button, you will see the following −

in this chapter, we will show you how to use geolocation.
step 1: app.js
import react from 'react' import geolocationexample from './geolocation_example.js' const app = () => { return ( <geolocationexample /> ) } export default app
step 2: geolocation
we will start by setting up the initial state for that will hold the initial and the last position.
now, we need to get current position of the device when a component is mounted using the navigator.geolocation.getcurrentposition. we will stringify the response so we can update the state.
navigator.geolocation.watchposition is used for tracking the users’ position. we also clear the watchers in this step.
asyncstorageexample.js
import react, { component } from 'react' import { view, text, switch, stylesheet} from 'react-native' class swichexample extends component { state = { initialposition: 'unknown', lastposition: 'unknown', } watchid: ?number = null; componentdidmount = () => { navigator.geolocation.getcurrentposition( (position) => { const initialposition = json.stringify(position); this.setstate({ initialposition }); }, (error) => alert(error.message), { enablehighaccuracy: true, timeout: 20000, maximumage: 1000 } ); this.watchid = navigator.geolocation.watchposition((position) => { const lastposition = json.stringify(position); this.setstate({ lastposition }); }); } componentwillunmount = () => { navigator.geolocation.clearwatch(this.watchid); } render() { return ( <view style = {styles.container}> <text style = {styles.boldtext}> initial position: </text> <text> {this.state.initialposition} </text> <text style = {styles.boldtext}> current position: </text> <text> {this.state.lastposition} </text> </view> ) } } export default swichexample const styles = stylesheet.create ({ container: { flex: 1, alignitems: 'center', margintop: 50 }, boldtext: { fontsize: 30, color: 'red', } })
in this chapter, we will show you how to persist your data using asyncstorage.
step 1: presentation
in this step, we will create the app.js file.
import react from 'react' import asyncstorageexample from './async_storage_example.js' const app = () => { return ( <asyncstorageexample /> ) } export default app
step 2: logic
name from the initial state is empty string. we will update it from persistent storage when the component is mounted.
setname will take the text from our input field, save it using asyncstorage and update the state.
async_storage_example.js
import react, { component } from 'react' import { statusbar } from 'react-native' import { asyncstorage, text, view, textinput, stylesheet } from 'react-native' class asyncstorageexample extends component { state = { 'name': '' } componentdidmount = () => asyncstorage.getitem('name').then((value) => this.setstate({ 'name': value })) setname = (value) => { asyncstorage.setitem('name', value); this.setstate({ 'name': value }); } render() { return ( <view style = {styles.container}> <textinput style = {styles.textinput} autocapitalize = 'none' onchangetext = {this.setname}/> <text> {this.state.name} </text> </view> ) } } export default asyncstorageexample const styles = stylesheet.create ({ container: { flex: 1, alignitems: 'center', margintop: 50 }, textinput: { margin: 5, height: 100, borderwidth: 1, backgroundcolor: '#7685ed' } })
when we run the app, we can update the text by typing into the input field.
