当用户导航到新的路由或向操作提交数据时,UI 应立即响应用户的操作并进入加载或乐观状态。应用程序代码负责此操作。
当用户导航到新的 URL 时,下一页的加载器会在下一页渲染之前等待。您可以从 useNavigation
获取加载状态。
import { useNavigation } from "react-router";
export default function Root() {
const navigation = useNavigation();
const isNavigating = Boolean(navigation.location);
return (
<html>
<body>
{isNavigating && <GlobalSpinner />}
<Outlet />
</body>
</html>
);
}
加载指示器也可以本地化到链接。NavLink 的子元素、className 和 style 属性可以是接收加载状态的函数。
import { NavLink } from "react-router";
function Navbar() {
return (
<nav>
<NavLink to="/home">
{({ isPending }) => (
<span>Home {isPending && <Spinner />}</span>
)}
</NavLink>
<NavLink
to="/about"
style={({ isPending }) => ({
color: isPending ? "gray" : "black",
})}
>
About
</NavLink>
</nav>
);
}
当提交表单时,UI 应立即响应用户的操作并进入加载状态。使用 fetcher 表单最容易做到这一点,因为它拥有自己的独立状态(而普通表单会导致全局导航)。
import { useFetcher } from "react-router";
function NewProjectForm() {
const fetcher = useFetcher();
return (
<fetcher.Form method="post">
<input type="text" name="title" />
<button type="submit">
{fetcher.state !== "idle"
? "Submitting..."
: "Submit"}
</button>
</fetcher.Form>
);
}
对于非 fetcher 表单提交,加载状态可在 useNavigation
中获得。
import { useNavigation, Form } from "react-router";
function NewProjectForm() {
const navigation = useNavigation();
return (
<Form method="post" action="/projects/new">
<input type="text" name="title" />
<button type="submit">
{navigation.formAction === "/projects/new"
? "Submitting..."
: "Submit"}
</button>
</Form>
);
}
当表单提交数据已知 UI 的未来状态时,可以实现乐观 UI 以获得即时 UX。
function Task({ task }) {
const fetcher = useFetcher();
let isComplete = task.status === "complete";
if (fetcher.formData) {
isComplete = fetcher.formData.get("status");
}
return (
<div>
<div>{task.title}</div>
<fetcher.Form method="post">
<button
name="status"
value={isComplete ? "incomplete" : "complete"}
>
{isComplete ? "Mark Incomplete" : "Mark Complete"}
</button>
</fetcher.Form>
</div>
);
}
下一步:测试