mirror of
https://github.com/aaronpo97/the-biergarten-app.git
synced 2026-02-16 10:42:08 +00:00
Feat: Implement infinite scrolling brewery comment section
Refactor beer comment schemas to work on brewery comments as well. Add robots.txt to block crawling for now.
This commit is contained in:
2
public/robots.txt
Normal file
2
public/robots.txt
Normal file
@@ -0,0 +1,2 @@
|
|||||||
|
User-agent: *
|
||||||
|
Disallow: /
|
||||||
@@ -1,5 +1,5 @@
|
|||||||
import sendCreateBeerCommentRequest from '@/requests/sendCreateBeerCommentRequest';
|
import sendCreateBeerCommentRequest from '@/requests/sendCreateBeerCommentRequest';
|
||||||
import BeerCommentValidationSchema from '@/services/BeerComment/schema/CreateBeerCommentValidationSchema';
|
|
||||||
import beerPostQueryResult from '@/services/BeerPost/schema/BeerPostQueryResult';
|
import beerPostQueryResult from '@/services/BeerPost/schema/BeerPostQueryResult';
|
||||||
import { zodResolver } from '@hookform/resolvers/zod';
|
import { zodResolver } from '@hookform/resolvers/zod';
|
||||||
|
|
||||||
@@ -9,6 +9,7 @@ import { useForm, SubmitHandler } from 'react-hook-form';
|
|||||||
import { z } from 'zod';
|
import { z } from 'zod';
|
||||||
|
|
||||||
import useBeerPostComments from '@/hooks/useBeerPostComments';
|
import useBeerPostComments from '@/hooks/useBeerPostComments';
|
||||||
|
import CreateCommentValidationSchema from '@/services/types/CommentSchema/CreateCommentValidationSchema';
|
||||||
import Button from '../ui/forms/Button';
|
import Button from '../ui/forms/Button';
|
||||||
import FormError from '../ui/forms/FormError';
|
import FormError from '../ui/forms/FormError';
|
||||||
import FormInfo from '../ui/forms/FormInfo';
|
import FormInfo from '../ui/forms/FormInfo';
|
||||||
@@ -26,12 +27,12 @@ const BeerCommentForm: FunctionComponent<BeerCommentFormProps> = ({
|
|||||||
mutate,
|
mutate,
|
||||||
}) => {
|
}) => {
|
||||||
const { register, handleSubmit, formState, reset, setValue } = useForm<
|
const { register, handleSubmit, formState, reset, setValue } = useForm<
|
||||||
z.infer<typeof BeerCommentValidationSchema>
|
z.infer<typeof CreateCommentValidationSchema>
|
||||||
>({
|
>({
|
||||||
defaultValues: {
|
defaultValues: {
|
||||||
rating: 0,
|
rating: 0,
|
||||||
},
|
},
|
||||||
resolver: zodResolver(BeerCommentValidationSchema),
|
resolver: zodResolver(CreateCommentValidationSchema),
|
||||||
});
|
});
|
||||||
|
|
||||||
const [rating, setRating] = useState(0);
|
const [rating, setRating] = useState(0);
|
||||||
@@ -40,7 +41,7 @@ const BeerCommentForm: FunctionComponent<BeerCommentFormProps> = ({
|
|||||||
reset({ rating: 0, content: '' });
|
reset({ rating: 0, content: '' });
|
||||||
}, [reset]);
|
}, [reset]);
|
||||||
|
|
||||||
const onSubmit: SubmitHandler<z.infer<typeof BeerCommentValidationSchema>> = async (
|
const onSubmit: SubmitHandler<z.infer<typeof CreateCommentValidationSchema>> = async (
|
||||||
data,
|
data,
|
||||||
) => {
|
) => {
|
||||||
setValue('rating', 0);
|
setValue('rating', 0);
|
||||||
|
|||||||
@@ -1,4 +1,3 @@
|
|||||||
/* eslint-disable no-nested-ternary */
|
|
||||||
import UserContext from '@/contexts/userContext';
|
import UserContext from '@/contexts/userContext';
|
||||||
|
|
||||||
import beerPostQueryResult from '@/services/BeerPost/schema/BeerPostQueryResult';
|
import beerPostQueryResult from '@/services/BeerPost/schema/BeerPostQueryResult';
|
||||||
@@ -7,13 +6,10 @@ import { FC, MutableRefObject, useContext, useRef } from 'react';
|
|||||||
import { z } from 'zod';
|
import { z } from 'zod';
|
||||||
import useBeerPostComments from '@/hooks/useBeerPostComments';
|
import useBeerPostComments from '@/hooks/useBeerPostComments';
|
||||||
import { useRouter } from 'next/router';
|
import { useRouter } from 'next/router';
|
||||||
import { useInView } from 'react-intersection-observer';
|
|
||||||
import { FaArrowUp } from 'react-icons/fa';
|
|
||||||
import BeerCommentForm from './BeerCommentForm';
|
import BeerCommentForm from './BeerCommentForm';
|
||||||
|
|
||||||
import CommentCardBody from './CommentCardBody';
|
|
||||||
import NoCommentsCard from './NoCommentsCard';
|
|
||||||
import LoadingComponent from './LoadingComponent';
|
import LoadingComponent from './LoadingComponent';
|
||||||
|
import CommentsComponent from '../ui/CommentsComponent';
|
||||||
|
|
||||||
interface BeerPostCommentsSectionProps {
|
interface BeerPostCommentsSectionProps {
|
||||||
beerPost: z.infer<typeof beerPostQueryResult>;
|
beerPost: z.infer<typeof beerPostQueryResult>;
|
||||||
@@ -33,20 +29,9 @@ const BeerPostCommentsSection: FC<BeerPostCommentsSectionProps> = ({ beerPost })
|
|||||||
pageSize: PAGE_SIZE,
|
pageSize: PAGE_SIZE,
|
||||||
});
|
});
|
||||||
|
|
||||||
const { ref: lastCommentRef } = useInView({
|
const commentSectionRef: MutableRefObject<HTMLDivElement | null> = useRef(null);
|
||||||
/**
|
|
||||||
* When the last comment comes into view, call setSize from useBeerPostComments to
|
|
||||||
* load more comments.
|
|
||||||
*/
|
|
||||||
onChange: (visible) => {
|
|
||||||
if (!visible || isAtEnd) return;
|
|
||||||
setSize(size + 1);
|
|
||||||
},
|
|
||||||
});
|
|
||||||
|
|
||||||
const sectionRef: MutableRefObject<HTMLDivElement | null> = useRef(null);
|
|
||||||
return (
|
return (
|
||||||
<div className="w-full space-y-3" ref={sectionRef}>
|
<div className="w-full space-y-3" ref={commentSectionRef}>
|
||||||
<div className="card bg-base-300">
|
<div className="card bg-base-300">
|
||||||
<div className="card-body h-full">
|
<div className="card-body h-full">
|
||||||
{user ? (
|
{user ? (
|
||||||
@@ -69,66 +54,15 @@ const BeerPostCommentsSection: FC<BeerPostCommentsSectionProps> = ({ beerPost })
|
|||||||
<LoadingComponent length={PAGE_SIZE} />
|
<LoadingComponent length={PAGE_SIZE} />
|
||||||
</div>
|
</div>
|
||||||
) : (
|
) : (
|
||||||
<>
|
<CommentsComponent
|
||||||
{!!comments.length && (
|
commentSectionRef={commentSectionRef}
|
||||||
<div className="card bg-base-300 pb-6">
|
comments={comments}
|
||||||
{comments.map((comment, index) => {
|
isLoadingMore={isLoadingMore}
|
||||||
const isPenulitmateComment = index === comments.length - 2;
|
isAtEnd={isAtEnd}
|
||||||
|
pageSize={PAGE_SIZE}
|
||||||
/**
|
setSize={setSize}
|
||||||
* Attach a ref to the last comment in the list. When it comes into
|
size={size}
|
||||||
* view, the component will call setSize to load more comments.
|
/>
|
||||||
*/
|
|
||||||
return (
|
|
||||||
<div
|
|
||||||
ref={isPenulitmateComment ? lastCommentRef : undefined}
|
|
||||||
key={comment.id}
|
|
||||||
>
|
|
||||||
<CommentCardBody comment={comment} mutate={mutate} />
|
|
||||||
</div>
|
|
||||||
);
|
|
||||||
})}
|
|
||||||
|
|
||||||
{
|
|
||||||
/**
|
|
||||||
* If there are more comments to load, show a loading component with a
|
|
||||||
* skeleton loader and a loading spinner.
|
|
||||||
*/
|
|
||||||
!!isLoadingMore && <LoadingComponent length={PAGE_SIZE} />
|
|
||||||
}
|
|
||||||
|
|
||||||
{
|
|
||||||
/**
|
|
||||||
* If the user has scrolled to the end of the comments, show a button
|
|
||||||
* that will scroll them back to the top of the comments section.
|
|
||||||
*/
|
|
||||||
!!isAtEnd && (
|
|
||||||
<div className="flex h-20 items-center justify-center text-center">
|
|
||||||
<div
|
|
||||||
className="tooltip tooltip-bottom"
|
|
||||||
data-tip="Scroll back to top of comments."
|
|
||||||
>
|
|
||||||
<button
|
|
||||||
type="button"
|
|
||||||
className="btn-ghost btn-sm btn"
|
|
||||||
aria-label="Scroll back to top of comments"
|
|
||||||
onClick={() => {
|
|
||||||
sectionRef.current?.scrollIntoView({
|
|
||||||
behavior: 'smooth',
|
|
||||||
});
|
|
||||||
}}
|
|
||||||
>
|
|
||||||
<FaArrowUp />
|
|
||||||
</button>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
)
|
|
||||||
}
|
|
||||||
</div>
|
|
||||||
)}
|
|
||||||
|
|
||||||
{!comments.length && <NoCommentsCard />}
|
|
||||||
</>
|
|
||||||
)
|
)
|
||||||
}
|
}
|
||||||
</div>
|
</div>
|
||||||
|
|||||||
@@ -1,5 +1,5 @@
|
|||||||
import useBeerPostComments from '@/hooks/useBeerPostComments';
|
import useBeerPostComments from '@/hooks/useBeerPostComments';
|
||||||
import BeerCommentQueryResult from '@/services/BeerComment/schema/BeerCommentQueryResult';
|
import CommentQueryResult from '@/services/types/CommentSchema/CommentQueryResult';
|
||||||
import { FC, useState } from 'react';
|
import { FC, useState } from 'react';
|
||||||
import { useInView } from 'react-intersection-observer';
|
import { useInView } from 'react-intersection-observer';
|
||||||
import { z } from 'zod';
|
import { z } from 'zod';
|
||||||
@@ -7,7 +7,7 @@ import CommentContentBody from './CommentContentBody';
|
|||||||
import EditCommentBody from './EditCommentBody';
|
import EditCommentBody from './EditCommentBody';
|
||||||
|
|
||||||
interface CommentCardProps {
|
interface CommentCardProps {
|
||||||
comment: z.infer<typeof BeerCommentQueryResult>;
|
comment: z.infer<typeof CommentQueryResult>;
|
||||||
mutate: ReturnType<typeof useBeerPostComments>['mutate'];
|
mutate: ReturnType<typeof useBeerPostComments>['mutate'];
|
||||||
ref?: ReturnType<typeof useInView>['ref'];
|
ref?: ReturnType<typeof useInView>['ref'];
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,11 +1,11 @@
|
|||||||
import UserContext from '@/contexts/userContext';
|
import UserContext from '@/contexts/userContext';
|
||||||
import { Dispatch, SetStateAction, FC, useContext } from 'react';
|
import { Dispatch, SetStateAction, FC, useContext } from 'react';
|
||||||
import { FaEllipsisH } from 'react-icons/fa';
|
import { FaEllipsisH } from 'react-icons/fa';
|
||||||
import BeerCommentQueryResult from '@/services/BeerComment/schema/BeerCommentQueryResult';
|
import CommentQueryResult from '@/services/types/CommentSchema/CommentQueryResult';
|
||||||
import { z } from 'zod';
|
import { z } from 'zod';
|
||||||
|
|
||||||
interface CommentCardDropdownProps {
|
interface CommentCardDropdownProps {
|
||||||
comment: z.infer<typeof BeerCommentQueryResult>;
|
comment: z.infer<typeof CommentQueryResult>;
|
||||||
setInEditMode: Dispatch<SetStateAction<boolean>>;
|
setInEditMode: Dispatch<SetStateAction<boolean>>;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|||||||
@@ -3,13 +3,13 @@ import useTimeDistance from '@/hooks/useTimeDistance';
|
|||||||
import { format } from 'date-fns';
|
import { format } from 'date-fns';
|
||||||
import { Dispatch, FC, SetStateAction, useContext } from 'react';
|
import { Dispatch, FC, SetStateAction, useContext } from 'react';
|
||||||
import { Link, Rating } from 'react-daisyui';
|
import { Link, Rating } from 'react-daisyui';
|
||||||
import BeerCommentQueryResult from '@/services/BeerComment/schema/BeerCommentQueryResult';
|
import CommentQueryResult from '@/services/types/CommentSchema/CommentQueryResult';
|
||||||
import { useInView } from 'react-intersection-observer';
|
import { useInView } from 'react-intersection-observer';
|
||||||
import { z } from 'zod';
|
import { z } from 'zod';
|
||||||
import CommentCardDropdown from './CommentCardDropdown';
|
import CommentCardDropdown from './CommentCardDropdown';
|
||||||
|
|
||||||
interface CommentContentBodyProps {
|
interface CommentContentBodyProps {
|
||||||
comment: z.infer<typeof BeerCommentQueryResult>;
|
comment: z.infer<typeof CommentQueryResult>;
|
||||||
ref: ReturnType<typeof useInView>['ref'] | undefined;
|
ref: ReturnType<typeof useInView>['ref'] | undefined;
|
||||||
setInEditMode: Dispatch<SetStateAction<boolean>>;
|
setInEditMode: Dispatch<SetStateAction<boolean>>;
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,12 +1,12 @@
|
|||||||
import BeerCommentValidationSchema from '@/services/BeerComment/schema/CreateBeerCommentValidationSchema';
|
|
||||||
import { zodResolver } from '@hookform/resolvers/zod';
|
import { zodResolver } from '@hookform/resolvers/zod';
|
||||||
import { FC, useState, useEffect, Dispatch, SetStateAction } from 'react';
|
import { FC, useState, useEffect, Dispatch, SetStateAction } from 'react';
|
||||||
import { Rating } from 'react-daisyui';
|
import { Rating } from 'react-daisyui';
|
||||||
import { useForm, SubmitHandler } from 'react-hook-form';
|
import { useForm, SubmitHandler } from 'react-hook-form';
|
||||||
import { z } from 'zod';
|
import { z } from 'zod';
|
||||||
import useBeerPostComments from '@/hooks/useBeerPostComments';
|
import useBeerPostComments from '@/hooks/useBeerPostComments';
|
||||||
import BeerCommentQueryResult from '@/services/BeerComment/schema/BeerCommentQueryResult';
|
import CommentQueryResult from '@/services/types/CommentSchema/CommentQueryResult';
|
||||||
import { useInView } from 'react-intersection-observer';
|
import { useInView } from 'react-intersection-observer';
|
||||||
|
import CreateCommentValidationSchema from '@/services/types/CommentSchema/CreateCommentValidationSchema';
|
||||||
import FormError from '../ui/forms/FormError';
|
import FormError from '../ui/forms/FormError';
|
||||||
import FormInfo from '../ui/forms/FormInfo';
|
import FormInfo from '../ui/forms/FormInfo';
|
||||||
import FormLabel from '../ui/forms/FormLabel';
|
import FormLabel from '../ui/forms/FormLabel';
|
||||||
@@ -14,7 +14,7 @@ import FormSegment from '../ui/forms/FormSegment';
|
|||||||
import FormTextArea from '../ui/forms/FormTextArea';
|
import FormTextArea from '../ui/forms/FormTextArea';
|
||||||
|
|
||||||
interface CommentCardDropdownProps {
|
interface CommentCardDropdownProps {
|
||||||
comment: z.infer<typeof BeerCommentQueryResult>;
|
comment: z.infer<typeof CommentQueryResult>;
|
||||||
setInEditMode: Dispatch<SetStateAction<boolean>>;
|
setInEditMode: Dispatch<SetStateAction<boolean>>;
|
||||||
ref: ReturnType<typeof useInView>['ref'] | undefined;
|
ref: ReturnType<typeof useInView>['ref'] | undefined;
|
||||||
mutate: ReturnType<typeof useBeerPostComments>['mutate'];
|
mutate: ReturnType<typeof useBeerPostComments>['mutate'];
|
||||||
@@ -27,13 +27,13 @@ const EditCommentBody: FC<CommentCardDropdownProps> = ({
|
|||||||
mutate,
|
mutate,
|
||||||
}) => {
|
}) => {
|
||||||
const { register, handleSubmit, formState, setValue, watch } = useForm<
|
const { register, handleSubmit, formState, setValue, watch } = useForm<
|
||||||
z.infer<typeof BeerCommentValidationSchema>
|
z.infer<typeof CreateCommentValidationSchema>
|
||||||
>({
|
>({
|
||||||
defaultValues: {
|
defaultValues: {
|
||||||
content: comment.content,
|
content: comment.content,
|
||||||
rating: comment.rating,
|
rating: comment.rating,
|
||||||
},
|
},
|
||||||
resolver: zodResolver(BeerCommentValidationSchema),
|
resolver: zodResolver(CreateCommentValidationSchema),
|
||||||
});
|
});
|
||||||
|
|
||||||
const { errors } = formState;
|
const { errors } = formState;
|
||||||
@@ -59,7 +59,7 @@ const EditCommentBody: FC<CommentCardDropdownProps> = ({
|
|||||||
await mutate();
|
await mutate();
|
||||||
};
|
};
|
||||||
|
|
||||||
const onSubmit: SubmitHandler<z.infer<typeof BeerCommentValidationSchema>> = async (
|
const onSubmit: SubmitHandler<z.infer<typeof CreateCommentValidationSchema>> = async (
|
||||||
data,
|
data,
|
||||||
) => {
|
) => {
|
||||||
const response = await fetch(`/api/beer-comments/${comment.id}`, {
|
const response = await fetch(`/api/beer-comments/${comment.id}`, {
|
||||||
|
|||||||
9
src/components/BreweryById/BreweryBeerSection.tsx.tsx
Normal file
9
src/components/BreweryById/BreweryBeerSection.tsx.tsx
Normal file
@@ -0,0 +1,9 @@
|
|||||||
|
import { FC } from 'react';
|
||||||
|
|
||||||
|
interface BreweryCommentsSectionProps {}
|
||||||
|
|
||||||
|
const BreweryBeersSection: FC<BreweryCommentsSectionProps> = () => {
|
||||||
|
return <div className="card h-full"></div>;
|
||||||
|
};
|
||||||
|
|
||||||
|
export default BreweryBeersSection;
|
||||||
65
src/components/BreweryById/BreweryCommentsSection.tsx
Normal file
65
src/components/BreweryById/BreweryCommentsSection.tsx
Normal file
@@ -0,0 +1,65 @@
|
|||||||
|
import UserContext from '@/contexts/userContext';
|
||||||
|
import BreweryPostQueryResult from '@/services/BreweryPost/types/BreweryPostQueryResult';
|
||||||
|
import { FC, MutableRefObject, useContext, useRef } from 'react';
|
||||||
|
import { z } from 'zod';
|
||||||
|
import useBreweryPostComments from '@/hooks/useBreweryPostComments';
|
||||||
|
import LoadingComponent from '../BeerById/LoadingComponent';
|
||||||
|
import CommentsComponent from '../ui/CommentsComponent';
|
||||||
|
|
||||||
|
interface BreweryBeerSectionProps {
|
||||||
|
breweryPost: z.infer<typeof BreweryPostQueryResult>;
|
||||||
|
}
|
||||||
|
|
||||||
|
const BreweryCommentForm: FC = () => {
|
||||||
|
return null;
|
||||||
|
};
|
||||||
|
|
||||||
|
const BreweryCommentsSection: FC<BreweryBeerSectionProps> = ({ breweryPost }) => {
|
||||||
|
const { user } = useContext(UserContext);
|
||||||
|
|
||||||
|
const { id } = breweryPost;
|
||||||
|
|
||||||
|
const PAGE_SIZE = 4;
|
||||||
|
|
||||||
|
const { comments, isLoading, setSize, size, isLoadingMore, isAtEnd } =
|
||||||
|
useBreweryPostComments({ id, pageSize: PAGE_SIZE });
|
||||||
|
|
||||||
|
const commentSectionRef: MutableRefObject<HTMLDivElement | null> = useRef(null);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className="w-full space-y-3" ref={commentSectionRef}>
|
||||||
|
<div className="card">
|
||||||
|
{user ? (
|
||||||
|
<BreweryCommentForm />
|
||||||
|
) : (
|
||||||
|
<div className="flex h-52 flex-col items-center justify-center">
|
||||||
|
<div className="text-lg font-bold">Log in to leave a comment.</div>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
{
|
||||||
|
/**
|
||||||
|
* If the comments are loading, show a loading component. Otherwise, show the
|
||||||
|
* comments.
|
||||||
|
*/
|
||||||
|
isLoading ? (
|
||||||
|
<div className="card pb-6">
|
||||||
|
<LoadingComponent length={PAGE_SIZE} />
|
||||||
|
</div>
|
||||||
|
) : (
|
||||||
|
<CommentsComponent
|
||||||
|
comments={comments}
|
||||||
|
isLoadingMore={isLoadingMore}
|
||||||
|
isAtEnd={isAtEnd}
|
||||||
|
pageSize={PAGE_SIZE}
|
||||||
|
setSize={setSize}
|
||||||
|
size={size}
|
||||||
|
commentSectionRef={commentSectionRef}
|
||||||
|
/>
|
||||||
|
)
|
||||||
|
}
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
|
export default BreweryCommentsSection;
|
||||||
95
src/components/BreweryById/BreweryInfoHeader.tsx
Normal file
95
src/components/BreweryById/BreweryInfoHeader.tsx
Normal file
@@ -0,0 +1,95 @@
|
|||||||
|
import UserContext from '@/contexts/userContext';
|
||||||
|
import useGetBreweryPostLikeCount from '@/hooks/useGetBreweryPostLikeCount';
|
||||||
|
import useTimeDistance from '@/hooks/useTimeDistance';
|
||||||
|
import BreweryPostQueryResult from '@/services/BreweryPost/types/BreweryPostQueryResult';
|
||||||
|
import { format } from 'date-fns';
|
||||||
|
import { FC, useContext } from 'react';
|
||||||
|
import { Link } from 'react-daisyui';
|
||||||
|
import { FaRegEdit } from 'react-icons/fa';
|
||||||
|
import { z } from 'zod';
|
||||||
|
import BreweryPostLikeButton from '../BreweryIndex/BreweryPostLikeButton';
|
||||||
|
|
||||||
|
interface BreweryInfoHeaderProps {
|
||||||
|
breweryPost: z.infer<typeof BreweryPostQueryResult>;
|
||||||
|
}
|
||||||
|
const BreweryInfoHeader: FC<BreweryInfoHeaderProps> = ({ breweryPost }) => {
|
||||||
|
const createdAt = new Date(breweryPost.createdAt);
|
||||||
|
const timeDistance = useTimeDistance(createdAt);
|
||||||
|
|
||||||
|
const { user } = useContext(UserContext);
|
||||||
|
const idMatches = user && breweryPost.postedBy.id === user.id;
|
||||||
|
const isPostOwner = !!(user && idMatches);
|
||||||
|
|
||||||
|
const { likeCount, mutate } = useGetBreweryPostLikeCount(breweryPost.id);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<article className="card flex flex-col justify-center bg-base-300">
|
||||||
|
<div className="card-body">
|
||||||
|
<header className="flex justify-between">
|
||||||
|
<div className="space-y-2">
|
||||||
|
<div>
|
||||||
|
<h1 className="text-2xl font-bold lg:text-4xl">{breweryPost.name}</h1>
|
||||||
|
<h2 className="text-lg font-semibold lg:text-2xl">
|
||||||
|
Located in
|
||||||
|
{` ${breweryPost.location.city}, ${
|
||||||
|
breweryPost.location.stateOrProvince || breweryPost.location.country
|
||||||
|
}`}
|
||||||
|
</h2>
|
||||||
|
</div>
|
||||||
|
<div>
|
||||||
|
<h3 className="italic">
|
||||||
|
{' posted by '}
|
||||||
|
<Link
|
||||||
|
href={`/users/${breweryPost.postedBy.id}`}
|
||||||
|
className="link-hover link"
|
||||||
|
>
|
||||||
|
{`${breweryPost.postedBy.username} `}
|
||||||
|
</Link>
|
||||||
|
{timeDistance && (
|
||||||
|
<span
|
||||||
|
className="tooltip tooltip-right"
|
||||||
|
data-tip={format(createdAt, 'MM/dd/yyyy')}
|
||||||
|
>{`${timeDistance} ago`}</span>
|
||||||
|
)}
|
||||||
|
</h3>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
{isPostOwner && (
|
||||||
|
<div className="tooltip tooltip-left" data-tip={`Edit '${breweryPost.name}'`}>
|
||||||
|
<Link
|
||||||
|
href={`/breweries/${breweryPost.id}/edit`}
|
||||||
|
className="btn-ghost btn-xs btn"
|
||||||
|
>
|
||||||
|
<FaRegEdit className="text-xl" />
|
||||||
|
</Link>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</header>
|
||||||
|
<div className="space-y-2">
|
||||||
|
<p>{breweryPost.description}</p>
|
||||||
|
<div className="flex items-end justify-between">
|
||||||
|
<div className="space-y-1">
|
||||||
|
<div>
|
||||||
|
{(!!likeCount || likeCount === 0) && (
|
||||||
|
<span>
|
||||||
|
Liked by {likeCount} user{likeCount !== 1 && 's'}
|
||||||
|
</span>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div className="card-actions">
|
||||||
|
{user && (
|
||||||
|
<BreweryPostLikeButton
|
||||||
|
breweryPostId={breweryPost.id}
|
||||||
|
mutateCount={mutate}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</article>
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
|
export default BreweryInfoHeader;
|
||||||
43
src/components/BreweryById/BreweryMap.tsx
Normal file
43
src/components/BreweryById/BreweryMap.tsx
Normal file
@@ -0,0 +1,43 @@
|
|||||||
|
import useMediaQuery from '@/hooks/useMediaQuery';
|
||||||
|
|
||||||
|
import { FC } from 'react';
|
||||||
|
import Map, { Marker } from 'react-map-gl';
|
||||||
|
|
||||||
|
interface BreweryMapProps {
|
||||||
|
latitude: number;
|
||||||
|
longitude: number;
|
||||||
|
}
|
||||||
|
const BreweryMap: FC<BreweryMapProps> = ({ latitude, longitude }) => {
|
||||||
|
const isDesktop = useMediaQuery('(min-width: 1024px)');
|
||||||
|
const theme =
|
||||||
|
typeof window !== 'undefined' ? window.localStorage.getItem('theme') : 'dark';
|
||||||
|
|
||||||
|
const mapStyle =
|
||||||
|
theme === 'dark'
|
||||||
|
? 'mapbox://styles/mapbox/dark-v11'
|
||||||
|
: 'mapbox://styles/mapbox/light-v10';
|
||||||
|
return (
|
||||||
|
<div className="card">
|
||||||
|
<div className="card-body">
|
||||||
|
<Map
|
||||||
|
initialViewState={{
|
||||||
|
latitude,
|
||||||
|
longitude,
|
||||||
|
zoom: 17,
|
||||||
|
}}
|
||||||
|
style={{
|
||||||
|
width: '100%',
|
||||||
|
height: isDesktop ? 400 : 200,
|
||||||
|
}}
|
||||||
|
mapStyle={mapStyle}
|
||||||
|
mapboxAccessToken={process.env.NEXT_PUBLIC_MAPBOX_ACCESS_TOKEN as string}
|
||||||
|
scrollZoom={true}
|
||||||
|
>
|
||||||
|
<Marker latitude={latitude} longitude={longitude} />
|
||||||
|
</Map>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
|
export default BreweryMap;
|
||||||
114
src/components/ui/CommentsComponent.tsx
Normal file
114
src/components/ui/CommentsComponent.tsx
Normal file
@@ -0,0 +1,114 @@
|
|||||||
|
import { FC, MutableRefObject } from 'react';
|
||||||
|
import { FaArrowUp } from 'react-icons/fa';
|
||||||
|
import { mutate } from 'swr';
|
||||||
|
import { useInView } from 'react-intersection-observer';
|
||||||
|
|
||||||
|
import useBeerPostComments from '@/hooks/useBeerPostComments';
|
||||||
|
import useBreweryPostComments from '@/hooks/useBreweryPostComments';
|
||||||
|
import NoCommentsCard from '../BeerById/NoCommentsCard';
|
||||||
|
import LoadingComponent from '../BeerById/LoadingComponent';
|
||||||
|
import CommentCardBody from '../BeerById/CommentCardBody';
|
||||||
|
|
||||||
|
interface CommentsComponentProps {
|
||||||
|
commentSectionRef: MutableRefObject<HTMLDivElement | null>;
|
||||||
|
pageSize: number;
|
||||||
|
size: ReturnType<typeof useBeerPostComments | typeof useBreweryPostComments>['size'];
|
||||||
|
setSize: ReturnType<
|
||||||
|
typeof useBeerPostComments | typeof useBreweryPostComments
|
||||||
|
>['setSize'];
|
||||||
|
comments: ReturnType<
|
||||||
|
typeof useBeerPostComments | typeof useBreweryPostComments
|
||||||
|
>['comments'];
|
||||||
|
isAtEnd: ReturnType<
|
||||||
|
typeof useBeerPostComments | typeof useBreweryPostComments
|
||||||
|
>['isAtEnd'];
|
||||||
|
isLoadingMore: ReturnType<
|
||||||
|
typeof useBeerPostComments | typeof useBreweryPostComments
|
||||||
|
>['isLoadingMore'];
|
||||||
|
}
|
||||||
|
|
||||||
|
const CommentsComponent: FC<CommentsComponentProps> = ({
|
||||||
|
commentSectionRef,
|
||||||
|
comments,
|
||||||
|
isAtEnd,
|
||||||
|
isLoadingMore,
|
||||||
|
pageSize,
|
||||||
|
setSize,
|
||||||
|
size,
|
||||||
|
}) => {
|
||||||
|
const { ref: lastCommentRef } = useInView({
|
||||||
|
/**
|
||||||
|
* When the last comment comes into view, call setSize from useBeerPostComments to
|
||||||
|
* load more comments.
|
||||||
|
*/
|
||||||
|
onChange: (visible) => {
|
||||||
|
if (!visible || isAtEnd) return;
|
||||||
|
setSize(size + 1);
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
return (
|
||||||
|
<>
|
||||||
|
{!!comments.length && (
|
||||||
|
<div className="card bg-base-300 pb-6">
|
||||||
|
{comments.map((comment, index) => {
|
||||||
|
const isPenulitmateComment = index === comments.length - 2;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Attach a ref to the last comment in the list. When it comes into view, the
|
||||||
|
* component will call setSize to load more comments.
|
||||||
|
*/
|
||||||
|
return (
|
||||||
|
<div
|
||||||
|
ref={isPenulitmateComment ? lastCommentRef : undefined}
|
||||||
|
key={comment.id}
|
||||||
|
>
|
||||||
|
<CommentCardBody comment={comment} mutate={mutate} />
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
})}
|
||||||
|
|
||||||
|
{
|
||||||
|
/**
|
||||||
|
* If there are more comments to load, show a loading component with a
|
||||||
|
* skeleton loader and a loading spinner.
|
||||||
|
*/
|
||||||
|
!!isLoadingMore && <LoadingComponent length={pageSize} />
|
||||||
|
}
|
||||||
|
|
||||||
|
{
|
||||||
|
/**
|
||||||
|
* If the user has scrolled to the end of the comments, show a button that
|
||||||
|
* will scroll them back to the top of the comments section.
|
||||||
|
*/
|
||||||
|
!!isAtEnd && (
|
||||||
|
<div className="flex h-20 items-center justify-center text-center">
|
||||||
|
<div
|
||||||
|
className="tooltip tooltip-bottom"
|
||||||
|
data-tip="Scroll back to top of comments."
|
||||||
|
>
|
||||||
|
<button
|
||||||
|
type="button"
|
||||||
|
className="btn-ghost btn-sm btn"
|
||||||
|
aria-label="Scroll back to top of comments"
|
||||||
|
onClick={() => {
|
||||||
|
commentSectionRef.current?.scrollIntoView({
|
||||||
|
behavior: 'smooth',
|
||||||
|
});
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
<FaArrowUp />
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
)
|
||||||
|
}
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{!comments.length && <NoCommentsCard />}
|
||||||
|
</>
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
|
export default CommentsComponent;
|
||||||
@@ -1,4 +1,4 @@
|
|||||||
import BeerCommentQueryResult from '@/services/BeerComment/schema/BeerCommentQueryResult';
|
import CommentQueryResult from '@/services/types/CommentSchema/CommentQueryResult';
|
||||||
import APIResponseValidationSchema from '@/validation/APIResponseValidationSchema';
|
import APIResponseValidationSchema from '@/validation/APIResponseValidationSchema';
|
||||||
import { z } from 'zod';
|
import { z } from 'zod';
|
||||||
import useSWRInfinite from 'swr/infinite';
|
import useSWRInfinite from 'swr/infinite';
|
||||||
@@ -30,7 +30,7 @@ const useBeerPostComments = ({ id, pageSize }: UseBeerPostCommentsProps) => {
|
|||||||
if (!parsed.success) {
|
if (!parsed.success) {
|
||||||
throw new Error(parsed.error.message);
|
throw new Error(parsed.error.message);
|
||||||
}
|
}
|
||||||
const parsedPayload = z.array(BeerCommentQueryResult).safeParse(parsed.data.payload);
|
const parsedPayload = z.array(CommentQueryResult).safeParse(parsed.data.payload);
|
||||||
|
|
||||||
if (!parsedPayload.success) {
|
if (!parsedPayload.success) {
|
||||||
throw new Error(parsedPayload.error.message);
|
throw new Error(parsedPayload.error.message);
|
||||||
|
|||||||
71
src/hooks/useBreweryPostComments.ts
Normal file
71
src/hooks/useBreweryPostComments.ts
Normal file
@@ -0,0 +1,71 @@
|
|||||||
|
import CommentQueryResult from '@/services/types/CommentSchema/CommentQueryResult';
|
||||||
|
import APIResponseValidationSchema from '@/validation/APIResponseValidationSchema';
|
||||||
|
import { z } from 'zod';
|
||||||
|
import useSWRInfinite from 'swr/infinite';
|
||||||
|
|
||||||
|
interface UseBreweryPostCommentsProps {
|
||||||
|
id: string;
|
||||||
|
pageSize: number;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* A custom React hook that fetches comments for a specific brewery post.
|
||||||
|
*
|
||||||
|
* @param props - The props object.
|
||||||
|
* @param props.pageNum - The page number of the comments to fetch.
|
||||||
|
* @param props.id - The ID of the brewery post to fetch comments for.
|
||||||
|
* @param props.pageSize - The number of comments to fetch per page.
|
||||||
|
* @returns An object containing the fetched comments, the total number of comment pages,
|
||||||
|
* a boolean indicating if the request is currently loading, and a function to mutate
|
||||||
|
* the data.
|
||||||
|
*/
|
||||||
|
const useBreweryPostComments = ({ id, pageSize }: UseBreweryPostCommentsProps) => {
|
||||||
|
const fetcher = async (url: string) => {
|
||||||
|
const response = await fetch(url);
|
||||||
|
const json = await response.json();
|
||||||
|
const count = response.headers.get('X-Total-Count');
|
||||||
|
const parsed = APIResponseValidationSchema.safeParse(json);
|
||||||
|
|
||||||
|
if (!parsed.success) {
|
||||||
|
throw new Error(parsed.error.message);
|
||||||
|
}
|
||||||
|
const parsedPayload = z.array(CommentQueryResult).safeParse(parsed.data.payload);
|
||||||
|
|
||||||
|
if (!parsedPayload.success) {
|
||||||
|
throw new Error(parsedPayload.error.message);
|
||||||
|
}
|
||||||
|
|
||||||
|
const pageCount = Math.ceil(parseInt(count as string, 10) / pageSize);
|
||||||
|
|
||||||
|
return { comments: parsedPayload.data, pageCount };
|
||||||
|
};
|
||||||
|
|
||||||
|
const { data, error, isLoading, mutate, size, setSize } = useSWRInfinite(
|
||||||
|
(index) =>
|
||||||
|
`/api/breweries/${id}/comments?page_num=${index + 1}&page_size=${pageSize}`,
|
||||||
|
fetcher,
|
||||||
|
{ parallel: true },
|
||||||
|
);
|
||||||
|
|
||||||
|
const comments = data?.flatMap((d) => d.comments) ?? [];
|
||||||
|
const pageCount = data?.[0].pageCount ?? 0;
|
||||||
|
|
||||||
|
const isLoadingMore =
|
||||||
|
isLoading || (size > 0 && data && typeof data[size - 1] === 'undefined');
|
||||||
|
|
||||||
|
const isAtEnd = !(size < data?.[0].pageCount!);
|
||||||
|
|
||||||
|
return {
|
||||||
|
comments,
|
||||||
|
isLoading,
|
||||||
|
error: error as undefined,
|
||||||
|
mutate,
|
||||||
|
size,
|
||||||
|
setSize,
|
||||||
|
isLoadingMore,
|
||||||
|
isAtEnd,
|
||||||
|
pageCount,
|
||||||
|
};
|
||||||
|
};
|
||||||
|
|
||||||
|
export default useBreweryPostComments;
|
||||||
@@ -4,7 +4,8 @@ import validateRequest from '@/config/nextConnect/middleware/validateRequest';
|
|||||||
import NextConnectOptions from '@/config/nextConnect/NextConnectOptions';
|
import NextConnectOptions from '@/config/nextConnect/NextConnectOptions';
|
||||||
import ServerError from '@/config/util/ServerError';
|
import ServerError from '@/config/util/ServerError';
|
||||||
import DBClient from '@/prisma/DBClient';
|
import DBClient from '@/prisma/DBClient';
|
||||||
import BeerCommentValidationSchema from '@/services/BeerComment/schema/CreateBeerCommentValidationSchema';
|
import CreateCommentValidationSchema from '@/services/types/CommentSchema/CreateCommentValidationSchema';
|
||||||
|
|
||||||
import APIResponseValidationSchema from '@/validation/APIResponseValidationSchema';
|
import APIResponseValidationSchema from '@/validation/APIResponseValidationSchema';
|
||||||
import { NextApiResponse } from 'next';
|
import { NextApiResponse } from 'next';
|
||||||
import { createRouter, NextHandler } from 'next-connect';
|
import { createRouter, NextHandler } from 'next-connect';
|
||||||
@@ -16,7 +17,7 @@ interface DeleteCommentRequest extends UserExtendedNextApiRequest {
|
|||||||
|
|
||||||
interface EditCommentRequest extends UserExtendedNextApiRequest {
|
interface EditCommentRequest extends UserExtendedNextApiRequest {
|
||||||
query: { id: string };
|
query: { id: string };
|
||||||
body: z.infer<typeof BeerCommentValidationSchema>;
|
body: z.infer<typeof CreateCommentValidationSchema>;
|
||||||
}
|
}
|
||||||
|
|
||||||
const checkIfCommentOwner = async (
|
const checkIfCommentOwner = async (
|
||||||
@@ -96,7 +97,7 @@ router
|
|||||||
.put(
|
.put(
|
||||||
validateRequest({
|
validateRequest({
|
||||||
querySchema: z.object({ id: z.string().uuid() }),
|
querySchema: z.object({ id: z.string().uuid() }),
|
||||||
bodySchema: BeerCommentValidationSchema,
|
bodySchema: CreateCommentValidationSchema,
|
||||||
}),
|
}),
|
||||||
getCurrentUser,
|
getCurrentUser,
|
||||||
checkIfCommentOwner,
|
checkIfCommentOwner,
|
||||||
|
|||||||
@@ -6,16 +6,15 @@ import { UserExtendedNextApiRequest } from '@/config/auth/types';
|
|||||||
import NextConnectOptions from '@/config/nextConnect/NextConnectOptions';
|
import NextConnectOptions from '@/config/nextConnect/NextConnectOptions';
|
||||||
import createNewBeerComment from '@/services/BeerComment/createNewBeerComment';
|
import createNewBeerComment from '@/services/BeerComment/createNewBeerComment';
|
||||||
|
|
||||||
import BeerCommentValidationSchema from '@/services/BeerComment/schema/CreateBeerCommentValidationSchema';
|
|
||||||
|
|
||||||
import { createRouter } from 'next-connect';
|
import { createRouter } from 'next-connect';
|
||||||
import { z } from 'zod';
|
import { z } from 'zod';
|
||||||
import getCurrentUser from '@/config/nextConnect/middleware/getCurrentUser';
|
import getCurrentUser from '@/config/nextConnect/middleware/getCurrentUser';
|
||||||
import { NextApiResponse } from 'next';
|
import { NextApiResponse } from 'next';
|
||||||
import BeerCommentQueryResult from '@/services/BeerComment/schema/BeerCommentQueryResult';
|
import CommentQueryResult from '@/services/types/CommentSchema/CommentQueryResult';
|
||||||
|
import CreateCommentValidationSchema from '@/services/types/CommentSchema/CreateCommentValidationSchema';
|
||||||
|
|
||||||
interface CreateCommentRequest extends UserExtendedNextApiRequest {
|
interface CreateCommentRequest extends UserExtendedNextApiRequest {
|
||||||
body: z.infer<typeof BeerCommentValidationSchema>;
|
body: z.infer<typeof CreateCommentValidationSchema>;
|
||||||
query: { id: string };
|
query: { id: string };
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -31,8 +30,7 @@ const createComment = async (
|
|||||||
|
|
||||||
const beerPostId = req.query.id;
|
const beerPostId = req.query.id;
|
||||||
|
|
||||||
const newBeerComment: z.infer<typeof BeerCommentQueryResult> =
|
const newBeerComment: z.infer<typeof CommentQueryResult> = await createNewBeerComment({
|
||||||
await createNewBeerComment({
|
|
||||||
content,
|
content,
|
||||||
rating,
|
rating,
|
||||||
beerPostId,
|
beerPostId,
|
||||||
@@ -80,7 +78,7 @@ const router = createRouter<
|
|||||||
|
|
||||||
router.post(
|
router.post(
|
||||||
validateRequest({
|
validateRequest({
|
||||||
bodySchema: BeerCommentValidationSchema,
|
bodySchema: CreateCommentValidationSchema,
|
||||||
querySchema: z.object({ id: z.string().uuid() }),
|
querySchema: z.object({ id: z.string().uuid() }),
|
||||||
}),
|
}),
|
||||||
getCurrentUser,
|
getCurrentUser,
|
||||||
|
|||||||
107
src/pages/api/breweries/[id]/comments/index.ts
Normal file
107
src/pages/api/breweries/[id]/comments/index.ts
Normal file
@@ -0,0 +1,107 @@
|
|||||||
|
/* eslint-disable @typescript-eslint/no-unused-vars */
|
||||||
|
import DBClient from '@/prisma/DBClient';
|
||||||
|
|
||||||
|
import createNewBeerComment from '@/services/BeerComment/createNewBeerComment';
|
||||||
|
|
||||||
|
import validateRequest from '@/config/nextConnect/middleware/validateRequest';
|
||||||
|
import APIResponseValidationSchema from '@/validation/APIResponseValidationSchema';
|
||||||
|
import { UserExtendedNextApiRequest } from '@/config/auth/types';
|
||||||
|
import NextConnectOptions from '@/config/nextConnect/NextConnectOptions';
|
||||||
|
|
||||||
|
import { createRouter } from 'next-connect';
|
||||||
|
import { z } from 'zod';
|
||||||
|
import getCurrentUser from '@/config/nextConnect/middleware/getCurrentUser';
|
||||||
|
import { NextApiResponse } from 'next';
|
||||||
|
|
||||||
|
import CommentQueryResult from '@/services/types/CommentSchema/CommentQueryResult';
|
||||||
|
import getAllBreweryComments from '@/services/BreweryComment/getAllBreweryComments';
|
||||||
|
import CreateCommentValidationSchema from '@/services/types/CommentSchema/CreateCommentValidationSchema';
|
||||||
|
|
||||||
|
interface CreateCommentRequest extends UserExtendedNextApiRequest {
|
||||||
|
body: z.infer<typeof CreateCommentValidationSchema>;
|
||||||
|
query: { id: string };
|
||||||
|
}
|
||||||
|
|
||||||
|
interface GetAllCommentsRequest extends UserExtendedNextApiRequest {
|
||||||
|
query: { id: string; page_size: string; page_num: string };
|
||||||
|
}
|
||||||
|
|
||||||
|
// const createComment = async (
|
||||||
|
// req: CreateCommentRequest,
|
||||||
|
// res: NextApiResponse<z.infer<typeof APIResponseValidationSchema>>,
|
||||||
|
// ) => {
|
||||||
|
// const { content, rating } = req.body;
|
||||||
|
|
||||||
|
// const beerPostId = req.query.id;
|
||||||
|
|
||||||
|
// const newBeerComment: z.infer<typeof BeerCommentQueryResult> =
|
||||||
|
// await createNewBeerComment({
|
||||||
|
// content,
|
||||||
|
// rating,
|
||||||
|
// beerPostId,
|
||||||
|
// userId: req.user!.id,
|
||||||
|
// });
|
||||||
|
|
||||||
|
// res.status(201).json({
|
||||||
|
// message: 'Beer comment created successfully',
|
||||||
|
// statusCode: 201,
|
||||||
|
// payload: newBeerComment,
|
||||||
|
// success: true,
|
||||||
|
// });
|
||||||
|
// };
|
||||||
|
|
||||||
|
const getAll = async (
|
||||||
|
req: GetAllCommentsRequest,
|
||||||
|
res: NextApiResponse<z.infer<typeof APIResponseValidationSchema>>,
|
||||||
|
) => {
|
||||||
|
const breweryPostId = req.query.id;
|
||||||
|
// eslint-disable-next-line @typescript-eslint/naming-convention
|
||||||
|
const { page_size, page_num } = req.query;
|
||||||
|
|
||||||
|
const comments = await getAllBreweryComments(
|
||||||
|
{ id: breweryPostId },
|
||||||
|
{ pageSize: parseInt(page_size, 10), pageNum: parseInt(page_num, 10) },
|
||||||
|
);
|
||||||
|
|
||||||
|
const pageCount = await DBClient.instance.breweryComment.count({
|
||||||
|
where: { breweryPostId },
|
||||||
|
});
|
||||||
|
|
||||||
|
res.setHeader('X-Total-Count', pageCount);
|
||||||
|
|
||||||
|
res.status(200).json({
|
||||||
|
message: 'Beer comments fetched successfully',
|
||||||
|
statusCode: 200,
|
||||||
|
payload: comments,
|
||||||
|
success: true,
|
||||||
|
});
|
||||||
|
};
|
||||||
|
|
||||||
|
const router = createRouter<
|
||||||
|
// I don't want to use any, but I can't figure out how to get the types to work
|
||||||
|
any,
|
||||||
|
NextApiResponse<z.infer<typeof APIResponseValidationSchema>>
|
||||||
|
>();
|
||||||
|
|
||||||
|
// router.post(
|
||||||
|
// validateRequest({
|
||||||
|
// bodySchema: CreateBeerCommentValidationSchema,
|
||||||
|
// querySchema: z.object({ id: z.string().uuid() }),
|
||||||
|
// }),
|
||||||
|
// getCurrentUser,
|
||||||
|
// createComment,
|
||||||
|
// );
|
||||||
|
|
||||||
|
router.get(
|
||||||
|
validateRequest({
|
||||||
|
querySchema: z.object({
|
||||||
|
id: z.string().uuid(),
|
||||||
|
page_size: z.coerce.number().int().positive(),
|
||||||
|
page_num: z.coerce.number().int().positive(),
|
||||||
|
}),
|
||||||
|
}),
|
||||||
|
getAll,
|
||||||
|
);
|
||||||
|
|
||||||
|
const handler = router.handler(NextConnectOptions);
|
||||||
|
export default handler;
|
||||||
@@ -2,135 +2,26 @@ import getBreweryPostById from '@/services/BreweryPost/getBreweryPostById';
|
|||||||
import BreweryPostQueryResult from '@/services/BreweryPost/types/BreweryPostQueryResult';
|
import BreweryPostQueryResult from '@/services/BreweryPost/types/BreweryPostQueryResult';
|
||||||
import { GetServerSideProps, NextPage } from 'next';
|
import { GetServerSideProps, NextPage } from 'next';
|
||||||
import 'mapbox-gl/dist/mapbox-gl.css';
|
import 'mapbox-gl/dist/mapbox-gl.css';
|
||||||
import MapGL, { Marker } from 'react-map-gl';
|
|
||||||
import { z } from 'zod';
|
import { z } from 'zod';
|
||||||
import { FC, useContext } from 'react';
|
|
||||||
import Head from 'next/head';
|
import Head from 'next/head';
|
||||||
import Image from 'next/image';
|
import Image from 'next/image';
|
||||||
import 'react-responsive-carousel/lib/styles/carousel.min.css'; // requires a loader
|
import 'react-responsive-carousel/lib/styles/carousel.min.css'; // requires a loader
|
||||||
import { Carousel } from 'react-responsive-carousel';
|
import { Carousel } from 'react-responsive-carousel';
|
||||||
import useGetBreweryPostLikeCount from '@/hooks/useGetBreweryPostLikeCount';
|
import useMediaQuery from '@/hooks/useMediaQuery';
|
||||||
import useTimeDistance from '@/hooks/useTimeDistance';
|
import { Tab } from '@headlessui/react';
|
||||||
import UserContext from '@/contexts/userContext';
|
import BreweryInfoHeader from '@/components/BreweryById/BreweryInfoHeader';
|
||||||
import Link from 'next/link';
|
import BreweryMap from '@/components/BreweryById/BreweryMap';
|
||||||
import { FaRegEdit } from 'react-icons/fa';
|
import BreweryBeersSection from '@/components/BreweryById/BreweryBeerSection.tsx';
|
||||||
import format from 'date-fns/format';
|
import BreweryCommentsSection from '@/components/BreweryById/BreweryCommentsSection';
|
||||||
import BreweryPostLikeButton from '@/components/BreweryIndex/BreweryPostLikeButton';
|
|
||||||
|
|
||||||
interface BreweryPageProps {
|
interface BreweryPageProps {
|
||||||
breweryPost: z.infer<typeof BreweryPostQueryResult>;
|
breweryPost: z.infer<typeof BreweryPostQueryResult>;
|
||||||
}
|
}
|
||||||
|
|
||||||
interface BreweryInfoHeaderProps {
|
|
||||||
breweryPost: z.infer<typeof BreweryPostQueryResult>;
|
|
||||||
}
|
|
||||||
const BreweryInfoHeader: FC<BreweryInfoHeaderProps> = ({ breweryPost }) => {
|
|
||||||
const createdAt = new Date(breweryPost.createdAt);
|
|
||||||
const timeDistance = useTimeDistance(createdAt);
|
|
||||||
|
|
||||||
const { user } = useContext(UserContext);
|
|
||||||
const idMatches = user && breweryPost.postedBy.id === user.id;
|
|
||||||
const isPostOwner = !!(user && idMatches);
|
|
||||||
|
|
||||||
const { likeCount, mutate } = useGetBreweryPostLikeCount(breweryPost.id);
|
|
||||||
|
|
||||||
return (
|
|
||||||
<article className="card flex flex-col justify-center bg-base-300">
|
|
||||||
<div className="card-body">
|
|
||||||
<header className="flex justify-between">
|
|
||||||
<div className="space-y-2">
|
|
||||||
<div>
|
|
||||||
<h1 className="text-2xl font-bold lg:text-4xl">{breweryPost.name}</h1>
|
|
||||||
<h2 className="text-lg font-semibold lg:text-2xl">
|
|
||||||
Located in
|
|
||||||
{` ${breweryPost.location.city}, ${
|
|
||||||
breweryPost.location.stateOrProvince || breweryPost.location.country
|
|
||||||
}`}
|
|
||||||
</h2>
|
|
||||||
</div>
|
|
||||||
<div>
|
|
||||||
<h3 className="italic">
|
|
||||||
{' posted by '}
|
|
||||||
<Link
|
|
||||||
href={`/users/${breweryPost.postedBy.id}`}
|
|
||||||
className="link-hover link"
|
|
||||||
>
|
|
||||||
{`${breweryPost.postedBy.username} `}
|
|
||||||
</Link>
|
|
||||||
{timeDistance && (
|
|
||||||
<span
|
|
||||||
className="tooltip tooltip-right"
|
|
||||||
data-tip={format(createdAt, 'MM/dd/yyyy')}
|
|
||||||
>{`${timeDistance} ago`}</span>
|
|
||||||
)}
|
|
||||||
</h3>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
{isPostOwner && (
|
|
||||||
<div className="tooltip tooltip-left" data-tip={`Edit '${breweryPost.name}'`}>
|
|
||||||
<Link
|
|
||||||
href={`/breweries/${breweryPost.id}/edit`}
|
|
||||||
className="btn-ghost btn-xs btn"
|
|
||||||
>
|
|
||||||
<FaRegEdit className="text-xl" />
|
|
||||||
</Link>
|
|
||||||
</div>
|
|
||||||
)}
|
|
||||||
</header>
|
|
||||||
<div className="space-y-2">
|
|
||||||
<p>{breweryPost.description}</p>
|
|
||||||
<div className="flex items-end justify-between">
|
|
||||||
<div className="space-y-1">
|
|
||||||
<div>
|
|
||||||
{(!!likeCount || likeCount === 0) && (
|
|
||||||
<span>
|
|
||||||
Liked by {likeCount} user{likeCount !== 1 && 's'}
|
|
||||||
</span>
|
|
||||||
)}
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
<div className="card-actions">
|
|
||||||
{user && (
|
|
||||||
<BreweryPostLikeButton
|
|
||||||
breweryPostId={breweryPost.id}
|
|
||||||
mutateCount={mutate}
|
|
||||||
/>
|
|
||||||
)}
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
</article>
|
|
||||||
);
|
|
||||||
};
|
|
||||||
|
|
||||||
interface BreweryMapProps {
|
|
||||||
latitude: number;
|
|
||||||
longitude: number;
|
|
||||||
}
|
|
||||||
const BreweryMap: FC<BreweryMapProps> = ({ latitude, longitude }) => {
|
|
||||||
return (
|
|
||||||
<MapGL
|
|
||||||
initialViewState={{
|
|
||||||
latitude,
|
|
||||||
longitude,
|
|
||||||
zoom: 17,
|
|
||||||
}}
|
|
||||||
style={{
|
|
||||||
width: '100%',
|
|
||||||
height: 450,
|
|
||||||
}}
|
|
||||||
mapStyle="mapbox://styles/mapbox/streets-v12"
|
|
||||||
mapboxAccessToken={process.env.NEXT_PUBLIC_MAPBOX_ACCESS_TOKEN as string}
|
|
||||||
scrollZoom={true}
|
|
||||||
>
|
|
||||||
<Marker latitude={latitude} longitude={longitude} />
|
|
||||||
</MapGL>
|
|
||||||
);
|
|
||||||
};
|
|
||||||
|
|
||||||
const BreweryByIdPage: NextPage<BreweryPageProps> = ({ breweryPost }) => {
|
const BreweryByIdPage: NextPage<BreweryPageProps> = ({ breweryPost }) => {
|
||||||
const [longitude, latitude] = breweryPost.location.coordinates;
|
const [longitude, latitude] = breweryPost.location.coordinates;
|
||||||
|
const isDesktop = useMediaQuery('(min-width: 1024px)');
|
||||||
return (
|
return (
|
||||||
<>
|
<>
|
||||||
<Head>
|
<Head>
|
||||||
@@ -166,8 +57,39 @@ const BreweryByIdPage: NextPage<BreweryPageProps> = ({ breweryPost }) => {
|
|||||||
<div className="mb-12 mt-10 flex w-full items-center justify-center">
|
<div className="mb-12 mt-10 flex w-full items-center justify-center">
|
||||||
<div className="w-11/12 space-y-3 xl:w-9/12 2xl:w-8/12">
|
<div className="w-11/12 space-y-3 xl:w-9/12 2xl:w-8/12">
|
||||||
<BreweryInfoHeader breweryPost={breweryPost} />
|
<BreweryInfoHeader breweryPost={breweryPost} />
|
||||||
|
{isDesktop ? (
|
||||||
|
<div className="mt-4 flex flex-row space-x-3 space-y-0">
|
||||||
|
<div className="w-[60%]">
|
||||||
|
<BreweryCommentsSection breweryPost={breweryPost} />
|
||||||
|
</div>
|
||||||
|
<div className="w-[40%] space-y-3">
|
||||||
<BreweryMap latitude={latitude} longitude={longitude} />
|
<BreweryMap latitude={latitude} longitude={longitude} />
|
||||||
|
<BreweryBeersSection />
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
) : (
|
||||||
|
<>
|
||||||
|
<BreweryMap latitude={latitude} longitude={longitude} />
|
||||||
|
<Tab.Group>
|
||||||
|
<Tab.List className="tabs tabs-boxed items-center justify-center rounded-2xl">
|
||||||
|
<Tab className="tab tab-md w-1/2 uppercase ui-selected:tab-active">
|
||||||
|
Comments
|
||||||
|
</Tab>
|
||||||
|
<Tab className="tab tab-md w-1/2 uppercase ui-selected:tab-active">
|
||||||
|
Beers
|
||||||
|
</Tab>
|
||||||
|
</Tab.List>
|
||||||
|
<Tab.Panels className="mt-2">
|
||||||
|
<Tab.Panel>
|
||||||
|
<BreweryCommentsSection breweryPost={breweryPost} />
|
||||||
|
</Tab.Panel>
|
||||||
|
<Tab.Panel>
|
||||||
|
<BreweryBeersSection />
|
||||||
|
</Tab.Panel>
|
||||||
|
</Tab.Panels>
|
||||||
|
</Tab.Group>
|
||||||
|
</>
|
||||||
|
)}
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</>
|
</>
|
||||||
|
|||||||
@@ -30,7 +30,7 @@ const createNewBreweryPostComments = async ({
|
|||||||
const rating = Math.floor(Math.random() * 5) + 1;
|
const rating = Math.floor(Math.random() * 5) + 1;
|
||||||
// eslint-disable-next-line no-plusplus
|
// eslint-disable-next-line no-plusplus
|
||||||
for (let i = 0; i < numberOfComments; i++) {
|
for (let i = 0; i < numberOfComments; i++) {
|
||||||
const content = faker.lorem.lines(5);
|
const content = faker.lorem.lines(3).replace(/\n/g, ' ');
|
||||||
const user = users[Math.floor(Math.random() * users.length)];
|
const user = users[Math.floor(Math.random() * users.length)];
|
||||||
const breweryPost = breweryPosts[Math.floor(Math.random() * breweryPosts.length)];
|
const breweryPost = breweryPosts[Math.floor(Math.random() * breweryPosts.length)];
|
||||||
|
|
||||||
|
|||||||
@@ -1,8 +1,8 @@
|
|||||||
import argon2 from 'argon2';
|
|
||||||
// eslint-disable-next-line import/no-extraneous-dependencies
|
// eslint-disable-next-line import/no-extraneous-dependencies
|
||||||
import { faker } from '@faker-js/faker';
|
import { faker } from '@faker-js/faker';
|
||||||
import crypto from 'crypto';
|
import crypto from 'crypto';
|
||||||
import DBClient from '../../DBClient';
|
import DBClient from '../../DBClient';
|
||||||
|
import { hashPassword } from '../../../config/auth/passwordFns';
|
||||||
|
|
||||||
interface CreateNewUsersArgs {
|
interface CreateNewUsersArgs {
|
||||||
numberOfUsers: number;
|
numberOfUsers: number;
|
||||||
@@ -21,24 +21,40 @@ interface UserData {
|
|||||||
const createNewUsers = async ({ numberOfUsers }: CreateNewUsersArgs) => {
|
const createNewUsers = async ({ numberOfUsers }: CreateNewUsersArgs) => {
|
||||||
const prisma = DBClient.instance;
|
const prisma = DBClient.instance;
|
||||||
|
|
||||||
const hashedPasswords = await Promise.all(
|
const password = 'passwoRd!3';
|
||||||
Array.from({ length: numberOfUsers }, () => argon2.hash(faker.internet.password())),
|
const hash = await hashPassword(password);
|
||||||
);
|
|
||||||
|
|
||||||
const data: UserData[] = [];
|
const data: UserData[] = [];
|
||||||
|
|
||||||
|
const takenUsernames: string[] = [];
|
||||||
|
const takenEmails: string[] = [];
|
||||||
|
|
||||||
// eslint-disable-next-line no-plusplus
|
// eslint-disable-next-line no-plusplus
|
||||||
for (let i = 0; i < numberOfUsers; i++) {
|
for (let i = 0; i < numberOfUsers; i++) {
|
||||||
const randomValue = crypto.randomBytes(4).toString('hex');
|
const randomValue = crypto.randomBytes(1).toString('hex');
|
||||||
const firstName = faker.name.firstName();
|
const firstName = faker.name.firstName();
|
||||||
const lastName = faker.name.lastName();
|
const lastName = faker.name.lastName();
|
||||||
const username = `${firstName[0]}.${lastName}.${randomValue}`;
|
const username = `${firstName[0]}.${lastName}.${randomValue}`.toLowerCase();
|
||||||
const email = faker.internet.email(firstName, randomValue, 'example.com');
|
const email = faker.internet
|
||||||
const hash = hashedPasswords[i];
|
.email(firstName, randomValue, 'example.com')
|
||||||
|
.toLowerCase();
|
||||||
|
|
||||||
|
const userAvailable =
|
||||||
|
!takenUsernames.includes(username) && !takenEmails.includes(email);
|
||||||
|
|
||||||
|
if (!userAvailable) {
|
||||||
|
i -= 1;
|
||||||
|
|
||||||
|
// eslint-disable-next-line no-continue
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
takenUsernames.push(username);
|
||||||
|
takenEmails.push(email);
|
||||||
|
|
||||||
const dateOfBirth = faker.date.birthdate({ mode: 'age', min: 19 });
|
const dateOfBirth = faker.date.birthdate({ mode: 'age', min: 19 });
|
||||||
const createdAt = faker.date.past(1);
|
const createdAt = faker.date.past(1);
|
||||||
|
|
||||||
const user = { firstName, lastName, email, username, dateOfBirth, createdAt, hash };
|
const user = { firstName, lastName, email, username, dateOfBirth, createdAt, hash };
|
||||||
|
|
||||||
data.push(user);
|
data.push(user);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|||||||
@@ -28,30 +28,32 @@ import logger from '../../config/pino/logger';
|
|||||||
logger.info('Users created successfully.');
|
logger.info('Users created successfully.');
|
||||||
|
|
||||||
const locations = await createNewLocations({
|
const locations = await createNewLocations({
|
||||||
numberOfLocations: 150,
|
numberOfLocations: 1600,
|
||||||
joinData: { users },
|
joinData: { users },
|
||||||
});
|
});
|
||||||
|
|
||||||
logger.info('Locations created successfully.');
|
logger.info('Locations created successfully.');
|
||||||
|
|
||||||
const [breweryPosts, beerTypes] = await Promise.all([
|
const [breweryPosts, beerTypes] = await Promise.all([
|
||||||
createNewBreweryPosts({ numberOfPosts: 130, joinData: { users, locations } }),
|
createNewBreweryPosts({ numberOfPosts: 1500, joinData: { users, locations } }),
|
||||||
createNewBeerTypes({ joinData: { users } }),
|
createNewBeerTypes({ joinData: { users } }),
|
||||||
]);
|
]);
|
||||||
logger.info('Brewery posts and beer types created successfully.');
|
logger.info('Brewery posts and beer types created successfully.');
|
||||||
|
|
||||||
const beerPosts = await createNewBeerPosts({
|
const beerPosts = await createNewBeerPosts({
|
||||||
numberOfPosts: 200,
|
numberOfPosts: 3000,
|
||||||
joinData: { breweryPosts, beerTypes, users },
|
joinData: { breweryPosts, beerTypes, users },
|
||||||
});
|
});
|
||||||
|
|
||||||
logger.info('Beer posts created successfully.');
|
logger.info('Beer posts created successfully.');
|
||||||
|
|
||||||
const [beerPostComments, breweryPostComments] = await Promise.all([
|
const [beerPostComments, breweryPostComments] = await Promise.all([
|
||||||
createNewBeerPostComments({
|
createNewBeerPostComments({
|
||||||
numberOfComments: 45000,
|
numberOfComments: 100000,
|
||||||
joinData: { beerPosts, users },
|
joinData: { beerPosts, users },
|
||||||
}),
|
}),
|
||||||
createNewBreweryPostComments({
|
createNewBreweryPostComments({
|
||||||
numberOfComments: 45000,
|
numberOfComments: 100000,
|
||||||
joinData: { breweryPosts, users },
|
joinData: { breweryPosts, users },
|
||||||
}),
|
}),
|
||||||
]);
|
]);
|
||||||
@@ -59,11 +61,11 @@ import logger from '../../config/pino/logger';
|
|||||||
|
|
||||||
const [beerPostLikes, breweryPostLikes] = await Promise.all([
|
const [beerPostLikes, breweryPostLikes] = await Promise.all([
|
||||||
createNewBeerPostLikes({
|
createNewBeerPostLikes({
|
||||||
numberOfLikes: 10000,
|
numberOfLikes: 100000,
|
||||||
joinData: { beerPosts, users },
|
joinData: { beerPosts, users },
|
||||||
}),
|
}),
|
||||||
createNewBreweryPostLikes({
|
createNewBreweryPostLikes({
|
||||||
numberOfLikes: 10000,
|
numberOfLikes: 100000,
|
||||||
joinData: { breweryPosts, users },
|
joinData: { breweryPosts, users },
|
||||||
}),
|
}),
|
||||||
]);
|
]);
|
||||||
@@ -71,11 +73,11 @@ import logger from '../../config/pino/logger';
|
|||||||
|
|
||||||
const [beerImages, breweryImages] = await Promise.all([
|
const [beerImages, breweryImages] = await Promise.all([
|
||||||
createNewBeerImages({
|
createNewBeerImages({
|
||||||
numberOfImages: 100000,
|
numberOfImages: 20000,
|
||||||
joinData: { beerPosts, users },
|
joinData: { beerPosts, users },
|
||||||
}),
|
}),
|
||||||
createNewBreweryImages({
|
createNewBreweryImages({
|
||||||
numberOfImages: 100000,
|
numberOfImages: 20000,
|
||||||
joinData: { breweryPosts, users },
|
joinData: { breweryPosts, users },
|
||||||
}),
|
}),
|
||||||
]);
|
]);
|
||||||
|
|||||||
@@ -1,9 +1,10 @@
|
|||||||
import BeerCommentQueryResult from '@/services/BeerComment/schema/BeerCommentQueryResult';
|
import CommentQueryResult from '@/services/types/CommentSchema/CommentQueryResult';
|
||||||
import BeerCommentValidationSchema from '@/services/BeerComment/schema/CreateBeerCommentValidationSchema';
|
import CreateCommentValidationSchema from '@/services/types/CommentSchema/CreateCommentValidationSchema';
|
||||||
|
|
||||||
import APIResponseValidationSchema from '@/validation/APIResponseValidationSchema';
|
import APIResponseValidationSchema from '@/validation/APIResponseValidationSchema';
|
||||||
import { z } from 'zod';
|
import { z } from 'zod';
|
||||||
|
|
||||||
const BeerCommentValidationSchemaWithId = BeerCommentValidationSchema.extend({
|
const BeerCommentValidationSchemaWithId = CreateCommentValidationSchema.extend({
|
||||||
beerPostId: z.string().uuid(),
|
beerPostId: z.string().uuid(),
|
||||||
});
|
});
|
||||||
|
|
||||||
@@ -30,7 +31,7 @@ const sendCreateBeerCommentRequest = async ({
|
|||||||
throw new Error('Invalid API response');
|
throw new Error('Invalid API response');
|
||||||
}
|
}
|
||||||
|
|
||||||
const parsedPayload = BeerCommentQueryResult.safeParse(parsedResponse.data.payload);
|
const parsedPayload = CommentQueryResult.safeParse(parsedResponse.data.payload);
|
||||||
|
|
||||||
if (!parsedPayload.success) {
|
if (!parsedPayload.success) {
|
||||||
throw new Error('Invalid API response payload');
|
throw new Error('Invalid API response payload');
|
||||||
|
|||||||
@@ -1,8 +1,8 @@
|
|||||||
import DBClient from '@/prisma/DBClient';
|
import DBClient from '@/prisma/DBClient';
|
||||||
import { z } from 'zod';
|
import { z } from 'zod';
|
||||||
import BeerCommentValidationSchema from './schema/CreateBeerCommentValidationSchema';
|
import CreateCommentValidationSchema from '../types/CommentSchema/CreateCommentValidationSchema';
|
||||||
|
|
||||||
const CreateNewBeerCommentServiceSchema = BeerCommentValidationSchema.extend({
|
const CreateNewBeerCommentServiceSchema = CreateCommentValidationSchema.extend({
|
||||||
userId: z.string().uuid(),
|
userId: z.string().uuid(),
|
||||||
beerPostId: z.string().uuid(),
|
beerPostId: z.string().uuid(),
|
||||||
});
|
});
|
||||||
|
|||||||
@@ -1,14 +1,14 @@
|
|||||||
import DBClient from '@/prisma/DBClient';
|
import DBClient from '@/prisma/DBClient';
|
||||||
import beerPostQueryResult from '@/services/BeerPost/schema/BeerPostQueryResult';
|
import beerPostQueryResult from '@/services/BeerPost/schema/BeerPostQueryResult';
|
||||||
import { z } from 'zod';
|
import { z } from 'zod';
|
||||||
import BeerCommentQueryResult from './schema/BeerCommentQueryResult';
|
import CommentQueryResult from '../types/CommentSchema/CommentQueryResult';
|
||||||
|
|
||||||
const getAllBeerComments = async (
|
const getAllBeerComments = async (
|
||||||
{ id }: Pick<z.infer<typeof beerPostQueryResult>, 'id'>,
|
{ id }: Pick<z.infer<typeof beerPostQueryResult>, 'id'>,
|
||||||
{ pageSize, pageNum = 0 }: { pageSize: number; pageNum?: number },
|
{ pageSize, pageNum = 0 }: { pageSize: number; pageNum?: number },
|
||||||
) => {
|
) => {
|
||||||
const skip = (pageNum - 1) * pageSize;
|
const skip = (pageNum - 1) * pageSize;
|
||||||
const beerComments: z.infer<typeof BeerCommentQueryResult>[] =
|
const beerComments: z.infer<typeof CommentQueryResult>[] =
|
||||||
await DBClient.instance.beerComment.findMany({
|
await DBClient.instance.beerComment.findMany({
|
||||||
skip,
|
skip,
|
||||||
take: pageSize,
|
take: pageSize,
|
||||||
|
|||||||
28
src/services/BreweryComment/getAllBreweryComments.ts
Normal file
28
src/services/BreweryComment/getAllBreweryComments.ts
Normal file
@@ -0,0 +1,28 @@
|
|||||||
|
import DBClient from '@/prisma/DBClient';
|
||||||
|
import beerPostQueryResult from '@/services/BeerPost/schema/BeerPostQueryResult';
|
||||||
|
import { z } from 'zod';
|
||||||
|
import CommentQueryResult from '../types/CommentSchema/CommentQueryResult';
|
||||||
|
|
||||||
|
const getAllBreweryComments = async (
|
||||||
|
{ id }: Pick<z.infer<typeof beerPostQueryResult>, 'id'>,
|
||||||
|
{ pageSize, pageNum = 0 }: { pageSize: number; pageNum?: number },
|
||||||
|
) => {
|
||||||
|
const skip = (pageNum - 1) * pageSize;
|
||||||
|
const breweryComments: z.infer<typeof CommentQueryResult>[] =
|
||||||
|
await DBClient.instance.breweryComment.findMany({
|
||||||
|
skip,
|
||||||
|
take: pageSize,
|
||||||
|
where: { breweryPostId: id },
|
||||||
|
select: {
|
||||||
|
id: true,
|
||||||
|
content: true,
|
||||||
|
rating: true,
|
||||||
|
createdAt: true,
|
||||||
|
postedBy: { select: { id: true, username: true, createdAt: true } },
|
||||||
|
},
|
||||||
|
orderBy: { createdAt: 'desc' },
|
||||||
|
});
|
||||||
|
return breweryComments;
|
||||||
|
};
|
||||||
|
|
||||||
|
export default getAllBreweryComments;
|
||||||
@@ -1,6 +1,6 @@
|
|||||||
import { z } from 'zod';
|
import { z } from 'zod';
|
||||||
|
|
||||||
const BeerCommentQueryResult = z.object({
|
const CommentQueryResult = z.object({
|
||||||
id: z.string().uuid(),
|
id: z.string().uuid(),
|
||||||
content: z.string().min(1).max(500),
|
content: z.string().min(1).max(500),
|
||||||
rating: z.number().int().min(1).max(5),
|
rating: z.number().int().min(1).max(5),
|
||||||
@@ -11,4 +11,4 @@ const BeerCommentQueryResult = z.object({
|
|||||||
}),
|
}),
|
||||||
});
|
});
|
||||||
|
|
||||||
export default BeerCommentQueryResult;
|
export default CommentQueryResult;
|
||||||
@@ -1,6 +1,6 @@
|
|||||||
import { z } from 'zod';
|
import { z } from 'zod';
|
||||||
|
|
||||||
const BeerCommentValidationSchema = z.object({
|
const CreateCommentValidationSchema = z.object({
|
||||||
content: z
|
content: z
|
||||||
.string()
|
.string()
|
||||||
.min(1, { message: 'Comment must not be empty.' })
|
.min(1, { message: 'Comment must not be empty.' })
|
||||||
@@ -12,4 +12,4 @@ const BeerCommentValidationSchema = z.object({
|
|||||||
.max(5, { message: 'Rating must be less than 5.' }),
|
.max(5, { message: 'Rating must be less than 5.' }),
|
||||||
});
|
});
|
||||||
|
|
||||||
export default BeerCommentValidationSchema;
|
export default CreateCommentValidationSchema;
|
||||||
Reference in New Issue
Block a user