Lecture 03 - Introduction to React
React is a framework for just the View in MVC (although not all would agree with that characterization). And in particular it is designed to solve a very specific problem in client side applications: implementing updates to multiple views of the same data.
As an example, consider this color picker:
The state of the picker, is the three color components (red, green, blue). For each component, we have three views: 1) the position of the slider itself, 2) the numeric value label, and 3) the color swatch. All three need to be updated when we change that component. How can we do so? What patterns could be relevant?
- Event-based model (e.g. Backbone): Changing the data triggers an event. Views can register for those events and update themselves when notified.
- Two-way binding (.e.g Angular): Assigning to a value propagates the data to dependent components and components, e.g. an input, can make updates that "flow back".
- Efficient re-rendering (e.g. React): React takes a simpler approach... just re-render all of the components when the data changes.
A key innovation in React is making that re-rendering process very fast.
React maintains a virtual DOM that represents the ideal state of the UI. Changing the application state triggers re-rendering, which changes the virtual DOM (those changes are fast since only the "virtual" DOM is changing). Any differences between the virtual DOM and actual DOM are then reconciled to the bring the actual DOM to the desired state. But only those elements that changed are updated making this process more efficient.
Those operations on the (virtual) DOM are the "part that is the same" and occur entirely "behind the scenes" within React. As a developer your focus is just on rendering the desired UI.
If React is just the V, what about M & C?
As we will see React components can be quite sophisticated and incorporate features we might otherwise associate with models and controllers. Related tools like Flux or Redux are sometimes used with React in those roles. Or React is often used for the client side of an application whose server has M & C-like functionality.
React: basic concepts
Components
The fundamental unit of React is the component. In React, we can implement components as either classes or functions. At this point, all of the React documentation promotes function-based components, and we will use them exclusively. However, you will still find a number of examples online that use classes instead.
A function-based component is a function that takes a single argument, which we refer to as the props, and returns a hierarchy of components (think of these children components like a nested tree, similar to the DOM itself) with a single root. The root element returned by the function is what is added to the virtual DOM.
The first step in building a React app is break down the UI (the view) into a hierarchy of components and sub-components. In the color picker there is one main component (the color picker itself, with the swatch) and the 3 sliders and corresponding value displays.
State
What state do we need? The value of the sliders. We know from our earlier implementation that the input element itself can hold state. However in React, the typical practice is to use controlled components, in which the value of an input is controlled by state in the React component. This enables us to use that state to control other aspects of the view while maintaining a "single source of truth".
To add state information to a function component, we will use hooks. At its simplest, we can create state with the useState() function. This returns an array with a constant value (the current value for our state object, initialized to the value we pass into useState()) and a setter function for updating the state.
Some notes about state:
- Do not modify state directly, instead use the setter.
- Favor immutable state data (like ints) so you aren't tempted to mutate state outside of the setter.
- State updates may be asynchronous. React may batch updates, and so you shouldn't assume the state has actually changed after the call to the setter.
We need to make the values of each color component available to the parent to control the color of swatch. Per the React documentation:
Often, several components need to reflect the same changing data. We recommend lifting the shared state up to their closest common ancestor.
We will pull the state for the color values up to the parent component ColorPicker and pass those
values back down as props to the individual sliders (LabeledSlider).
All React components must act like pure functions with respect to their props. That is, a component can't modify its props (this enables efficient updates). Or alternately, think of it as "data flows down" via the props. To communicate updates "back up" we supply a callback to the child that modifies the state in the parent. Using this approach we preserve the data flow invariants expected by React.
With this change the sliders don't need to know what color they are. All the state is encapsulated in the parent component and passed in the props.
Pure Components
Since the slider doesn't have any state, it is now considered a "pure component" (and it should be a pure function, i.e. the output is a function only of the inputs with no side effects). React can optimize these considerably, most particularly, it can avoid re-rendering them if the props haven't changed -- even if the parent has re-rendered.
Example
Here is the code for the color picker (you can also view the example above on repl.it to view the code and play with it):
import React, { useState } from 'react'
import './App.css'
function LabeledSlider({ label, value, setValue }) {
  return (
    <div>
      <div className="color-label">{label}</div>
      <input type="range" 
         min="0"
         max="255"
         value={value}
         onChange={(event)=>{setValue(parseInt(event.target.value,10))}}/>
      <span>{value}</span>
      </div>
  );
}
function ColorPicker() {
  const [red, setRed] = useState(0);
  const [green, setGreen] = useState(0);
  const [blue, setBlue] = useState(0);
  const color = {background: `rgb(${red}, ${green}, ${blue})`};
  return (
    <div className="color-picker">
      <div className="color-swatch" style={color} ></div>
      <LabeledSlider label="red"   value={red}   setValue={setRed}/>
      <LabeledSlider label="green" value={green} setValue={setGreen}/>
      <LabeledSlider label="blue"  value={blue}  setValue={setBlue}/>
    </div>
  );
}
function App() {
  const [count, setCount] = useState(0)
  return (
    <div className="App">
      <ColorPicker />
    </div>
  )
}
export default App
React and JSX
Since rendering is tightly coupled with other UI logic in React, React provides JSX, a syntax extension to JavaScript, for describing the elements in the UI.
These elements can be simple HTML:
const heading = <h1>Hello, world!</h1>;
or React components:
const person = <Person name={p.name} address={p.addr} />;
The curly braces specify embedded JavaScript. The attributes becomes the props object for the component.
Since JSX is an extension to JavaScript, we will need a compiler to convert it to standard JavaScript. The Babel compiler is used to transpile JSX (and support features of ES6). We will use JSX in our components (as it is much more concise and clear). However, you should realize that it is being translated into normal JavaScript functions. Try out the above examples in the Babel repl.
We will largely not worry about the work being done by Babel as it is bundled into create-next-app, which we will be using shortly (albeit, also invisibly).
I recommend reading introduction to JSX for more details.
Controlled vs. uncontrolled components
In creating the color picker, we described the <input> elements as "controlled". Controlled components are form elements with state controlled by React. Uncontrolled components maintain their own state. The latter is the way <input> elements naturally work (recall our original color picker).
The former, "controlled", is the recommended approach as it ensures there is only one source of truth, the React state. We set the <input> element's value from state, and provide an onChange (or other relevant) handler to update that state in response to user input. Each state change triggers a re-rendering that shows the changes the user just initiated. The React forms documentation has a number of examples of controlled inputs, e.g. for a text input:
const [title, setTitle] = useState('');
<input
  type="text"
  value={title}
  onChange={(event) => setTitle(event.target.value)}
/>;
The value of the component is set from the parent's state and any changes are immediately captured and used to update the parent's state.
React in summary
- React implements the View in MVC
- A React applications is organized as components
- A component takes in parameters, the "props", and returns a hierarchy of views to display
- These hierarchy of views update the virtual DOM. Changes to the virtual DOM are efficiently propagated to the actual DOM in the reconciliation process.
- There (generally) must be a single root object (version 16 added fragments)
- Components can't change their props (and parents can't see their children's state). Information is passed to parents via callbacks (passed in the props).
- A React element might be simple HTML, e.g. a <div>or a React component
- Components can be classes, or functions that return views. We will use the latter.
As you are starting to work with React, I recommend the "Thinking in React" section of the React documentation.
Last updated 03/08/2021