SlideShare a Scribd company logo
React Native One Day
CoWork South Bay
Torrance, CA
27 August 2017
Me
• Troy Miles
• Over 38 years of programming
experience
• Software engineer, speaker,
book and video author
• rockncoder@gmail.com
• @therockncoder
• lynda.com Author

Kotlin for Java Developers
React Native One Day
“Learn once, write anywhere: Build mobile apps
with React”
React Native
• “Deliver native Android, iOS, and Windows apps,
using existing skills, teams, and code.”
• Released: March 27, 2015
• 51k+ GitHub Stars
Installation
• Node.js (& npm)
• Android SDK
• React Native
All of our code will run on both PC
& Mac. But iOS can only be
developed on a Mac. So we will
only build code for Android.
Android Development
• Install Java 8
• Install Android Studio
• Install Android SDK 23 (Marshmallow)
• Install Intel HAXM (x86 Android Emulator)
Mac Installation
• brew install node
• brew install watchman*
• npm i -g react-native-cli
Windows Installation
• choco install nodejs.install
• choco install python2
• choco install jdk8
React-Native
• react-native init <app name>
• cd <app name>
• react-native run-android
React Native + NativeBase
• react-native init <app-name>
• cd <app-name>
• yarn add native-base react-native-vector-icons
• react-native link react-native-vector-icons
• yarn remove babel-preset-react-native
• yarn add babel-preset-react-native@2.1.0
babel-preset-react-native
ERROR
• npm uninstall babel-preset-
react-native
• npm install babel-preset-react-
native@2.1.0
Mac Fix
• Close packager window
• watchman watch-del-all
• rm -rf node_modules && npm install
• react-native run-android
PC Fix
• Close packager window
• Delete the node_modules directory
• npm install
• react-native run-android
react-native CLI
Command Purpose
init [app name] creates a react-native app
run-android [options] builds app, starts on Android
run-ios [options] builds app, starts on iOS
start [options] starts webserver
new-library [options] generates a native library bridge
bundle [options] builds offline javascript bundle
unbundle [options] builds unbundle javascript
react-native CLI
Command Purpose
eject [options] takes the shackles off
link [options] <packageName> links all native dependencies
unlink [options] <packageName> unlink native dependency
install [options] <packageName> install+link native dependencies
uninstall [options] <packageName> uninstall+unlink native
upgrade [options] upgrade app's template files
log-android [options] starts adb logcat
log-ios [options] starts iOS device syslog tail
Development Environment
• Command/Terminal window for CLI Commands
• The Packager window
• Android simulator or device
• Chrome browser
• Your IDE
React Native One Day
In-App Developer Menu
Command Purpose
Command-M or Alt-M Show Developer Menu
Reload Reloads the code
Debug JS Remotely Debugging via Chrome
Enable Live Reload Automatically updates on save
Enable Hot Reloading Automatically updates on save, with state
Toggle Inspector Shows view construction
Show Perf Monitor Shows performance information
Application Root Directory
• All of the commands, for all of the tools are
designed work on the application root directory
• If used anywhere else bad things will happen
• be sure you are in the app root
• double check that you are in the app root
JavaScript
ECMAScript Versions
Version Date
ES1 June 1997
ES2 June 1998
ES3 December 1999
ES4 DOA 2006
ES5 December 2009
ES2015 / ES6 June 2015
ES2016 / ES7 2016
Collection Operators
• .isArray()
• .every()
• .forEach()
• .indexOf()
• .lastIndexOf()
• .some()
• .map()
• .reduce()
• .filter()
map
let junk = [1, 2, 3, 4, 'Alpha', 5, {name: 'Jason'}];

let letters = ['A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K'];

let nums = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20];

console.log(nums);



// map iterates over all of the elements and returns a new array with the same
// number of elements

let nums2 = nums.map((elem) => elem * 2);

console.log(nums2);
/// [2, 4, 6, 8, 10, 12, 14, 16, 18, 20, 22, 24, 26, 28, 30, 32, 34, 36, 38, 40]


filter
let junk = [1, 2, 3, 4, 'Alpha', 5, {name: 'Jason'}];

let letters = ['A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K'];

let nums = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20];

console.log(nums);



// filter iterates over the array and returns a new array with only the elements
// that pass the test

let nums3 = nums.filter((elem) => !!(elem % 2));

console.log(nums3);
/// [1, 3, 5, 7, 9, 11, 13, 15, 17, 19]
reduce
let junk = [1, 2, 3, 4, 'Alpha', 5, {name: 'Jason'}];

let letters = ['A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K'];

let nums = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20];

console.log(nums);



// reduce iterates over the array passing the previous value and the current

// element it is up to you what the reduction does, let's concatenate the strings

let letters2 = letters.reduce((previous, current) => previous + current);

console.log(letters2);
/// ABCDEFGHIJK



// reduceRight does the same but goes from right to left

let letters3 = letters.reduceRight((previous, current) => previous + current);

console.log(letters3);
/// KJIHGFEDCBA

let
• let allows us to create a block scoped variables
• they live and die within their curly braces
• var is considered deprecated
• best practice is to use let instead of var
let
// let allows us to create block scoped variables

// they live and die within the curly braces

let val = 2;

console.info(`val = ${val}`);

{

let val = 59;

console.info(`val = ${val}`);

}

console.info(`val = ${val}`);



const
• const creates a variable that can't be changed
• best practice is to make any variable that should
not change a constant
• does not apply to object properties or array
elements
const
const name = 'Troy';

console.info(`My name is ${name}`);

