Movatterモバイル変換


[0]ホーム

URL:


Is this page useful?

Pitfall

We recommend defining components as functions instead of classes.See how to migrate.

Component is the base class for the React components defined asJavaScript classes. Class components are still supported by React, but we don’t recommend using them in new code.

class GreetingextendsComponent{
render(){
return<h1>Hello,{this.props.name}!</h1>;
}
}

Reference

Component

To define a React component as a class, extend the built-inComponent class and define arender method:

import{Component}from'react';

class GreetingextendsComponent{
render(){
return<h1>Hello,{this.props.name}!</h1>;
}
}

Only therender method is required, other methods are optional.

See more examples below.


context

Thecontext of a class component is available asthis.context. It is only available if you specifywhich context you want to receive usingstatic contextType.

A class component can only read one context at a time.

class ButtonextendsComponent{
staticcontextType =ThemeContext;

render(){
consttheme =this.context;
constclassName ='button-' +theme;
return(
<buttonclassName={className}>
{this.props.children}
</button>
);
}
}

Note

Readingthis.context in class components is equivalent touseContext in function components.

See how to migrate.


props

The props passed to a class component are available asthis.props.

class GreetingextendsComponent{
render(){
return<h1>Hello,{this.props.name}!</h1>;
}
}

<Greetingname="Taylor"/>

Note

Readingthis.props in class components is equivalent todeclaring props in function components.

See how to migrate.


state

The state of a class component is available asthis.state. Thestate field must be an object. Do not mutate the state directly. If you wish to change the state, callsetState with the new state.

class CounterextendsComponent{
state ={
age:42,
};

handleAgeChange =()=>{
this.setState({
age:this.state.age +1
});
};

render(){
return(
<>
<buttononClick={this.handleAgeChange}>
Increment age
</button>
<p>You are{this.state.age}.</p>
</>
);
}
}

Note

Definingstate in class components is equivalent to callinguseState in function components.

See how to migrate.


constructor(props)

Theconstructor runs before your class componentmounts (gets added to the screen). Typically, a constructor is only used for two purposes in React. It lets you declare state andbind your class methods to the class instance:

class CounterextendsComponent{
constructor(props){
super(props);
this.state ={counter:0};
this.handleClick =this.handleClick.bind(this);
}

handleClick(){
// ...
}

If you use modern JavaScript syntax, constructors are rarely needed. Instead, you can rewrite this code above using thepublic class field syntax which is supported both by modern browsers and tools likeBabel:

class CounterextendsComponent{
state ={counter:0};

handleClick =()=>{
// ...
}

A constructor should not contain any side effects or subscriptions.

Parameters

  • props: The component’s initial props.

Returns

constructor should not return anything.

Caveats

  • Do not run any side effects or subscriptions in the constructor. Instead, usecomponentDidMount for that.

  • Inside a constructor, you need to callsuper(props) before any other statement. If you don’t do that,this.props will beundefined while the constructor runs, which can be confusing and cause bugs.

  • Constructor is the only place where you can assignthis.state directly. In all other methods, you need to usethis.setState() instead. Do not callsetState in the constructor.

  • When you useserver rendering, the constructor will run on the server too, followed by therender method. However, lifecycle methods likecomponentDidMount orcomponentWillUnmount will not run on the server.

  • WhenStrict Mode is on, React will callconstructor twice in development and then throw away one of the instances. This helps you notice the accidental side effects that need to be moved out of theconstructor.

Note

There is no exact equivalent forconstructor in function components. To declare state in a function component, calluseState. To avoid recalculating the initial state,pass a function touseState.


componentDidCatch(error, info)

If you definecomponentDidCatch, React will call it when some child component (including distant children) throws an error during rendering. This lets you log that error to an error reporting service in production.

Typically, it is used together withstatic getDerivedStateFromError which lets you update state in response to an error and display an error message to the user. A component with these methods is called anError Boundary.

See an example.

Parameters

  • error: The error that was thrown. In practice, it will usually be an instance ofError but this is not guaranteed because JavaScript allows tothrow any value, including strings or evennull.

  • info: An object containing additional information about the error. ItscomponentStack field contains a stack trace with the component that threw, as well as the names and source locations of all its parent components. In production, the component names will be minified. If you set up production error reporting, you can decode the component stack using sourcemaps the same way as you would do for regular JavaScript error stacks.

Returns

componentDidCatch should not return anything.

Caveats

  • In the past, it was common to callsetState insidecomponentDidCatch in order to update the UI and display the fallback error message. This is deprecated in favor of definingstatic getDerivedStateFromError.

  • Production and development builds of React slightly differ in the waycomponentDidCatch handles errors. In development, the errors will bubble up towindow, which means that anywindow.onerror orwindow.addEventListener('error', callback) will intercept the errors that have been caught bycomponentDidCatch. In production, instead, the errors will not bubble up, which means any ancestor error handler will only receive errors not explicitly caught bycomponentDidCatch.

Note

There is no direct equivalent forcomponentDidCatch in function components yet. If you’d like to avoid creating class components, write a singleErrorBoundary component like above and use it throughout your app. Alternatively, you can use thereact-error-boundary package which does that for you.


componentDidMount()

If you define thecomponentDidMount method, React will call it when your component is added(mounted) to the screen. This is a common place to start data fetching, set up subscriptions, or manipulate the DOM nodes.

If you implementcomponentDidMount, you usually need to implement other lifecycle methods to avoid bugs. For example, ifcomponentDidMount reads some state or props, you also have to implementcomponentDidUpdate to handle their changes, andcomponentWillUnmount to clean up whatevercomponentDidMount was doing.

class ChatRoomextendsComponent{
state ={
serverUrl:'https://localhost:1234'
};

componentDidMount(){
this.setupConnection();
}

componentDidUpdate(prevProps,prevState){
if(
this.props.roomId !==prevProps.roomId ||
this.state.serverUrl !==prevState.serverUrl
){
this.destroyConnection();
this.setupConnection();
}
}

componentWillUnmount(){
this.destroyConnection();
}

// ...
}

See more examples.

Parameters

componentDidMount does not take any parameters.

Returns

componentDidMount should not return anything.

Caveats

