? 优质资源分享 ?
学习路线指引(点击解锁) | 知识定位 | 人群定位 |
---|---|---|
? Python实战微信订餐小程序 ? | 进阶级 | 本课程是python flask+微信小程序的完美结合,从项目搭建到腾讯云部署上线,打造一个全栈订餐系统。 |
?Python量化交易实战? | 入门级 | 手把手带你打造一个易扩展、更安全、效率更高的量化交易系统 |
正文从这开始~
总览
当我们尝试在react router的Router上下文外部使用useNavigate
钩子时,会产生"useNavigate() may be used only in the context of a Router component"警告。为了解决该问题,只在Router上下文中使用useNavigate
钩子。
[外链图片转存失败,源站可能有防盗链机制,建议将图片保存下来直接上传(img-wEeOCwjb-1659978698940)(https://p1-juejin.byteimg.com/tos-cn-i-k3u1fbpfcp/85f51fba0bef4f76a1e7db8f522e0aec~tplv-k3u1fbpfcp-watermark.image?)]
下面是一个在index.js
文件中将React应用包裹到Router中的例子。
// index.js
import {createRoot} from 'react-dom/client';
import App from './App';
import {BrowserRouter as Router} from 'react-router-dom';
const rootElement = document.getElementById('root');
const root = createRoot(rootElement);
// ?️ wrap App in Router
root.render(
<Router>
<App />
Router>
);
现在,你可以在App.js文件中使用useNavigate
钩子。
// App.js
import React from 'react';
import {
useNavigate,
} from 'react-router-dom';
export default function App() {
const navigate = useNavigate();
const handleClick = () => {
// ?️ navigate programmatically
navigate('/about');
};
return (
<div>
<button onClick={handleClick}>Navigate to Aboutbutton>
div>
);
}
会发生错误是因为useNavigate
钩子使用了Router组件提供的上下文,所以它必须嵌套在Router里面。
用Router组件包裹你的React应用程序的最佳位置是在你的
index.js
文件中,因为那是你的React应用程序的入口点。
一旦你的整个应用都被Router组件所包裹,你可以随时随地的在组件中使用react router所提供的钩子。
Jest
如果你在使用Jest测试库时遇到错误,解决办法也是一样的。你必须把使用useNavigate
钩子的组件包裹在一个Router中。
// App.test.js
import {render} from '@testing-library/react';
import App from './App';
import {BrowserRouter as Router} from 'react-router-dom';
// ?️ wrap component that uses useNavigate in Router
test('renders react component', async () => {
render(
<Router>
<App />
Router>,
);
// your tests...
});
useNavigate
钩子返回一个函数,让我们以编程方式进行路由跳转,例如在一个表单提交后。
我们传递给navigate
函数的参数与组件上的to
属性相同。
replace
如果你想使用相当于history.replace()
的方法,请向navigate
函数传递一个配置参数。
// App.js
import {useNavigate} from 'react-router-dom';
export default function App() {
const navigate = useNavigate();
const handleClick = () => {
// ?️ replace set to true
navigate('/about', {replace: true});
};
return (
<div>
<button onClick={handleClick}>Navigate to Aboutbutton>
div>
);
}
当在配置对象中将replace
属性的值设置为true
时,浏览器历史堆栈中的当前条目会被新的条目所替换。
换句话说,由这种方式导航到新的路由,不会在浏览器历史堆栈中推入新的条目。因此如果用户点击了回退按钮,并不会导航到上一个页面。
这是很有用的。比如说,当用户登录后,你不想让用户能够点击回退按钮,再次回到登录页面。或者说,有一个路由要重定向到另一个页面,你不想让用户点击回退按钮从而再次重定向。
你也可以使用数值调用navigate
函数,实现从历史堆栈中回退的效果。例如,navigate(-1)
就相当于按下了后退按钮。
转载请注明:xuhss » React报错之useNavigate() may be used only in context of Router