fix(consent): prevent hydration mismatch + banner flash

Do not decide consent during SSR. Read consent cookie after mount and only render the banner once consent is loaded, avoiding both hydration errors and the brief banner flash on reload.

Co-authored-by: dennis <dennis@konkol.net>
This commit is contained in:
Cursor Agent
2026-01-14 21:55:35 +00:00
parent b1a314b8a8
commit a56ec97ef9
2 changed files with 20 additions and 7 deletions

View File

@@ -5,12 +5,14 @@ import { useConsent, type ConsentState } from "./ConsentProvider";
import { useTranslations } from "next-intl";
export default function ConsentBanner() {
const { consent, setConsent } = useConsent();
const { consent, ready, setConsent } = useConsent();
const [draft, setDraft] = useState<ConsentState>({ analytics: false, chat: false });
const [minimized, setMinimized] = useState(false);
const t = useTranslations("consent");
const shouldShow = consent === null;
// Avoid hydration mismatch + avoid "flash then disappear":
// Only decide whether to show the banner after consent has been read client-side.
const shouldShow = ready && consent === null;
if (!shouldShow) return null;
const s = {

View File

@@ -1,6 +1,6 @@
"use client";
import React, { createContext, useCallback, useContext, useMemo, useState } from "react";
import React, { createContext, useCallback, useContext, useEffect, useMemo, useState } from "react";
export type ConsentState = {
analytics: boolean;
@@ -37,17 +37,28 @@ function writeConsentCookie(value: ConsentState) {
const ConsentContext = createContext<{
consent: ConsentState | null;
ready: boolean;
setConsent: (next: ConsentState) => void;
resetConsent: () => void;
}>({
consent: null,
ready: false,
setConsent: () => {},
resetConsent: () => {},
});
export function ConsentProvider({ children }: { children: React.ReactNode }) {
// Read cookie synchronously so we don't flash the banner on every reload.
const [consent, setConsentState] = useState<ConsentState | null>(() => readConsentFromCookie());
// IMPORTANT:
// Don't read `document.cookie` during SSR render (document is undefined), otherwise the
// server will render the banner while the client immediately hides it -> hydration mismatch.
// We resolve consent on the client after mount and only render the banner once `ready=true`.
const [consent, setConsentState] = useState<ConsentState | null>(null);
const [ready, setReady] = useState(false);
useEffect(() => {
setConsentState(readConsentFromCookie());
setReady(true);
}, []);
const setConsent = useCallback((next: ConsentState) => {
setConsentState(next);
@@ -61,8 +72,8 @@ export function ConsentProvider({ children }: { children: React.ReactNode }) {
}, []);
const value = useMemo(
() => ({ consent, setConsent, resetConsent }),
[consent, setConsent, resetConsent],
() => ({ consent, ready, setConsent, resetConsent }),
[consent, ready, setConsent, resetConsent],
);
return <ConsentContext.Provider value={value}>{children}</ConsentContext.Provider>;