mirror of
https://github.com/yangshun/tech-interview-handbook.git
synced 2026-02-09 05:25:37 +08:00
[questions][feat] pagination (#410)
* [questions][feat] pagination * [questions][feat] update aggregated data * [questions][feat] add next cursors * [questions][fix] fix bug * [questions][chore] fix lint error * [questions][chore] update cursor to support adapter * [questions][feat] paginate browse queries * [questions][ui] change page size to 10 * [question][refactor] clean up router code * [questions][fix] fix type errors * [questions][feat] add upvotes tracking * [questions][chore] add default upovte value Co-authored-by: Jeff Sieu <jeffsy00@gmail.com>
This commit is contained in:
@@ -0,0 +1,14 @@
|
||||
/*
|
||||
Warnings:
|
||||
|
||||
- Added the required column `upvotes` to the `QuestionsAnswerComment` table without a default value. This is not possible if the table is not empty.
|
||||
|
||||
*/
|
||||
-- AlterTable
|
||||
ALTER TABLE "QuestionsAnswer" ADD COLUMN "upvotes" INTEGER NOT NULL DEFAULT 0;
|
||||
|
||||
-- AlterTable
|
||||
ALTER TABLE "QuestionsAnswerComment" ADD COLUMN "upvotes" INTEGER NOT NULL;
|
||||
|
||||
-- AlterTable
|
||||
ALTER TABLE "QuestionsQuestionComment" ADD COLUMN "upvotes" INTEGER NOT NULL DEFAULT 0;
|
||||
@@ -0,0 +1,2 @@
|
||||
-- AlterTable
|
||||
ALTER TABLE "QuestionsAnswerComment" ALTER COLUMN "upvotes" SET DEFAULT 0;
|
||||
@@ -454,6 +454,7 @@ model QuestionsQuestionComment {
|
||||
id String @id @default(cuid())
|
||||
questionId String
|
||||
userId String?
|
||||
upvotes Int @default(0)
|
||||
content String @db.Text
|
||||
createdAt DateTime @default(now())
|
||||
updatedAt DateTime @updatedAt
|
||||
@@ -482,6 +483,7 @@ model QuestionsAnswer {
|
||||
questionId String
|
||||
userId String?
|
||||
content String @db.Text
|
||||
upvotes Int @default(0)
|
||||
createdAt DateTime @default(now())
|
||||
updatedAt DateTime @updatedAt
|
||||
|
||||
@@ -510,6 +512,7 @@ model QuestionsAnswerComment {
|
||||
answerId String
|
||||
userId String?
|
||||
content String @db.Text
|
||||
upvotes Int @default(0)
|
||||
createdAt DateTime @default(now())
|
||||
updatedAt DateTime @updatedAt
|
||||
|
||||
|
||||
@@ -17,29 +17,26 @@ export type FilterChoices<V extends string = string> = ReadonlyArray<
|
||||
FilterChoice<V>
|
||||
>;
|
||||
|
||||
type FilterSectionType<FilterOptions extends Array<FilterOption>> =
|
||||
type FilterSectionType<V extends string> =
|
||||
| {
|
||||
isSingleSelect: true;
|
||||
onOptionChange: (optionValue: FilterOptions[number]['value']) => void;
|
||||
onOptionChange: (option: FilterOption<V>) => void;
|
||||
}
|
||||
| {
|
||||
isSingleSelect?: false;
|
||||
onOptionChange: (
|
||||
optionValue: FilterOptions[number]['value'],
|
||||
checked: boolean,
|
||||
) => void;
|
||||
onOptionChange: (option: FilterOption<V>) => void;
|
||||
};
|
||||
|
||||
export type FilterSectionProps<FilterOptions extends Array<FilterOption>> =
|
||||
FilterSectionType<FilterOptions> & {
|
||||
export type FilterSectionProps<V extends string = string> =
|
||||
FilterSectionType<V> & {
|
||||
label: string;
|
||||
options: FilterOptions;
|
||||
options: Array<FilterOption<V>>;
|
||||
} & (
|
||||
| {
|
||||
renderInput: (props: {
|
||||
field: UseFormRegisterReturn<'search'>;
|
||||
onOptionChange: FilterSectionType<FilterOptions>['onOptionChange'];
|
||||
options: FilterOptions;
|
||||
onOptionChange: FilterSectionType<V>['onOptionChange'];
|
||||
options: Array<FilterOption<V>>;
|
||||
}) => React.ReactNode;
|
||||
showAll?: never;
|
||||
}
|
||||
@@ -53,16 +50,14 @@ export type FilterSectionFormData = {
|
||||
search: string;
|
||||
};
|
||||
|
||||
export default function FilterSection<
|
||||
FilterOptions extends Array<FilterOption>,
|
||||
>({
|
||||
export default function FilterSection<V extends string>({
|
||||
label,
|
||||
options,
|
||||
showAll,
|
||||
onOptionChange,
|
||||
isSingleSelect,
|
||||
renderInput,
|
||||
}: FilterSectionProps<FilterOptions>) {
|
||||
}: FilterSectionProps<V>) {
|
||||
const { register, reset } = useForm<FilterSectionFormData>();
|
||||
|
||||
const registerSearch = register('search');
|
||||
@@ -76,7 +71,9 @@ export default function FilterSection<
|
||||
};
|
||||
|
||||
const autocompleteOptions = useMemo(() => {
|
||||
return options.filter((option) => !option.checked) as FilterOptions;
|
||||
return options.filter((option) => !option.checked) as Array<
|
||||
FilterOption<V>
|
||||
>;
|
||||
}, [options]);
|
||||
|
||||
const selectedCount = useMemo(() => {
|
||||
@@ -102,11 +99,12 @@ export default function FilterSection<
|
||||
<div className="z-10">
|
||||
{renderInput({
|
||||
field,
|
||||
onOptionChange: async (
|
||||
optionValue: FilterOptions[number]['value'],
|
||||
) => {
|
||||
onOptionChange: async (option: FilterOption<V>) => {
|
||||
reset();
|
||||
return onOptionChange(optionValue, true);
|
||||
return onOptionChange({
|
||||
...option,
|
||||
checked: true,
|
||||
});
|
||||
},
|
||||
options: autocompleteOptions,
|
||||
})}
|
||||
@@ -119,7 +117,13 @@ export default function FilterSection<
|
||||
label={label}
|
||||
value={options.find((option) => option.checked)?.value}
|
||||
onChange={(value) => {
|
||||
onOptionChange(value);
|
||||
const changedOption = options.find(
|
||||
(option) => option.value === value,
|
||||
)!;
|
||||
onOptionChange({
|
||||
...changedOption,
|
||||
checked: !changedOption.checked,
|
||||
});
|
||||
}}>
|
||||
{options.map((option) => (
|
||||
<RadioList.Item
|
||||
@@ -140,7 +144,10 @@ export default function FilterSection<
|
||||
label={option.label}
|
||||
value={option.checked}
|
||||
onChange={(checked) => {
|
||||
onOptionChange(option.value, checked);
|
||||
onOptionChange({
|
||||
...option,
|
||||
checked,
|
||||
});
|
||||
}}
|
||||
/>
|
||||
))}
|
||||
|
||||
@@ -1,4 +1,6 @@
|
||||
import type { ComponentProps } from 'react';
|
||||
import { useState } from 'react';
|
||||
import { useMemo } from 'react';
|
||||
import { Button, Typeahead } from '@tih/ui';
|
||||
|
||||
import type { RequireAllOrNone } from '~/utils/questions/RequireAllOrNone';
|
||||
@@ -7,6 +9,8 @@ type TypeaheadProps = ComponentProps<typeof Typeahead>;
|
||||
type TypeaheadOption = TypeaheadProps['options'][number];
|
||||
|
||||
export type ExpandedTypeaheadProps = RequireAllOrNone<{
|
||||
clearOnSelect?: boolean;
|
||||
filterOption: (option: TypeaheadOption) => boolean;
|
||||
onSuggestionClick: (option: TypeaheadOption) => void;
|
||||
suggestedCount: number;
|
||||
}> &
|
||||
@@ -15,9 +19,20 @@ export type ExpandedTypeaheadProps = RequireAllOrNone<{
|
||||
export default function ExpandedTypeahead({
|
||||
suggestedCount = 0,
|
||||
onSuggestionClick,
|
||||
filterOption = () => true,
|
||||
clearOnSelect = false,
|
||||
options,
|
||||
onSelect,
|
||||
...typeaheadProps
|
||||
}: ExpandedTypeaheadProps) {
|
||||
const suggestions = typeaheadProps.options.slice(0, suggestedCount);
|
||||
const [key, setKey] = useState(0);
|
||||
const filteredOptions = useMemo(() => {
|
||||
return options.filter(filterOption);
|
||||
}, [options, filterOption]);
|
||||
const suggestions = useMemo(
|
||||
() => filteredOptions.slice(0, suggestedCount),
|
||||
[filteredOptions, suggestedCount],
|
||||
);
|
||||
|
||||
return (
|
||||
<div className="flex flex-wrap gap-x-2">
|
||||
@@ -32,7 +47,17 @@ export default function ExpandedTypeahead({
|
||||
/>
|
||||
))}
|
||||
<div className="flex-1">
|
||||
<Typeahead {...typeaheadProps} />
|
||||
<Typeahead
|
||||
key={key}
|
||||
options={filteredOptions}
|
||||
{...typeaheadProps}
|
||||
onSelect={(option) => {
|
||||
if (clearOnSelect) {
|
||||
setKey((key + 1) % 2);
|
||||
}
|
||||
onSelect(option);
|
||||
}}
|
||||
/>
|
||||
</div>
|
||||
</div>
|
||||
);
|
||||
|
||||
@@ -5,24 +5,22 @@ import { useEffect, useMemo, useState } from 'react';
|
||||
import { Bars3BottomLeftIcon } from '@heroicons/react/20/solid';
|
||||
import { NoSymbolIcon } from '@heroicons/react/24/outline';
|
||||
import type { QuestionsQuestionType } from '@prisma/client';
|
||||
import { Button, SlideOut, Typeahead } from '@tih/ui';
|
||||
import { Button, SlideOut } from '@tih/ui';
|
||||
|
||||
import QuestionOverviewCard from '~/components/questions/card/question/QuestionOverviewCard';
|
||||
import ContributeQuestionCard from '~/components/questions/ContributeQuestionCard';
|
||||
import type { FilterOption } from '~/components/questions/filter/FilterSection';
|
||||
import FilterSection from '~/components/questions/filter/FilterSection';
|
||||
import QuestionSearchBar from '~/components/questions/QuestionSearchBar';
|
||||
import CompanyTypeahead from '~/components/questions/typeahead/CompanyTypeahead';
|
||||
import LocationTypeahead from '~/components/questions/typeahead/LocationTypeahead';
|
||||
import RoleTypeahead from '~/components/questions/typeahead/RoleTypeahead';
|
||||
|
||||
import type { QuestionAge } from '~/utils/questions/constants';
|
||||
import { SORT_TYPES } from '~/utils/questions/constants';
|
||||
import { SORT_ORDERS } from '~/utils/questions/constants';
|
||||
import { APP_TITLE } from '~/utils/questions/constants';
|
||||
import { ROLES } from '~/utils/questions/constants';
|
||||
import {
|
||||
COMPANIES,
|
||||
LOCATIONS,
|
||||
QUESTION_AGES,
|
||||
QUESTION_TYPES,
|
||||
} from '~/utils/questions/constants';
|
||||
import { QUESTION_AGES, QUESTION_TYPES } from '~/utils/questions/constants';
|
||||
import createSlug from '~/utils/questions/createSlug';
|
||||
import {
|
||||
useSearchParam,
|
||||
@@ -148,12 +146,18 @@ export default function QuestionsBrowsePage() {
|
||||
: undefined;
|
||||
}, [selectedQuestionAge]);
|
||||
|
||||
const { data: questions } = trpc.useQuery(
|
||||
const {
|
||||
data: questionsQueryData,
|
||||
fetchNextPage,
|
||||
hasNextPage,
|
||||
isFetchingNextPage,
|
||||
} = trpc.useInfiniteQuery(
|
||||
[
|
||||
'questions.questions.getQuestionsByFilter',
|
||||
{
|
||||
companyNames: selectedCompanies,
|
||||
endDate: today,
|
||||
limit: 10,
|
||||
locations: selectedLocations,
|
||||
questionTypes: selectedQuestionTypes,
|
||||
roles: selectedRoles,
|
||||
@@ -163,10 +167,21 @@ export default function QuestionsBrowsePage() {
|
||||
},
|
||||
],
|
||||
{
|
||||
getNextPageParam: (lastPage) => lastPage.nextCursor,
|
||||
keepPreviousData: true,
|
||||
},
|
||||
);
|
||||
|
||||
const questionCount = useMemo(() => {
|
||||
if (!questionsQueryData) {
|
||||
return undefined;
|
||||
}
|
||||
return questionsQueryData.pages.reduce(
|
||||
(acc, page) => acc + page.data.length,
|
||||
0,
|
||||
);
|
||||
}, [questionsQueryData]);
|
||||
|
||||
const utils = trpc.useContext();
|
||||
const { mutate: createQuestion } = trpc.useMutation(
|
||||
'questions.questions.create',
|
||||
@@ -180,12 +195,17 @@ export default function QuestionsBrowsePage() {
|
||||
const [loaded, setLoaded] = useState(false);
|
||||
const [filterDrawerOpen, setFilterDrawerOpen] = useState(false);
|
||||
|
||||
const companyFilterOptions = useMemo(() => {
|
||||
return COMPANIES.map((company) => ({
|
||||
...company,
|
||||
checked: selectedCompanies.includes(company.value),
|
||||
}));
|
||||
}, [selectedCompanies]);
|
||||
const [selectedCompanyOptions, setSelectedCompanyOptions] = useState<
|
||||
Array<FilterOption>
|
||||
>([]);
|
||||
|
||||
const [selectedRoleOptions, setSelectedRoleOptions] = useState<
|
||||
Array<FilterOption>
|
||||
>([]);
|
||||
|
||||
const [selectedLocationOptions, setSelectedLocationOptions] = useState<
|
||||
Array<FilterOption>
|
||||
>([]);
|
||||
|
||||
const questionTypeFilterOptions = useMemo(() => {
|
||||
return QUESTION_TYPES.map((questionType) => ({
|
||||
@@ -201,20 +221,6 @@ export default function QuestionsBrowsePage() {
|
||||
}));
|
||||
}, [selectedQuestionAge]);
|
||||
|
||||
const roleFilterOptions = useMemo(() => {
|
||||
return ROLES.map((role) => ({
|
||||
...role,
|
||||
checked: selectedRoles.includes(role.value),
|
||||
}));
|
||||
}, [selectedRoles]);
|
||||
|
||||
const locationFilterOptions = useMemo(() => {
|
||||
return LOCATIONS.map((location) => ({
|
||||
...location,
|
||||
checked: selectedLocations.includes(location.value),
|
||||
}));
|
||||
}, [selectedLocations]);
|
||||
|
||||
const areSearchOptionsInitialized = useMemo(() => {
|
||||
return (
|
||||
areCompaniesInitialized &&
|
||||
@@ -287,35 +293,89 @@ export default function QuestionsBrowsePage() {
|
||||
setSelectedQuestionAge('all');
|
||||
setSelectedRoles([]);
|
||||
setSelectedLocations([]);
|
||||
setSelectedCompanyOptions([]);
|
||||
setSelectedRoleOptions([]);
|
||||
setSelectedLocationOptions([]);
|
||||
}}
|
||||
/>
|
||||
<FilterSection
|
||||
label="Company"
|
||||
options={companyFilterOptions}
|
||||
renderInput={({
|
||||
onOptionChange,
|
||||
options,
|
||||
field: { ref: _, ...field },
|
||||
}) => (
|
||||
<Typeahead
|
||||
label="Companies"
|
||||
options={selectedCompanyOptions}
|
||||
renderInput={({ onOptionChange, field: { ref: _, ...field } }) => (
|
||||
<CompanyTypeahead
|
||||
{...field}
|
||||
clearOnSelect={true}
|
||||
filterOption={(option) => {
|
||||
return !selectedCompanyOptions.some((selectedOption) => {
|
||||
return selectedOption.value === option.value;
|
||||
});
|
||||
}}
|
||||
isLabelHidden={true}
|
||||
label="Companies"
|
||||
options={options}
|
||||
placeholder="Search companies"
|
||||
// eslint-disable-next-line @typescript-eslint/no-empty-function
|
||||
onQueryChange={() => {}}
|
||||
onSelect={({ value }) => {
|
||||
onOptionChange(value, true);
|
||||
onSelect={(option) => {
|
||||
onOptionChange({
|
||||
...option,
|
||||
checked: true,
|
||||
});
|
||||
}}
|
||||
/>
|
||||
)}
|
||||
onOptionChange={(optionValue, checked) => {
|
||||
if (checked) {
|
||||
setSelectedCompanies([...selectedCompanies, optionValue]);
|
||||
onOptionChange={(option) => {
|
||||
if (option.checked) {
|
||||
setSelectedCompanies([...selectedCompanies, option.label]);
|
||||
setSelectedCompanyOptions((prevOptions) => [
|
||||
...prevOptions,
|
||||
{ ...option, checked: true },
|
||||
]);
|
||||
} else {
|
||||
setSelectedCompanies(
|
||||
selectedCompanies.filter((company) => company !== optionValue),
|
||||
selectedCompanies.filter((company) => company !== option.label),
|
||||
);
|
||||
setSelectedCompanyOptions((prevOptions) =>
|
||||
prevOptions.filter(
|
||||
(prevOption) => prevOption.label !== option.label,
|
||||
),
|
||||
);
|
||||
}
|
||||
}}
|
||||
/>
|
||||
<FilterSection
|
||||
label="Roles"
|
||||
options={selectedRoleOptions}
|
||||
renderInput={({ onOptionChange, field: { ref: _, ...field } }) => (
|
||||
<RoleTypeahead
|
||||
{...field}
|
||||
clearOnSelect={true}
|
||||
filterOption={(option) => {
|
||||
return !selectedRoleOptions.some((selectedOption) => {
|
||||
return selectedOption.value === option.value;
|
||||
});
|
||||
}}
|
||||
isLabelHidden={true}
|
||||
placeholder="Search roles"
|
||||
onSelect={(option) => {
|
||||
onOptionChange({
|
||||
...option,
|
||||
checked: true,
|
||||
});
|
||||
}}
|
||||
/>
|
||||
)}
|
||||
onOptionChange={(option) => {
|
||||
if (option.checked) {
|
||||
setSelectedRoles([...selectedRoles, option.value]);
|
||||
setSelectedRoleOptions((prevOptions) => [
|
||||
...prevOptions,
|
||||
{ ...option, checked: true },
|
||||
]);
|
||||
} else {
|
||||
setSelectedRoles(
|
||||
selectedCompanies.filter((role) => role !== option.value),
|
||||
);
|
||||
setSelectedRoleOptions((prevOptions) =>
|
||||
prevOptions.filter(
|
||||
(prevOption) => prevOption.value !== option.value,
|
||||
),
|
||||
);
|
||||
}
|
||||
}}
|
||||
@@ -324,13 +384,13 @@ export default function QuestionsBrowsePage() {
|
||||
label="Question types"
|
||||
options={questionTypeFilterOptions}
|
||||
showAll={true}
|
||||
onOptionChange={(optionValue, checked) => {
|
||||
if (checked) {
|
||||
setSelectedQuestionTypes([...selectedQuestionTypes, optionValue]);
|
||||
onOptionChange={(option) => {
|
||||
if (option.checked) {
|
||||
setSelectedQuestionTypes([...selectedQuestionTypes, option.value]);
|
||||
} else {
|
||||
setSelectedQuestionTypes(
|
||||
selectedQuestionTypes.filter(
|
||||
(questionType) => questionType !== optionValue,
|
||||
(questionType) => questionType !== option.value,
|
||||
),
|
||||
);
|
||||
}
|
||||
@@ -341,68 +401,47 @@ export default function QuestionsBrowsePage() {
|
||||
label="Question age"
|
||||
options={questionAgeFilterOptions}
|
||||
showAll={true}
|
||||
onOptionChange={(optionValue) => {
|
||||
setSelectedQuestionAge(optionValue);
|
||||
onOptionChange={({ value }) => {
|
||||
setSelectedQuestionAge(value);
|
||||
}}
|
||||
/>
|
||||
<FilterSection
|
||||
label="Roles"
|
||||
options={roleFilterOptions}
|
||||
renderInput={({
|
||||
onOptionChange,
|
||||
options,
|
||||
field: { ref: _, ...field },
|
||||
}) => (
|
||||
<Typeahead
|
||||
label="Locations"
|
||||
options={selectedLocationOptions}
|
||||
renderInput={({ onOptionChange, field: { ref: _, ...field } }) => (
|
||||
<LocationTypeahead
|
||||
{...field}
|
||||
isLabelHidden={true}
|
||||
label="Roles"
|
||||
options={options}
|
||||
placeholder="Search roles"
|
||||
// eslint-disable-next-line @typescript-eslint/no-empty-function
|
||||
onQueryChange={() => {}}
|
||||
onSelect={({ value }) => {
|
||||
onOptionChange(value, true);
|
||||
clearOnSelect={true}
|
||||
filterOption={(option) => {
|
||||
return !selectedLocationOptions.some((selectedOption) => {
|
||||
return selectedOption.value === option.value;
|
||||
});
|
||||
}}
|
||||
/>
|
||||
)}
|
||||
onOptionChange={(optionValue, checked) => {
|
||||
if (checked) {
|
||||
setSelectedRoles([...selectedRoles, optionValue]);
|
||||
} else {
|
||||
setSelectedRoles(
|
||||
selectedRoles.filter((role) => role !== optionValue),
|
||||
);
|
||||
}
|
||||
}}
|
||||
/>
|
||||
<FilterSection
|
||||
label="Location"
|
||||
options={locationFilterOptions}
|
||||
renderInput={({
|
||||
onOptionChange,
|
||||
options,
|
||||
field: { ref: _, ...field },
|
||||
}) => (
|
||||
<Typeahead
|
||||
{...field}
|
||||
isLabelHidden={true}
|
||||
label="Locations"
|
||||
options={options}
|
||||
placeholder="Search locations"
|
||||
// eslint-disable-next-line @typescript-eslint/no-empty-function
|
||||
onQueryChange={() => {}}
|
||||
onSelect={({ value }) => {
|
||||
onOptionChange(value, true);
|
||||
onSelect={(option) => {
|
||||
onOptionChange({
|
||||
...option,
|
||||
checked: true,
|
||||
});
|
||||
}}
|
||||
/>
|
||||
)}
|
||||
onOptionChange={(optionValue, checked) => {
|
||||
if (checked) {
|
||||
setSelectedLocations([...selectedLocations, optionValue]);
|
||||
onOptionChange={(option) => {
|
||||
if (option.checked) {
|
||||
setSelectedLocations([...selectedLocations, option.value]);
|
||||
setSelectedLocationOptions((prevOptions) => [
|
||||
...prevOptions,
|
||||
{ ...option, checked: true },
|
||||
]);
|
||||
} else {
|
||||
setSelectedLocations(
|
||||
selectedLocations.filter((location) => location !== optionValue),
|
||||
selectedLocations.filter((role) => role !== option.value),
|
||||
);
|
||||
setSelectedLocationOptions((prevOptions) =>
|
||||
prevOptions.filter(
|
||||
(prevOption) => prevOption.value !== option.value,
|
||||
),
|
||||
);
|
||||
}
|
||||
}}
|
||||
@@ -443,29 +482,50 @@ export default function QuestionsBrowsePage() {
|
||||
onSortOrderChange={setSortOrder}
|
||||
onSortTypeChange={setSortType}
|
||||
/>
|
||||
<div className="flex flex-col gap-4 pb-4">
|
||||
{(questions ?? []).map((question) => (
|
||||
<QuestionOverviewCard
|
||||
key={question.id}
|
||||
answerCount={question.numAnswers}
|
||||
companies={{ [question.company]: 1 }}
|
||||
content={question.content}
|
||||
href={`/questions/${question.id}/${createSlug(
|
||||
question.content,
|
||||
)}`}
|
||||
locations={{ [question.location]: 1 }}
|
||||
questionId={question.id}
|
||||
receivedCount={question.receivedCount}
|
||||
roles={{ [question.role]: 1 }}
|
||||
timestamp={question.seenAt.toLocaleDateString(undefined, {
|
||||
month: 'short',
|
||||
year: 'numeric',
|
||||
})}
|
||||
type={question.type}
|
||||
upvoteCount={question.numVotes}
|
||||
/>
|
||||
))}
|
||||
{questions?.length === 0 && (
|
||||
<div className="flex flex-col gap-2 pb-4">
|
||||
{(questionsQueryData?.pages ?? []).flatMap(
|
||||
({ data: questions }) =>
|
||||
questions.map((question) => (
|
||||
<QuestionOverviewCard
|
||||
key={question.id}
|
||||
answerCount={question.numAnswers}
|
||||
companies={
|
||||
question.aggregatedQuestionEncounters.companyCounts
|
||||
}
|
||||
content={question.content}
|
||||
href={`/questions/${question.id}/${createSlug(
|
||||
question.content,
|
||||
)}`}
|
||||
locations={
|
||||
question.aggregatedQuestionEncounters.locationCounts
|
||||
}
|
||||
questionId={question.id}
|
||||
receivedCount={question.receivedCount}
|
||||
roles={
|
||||
question.aggregatedQuestionEncounters.roleCounts
|
||||
}
|
||||
timestamp={question.seenAt.toLocaleDateString(
|
||||
undefined,
|
||||
{
|
||||
month: 'short',
|
||||
year: 'numeric',
|
||||
},
|
||||
)}
|
||||
type={question.type}
|
||||
upvoteCount={question.numVotes}
|
||||
/>
|
||||
)),
|
||||
)}
|
||||
<Button
|
||||
disabled={!hasNextPage || isFetchingNextPage}
|
||||
isLoading={isFetchingNextPage}
|
||||
label={hasNextPage ? 'Load more' : 'Nothing more to load'}
|
||||
variant="tertiary"
|
||||
onClick={() => {
|
||||
fetchNextPage();
|
||||
}}
|
||||
/>
|
||||
{questionCount === 0 && (
|
||||
<div className="flex w-full items-center justify-center gap-2 rounded-md border border-slate-300 bg-slate-200 p-4 text-slate-600">
|
||||
<NoSymbolIcon className="h-6 w-6" />
|
||||
<p>Nothing found.</p>
|
||||
|
||||
@@ -166,13 +166,29 @@ export const questionsAnswerCommentRouter = createProtectedRouter()
|
||||
|
||||
const { answerCommentId, vote } = input;
|
||||
|
||||
return await ctx.prisma.questionsAnswerCommentVote.create({
|
||||
data: {
|
||||
answerCommentId,
|
||||
userId,
|
||||
vote,
|
||||
},
|
||||
});
|
||||
const incrementValue = vote === Vote.UPVOTE ? 1 : -1;
|
||||
|
||||
const [answerCommentVote] = await ctx.prisma.$transaction([
|
||||
ctx.prisma.questionsAnswerCommentVote.create({
|
||||
data: {
|
||||
answerCommentId,
|
||||
userId,
|
||||
vote,
|
||||
},
|
||||
}),
|
||||
ctx.prisma.questionsAnswerComment.update({
|
||||
data: {
|
||||
upvotes: {
|
||||
increment: incrementValue,
|
||||
},
|
||||
},
|
||||
where: {
|
||||
id: answerCommentId,
|
||||
},
|
||||
}),
|
||||
]);
|
||||
|
||||
return answerCommentVote;
|
||||
},
|
||||
})
|
||||
.mutation('updateVote', {
|
||||
@@ -198,14 +214,30 @@ export const questionsAnswerCommentRouter = createProtectedRouter()
|
||||
});
|
||||
}
|
||||
|
||||
return await ctx.prisma.questionsAnswerCommentVote.update({
|
||||
data: {
|
||||
vote,
|
||||
},
|
||||
where: {
|
||||
id,
|
||||
},
|
||||
});
|
||||
const incrementValue = vote === Vote.UPVOTE ? 2 : -2;
|
||||
|
||||
const [answerCommentVote] = await ctx.prisma.$transaction([
|
||||
ctx.prisma.questionsAnswerCommentVote.update({
|
||||
data: {
|
||||
vote,
|
||||
},
|
||||
where: {
|
||||
id,
|
||||
},
|
||||
}),
|
||||
ctx.prisma.questionsAnswerComment.update({
|
||||
data: {
|
||||
upvotes: {
|
||||
increment: incrementValue,
|
||||
},
|
||||
},
|
||||
where: {
|
||||
id: voteToUpdate.answerCommentId,
|
||||
},
|
||||
}),
|
||||
]);
|
||||
|
||||
return answerCommentVote;
|
||||
},
|
||||
})
|
||||
.mutation('deleteVote', {
|
||||
@@ -229,10 +261,26 @@ export const questionsAnswerCommentRouter = createProtectedRouter()
|
||||
});
|
||||
}
|
||||
|
||||
return await ctx.prisma.questionsAnswerCommentVote.delete({
|
||||
where: {
|
||||
id: input.id,
|
||||
},
|
||||
});
|
||||
const incrementValue = voteToDelete.vote === Vote.UPVOTE ? -1 : 1;
|
||||
|
||||
const [answerCommentVote] = await ctx.prisma.$transaction([
|
||||
ctx.prisma.questionsAnswerCommentVote.delete({
|
||||
where: {
|
||||
id: input.id,
|
||||
},
|
||||
}),
|
||||
ctx.prisma.questionsAnswerComment.update({
|
||||
data: {
|
||||
upvotes: {
|
||||
increment: incrementValue,
|
||||
},
|
||||
},
|
||||
where: {
|
||||
id: voteToDelete.answerCommentId,
|
||||
},
|
||||
}),
|
||||
]);
|
||||
return answerCommentVote;
|
||||
|
||||
},
|
||||
});
|
||||
|
||||
@@ -229,13 +229,28 @@ export const questionsAnswerRouter = createProtectedRouter()
|
||||
|
||||
const { answerId, vote } = input;
|
||||
|
||||
return await ctx.prisma.questionsAnswerVote.create({
|
||||
data: {
|
||||
answerId,
|
||||
userId,
|
||||
vote,
|
||||
},
|
||||
});
|
||||
const incrementValue = vote === Vote.UPVOTE ? 1 : -1;
|
||||
|
||||
const [answerVote] = await ctx.prisma.$transaction([
|
||||
ctx.prisma.questionsAnswerVote.create({
|
||||
data: {
|
||||
answerId,
|
||||
userId,
|
||||
vote,
|
||||
},
|
||||
}),
|
||||
ctx.prisma.questionsAnswer.update({
|
||||
data: {
|
||||
upvotes: {
|
||||
increment: incrementValue,
|
||||
},
|
||||
},
|
||||
where: {
|
||||
id: answerId,
|
||||
},
|
||||
}),
|
||||
]);
|
||||
return answerVote;
|
||||
},
|
||||
})
|
||||
.mutation('updateVote', {
|
||||
@@ -260,14 +275,30 @@ export const questionsAnswerRouter = createProtectedRouter()
|
||||
});
|
||||
}
|
||||
|
||||
return await ctx.prisma.questionsAnswerVote.update({
|
||||
data: {
|
||||
vote,
|
||||
},
|
||||
where: {
|
||||
id,
|
||||
},
|
||||
});
|
||||
const incrementValue = vote === Vote.UPVOTE ? 2 : -2;
|
||||
|
||||
const [questionsAnswerVote] = await ctx.prisma.$transaction([
|
||||
ctx.prisma.questionsAnswerVote.update({
|
||||
data: {
|
||||
vote,
|
||||
},
|
||||
where: {
|
||||
id,
|
||||
},
|
||||
}),
|
||||
ctx.prisma.questionsAnswer.update({
|
||||
data: {
|
||||
upvotes: {
|
||||
increment: incrementValue,
|
||||
},
|
||||
},
|
||||
where: {
|
||||
id: voteToUpdate.answerId,
|
||||
},
|
||||
}),
|
||||
]);
|
||||
|
||||
return questionsAnswerVote;
|
||||
},
|
||||
})
|
||||
.mutation('deleteVote', {
|
||||
@@ -290,10 +321,26 @@ export const questionsAnswerRouter = createProtectedRouter()
|
||||
});
|
||||
}
|
||||
|
||||
return await ctx.prisma.questionsAnswerVote.delete({
|
||||
where: {
|
||||
id: input.id,
|
||||
},
|
||||
});
|
||||
const incrementValue = voteToDelete.vote === Vote.UPVOTE ? -1 : 1;
|
||||
|
||||
const [questionsAnswerVote] = await ctx.prisma.$transaction([
|
||||
ctx.prisma.questionsAnswerVote.delete({
|
||||
where: {
|
||||
id: input.id,
|
||||
},
|
||||
}),
|
||||
ctx.prisma.questionsAnswer.update({
|
||||
data: {
|
||||
upvotes: {
|
||||
increment: incrementValue,
|
||||
},
|
||||
},
|
||||
where: {
|
||||
id: voteToDelete.answerId,
|
||||
},
|
||||
}),
|
||||
]);
|
||||
return questionsAnswerVote;
|
||||
|
||||
},
|
||||
});
|
||||
|
||||
@@ -166,13 +166,28 @@ export const questionsQuestionCommentRouter = createProtectedRouter()
|
||||
const userId = ctx.session?.user?.id;
|
||||
const { questionCommentId, vote } = input;
|
||||
|
||||
return await ctx.prisma.questionsQuestionCommentVote.create({
|
||||
data: {
|
||||
questionCommentId,
|
||||
userId,
|
||||
vote,
|
||||
},
|
||||
});
|
||||
const incrementValue: number = vote === Vote.UPVOTE ? 1 : -1;
|
||||
|
||||
const [ questionCommentVote ] = await ctx.prisma.$transaction([
|
||||
ctx.prisma.questionsQuestionCommentVote.create({
|
||||
data: {
|
||||
questionCommentId,
|
||||
userId,
|
||||
vote,
|
||||
},
|
||||
}),
|
||||
ctx.prisma.questionsQuestionComment.update({
|
||||
data: {
|
||||
upvotes: {
|
||||
increment: incrementValue,
|
||||
},
|
||||
},
|
||||
where: {
|
||||
id: questionCommentId,
|
||||
},
|
||||
}),
|
||||
]);
|
||||
return questionCommentVote;
|
||||
},
|
||||
})
|
||||
.mutation('updateVote', {
|
||||
@@ -198,14 +213,30 @@ export const questionsQuestionCommentRouter = createProtectedRouter()
|
||||
});
|
||||
}
|
||||
|
||||
return await ctx.prisma.questionsQuestionCommentVote.update({
|
||||
data: {
|
||||
vote,
|
||||
},
|
||||
where: {
|
||||
id,
|
||||
},
|
||||
});
|
||||
const incrementValue = vote === Vote.UPVOTE ? 2 : -2;
|
||||
|
||||
const [questionCommentVote] = await ctx.prisma.$transaction([
|
||||
ctx.prisma.questionsQuestionCommentVote.update({
|
||||
data: {
|
||||
vote,
|
||||
},
|
||||
where: {
|
||||
id,
|
||||
},
|
||||
}),
|
||||
ctx.prisma.questionsQuestionComment.update({
|
||||
data: {
|
||||
upvotes: {
|
||||
increment: incrementValue,
|
||||
},
|
||||
},
|
||||
where: {
|
||||
id: voteToUpdate.questionCommentId,
|
||||
},
|
||||
}),
|
||||
]);
|
||||
|
||||
return questionCommentVote;
|
||||
},
|
||||
})
|
||||
.mutation('deleteVote', {
|
||||
@@ -229,10 +260,25 @@ export const questionsQuestionCommentRouter = createProtectedRouter()
|
||||
});
|
||||
}
|
||||
|
||||
return await ctx.prisma.questionsQuestionCommentVote.delete({
|
||||
where: {
|
||||
id: input.id,
|
||||
},
|
||||
});
|
||||
const incrementValue = voteToDelete.vote === Vote.UPVOTE ? -1 : 1;
|
||||
|
||||
const [questionCommentVote] = await ctx.prisma.$transaction([
|
||||
ctx.prisma.questionsQuestionCommentVote.delete({
|
||||
where: {
|
||||
id: input.id,
|
||||
},
|
||||
}),
|
||||
ctx.prisma.questionsQuestionComment.update({
|
||||
data: {
|
||||
upvotes: {
|
||||
increment: incrementValue,
|
||||
},
|
||||
},
|
||||
where: {
|
||||
id: voteToDelete.questionCommentId,
|
||||
},
|
||||
}),
|
||||
]);
|
||||
return questionCommentVote;
|
||||
},
|
||||
});
|
||||
|
||||
@@ -25,9 +25,13 @@ export const questionsQuestionEncounterRouter = createProtectedRouter()
|
||||
const locationCounts: Record<string, number> = {};
|
||||
const roleCounts: Record<string, number> = {};
|
||||
|
||||
let latestSeenAt = questionEncountersData[0].seenAt;
|
||||
|
||||
for (let i = 0; i < questionEncountersData.length; i++) {
|
||||
const encounter = questionEncountersData[i];
|
||||
|
||||
latestSeenAt = latestSeenAt < encounter.seenAt ? encounter.seenAt : latestSeenAt;
|
||||
|
||||
if (!(encounter.company!.name in companyCounts)) {
|
||||
companyCounts[encounter.company!.name] = 1;
|
||||
}
|
||||
@@ -46,6 +50,7 @@ export const questionsQuestionEncounterRouter = createProtectedRouter()
|
||||
|
||||
const questionEncounter: AggregatedQuestionEncounter = {
|
||||
companyCounts,
|
||||
latestSeenAt,
|
||||
locationCounts,
|
||||
roleCounts,
|
||||
};
|
||||
|
||||
@@ -11,9 +11,16 @@ export const questionsQuestionRouter = createProtectedRouter()
|
||||
.query('getQuestionsByFilter', {
|
||||
input: z.object({
|
||||
companyNames: z.string().array(),
|
||||
cursor: z
|
||||
.object({
|
||||
idCursor: z.string().optional(),
|
||||
lastSeenCursor: z.date().optional(),
|
||||
upvoteCursor: z.number().optional(),
|
||||
})
|
||||
.nullish(),
|
||||
endDate: z.date().default(new Date()),
|
||||
limit: z.number().min(1).default(50),
|
||||
locations: z.string().array(),
|
||||
pageSize: z.number().default(50),
|
||||
questionTypes: z.nativeEnum(QuestionsQuestionType).array(),
|
||||
roles: z.string().array(),
|
||||
sortOrder: z.nativeEnum(SortOrder),
|
||||
@@ -21,16 +28,36 @@ export const questionsQuestionRouter = createProtectedRouter()
|
||||
startDate: z.date().optional(),
|
||||
}),
|
||||
async resolve({ ctx, input }) {
|
||||
const { cursor } = input;
|
||||
|
||||
const sortCondition =
|
||||
input.sortType === SortType.TOP
|
||||
? {
|
||||
upvotes: input.sortOrder,
|
||||
}
|
||||
: {
|
||||
lastSeenAt: input.sortOrder,
|
||||
};
|
||||
? [
|
||||
{
|
||||
upvotes: input.sortOrder,
|
||||
},
|
||||
{
|
||||
id: input.sortOrder,
|
||||
},
|
||||
]
|
||||
: [
|
||||
{
|
||||
lastSeenAt: input.sortOrder,
|
||||
},
|
||||
{
|
||||
id: input.sortOrder,
|
||||
},
|
||||
];
|
||||
|
||||
const toSkip = cursor ? 1 : 0;
|
||||
|
||||
const questionsData = await ctx.prisma.questionsQuestion.findMany({
|
||||
cursor:
|
||||
cursor !== undefined
|
||||
? {
|
||||
id: cursor ? cursor!.idCursor : undefined,
|
||||
}
|
||||
: undefined,
|
||||
include: {
|
||||
_count: {
|
||||
select: {
|
||||
@@ -53,9 +80,9 @@ export const questionsQuestionRouter = createProtectedRouter()
|
||||
},
|
||||
votes: true,
|
||||
},
|
||||
orderBy: {
|
||||
...sortCondition,
|
||||
},
|
||||
orderBy: sortCondition,
|
||||
skip: toSkip,
|
||||
take: input.limit + 1,
|
||||
where: {
|
||||
...(input.questionTypes.length > 0
|
||||
? {
|
||||
@@ -98,7 +125,7 @@ export const questionsQuestionRouter = createProtectedRouter()
|
||||
},
|
||||
});
|
||||
|
||||
return questionsData.map((data) => {
|
||||
const processedQuestionsData = questionsData.map((data) => {
|
||||
const votes: number = data.votes.reduce(
|
||||
(previousValue: number, currentValue) => {
|
||||
let result: number = previousValue;
|
||||
@@ -116,23 +143,78 @@ export const questionsQuestionRouter = createProtectedRouter()
|
||||
0,
|
||||
);
|
||||
|
||||
const companyCounts: Record<string, number> = {};
|
||||
const locationCounts: Record<string, number> = {};
|
||||
const roleCounts: Record<string, number> = {};
|
||||
|
||||
let latestSeenAt = data.encounters[0].seenAt;
|
||||
|
||||
for (let i = 0; i < data.encounters.length; i++) {
|
||||
const encounter = data.encounters[i];
|
||||
|
||||
latestSeenAt =
|
||||
latestSeenAt < encounter.seenAt ? encounter.seenAt : latestSeenAt;
|
||||
|
||||
if (!(encounter.company!.name in companyCounts)) {
|
||||
companyCounts[encounter.company!.name] = 1;
|
||||
}
|
||||
companyCounts[encounter.company!.name] += 1;
|
||||
|
||||
if (!(encounter.location in locationCounts)) {
|
||||
locationCounts[encounter.location] = 1;
|
||||
}
|
||||
locationCounts[encounter.location] += 1;
|
||||
|
||||
if (!(encounter.role in roleCounts)) {
|
||||
roleCounts[encounter.role] = 1;
|
||||
}
|
||||
roleCounts[encounter.role] += 1;
|
||||
}
|
||||
|
||||
const question: Question = {
|
||||
company: data.encounters[0].company!.name ?? 'Unknown company',
|
||||
aggregatedQuestionEncounters: {
|
||||
companyCounts,
|
||||
latestSeenAt,
|
||||
locationCounts,
|
||||
roleCounts,
|
||||
},
|
||||
content: data.content,
|
||||
id: data.id,
|
||||
location: data.encounters[0].location ?? 'Unknown location',
|
||||
numAnswers: data._count.answers,
|
||||
numComments: data._count.comments,
|
||||
numVotes: votes,
|
||||
receivedCount: data.encounters.length,
|
||||
role: data.encounters[0].role ?? 'Unknown role',
|
||||
seenAt: data.encounters[0].seenAt,
|
||||
seenAt: latestSeenAt,
|
||||
type: data.questionType,
|
||||
updatedAt: data.updatedAt,
|
||||
user: data.user?.name ?? '',
|
||||
};
|
||||
return question;
|
||||
});
|
||||
|
||||
let nextCursor: typeof cursor | undefined = undefined;
|
||||
|
||||
if (questionsData.length > input.limit) {
|
||||
const nextItem = questionsData.pop()!;
|
||||
processedQuestionsData.pop();
|
||||
|
||||
const nextIdCursor: string | undefined = nextItem.id;
|
||||
const nextLastSeenCursor =
|
||||
input.sortType === SortType.NEW ? nextItem.lastSeenAt : undefined;
|
||||
const nextUpvoteCursor =
|
||||
input.sortType === SortType.TOP ? nextItem.upvotes : undefined;
|
||||
|
||||
nextCursor = {
|
||||
idCursor: nextIdCursor,
|
||||
lastSeenCursor: nextLastSeenCursor,
|
||||
upvoteCursor: nextUpvoteCursor,
|
||||
};
|
||||
}
|
||||
|
||||
return {
|
||||
data: processedQuestionsData,
|
||||
nextCursor,
|
||||
};
|
||||
},
|
||||
})
|
||||
.query('getQuestionById', {
|
||||
@@ -190,16 +272,45 @@ export const questionsQuestionRouter = createProtectedRouter()
|
||||
0,
|
||||
);
|
||||
|
||||
const companyCounts: Record<string, number> = {};
|
||||
const locationCounts: Record<string, number> = {};
|
||||
const roleCounts: Record<string, number> = {};
|
||||
|
||||
let latestSeenAt = questionData.encounters[0].seenAt;
|
||||
|
||||
for (const encounter of questionData.encounters) {
|
||||
latestSeenAt =
|
||||
latestSeenAt < encounter.seenAt ? encounter.seenAt : latestSeenAt;
|
||||
|
||||
if (!(encounter.company!.name in companyCounts)) {
|
||||
companyCounts[encounter.company!.name] = 1;
|
||||
}
|
||||
companyCounts[encounter.company!.name] += 1;
|
||||
|
||||
if (!(encounter.location in locationCounts)) {
|
||||
locationCounts[encounter.location] = 1;
|
||||
}
|
||||
locationCounts[encounter.location] += 1;
|
||||
|
||||
if (!(encounter.role in roleCounts)) {
|
||||
roleCounts[encounter.role] = 1;
|
||||
}
|
||||
roleCounts[encounter.role] += 1;
|
||||
}
|
||||
|
||||
const question: Question = {
|
||||
company: questionData.encounters[0].company!.name ?? 'Unknown company',
|
||||
aggregatedQuestionEncounters: {
|
||||
companyCounts,
|
||||
latestSeenAt,
|
||||
locationCounts,
|
||||
roleCounts,
|
||||
},
|
||||
content: questionData.content,
|
||||
id: questionData.id,
|
||||
location: questionData.encounters[0].location ?? 'Unknown location',
|
||||
numAnswers: questionData._count.answers,
|
||||
numComments: questionData._count.comments,
|
||||
numVotes: votes,
|
||||
receivedCount: questionData.encounters.length,
|
||||
role: questionData.encounters[0].role ?? 'Unknown role',
|
||||
seenAt: questionData.encounters[0].seenAt,
|
||||
type: questionData.questionType,
|
||||
updatedAt: questionData.updatedAt,
|
||||
|
||||
6
apps/portal/src/types/questions.d.ts
vendored
6
apps/portal/src/types/questions.d.ts
vendored
@@ -1,16 +1,13 @@
|
||||
import type { QuestionsQuestionType } from '@prisma/client';
|
||||
|
||||
export type Question = {
|
||||
// TODO: company, location, role maps
|
||||
company: string;
|
||||
aggregatedQuestionEncounters: AggregatedQuestionEncounter;
|
||||
content: string;
|
||||
id: string;
|
||||
location: string;
|
||||
numAnswers: number;
|
||||
numComments: number;
|
||||
numVotes: number;
|
||||
receivedCount: number;
|
||||
role: string;
|
||||
seenAt: Date;
|
||||
type: QuestionsQuestionType;
|
||||
updatedAt: Date;
|
||||
@@ -19,6 +16,7 @@ export type Question = {
|
||||
|
||||
export type AggregatedQuestionEncounter = {
|
||||
companyCounts: Record<string, number>;
|
||||
latestSeenAt: Date;
|
||||
locationCounts: Record<string, number>;
|
||||
roleCounts: Record<string, number>;
|
||||
};
|
||||
|
||||
Reference in New Issue
Block a user