  • WhenStrict Mode is on, in development React will callcomponentDidMount, then immediately callcomponentWillUnmount, and then callcomponentDidMount again. This helps you notice if you forgot to implementcomponentWillUnmount or if its logic doesn’t fully “mirror” whatcomponentDidMount does.

  • Although you may callsetState immediately incomponentDidMount, it’s best to avoid that when you can. It will trigger an extra rendering, but it will happen before the browser updates the screen. This guarantees that even though therender will be called twice in this case, the user won’t see the intermediate state. Use this pattern with caution because it often causes performance issues. In most cases, you should be able to assign the initial state in theconstructor instead. It can, however, be necessary for cases like modals and tooltips when you need to measure a DOM node before rendering something that depends on its size or position.

Note

For many use cases, definingcomponentDidMount,componentDidUpdate, andcomponentWillUnmount together in class components is equivalent to callinguseEffect in function components. In the rare cases where it’s important for the code to run before browser paint,useLayoutEffect is a closer match.

See how to migrate.


componentDidUpdate(prevProps, prevState, snapshot?)

If you define thecomponentDidUpdate method, React will call it immediately after your component has been re-rendered with updated props or state. This method is not called for the initial render.

You can use it to manipulate the DOM after an update. This is also a common place to do network requests as long as you compare the current props to previous props (e.g. a network request may not be necessary if the props have not changed). Typically, you’d use it together withcomponentDidMount andcomponentWillUnmount:

class ChatRoomextendsComponent{
state ={
serverUrl:'https://localhost:1234'
};

componentDidMount(){
this.setupConnection();
}

componentDidUpdate(prevProps,prevState){
if(
this.props.roomId !==prevProps.roomId ||
this.state.serverUrl !==prevState.serverUrl
){
this.destroyConnection();
this.setupConnection();
}
}

componentWillUnmount(){
this.destroyConnection();
}

// ...
}

See more examples.

Parameters

  • prevProps: Props before the update. CompareprevProps tothis.props to determine what changed.

  • prevState: State before the update. CompareprevState tothis.state to determine what changed.

  • snapshot: If you implementedgetSnapshotBeforeUpdate,snapshot will contain the value you returned from that method. Otherwise, it will beundefined.

Returns

componentDidUpdate should not return anything.

Caveats

  • componentDidUpdate will not get called ifshouldComponentUpdate is defined and returnsfalse.

  • The logic insidecomponentDidUpdate should usually be wrapped in conditions comparingthis.props withprevProps, andthis.state withprevState. Otherwise, there’s a risk of creating infinite loops.

  • Although you may callsetState immediately incomponentDidUpdate, it’s best to avoid that when you can. It will trigger an extra rendering, but it will happen before the browser updates the screen. This guarantees that even though therender will be called twice in this case, the user won’t see the intermediate state. This pattern often causes performance issues, but it may be necessary for rare cases like modals and tooltips when you need to measure a DOM node before rendering something that depends on its size or position.

Note

For many use cases, definingcomponentDidMount,componentDidUpdate, andcomponentWillUnmount together in class components is equivalent to callinguseEffect in function components. In the rare cases where it’s important for the code to run before browser paint,useLayoutEffect is a closer match.

See how to migrate.


componentWillMount()

Deprecated

This API has been renamed fromcomponentWillMount toUNSAFE_componentWillMount. The old name has been deprecated. In a future major version of React, only the new name will work.

Run therename-unsafe-lifecycles codemod to automatically update your components.


componentWillReceiveProps(nextProps)

Deprecated

This API has been renamed fromcomponentWillReceiveProps toUNSAFE_componentWillReceiveProps. The old name has been deprecated. In a future major version of React, only the new name will work.

Run therename-unsafe-lifecycles codemod to automatically update your components.


componentWillUpdate(nextProps, nextState)

Deprecated

This API has been renamed fromcomponentWillUpdate toUNSAFE_componentWillUpdate. The old name has been deprecated. In a future major version of React, only the new name will work.

Run therename-unsafe-lifecycles codemod to automatically update your components.


componentWillUnmount()

If you define thecomponentWillUnmount method, React will call it before your component is removed(unmounted) from the screen. This is a common place to cancel data fetching or remove subscriptions.

The logic insidecomponentWillUnmount should “mirror” the logic insidecomponentDidMount. For example, ifcomponentDidMount sets up a subscription,componentWillUnmount should clean up that subscription. If the cleanup logic in yourcomponentWillUnmount reads some props or state, you will usually also need to implementcomponentDidUpdate to clean up resources (such as subscriptions) corresponding to the old props and state.

class ChatRoomextendsComponent{
state ={
serverUrl:'https://localhost:1234'
};

componentDidMount(){
this.setupConnection();
}

componentDidUpdate(prevProps,prevState){
if(
this.props.roomId !==prevProps.roomId ||
this.state.serverUrl !==prevState.serverUrl
){
this.destroyConnection();
this.setupConnection();
}
}

componentWillUnmount(){
this.destroyConnection();
}

// ...
}

See more examples.

Parameters

componentWillUnmount does not take any parameters.

Returns

componentWillUnmount should not return anything.

Caveats

