React-Router v6 新特性解讀及遷移指南

前端勸退師發表於2020-03-18

前言

18年初,React Router的主要開發人員建立一個名為Reach Router的輕量級替代方案。

原來是相互抗衡的,卻沒想React Router直接拿來合併(真香!)

React-Router v6 新特性解讀及遷移指南

目前 v6已是測試最後一版,估計新的特性不出意外就是下面這些了。

React-Router v6 新特性解讀及遷移指南

  1. <Switch>重新命名為<Routes>
  2. <Route>的新特性變更。
  3. 巢狀路由變得更簡單。
  4. useNavigate代替useHistory
  5. 新鉤子useRoutes代替react-router-config
  6. 大小減少:從20kb8kb

1. <Switch>重新命名為<Routes>

該頂級元件將被重新命名。但是,其功能大部分保持不變(嗨,瞎折騰)。

// v5
<Switch>
    <Route exact path="/"><Home /></Route>
    <Route path="/profile"><Profile /></Route>
</Switch>

// v6
<Routes>
    <Route path="/" element={<Home />} />
    <Route path="profile/*" element={<Profile />} />
</Routes>
複製程式碼

2. <Route>的新特性變更

component/renderelement替代

總而言之,簡而言之。就是變得更好用了。

import Profile from './Profile';

// v5
<Route path=":userId" component={Profile} />
<Route
  path=":userId"
  render={routeProps => (
    <Profile routeProps={routeProps} animate={true} />
  )}
/>

// v6
<Route path=":userId" element={<Profile />} />
<Route path=":userId" element={<Profile animate={true} />} />
複製程式碼

3. 巢狀路由變得更簡單

具體變化有以下:

  • <Route children> 已更改為接受子路由。
  • <Route exact><Route strict>更簡單的匹配規則。
  • <Route path> 路徑層次更清晰。

3.1 簡化巢狀路由定義

v5中的巢狀路由必須非常明確定義,且要求在這些元件中包含許多字串匹配邏輯(活久見啊,終於意識到這個問題了。)

React-Router v6 新特性解讀及遷移指南

且看之前的處理:

// v5
import {
  BrowserRouter,
  Switch,
  Route,
  Link,
  useRouteMatch
} from 'react-router-dom';

function App() {
  return (
    <BrowserRouter>
      <Switch>
        <Route exact path="/" component={Home} />
        <Route path="/profile" component={Profile} />
      </Switch>
    </BrowserRouter>
  );
}

function Profile() {
  let { path, url } = useRouteMatch();

  return (
    <div>
      <nav>
        <Link to={`${url}/me`}>My Profile</Link>
      </nav>

      <Switch>
        <Route path={`${path}/me`}>
          <MyProfile />
        </Route>
        <Route path={`${path}/:id`}>
          <OthersProfile />
        </Route>
      </Switch>
    </div>
  );
}
複製程式碼

而在v6中,你可以刪除字串匹配邏輯。不需要任何useRouteMatch()

// v6
import {
  BrowserRouter,
  Routes,
  Route,
  Link,
  Outlet
} from 'react-router-dom';

function App() {
  return (
    <BrowserRouter>
      <Routes>
        <Route path="/" element={<Home />} />
        <Route path="profile/*" element={<Profile/>} />
      </Routes>
    </BrowserRouter>
  );
}

function Profile() {
  return (
    <div>
      <nav>
        <Link to="me">My Profile</Link>
      </nav>

      <Routes>
        <Route path="me" element={<MyProfile />} />
        <Route path=":id" element={<OthersProfile />} />
      </Routes>
    </div>
  );
}
複製程式碼

當然,還有更酸爽的操作,直接在路由裡定義<Route><Route>,然後用接下來的一個新APIOutlet

3.2 新API:Outlet

這玩意兒,像極了{this.props.children},具體用法看以下例子:

function App() {
  return (
    <BrowserRouter>
      <Routes>
        <Route path="/" element={<Home />} />
        <Route path="profile" element={<Profile />}>
          <Route path=":id" element={<MyProfile />} />
          <Route path="me" element={<OthersProfile />} />
        </Route>
      </Routes>
    </BrowserRouter>
  );
}

function Profile() {
  return (
    <div>
      <nav>
        <Link to="me">My Profile</Link>
      </nav>
        {/*
       將直接根據上面定義的不同路由引數,渲染<MyProfile />或<OthersProfile />
        */}
      <Outlet />
    </div>
  )
}
複製程式碼

3.3 多個<Routes />

以前,我們只能 在React App中使用一個 Routes。但是現在我們可以在React App中使用多個路由,這將幫助我們基於不同的路由管理多個應用程式邏輯。

import React from 'react';
import { Routes, Route } from 'react-router-dom';

function Dashboard() {
  return (
    <div>
      <p>Look, more routes!</p>
      <Routes>
        <Route path="/" element={<DashboardGraphs />} />
        <Route path="invoices" element={<InvoiceList />} />
      </Routes>
    </div>
  );
}

