SlideShare a Scribd company logo
REACT & FLUX WORKSHOP
BY CHRISTIAN LILLEY
ABOUT.ME/XML — @XMLILLEY
OUR PLAN
REACT
1. Light Intro to React Concepts
2. Demos: Building with React
3. React Details/Summary
(SHORT) BREAK
FLUX
4. Light Intro to Flux Concepts
5. Demos: Building with Flux
6. Flux Details/Summary
CODE
REPOS AT GITHUB.COM/XMLILLEY
github.com/xmlilley/jschannel-react-demos
github.com/xmlilley/jschannel-flux-demos
“WORKSHOP” VS. “HANDS-ON”
NORMS ON QUESTIONS
React & Flux Workshop
React & Flux Workshop
React & Flux Workshop
WATCH FOR: THE BIG PICTURE
Components, Components
Components
Dumb Components,
Decoupled Systems
Location-Transparent
Messaging: Actions &
Events
Crossover with Node
The Unix Philosophy
Modules & Explicit
Dependency Injection
Everything-in-JS
Virtual DOM
… which is really about…
Separating Render Context
(DOM) from App
Architecture
One-Way Flows (data &
directed trees), FRP,
Immutability
“Being DOM vs. Rendering
via DOM”
WATCH FOR: THE BIG PICTURE
DOM —> JAVASCRIPT?
JAVASCRIPT —> DOM
or:
WATCH FOR: THE BIG PICTURE
$WATCH & UPDATE?
RE-RENDER
or:
WATCH FOR: THE BIG PICTURE
WHAT IS ?
‘Library’, not a ‘Framework’
If you start from MVC, React is only the V
(But forget MVC. It’s kind of… over)
Components for interfaces: Make complex
components from simpler components
Not a tiny library, but a small API: only for rendering
components, not building whole apps
Use basic JS for most things, not API calls
Browser Support: IE 8+ (Needs shims/shams for ES5)
The whole interface is a tree of React components,
which mirrors… is mirrored by… the DOM tree
For every DOM element, there’s a component
No templates at runtime: only Javascript *
Data flows only in one direction: down the tree
Conceptually, this means we never ‘update’ or
‘mutate’ the DOM. We simply re-render it.
WHAT IS ?
* YMMV
LET’S SEE A COMPONENT…
COMPONENT STRUCTURE
A component is a React ‘class’ instance (but isn’t built
with `new` in ES5: it’s functional construction until ES6)
Components have default ‘lifecycle’ methods: hooks for
actions at various points in time
has ‘Props’ & ‘State’: props are immutable and inherited,
state is mutable and changes trigger re-render
JSX is how you compose the view, combine child
elements
Extend with your own methods, or augment existing ones
COMPONENT MIXINS
Mixins are handy bundles of reusable methods that
you can apply to multiple component types
Great for ‘glue’ functions/boilerplate: service
interaction, event listeners, dispatching Actions, etc.
Big problem: they’re going away in ES6
Smaller problem: multiple mixins can clash
Good Solution to both: ‘Higher-Order
Components’ (functional generators that compose
new components by augmenting existing ones)
‘RULES’ ON PROPS & STATE
‘state’ vs. ‘props’ isn’t about the kind of thing, instead
it’s how thing is used and where it came from

a given thing is ‘state’ in the one place where you can
modify it: any child using same thing inherits as a
‘prop’, which can’t be modified

Avoid retrieving same data at different levels of the
tree: instead, pass it down as props

Pass functions (as props) so children can trigger
updates on ancestor’s state, then render new props
JSX IS XML-LIKE JAVASCRIPT
Everything in React is Javascript, including your ‘template’

You can compose a React component’s view in raw
Javascript objects, but you don’t really want to. 

Plus, we’re really used to HTML. It’s painful for us to
imagine creating web interfaces without it. 

HTML/XML is actually a really good way to visually model
a tree structure of parent-child relationships