  • WhenStrict Mode is on, in development React will callcomponentDidMount, then immediately callcomponentWillUnmount, and then callcomponentDidMount again. This helps you notice if you forgot to implementcomponentWillUnmount or if its logic doesn’t fully “mirror” whatcomponentDidMount does.

Note

For many use cases, definingcomponentDidMount,componentDidUpdate, andcomponentWillUnmount together in class components is equivalent to callinguseEffect in function components. In the rare cases where it’s important for the code to run before browser paint,useLayoutEffect is a closer match.

See how to migrate.


forceUpdate(callback?)

Forces a component to re-render.

Usually, this is not necessary. If your component’srender method only reads fromthis.props,this.state, orthis.context, it will re-render automatically when you callsetState inside your component or one of its parents. However, if your component’srender method reads directly from an external data source, you have to tell React to update the user interface when that data source changes. That’s whatforceUpdate lets you do.

Try to avoid all uses offorceUpdate and only read fromthis.props andthis.state inrender.

Parameters

  • optionalcallback If specified, React will call thecallback you’ve provided after the update is committed.

Returns

forceUpdate does not return anything.

Caveats

Note

Reading an external data source and forcing class components to re-render in response to its changes withforceUpdate has been superseded byuseSyncExternalStore in function components.


getSnapshotBeforeUpdate(prevProps, prevState)

If you implementgetSnapshotBeforeUpdate, React will call it immediately before React updates the DOM. It enables your component to capture some information from the DOM (e.g. scroll position) before it is potentially changed. Any value returned by this lifecycle method will be passed as a parameter tocomponentDidUpdate.

For example, you can use it in a UI like a chat thread that needs to preserve its scroll position during updates:

class ScrollingListextendsReact.Component{
constructor(props){
super(props);
this.listRef =React.createRef();
}

getSnapshotBeforeUpdate(prevProps,prevState){
// Are we adding new items to the list?
// Capture the scroll position so we can adjust scroll later.
if(prevProps.list.length <this.props.list.length){
constlist =this.listRef.current;
returnlist.scrollHeight -list.scrollTop;
}
returnnull;
}

componentDidUpdate(prevProps,prevState,snapshot){
// If we have a snapshot value, we've just added new items.
// Adjust scroll so these new items don't push the old ones out of view.
// (snapshot here is the value returned from getSnapshotBeforeUpdate)
if(snapshot !==null){
constlist =this.listRef.current;
list.scrollTop =list.scrollHeight -snapshot;
}
}

render(){
return(
<divref={this.listRef}>{/* ...contents... */}</div>
);
}
}

In the above example, it is important to read thescrollHeight property directly ingetSnapshotBeforeUpdate. It is not safe to read it inrender,UNSAFE_componentWillReceiveProps, orUNSAFE_componentWillUpdate because there is a potential time gap between these methods getting called and React updating the DOM.

Parameters

  • prevProps: Props before the update. CompareprevProps tothis.props to determine what changed.

  • prevState: State before the update. CompareprevState tothis.state to determine what changed.

Returns

You should return a snapshot value of any type that you’d like, ornull. The value you returned will be passed as the third argument tocomponentDidUpdate.

Caveats

Note

At the moment, there is no equivalent togetSnapshotBeforeUpdate for function components. This use case is very uncommon, but if you have the need for it, for now you’ll have to write a class component.


render()

Therender method is the only required method in a class component.

Therender method should specify what you want to appear on the screen, for example:

import{Component}from'react';

class GreetingextendsComponent{
render(){
return<h1>Hello,{this.props.name}!</h1>;
}
}

React may callrender at any moment, so you shouldn’t assume that it runs at a particular time. Usually, therender method should return a piece ofJSX, but a fewother return types (like strings) are supported. To calculate the returned JSX, therender method can readthis.props,this.state, andthis.context.

You should write therender method as a pure function, meaning that it should return the same result if props, state, and context are the same. It also shouldn’t contain side effects (like setting up subscriptions) or interact with the browser APIs. Side effects should happen either in event handlers or methods likecomponentDidMount.

Parameters

render does not take any parameters.

Returns

render can return any valid React node. This includes React elements such as<div />, strings, numbers,portals, empty nodes (null,undefined,true, andfalse), and arrays of React nodes.

Caveats

  • render should be written as a pure function of props, state, and context. It should not have side effects.

  • render will not get called ifshouldComponentUpdate is defined and returnsfalse.

  • WhenStrict Mode is on, React will callrender twice in development and then throw away one of the results. This helps you notice the accidental side effects that need to be moved out of therender method.

