React-Router: No Not Found Route? React-Router: No Not Found Route? javascript javascript

React-Router: No Not Found Route?


DefaultRoute and NotFoundRoute were removed in react-router 1.0.0.

I'd like to emphasize that the default route with the asterisk has to be last in the current hierarchy level to work. Otherwise it will override all other routes that appear after it in the tree because it's first and matches every path.

For react-router 1, 2 and 3

If you want to display a 404 and keep the path (Same functionality as NotFoundRoute)

<Route path='*' exact={true} component={My404Component} />

If you want to display a 404 page but change the url (Same functionality as DefaultRoute)

<Route path='/404' component={My404Component} /><Redirect from='*' to='/404' />

Example with multiple levels:

<Route path='/' component={Layout} />    <IndexRoute component={MyComponent} />    <Route path='/users' component={MyComponent}>        <Route path='user/:id' component={MyComponent} />        <Route path='*' component={UsersNotFound} />    </Route>    <Route path='/settings' component={MyComponent} />    <Route path='*' exact={true} component={GenericNotFound} /></Route>

For react-router 4 and 5

Keep the path

<Switch>    <Route exact path="/users" component={MyComponent} />    <Route component={GenericNotFound} /></Switch>

Redirect to another route (change url)

<Switch>    <Route path="/users" component={MyComponent} />    <Route path="/404" component={GenericNotFound} />    <Redirect to="/404" /></Switch>

The order matters!


In newer versions of react-router you want to wrap the routes in a Switch which only renders the first matched component. Otherwise you would see multiple components rendered.

For example:

import React from 'react';import ReactDOM from 'react-dom';import {  BrowserRouter as Router,  Route,  browserHistory,  Switch} from 'react-router-dom';import App from './app/App';import Welcome from './app/Welcome';import NotFound from './app/NotFound';const Root = () => (  <Router history={browserHistory}>    <Switch>      <Route exact path="/" component={App}/>      <Route path="/welcome" component={Welcome}/>      <Route component={NotFound}/>    </Switch>  </Router>);ReactDOM.render(  <Root/>,  document.getElementById('root'));


With the new version of React Router (using 2.0.1 now), you can use an asterisk as a path to route all 'other paths'.

So it would look like this:

<Route route="/" component={App}>    <Route path=":area" component={Area}>        <Route path=":city" component={City} />        <Route path=":more-stuff" component={MoreStuff} />        </Route>    <Route path="*" component={NotFoundRoute} /></Route>