Hence, JSX is a syntax that looks like XML/HTML… but
isn’t. We transpile it to React’s fundamental JS.
JSX IS XML-LIKE JAVASCRIPT
React.createElement("div", {className: "ideas-wrapper"},
React.createElement("div", {className: "bs-callout bs-
callout-warning"},
React.createElement("p", null, “Lorem Ipsum dolor
est.…”)
),
React.createElement(Button, {bsStyle: "success",
bsSize: "small", onClick: this._showNewIdeaModal},"New
Idea"),
React.createElement(NewIdeaModal, {closeFunc:
this.closeModal, show: this.state.showModal}),
React.createElement(UserselectedIdea, null),
React.createElement(IdeaList, null)
)
INSTEAD OF THIS DEEPLY-NESTED MESS…
JSX IS XML-LIKE JAVASCRIPT
<div className="ideas-wrapper">
<div className="bs-callout bs-callout-
warning">
<p>Lorem Ipsum dolor est…</p>
</div>
<Button bsStyle='success' bsSize='small'
onClick={this._showNewIdeaModal}>New Idea</
Button>
<NewIdeaModal closeFunc={this.closeModal}
show={this.state.showModal} />
<UserselectedIdea />
<IdeaList />
</div>
…JSX LETS US HAVE THIS:
JSX SYNTAX ESSENTIALS
If your JSX spans multiple lines, wrap in parens

Components are ‘classes’, so uppercase 1st letters

lowercase for traditional html elements

camelCase most attributes

reserved words: ‘class’=‘className’; ‘for’=‘htmlFor’

single curly brackets to interpolate: {obj.prop}

wrap comments: {/*comment in JSX Block*/}
JSX SYNTAX ESSENTIALS
Remember: even <div> is just a default React
component, called ‘div’, which has a render method
that outputs some specific HTML
THE LIFE OF A COMPONENT
Creation
Get State &
Props
render( )
DOM
Interaction:
handlers, 

:focus, etc.
DOM Events
(or store
updates)
Action/Event

Handler
setState( )
THE LIFE OF A COMPONENT
Component ‘lifecycle methods’ run the process:
Source: javascript.tutorialhorizon.com
THE LIFE OF A COMPONENT
componentDidMount()

add DOM event listeners, fetch
async data, animate something,
claim focus for an input, etc. Use
JQuery or attach stuff from other
libraries (only runs on browser, not
server)

componentDidUpdate()
like componentDidMount, for
updates: good for animation hooks,
focus grabs, etc.

componentWillUnmount()
cleanup: remove event listenters,
timers, etc

shouldComponentUpdate()
(advanced): to prevent a re-render
that would otherwise happen

componentWillReceiveProps
(advanced) monitor if props have
changed between renders

componentWillMount()
(advanced) no DOM yet. Last
chance to change state with
conditional logic without triggering
re-render 

componentWillUpdate()
(advanced) Like
componentWillMount, for updates
RE-RENDERING COMPONENTS
setState() updates are batched, nodes marked as ‘dirty’
Source: Christopher Chedeau - calendar.perfplanet.com/2013/diff/
RE-RENDERING COMPONENTS
All dirty elements & children are re-rendered together
Source: Christopher Chedeau - calendar.perfplanet.com/2013/diff/
RE-RENDERING COMPONENTS
It’s possible to prevent renders: shouldComponentUpdate()
Source: Christopher Chedeau - calendar.perfplanet.com/2013/diff/
CONTROLLER-VIEWS
aka: ‘view controller’, ‘owner’, ‘stateful component’
"Try to keep as many of your components as possible stateless.
By doing this you'll isolate the state to its most logical place
and minimize redundancy, making it easier to reason about your
application.” —React Team
several stateless components that just render data, &
a stateful parent component that passes its state to
children via props

stateful component encapsulates all of the interaction
logic
REACT RECIPES:
CONDITIONAL CONTENT
REACT RECIPES:
CONDITIONAL CONTENT
REACT RECIPES:
CONDITIONAL CONTENT
REACT RECIPES:
COLLECTIONS/NG-REPEAT
REACT RECIPES:
COLLECTIONS/NG-REPEAT
REACT CONCLUSIONS
React components not so different conceptually
than Angular Directives or Ember Components:
small, decoupled, easy-to-change
But very different implementation
The only ‘magic’ is really the algorithms for diffing
and child-reconciliation, which is a very narrow
concern: everything else is right there for you to see
A bit more typing during creation (use tools!)
NOT a full application framework
STRETCH!
WHAT IS ?
WHAT IT’S TRYING TO IMPROVE:
WHAT IS ?
"It's more of a pattern rather than a formal 

framework.” —Facebook
“It is simply a new kind of architecture that 

complements React and the concept of 

Unidirectional Data Flow.” — Scotch.io
“The glue for communicating between your dumb
React components” — XML
Very little of ‘Flux’ is a set library or API: most of it
you create yourself, or BYO tools
WHAT IS ?
Doesn’t even include everything you need: there’s
no router, for instance
Basic Javascript conventions wherever possible
Tendency toward the Node/NPM world
Fragmented/Evolving
THE FOUR HORSEMEN: ADSV
Actions — Users & Services Do
Things

Dispatcher — Notify Everyone
What Happened
Stores — Keep Track of the Data

Views — React Components
GO WITH THE (1-WAY) FLOW
A FULLER PICTURE
ENOUGH TALKY-TALK.

SHOW CODE!!!
React & Flux Workshop
FLUX: ACTIONS
Discrete, atomic bits of app logic: “When X happens,
Do Y and Z to data/app state”
As close as it gets to the MVC ‘Controller’
“Fire and Forget”: use events, not callbacks
Usually where server calls are triggered
Then, tell everyone the outcome, via the Dispatcher
Best-practices: separate action types, use ‘action-
constants’
FLUX: DISPATCHER
Only one instance per app
Just a dumb pipe: the internet, not the nodes
All subscribers receive all events it dispatches
Only clever trick: waitFor()
FLUX: STORES
How many? Approx. one store per entity type/domain
Or, to model a relationship between entities
Simply accepts incoming changes, fires change
events, lets the components worry about what
happens next
Smart about data, 

dumb about interface & interaction
Can also store app-wide user/interface state
FLUX: STORES
Flux is completely unopinionated about models:
POJOs seem most common
Consider Immutable data-structures
REACT/FLUX RECIPES:
TWO-WAY BINDINGS
Do we really use this all that often? :-)
Simple concept:
One component updates state from input
Another component listens for state changes
Can do yourself, or use ‘LinkedStateMixin’
(Only saves a few lines of code…)
FLUX/REACT CONCLUSIONS
Powerful patterns make it harder to mingle
concerns, create interdependency
Less ‘magic’
Community/docs still growing… quickly
Everything is user-replaceable, many options
Maintainability vs. Creation Speed
Lots of Developer Freedom (too much for some?)
FLUX/REACT CONCLUSIONS
Not everyone is ready to give up HTML templating
… yet
Mass-adoption might require a ‘framework’
around it
A sponsor is helpful, too: Facebook?
Clearly the direction our craft is moving… but
they’re not the only ones moving that way, nor is it
the only way to get there
REACT & VIRTUAL DOM
If you do your whole interface in HTML, what is
that? It’s a virtual DOM.
So, we’ve always been doing that. That’s not the
magic here.
More powerful ideas:
Immutable DOM
Optional (Decoupled) DOM
ABOUT PERFORMANCE:
The React team talks in frames per second when
describing their lightning fast rendering. Examples such
as this one show lists of 1500 rows taking 1.35 seconds
with AngularJS versus 310ms with ReactJs. This begs
questions such as:
• should you ever render 1500 rows (can the user
process this much on screen) and
• is trimming fractions of a second off of load times on
reasonably designed pages a premature optimization
in most applications?
Source: http://www.funnyant.com/reactjs-what-is-it/
ABOUT PERFORMANCE:
Source: aerotwist.com/blog/react-plus-performance-equals-what/
ABOUT PERFORMANCE:
The pattern is more important than the hype
Properly-optimized, and used normally, other tools
(Angular, Ember) perform fairly comparably
Go ahead and mix React into your existing apps
for performance gains. Keep React (or something
similar) for the pattern.
EXTRAS: TESTING
Atomic modules/components == easier testing
explicit dependency injection == easier testing
JEST: Jasmine +++
automatically mocks dependencies for you
includes a runner (kinda like React’s Karma)
Output of a React component is absolute: a string
just compare the strings
Type assertion for props is complementary
EXTRAS: ANIMATION
Built-In support for CSS animation quite similar to
Angular in some ways
Much more explicit, non-automatic
ReactTransitionGroup: excellent pattern of
encapsulating reusable functionality on an
invisible wrapper element, rather than augmenting
in-view components
That said… Javascript animation is sexy again,
particularly when all renders are already in
requestAnimationFrame()
EXTRAS: NAMESPACING
var MyFormComponent = React.createClass({...});
MyFormComponent.Row = React.createClass({…});
module.exports = MyFormComponent;
EXTRAS: CSS
Why are inline styles ‘bad’? Not maintainable.

Goals for CSS are narrower scoping, avoiding cascade
collisions. (See BEM, OOCSS) 

This is very hard with global styles: either single-element
classes, or single-rule classes. Neither is convenient. 

JS can do anything a CSS preprocessor can do, and more.
In JS. No pre-processing.

Not inherently superior, but very attractive.
EXTRAS: TOOLS, RESOURCES
github.com/facebook/react/wiki/Complementary-Tools
React Bootstrap already exists, of course

Redux, Reflux, Alt are hottest Flux replacements

Axios for networking ($http)

React-Router
React-Mount, if you really like DOM —> Javascript
React-Style: CSS-in-JS
BY CHRISTIAN LILLEY
ABOUT.ME/XML — @XMLILLEY
THANK YOU!!!!
-XML

More Related Content

PDF
Introduction to React and Flux (CodeLabs)
Eueung Mulyana
 
PDF
Introduce Flux & react in practices (KKBOX)
Hsuan Fu Lien
 
PPTX
Intro to Flux - ReactJS Warsaw #1
Damian Legawiec
 
PPT
Building Reactive webapp with React/Flux
Keuller Magalhães
 
PDF
Introduce flux & react in practice
Hsuan Fu Lien
 
PPSX
React introduction
Kashyap Parmar
 
PPTX
Flux architecture
Boyan Mihaylov
 
PDF
Introduction to react
kiranabburi
 
Introduction to React and Flux (CodeLabs)
Eueung Mulyana
 
Introduce Flux & react in practices (KKBOX)
Hsuan Fu Lien
 
Intro to Flux - ReactJS Warsaw #1
Damian Legawiec
 
Building Reactive webapp with React/Flux
Keuller Magalhães
 
Introduce flux & react in practice
Hsuan Fu Lien
 
React introduction
Kashyap Parmar
 
Flux architecture
Boyan Mihaylov
 
Introduction to react
kiranabburi
 

What's hot (20)

PDF
Getting Started with React-Nathan Smith
TandemSeven
 
PPTX
React. Flux. Redux
Andrey Kolodnitsky
 
PPTX
Reactjs
Neha Sharma
 
PPTX
React JS: A Secret Preview
valuebound
 
PDF
How to Redux
Ted Pennings
 
PPTX
React JS - A quick introduction tutorial
Mohammed Fazuluddin
 
PPTX
React and Flux life cycle with JSX, React Router and Jest Unit Testing
Eswara Kumar Palakollu
 
PPTX
Intro to React
Eric Westfall
 
PDF
An Overview of the React Ecosystem
FITC
 
PPTX
React + Redux + TypeScript === ♥
Remo Jansen
 
PDF
ReactJS presentation
Thanh Tuong
 
PPT
JSON Part 3: Asynchronous Ajax & JQuery Deferred
Jeff Fox
 
PPTX
[Final] ReactJS presentation
洪 鹏发
 
PPT
Starting with Reactjs
Thinh VoXuan
 
PDF
Robust web apps with React.js
Max Klymyshyn
 
PDF
React and redux
Mystic Coders, LLC
 
PDF
React – Structure Container Component In Meteor
Designveloper
 
PDF
Building Modern Web Applications using React and Redux
Maxime Najim
 
PDF
Learning React - I
Mitch Chen
 
Getting Started with React-Nathan Smith
TandemSeven
 
React. Flux. Redux
Andrey Kolodnitsky
 
Reactjs
Neha Sharma
 
React JS: A Secret Preview
valuebound
 
How to Redux
Ted Pennings
 
React JS - A quick introduction tutorial
Mohammed Fazuluddin
 
React and Flux life cycle with JSX, React Router and Jest Unit Testing
Eswara Kumar Palakollu
 
Intro to React
Eric Westfall
 
An Overview of the React Ecosystem
FITC
 
React + Redux + TypeScript === ♥
Remo Jansen
 
ReactJS presentation
Thanh Tuong
 
JSON Part 3: Asynchronous Ajax & JQuery Deferred
Jeff Fox
 
[Final] ReactJS presentation
洪 鹏发
 
Starting with Reactjs
Thinh VoXuan
 
Robust web apps with React.js
Max Klymyshyn
 
React and redux
Mystic Coders, LLC
 
React – Structure Container Component In Meteor
Designveloper
 
Building Modern Web Applications using React and Redux
Maxime Najim
 
Learning React - I
Mitch Chen
 
Ad

Viewers also liked (20)

PPTX
Gorilla Labs - Venture Builder
Nikhil Jacob
 
PDF
Boston Consulting Group Digital Ventures Presents Esprit de corps, The Import...
Randy Johnson
 
PDF
Boston Consulting Group Digital Ventures Presents Werk Music Wednesday
Randy Johnson
 
PDF
Boston Consulting Group Digital Ventures Presents: Fascinating
Randy Johnson
 
PPTX
Flux and React.js
sara stanford
 
KEY
Carsten Eggers Projektbeispiele
carsten1999
 
PPTX
MERN Presentation, January 2015
Barry Dyck
 
PDF
Job Description Blueprint UX Designer Munich
Thomas Fischer
 
PPT
Choice Paralysis
Flux Trend Analysis
 
PDF
React Native Internals
Tadeu Zagallo
 
PDF
About Flux
Jooyoung Moon
 
PDF
Intro to RxJava/RxAndroid - GDG Munich Android
Egor Andreevich
 
PDF
React.js and Flux in details
Artyom Trityak
 
PPTX
Android Design Principles and Popular Patterns
Faiz Malkani
 
PPTX
The Digital Lab for Manufacturing: How Digital Design & Digital Manufacturing...
Decision Lens
 
PPTX
Clean architecture on android
Benjamin Cheng
 
PPTX
【Potatotips #26】Replace EventBus with RxJava/RxAndroid
Hiroyuki Kusu
 
PPTX
Lightning Talk - Clean Architecture and Design
Deivison Sporteman
 
PDF
GDG 2014 - RxJava를 활용한 Functional Reactive Programming
waynejo
 
Gorilla Labs - Venture Builder
Nikhil Jacob
 
Boston Consulting Group Digital Ventures Presents Esprit de corps, The Import...
Randy Johnson
 
Boston Consulting Group Digital Ventures Presents Werk Music Wednesday
Randy Johnson
 
Boston Consulting Group Digital Ventures Presents: Fascinating
Randy Johnson
 
Flux and React.js
sara stanford
 
Carsten Eggers Projektbeispiele
carsten1999
 
MERN Presentation, January 2015
Barry Dyck
 
Job Description Blueprint UX Designer Munich
Thomas Fischer
 
Choice Paralysis
Flux Trend Analysis
 
React Native Internals
Tadeu Zagallo
 
About Flux
Jooyoung Moon
 
Intro to RxJava/RxAndroid - GDG Munich Android
Egor Andreevich
 
React.js and Flux in details
Artyom Trityak
 
Android Design Principles and Popular Patterns
Faiz Malkani
 
The Digital Lab for Manufacturing: How Digital Design & Digital Manufacturing...
Decision Lens
 
Clean architecture on android
Benjamin Cheng
 
【Potatotips #26】Replace EventBus with RxJava/RxAndroid
Hiroyuki Kusu
 
Lightning Talk - Clean Architecture and Design
Deivison Sporteman
 
GDG 2014 - RxJava를 활용한 Functional Reactive Programming
waynejo
 
Ad

Similar to React & Flux Workshop (20)

PDF
React Native +Redux + ES6 (Updated)
Chiew Carol
 
PPTX
Adding a modern twist to legacy web applications
Jeff Durta
 
PDF
DZone_RC_RxJS
Luis Atencio
 
PDF
I Heard React Was Good
FITC
 
PDF
The Road To Redux
Jeffrey Sanchez
 
PPTX
Sps Oslo - Introduce redux in your sp fx solution
Yannick Borghmans
 
PDF
Developing large scale JavaScript applications
Milan Korsos
 
PDF
Learning React js Learn React JS From Scratch with Hands On Projects 2nd Edit...
bandmvh3697
 
PPTX
React js - The Core Concepts
Divyang Bhambhani
 
PDF
Delivering with ember.js
Andrei Sebastian Cîmpean
 
PPTX
SharePoint Framework y React
SUGES (SharePoint Users Group España)
 
PDF
Intro to React - Featuring Modern JavaScript
jasonsich
 
PPTX
React-JS.pptx
AnmolPandita7
 
PPTX
ReactJS presentation.pptx
DivyanshGupta922023
 
PDF
Introduction Web Development using ReactJS
ssuser8a1f37
 
PPTX
React gsg presentation with ryan jung &amp; elias malik
Lama K Banna
 
PPTX
Adding a modern twist to legacy web applications
Jeff Durta
 
PDF
30 days-of-react-ebook-fullstackio
imdurgesh
 
PPTX
Rethinking Best Practices
floydophone
 
PPTX
SPS Stockholm Introduce Redux in your SPFx solution
Yannick Borghmans
 
React Native +Redux + ES6 (Updated)
Chiew Carol
 
Adding a modern twist to legacy web applications
Jeff Durta
 
DZone_RC_RxJS
Luis Atencio
 
I Heard React Was Good
FITC
 
The Road To Redux
Jeffrey Sanchez
 
Sps Oslo - Introduce redux in your sp fx solution
Yannick Borghmans
 
Developing large scale JavaScript applications
Milan Korsos
 
Learning React js Learn React JS From Scratch with Hands On Projects 2nd Edit...
bandmvh3697
 
React js - The Core Concepts
Divyang Bhambhani
 
Delivering with ember.js
Andrei Sebastian Cîmpean
 
SharePoint Framework y React
SUGES (SharePoint Users Group España)
 
Intro to React - Featuring Modern JavaScript
jasonsich
 
React-JS.pptx
AnmolPandita7
 
ReactJS presentation.pptx
DivyanshGupta922023
 
Introduction Web Development using ReactJS
ssuser8a1f37
 
React gsg presentation with ryan jung &amp; elias malik
Lama K Banna
 
Adding a modern twist to legacy web applications
Jeff Durta
 
30 days-of-react-ebook-fullstackio
imdurgesh
 
Rethinking Best Practices
floydophone
 
SPS Stockholm Introduce Redux in your SPFx solution
Yannick Borghmans
 

More from Christian Lilley (6)

PDF
Scalable CSS You and Your Back-End Coders Can Love - @CSSConf Asia 2014
Christian Lilley
 
PDF
Angular Directives from Scratch
Christian Lilley
 
PDF
I'm Postal for Promises in Angular
Christian Lilley
 
PDF
Angular from Scratch
Christian Lilley
 
PDF
Intro to Angular.JS Directives
Christian Lilley
 
PDF
Promises, Promises: Mastering Async I/O in Javascript with the Promise Pattern
Christian Lilley
 
Scalable CSS You and Your Back-End Coders Can Love - @CSSConf Asia 2014
Christian Lilley
 
Angular Directives from Scratch
Christian Lilley
 
I'm Postal for Promises in Angular
Christian Lilley
 
Angular from Scratch
Christian Lilley
 
Intro to Angular.JS Directives
Christian Lilley
 
Promises, Promises: Mastering Async I/O in Javascript with the Promise Pattern
Christian Lilley
 

Recently uploaded (20)

PPTX
AI and Robotics for Human Well-being.pptx
JAYMIN SUTHAR
 
PDF
How ETL Control Logic Keeps Your Pipelines Safe and Reliable.pdf
Stryv Solutions Pvt. Ltd.
 
PDF
Software Development Methodologies in 2025
KodekX
 
PDF
Make GenAI investments go further with the Dell AI Factory
Principled Technologies
 
PDF
AI-Cloud-Business-Management-Platforms-The-Key-to-Efficiency-Growth.pdf
Artjoker Software Development Company
 
PDF
Responsible AI and AI Ethics - By Sylvester Ebhonu
Sylvester Ebhonu
 
PDF
Trying to figure out MCP by actually building an app from scratch with open s...
Julien SIMON
 
PPTX
New ThousandEyes Product Innovations: Cisco Live June 2025
ThousandEyes
 
PPTX
Agile Chennai 18-19 July 2025 | Emerging patterns in Agentic AI by Bharani Su...
AgileNetwork
 
PDF
Data_Analytics_vs_Data_Science_vs_BI_by_CA_Suvidha_Chaplot.pdf
CA Suvidha Chaplot
 
PDF
Using Anchore and DefectDojo to Stand Up Your DevSecOps Function
Anchore
 
PPTX
IT Runs Better with ThousandEyes AI-driven Assurance
ThousandEyes
 
PDF
AI Unleashed - Shaping the Future -Starting Today - AIOUG Yatra 2025 - For Co...
Sandesh Rao
 
PDF
Unlocking the Future- AI Agents Meet Oracle Database 23ai - AIOUG Yatra 2025.pdf
Sandesh Rao
 
PDF
Orbitly Pitch Deck|A Mission-Driven Platform for Side Project Collaboration (...
zz41354899
 
PPTX
Introduction to Flutter by Ayush Desai.pptx
ayushdesai204
 
PDF
A Strategic Analysis of the MVNO Wave in Emerging Markets.pdf
IPLOOK Networks
 
PDF
SparkLabs Primer on Artificial Intelligence 2025
SparkLabs Group
 
PPTX
Simple and concise overview about Quantum computing..pptx
mughal641
 
PDF
Security features in Dell, HP, and Lenovo PC systems: A research-based compar...
Principled Technologies
 
AI and Robotics for Human Well-being.pptx
JAYMIN SUTHAR
 
How ETL Control Logic Keeps Your Pipelines Safe and Reliable.pdf
Stryv Solutions Pvt. Ltd.
 
Software Development Methodologies in 2025
KodekX
 
Make GenAI investments go further with the Dell AI Factory
Principled Technologies
 
AI-Cloud-Business-Management-Platforms-The-Key-to-Efficiency-Growth.pdf
Artjoker Software Development Company
 
Responsible AI and AI Ethics - By Sylvester Ebhonu
Sylvester Ebhonu
 
Trying to figure out MCP by actually building an app from scratch with open s...
Julien SIMON
 
New ThousandEyes Product Innovations: Cisco Live June 2025
ThousandEyes
 
Agile Chennai 18-19 July 2025 | Emerging patterns in Agentic AI by Bharani Su...
AgileNetwork
 
Data_Analytics_vs_Data_Science_vs_BI_by_CA_Suvidha_Chaplot.pdf
CA Suvidha Chaplot
 
Using Anchore and DefectDojo to Stand Up Your DevSecOps Function
Anchore
 
IT Runs Better with ThousandEyes AI-driven Assurance
ThousandEyes
 
AI Unleashed - Shaping the Future -Starting Today - AIOUG Yatra 2025 - For Co...
Sandesh Rao
 
Unlocking the Future- AI Agents Meet Oracle Database 23ai - AIOUG Yatra 2025.pdf
Sandesh Rao
 
Orbitly Pitch Deck|A Mission-Driven Platform for Side Project Collaboration (...
zz41354899
 
Introduction to Flutter by Ayush Desai.pptx
ayushdesai204
 
A Strategic Analysis of the MVNO Wave in Emerging Markets.pdf
IPLOOK Networks
 
SparkLabs Primer on Artificial Intelligence 2025
SparkLabs Group
 
Simple and concise overview about Quantum computing..pptx
mughal641
 
Security features in Dell, HP, and Lenovo PC systems: A research-based compar...
Principled Technologies
 

React & Flux Workshop

  • 1. REACT & FLUX WORKSHOP BY CHRISTIAN LILLEY ABOUT.ME/XML — @XMLILLEY
  • 2. OUR PLAN REACT 1. Light Intro to React Concepts 2. Demos: Building with React 3. React Details/Summary (SHORT) BREAK FLUX 4. Light Intro to Flux Concepts 5. Demos: Building with Flux 6. Flux Details/Summary
  • 7. WATCH FOR: THE BIG PICTURE Components, Components Components Dumb Components, Decoupled Systems Location-Transparent Messaging: Actions & Events Crossover with Node The Unix Philosophy Modules & Explicit Dependency Injection Everything-in-JS Virtual DOM … which is really about… Separating Render Context (DOM) from App Architecture One-Way Flows (data & directed trees), FRP, Immutability “Being DOM vs. Rendering via DOM”
  • 8. WATCH FOR: THE BIG PICTURE DOM —> JAVASCRIPT? JAVASCRIPT —> DOM or:
  • 9. WATCH FOR: THE BIG PICTURE $WATCH & UPDATE? RE-RENDER or:
  • 10. WATCH FOR: THE BIG PICTURE
  • 11. WHAT IS ? ‘Library’, not a ‘Framework’ If you start from MVC, React is only the V (But forget MVC. It’s kind of… over) Components for interfaces: Make complex components from simpler components Not a tiny library, but a small API: only for rendering components, not building whole apps Use basic JS for most things, not API calls
  • 12. Browser Support: IE 8+ (Needs shims/shams for ES5) The whole interface is a tree of React components, which mirrors… is mirrored by… the DOM tree For every DOM element, there’s a component No templates at runtime: only Javascript * Data flows only in one direction: down the tree Conceptually, this means we never ‘update’ or ‘mutate’ the DOM. We simply re-render it. WHAT IS ? * YMMV
  • 13. LET’S SEE A COMPONENT…
  • 14. COMPONENT STRUCTURE A component is a React ‘class’ instance (but isn’t built with `new` in ES5: it’s functional construction until ES6) Components have default ‘lifecycle’ methods: hooks for actions at various points in time has ‘Props’ & ‘State’: props are immutable and inherited, state is mutable and changes trigger re-render JSX is how you compose the view, combine child elements Extend with your own methods, or augment existing ones
  • 15. COMPONENT MIXINS Mixins are handy bundles of reusable methods that you can apply to multiple component types Great for ‘glue’ functions/boilerplate: service interaction, event listeners, dispatching Actions, etc. Big problem: they’re going away in ES6 Smaller problem: multiple mixins can clash Good Solution to both: ‘Higher-Order Components’ (functional generators that compose new components by augmenting existing ones)
  • 16. ‘RULES’ ON PROPS & STATE ‘state’ vs. ‘props’ isn’t about the kind of thing, instead it’s how thing is used and where it came from a given thing is ‘state’ in the one place where you can modify it: any child using same thing inherits as a ‘prop’, which can’t be modified Avoid retrieving same data at different levels of the tree: instead, pass it down as props Pass functions (as props) so children can trigger updates on ancestor’s state, then render new props
  • 17. JSX IS XML-LIKE JAVASCRIPT Everything in React is Javascript, including your ‘template’ You can compose a React component’s view in raw Javascript objects, but you don’t really want to. Plus, we’re really used to HTML. It’s painful for us to imagine creating web interfaces without it. HTML/XML is actually a really good way to visually model a tree structure of parent-child relationships Hence, JSX is a syntax that looks like XML/HTML… but isn’t. We transpile it to React’s fundamental JS.
  • 18. JSX IS XML-LIKE JAVASCRIPT React.createElement("div", {className: "ideas-wrapper"}, React.createElement("div", {className: "bs-callout bs- callout-warning"}, React.createElement("p", null, “Lorem Ipsum dolor est.…”) ), React.createElement(Button, {bsStyle: "success", bsSize: "small", onClick: this._showNewIdeaModal},"New Idea"), React.createElement(NewIdeaModal, {closeFunc: this.closeModal, show: this.state.showModal}), React.createElement(UserselectedIdea, null), React.createElement(IdeaList, null) ) INSTEAD OF THIS DEEPLY-NESTED MESS…
  • 19. JSX IS XML-LIKE JAVASCRIPT <div className="ideas-wrapper"> <div className="bs-callout bs-callout- warning"> <p>Lorem Ipsum dolor est…</p> </div> <Button bsStyle='success' bsSize='small' onClick={this._showNewIdeaModal}>New Idea</ Button> <NewIdeaModal closeFunc={this.closeModal} show={this.state.showModal} /> <UserselectedIdea /> <IdeaList /> </div> …JSX LETS US HAVE THIS:
  • 20. JSX SYNTAX ESSENTIALS If your JSX spans multiple lines, wrap in parens Components are ‘classes’, so uppercase 1st letters lowercase for traditional html elements camelCase most attributes reserved words: ‘class’=‘className’; ‘for’=‘htmlFor’ single curly brackets to interpolate: {obj.prop} wrap comments: {/*comment in JSX Block*/}
  • 21. JSX SYNTAX ESSENTIALS Remember: even <div> is just a default React component, called ‘div’, which has a render method that outputs some specific HTML
  • 22. THE LIFE OF A COMPONENT Creation Get State & Props render( ) DOM Interaction: handlers, 
 :focus, etc. DOM Events (or store updates) Action/Event Handler setState( )
  • 23. THE LIFE OF A COMPONENT Component ‘lifecycle methods’ run the process: Source: javascript.tutorialhorizon.com
  • 24. THE LIFE OF A COMPONENT componentDidMount()
 add DOM event listeners, fetch async data, animate something, claim focus for an input, etc. Use JQuery or attach stuff from other libraries (only runs on browser, not server) componentDidUpdate() like componentDidMount, for updates: good for animation hooks, focus grabs, etc. componentWillUnmount() cleanup: remove event listenters, timers, etc
 shouldComponentUpdate() (advanced): to prevent a re-render that would otherwise happen componentWillReceiveProps (advanced) monitor if props have changed between renders componentWillMount() (advanced) no DOM yet. Last chance to change state with conditional logic without triggering re-render componentWillUpdate() (advanced) Like componentWillMount, for updates
  • 25. RE-RENDERING COMPONENTS setState() updates are batched, nodes marked as ‘dirty’ Source: Christopher Chedeau - calendar.perfplanet.com/2013/diff/
  • 26. RE-RENDERING COMPONENTS All dirty elements & children are re-rendered together Source: Christopher Chedeau - calendar.perfplanet.com/2013/diff/
  • 27. RE-RENDERING COMPONENTS It’s possible to prevent renders: shouldComponentUpdate() Source: Christopher Chedeau - calendar.perfplanet.com/2013/diff/
  • 28. CONTROLLER-VIEWS aka: ‘view controller’, ‘owner’, ‘stateful component’ "Try to keep as many of your components as possible stateless. By doing this you'll isolate the state to its most logical place and minimize redundancy, making it easier to reason about your application.” —React Team several stateless components that just render data, & a stateful parent component that passes its state to children via props stateful component encapsulates all of the interaction logic
  • 34. REACT CONCLUSIONS React components not so different conceptually than Angular Directives or Ember Components: small, decoupled, easy-to-change But very different implementation The only ‘magic’ is really the algorithms for diffing and child-reconciliation, which is a very narrow concern: everything else is right there for you to see A bit more typing during creation (use tools!) NOT a full application framework
  • 37. WHAT IT’S TRYING TO IMPROVE:
  • 38. WHAT IS ? "It's more of a pattern rather than a formal 
 framework.” —Facebook “It is simply a new kind of architecture that 
 complements React and the concept of 
 Unidirectional Data Flow.” — Scotch.io “The glue for communicating between your dumb React components” — XML Very little of ‘Flux’ is a set library or API: most of it you create yourself, or BYO tools
  • 39. WHAT IS ? Doesn’t even include everything you need: there’s no router, for instance Basic Javascript conventions wherever possible Tendency toward the Node/NPM world Fragmented/Evolving
  • 40. THE FOUR HORSEMEN: ADSV Actions — Users & Services Do Things Dispatcher — Notify Everyone What Happened Stores — Keep Track of the Data Views — React Components
  • 41. GO WITH THE (1-WAY) FLOW
  • 45. FLUX: ACTIONS Discrete, atomic bits of app logic: “When X happens, Do Y and Z to data/app state” As close as it gets to the MVC ‘Controller’ “Fire and Forget”: use events, not callbacks Usually where server calls are triggered Then, tell everyone the outcome, via the Dispatcher Best-practices: separate action types, use ‘action- constants’
  • 46. FLUX: DISPATCHER Only one instance per app Just a dumb pipe: the internet, not the nodes All subscribers receive all events it dispatches Only clever trick: waitFor()
  • 47. FLUX: STORES How many? Approx. one store per entity type/domain Or, to model a relationship between entities Simply accepts incoming changes, fires change events, lets the components worry about what happens next Smart about data, 
 dumb about interface & interaction Can also store app-wide user/interface state
  • 48. FLUX: STORES Flux is completely unopinionated about models: POJOs seem most common Consider Immutable data-structures
  • 49. REACT/FLUX RECIPES: TWO-WAY BINDINGS Do we really use this all that often? :-) Simple concept: One component updates state from input Another component listens for state changes Can do yourself, or use ‘LinkedStateMixin’ (Only saves a few lines of code…)
  • 50. FLUX/REACT CONCLUSIONS Powerful patterns make it harder to mingle concerns, create interdependency Less ‘magic’ Community/docs still growing… quickly Everything is user-replaceable, many options Maintainability vs. Creation Speed Lots of Developer Freedom (too much for some?)
  • 51. FLUX/REACT CONCLUSIONS Not everyone is ready to give up HTML templating … yet Mass-adoption might require a ‘framework’ around it A sponsor is helpful, too: Facebook? Clearly the direction our craft is moving… but they’re not the only ones moving that way, nor is it the only way to get there
  • 52. REACT & VIRTUAL DOM If you do your whole interface in HTML, what is that? It’s a virtual DOM. So, we’ve always been doing that. That’s not the magic here. More powerful ideas: Immutable DOM Optional (Decoupled) DOM
  • 53. ABOUT PERFORMANCE: The React team talks in frames per second when describing their lightning fast rendering. Examples such as this one show lists of 1500 rows taking 1.35 seconds with AngularJS versus 310ms with ReactJs. This begs questions such as: • should you ever render 1500 rows (can the user process this much on screen) and • is trimming fractions of a second off of load times on reasonably designed pages a premature optimization in most applications? Source: http://www.funnyant.com/reactjs-what-is-it/
  • 55. ABOUT PERFORMANCE: The pattern is more important than the hype Properly-optimized, and used normally, other tools (Angular, Ember) perform fairly comparably Go ahead and mix React into your existing apps for performance gains. Keep React (or something similar) for the pattern.
  • 56. EXTRAS: TESTING Atomic modules/components == easier testing explicit dependency injection == easier testing JEST: Jasmine +++ automatically mocks dependencies for you includes a runner (kinda like React’s Karma) Output of a React component is absolute: a string just compare the strings Type assertion for props is complementary
  • 57. EXTRAS: ANIMATION Built-In support for CSS animation quite similar to Angular in some ways Much more explicit, non-automatic ReactTransitionGroup: excellent pattern of encapsulating reusable functionality on an invisible wrapper element, rather than augmenting in-view components That said… Javascript animation is sexy again, particularly when all renders are already in requestAnimationFrame()
  • 58. EXTRAS: NAMESPACING var MyFormComponent = React.createClass({...}); MyFormComponent.Row = React.createClass({…}); module.exports = MyFormComponent;
  • 59. EXTRAS: CSS Why are inline styles ‘bad’? Not maintainable. Goals for CSS are narrower scoping, avoiding cascade collisions. (See BEM, OOCSS) This is very hard with global styles: either single-element classes, or single-rule classes. Neither is convenient. JS can do anything a CSS preprocessor can do, and more. In JS. No pre-processing. Not inherently superior, but very attractive.
  • 60. EXTRAS: TOOLS, RESOURCES github.com/facebook/react/wiki/Complementary-Tools React Bootstrap already exists, of course Redux, Reflux, Alt are hottest Flux replacements Axios for networking ($http) React-Router React-Mount, if you really like DOM —> Javascript React-Style: CSS-in-JS
  • 61. BY CHRISTIAN LILLEY ABOUT.ME/XML — @XMLILLEY THANK YOU!!!! -XML