使用 Link 导航时 next.js 中的 useState (next/link)

useState in next.js when navigating using Link (next/link)

我有一个 next.js 页面来显示 post,就像博客一样,我使用 Link 从 post 移动到另一个。为了显示正确的 post 我使用了另一个组件,像这样(请注意,我为了简化而削减了很多代码)

const Index: NextPage<PageProps> = (props) => {
    const router = useRouter();
    let post = props.post;

        return (
            <>
                <Post post={post}/>
                <Link href={`/post/${encodeURIComponent(props.next.id)}`} passHref={true}>
                    <a>next post</a>
                </Link>
                <Link href={`/post/${encodeURIComponent(props.previous.id)}`} passHref={true}>
                    <a>previous post</a>
                </Link>
                
            </>
        );
};

export default Index;

export const getServerSideProps = async (context) => {
    const session = await getSession(context);
    const pid = context.params.pid;
    let postManager = new PostManager();
    let post = await postManager.getPost(pid);
    let siblings = null;
    if (post) {
        siblings = await postManager.getSiblings(post);
    }

    return {
        props: {
            post: JSON.parse(JSON.stringify(post)),
            next: (siblings && siblings.next) ? JSON.parse(JSON.stringify(siblings.next)) : null,
            previous: (siblings && siblings.previous) ? JSON.parse(JSON.stringify(siblings.previous)) : null,
            session: session,
        }
    };
};

奇怪的是,在 Post 组件中,我第一次加载页面后似乎没有执行 useState:

const Post = props => {

    const [title, setTitle] = useState(props.post.title);

    console.log(props.post.title);
    console.log(title);

这里,当我“直接”加载页面时,两个值是相同的(这很好)。然后,当我单击 Link(在页面组件中)时,第二个 console.log 显示我直接加载的内容的值。

如果我离开 Link 并离开 <a>,则不会发生这种情况,但当然使用 Link 更快,所以我更愿意使用它。

如何在 props 每次更改时“强制”useState 设置正确的值?

因为您停留在浅路由的同一页面上,所以组件不是新鲜的re-rendered,但道具已更新。这是有意 react/next 行为。

将以下内容添加到您的 Post 组件中:

  useEffect(() => {
    setTitle(props.post.title);
  }, [props]);

这将在道具更新时更新状态。 如果您有任何问题,请告诉我。