KEMBAR78
React - Js Essentials | PDF
100% found this document useful (3 votes)
6K views6 pages

React - Js Essentials

React.js Essentials

Uploaded by

Ben Rodri
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
100% found this document useful (3 votes)
6K views6 pages

React - Js Essentials

React.js Essentials

Uploaded by

Ben Rodri
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 6

C O NT E NT S

Get More Refcardz! Visit DZone.com/Refcardz

224
What Is React.js?
How the Magic Happens
A Simple Hello Component
Component Specifications

React.js Essentials
By Hemanth H.M.

AJAX Requests... and more!

W H AT I S R E AC T. J S?

A S I M P L E H E L LO CO M P O N E N T
React components implement a render() method that
takes input data and returns what to display.

React (a.k.a. ReactJS or React.js) is a JavaScript library


for creating user interfaces, open sourced to the
world by Facebook and Instagram team in 2013. One
might think of it as the View in the Model-ViewController pattern.

Here is an example of a simple Hello Component:


var Hello = React.createClass({
render: function () {
return <div>Hello {this.props.name}</div>;
}
});

Reacts main goal is to make development of UI


components easy and modular. It is intended to ease
the process of building large applications using data
that changes over time.

React.render(<Hello name="World" />, document.body);

React was created by Jordan Walke, a software engineer


at Facebook, with the influence of XHP, a PHP-based
component system that is still in use at Facebook, but
also by functional programming ideas. Pete Hunt wanted
to use React at Instagram, so he pushed to extract React
from Facebook-specific code and open source it.

NOTE: The XML-like syntax shown is called JSX.

Here is the same component without JSX:


var Hello = React.createClass({displayName: "Hello",
render: function() {
return React.createElement("div", null, "Hello ", this.
props.name);
}
});

React has gained a lot of popularity for its concept of


a virtual-DOM, which allows it to determine which
parts of the DOM have changed by diffing the new
version with the stored virtual DOM, and using the
result to determine how to most efficiently update the
browsers DOM.

React.render(React.createElement(Hello, {name:
"World"}), mountNode);

CO M P O N E N T S P E C I F I C AT I O N S

HOW THE M AGIC H A PPENS

NAME

To get an idea of whats going on inside React, take


a look at the following diagrams demonstrating how
React.js rendering and the React Virtual DOM work:

DESCRIPTION

The render() function should be pure,


meaning that it does not modify the

render

component state. It should examine this.


props and this.state and return a single

child element.

REJAVA
ACT.JSENTERPRISE
ESSENTIALS EDITION 7

Invoked once before the component is


getInitialState

mounted. The return value will be used as


the initial value of this.state.
Invoked once and cached when the class is

getDefaultProps

created. Values in the mapping will be set on


this.props.

propTypes

FIGURE 1: REACT.JS RENDERING

mixins

The propTypes object allows you to validate


props being passed to your components.

The mixins array allows you to use mixins to


share behavior among multiple components.
The statics object allows you to define

statics

static methods that can be called on the


component class.

FIGURE 2: THE REACT VIRTUAL DOM

React basically batches DOM updates and then applies


minimal diffs to the real DOM.

D Z O NE, INC.

displayName

DZ O NE.C O M

The displayName string is used in debugging


messages. JSX sets this value automatically.

2
COMPONENTS API

STATES AND PROPERTIES

NAME

setState

DESCRIPTION

Props and states are both plain JS objects; a change within one
of them will trigger a render. These objects are deterministic.

Merges nextState with the current state.

<VideoComponent fullscreen={true} />


// props
this.props.fullscreen //=> true

Like setState(), but deletes any

replaceState

pre-existing state keys that are not in

// state
this.setState({ user: 'hemanth' });
this.replaceState({ ... });
this.state.username //=> 'hemanth'
render: function () {
return <div className={this.props.fullscreen ? 'full' :
''}>
Hello, {this.state.username}
</div>;
}

nextState.

forceUpdate

React.findDOMNode
(0.13+)

isMounted

setProps

Call render() on the component, skipping


shouldComponentUpdate().

Returns the corresponding native browser


DOM element.
Returns true if the component is rendered

Pre-populates states and props:

into the DOM.

