|
| 1 | +// We cannot use Cookies.get() on the frontend for httpOnly cookies |
| 2 | +// so we need to make a request to the server to get the cookies |
| 3 | + |
| 4 | +type DotcomCookies = { |
| 5 | + dotcomUsername?: string |
| 6 | + isStaff?: boolean |
| 7 | +} |
| 8 | + |
| 9 | +let cachedCookies: DotcomCookies | null = null |
| 10 | +let inFlightPromise: Promise<DotcomCookies> | null = null |
| 11 | +let tries = 0 |
| 12 | + |
| 13 | +const GET_COOKIES_ENDPOINT = '/api/cookies' |
| 14 | +const MAX_TRIES = 3 |
| 15 | + |
| 16 | +// Fetches httpOnly cookies from the server and cache the result |
| 17 | +// We use an in-flight promise to avoid duplicate requests |
| 18 | +async function fetchCookies(): Promise<DotcomCookies> { |
| 19 | + if (cachedCookies) { |
| 20 | + return cachedCookies |
| 21 | + } |
| 22 | + |
| 23 | + // If request is already in progress, return the same promise |
| 24 | + if (inFlightPromise) { |
| 25 | + return inFlightPromise |
| 26 | + } |
| 27 | + |
| 28 | + if (tries > MAX_TRIES) { |
| 29 | + // In prod, fail without a serious error |
| 30 | + console.error('Failed to fetch cookies after 3 tries') |
| 31 | + // In dev, be loud about the issue |
| 32 | + if (process.env.NODE_ENV === 'development') { |
| 33 | + throw new Error('Failed to fetch cookies after 3 tries') |
| 34 | + } |
| 35 | + |
| 36 | + return Promise.resolve({}) |
| 37 | + } |
| 38 | + |
| 39 | + inFlightPromise = fetch(GET_COOKIES_ENDPOINT) |
| 40 | + .then((response) => { |
| 41 | + tries++ |
| 42 | + if (!response.ok) { |
| 43 | + throw new Error(`Failed to fetch cookies: ${response.statusText}`) |
| 44 | + } |
| 45 | + return response.json() as Promise<DotcomCookies> |
| 46 | + }) |
| 47 | + .then((data) => { |
| 48 | + cachedCookies = data |
| 49 | + return data |
| 50 | + }) |
| 51 | + .finally(() => { |
| 52 | + // Clear the in-flight promise regardless of success or failure |
| 53 | + // On success, subsequent calls will return the cached value |
| 54 | + // On failure, subsequent calls will retry the request up to MAX_TRIES times |
| 55 | + inFlightPromise = null |
| 56 | + }) |
| 57 | + |
| 58 | + return inFlightPromise |
| 59 | +} |
| 60 | + |
| 61 | +export async function getIsStaff(): Promise<boolean> { |
| 62 | + const cookies = await fetchCookies() |
| 63 | + return cookies.isStaff || false |
| 64 | +} |
| 65 | + |
| 66 | +export async function getDotcomUsername(): Promise<string> { |
| 67 | + const cookies = await fetchCookies() |
| 68 | + return cookies.dotcomUsername || '' |
| 69 | +} |
0 commit comments