Hooks 规则

Hooks 使用 JavaScript 函数定义,但它们代表一种特殊的可重用 UI 逻辑,对其调用位置有限制。


仅在顶层调用 Hooks

名称以use开头的函数在 React 中被称为Hooks

不要在循环、条件语句、嵌套函数或try/catch/finally块内调用 Hooks。 而应该始终在 React 函数的顶层,在任何提前返回语句之前调用 Hooks。你只能在 React 渲染函数组件时调用 Hooks。

function Counter() {
// ✅ Good: top-level in a function component
const [count, setCount] = useState(0);
// ...
}

function useWindowWidth() {
// ✅ Good: top-level in a custom Hook
const [width, setWidth] = useState(window.innerWidth);
// ...
}

在其他任何情况下调用 Hooks(以use开头的函数)都是不支持的,例如

  • 🔴 不要在条件语句或循环内调用 Hooks。
  • 🔴 不要在条件return语句之后调用 Hooks。
  • 🔴 不要在事件处理程序中调用 Hooks。
  • 🔴 不要在类组件中调用 Hooks。
  • 🔴 不要在传递给useMemouseReduceruseEffect的函数内调用 Hooks。
  • 🔴 不要在try/catch/finally块内调用 Hooks。

如果违反这些规则,你可能会看到此错误。

function Bad({ cond }) {
if (cond) {
// 🔴 Bad: inside a condition (to fix, move it outside!)
const theme = useContext(ThemeContext);
}
// ...
}

function Bad() {
for (let i = 0; i < 10; i++) {
// 🔴 Bad: inside a loop (to fix, move it outside!)
const theme = useContext(ThemeContext);
}
// ...
}

function Bad({ cond }) {
if (cond) {
return;
}
// 🔴 Bad: after a conditional return (to fix, move it before the return!)
const theme = useContext(ThemeContext);
// ...
}

function Bad() {
function handleClick() {
// 🔴 Bad: inside an event handler (to fix, move it outside!)
const theme = useContext(ThemeContext);
}
// ...
}

function Bad() {
const style = useMemo(() => {
// 🔴 Bad: inside useMemo (to fix, move it outside!)
const theme = useContext(ThemeContext);
return createStyle(theme);
});
// ...
}

class Bad extends React.Component {
render() {
// 🔴 Bad: inside a class component (to fix, write a function component instead of a class!)
useEffect(() => {})
// ...
}
}

function Bad() {
try {
// 🔴 Bad: inside try/catch/finally block (to fix, move it outside!)
const [x, setX] = useState(0);
} catch {
const [x, setX] = useState(1);
}
}

你可以使用eslint-plugin-react-hooks插件来捕获这些错误。

注意

自定义 Hooks可以调用其他 Hooks(这就是它们的全部目的)。这是可行的,因为自定义 Hooks 也应该只在函数组件渲染时调用。


仅从 React 函数中调用 Hooks

不要从常规 JavaScript 函数中调用 Hooks。你可以:

✅ 从 React 函数组件中调用 Hooks。✅ 从自定义 Hooks中调用 Hooks。

遵循此规则,可以确保组件中所有有状态的逻辑都清晰地显示在其源代码中。

function FriendList() {
const [onlineStatus, setOnlineStatus] = useOnlineStatus(); // ✅
}

function setOnlineStatus() { // ❌ Not a component or custom Hook!
const [onlineStatus, setOnlineStatus] = useOnlineStatus();
}