React.createClass({
getInitialState: function () {
return { comments: [] };
},

Changes the properties and triggers a rerender.


Like setProps(), but deletes any pre-

replaceProps

REACT.JS ESSENTIALS

getDefaultProps: function () {
return { name: "Hello" };
}
);

existing props instead of merging the two


objects.

LIFECYCLE METHODS
NAME

Deciding when to use props and went to use state might get

DESCRIPTION

tricky. The following table will help to simplify this decision:

Invoked once, both on the client

componentWillMount

the initial rendering occurs.

Invoked on the client

componentDidMount

PROPS

STATE

Can get initial value from parent Component?

Yes

Yes

Can be changed by parent Component?

Yes

No

Can set default values inside Component?

Yes

Yes

Can change inside Component?

No

Yes

Can set initial value for child Components?

Yes

Yes

Can change in child Components?

Yes

No

immediately after the initial


rendering occurs.

Invoked when a component

componentWillReceiveProps

DECIDING FACTOR

and server, immediately before

is receiving new prop. Use


setState() here.

Invoked before rendering when

shouldComponentUpdate

new props or state are being


received. Skips render() if it
returns false.

componentWillUpdate

Invoked immediately before


rendering when new props or
state are being received. Cant
use setState() here.

componentDidUpdate

Invoked immediately after


the component's updates are
flushed to the DOM. Operate on
the DOM here.

componentWillUnmount

Invoked immediately before a


component is unmounted from
the DOM.

A J A X R E Q U E S TS
React by default doesnt provide a helper method to manage
AJAX requests, but you can use any other third party
JavaScript librarylike jQuery or Zeptoto make necessary
AJAX requests.
Below is a sample code snippet that performs an AJAX
request on props.url and on success sets the data state. In
case of an error, it just uses console.error to report the error.
NOTE: Make sure that the execution context (this) is bound to

the success and error callbacks.


D Z O NE, INC .

DZ O NE .C O M

REACT.JS ESSENTIALS

DOM HELPERS

componentDidMount: function() {
$.ajax({
url: this.props.url,
dataType: 'json',
cache: false,
success: function(data) {
this.setState({data: data});
}.bind(this),
error: function(xhr, status, err) {
console.error(this.props.url, status, err.toString());
}.bind(this)
});
}

References: Help to access the DOM nodes:


<input ref="firstName">
this.refs.firstName
React.findDOMNode(this.refs.firstName).focus()
React.findDOMNode(this.refs.firstName).value

DOM Events: Help to handle DOM events:


<input type="text"
value={this.state.value}

onChange={this.handleChange} />

S T Y L I N G YO U R CO M P O N E N TS

handleChange: function(event) {
this.setState({ value: event.target.value });
}

In React, styles are mentioned in line, but unlike the


traditional way of inline CSS strings, here we specify each
style as an object whose key is the camelCased version of
the style name, and whose value is the styles value (usually
a string).

Two-way data bindings with mixins:


Email: <input type="text" valueLink={this.linkState('email')}
/>

var divStyle = {
color: 'white',
backgroundImage: 'url(' + imgUrl + ')',
WebkitTransition: 'all', // note the capital 'W' here
msTransition: 'all'
// 'ms' is the only lowercase vendor prefix
};

React.createClass({
mixins: [React.addons.LinkedStateMixin]
});
this.state.email

Validating properties:

React.render(<div style={divStyle}>Hello World!</div>,


mountNode);

NAME

Primative Types

Most numeric values at the end of a style prop receive an


automatic px specification added to them (e.g., width:
10 is read as width: 10px). Here is a list of properties that
wont get the automatic px suffix:

Reactive Elements

boxFlex

Enumerables

boxFlexGroup
columnCount

Arrays and Objects

fillOpacity

DESCRIPTION
.string
.number
.func
.bool
.element
.node
.oneOf
.oneOfType
.array[Of]
.object[Of]
.instanceOf
.shape

flex

Sample usage:

flexGrow
flexPositive

React.createClass({
propTypes: {

email: React.PropTypes.string,

firstName: React.PropTypes.string,

age: React.PropTypes.number,
gender: React.PropTypes.oneOf(['M','F','NA'])
node: React.PropTypes.node,

cb: React.PropTypes.func.isRequired,
}
});

flexShrink
flexNegative
fontWeight
lineClamp
lineHeight
opacity
order

Custom validation:

orphans

propTypes: {
customProp: function(props, propName, componentName) {

if (!/matchme/.test(props[propName])) {

return new Error('Validation failed!');
}
}
}

strokeOpacity
widows
zIndex
zoom

D Z O NE, INC .

DZ O NE .C O M

4
Property Initializers

REACT ADDONS

React.addons are useful utilities for building React apps. These

var Video = React.createClass({


getDefaultProps() {

return {

autoPlay: false,

maxLoops: 10,
};
},
getInitialState: function() {

return {

loopsRemaining: this.props.maxLoops,
};
},
propTypes: {

autoPlay: React.PropTypes.bool.isRequired,

maxLoops: React.PropTypes.number.isRequired,

posterFrameSrc: React.PropTypes.string.isRequired,

videoSrc: React.PropTypes.string.isRequired,
},
});

are currently experimental, and not yet part of core React.


TransitionGroup and CSSTransitionGroup deal with
animations and transitions
LinkedStateMixin helps in two-way data binding.
cloneWithProps makes shallow copies of React components
and changes their props.
createFragment helps to create a set of externally-keyed
children.
update helps to deal with immutable data.
PureRenderMixin is a performance booster in certain situations.

Apart from these there are few addons that are available in
the development (unminified) version of React only:

Arrow Functions
class PostInfo extends React.Component {
handleOptionsButtonClick = (e) => {

this.setState({showOptionsModal: true});
}
}

TestUtils, simple helpers for writing test cases


Perf, for measuring performance and giving you hints on
where to optimize.
To get these addons, use react-with-addons.js (and its minified
counterpart), rather than the common react.js.

Dynamic property names with template strings


class Form extends React.Component {
onChange(inputName, e) {
this.setState({

[`${inputName}Value`]: e.target.value,
});
}
}

When using the react package from npm, simply use


require(react/addons) instead of require(react) to get
React with all of the addons.
NOTE: Add-ons have moved to separate packages in React v0.14+:

react-addons-clone-with-props

react-addons-create-fragment

react-addons-css-transition-group

react-addons-linked-state-mixin

react-addons-perf

react-addons-pure-render-mixin

react-addons-shallow-compare

react-addons-test-utils

react-addons-transition-group

react-addons-update

ReactDOM.unstable_batchedUpdates in react-dom

REACT.JS ESSENTIALS

Destructuring & spread attributes


class AutoloadingPostsGrid extends React.Component {
render() {

var {

className,

...others,
// all properties of this.props except for className

} = this.props;

return <PostsGrid {...others} />
}
}

CREATING YOUR OWN MIXINS

CoffeeScript and React


For React v0.13.0+

var TimeOutMixin = {
componentWillMount: function() { .. }
}

div = React.createFactory 'div'

var TickTock = React.createClass({


mixins: [TimeOutMixin]
}

class Counter extends React.Component


@propTypes = initialCount: React.PropTypes.number
@defaultProps = initialCount: 0

REACT ON ES2015/ES6
NOTE: The following are experimental, and you must use a
transpiler for this to work.

Classes
class Animal extends React.Component {
render() {
return <img alt={this.props.name} src={this.props.src} />;
}
}

D Z O NE, INC .

constructor: (props) ->


super props
@state = count: props.initialCount

tick: =>
@setState count: @state.count + 1

render: ->
div onClick: @tick,

'Clicks: '

@state.count

DZ O NE .C O M

REACT.JS ESSENTIALS

The spread operator is already supported for arrays in ES6.


There is also an ES7 proposal for Object Rest and Spread
Properties.

CO N V E N T I O N S F O R R E AC T D O M & J S X
A few patterns and best practices to get you started:

F L UX : T H E A P P L I C AT I O N A RC H I T E C T U R E

React DOM elements are expected to be in camelCase.

Flux plays a key role if your application uses dynamic data.

The camelCasing of DOM matches what you would write for


custom components:

Dont try to compare Flux to Model-View-Controller (MVC)


architecture. Flux is just a term to describe smart, unidirectional data flow.

<Typeahead onClick=../> and <div onClick=../>

These camelCased attributes are usually what you write


when updating the DOM via JS (input.maxLength).
One current confusing exception is that class= is normalized
automatically into className= at transform time.
Use the className attribute instead of class
Use the htmlFor attribute instead of for
Use <textarea value="something"> instead of
<textarea>something</textarea>

Custom HTML attributes may be data-attr and all lower case.


FIGURE 3: AN OVERVIEW OF FLUX ARCHITECTURE

Make use of ternary operators, wherever required. For example:

Keys ideas in the Flux architecture

React.render(<div id={condition ? msg : }>Hello


World!</div>, mountNode);

1.

Views Dispatch Actions.

ANTI-PATTERN

2.

Store Responds to Dispatched Events.

Using props in getInitialState is an anti-pattern. Instead of:

3.

Store Emits a Change Event.

4.

View Responds to the Change Event

var MessageBox = React.createClass({


getInitialState: function() {
return {nameWithQualifier: 'Mr. ' + this.props.name};
};
render: function() {
return <div>{this.state.nameWithQualifier}</div>;
}
});
React.render(<MessageBox name="Rogers"/>, mountNode);

Points to remember

Try the following:


var MessageBox = React.createClass({
render: function() {
return <div>{'Mr. ' + this.props.name}</div>;
}
});
React.render(<MessageBox name="Rogers"/>, mountNode);

NOTE: This is not an anti-pattern if we make it clear that

synchronization is not the goal.


SPREAD OPERATOR IN JSX

1.

A dispatcher is essentially an event system.

2.

There is at most one global dispatcher.

3.

Store is specific collection of logic and data.

4.

A Store is a singleton.

5.

A store is not a model. A store contains models.

6.

A store is the only entity in the application that is


aware of how to update data.

7.

Only stores registers to dispatcher callbacks. store


emits an event, but not using the dispatcher!

8.

When store data changes, your views shouldnt care


if things were added, deleted, or modified but just
re-render.

C H A N G E S I N R E AC T V0.1 4

var props = {};


props.foo = x;
props.bar = y;
var component = <Component {...props} />;

React version 0.14, released in fall of 2015, separated out all


DOM related functionality into a separate dependency, which
can be fetched from npm under the name react-dom.

You can also use the spread operator (...) to override props:

Every new change in 0.14including the major changesis

var props = { foo: 'default' };


var component = <Component {...props} foo={'override'} />;
console.log(component.props.foo); // 'override'

D Z O NE, INC .

introduced with a runtime warning and will work as before


until version 0.15 is released.

DZ O NE .C O M

REACT.JS ESSENTIALS

The react package contains React.createElement,


.createClass, .Component, .PropTypes, .Children, and the
other helpers related to elements and component classes.

// sum.js
function div (value1, value2) {
return value1 / value2;
}
module.exports = sum;

The react-dom package has ReactDOM.render,


.unmountComponentAtNode, and .findDOMNode.

1.

In react-dom/server there is server-side rendering


support with ReactDOMServer.renderToString and
.renderToStaticMarkup.

Create a directory __tests__/ with a file div-test.js

// __tests__/sum-test.js
jest.dontMock('../sum');
describe('sum', function() {
it('divides 4 / 2 to equal 2', function() {
var sum = require('../div');
expect(div(4, 2)).toBe(2);
});
});

So, if you wanted to duplicate the example Hello component


from earlier with react v0.14, it would look like this:
var React = require('react');
var ReactDOM = require('react-dom');
var Hello = React.createClass({
render: function() {
return <div>Hello World</div>;
}
});
ReactDOM.render(<Hello/>, node);

2.

Run npm install jest-cli --save-dev

3.

Add the following to your package.json

{ ... "scripts": { "test": "jest" } ... }

4.

T E S T I N G YO U R A P P L I C AT I O N W I T H J E S T

Run npm test

[PASS] __tests__/sum-test.js (0.015s)

Jest allows for painless JavaScript Unit Testing. It is built on


top of the Jasmine test framework.

Just follow the above steps, and you are ready to run with Jest!

Consider a scenario where you want to test the following


div.js file:

NOTE: For a React component, we follow the same steps along


with it, we will have to use React.addons.TestUtils.

ABOUT THE AUTHOR

RESOURCES

HEMANTH H.M. has had exposure to major scripting languages throughout his career, and his
major focus in the last couple of years has been on frontend. He maintains strict discipline in
coding, likes to adopt TDD and Agile processes not only in his professional life, but also in all his
FOSS contributions. He is a core team member of the Google Yeoman project, and has published
many node modules and ruby gems and is a maintainer of many major projects. Currently he is
working heavily on Node.js, especially on expressjs and koajs.
His major area of interest and research is in ECMAScript, has delivered few talks w
ith JSChannel(Partners with
JSConf US) and JSFoo. H
e also co-organises BangaloreJS meetups and helps people to get into FOSS on IRC
and a few slack groups. He writes technical articles on his blog(400+ articles so far) his <3 towards Node made
him start nmotw.in (Node module of the week), which talks about a new interesting node module every week, also
started jsfeatures.in, which covers all the JavaScript features in a SPA.

React.js Website
React.js Documentation
React.js Download
Why React?

BROWSE OUR COLLECTION OF 250+ FREE RESOURCES, INCLUDING:


RESEARCH GUIDES: Unbiased insight from leading tech experts
REFCARDZ: Library of 200+ reference cards covering the latest tech topics
COMMUNITIES: Share links, author articles, and engage with other tech experts

JOIN NOW
DZONE, INC.
150 PRESTON EXECUTIVE DR.
CARY, NC 27513

DZone communities deliver over 6 million pages each month to more than 3.3 million software
developers, architects and decision makers. DZone offers something for everyone, including news,
tutorials, cheat sheets, research guides, feature articles, source code and more.

888.678.0399
919.678.0300
REFCARDZ FEEDBACK WELCOME
refcardz@dzone.com

"DZone is a developer's dream," says PC Magazine.

SPONSORSHIP OPPORTUNITIES

DZ Osales@dzone.com
NE .C O M

Copyright 2016 DZone, Inc. All rights reserved. No part of this publication may be reproduced, stored in a retrieval system, or
D Zpermission
O NE, INC
transmitted, in any form or by means electronic, mechanical, photocopying, or otherwise, without prior written
of the. publisher.

VERSION 1.0

You might also like