React Hook "useHistory" cannot be called in a class component. React Hooks must be called in a React function component or a custom React Hook function
时间: 2024-02-15 18:01:36 浏览: 272
这个错误提示的意思是,`useHistory` 这个 Hook 只能在函数组件和自定义 Hook 中使用,不能在类组件中使用。因为 Hooks 是 React V16.8 引入的新特性,而类组件并不支持 Hooks。
如果你想在类组件中使用路由的 `history` 对象,可以使用 `withRouter` 高阶组件。`withRouter` 接收一个组件作为参数,并返回一个新的组件。新的组件会将路由的 `history` 对象作为 `props` 传递给被包裹的组件。
具体用法如下:
1. 首先,在需要使用 `history` 对象的类组件中,导入 `withRouter` 高阶组件:
```javascript
import { withRouter } from 'react-router-dom';
```
2. 然后,使用 `withRouter` 包裹组件:
```javascript
class MyComponent extends React.Component {
render() {
const { history } = this.props;
return (
<React.Fragment>
<button onClick={() => history.push('/new-route')}>
Navigate to New Route
</button>
</React.Fragment>
);
}
}
export default withRouter(MyComponent);
```
在上面的例子中,我们使用 `withRouter` 包裹了 `MyComponent` 类组件,并将包裹后的组件导出。这样,`MyComponent` 组件就可以通过 `this.props.history` 访问 `history` 对象了。
需要注意的是,`withRouter` 包裹后的组件会在路由变化时重新渲染,因此可能会造成性能问题。如果你需要在类组件中频繁地访问 `history` 对象,建议将类组件转换为函数组件,并使用 `useHistory` 钩子来获取 `history` 对象。
阅读全文