"use client" import { zodResolver } from "@hookform/resolvers/zod" import { usePathname, useRouter, useSearchParams } from "next/navigation" import { useCallback, useEffect, useRef, useState } from "react" import { Label } from "react-aria-components" import { FormProvider, useForm } from "react-hook-form" import { useIntl } from "react-intl" import { Typography } from "@scandic-hotels/design-system/Typography" import { BookingStatusEnum, PAYMENT_METHOD_TITLES, PaymentMethodEnum, REDEMPTION, } from "@/constants/booking" import { bookingConfirmation, selectRate, } from "@/constants/routes/hotelReservation" import { env } from "@/env/client" import { trpc } from "@/lib/trpc/client" import { useEnterDetailsStore } from "@/stores/enter-details" import PaymentOption from "@/components/HotelReservation/PaymentOption" import LoadingSpinner from "@/components/LoadingSpinner" import Button from "@/components/TempDesignSystem/Button" import Body from "@/components/TempDesignSystem/Text/Body" import Title from "@/components/TempDesignSystem/Text/Title" import { useAvailablePaymentOptions } from "@/hooks/booking/useAvailablePaymentOptions" import useLang from "@/hooks/useLang" import useStickyPosition from "@/hooks/useStickyPosition" import { trackPaymentEvent } from "@/utils/tracking" import { trackEvent } from "@/utils/tracking/base" import { trackGlaSaveCardAttempt } from "@/utils/tracking/myStay" import { bedTypeMap } from "../../utils" import ConfirmBooking, { ConfirmBookingRedemption } from "../Confirm" import PriceChangeDialog from "../PriceChangeDialog" import { writeGlaToSessionStorage } from "./PaymentCallback/helpers" import BookingAlert from "./BookingAlert" import GuaranteeDetails from "./GuaranteeDetails" import { hasFlexibleRate, hasPrepaidRate, isPaymentMethodEnum } from "./helpers" import MixedRatePaymentBreakdown from "./MixedRatePaymentBreakdown" import PaymentOptionsGroup from "./PaymentOptionsGroup" import { type PaymentFormData, paymentSchema } from "./schema" import TermsAndConditions from "./TermsAndConditions" import styles from "./payment.module.css" import type { PaymentClientProps, PriceChangeData, } from "@/types/components/hotelReservation/enterDetails/payment" import { RoomPackageCodeEnum } from "@/types/components/hotelReservation/selectRate/roomFilter" const maxRetries = 15 const retryInterval = 2000 export const formId = "submit-booking" export default function PaymentClient({ otherPaymentOptions, savedCreditCards, isUserLoggedIn, }: PaymentClientProps) { const router = useRouter() const lang = useLang() const intl = useIntl() const pathname = usePathname() const searchParams = useSearchParams() const { getTopOffset } = useStickyPosition({}) const [showBookingAlert, setShowBookingAlert] = useState(false) const { booking, rooms, totalPrice } = useEnterDetailsStore((state) => ({ booking: state.booking, rooms: state.rooms, totalPrice: state.totalPrice, })) const bookingMustBeGuaranteed = rooms.some(({ room }, idx) => { if (idx === 0 && isUserLoggedIn && room.memberMustBeGuaranteed) { return true } if ( (room.guest.join || room.guest.membershipNo) && booking.rooms[idx].counterRateCode ) { return room.memberMustBeGuaranteed } return room.mustBeGuaranteed }) const setIsSubmittingDisabled = useEnterDetailsStore( (state) => state.actions.setIsSubmittingDisabled ) const [refId, setRefId] = useState("") const [isPollingForBookingStatus, setIsPollingForBookingStatus] = useState(false) const availablePaymentOptions = useAvailablePaymentOptions(otherPaymentOptions) const [priceChangeData, setPriceChangeData] = useState(null) const { toDate, fromDate, hotelId } = booking const hasPrepaidRates = rooms.some(hasPrepaidRate) const hasFlexRates = rooms.some(hasFlexibleRate) const hasOnlyFlexRates = rooms.every(hasFlexibleRate) const hasMixedRates = hasPrepaidRates && hasFlexRates const methods = useForm({ defaultValues: { paymentMethod: savedCreditCards?.length ? savedCreditCards[0].id : PaymentMethodEnum.card, smsConfirmation: false, termsAndConditions: false, guarantee: false, }, mode: "all", reValidateMode: "onChange", resolver: zodResolver(paymentSchema), }) const initiateBooking = trpc.booking.create.useMutation({ onSuccess: (result) => { if (result) { if ("error" in result) { const queryParams = new URLSearchParams(searchParams.toString()) queryParams.set("errorCode", result.cause) window.history.replaceState( {}, "", `${pathname}?${queryParams.toString()}` ) handlePaymentError(result.cause) return } const mainRoom = result.rooms[0] if (result.reservationStatus == BookingStatusEnum.BookingCompleted) { const confirmationUrl = `${bookingConfirmation(lang)}?RefId=${mainRoom.refId}` router.push(confirmationUrl) return } setRefId(mainRoom.refId) const hasPriceChange = result.rooms.some((r) => r.priceChangedMetadata) if (hasPriceChange) { const priceChangeData = result.rooms.map( (room) => room.priceChangedMetadata || null ) setPriceChangeData(priceChangeData) } else { setIsPollingForBookingStatus(true) } } else { handlePaymentError("No confirmation number") } }, onError: (error) => { console.error("Error", error) handlePaymentError(error.message) }, }) const priceChange = trpc.booking.priceChange.useMutation({ onSuccess: (confirmationNumber) => { if (confirmationNumber) { setIsPollingForBookingStatus(true) } else { handlePaymentError("No confirmation number") } setPriceChangeData(null) }, onError: (error) => { console.error("Error", error) setPriceChangeData(null) handlePaymentError(error.message) }, }) // Replaced useHandleBookingStatus with logic specifically used here, since the hook would need // to handle different parameters based on use case const retries = useRef(0) const bookingStatus = trpc.booking.confirmationCompleted.useQuery( { refId, lang, }, { enabled: isPollingForBookingStatus, refetchInterval: (query) => { retries.current = query.state.dataUpdateCount if (query.state.error || query.state.dataUpdateCount >= maxRetries) { return false } if ( query.state.data?.reservationStatus === BookingStatusEnum.BookingCompleted ) { return false } return retryInterval }, refetchIntervalInBackground: true, refetchOnWindowFocus: false, refetchOnMount: false, retry: false, } ) const handlePaymentError = useCallback( (errorMessage: string) => { setShowBookingAlert(true) const currentPaymentMethod = methods.getValues("paymentMethod") const smsEnable = methods.getValues("smsConfirmation") const guarantee = methods.getValues("guarantee") const isSavedCreditCard = savedCreditCards?.some( (card) => card.id === currentPaymentMethod ) if (guarantee || (bookingMustBeGuaranteed && hasOnlyFlexRates)) { const lateArrivalGuarantee = guarantee ? "yes" : "mandatory" trackEvent({ event: "glaCardSaveFailed", hotelInfo: { hotelId, lateArrivalGuarantee, guaranteedProduct: "room", }, paymentInfo: { isSavedCreditCard, hotelId, status: "glacardsavefailed", }, }) } else { trackPaymentEvent({ event: "paymentFail", hotelId, method: currentPaymentMethod, isSavedCreditCard, smsEnable, errorMessage, status: "failed", }) } }, [ methods, savedCreditCards, hotelId, bookingMustBeGuaranteed, hasOnlyFlexRates, ] ) useEffect(() => { if (bookingStatus?.data?.redirectUrl) { router.push(bookingStatus.data.redirectUrl) } else if (retries.current >= maxRetries) { handlePaymentError("Timeout") } }, [bookingStatus, router, handlePaymentError]) useEffect(() => { setIsSubmittingDisabled( !methods.formState.isValid || methods.formState.isSubmitting ) }, [ methods.formState.isValid, methods.formState.isSubmitting, setIsSubmittingDisabled, ]) const getPaymentMethod = useCallback( (paymentMethod: string | null | undefined): PaymentMethodEnum => { if (hasFlexRates) { return PaymentMethodEnum.card } return paymentMethod && isPaymentMethodEnum(paymentMethod) ? paymentMethod : PaymentMethodEnum.card }, [hasFlexRates] ) const handleSubmit = useCallback( (data: PaymentFormData) => { const firstIncompleteRoomIndex = rooms.findIndex( (room) => !room.isComplete ) // If any room is not complete/valid, scroll to it if (firstIncompleteRoomIndex !== -1) { const roomElement = document.getElementById( `room-${firstIncompleteRoomIndex + 1}` ) if (!roomElement) { return } const roomElementTop = roomElement.getBoundingClientRect().top + window.scrollY window.scrollTo({ top: roomElementTop - getTopOffset() - 20, behavior: "smooth", }) return } const paymentMethod = getPaymentMethod(data.paymentMethod) const savedCreditCard = savedCreditCards?.find( (card) => card.id === data.paymentMethod ) const paymentRedirectUrl = `${env.NEXT_PUBLIC_NODE_ENV === "development" ? `http://localhost:${env.NEXT_PUBLIC_PORT}` : ""}/${lang}/hotelreservation/payment-callback` const guarantee = data.guarantee const useSavedCard = savedCreditCard ? { card: { alias: savedCreditCard.alias, expiryDate: savedCreditCard.expirationDate, cardType: savedCreditCard.cardType, }, } : {} const shouldUsePayment = guarantee || bookingMustBeGuaranteed || !hasOnlyFlexRates const payment = shouldUsePayment ? { paymentMethod: paymentMethod, ...useSavedCard, success: `${paymentRedirectUrl}/success`, error: `${paymentRedirectUrl}/error`, cancel: `${paymentRedirectUrl}/cancel`, } : undefined if (guarantee || (bookingMustBeGuaranteed && hasOnlyFlexRates)) { const lateArrivalGuarantee = guarantee ? "yes" : "mandatory" writeGlaToSessionStorage(lateArrivalGuarantee, hotelId) trackGlaSaveCardAttempt(hotelId, savedCreditCard, lateArrivalGuarantee) } else if (!hasOnlyFlexRates) { trackPaymentEvent({ event: "paymentAttemptStart", hotelId, method: savedCreditCard ? savedCreditCard.type : paymentMethod, isSavedCreditCard: !!savedCreditCard, smsEnable: data.smsConfirmation, status: "attempt", }) } const payload = { checkInDate: fromDate, checkOutDate: toDate, hotelId, language: lang, payment, rooms: rooms.map(({ room }, idx) => { const isMainRoom = idx === 0 let rateCode = "" if (isMainRoom && isUserLoggedIn) { rateCode = booking.rooms[idx].rateCode } else if ( (room.guest.join || room.guest.membershipNo) && booking.rooms[idx].counterRateCode ) { rateCode = booking.rooms[idx].counterRateCode } else { rateCode = booking.rooms[idx].rateCode } return { adults: room.adults, bookingCode: room.roomRate.bookingCode, childrenAges: room.childrenInRoom?.map((child) => ({ age: child.age, bedType: bedTypeMap[parseInt(child.bed.toString())], })), guest: { becomeMember: room.guest.join, countryCode: room.guest.countryCode, email: room.guest.email, firstName: room.guest.firstName, lastName: room.guest.lastName, membershipNumber: room.guest.membershipNo, phoneNumber: room.guest.phoneNumber, // Only allowed for room one ...(idx === 0 && { dateOfBirth: "dateOfBirth" in room.guest && room.guest.dateOfBirth ? room.guest.dateOfBirth : undefined, postalCode: "zipCode" in room.guest && room.guest.zipCode ? room.guest.zipCode : undefined, }), }, packages: { accessibility: room.roomFeatures?.some( (feature) => feature.code === RoomPackageCodeEnum.ACCESSIBILITY_ROOM ) ?? false, allergyFriendly: room.roomFeatures?.some( (feature) => feature.code === RoomPackageCodeEnum.ALLERGY_ROOM ) ?? false, breakfast: !!(room.breakfast && room.breakfast.code), petFriendly: room.roomFeatures?.some( (feature) => feature.code === RoomPackageCodeEnum.PET_ROOM ) ?? false, }, rateCode, roomPrice: { memberPrice: "member" in room.roomRate ? room.roomRate.member?.localPrice.pricePerStay : undefined, publicPrice: "public" in room.roomRate ? room.roomRate.public?.localPrice.pricePerStay : undefined, }, roomTypeCode: room.bedType!.roomTypeCode, // A selection has been made in order to get to this step. smsConfirmationRequested: data.smsConfirmation, specialRequest: { comment: room.specialRequest.comment ? room.specialRequest.comment : undefined, }, } }), } initiateBooking.mutate(payload) }, [ savedCreditCards, lang, initiateBooking, hotelId, fromDate, toDate, rooms, booking, getPaymentMethod, hasOnlyFlexRates, bookingMustBeGuaranteed, isUserLoggedIn, getTopOffset, ] ) if ( initiateBooking.isPending || (isPollingForBookingStatus && !bookingStatus.data?.paymentUrl && retries.current < maxRetries) ) { return } const paymentGuarantee = intl.formatMessage({ defaultMessage: "Payment Guarantee", }) const payment = intl.formatMessage({ defaultMessage: "Payment", }) const confirm = intl.formatMessage({ defaultMessage: "Confirm booking", }) return (
{hasOnlyFlexRates && bookingMustBeGuaranteed ? paymentGuarantee : hasOnlyFlexRates ? confirm : payment}
{booking.searchType === REDEMPTION ? ( ) : hasOnlyFlexRates && !bookingMustBeGuaranteed ? ( ) : ( <> {hasOnlyFlexRates && bookingMustBeGuaranteed ? (
{intl.formatMessage({ defaultMessage: "To secure your reservation, we kindly ask you to provide your payment card details. Rest assured, no charges will be made at this time.", })}
) : null} {hasMixedRates ? ( {intl.formatMessage({ defaultMessage: "As your booking includes rooms with different terms, we will be charging part of the booking now and the remainder will be collected by the reception at check-in.", })} ) : null}
{savedCreditCards?.length ? ( <> {intl.formatMessage({ defaultMessage: "MY SAVED CARDS", })} {savedCreditCards.map((savedCreditCard) => ( ))} {intl.formatMessage({ defaultMessage: "OTHER PAYMENT METHODS", })} ) : null} {!hasMixedRates && availablePaymentOptions.map((paymentMethod) => ( ))} {hasMixedRates ? ( ) : null}
)}
{priceChangeData ? ( { const allSearchParams = searchParams.size ? `?${searchParams.toString()}` : "" router.push(`${selectRate(lang)}${allSearchParams}`) }} onAccept={() => priceChange.mutate({ refId })} /> ) : null}
) }