function App() {
  return (
    <Routes>
      <Route path="/" element={<Home />} />
      <Route path="dashboard/*" element={<Dashboard />} />
    </Routes>
  );
}
複製程式碼

4. 用useNavigate代替useHistory

從一目瞭然改到雙目失明。。。

總感覺React Router團隊有點兒戲。。。

// v5
import { useHistory } from 'react-router-dom';

function MyButton() {
  let history = useHistory();
  function handleClick() {
    history.push('/home');
  };
  return <button onClick={handleClick}>Submit</button>;
};
複製程式碼

現在,history.push()將替換為navigation()

// v6
import { useNavigate } from 'react-router-dom';

function MyButton() {
  let navigate = useNavigate();
  function handleClick() {
    navigate('/home');
  };
  return <button onClick={handleClick}>Submit</button>;
};
複製程式碼

history的用法也將被替換成:

// v5
history.push('/home');
history.replace('/home');

// v6
navigate('/home');
navigate('/home', {replace: true});
複製程式碼

React-Router v6 新特性解讀及遷移指南

5. 新鉤子useRoutes代替react-router-config

感覺又是一波強行hooks,但還是相對於之前簡潔了一些。。。

function App() {
  let element = useRoutes([
    { path: '/', element: <Home /> },
    { path: 'dashboard', element: <Dashboard /> },
    { path: 'invoices',
      element: <Invoices />,
      children: [
        { path: ':id', element: <Invoice /> },
        { path: 'sent', element: <SentInvoices /> }
      ]
    },
    // 重定向
    { path: 'home', redirectTo: '/' },
    // 404找不到
    { path: '*', element: <NotFound /> }
  ]);
  return element;
}
複製程式碼

6. 大小減少:從20kb8kb

React Router v6給我們帶來方便的同時,還把包減少了一半以上的體積。。。

React-Router v6 新特性解讀及遷移指南

感覺可以去看一波原始碼了。。。

React-Router v6 新特性解讀及遷移指南

7. 遷移及其它重要修復...

官方的遷移指南在這裡:React Router v6遷移指南

其實上面所列的新特性,基本就是遷移的全部內容了。

基礎的起手式就是更新包:

$ npm install react-router@6 react-router-dom@6
# or, for a React Native app
$ npm install react-router@6 react-router-native@6
複製程式碼

其中我覺得特別需要注意的一點是:React Router v6使用簡化的路徑格,僅支援2種佔位符:動態:id樣式引數和*萬用字元

以下都是v6中的有效路由路徑:

/groups
/groups/admin
/users/:id
/users/:id/messages
/files/*
/files/:id/*
/files-*
複製程式碼

使用RegExp正則匹配的路徑將無效:

/users/:id?
/tweets/:id(\d+)
/files/*/cat.jpg
複製程式碼

v6中的所有路徑匹配都將忽略URL上的尾部"/"。實際上,<Route strict>已被刪除並且在v6中無效。這並不意味著您不需要使用斜槓。

v5版本之前的路徑,存在路由歧義

  1. 當前路徑:"/users",則<Link to="me">將跳轉<a href="/me">
  2. 當前路徑:"/users/",則<Link to="me">將跳轉<a href="/users/me">

React Router v6修復了這種歧義,取消了尾部"/":

  1. 當前路徑:"/users",則<Link to="me">將跳轉<a href="/users/me">
  2. 當前路徑:"/users",則<Link to="../me">將跳轉<a href="/me">

其形式更像命令列cd的用法:

// 當前路徑為 /app/dashboard 

<Link to="stats">               // <a href="/app/dashboard/stats">
<Link to="../stats">            // <a href="/app/stats">
<Link to="../../stats">         // <a href="/stats">
<Link to="../../../stats">      // <a href="/stats">

// 命令列當前路徑為 /app/dashboard
cd stats                        // pwd is /app/dashboard/stats
cd ../stats                     // pwd is /app/stats
cd ../../stats                  // pwd is /stats
cd ../../../stats               // pwd is /stats
複製程式碼

結語

參考文章:

  1. A Sneak Peek at React Router v6
  2. What’s new in React Router v6
  3. React Router v6 in Three Minutes
  4. Migrating React Router v5 to v6

❤️ 看完三件事

如果你覺得這篇內容對你挺有啟發,我想邀請你幫我三個小忙:

  1. 點贊,讓更多的人也能看到這篇內容(收藏不點贊,都是耍流氓 -_-)
  2. 關注公眾號「前端勸退師」,不定期分享原創知識。
  3. 也看看其它文章

React-Router v6 新特性解讀及遷移指南
勸退師個人微信:huab119

也可以來我的GitHub部落格裡拿所有文章的原始檔:

前端勸退指南github.com/roger-hiro/… 一起玩耍呀。~

相關文章