  • There is no one-to-one correspondence between therender call and the subsequentcomponentDidMount orcomponentDidUpdate call. Some of therender call results may be discarded by React when it’s beneficial.


setState(nextState, callback?)

CallsetState to update the state of your React component.

class FormextendsComponent{
state ={
name:'Taylor',
};

handleNameChange =(e)=>{
constnewName =e.target.value;
this.setState({
name:newName
});
}

render(){
return(
<>
<inputvalue={this.state.name}onChange={this.handleNameChange}/>
<p>Hello,{this.state.name}.</p>
</>
);
}
}

setState enqueues changes to the component state. It tells React that this component and its children need to re-render with the new state. This is the main way you’ll update the user interface in response to interactions.

Pitfall

CallingsetStatedoes not change the current state in the already executing code:

functionhandleClick(){
console.log(this.state.name);// "Taylor"
this.setState({
name:'Robin'
});
console.log(this.state.name);// Still "Taylor"!
}

It only affects whatthis.state will return starting from thenext render.

You can also pass a function tosetState. It lets you update state based on the previous state:

handleIncreaseAge =()=>{
this.setState(prevState=>{
return{
age:prevState.age +1
};
});
}

You don’t have to do this, but it’s handy if you want to update state multiple times during the same event.

Parameters

  • nextState: Either an object or a function.

    • If you pass an object asnextState, it will be shallowly merged intothis.state.
    • If you pass a function asnextState, it will be treated as anupdater function. It must be pure, should take the pending state and props as arguments, and should return the object to be shallowly merged intothis.state. React will put your updater function in a queue and re-render your component. During the next render, React will calculate the next state by applying all of the queued updaters to the previous state.
  • optionalcallback: If specified, React will call thecallback you’ve provided after the update is committed.

Returns

setState does not return anything.

Caveats

  • Think ofsetState as arequest rather than an immediate command to update the component. When multiple components update their state in response to an event, React will batch their updates and re-render them together in a single pass at the end of the event. In the rare case that you need to force a particular state update to be applied synchronously, you may wrap it influshSync, but this may hurt performance.

  • setState does not updatethis.state immediately. This makes readingthis.state right after callingsetState a potential pitfall. Instead, usecomponentDidUpdate or the setStatecallback argument, either of which are guaranteed to fire after the update has been applied. If you need to set the state based on the previous state, you can pass a function tonextState as described above.

Note

CallingsetState in class components is similar to calling aset function in function components.

See how to migrate.


shouldComponentUpdate(nextProps, nextState, nextContext)

If you defineshouldComponentUpdate, React will call it to determine whether a re-render can be skipped.

If you are confident you want to write it by hand, you may comparethis.props withnextProps andthis.state withnextState and returnfalse to tell React the update can be skipped.

class RectangleextendsComponent{
state ={
isHovered:false
};

shouldComponentUpdate(nextProps,nextState){
if(
nextProps.position.x ===this.props.position.x &&
nextProps.position.y ===this.props.position.y &&
nextProps.size.width ===this.props.size.width &&
nextProps.size.height ===this.props.size.height &&
nextState.isHovered ===this.state.isHovered
){
// Nothing has changed, so a re-render is unnecessary
returnfalse;
}
returntrue;
}

// ...
}

React callsshouldComponentUpdate before rendering when new props or state are being received. Defaults totrue. This method is not called for the initial render or whenforceUpdate is used.

Parameters

  • nextProps: The next props that the component is about to render with. ComparenextProps tothis.props to determine what changed.
  • nextState: The next state that the component is about to render with. ComparenextState tothis.state to determine what changed.
  • nextContext: The next context that the component is about to render with. ComparenextContext tothis.context to determine what changed. Only available if you specifystatic contextType.

Returns

Returntrue if you want the component to re-render. That’s the default behavior.

Returnfalse to tell React that re-rendering can be skipped.

Caveats

  • This methodonly exists as a performance optimization. If your component breaks without it, fix that first.

  • Consider usingPureComponent instead of writingshouldComponentUpdate by hand.PureComponent shallowly compares props and state, and reduces the chance that you’ll skip a necessary update.

  • We do not recommend doing deep equality checks or usingJSON.stringify inshouldComponentUpdate. It makes performance unpredictable and dependent on the data structure of every prop and state. In the best case, you risk introducing multi-second stalls to your application, and in the worst case you risk crashing it.

  • Returningfalse does not prevent child components from re-rendering whentheir state changes.

  • Returningfalse does notguarantee that the component will not re-render. React will use the return value as a hint but it may still choose to re-render your component if it makes sense to do for other reasons.

Note

Optimizing class components withshouldComponentUpdate is similar to optimizing function components withmemo. Function components also offer more granular optimization withuseMemo.


UNSAFE_componentWillMount()

If you defineUNSAFE_componentWillMount, React will call it immediately after theconstructor. It only exists for historical reasons and should not be used in any new code. Instead, use one of the alternatives:

  • To initialize state, declarestate as a class field or setthis.state inside theconstructor.
  • If you need to run a side effect or set up a subscription, move that logic tocomponentDidMount instead.

See examples of migrating away from unsafe lifecycles.

Parameters

UNSAFE_componentWillMount does not take any parameters.

Returns

UNSAFE_componentWillMount should not return anything.

Caveats

  • UNSAFE_componentWillMount will not get called if the component implementsstatic getDerivedStateFromProps orgetSnapshotBeforeUpdate.

  • Despite its naming,UNSAFE_componentWillMount does not guarantee that the componentwill get mounted if your app uses modern React features likeSuspense. If a render attempt is suspended (for example, because the code for some child component has not loaded yet), React will throw the in-progress tree away and attempt to construct the component from scratch during the next attempt. This is why this method is “unsafe”. Code that relies on mounting (like adding a subscription) should go intocomponentDidMount.

