import type { DehydratedState } from "@tanstack/react-query"; import classNames from "classnames"; import type { GetServerSideProps, InferGetServerSidePropsType } from "next"; import Link from "next/link"; import { useRouter } from "next/router"; import { Toaster } from "react-hot-toast"; import type { z } from "zod"; import { sdkActionManager, useEmbedNonStylesConfig, useEmbedStyles, useIsEmbed, } from "@calcom/embed-core/embed-iframe"; import { orgDomainConfig } from "@calcom/features/ee/organizations/lib/orgDomains"; import { EventTypeDescriptionLazy as EventTypeDescription } from "@calcom/features/eventtypes/components"; import EmptyPage from "@calcom/features/eventtypes/components/EmptyPage"; import { getUsernameList } from "@calcom/lib/defaultEvents"; import { useLocale } from "@calcom/lib/hooks/useLocale"; import useTheme from "@calcom/lib/hooks/useTheme"; import { markdownToSafeHTML } from "@calcom/lib/markdownToSafeHTML"; import { stripMarkdown } from "@calcom/lib/stripMarkdown"; import prisma from "@calcom/prisma"; import type { EventType, User } from "@calcom/prisma/client"; import { baseEventTypeSelect } from "@calcom/prisma/selects"; import { EventTypeMetaDataSchema } from "@calcom/prisma/zod-utils"; import { Avatar, HeadSeo } from "@calcom/ui"; import { Verified, ArrowRight } from "@calcom/ui/components/icon"; import type { EmbedProps } from "@lib/withEmbedSsr"; import PageWrapper from "@components/PageWrapper"; import { ssrInit } from "@server/lib/ssr"; export function UserPage(props: InferGetServerSidePropsType) { const { users, profile, eventTypes, markdownStrippedBio } = props; const [user] = users; //To be used when we only have a single user, not dynamic group useTheme(profile.theme); const { t } = useLocale(); const router = useRouter(); const isBioEmpty = !user.bio || !user.bio.replace("


", "").length; const isEmbed = useIsEmbed(props.isEmbed); const eventTypeListItemEmbedStyles = useEmbedStyles("eventTypeListItem"); const shouldAlignCentrallyInEmbed = useEmbedNonStylesConfig("align") !== "left"; const shouldAlignCentrally = !isEmbed || shouldAlignCentrallyInEmbed; const query = { ...router.query }; delete query.user; // So it doesn't display in the Link (and make tests fail) delete query.orgSlug; /* const telemetry = useTelemetry(); useEffect(() => { if (top !== window) { //page_view will be collected automatically by _middleware.ts telemetry.event(telemetryEventTypes.embedView, collectPageParameters("/[user]")); } }, [telemetry, router.asPath]); */ const isEventListEmpty = eventTypes.length === 0; return ( <>

{profile.name} {user.verified && ( )}

{!isBioEmpty && ( <>
)}
{user.away ? (

😴{" " + t("user_away")}

{t("user_away_description") as string}

) : ( eventTypes.map((type) => (
{/* Don't prefetch till the time we drop the amount of javascript in [user][type] page which is impacting score for [user] page */}
{ sdkActionManager?.fire("eventTypeSelected", { eventType: type, }); }} data-testid="event-type-link">

{type.title}

)) )}
{isEventListEmpty && }
); } UserPage.isBookingPage = true; UserPage.PageWrapper = PageWrapper; const getEventTypesWithHiddenFromDB = async (userId: number) => { return ( await prisma.eventType.findMany({ where: { AND: [ { teamId: null, }, { OR: [ { userId, }, { users: { some: { id: userId, }, }, }, ], }, ], }, orderBy: [ { position: "desc", }, { id: "asc", }, ], select: { ...baseEventTypeSelect, metadata: true, }, }) ).map((eventType) => ({ ...eventType, metadata: EventTypeMetaDataSchema.parse(eventType.metadata), })); }; export type UserPageProps = { trpcState: DehydratedState; profile: { name: string; image: string; theme: string | null; brandColor: string; darkBrandColor: string; }; users: Pick[]; themeBasis: string | null; markdownStrippedBio: string; safeBio: string; eventTypes: ({ descriptionAsSafeHTML: string; metadata: z.infer; } & Pick< EventType, | "id" | "title" | "slug" | "length" | "hidden" | "requiresConfirmation" | "requiresBookerEmailVerification" | "price" | "currency" | "recurringEvent" >)[]; } & EmbedProps; export const getServerSideProps: GetServerSideProps = async (context) => { const ssr = await ssrInit(context); const { currentOrgDomain, isValidOrgDomain } = orgDomainConfig(context.req.headers.host ?? ""); const usernameList = getUsernameList(context.query.user as string); const dataFetchStart = Date.now(); const usersWithoutAvatar = await prisma.user.findMany({ where: { username: { in: usernameList, }, organization: isValidOrgDomain ? { slug: currentOrgDomain, } : null, }, select: { id: true, username: true, email: true, name: true, bio: true, brandColor: true, darkBrandColor: true, organizationId: true, theme: true, away: true, verified: true, allowDynamicBooking: true, }, }); const isDynamicGroup = usersWithoutAvatar.length > 1; if (isDynamicGroup) { return { redirect: { permanent: false, destination: `/${usernameList.join("+")}/dynamic`, }, } as { redirect: { permanent: false; destination: string; }; }; } const users = usersWithoutAvatar.map((user) => ({ ...user, avatar: `/${user.username}/avatar.png`, })); if (!users.length || (!isValidOrgDomain && !users.some((user) => user.organizationId === null))) { return { notFound: true, } as { notFound: true; }; } const [user] = users; //to be used when dealing with single user, not dynamic group const profile = { name: user.name || user.username || "", image: user.avatar, theme: user.theme, brandColor: user.brandColor, darkBrandColor: user.darkBrandColor, }; const eventTypesWithHidden = await getEventTypesWithHiddenFromDB(user.id); const dataFetchEnd = Date.now(); if (context.query.log === "1") { context.res.setHeader("X-Data-Fetch-Time", `${dataFetchEnd - dataFetchStart}ms`); } const eventTypesRaw = eventTypesWithHidden.filter((evt) => !evt.hidden); const eventTypes = eventTypesRaw.map((eventType) => ({ ...eventType, metadata: EventTypeMetaDataSchema.parse(eventType.metadata || {}), descriptionAsSafeHTML: markdownToSafeHTML(eventType.description), })); const safeBio = markdownToSafeHTML(user.bio) || ""; const markdownStrippedBio = stripMarkdown(user?.bio || ""); return { props: { users: users.map((user) => ({ name: user.name, username: user.username, bio: user.bio, away: user.away, verified: user.verified, })), eventTypes, safeBio, profile, // Dynamic group has no theme preference right now. It uses system theme. themeBasis: user.username, trpcState: ssr.dehydrate(), markdownStrippedBio, }, }; }; export default UserPage;