Skip to content

Commit 7a33574

Browse files
Discuss component state.
1 parent 434106e commit 7a33574

File tree

1 file changed

+93
-9
lines changed

1 file changed

+93
-9
lines changed

README.md

+93-9
Original file line numberDiff line numberDiff line change
@@ -139,7 +139,7 @@ but it is useful if you need to measure things like the final size of your app.
139139
# Creating a component
140140

141141
We're going to write a `Hello` component.
142-
The component will take the name of whatever we want to greet (which we'll call `name`), and optionally the number of exclamation marks to trail with (`enthusiasmLevel`).
142+
The component will take the name of whoever we want to greet (which we'll call `name`), and optionally, the number of exclamation marks to trail with (`enthusiasmLevel`).
143143

144144
When we write something like `<Hello name="Daniel" enthusiasmLevel={3} />`, the component should render to something like `<div>Hello Daniel!!!</div>`.
145145
If `enthusiasmLevel` isn't specified, the component should default to showing one exclamation mark.
@@ -184,7 +184,7 @@ Notice that we defined a type named `Props` that specifies the properties our co
184184
`name` is a required `string`, and `enthusiasmLevel` is an optional `number` (which you can tell from the `?` that we wrote out after its name).
185185

186186
We also wrote `Hello` as a stateless function component (an SFC).
187-
To be specific, `Hello` is a function that takes a `Props` object, and destructures it.
187+
To be specific, `Hello` is a function that takes a `Props` object, and picks apart (or "destructures") all the properties that it will be passed.
188188
If `enthusiasmLevel` isn't given in our `Props` object, it will default to `1`.
189189

190190
Writing functions is one of two primary [ways React allows us to make components]((https://facebook.github.io/react/docs/components-and-props.html#functional-and-class-components)).
@@ -210,10 +210,13 @@ class Hello extends React.Component<Props, object> {
210210
}
211211
```
212212

213-
Classes are useful [when our component instances have some state](https://facebook.github.io/react/docs/state-and-lifecycle.html).
214-
But we don't really need to think about state in this example - in fact, we specified it as `object` in `React.Component<Props, object>`, so writing an SFC tends to be shorter.
215-
Local component state is more useful at the presentational level when creating generic UI elements that can be shared between libraries.
216-
For our application's lifecycle, we will revisit how applications manage general state with Redux in a bit.
213+
Classes are useful [when our component instances have some state or need to handle lifecycle hooks](https://facebook.github.io/react/docs/state-and-lifecycle.html).
214+
But we don't really need to think about state in this specific example - in fact, we specified it as `object` in `React.Component<Props, object>`, so writing an SFC makes more sense here, but it's important to know how to write a class component.
215+
216+
Notice that the class extends `React.Component<Props, object>`.
217+
The TypeScript-specific bit here are the type arguments we're passing to `React.Component`: `Props` and `object`.
218+
Here, `Props` is the type of our class's `this.props`, and `object` is the type of `this.state`.
219+
We'll return to component state in a bit.
217220

218221
Now that we've written our component, let's dive into `index.tsx` and replace our render of `<App />` with a render of `<Hello ... />`.
219222

@@ -234,7 +237,7 @@ ReactDOM.render(
234237

235238
## Type assertions
236239

237-
One final thing we'll point out in this section is the line `document.getElementById('root') as HTMLElement`.
240+
One thing we'll point out in this section is the line `document.getElementById('root') as HTMLElement`.
238241
This syntax is called a *type assertion*, sometimes also called a *cast*.
239242
This is a useful way of telling TypeScript what the real type of an expression is when you know better than the type checker.
240243

@@ -245,6 +248,86 @@ We're assuming that `getElementById` will actually succeed, so we need convince
245248
TypeScript also has a trailing "bang" syntax (`!`), which removes `null` and `undefined` from the prior expression.
246249
So we *could* have written `document.getElementById('root')!`, but in this case we wanted to be a bit more explicit.
247250

251+
## Stateful components
252+
253+
We mentioned earlier that our component didn't need state.
254+
What if we wanted to be able to update our components based on user interaction over time?
255+
At that point, state becomes more important.
256+
257+
Deeply understanding best practices around component state in React are out of the scope of this starter, but let's quickly peek at a *stateful* version of our `Hello` component to see what adding state looks like.
258+
We're going to render two `<button>`s which update the number of exclamation marks that a `Hello` component displays.
259+
260+
To do that, we're going to
261+
262+
1. Define a type for our state (i.e. `this.state`)
263+
1. Initialize `this.state` based on the props we're given in our constructor.
264+
1. Create two event handlers for our buttons (`onIncrement` and `onDecrement`).
265+
266+
```ts
267+
// src/components/StatefulHello.tsx
268+
269+
import * as React from "react";
270+
271+
export interface Props {
272+
name: string;
273+
enthusiasmLevel?: number;
274+
}
275+
276+
interface State {
277+
currentEnthusiasm: number;
278+
}
279+
280+
class Hello extends React.Component<Props, State> {
281+
constructor(props: Props) {
282+
super(props);
283+
this.state = { currentEnthusiasm: props.enthusiasmLevel || 1 };
284+
}
285+
286+
onIncrement = () => this.updateEnthusiasm(this.state.currentEnthusiasm + 1);
287+
onDecrement = () => this.updateEnthusiasm(this.state.currentEnthusiasm - 1);
288+
289+
render() {
290+
const { name } = this.props;
291+
292+
if (this.state.currentEnthusiasm <= 0) {
293+
throw new Error('You could be a little more enthusiastic. :D');
294+
}
295+
296+
return (
297+
<div className="hello">
298+
<div className="greeting">
299+
Hello {name + getExclamationMarks(this.state.currentEnthusiasm)}
300+
</div>
301+
<button onClick={this.onDecrement}>-</button>
302+
<button onClick={this.onIncrement}>+</button>
303+
</div>
304+
);
305+
}
306+
307+
updateEnthusiasm(currentEnthusiasm: number) {
308+
this.setState({ currentEnthusiasm });
309+
}
310+
}
311+
312+
export default Hello;
313+
314+
function getExclamationMarks(numChars: number) {
315+
return Array(numChars + 1).join('!');
316+
}
317+
```
318+
319+
Notice:
320+
321+
1. Much like with `Props`, we had to define a new type for our state: `State`.
322+
1. To update state in React, we use `this.setState` - we don't set it directly except in the constructor. `setState` only takes the properties we're interested in updating and our component will re-render as appropriate.
323+
1. We're using class property initializers with arrow functions (e.g. `onIncrement = () => ...`).
324+
* Declaring these as arrow functions avoids issues with orphaned uses of `this`.
325+
* Setting them as instance properties creates them only once - a common mistake is to initialize them in the `render` method which allocates closures one every call to `render`.
326+
327+
We won't use this stateful component any further in this starter.
328+
Stateful components are great for creating components that focus solely on presenting content (as opposed to handling core application state).
329+
In some contexts, it can be used for handling your entire application's state, with one central component passing down functions that can call `setState` appropriately; however, for much larger applications, a dedicated state manager might be preferable (as we'll discuss below).
330+
248331
# Adding style 😎
249332

250333
Styling a component with our setup is easy.
@@ -351,10 +434,11 @@ But if you're developing an app that's more interactive, then you may need to ad
351434
## State management in general
352435

353436
On its own, React is a useful library for creating composable views.
354-
However, React doesn't come with any facility for synchronizing data between your application.
437+
However, React doesn't prescribe any specific way of synchronizing data throughout your application.
355438
As far as a React component is concerned, data flows down through its children through the props you specify on each element.
439+
Some of those props might be functions that update the state one way or another, but how that happens is an open question.
356440

357-
Because React on its own does not provide built-in support for state management, the React community uses libraries like Redux and MobX.
441+
Because React on its own does not focus on application state management, the React community uses libraries like Redux and MobX.
358442

359443
[Redux](http://redux.js.org) relies on synchronizing data through a centralized and immutable store of data, and updates to that data will trigger a re-render of our application.
360444
State is updated in an immutable fashion by sending explicit action messages which must be handled by functions called reducers.

0 commit comments

Comments
 (0)