  • UNSAFE_componentWillMount is the only lifecycle method that runs duringserver rendering. For all practical purposes, it is identical toconstructor, so you should use theconstructor for this type of logic instead.

Note

CallingsetState insideUNSAFE_componentWillMount in a class component to initialize state is equivalent to passing that state as the initial state touseState in a function component.


UNSAFE_componentWillReceiveProps(nextProps, nextContext)

If you defineUNSAFE_componentWillReceiveProps, React will call it when the component receives new props. It only exists for historical reasons and should not be used in any new code. Instead, use one of the alternatives:

  • If you need torun a side effect (for example, fetch data, run an animation, or reinitialize a subscription) in response to prop changes, move that logic tocomponentDidUpdate instead.
  • If you need toavoid re-computing some data only when a prop changes, use amemoization helper instead.
  • If you need to“reset” some state when a prop changes, consider either making a componentfully controlled orfully uncontrolled with a key instead.
  • If you need to“adjust” some state when a prop changes, check whether you can compute all the necessary information from props alone during rendering. If you can’t, usestatic getDerivedStateFromProps instead.

See examples of migrating away from unsafe lifecycles.

Parameters

  • nextProps: The next props that the component is about to receive from its parent component. ComparenextProps tothis.props to determine what changed.
  • nextContext: The next context that the component is about to receive from the closest provider. ComparenextContext tothis.context to determine what changed. Only available if you specifystatic contextType.

Returns

UNSAFE_componentWillReceiveProps should not return anything.

Caveats

  • UNSAFE_componentWillReceiveProps will not get called if the component implementsstatic getDerivedStateFromProps orgetSnapshotBeforeUpdate.

  • Despite its naming,UNSAFE_componentWillReceiveProps does not guarantee that the componentwill receive those props if your app uses modern React features likeSuspense. If a render attempt is suspended (for example, because the code for some child component has not loaded yet), React will throw the in-progress tree away and attempt to construct the component from scratch during the next attempt. By the time of the next render attempt, the props might be different. This is why this method is “unsafe”. Code that should run only for committed updates (like resetting a subscription) should go intocomponentDidUpdate.

  • UNSAFE_componentWillReceiveProps does not mean that the component has receiveddifferent props than the last time. You need to comparenextProps andthis.props yourself to check if something changed.

  • React doesn’t callUNSAFE_componentWillReceiveProps with initial props during mounting. It only calls this method if some of component’s props are going to be updated. For example, callingsetState doesn’t generally triggerUNSAFE_componentWillReceiveProps inside the same component.

Note

CallingsetState insideUNSAFE_componentWillReceiveProps in a class component to “adjust” state is equivalent tocalling theset function fromuseState during rendering in a function component.


UNSAFE_componentWillUpdate(nextProps, nextState)

If you defineUNSAFE_componentWillUpdate, React will call it before rendering with the new props or state. It only exists for historical reasons and should not be used in any new code. Instead, use one of the alternatives:

  • If you need to run a side effect (for example, fetch data, run an animation, or reinitialize a subscription) in response to prop or state changes, move that logic tocomponentDidUpdate instead.
  • If you need to read some information from the DOM (for example, to save the current scroll position) so that you can use it incomponentDidUpdate later, read it insidegetSnapshotBeforeUpdate instead.

See examples of migrating away from unsafe lifecycles.

Parameters

  • nextProps: The next props that the component is about to render with. ComparenextProps tothis.props to determine what changed.
  • nextState: The next state that the component is about to render with. ComparenextState tothis.state to determine what changed.

Returns

UNSAFE_componentWillUpdate should not return anything.

Caveats

  • UNSAFE_componentWillUpdate will not get called ifshouldComponentUpdate is defined and returnsfalse.

  • UNSAFE_componentWillUpdate will not get called if the component implementsstatic getDerivedStateFromProps orgetSnapshotBeforeUpdate.

  • It’s not supported to callsetState (or any method that leads tosetState being called, like dispatching a Redux action) duringcomponentWillUpdate.

  • Despite its naming,UNSAFE_componentWillUpdate does not guarantee that the componentwill update if your app uses modern React features likeSuspense. If a render attempt is suspended (for example, because the code for some child component has not loaded yet), React will throw the in-progress tree away and attempt to construct the component from scratch during the next attempt. By the time of the next render attempt, the props and state might be different. This is why this method is “unsafe”. Code that should run only for committed updates (like resetting a subscription) should go intocomponentDidUpdate.

  • UNSAFE_componentWillUpdate does not mean that the component has receiveddifferent props or state than the last time. You need to comparenextProps withthis.props andnextState withthis.state yourself to check if something changed.

  • React doesn’t callUNSAFE_componentWillUpdate with initial props and state during mounting.

Note

There is no direct equivalent toUNSAFE_componentWillUpdate in function components.


static contextType

If you want to readthis.context from your class component, you must specify which context it needs to read. The context you specify as thestatic contextType must be a value previously created bycreateContext.

class ButtonextendsComponent{
staticcontextType =ThemeContext;

render(){
consttheme =this.context;
constclassName ='button-' +theme;
return(
<buttonclassName={className}>
{this.props.children}
</button>
);
}
}

Note

Readingthis.context in class components is equivalent touseContext in function components.

See how to migrate.


static defaultProps

You can definestatic defaultProps to set the default props for the class. They will be used forundefined and missing props, but not fornull props.

For example, here is how you define that thecolor prop should default to'blue':

class ButtonextendsComponent{
staticdefaultProps ={
color:'blue'
};

render(){
return<buttonclassName={this.props.color}>click me</button>;
}
}

If thecolor prop is not provided or isundefined, it will be set by default to'blue':

<>
{/* this.props.color is "blue" */}
<Button/>

{/* this.props.color is "blue" */}
<Buttoncolor={undefined}/>

{/* this.props.color is null */}
<Buttoncolor={null}/>

{/* this.props.color is "red" */}
<Buttoncolor="red"/>
</>

Note

DefiningdefaultProps in class components is similar to usingdefault values in function components.


static getDerivedStateFromError(error)

If you definestatic getDerivedStateFromError, React will call it when a child component (including distant children) throws an error during rendering. This lets you display an error message instead of clearing the UI.

Typically, it is used together withcomponentDidCatch which lets you send the error report to some analytics service. A component with these methods is called anError Boundary.

See an example.

Parameters