// the line below triggers a type error

name = 'Miles';

Template strings
• Defined by using opening & closing back ticks
• Templates defined by ${JavaScript value}
• The value can be any simple JavaScript expression
• Allows multi-line strings (return is pass thru)
Template strings
let state = 'California';

let city = 'Long Beach';

console.info(`This weekend's workshop is in ${city}, ${state}.`);



// template strings can run simple expressions like addition

let cup_coffee = 4.5;

let cup_tea = 2.5;

console.info(`coffee: $${cup_coffee} + tea: $${cup_tea} = $$
{cup_coffee + cup_tea}.`);



// they can allow us to create multi-line strings

console.info(`This is line #1.

this is line #2.`);



Arrow functions
• Succinct syntax
• Doesn’t bind its own this, arguments, or super
• Facilitate a more functional style of coding
• Can’t be used as constructors
Arrow functions
• When only one parameter, parenthesis optional
• When zero or more than one parameter,
parenthesis required
Arrow function
let anon_func = function (num1, num2) {

return num1 + num2;

};

console.info(`Anonymous func: ${anon_func(1, 2)}`);



let arrow_func = (num1, num2) => num1 + num2;

console.info(`Arrow func: ${arrow_func(3, 4)}`);

this
• this is handled different in arrow functions
• In anonymous function this is bound to the global
object
• In arrow function this is what it was in the outer
scope
Destructuring
• Maps the data on the right side of the equals sign
to the variables on the left
• The data type decides the way values are mapped
• It is either object or array destructuring
Object Destructuring
16// this is a demo of the power of destructuring
17// we have two objects with the same 3 properties
18 const binary = {kb: 1024, mb: 1048576, gb: 1073741824};
19 const digital = {kb: 1000, mb: 1000000, gb: 1000000000};
20// We use a ternary statement to choose which object
21// assign properties based on their property names
22 const {kb, mb, gb} = (useBinary) ? binary : digital;
Array Destructuring
5
6 let [param1, bob, key] = ['first', 'second', '3rd'];
7 console.info(`param1 = ${param1}, bob = ${bob}, key = ${key}`);
8 // param1 = first, bob = second, key = 3rd
Spread syntax
• Expands an expression in places where multiple
arguments, elements, or variables are expected
The spread operator
11
12 // the spread operator
13 const myArray = ['Bob', 'Sue', 'Fido'];
14 function printFamily(person1, person2, pet) {
15 console.info(`Person 1: ${person1}, Person 2: ${person2}, and their pet: ${pet}`);
16 }
17 printFamily(...myArray);
18 // Person 1: Bob, Person 2: Sue, and their pet: Fido
19
Generator Function*
• function* is a called a generator
• A generator is a function which can exited and re-
entered
• statements are executed until a yield is encounter
• the generator then pauses execution until the yield
returns
• if a return statement is encounter, it finishes the
generator
Yield
• yield is a keyword which pauses the execution of a
generator function
• yield can return a value to the generator
Class
• Syntactic sugar over JavaScript use of function
constructors
• JavaScript uses proto-typical inheritance
• If a class extends another, it must include super()
as first instruction in its constructor
• Only create a constructor if it does something
Class
• Syntactic sugar over JavaScript use of function
constructors
• JavaScript uses proto-typical inheritance
• If a class extends another, it must include super()
as first instruction in its constructor
• Only create a constructor if it does something
import
• Imports functions, objects, or primitives from other
files
• import <name> from “<module name>”;
• import {name } from “<module name>”;
• import * as Greetings from “<module name>”;
• relative path indicates not an npm package
export
• export <var a>
• export {a, b};
export default
• only one per file
• common pattern for libraries
• const Greetings = {sayHi, sayBye};
• export default Greetings;
• export default {sayHi, sayBye};
Importing Old School JS
• Many JS libraries don’t support the new syntax
• How do we use them?
• import ‘jquery’;
React
React
• A JavaScript library for building user interfaces
• Created by Facebook & Instagram
• Initial release March 2013
• Current version 15.6.1
• Next major version 16.0.0, will have breaking
changes
React
• Virtual DOM
• One-way data flow
• JSX - JavaScript eXtension allows in HTML
generation
• Component-based
React API
• The use of JSX is optional in React
• You can use the React “API” instead
• The createClass method is deprecated and will be
removed in React 16
Component
• Fundamental building block of React
• Can be created with a JS Class or Function
• The render method is mandatory
Class Component
3
4 class Square extends React.Component {
5 render() {
6 return (
7 <button
8 className="square"
9 onClick={() => this.props.onClick()}>
10 {this.props.value}
11 </button>
12 );
13 }
14 }
15
Functional Component
15
16 function Square(props) {
17 return (
18 <button
19 className="square"
20 onClick={() => props.onClick()}>
21 {props.value}
22 </button>
23 );
24 }
Props
• Props are read-only objects
• Passed to component via attributes
• Access via this.props
State
• State is internal to the component
• It is mutable
• Access via this.state
• Initialize in the constructor
• Should only modified via setState
React.PropTypes
• React.PropTypes is deprecated
• It will be deleted in React 16
• Use the npm package “prop-types” instead
• import	PropTypes	from	‘prop-types’;
PropTypes
• PropTypes allow you to declare what properties
your component expects
• React validates property at runtime
• Using propTypes is optional
Some PropTypes
Component Command
PropTypes.array an optional array
PropTypes.bool an optional bool
PropTypes.element An optional React element
PropTypes.func An optional function
PropTypes.node Anything that can be rendered
PropTypes.number An optional number
PropTypes.object An optional object
PropTypes.string An optional string
PropTypes.symbol An optional Symbol
PropType in code
1
2 import React from 'react';
3 import ReactDOM from 'react-dom';
4 import PropTypes from 'prop-types';
5
6 class App extends React.Component {
7 render () {
8 return React.DOM.span(null, `My name is ${this.props.name}`);
9 }
10 }
11
12 App.propTypes = {
13 name: PropTypes.string.isRequired
14 };
15
16 ReactDOM.render(
17 React.createElement(App, {}),
18 document.getElementById('root')
19 );
20
21
When property is missing
React Components
• Can be created two ways:
• Using JavaScript
• Using JSX
Components via JS
• React’s API contains method createElement()
• Takes 3 parameters: type, props, children
render() {
return React.createElement('h1', null, "Hello there.");
JSX
• JavaScript Syntax EXtension
• A mixture of JavaScript and HTML syntax
• Compiles to JavaScript
• Is optional but preferred over using JavaScript
• Is easier to read
JSX Attributes
• Can assign either a string or an expression
• Strings can be either single or double quotes
• Expressions must be enclosed with curly braces
Boolean Attributes
• HTML has a few boolean attributes, if present they
are true
• Some of these include: checked, selected,
disabled
• In JSX,
• <Component disabled={true / false} />
Forbidden Attributes
• Two attributes are JavaScript keywords
• JavaScript keywords can’t be used in JSX
• class -> className
• for -> htmlFor
JSX Spread Syntax
• a shortcut to passing props to a component
• uses ES2015 spread operator
• <Component {…object} />
JSX Spread Syntax
return (
<Timer
id={this.props.id}
amount={this.props.amount}
elapsed={this.props.elapsed}
runningSince={this.props.runningSince}
onStartClick={this.props.onStartClick}
onStopClick={this.props.onStopClick}
onResetClick={this.props.onResetClick}
onSetClick={this.handleSetClick}
/>
);
JSX Spread Syntax
return (
<Timer
{...this.props}
onSetClick={this.handleSetClick}
/>
);
JSX Debugging Tip
• Assign component to a variable
• console.log the variable
JSX Debugging Tip
const timerComp = (
<Timer troy='miles'
{...this.props}
onSetClick={this.handleSetClick}
/>
);
console.log(timerComp);
JSX Debugging Tip
JSX Debugging Tip
Lifecycle Events
Event When
componentWillMount invoked once before rendering
componentDidMount invoked after component loaded
componentWillReceiveProps invoked when receiving new props
shouldComponentUpdate asks if component should update
componentWillUpdate invoked before rendering new props
componentDidUpdate invoked after rendered new props
componentWillUnmount invoked before component removed
Flux
Flux
• Application architecture for building user interfaces
• A pattern for managing data flow in your app
• One way data flow
• 4 main parts: Dispatcher, Store, Action, & View
The 4 main parts
• Dispatcher: receives actions & dispatches them to
stores
• Store: holds the data of an app
• Action: define app’s internal API
• View: displays the data from stores
React Native One Day
Redux
Redux
• A predictable state container for JS apps
• Works well with React Native
• An alternative to and inspired by Flux
• Single store for the entire app
• Makes it easier to hot-load your app
• Created by Dan Abramov
3 Principles
• Single source of truth
• State is read-only
• Changes are made with pure functions
Actions
• Actions are payloads of information that send data
from you application to your store.
• They are sent using store.dispatch()
• They are JavaScript objects
• Typically have a type property which defines their
action
• The type is normally a string
Action Creators
• Functions that create actions
• This makes them both portable and easy to test
• (In Flux, the creator usually triggers a dispatch)
Reducers
• Take the current state and an action and return the
new state
• It is important for reducers to stay pure
A Reducer Shouldn’t
• Mutate its arguments
• Perform side effects like API calls or routing
transitions
• Call non-pure functions like Date.now()
Store
• Holds app state
• Allows access to the state via getState()
• Allows state to be updated via dispatch(action)
• Registers listeners via subscribe(listener)
Redux Data Lifecycle
• Call store.dispatch(action)
• Redux store calls the reducer function
• The root reducer combines the output of multiple
reducers into a single state tree
• The redux store saves the complete state tree
• (component.setState(newState) called)
Middleware
• Redux is optimized for a synchronous workflow
• Middleware occurs between the dispatcher and the
reducer
• Can be used for: logging, optimistic updating, etc.
React-Redux
• Binds Redux to React
• Redux middleware
• npm i -S react-redux
context
• Similar to props except doesn't have to be explicitly
passed
• Any child can have access to context no matter
how far down it is
• Libraries use context to create provider
components
connect()
• Separates the concerns of the container and
presentational components
• Takes 2 arguments
• a function that maps app state to a JS object
• a function that maps the store's dispatch to
props
• returns a new function
Binders
• mapStateToProps(state)
• Maps state values to the component’s props
• mapDispatchToProps
• Binds dispatch actions of the component to the
store
Component Types
Presentational Container
Purpose How things look How things work
Redux Aware No Yes
Read data Read from props Subscribe to Redux State
Change data Invoke callbacks Dispatch Redux actions
How written By hand Generated by react-redux
Redux Saga
Redux Saga
• A library that aims to make side effects in React/
Redux apps easier and better
• version 0.15.6
• npm i -S react-saga
Sagas
• Sagas implemented as Generator functions that
yield objects to the redux saga middleware
• Sagas can yield Effects in multiple forms, the
simplest is a Promise
Effects
• Effects are JS objects which contain instructions to
be fulfilled by the middleware
• When middleware retrieves an Effect yielded by a
saga, the saga is paused until the Effect is fulfilled
• Separation between the Effect creation and
execution make it easy to test our Generator
Instructions
• delay is a utility function that returns a promise that
resolves after a specified number milliseconds
• put is an Effect
• call returns an Effect which instructs the
middleware to call a given function with the given
arguments
System Components
Component
ActivityIndicator
Button
DatePickerIOS
DrawerLayoutAndroid
FlatList
Image
KeyboardAvoidingView
System Components
Component
ListView
Modal
NavigatorIOS
Picker
PickerIOS
ProgressBarAndroid
ProgressViewIOS
System Components
Component
RefreshControl
ScrollView
SectionList
SegmentedControlIOS
Slider
SnapshotViewIOS
StatusBar
System Components
Component
Switch
TabBarIOS
TabBarIOS.Item
Text
TextInput
ToolbarAndroid
TouchableHighlight
System Components
Component
TouchableNativeFeedback
TouchableOpacity
TouchableWithoutFeedback
View
ViewPagerAndroid
VirtualizedList
WebViewAPIs
Platform Differences
• Not all components work with all devices
• Some are for iOS only or Android only
• Those that end in IOS are for iOS
• Those that end in Android are for Android
Summary
• React Native allows you to make mobile apps in JS
• While easier than native development, it is not easy

More Related Content

PDF
React Native Evening
PDF
Mobile Open Day: React Native: Crossplatform fast dive
PDF
Intro to React
PDF
Node Boot Camp
PDF
JavaScript in 2016
ODP
From object oriented to functional domain modeling
PDF
Reactive Programming with JavaScript
PDF
Angular Weekend
React Native Evening
Mobile Open Day: React Native: Crossplatform fast dive
Intro to React
Node Boot Camp
JavaScript in 2016
From object oriented to functional domain modeling
Reactive Programming with JavaScript
Angular Weekend

What's hot (20)

PDF
ES6: The Awesome Parts
PPTX
Introduction to es6
PDF
Javascript Promises/Q Library
PDF
Akka Futures and Akka Remoting
PDF
Workshop 8: Templating: Handlebars, DustJS
PDF
Introduction to reactive programming & ReactiveCocoa
PPT
ECMAScript 6: A Better JavaScript for the Ambient Computing Era
PDF
Functional Javascript
PDF
Sane Sharding with Akka Cluster
PDF
CoffeeScript - TechTalk 21/10/2013
PPTX
5 Tips for Better JavaScript
PDF
What To Expect From PHP7
PDF
How AngularJS Embraced Traditional Design Patterns
PDF
Promise pattern
PDF
JavaScript - From Birth To Closure
PDF
Callbacks, promises, generators - asynchronous javascript
PDF
Actor Clustering with Docker Containers and Akka.Net in F#
PPTX
SenchaCon 2016: Modernizing the Ext JS Class System - Don Griffin
PDF
Finally, Professional Frontend Dev with ReactJS, WebPack & Symfony (Symfony C...
PDF
Javascript Module Patterns
ES6: The Awesome Parts
Introduction to es6
Javascript Promises/Q Library
Akka Futures and Akka Remoting
Workshop 8: Templating: Handlebars, DustJS
Introduction to reactive programming & ReactiveCocoa
ECMAScript 6: A Better JavaScript for the Ambient Computing Era
Functional Javascript
Sane Sharding with Akka Cluster
CoffeeScript - TechTalk 21/10/2013
5 Tips for Better JavaScript
What To Expect From PHP7
How AngularJS Embraced Traditional Design Patterns
Promise pattern
JavaScript - From Birth To Closure
Callbacks, promises, generators - asynchronous javascript
Actor Clustering with Docker Containers and Akka.Net in F#
SenchaCon 2016: Modernizing the Ext JS Class System - Don Griffin
Finally, Professional Frontend Dev with ReactJS, WebPack & Symfony (Symfony C...
Javascript Module Patterns
Ad

Similar to React Native One Day (20)

PDF
React Development with the MERN Stack
PDF
Game Design and Development Workshop Day 1
PDF
Kotlin - The Swiss army knife of programming languages - Visma Mobile Meet-up...
KEY
JavaScript Growing Up
PPTX
Nitin Mishra 0301EC201039 Internship PPT.pptx
PPTX
Chapter i(introduction to java)
PPT
PPSX
Writing code that writes code - Nguyen Luong
PPSX
TechkTalk #12 Grokking: Writing code that writes code – Nguyen Luong
PPTX
JavaScript (without DOM)
PDF
TypeScript for Java Developers
PPTX
JavaScript in 2016 (Codemotion Rome)
PDF
Klee and angr
PDF
AkJS Meetup - ES6++
PDF
Dart for Java Developers
PPTX
Angular2 for Beginners
PPTX
Ifi7184 lesson3
ZIP
PDF
[COSCUP 2021] A trip about how I contribute to LLVM
React Development with the MERN Stack
Game Design and Development Workshop Day 1
Kotlin - The Swiss army knife of programming languages - Visma Mobile Meet-up...
JavaScript Growing Up
Nitin Mishra 0301EC201039 Internship PPT.pptx
Chapter i(introduction to java)
Writing code that writes code - Nguyen Luong
TechkTalk #12 Grokking: Writing code that writes code – Nguyen Luong
JavaScript (without DOM)
TypeScript for Java Developers
JavaScript in 2016 (Codemotion Rome)
Klee and angr
AkJS Meetup - ES6++
Dart for Java Developers
Angular2 for Beginners
Ifi7184 lesson3
[COSCUP 2021] A trip about how I contribute to LLVM
Ad

More from Troy Miles (20)

PDF
Fast C++ Web Servers
PDF
AWS Lambda Function with Kotlin
PDF
Angular Application Testing
PDF
ReactJS.NET
PDF
What is Angular version 4?
PDF
From MEAN to the MERN Stack
PDF
Functional Programming in JavaScript
PDF
Functional Programming in Clojure
PDF
MEAN Stack Warm-up
PDF
The JavaScript You Wished You Knew
PDF
Build a Game in 60 minutes
PDF
Quick & Dirty & MEAN
PDF
A Quick Intro to ReactiveX
PDF
JavaScript Foundations Day1
PDF
AngularJS Beginner Day One
PDF
AngularJS on Mobile with the Ionic Framework
PDF
Building Cross-Platform Mobile Apps
PDF
Cross Platform Game Programming with Cocos2d-js
PDF
10 Groovy Little JavaScript Tips
PDF
Cross Platform Mobile Apps with the Ionic Framework
Fast C++ Web Servers
AWS Lambda Function with Kotlin
Angular Application Testing
ReactJS.NET
What is Angular version 4?
From MEAN to the MERN Stack
Functional Programming in JavaScript
Functional Programming in Clojure
MEAN Stack Warm-up
The JavaScript You Wished You Knew
Build a Game in 60 minutes
Quick & Dirty & MEAN
A Quick Intro to ReactiveX
JavaScript Foundations Day1
AngularJS Beginner Day One
AngularJS on Mobile with the Ionic Framework
Building Cross-Platform Mobile Apps
Cross Platform Game Programming with Cocos2d-js
10 Groovy Little JavaScript Tips
Cross Platform Mobile Apps with the Ionic Framework

Recently uploaded (20)

PDF
Addressing The Cult of Project Management Tools-Why Disconnected Work is Hold...
PDF
Complete React Javascript Course Syllabus.pdf
PPTX
Transform Your Business with a Software ERP System
PDF
Claude Code: Everyone is a 10x Developer - A Comprehensive AI-Powered CLI Tool
PPT
JAVA ppt tutorial basics to learn java programming
PPT
Introduction Database Management System for Course Database
PDF
How to Choose the Right IT Partner for Your Business in Malaysia
PPTX
ManageIQ - Sprint 268 Review - Slide Deck
PDF
medical staffing services at VALiNTRY
PPTX
CHAPTER 12 - CYBER SECURITY AND FUTURE SKILLS (1) (1).pptx
PDF
Design an Analysis of Algorithms II-SECS-1021-03
PDF
Audit Checklist Design Aligning with ISO, IATF, and Industry Standards — Omne...
PDF
Wondershare Filmora 15 Crack With Activation Key [2025
PPTX
Lecture 3: Operating Systems Introduction to Computer Hardware Systems
PDF
System and Network Administration Chapter 2
PDF
How to Migrate SBCGlobal Email to Yahoo Easily
PDF
Understanding Forklifts - TECH EHS Solution
PPTX
Essential Infomation Tech presentation.pptx
PDF
Softaken Excel to vCard Converter Software.pdf
PDF
Why TechBuilder is the Future of Pickup and Delivery App Development (1).pdf
Addressing The Cult of Project Management Tools-Why Disconnected Work is Hold...
Complete React Javascript Course Syllabus.pdf
Transform Your Business with a Software ERP System
Claude Code: Everyone is a 10x Developer - A Comprehensive AI-Powered CLI Tool
JAVA ppt tutorial basics to learn java programming
Introduction Database Management System for Course Database
How to Choose the Right IT Partner for Your Business in Malaysia
ManageIQ - Sprint 268 Review - Slide Deck
medical staffing services at VALiNTRY
CHAPTER 12 - CYBER SECURITY AND FUTURE SKILLS (1) (1).pptx
Design an Analysis of Algorithms II-SECS-1021-03
Audit Checklist Design Aligning with ISO, IATF, and Industry Standards — Omne...
Wondershare Filmora 15 Crack With Activation Key [2025
Lecture 3: Operating Systems Introduction to Computer Hardware Systems
System and Network Administration Chapter 2
How to Migrate SBCGlobal Email to Yahoo Easily
Understanding Forklifts - TECH EHS Solution
Essential Infomation Tech presentation.pptx
Softaken Excel to vCard Converter Software.pdf
Why TechBuilder is the Future of Pickup and Delivery App Development (1).pdf

React Native One Day

  • 1. React Native One Day CoWork South Bay Torrance, CA 27 August 2017
  • 2. Me • Troy Miles • Over 38 years of programming experience • Software engineer, speaker, book and video author • rockncoder@gmail.com • @therockncoder • lynda.com Author

  • 3. Kotlin for Java Developers
  • 5. “Learn once, write anywhere: Build mobile apps with React”
  • 6. React Native • “Deliver native Android, iOS, and Windows apps, using existing skills, teams, and code.” • Released: March 27, 2015 • 51k+ GitHub Stars
  • 7. Installation • Node.js (& npm) • Android SDK • React Native
  • 8. All of our code will run on both PC & Mac. But iOS can only be developed on a Mac. So we will only build code for Android.
  • 9. Android Development • Install Java 8 • Install Android Studio • Install Android SDK 23 (Marshmallow) • Install Intel HAXM (x86 Android Emulator)
  • 10. Mac Installation • brew install node • brew install watchman* • npm i -g react-native-cli
  • 11. Windows Installation • choco install nodejs.install • choco install python2 • choco install jdk8
  • 12. React-Native • react-native init <app name> • cd <app name> • react-native run-android
  • 13. React Native + NativeBase • react-native init <app-name> • cd <app-name> • yarn add native-base react-native-vector-icons • react-native link react-native-vector-icons • yarn remove babel-preset-react-native • yarn add babel-preset-react-native@2.1.0
  • 14. babel-preset-react-native ERROR • npm uninstall babel-preset- react-native • npm install babel-preset-react- native@2.1.0
  • 15. Mac Fix • Close packager window • watchman watch-del-all • rm -rf node_modules && npm install • react-native run-android
  • 16. PC Fix • Close packager window • Delete the node_modules directory • npm install • react-native run-android
  • 17. react-native CLI Command Purpose init [app name] creates a react-native app run-android [options] builds app, starts on Android run-ios [options] builds app, starts on iOS start [options] starts webserver new-library [options] generates a native library bridge bundle [options] builds offline javascript bundle unbundle [options] builds unbundle javascript
  • 18. react-native CLI Command Purpose eject [options] takes the shackles off link [options] <packageName> links all native dependencies unlink [options] <packageName> unlink native dependency install [options] <packageName> install+link native dependencies uninstall [options] <packageName> uninstall+unlink native upgrade [options] upgrade app's template files log-android [options] starts adb logcat log-ios [options] starts iOS device syslog tail
  • 19. Development Environment • Command/Terminal window for CLI Commands • The Packager window • Android simulator or device • Chrome browser • Your IDE
  • 21. In-App Developer Menu Command Purpose Command-M or Alt-M Show Developer Menu Reload Reloads the code Debug JS Remotely Debugging via Chrome Enable Live Reload Automatically updates on save Enable Hot Reloading Automatically updates on save, with state Toggle Inspector Shows view construction Show Perf Monitor Shows performance information
  • 22. Application Root Directory • All of the commands, for all of the tools are designed work on the application root directory • If used anywhere else bad things will happen • be sure you are in the app root • double check that you are in the app root
  • 24. ECMAScript Versions Version Date ES1 June 1997 ES2 June 1998 ES3 December 1999 ES4 DOA 2006 ES5 December 2009 ES2015 / ES6 June 2015 ES2016 / ES7 2016
  • 25. Collection Operators • .isArray() • .every() • .forEach() • .indexOf() • .lastIndexOf() • .some() • .map() • .reduce() • .filter()
  • 26. map let junk = [1, 2, 3, 4, 'Alpha', 5, {name: 'Jason'}];
 let letters = ['A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K'];
 let nums = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20];
 console.log(nums);
 
 // map iterates over all of the elements and returns a new array with the same // number of elements
 let nums2 = nums.map((elem) => elem * 2);
 console.log(nums2); /// [2, 4, 6, 8, 10, 12, 14, 16, 18, 20, 22, 24, 26, 28, 30, 32, 34, 36, 38, 40] 

  • 27. filter let junk = [1, 2, 3, 4, 'Alpha', 5, {name: 'Jason'}];
 let letters = ['A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K'];
 let nums = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20];
 console.log(nums);
 
 // filter iterates over the array and returns a new array with only the elements // that pass the test
 let nums3 = nums.filter((elem) => !!(elem % 2));
 console.log(nums3); /// [1, 3, 5, 7, 9, 11, 13, 15, 17, 19]
  • 28. reduce let junk = [1, 2, 3, 4, 'Alpha', 5, {name: 'Jason'}];
 let letters = ['A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K'];
 let nums = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20];
 console.log(nums);
 
 // reduce iterates over the array passing the previous value and the current
 // element it is up to you what the reduction does, let's concatenate the strings
 let letters2 = letters.reduce((previous, current) => previous + current);
 console.log(letters2); /// ABCDEFGHIJK
 
 // reduceRight does the same but goes from right to left
 let letters3 = letters.reduceRight((previous, current) => previous + current);
 console.log(letters3); /// KJIHGFEDCBA

  • 29. let • let allows us to create a block scoped variables • they live and die within their curly braces • var is considered deprecated • best practice is to use let instead of var
  • 30. let // let allows us to create block scoped variables
 // they live and die within the curly braces
 let val = 2;
 console.info(`val = ${val}`);
 {
 let val = 59;
 console.info(`val = ${val}`);
 }
 console.info(`val = ${val}`);
 

  • 31. const • const creates a variable that can't be changed • best practice is to make any variable that should not change a constant • does not apply to object properties or array elements
  • 32. const const name = 'Troy';
 console.info(`My name is ${name}`);
 // the line below triggers a type error
 name = 'Miles';

  • 33. Template strings • Defined by using opening & closing back ticks • Templates defined by ${JavaScript value} • The value can be any simple JavaScript expression • Allows multi-line strings (return is pass thru)
  • 34. Template strings let state = 'California';
 let city = 'Long Beach';
 console.info(`This weekend's workshop is in ${city}, ${state}.`);
 
 // template strings can run simple expressions like addition
 let cup_coffee = 4.5;
 let cup_tea = 2.5;
 console.info(`coffee: $${cup_coffee} + tea: $${cup_tea} = $$ {cup_coffee + cup_tea}.`);
 
 // they can allow us to create multi-line strings
 console.info(`This is line #1.
 this is line #2.`);
 

  • 35. Arrow functions • Succinct syntax • Doesn’t bind its own this, arguments, or super • Facilitate a more functional style of coding • Can’t be used as constructors
  • 36. Arrow functions • When only one parameter, parenthesis optional • When zero or more than one parameter, parenthesis required
  • 37. Arrow function let anon_func = function (num1, num2) {
 return num1 + num2;
 };
 console.info(`Anonymous func: ${anon_func(1, 2)}`);
 
 let arrow_func = (num1, num2) => num1 + num2;
 console.info(`Arrow func: ${arrow_func(3, 4)}`);

  • 38. this • this is handled different in arrow functions • In anonymous function this is bound to the global object • In arrow function this is what it was in the outer scope
  • 39. Destructuring • Maps the data on the right side of the equals sign to the variables on the left • The data type decides the way values are mapped • It is either object or array destructuring
  • 40. Object Destructuring 16// this is a demo of the power of destructuring 17// we have two objects with the same 3 properties 18 const binary = {kb: 1024, mb: 1048576, gb: 1073741824}; 19 const digital = {kb: 1000, mb: 1000000, gb: 1000000000}; 20// We use a ternary statement to choose which object 21// assign properties based on their property names 22 const {kb, mb, gb} = (useBinary) ? binary : digital;
  • 41. Array Destructuring 5 6 let [param1, bob, key] = ['first', 'second', '3rd']; 7 console.info(`param1 = ${param1}, bob = ${bob}, key = ${key}`); 8 // param1 = first, bob = second, key = 3rd
  • 42. Spread syntax • Expands an expression in places where multiple arguments, elements, or variables are expected
  • 43. The spread operator 11 12 // the spread operator 13 const myArray = ['Bob', 'Sue', 'Fido']; 14 function printFamily(person1, person2, pet) { 15 console.info(`Person 1: ${person1}, Person 2: ${person2}, and their pet: ${pet}`); 16 } 17 printFamily(...myArray); 18 // Person 1: Bob, Person 2: Sue, and their pet: Fido 19
  • 44. Generator Function* • function* is a called a generator • A generator is a function which can exited and re- entered • statements are executed until a yield is encounter • the generator then pauses execution until the yield returns • if a return statement is encounter, it finishes the generator
  • 45. Yield • yield is a keyword which pauses the execution of a generator function • yield can return a value to the generator
  • 46. Class • Syntactic sugar over JavaScript use of function constructors • JavaScript uses proto-typical inheritance • If a class extends another, it must include super() as first instruction in its constructor • Only create a constructor if it does something
  • 47. Class • Syntactic sugar over JavaScript use of function constructors • JavaScript uses proto-typical inheritance • If a class extends another, it must include super() as first instruction in its constructor • Only create a constructor if it does something
  • 48. import • Imports functions, objects, or primitives from other files • import <name> from “<module name>”; • import {name } from “<module name>”; • import * as Greetings from “<module name>”; • relative path indicates not an npm package
  • 49. export • export <var a> • export {a, b};
  • 50. export default • only one per file • common pattern for libraries • const Greetings = {sayHi, sayBye}; • export default Greetings; • export default {sayHi, sayBye};
  • 51. Importing Old School JS • Many JS libraries don’t support the new syntax • How do we use them? • import ‘jquery’;
  • 52. React
  • 53. React • A JavaScript library for building user interfaces • Created by Facebook & Instagram • Initial release March 2013 • Current version 15.6.1 • Next major version 16.0.0, will have breaking changes
  • 54. React • Virtual DOM • One-way data flow • JSX - JavaScript eXtension allows in HTML generation • Component-based
  • 55. React API • The use of JSX is optional in React • You can use the React “API” instead • The createClass method is deprecated and will be removed in React 16
  • 56. Component • Fundamental building block of React • Can be created with a JS Class or Function • The render method is mandatory
  • 57. Class Component 3 4 class Square extends React.Component { 5 render() { 6 return ( 7 <button 8 className="square" 9 onClick={() => this.props.onClick()}> 10 {this.props.value} 11 </button> 12 ); 13 } 14 } 15
  • 58. Functional Component 15 16 function Square(props) { 17 return ( 18 <button 19 className="square" 20 onClick={() => props.onClick()}> 21 {props.value} 22 </button> 23 ); 24 }
  • 59. Props • Props are read-only objects • Passed to component via attributes • Access via this.props
  • 60. State • State is internal to the component • It is mutable • Access via this.state • Initialize in the constructor • Should only modified via setState
  • 61. React.PropTypes • React.PropTypes is deprecated • It will be deleted in React 16 • Use the npm package “prop-types” instead • import PropTypes from ‘prop-types’;
  • 62. PropTypes • PropTypes allow you to declare what properties your component expects • React validates property at runtime • Using propTypes is optional
  • 63. Some PropTypes Component Command PropTypes.array an optional array PropTypes.bool an optional bool PropTypes.element An optional React element PropTypes.func An optional function PropTypes.node Anything that can be rendered PropTypes.number An optional number PropTypes.object An optional object PropTypes.string An optional string PropTypes.symbol An optional Symbol
  • 64. PropType in code 1 2 import React from 'react'; 3 import ReactDOM from 'react-dom'; 4 import PropTypes from 'prop-types'; 5 6 class App extends React.Component { 7 render () { 8 return React.DOM.span(null, `My name is ${this.props.name}`); 9 } 10 } 11 12 App.propTypes = { 13 name: PropTypes.string.isRequired 14 }; 15 16 ReactDOM.render( 17 React.createElement(App, {}), 18 document.getElementById('root') 19 ); 20 21
  • 65. When property is missing
  • 66. React Components • Can be created two ways: • Using JavaScript • Using JSX
  • 67. Components via JS • React’s API contains method createElement() • Takes 3 parameters: type, props, children render() { return React.createElement('h1', null, "Hello there.");
  • 68. JSX • JavaScript Syntax EXtension • A mixture of JavaScript and HTML syntax • Compiles to JavaScript • Is optional but preferred over using JavaScript • Is easier to read
  • 69. JSX Attributes • Can assign either a string or an expression • Strings can be either single or double quotes • Expressions must be enclosed with curly braces
  • 70. Boolean Attributes • HTML has a few boolean attributes, if present they are true • Some of these include: checked, selected, disabled • In JSX, • <Component disabled={true / false} />
  • 71. Forbidden Attributes • Two attributes are JavaScript keywords • JavaScript keywords can’t be used in JSX • class -> className • for -> htmlFor
  • 72. JSX Spread Syntax • a shortcut to passing props to a component • uses ES2015 spread operator • <Component {…object} />
  • 73. JSX Spread Syntax return ( <Timer id={this.props.id} amount={this.props.amount} elapsed={this.props.elapsed} runningSince={this.props.runningSince} onStartClick={this.props.onStartClick} onStopClick={this.props.onStopClick} onResetClick={this.props.onResetClick} onSetClick={this.handleSetClick} /> );
  • 74. JSX Spread Syntax return ( <Timer {...this.props} onSetClick={this.handleSetClick} /> );
  • 75. JSX Debugging Tip • Assign component to a variable • console.log the variable
  • 76. JSX Debugging Tip const timerComp = ( <Timer troy='miles' {...this.props} onSetClick={this.handleSetClick} /> ); console.log(timerComp);
  • 79. Lifecycle Events Event When componentWillMount invoked once before rendering componentDidMount invoked after component loaded componentWillReceiveProps invoked when receiving new props shouldComponentUpdate asks if component should update componentWillUpdate invoked before rendering new props componentDidUpdate invoked after rendered new props componentWillUnmount invoked before component removed
  • 80. Flux
  • 81. Flux • Application architecture for building user interfaces • A pattern for managing data flow in your app • One way data flow • 4 main parts: Dispatcher, Store, Action, & View
  • 82. The 4 main parts • Dispatcher: receives actions & dispatches them to stores • Store: holds the data of an app • Action: define app’s internal API • View: displays the data from stores
  • 84. Redux
  • 85. Redux • A predictable state container for JS apps • Works well with React Native • An alternative to and inspired by Flux • Single store for the entire app • Makes it easier to hot-load your app • Created by Dan Abramov
  • 86. 3 Principles • Single source of truth • State is read-only • Changes are made with pure functions
  • 87. Actions • Actions are payloads of information that send data from you application to your store. • They are sent using store.dispatch() • They are JavaScript objects • Typically have a type property which defines their action • The type is normally a string
  • 88. Action Creators • Functions that create actions • This makes them both portable and easy to test • (In Flux, the creator usually triggers a dispatch)
  • 89. Reducers • Take the current state and an action and return the new state • It is important for reducers to stay pure
  • 90. A Reducer Shouldn’t • Mutate its arguments • Perform side effects like API calls or routing transitions • Call non-pure functions like Date.now()
  • 91. Store • Holds app state • Allows access to the state via getState() • Allows state to be updated via dispatch(action) • Registers listeners via subscribe(listener)
  • 92. Redux Data Lifecycle • Call store.dispatch(action) • Redux store calls the reducer function • The root reducer combines the output of multiple reducers into a single state tree • The redux store saves the complete state tree • (component.setState(newState) called)
  • 93. Middleware • Redux is optimized for a synchronous workflow • Middleware occurs between the dispatcher and the reducer • Can be used for: logging, optimistic updating, etc.
  • 94. React-Redux • Binds Redux to React • Redux middleware • npm i -S react-redux
  • 95. context • Similar to props except doesn't have to be explicitly passed • Any child can have access to context no matter how far down it is • Libraries use context to create provider components
  • 96. connect() • Separates the concerns of the container and presentational components • Takes 2 arguments • a function that maps app state to a JS object • a function that maps the store's dispatch to props • returns a new function
  • 97. Binders • mapStateToProps(state) • Maps state values to the component’s props • mapDispatchToProps • Binds dispatch actions of the component to the store
  • 98. Component Types Presentational Container Purpose How things look How things work Redux Aware No Yes Read data Read from props Subscribe to Redux State Change data Invoke callbacks Dispatch Redux actions How written By hand Generated by react-redux
  • 100. Redux Saga • A library that aims to make side effects in React/ Redux apps easier and better • version 0.15.6 • npm i -S react-saga
  • 101. Sagas • Sagas implemented as Generator functions that yield objects to the redux saga middleware • Sagas can yield Effects in multiple forms, the simplest is a Promise
  • 102. Effects • Effects are JS objects which contain instructions to be fulfilled by the middleware • When middleware retrieves an Effect yielded by a saga, the saga is paused until the Effect is fulfilled • Separation between the Effect creation and execution make it easy to test our Generator
  • 103. Instructions • delay is a utility function that returns a promise that resolves after a specified number milliseconds • put is an Effect • call returns an Effect which instructs the middleware to call a given function with the given arguments
  • 109. Platform Differences • Not all components work with all devices • Some are for iOS only or Android only • Those that end in IOS are for iOS • Those that end in Android are for Android
  • 110. Summary • React Native allows you to make mobile apps in JS • While easier than native development, it is not easy