mirror of
https://github.com/aaronpo97/the-biergarten-app.git
synced 2026-02-16 10:42:08 +00:00
57 lines
1.7 KiB
TypeScript
57 lines
1.7 KiB
TypeScript
import UserContext from '@/contexts/UserContext';
|
|
import APIResponseValidationSchema from '@/validation/APIResponseValidationSchema';
|
|
import { useContext } from 'react';
|
|
import useSWR from 'swr';
|
|
import { z } from 'zod';
|
|
|
|
/**
|
|
* A custom hook to check if the current user has liked a beer style.
|
|
*
|
|
* @param beerStyleId The ID of the beer style to check for likes.
|
|
* @returns An object with the following properties:
|
|
*
|
|
* - `error`: The error that occurred while fetching the data.
|
|
* - `isLoading`: A boolean indicating whether the data is being fetched.
|
|
* - `mutate`: A function to mutate the data.
|
|
* - `isLiked`: A boolean indicating whether the current user has liked the beer style.
|
|
*/
|
|
const useCheckIfUserLikesBeerStyle = (beerStyleId: string) => {
|
|
const { user } = useContext(UserContext);
|
|
const { data, error, isLoading, mutate } = useSWR(
|
|
`/api/beers/styles/${beerStyleId}/like/is-liked`,
|
|
async (url) => {
|
|
if (!user) {
|
|
throw new Error('User is not logged in.');
|
|
}
|
|
|
|
const response = await fetch(url);
|
|
const json = await response.json();
|
|
const parsed = APIResponseValidationSchema.safeParse(json);
|
|
|
|
if (!parsed.success) {
|
|
throw new Error('Invalid API response.');
|
|
}
|
|
|
|
const { payload } = parsed.data;
|
|
const parsedPayload = z.object({ isLiked: z.boolean() }).safeParse(payload);
|
|
|
|
if (!parsedPayload.success) {
|
|
throw new Error('Invalid API response.');
|
|
}
|
|
|
|
const { isLiked } = parsedPayload.data;
|
|
|
|
return isLiked;
|
|
},
|
|
);
|
|
|
|
return {
|
|
isLiked: data,
|
|
error: error as unknown,
|
|
isLoading,
|
|
mutate,
|
|
};
|
|
};
|
|
|
|
export default useCheckIfUserLikesBeerStyle;
|