  • error: The error that was thrown. In practice, it will usually be an instance ofError but this is not guaranteed because JavaScript allows tothrow any value, including strings or evennull.

Returns

static getDerivedStateFromError should return the state telling the component to display the error message.

Caveats

  • static getDerivedStateFromError should be a pure function. If you want to perform a side effect (for example, to call an analytics service), you need to also implementcomponentDidCatch.

Note

There is no direct equivalent forstatic getDerivedStateFromError in function components yet. If you’d like to avoid creating class components, write a singleErrorBoundary component like above and use it throughout your app. Alternatively, use thereact-error-boundary package which does that.


static getDerivedStateFromProps(props, state)

If you definestatic getDerivedStateFromProps, React will call it right before callingrender, both on the initial mount and on subsequent updates. It should return an object to update the state, ornull to update nothing.

This method exists forrare use cases where the state depends on changes in props over time. For example, thisForm component resets theemail state when theuserID prop changes:

class FormextendsComponent{
state ={
email:this.props.defaultEmail,
prevUserID:this.props.userID
};

staticgetDerivedStateFromProps(props,state){
// Any time the current user changes,
// Reset any parts of state that are tied to that user.
// In this simple example, that's just the email.
if(props.userID !==state.prevUserID){
return{
prevUserID:props.userID,
email:props.defaultEmail
};
}
returnnull;
}

// ...
}

Note that this pattern requires you to keep a previous value of the prop (likeuserID) in state (likeprevUserID).

Pitfall

Deriving state leads to verbose code and makes your components difficult to think about.Make sure you’re familiar with simpler alternatives:

Parameters

  • props: The next props that the component is about to render with.
  • state: The next state that the component is about to render with.

Returns

static getDerivedStateFromProps return an object to update the state, ornull to update nothing.

Caveats

  • This method is fired onevery render, regardless of the cause. This is different fromUNSAFE_componentWillReceiveProps, which only fires when the parent causes a re-render and not as a result of a localsetState.

  • This method doesn’t have access to the component instance. If you’d like, you can reuse some code betweenstatic getDerivedStateFromProps and the other class methods by extracting pure functions of the component props and state outside the class definition.

Note

Implementingstatic getDerivedStateFromProps in a class component is equivalent tocalling theset function fromuseState during rendering in a function component.


Usage

Defining a class component

To define a React component as a class, extend the built-inComponent class and define arender method:

import{Component}from'react';

class GreetingextendsComponent{
render(){
return<h1>Hello,{this.props.name}!</h1>;
}
}

React will call yourrender method whenever it needs to figure out what to display on the screen. Usually, you will return someJSX from it. Yourrender method should be apure function: it should only calculate the JSX.

Similarly tofunction components, a class component canreceive information by props from its parent component. However, the syntax for reading props is different. For example, if the parent component renders<Greeting name="Taylor" />, then you can read thename prop fromthis.props, likethis.props.name:

Fork
import{Component}from'react';class GreetingextendsComponent{render(){return<h1>Hello,{this.props.name}!</h1>;}}exportdefaultfunctionApp(){return(<><Greetingname="Sara"/><Greetingname="Cahal"/><Greetingname="Edite"/></>);}

Note that Hooks (functions starting withuse, likeuseState) are not supported inside class components.

Pitfall

We recommend defining components as functions instead of classes.See how to migrate.


Adding state to a class component

To addstate to a class, assign an object to a property calledstate. To update state, callthis.setState.

Fork
import{Component}from'react';exportdefaultclass CounterextendsComponent{state ={name:'Taylor',age:42,};handleNameChange =(e)=>{this.setState({name:e.target.value});}handleAgeChange =()=>{this.setState({age:this.state.age +1});};render(){return(<><inputvalue={this.state.name}onChange={this.handleNameChange}/><buttononClick={this.handleAgeChange}>          Increment age</button><p>Hello,{this.state.name}. You are{this.state.age}.</p></>);}}

Pitfall

We recommend defining components as functions instead of classes.See how to migrate.


Adding lifecycle methods to a class component

There are a few special methods you can define on your class.

If you define thecomponentDidMount method, React will call it when your component is added(mounted) to the screen. React will callcomponentDidUpdate after your component re-renders due to changed props or state. React will callcomponentWillUnmount after your component has been removed(unmounted) from the screen.

If you implementcomponentDidMount, you usually need to implement all three lifecycles to avoid bugs. For example, ifcomponentDidMount reads some state or props, you also have to implementcomponentDidUpdate to handle their changes, andcomponentWillUnmount to clean up whatevercomponentDidMount was doing.

For example, thisChatRoom component keeps a chat connection synchronized with props and state:

Fork
import{Component}from'react';import{createConnection}from'./chat.js';exportdefaultclass ChatRoomextendsComponent{state ={serverUrl:'https://localhost:1234'};componentDidMount(){this.setupConnection();}componentDidUpdate(prevProps,prevState){if(this.props.roomId !==prevProps.roomId ||this.state.serverUrl !==prevState.serverUrl){this.destroyConnection();this.setupConnection();}}componentWillUnmount(){this.destroyConnection();}setupConnection(){this.connection =createConnection(this.state.serverUrl,this.props.roomId);this.connection.connect();}destroyConnection(){this.connection.disconnect();this.connection =null;}render(){return(<><label>          Server URL:{' '}<inputvalue={this.state.serverUrl}onChange={e=>{this.setState({serverUrl:e.target.value});}}/></label><h1>Welcome to the{this.props.roomId} room!</h1></>);}}

Note that in development whenStrict Mode is on, React will callcomponentDidMount, immediately callcomponentWillUnmount, and then callcomponentDidMount again. This helps you notice if you forgot to implementcomponentWillUnmount or if its logic doesn’t fully “mirror” whatcomponentDidMount does.

Pitfall

We recommend defining components as functions instead of classes.See how to migrate.


Catching rendering errors with an Error Boundary

By default, if your application throws an error during rendering, React will remove its UI from the screen. To prevent this, you can wrap a part of your UI into anError Boundary. An Error Boundary is a special component that lets you display some fallback UI instead of the part that crashed—for example, an error message.

Note

Error boundaries do not catch errors for:

