useEffect 常見的誤用
useEffect 常見誤用問題與解決方法
useEffect 無限迴圈陷阱
無窮迴圈案例:
function CountInputChanges() {
  const [value, setValue] = useState('');
  const [count, setCount] = useState(-1);
 useEffect(() => setCount(count + 1));
  const onChange = ({ target }) => setValue(target.value);
  return (
    <div>
      <input type="text" value={value} onChange={onChange} />
      <div>Number of changes: {count}</div>
    </div>
  )
}
當 Effect 進入無窮迴圈,必定源自於兩件事:
1. 該 Effect 更新了某 state
2. 該 state 導致 Effect 的依賴項發生變化從而引起 re-render
在開始解決問題之前,先問問自己 Effect 是否連接到某個外部系統(如 DOM、網絡、第三方小部件等),如果沒有外部系統,那代表不一定需要用 useEffect,可以考慮將邏輯完全移除 Effect。
- state: 使用其他 dependencies來控制 Effect,只有 value 改變時才會觸發 setValue
import { useEffect, useState } from 'react';
function CountInputChanges() {
  const [value, setValue] = useState('');
  const [count, setCount] = useState(-1);
  useEffect(() => setCount(count + 1), [value]);
  const onChange = ({ target }) => setValue(target.value);
  return (
    <div>
      <input type="text" value={value} onChange={onChange} />
      <div>Number of changes: {count}</div>
    </div>
  );
}
- 移除 object & function dependencies: 因為每次 re-render,object 與 function 都會被從頭建立,因此若 dependencies 包含 object or React 會判定 dependencies 發生變化而不斷 re-render。
可以使用 useRef 建立 Ref,更新 Ref 不會觸發元件的重新渲染。
import { useEffect, useState, useRef } from "react";
function CountInputChanges() {
  const [value, setValue] = useState("");
  const countRef = useRef(0);
  useEffect(() => countRef.current++);
  const onChange = ({ target }) => setValue(target.value);
  return (
    <div>
      <input type="text" value={value} onChange={onChange} />
      <div>Number of changes: {countRef.current}</div>
    </div>
  );
}
async await 在 useEffect 中常見的誤用
// ❌ don't do this
useEffect(async () => {
  const data = await fetchData();
}, [fetchData])
這裡的問題是 useEffect 的第一個參數應該是一個不返回任何內容(未定義)或返回一個函數(以清除副作用)的函數。但是異步函數返回一個 Promise,它不能作為 useEffect 的 setup function 調用!
useEffect(() => {
  // declare the data fetching function
  const fetchData = async () => {
    const data = await fetch('https://yourapi.com');
  }
  // call the function
  fetchData()
    // make sure to catch any error
    .catch(console.error);
}, [])
useEffect(() => {
  // declare the async data fetching function
  const fetchData = async () => {
    // get the data from the api
    const data = await fetch('https://yourapi.com');
    // convert data to json
    const json = await data.json();
    return json;
  }
  // call the function
  const result = fetchData()
    // make sure to catch any error
    .catch(console.error);;
  // ❌ don't do this, it won't work as you expect!
  setData(result);
}, [])
上述 result 如果我們 console.log 出來會是一個 pending Promise object
Promise {<pending>}
useEffect(() => {
  // declare the async data fetching function
  const fetchData = async () => {
    // get the data from the api
    const data = await fetch('https://yourapi.com');
    // convert the data to json
    const json = await response.json();
    // set state with the result
    setData(json);
  }
  // call the function
  fetchData()
    // make sure to catch any error
    .catch(console.error);;
}, [])
// declare the async data fetching function
const fetchData = async () => {
  const data = await fetch('https://yourapi.com');
  setData(data);
}
// the useEffect is only there to call `fetchData` at the right time
useEffect(() => {
  fetchData()
    // make sure to catch any error
    .catch(console.error);;
}, [fetchData])
由於每次 re-render function 都會被從頭建立,因此會在每次 re-render 時都被呼叫一次
// declare the async data fetching function
const fetchData = useCallback(async () => {
  const data = await fetch('https://yourapi.com');
  setData(data);
}, [])
// the useEffect is only there to call `fetchData` at the right time
useEffect(() => {
  fetchData()
    // make sure to catch any error
    .catch(console.error);;
}, [fetchData])
useCallback 可以在 re-render 之間緩存函數定義,使得不會在每次 re-render 都觸發 fetchData。
移除 component 中非必要的 Effects
本節範例皆取自 You Might Not Need an Effect - @React Docs Beta
useEffect 是用來讓 component “走出” React 與一些外部系統同步,比如: non-React widgets、網絡或瀏覽器 DOM。如果不涉及外部系統(例如,如果只是想在某些 props 或 state 更改時更新component),則不需要 Effect。刪除不必要的 Effects 將使程式碼碼更易於理解、運行速度更快並且更不容易出錯。
根據 props 或 state 更新 state
當某些東西可以從現有的 props 或 state 中計算出來時,不要把它放在狀態中。
function Form() {
  const [firstName, setFirstName] = useState('Taylor');
  const [lastName, setLastName] = useState('Swift');
  // 🔴 Avoid: redundant state and unnecessary Effect
  const [fullName, setFullName] = useState('');
  useEffect(() => {
    setFullName(firstName + ' ' + lastName);
  }, [firstName, lastName]);
  // ...
}
function Form() {
  const [firstName, setFirstName] = useState('Taylor');
  const [lastName, setLastName] = useState('Swift');
  // ✅ Good: calculated during rendering
  const fullName = firstName + ' ' + lastName;
  // ... 
}
Caching 高成本的計算結果
同前一個例子,如果只是要用從 props 取得的 todos, filter 來計算 visibleTodos,不需要另 visibleTodos 作為 state,直接做為普通變數及可。
function TodoList({ todos, filter }) {
  const [newTodo, setNewTodo] = useState('');
  // 🔴 Avoid: redundant state and unnecessary Effect
  const [visibleTodos, setVisibleTodos] = useState([]);
  useEffect(() => {
    setVisibleTodos(getFilteredTodos(todos, filter));
  }, [todos, filter]);
  // ...
}
function TodoList({ todos, filter }) {
  const [newTodo, setNewTodo] = useState('');
  // ✅ This is fine if getFilteredTodos() is not slow.
  const visibleTodos = getFilteredTodos(todos, filter);
  // ...
}
但如果 todos 很大造成 getFilteredTodos() 的計算成本很高時,我們可以將 visibleTodos 包裝在 useMemo 中來緩存(或記憶)它。useMemo告訴 React ,除非 todos 或 filter 發生變化,否則不要重複執行 getFilteredTodos()。 React 將在初始渲染期間記住 getFilteredTodos() 的返回值。在下一次渲染期間,useMemo 將檢查 todos 與 filter 若沒有發生變化則返回它存儲的最後一個結果。
import { useMemo, useState } from 'react';
function TodoList({ todos, filter }) {
  const [newTodo, setNewTodo] = useState('');
  // ✅ Does not re-run getFilteredTodos() unless todos or filter change
  const visibleTodos = useMemo(() => getFilteredTodos(todos, filter), [todos, filter]);
  // ...
}
當 props 改變時重置所有 state
通常,當同一個 component 在同一個位置渲染時,React 會保留 state,若使用 useEffect 來重置 comment 狀態的話,當 component 重新渲染時,comment 狀態會在第一次渲染時仍然是舊的值,然後又因為 useEffect 的執行而重新渲染一次,這樣會造成渲染的浪費和顯示的錯誤。同時,如果 comment UI 是被嵌套在子元件中的話,就需要在每個子元件中重置 comment 的狀態,這樣會增加程式碼的複雜度和維護成本。
export default function ProfilePage({ userId }) {
  const [comment, setComment] = useState('');
  // 🔴 Avoid: Resetting state on prop change in an Effect
  useEffect(() => {
    setComment('');
  }, [userId]);
  // ...
}
我們可以通將將 userId 作為 key 傳遞給 Profile component,要求 React 將具有不同 userId 的兩個 Profile component 視為不應共享任何狀態的兩個不同組件。每當 key(已設置為 userId)更改時,React 將重新創建 DOM 並重置 Profile 組件及其所有子組件的狀態。因此,在配置文件之間導航時,評論字段將自動清除。
export default function ProfilePage({ userId }) {
  return (
    <Profile
      userId={userId}
      key={userId}
    />
  );
}
function Profile({ userId }) {
  // ✅ This and any other state below will reset on key change automatically
  const [comment, setComment] = useState('');
  // ...
}
當 props 改變時更新部分 state
有時我們可能希望在 props 更改時重置或調整部分而非全部的 state。 於前例相同的,我們應該避免在 Effect 中監聽 props 來更新 state。該例子中每次更改 items ,List 及其子組件將首先使用舊的 selection 值渲染畫面然後才運行 Effects。當執行到 setSelection(null) 後將導致 List 及其子組件再次重新渲染。
function List({ items }) {
  const [isReverse, setIsReverse] = useState(false);
  const [selection, setSelection] = useState(null);
  // 🔴 Avoid: Adjusting state on prop change in an Effect
  useEffect(() => {
    setSelection(null);
  }, [items]);
  // ...
}
在下面的例子中,setSelection 會直接在渲染期間被呼叫。React 會在退出 component 的 return 後將立即重新渲染 List。此時,React 尚未渲染 List 的子元素或更新DOM,因此這使得List子元素可以跳過渲染舊的 selection 值。
function List({ items }) {
  const [isReverse, setIsReverse] = useState(false);
  const [selection, setSelection] = useState(null);
  // Better: Adjust the state while rendering
  const [prevItems, setPrevItems] = useState(items);
  if (items !== prevItems) {
    setPrevItems(items);
    setSelection(null);
  }
  // ...
}
儘管此方法比 Effect 更有效率,但大多數 component 也不需要它。不管怎麼做,基於 props 或其他 state 來調整 state 都會使數據流更難理解和調試。我們可以持續檢查是否可以使用 key 重置所有 state 或在渲染期間計算所有內容。例如,存儲所選項目 ID,而不是存儲(和重置)所選項目。在渲染期間,可以通過將 selectedId 與 item 的 id 進行比較來計算出選中的 item 。如果找不到匹配的項目,則返回 null。這樣做的好處是不需要在渲染期間調整 state,而且大多數情況下,當 items 改變時,selection 的狀態也會保持不變。
function List({ items }) {
  const [isReverse, setIsReverse] = useState(false);
  const [selectedId, setSelectedId] = useState(null);
  // ✅ Best: Calculate everything during rendering
  const selection = items.find(item => item.id === selectedId) ?? null;
  // ...
}
在 event handlers 間共享邏輯
應該要避將與特定事件相關的邏輯寫進 Effect。如下面這個例子,本來我們只希望按下 Buy or Checkout 按鈕才觸發 showNotification(),但假如我們將一個 product 加入購物車後再次 reload ,又會再呼叫一次 showNotification(),因為前面加入購物車的動作已經使 product.isInCart 為 true,每次 reload 都會重新執行 useEffect,而觸發 showNotification()。
function ProductPage({ product, addToCart }) {
  // 🔴 Avoid: Event-specific logic inside an Effect
  useEffect(() => {
    if (product.isInCart) {
      showNotification(`Added ${product.name} to the shopping cart!`);
    }
  }, [product]);
  function handleBuyClick() {
    addToCart(product);
  }
  function handleCheckoutClick() {
    addToCart(product);
    navigateTo('/checkout');
  }
  // ...
}
當用戶點擊一個按鈕時,通知應該顯示出來,但是這個操作不需要在每次組件渲染時都執行,因為用戶並不一定會點擊這個按鈕。如果將這個操作放在Effect中,那麼每次組件渲染時都會執行這個操作,這是不必要的開銷。相反,我們可以將這個操作放在事件處理函數中,在用戶點擊按鈕時執行。這樣就可以節省不必要的程式碼運行。
function ProductPage({ product, addToCart }) {
  // ✅ Good: Event-specific logic is called from event handlers
  function buyProduct() {
    addToCart(product);
    showNotification(`Added ${product.name} to the shopping cart!`);
  }
  function handleBuyClick() {
    buyProduct();
  }
  function handleCheckoutClick() {
    buyProduct();
    navigateTo('/checkout');
  }
  // ...
}
發送 Post request
同前例,應該要避將與特定事件相關的邏輯寫進 Effect。
function Form() {
  const [firstName, setFirstName] = useState('');
  const [lastName, setLastName] = useState('');
  // ✅ Good: This logic should run because the component was displayed
  useEffect(() => {
    post('/analytics/event', { eventName: 'visit_form' });
  }, []);
  // 🔴 Avoid: Event-specific logic inside an Effect
  const [jsonToSubmit, setJsonToSubmit] = useState(null);
  useEffect(() => {
    if (jsonToSubmit !== null) {
      post('/api/register', jsonToSubmit);
    }
  }, [jsonToSubmit]);
  function handleSubmit(e) {
    e.preventDefault();
    setJsonToSubmit({ firstName, lastName });
  }
  // ...
}
若只想在一個特定的時間及時發送請求:當用戶按下按鈕時。它應該只發生在那個特定的交互上。
function Form() {
  const [firstName, setFirstName] = useState('');
  const [lastName, setLastName] = useState('');
  // ✅ Good: This logic runs because the component was displayed
  useEffect(() => {
    post('/analytics/event', { eventName: 'visit_form' });
  }, []);
  function handleSubmit(e) {
    e.preventDefault();
    // ✅ Good: Event-specific logic is in the event handler
    post('/api/register', { firstName, lastName });
  }
  
  // ...
}