Why UI didn't update sometimes after router.refresh() but it did update to the backend?

26 Views Asked by At

I'm implementing a pinning message method just like messenger. Here's how it looks like: enter image description here

It should update the pinned message on the top immediately after I changed the pinned message. However, I have to click the refresh button to update sometimes. Here's how it looks like: I changed the pinned message the left window

Here's my code (in message.tsx):

"use client";
import { useState } from "react";
import useMessage from "@/hooks/useMessages";
import { Dialog,DialogContent,DialogFooter } from "@/components/ui/dialog";
import { Button } from "@/components/ui/button";
import {useDocument} from "@/hooks/useDocument";
type MessageProps = {
  id:number;
  isSender:boolean;
  text:string;
  state:string;
};
export default function({ id,isSender,text ,state}: MessageProps) {
  const [open,setOpen] = useState(false);
  const {postMessage,updateMessage,retriveMessage}=useMessage();
  const {pinnedMessageId,setpinnedMessageId}=useDocument();

  const handlePinMessage = async() => {
    setpinnedMessageId(text);//TODO sometimes can't rerender immediately
    setOpen(false);
  }
  return(
    <div id={id.toString()}>
      {pinnedMessageId!==""&&pinnedMessageId===text?
        <div className="fixed top-10 left-[40%] h-10 w-[50%]">
          <div className="flex items-stretch place-content-center content-center">
            <div className="pt-1 text-2xl self-center">
              {pinnedMessageId}
            </div>
          </div>
        </div>
        :<></>
      }
      {/*other html element*/}
    </div>
  );
}

And here's how my setpinnedMessageId looks like:

import { useEffect, useMemo, useState } from "react";

import { useSession } from "next-auth/react";
import { useParams, useRouter } from "next/navigation";

import { useDebounce } from "use-debounce";

import { pusherClient } from "@/lib/pusher/client";
import type { Document, User ,Message} from "@/lib/types/db";

type PusherPayload = {
  senderId: User["id"];
  document: Document;
};

export const useDocument = () => {
  const { docId } = useParams();
  const documentId = Array.isArray(docId) ? docId[0] : docId;

  const [document, setDocument] = useState<Document | null>(null);
  const [dbDocument, setDbDocument] = useState<Document | null>(null);
  const [debouncedDocument] = useDebounce(document, 300);
  const router = useRouter();

  const { data: session } = useSession();
  const userId = session?.user?.id;

  const isSynced = useMemo(() => {
    if (document === null || dbDocument === null) return true;
    return (
      document.pinnedMessageId === dbDocument.pinnedMessageId
    );
  }, [document, dbDocument]);

  // When the debounced document changes, update the document
  useEffect(() => {
    if (debouncedDocument === null) return;
    if (isSynced) return;

    const updateDocument = async () => {
      if (!debouncedDocument) return;
      const res = await fetch(`/api/documents/${documentId}`, {
        method: "PUT",
        headers: {
          "Content-Type": "application/json",
        },
        body: JSON.stringify({
          pinnedMessageId: debouncedDocument.pinnedMessageId,
        }),
      });
      if (!res.ok) {
        return;
      }
      const data: Document = await res.json();
      // Update the navbar if the title changed
      if (dbDocument?.pinnedMessageId!== data.pinnedMessageId) {
        router.refresh();
        console.log("refreshed_id");
      }
      setDbDocument(data);
    };
    updateDocument();
    console.log("updated");
  }, [debouncedDocument, documentId, router, dbDocument, isSynced]);

  // Subscribe to pusher events
  useEffect(() => {
    if (!documentId) return;
    // Private channels are in the format: private-...
    const channelName = `private-${documentId}`;
    try {
      const channel = pusherClient.subscribe(channelName);
      channel.bind("doc:update", ({ senderId, document }: PusherPayload) => {
        if (senderId === userId) {
          return;
        }
        setDocument(document);
        setDbDocument(document);
        router.refresh();
        console.log("refreshshshshshshsh");
        const messageContainer = window.document.getElementById("messages container");
        if (messageContainer) {
          messageContainer.scrollTop = messageContainer.scrollHeight-messageContainer.clientHeight+10;
        }
      });
    } catch (error) {
      console.error(error);
      router.push("/docs");
    }

    // Unsubscribe from pusher events when the component unmounts
    return () => {
      pusherClient.unsubscribe(channelName);
    };
  }, [documentId, router, userId]);

  useEffect(() => {
    if (!documentId) return;
    const fetchDocument = async () => {
      const res = await fetch(`/api/documents/${documentId}`);
      if (!res.ok) {
        setDocument(null);
        router.push("/docs");
        return;
      }
      const data = await res.json();
      setDocument(data);
      setDbDocument(data);
    };
    fetchDocument();
  }, [documentId, router]);

  const pinnedMessageId = document?.pinnedMessageId || "";
  const setpinnedMessageId = (newPinnedMessageId:string) => {
    if (document === null) return;
    setDocument({
     ...document,
      pinnedMessageId:newPinnedMessageId,
      // latestUpdatedAt:new Date(),
    });
  }
  return {
    documentId,
    document,
    pinnedMessageId,
    setpinnedMessageId,
  };
};

I've deleted something that I think is not related.

When I changed the pinned message it did console.log("refreshed_id") ,so it means router did refresh, and also the pusher is working fine. So I have no idea why my pinned message didn't update. Can someone tell me why is this happening and how to fix it?

0

There are 0 best solutions below