  • Event handlers(learn more)
  • Server side rendering
  • Errors thrown in the error boundary itself (rather than its children)
  • Asynchronous code (e.g.setTimeout orrequestAnimationFrame callbacks); an exception is the usage of thestartTransition function returned by theuseTransition Hook. Errors thrown inside the transition function are caught by error boundaries(learn more)

To implement an Error Boundary component, you need to providestatic getDerivedStateFromError which lets you update state in response to an error and display an error message to the user. You can also optionally implementcomponentDidCatch to add some extra logic, for example, to log the error to an analytics service.

WithcaptureOwnerStack you can include the Owner Stack during development.

import*asReactfrom'react';

class ErrorBoundaryextendsReact.Component{
constructor(props){
super(props);
this.state ={hasError:false};
}

staticgetDerivedStateFromError(error){
// Update state so the next render will show the fallback UI.
return{hasError:true};
}

componentDidCatch(error,info){
logErrorToMyService(
error,
// Example "componentStack":
// in ComponentThatThrows (created by App)
// in ErrorBoundary (created by App)
// in div (created by App)
// in App
info.componentStack,
// Warning: `captureOwnerStack` is not available in production.
React.captureOwnerStack(),
);
}

render(){
if(this.state.hasError){
// You can render any custom fallback UI
returnthis.props.fallback;
}

returnthis.props.children;
}
}

Then you can wrap a part of your component tree with it:

<ErrorBoundaryfallback={<p>Something went wrong</p>}>
<Profile/>
</ErrorBoundary>

IfProfile or its child component throws an error,ErrorBoundary will “catch” that error, display a fallback UI with the error message you’ve provided, and send a production error report to your error reporting service.

You don’t need to wrap every component into a separate Error Boundary. When you think about thegranularity of Error Boundaries, consider where it makes sense to display an error message. For example, in a messaging app, it makes sense to place an Error Boundary around the list of conversations. It also makes sense to place one around every individual message. However, it wouldn’t make sense to place a boundary around every avatar.

Note

There is currently no way to write an Error Boundary as a function component. However, you don’t have to write the Error Boundary class yourself. For example, you can usereact-error-boundary instead.


Alternatives

Migrating a simple component from a class to a function

Typically, you willdefine components as functions instead.

For example, suppose you’re converting thisGreeting class component to a function:

Fork
import{Component}from'react';class GreetingextendsComponent{render(){return<h1>Hello,{this.props.name}!</h1>;}}exportdefaultfunctionApp(){return(<><Greetingname="Sara"/><Greetingname="Cahal"/><Greetingname="Edite"/></>);}

Define a function calledGreeting. This is where you will move the body of yourrender function.

functionGreeting(){
// ... move the code from the render method here ...
}

Instead ofthis.props.name, define thename propusing the destructuring syntax and read it directly:

functionGreeting({name}){
return<h1>Hello,{name}!</h1>;
}

Here is a complete example:

Fork
functionGreeting({name}){return<h1>Hello,{name}!</h1>;}exportdefaultfunctionApp(){return(<><Greetingname="Sara"/><Greetingname="Cahal"/><Greetingname="Edite"/></>);}

Migrating a component with state from a class to a function

Suppose you’re converting thisCounter class component to a function:

Fork
import{Component}from'react';exportdefaultclass CounterextendsComponent{state ={name:'Taylor',age:42,};handleNameChange =(e)=>{this.setState({name:e.target.value});}handleAgeChange =(e)=>{this.setState({age:this.state.age +1});};render(){return(<><inputvalue={this.state.name}onChange={this.handleNameChange}/><buttononClick={this.handleAgeChange}>          Increment age</button><p>Hello,{this.state.name}. You are{this.state.age}.</p></>);}}

Start by declaring a function with the necessarystate variables:

import{useState}from'react';

functionCounter(){
const[name,setName] =useState('Taylor');
const[age,setAge] =useState(42);
// ...

Next, convert the event handlers:

functionCounter(){
const[name,setName] =useState('Taylor');
const[age,setAge] =useState(42);

functionhandleNameChange(e){
setName(e.target.value);
}

functionhandleAgeChange(){
setAge(age +1);
}
// ...

Finally, replace all references starting withthis with the variables and functions you defined in your component. For example, replacethis.state.age withage, and replacethis.handleNameChange withhandleNameChange.

Here is a fully converted component:

Fork
import{useState}from'react';exportdefaultfunctionCounter(){const[name,setName] =useState('Taylor');const[age,setAge] =useState(42);functionhandleNameChange(e){setName(e.target.value);}functionhandleAgeChange(){setAge(age +1);}return(<><inputvalue={name}onChange={handleNameChange}/><buttononClick={handleAgeChange}>        Increment age</button><p>Hello,{name}. You are{age}.</p></>)}

Migrating a component with lifecycle methods from a class to a function

Suppose you’re converting thisChatRoom class component with lifecycle methods to a function:

Fork
import{Component}from'react';import{createConnection}from'./chat.js';exportdefaultclass ChatRoomextendsComponent{state ={serverUrl:'https://localhost:1234'};componentDidMount(){this.setupConnection();}componentDidUpdate(prevProps,prevState){if(this.props.roomId !==prevProps.roomId ||this.state.serverUrl !==prevState.serverUrl){this.destroyConnection();this.setupConnection();}}componentWillUnmount(){this.destroyConnection();}setupConnection(){this.connection =createConnection(this.state.serverUrl,this.props.roomId);this.connection.connect();}destroyConnection(){this.connection.disconnect();this.connection =null;}render(){return(<><label>          Server URL:{' '}<inputvalue={this.state.serverUrl}onChange={e=>{this.setState({serverUrl:e.target.value});}}/></label><h1>Welcome to the{this.props.roomId} room!</h1></>);}}

First, verify that yourcomponentWillUnmount does the opposite ofcomponentDidMount. In the above example, that’s true: it disconnects the connection thatcomponentDidMount sets up. If such logic is missing, add it first.

Next, verify that yourcomponentDidUpdate method handles changes to any props and state you’re using incomponentDidMount. In the above example,componentDidMount callssetupConnection which readsthis.state.serverUrl andthis.props.roomId. This is whycomponentDidUpdate checks whetherthis.state.serverUrl andthis.props.roomId have changed, and resets the connection if they did. If yourcomponentDidUpdate logic is missing or doesn’t handle changes to all relevant props and state, fix that first.

In the above example, the logic inside the lifecycle methods connects the component to a system outside of React (a chat server). To connect a component to an external system,describe this logic as a single Effect:

import{useState,useEffect}from'react';

functionChatRoom({roomId}){
const[serverUrl,setServerUrl] =useState('https://localhost:1234');

useEffect(()=>{
constconnection =createConnection(serverUrl,roomId);
connection.connect();
return()=>{
connection.disconnect();
};
},[serverUrl,roomId]);

// ...
}

ThisuseEffect call is equivalent to the logic in the lifecycle methods above. If your lifecycle methods do multiple unrelated things,split them into multiple independent Effects. Here is a complete example you can play with:

Fork
import{useState,useEffect}from'react';import{createConnection}from'./chat.js';exportdefaultfunctionChatRoom({roomId}){const[serverUrl,setServerUrl] =useState('https://localhost:1234');useEffect(()=>{constconnection =createConnection(serverUrl,roomId);connection.connect();return()=>{connection.disconnect();};},[roomId,serverUrl]);return(<><label>        Server URL:{' '}<inputvalue={serverUrl}onChange={e=>setServerUrl(e.target.value)}/></label><h1>Welcome to the{roomId} room!</h1></>);}

Note

If your component does not synchronize with any external systems,you might not need an Effect.


Migrating a component with context from a class to a function

In this example, thePanel andButton class components readcontext fromthis.context:

Fork
import{createContext,Component}from'react';constThemeContext =createContext(null);class PanelextendsComponent{staticcontextType =ThemeContext;render(){consttheme =this.context;constclassName ='panel-' +theme;return(<sectionclassName={className}><h1>{this.props.title}</h1>{this.props.children}</section>);}}class ButtonextendsComponent{staticcontextType =ThemeContext;render(){consttheme =this.context;constclassName ='button-' +theme;return(<buttonclassName={className}>{this.props.children}</button>);}}functionForm(){return(<Paneltitle="Welcome"><Button>Sign up</Button><Button>Log in</Button></Panel>);}exportdefaultfunctionMyApp(){return(<ThemeContextvalue="dark"><Form/></ThemeContext>)}

When you convert them to function components, replacethis.context withuseContext calls:

Fork
import{createContext,useContext}from'react';constThemeContext =createContext(null);functionPanel({title,children}){consttheme =useContext(ThemeContext);constclassName ='panel-' +theme;return(<sectionclassName={className}><h1>{title}</h1>{children}</section>)}functionButton({children}){consttheme =useContext(ThemeContext);constclassName ='button-' +theme;return(<buttonclassName={className}>{children}</button>);}functionForm(){return(<Paneltitle="Welcome"><Button>Sign up</Button><Button>Log in</Button></Panel>);}exportdefaultfunctionMyApp(){return(<ThemeContextvalue="dark"><Form/></ThemeContext>)}


[8]ページ先頭

©2009-2025 Movatter.jp