Merge branch 'develop' into 'main'
Develop See merge request witapp/aura-webapp!87
This commit is contained in:
commit
63e9dd74ec
@ -26,7 +26,9 @@ import {
|
||||
AIRequestsV2,
|
||||
Assistants,
|
||||
OpenAI,
|
||||
SinglePayment
|
||||
SinglePayment,
|
||||
Products,
|
||||
Palmistry,
|
||||
} from './resources'
|
||||
|
||||
const api = {
|
||||
@ -69,7 +71,9 @@ const api = {
|
||||
getListRuns: createMethod<OpenAI.PayloadGetListRuns, OpenAI.ResponseGetListRuns>(OpenAI.createRequest),
|
||||
// Single payment
|
||||
getSinglePaymentProducts: createMethod<SinglePayment.PayloadGet, SinglePayment.ResponseGet[]>(SinglePayment.createRequestGet),
|
||||
createSinglePayment: createMethod<SinglePayment.PayloadPost, SinglePayment.ResponsePost | SinglePayment.ResponsePostExistPaymentData>(SinglePayment.createRequestPost),
|
||||
createSinglePayment: createMethod<SinglePayment.PayloadPost, SinglePayment.ResponsePost>(SinglePayment.createRequestPost),
|
||||
checkProductPurchased: createMethod<Products.PayloadGet, Products.ResponseGet>(Products.createRequest),
|
||||
getPalmistryLines: createMethod<Palmistry.Payload, Palmistry.Response>(Palmistry.createRequest),
|
||||
}
|
||||
|
||||
export type ApiContextValue = typeof api
|
||||
|
||||
26
src/api/resources/Palmistry.ts
Normal file
26
src/api/resources/Palmistry.ts
Normal file
@ -0,0 +1,26 @@
|
||||
import routes from "@/routes";
|
||||
|
||||
export interface Payload {
|
||||
formData: FormData;
|
||||
}
|
||||
|
||||
export type Response = IPalmistryLine[];
|
||||
|
||||
export interface IPalmistryLine {
|
||||
line: string;
|
||||
points: IPalmistryPoint[];
|
||||
}
|
||||
|
||||
export interface IPalmistryPoint {
|
||||
x: number;
|
||||
y: number;
|
||||
}
|
||||
|
||||
export const createRequest = ({ formData }: Payload) => {
|
||||
const url = new URL(routes.server.getPalmistryLines());
|
||||
const body = formData;
|
||||
return new Request(url, {
|
||||
method: "POST",
|
||||
body,
|
||||
});
|
||||
};
|
||||
29
src/api/resources/Products.ts
Normal file
29
src/api/resources/Products.ts
Normal file
@ -0,0 +1,29 @@
|
||||
import routes from "@/routes";
|
||||
import { getAuthHeaders } from "../utils";
|
||||
|
||||
interface Payload {
|
||||
token: string;
|
||||
}
|
||||
|
||||
export interface PayloadGet extends Payload {
|
||||
productKey: string;
|
||||
email: string;
|
||||
}
|
||||
|
||||
interface ResponseGetSuccess {
|
||||
status: string;
|
||||
type: string;
|
||||
active: boolean;
|
||||
}
|
||||
|
||||
interface ResponseGetError {
|
||||
status: string;
|
||||
message: string;
|
||||
}
|
||||
|
||||
export type ResponseGet = ResponseGetSuccess | ResponseGetError;
|
||||
|
||||
export const createRequest = ({ token, productKey, email }: PayloadGet): Request => {
|
||||
const url = new URL(routes.server.dApiCheckProductPurchased(productKey, email));
|
||||
return new Request(url, { method: "GET", headers: getAuthHeaders(token) });
|
||||
};
|
||||
@ -7,6 +7,11 @@ interface Payload {
|
||||
|
||||
export type PayloadGet = Payload;
|
||||
|
||||
export interface IPaymentInfo {
|
||||
productId: string;
|
||||
key: string;
|
||||
}
|
||||
|
||||
export interface PayloadPost extends Payload {
|
||||
data: {
|
||||
user: {
|
||||
@ -21,9 +26,7 @@ export interface PayloadPost extends Payload {
|
||||
sign: string | null;
|
||||
age: number | null;
|
||||
};
|
||||
paymentInfo: {
|
||||
productId: string;
|
||||
};
|
||||
paymentInfo: IPaymentInfo;
|
||||
return_url: string;
|
||||
};
|
||||
}
|
||||
@ -35,7 +38,7 @@ export interface ResponseGet {
|
||||
currency: string;
|
||||
}
|
||||
|
||||
export interface ResponsePost {
|
||||
interface ResponsePostNewPaymentData {
|
||||
paymentIntent: {
|
||||
status: string;
|
||||
data: {
|
||||
@ -57,13 +60,23 @@ export interface ResponsePost {
|
||||
};
|
||||
}
|
||||
|
||||
export interface ResponsePostExistPaymentData {
|
||||
interface ResponsePostExistPaymentData {
|
||||
payment: {
|
||||
status: string;
|
||||
invoiceId: string;
|
||||
};
|
||||
}
|
||||
|
||||
interface ResponsePostError {
|
||||
status: string;
|
||||
message: string;
|
||||
}
|
||||
|
||||
export type ResponsePost =
|
||||
| ResponsePostNewPaymentData
|
||||
| ResponsePostExistPaymentData
|
||||
| ResponsePostError;
|
||||
|
||||
export const createRequestPost = ({ data, token }: PayloadPost): Request => {
|
||||
const url = new URL(routes.server.dApiPaymentCheckout());
|
||||
const body = JSON.stringify(data);
|
||||
|
||||
@ -25,3 +25,5 @@ export * as AIRequestsV2 from "./AIRequestsV2";
|
||||
export * as Assistants from "./Assistants";
|
||||
export * as OpenAI from "./OpenAI";
|
||||
export * as SinglePayment from "./SinglePayment";
|
||||
export * as Products from "./Products";
|
||||
export * as Palmistry from "./Palmistry";
|
||||
|
||||
@ -1,4 +1,11 @@
|
||||
import { useCallback, useEffect, useMemo, useState } from "react";
|
||||
import {
|
||||
useCallback,
|
||||
useEffect,
|
||||
useLayoutEffect,
|
||||
useMemo,
|
||||
useRef,
|
||||
useState,
|
||||
} from "react";
|
||||
import {
|
||||
Routes,
|
||||
Route,
|
||||
@ -109,7 +116,11 @@ import AdvisorChatPage from "../pages/AdvisorChat";
|
||||
import PaymentWithEmailPage from "../pages/PaymentWithEmailPage";
|
||||
import SuccessPaymentPage from "../pages/PaymentWithEmailPage/ResultPayment/SuccessPaymentPage";
|
||||
import FailPaymentPage from "../pages/PaymentWithEmailPage/ResultPayment/FailPaymentPage";
|
||||
import { useSchemeColorByElement } from "@/hooks/useSchemeColorByElement";
|
||||
import GetInformationPartnerPage from "../pages/GetInformationPartner";
|
||||
import BirthPlacePage from "../pages/BirthPlacePage";
|
||||
import LoadingPage from "../pages/LoadingPage";
|
||||
import { EProductKeys, productUrls } from "@/data/products";
|
||||
|
||||
const isProduction = import.meta.env.MODE === "production";
|
||||
|
||||
@ -124,9 +135,31 @@ function App(): JSX.Element {
|
||||
const navigate = useNavigate();
|
||||
const api = useApi();
|
||||
const dispatch = useDispatch();
|
||||
const { token, user, signUp } = useAuth();
|
||||
const { token, user, signUp, logout } = useAuth();
|
||||
const [searchParams] = useSearchParams();
|
||||
const jwtToken = searchParams.get("token");
|
||||
const isForce = searchParams.get("force");
|
||||
|
||||
useEffect(() => {
|
||||
if (isForce === "true") {
|
||||
dispatch(actions.userConfig.addIsForceShortPath(true));
|
||||
} else {
|
||||
dispatch(actions.userConfig.addIsForceShortPath(false));
|
||||
}
|
||||
// eslint-disable-next-line react-hooks/exhaustive-deps
|
||||
}, []);
|
||||
|
||||
const isForceShortPath = useSelector(selectors.selectIsForceShortPath);
|
||||
const { gender: genderFromStore } = useSelector(
|
||||
selectors.selectQuestionnaire
|
||||
);
|
||||
const birthdateFromStore = useSelector(selectors.selectBirthdate);
|
||||
const { birthPlace: birthPlaceFromStore } = useSelector(
|
||||
selectors.selectQuestionnaire
|
||||
);
|
||||
const gender = user?.profile?.gender || genderFromStore;
|
||||
const birthdate = user?.profile?.birthday || birthdateFromStore;
|
||||
const birthPlace = user?.profile?.birthplace || birthPlaceFromStore;
|
||||
|
||||
useEffect(() => {
|
||||
// api.getAppConfig({ bundleId: "auraweb" }),
|
||||
@ -161,16 +194,17 @@ function App(): JSX.Element {
|
||||
const { data } = useApiCall<Asset[]>(assetsData);
|
||||
|
||||
// jwt auth
|
||||
useEffect(() => {
|
||||
useLayoutEffect(() => {
|
||||
(async () => {
|
||||
if (!jwtToken) return;
|
||||
logout();
|
||||
const auth = await api.auth({ jwt: jwtToken });
|
||||
const {
|
||||
auth: { token, user },
|
||||
} = auth;
|
||||
signUp(token, user);
|
||||
})();
|
||||
}, [api, jwtToken, signUp]);
|
||||
}, [api, jwtToken, logout, signUp]);
|
||||
|
||||
useEffect(() => {
|
||||
(async () => {
|
||||
@ -231,23 +265,238 @@ function App(): JSX.Element {
|
||||
return (
|
||||
<Routes>
|
||||
<Route element={<Layout setIsSpecialOfferOpen={setIsSpecialOfferOpen} />}>
|
||||
<Route path={routes.client.loadingPage()} element={<LoadingPage />} />
|
||||
{/* Email - Pay - Email */}
|
||||
<Route path={routes.client.epeGender()} element={<GenderPage />} />
|
||||
<Route path={routes.client.epeBirthdate()} element={<BirthdayPage />} />
|
||||
<Route
|
||||
path={routes.client.epePayment()}
|
||||
element={<PaymentWithEmailPage />}
|
||||
/>
|
||||
element={
|
||||
<ShortPathOutlet
|
||||
productKey={EProductKeys["moons.pdf.aura"]}
|
||||
redirectUrls={{
|
||||
user: {
|
||||
force: routes.client.epeBirthdate(),
|
||||
},
|
||||
purchasedProduct: {
|
||||
no: routes.client.singlePaymentShortPath("moons.pdf.aura"),
|
||||
},
|
||||
}}
|
||||
requiredParameters={[]}
|
||||
/>
|
||||
}
|
||||
>
|
||||
<Route
|
||||
path={routes.client.epeGender()}
|
||||
element={<GenderPage productKey={EProductKeys["moons.pdf.aura"]} />}
|
||||
/>
|
||||
</Route>
|
||||
<Route
|
||||
path={routes.client.epeSuccessPayment()}
|
||||
element={<SuccessPaymentPage />}
|
||||
/>
|
||||
element={
|
||||
<ShortPathOutlet
|
||||
productKey={EProductKeys["moons.pdf.aura"]}
|
||||
redirectUrls={{
|
||||
data: {
|
||||
no: routes.client.epeGender(),
|
||||
},
|
||||
purchasedProduct: {
|
||||
no: routes.client.singlePaymentShortPath("moons.pdf.aura"),
|
||||
},
|
||||
}}
|
||||
requiredParameters={[isForceShortPath || gender]}
|
||||
/>
|
||||
}
|
||||
>
|
||||
<Route
|
||||
path={routes.client.epeBirthdate()}
|
||||
element={<BirthdayPage />}
|
||||
/>
|
||||
</Route>
|
||||
<Route
|
||||
element={
|
||||
<ShortPathOutlet
|
||||
productKey={EProductKeys["moons.pdf.aura"]}
|
||||
redirectUrls={{
|
||||
user: {
|
||||
no: routes.client.epeGender(),
|
||||
force: routes.client.epeBirthdate(),
|
||||
},
|
||||
data: {
|
||||
no: routes.client.epeGender(),
|
||||
force: routes.client.epeBirthdate(),
|
||||
},
|
||||
purchasedProduct: {
|
||||
no: routes.client.singlePaymentShortPath("moons.pdf.aura"),
|
||||
},
|
||||
}}
|
||||
requiredParameters={[isForceShortPath || gender, birthdate]}
|
||||
isProductPage={true}
|
||||
/>
|
||||
}
|
||||
>
|
||||
<Route
|
||||
path={routes.client.epeSuccessPayment()}
|
||||
element={<SuccessPaymentPage />}
|
||||
/>
|
||||
</Route>
|
||||
<Route
|
||||
path={routes.client.epeFailPayment()}
|
||||
element={<FailPaymentPage />}
|
||||
/>
|
||||
{/* Email - Pay - Email */}
|
||||
|
||||
{/* Advisor short path */}
|
||||
<Route
|
||||
element={
|
||||
<ShortPathOutlet
|
||||
productKey={EProductKeys["chat.aura"]}
|
||||
redirectUrls={{
|
||||
user: {
|
||||
force: routes.client.advisorChatBirthdate(),
|
||||
},
|
||||
purchasedProduct: {
|
||||
no: routes.client.singlePaymentShortPath("chat.aura"),
|
||||
},
|
||||
}}
|
||||
requiredParameters={[]}
|
||||
/>
|
||||
}
|
||||
>
|
||||
<Route
|
||||
path={routes.client.advisorChatGender()}
|
||||
element={<GenderPage productKey={EProductKeys["chat.aura"]} />}
|
||||
/>
|
||||
</Route>
|
||||
<Route
|
||||
element={
|
||||
<ShortPathOutlet
|
||||
productKey={EProductKeys["chat.aura"]}
|
||||
redirectUrls={{
|
||||
data: {
|
||||
no: routes.client.advisorChatGender(),
|
||||
},
|
||||
purchasedProduct: {
|
||||
no: routes.client.singlePaymentShortPath("chat.aura"),
|
||||
},
|
||||
}}
|
||||
requiredParameters={[isForceShortPath || gender]}
|
||||
/>
|
||||
}
|
||||
>
|
||||
<Route
|
||||
path={routes.client.advisorChatBirthdate()}
|
||||
element={<BirthdayPage />}
|
||||
/>
|
||||
</Route>
|
||||
<Route
|
||||
element={
|
||||
<ShortPathOutlet
|
||||
productKey={EProductKeys["chat.aura"]}
|
||||
redirectUrls={{
|
||||
data: {
|
||||
no: routes.client.advisorChatGender(),
|
||||
force: routes.client.advisorChatBirthdate(),
|
||||
},
|
||||
purchasedProduct: {
|
||||
no: routes.client.singlePaymentShortPath("chat.aura"),
|
||||
},
|
||||
}}
|
||||
requiredParameters={[birthdate, isForceShortPath || gender]}
|
||||
/>
|
||||
}
|
||||
>
|
||||
<Route
|
||||
path={routes.client.advisorChatBirthtime()}
|
||||
element={<BirthtimePage />}
|
||||
/>
|
||||
</Route>
|
||||
<Route
|
||||
element={
|
||||
<ShortPathOutlet
|
||||
productKey={EProductKeys["chat.aura"]}
|
||||
redirectUrls={{
|
||||
data: {
|
||||
no: routes.client.advisorChatGender(),
|
||||
force: routes.client.advisorChatBirthdate(),
|
||||
},
|
||||
purchasedProduct: {
|
||||
no: routes.client.singlePaymentShortPath("chat.aura"),
|
||||
},
|
||||
}}
|
||||
requiredParameters={[birthdate, isForceShortPath || gender]}
|
||||
/>
|
||||
}
|
||||
>
|
||||
<Route
|
||||
path={routes.client.advisorChatBirthPlace()}
|
||||
element={<BirthPlacePage />}
|
||||
/>
|
||||
</Route>
|
||||
<Route
|
||||
path={routes.client.advisorChatSuccessPayment()}
|
||||
element={<SuccessPaymentPage />}
|
||||
/>
|
||||
<Route
|
||||
path={routes.client.advisorChatFailPayment()}
|
||||
element={<FailPaymentPage />}
|
||||
/>
|
||||
<Route
|
||||
element={
|
||||
<ShortPathOutlet
|
||||
productKey={EProductKeys["chat.aura"]}
|
||||
redirectUrls={{
|
||||
user: {
|
||||
no: routes.client.advisorChatGender(),
|
||||
force: routes.client.advisorChatBirthdate(),
|
||||
},
|
||||
data: {
|
||||
no: routes.client.advisorChatGender(),
|
||||
force: routes.client.advisorChatBirthdate(),
|
||||
},
|
||||
purchasedProduct: {
|
||||
no: routes.client.singlePaymentShortPath("chat.aura"),
|
||||
},
|
||||
}}
|
||||
requiredParameters={[
|
||||
birthdate,
|
||||
birthPlace,
|
||||
isForceShortPath || gender,
|
||||
]}
|
||||
isProductPage={true}
|
||||
/>
|
||||
}
|
||||
>
|
||||
<Route path={`${routes.client.advisorChatPrivate()}`}>
|
||||
<Route path=":id" element={<AdvisorChatPage />} />
|
||||
</Route>
|
||||
</Route>
|
||||
{/* Advisor short path */}
|
||||
|
||||
{/* Single Payment Page Short Path */}
|
||||
<Route
|
||||
element={
|
||||
<ShortPathOutlet
|
||||
productKey={EProductKeys["chat.aura"]}
|
||||
redirectUrls={{
|
||||
data: {
|
||||
no: routes.client.advisorChatGender(),
|
||||
force: routes.client.advisorChatBirthdate(),
|
||||
},
|
||||
}}
|
||||
requiredParameters={[
|
||||
birthdate,
|
||||
birthPlace,
|
||||
isForceShortPath || gender,
|
||||
]}
|
||||
/>
|
||||
}
|
||||
>
|
||||
<Route
|
||||
path={routes.client.singlePaymentShortPath()}
|
||||
element={<PaymentWithEmailPage />}
|
||||
>
|
||||
<Route path=":productId" element={<PaymentWithEmailPage />} />
|
||||
</Route>
|
||||
</Route>
|
||||
{/* Single Payment Page Short Path */}
|
||||
|
||||
{/* Test Routes Start */}
|
||||
<Route path={routes.client.notFound()} element={<NotFoundPage />} />
|
||||
<Route path={routes.client.gender()} element={<GenderPage />}>
|
||||
@ -550,6 +799,10 @@ function Layout({ setIsSpecialOfferOpen }: LayoutProps): JSX.Element {
|
||||
const changeIsSpecialOfferOpen = () => setIsSpecialOfferOpen(true);
|
||||
const homeConfig = useSelector(selectors.selectHome);
|
||||
const showNavbarFooter = homeConfig.isShowNavbar;
|
||||
const mainRef = useRef<HTMLDivElement>(null);
|
||||
useSchemeColorByElement(mainRef.current, "section.page, .page, section", [
|
||||
location,
|
||||
]);
|
||||
|
||||
const birthdate = useSelector(selectors.selectBirthdate);
|
||||
const dataItems = useMemo(() => [birthdate], [birthdate]);
|
||||
@ -644,7 +897,7 @@ function Layout({ setIsSpecialOfferOpen }: LayoutProps): JSX.Element {
|
||||
<FullDataModal onClose={onCloseFullDataModal} />
|
||||
</Modal>
|
||||
)}
|
||||
<main className="content">
|
||||
<main className="content" ref={mainRef}>
|
||||
<Outlet />
|
||||
</main>
|
||||
{showFooter ? <Footer color={showNavbar ? "black" : "white"} /> : null}
|
||||
@ -658,6 +911,133 @@ function Layout({ setIsSpecialOfferOpen }: LayoutProps): JSX.Element {
|
||||
);
|
||||
}
|
||||
|
||||
// enum EIsAuthPageType {
|
||||
// private,
|
||||
// public,
|
||||
// }
|
||||
|
||||
// interface ICheckIsAuthOutletProps {
|
||||
// redirectUrl: string;
|
||||
// pageType: EIsAuthPageType;
|
||||
// }
|
||||
|
||||
// function CheckIsAuthOutlet({
|
||||
// redirectUrl,
|
||||
// pageType,
|
||||
// }: ICheckIsAuthOutletProps): JSX.Element {
|
||||
// const { user } = useAuth();
|
||||
// if (user && pageType === EIsAuthPageType.public) {
|
||||
// return <Navigate to={redirectUrl} replace={true} />;
|
||||
// }
|
||||
// if (!user && pageType === EIsAuthPageType.private) {
|
||||
// return <Navigate to={redirectUrl} replace={true} />;
|
||||
// }
|
||||
// return <Outlet />;
|
||||
// }
|
||||
|
||||
interface IShortPathOutletProps {
|
||||
productKey: EProductKeys;
|
||||
requiredParameters: unknown[];
|
||||
isProductPage?: boolean;
|
||||
redirectUrls: {
|
||||
user?: {
|
||||
yes?: string;
|
||||
no?: string;
|
||||
force?: string;
|
||||
};
|
||||
data?: {
|
||||
yes?: string;
|
||||
no?: string;
|
||||
force?: string;
|
||||
};
|
||||
purchasedProduct?: {
|
||||
yes?: string;
|
||||
no?: string;
|
||||
force?: string;
|
||||
};
|
||||
force?: {
|
||||
yes?: string;
|
||||
no?: string;
|
||||
force?: string;
|
||||
};
|
||||
};
|
||||
}
|
||||
|
||||
function ShortPathOutlet(props: IShortPathOutletProps): JSX.Element {
|
||||
const { productKey, requiredParameters, redirectUrls, isProductPage } = props;
|
||||
const { user, token } = useAuth();
|
||||
const api = useApi();
|
||||
const isForce = useSelector(selectors.selectIsForceShortPath);
|
||||
|
||||
const loadData = useCallback(async () => {
|
||||
if (!token?.length || !user?.email || !productKey?.length)
|
||||
return {
|
||||
status: "error",
|
||||
error: "Missing params",
|
||||
};
|
||||
try {
|
||||
const purchased = await api.checkProductPurchased({
|
||||
email: user?.email || "",
|
||||
productKey,
|
||||
token,
|
||||
});
|
||||
return purchased;
|
||||
} catch (error) {
|
||||
console.error(error);
|
||||
return {
|
||||
status: "error",
|
||||
error: "Something went wrong",
|
||||
};
|
||||
}
|
||||
// eslint-disable-next-line react-hooks/exhaustive-deps
|
||||
}, []);
|
||||
|
||||
const { data, isPending } = useApiCall(loadData);
|
||||
|
||||
if (isPending) {
|
||||
return <LoadingPage />;
|
||||
}
|
||||
|
||||
const isPurchasedProduct = !!(data && "active" in data && data.active);
|
||||
|
||||
const isUser = !!user && !!token.length;
|
||||
const isFullData = requiredParameters.every((item) => !!item);
|
||||
|
||||
if (!isFullData) {
|
||||
if (isForce && redirectUrls.data?.force) {
|
||||
return <Navigate to={redirectUrls.data.force} replace={true} />;
|
||||
}
|
||||
if (redirectUrls.data?.no && !isForce) {
|
||||
return <Navigate to={redirectUrls.data.no} replace={true} />;
|
||||
}
|
||||
return <Outlet />;
|
||||
}
|
||||
if (!isUser) {
|
||||
if (isForce && redirectUrls.user?.force) {
|
||||
return <Navigate to={redirectUrls.user.force} replace={true} />;
|
||||
}
|
||||
if (redirectUrls.user?.no && !isForce) {
|
||||
return <Navigate to={redirectUrls.user.no} replace={true} />;
|
||||
}
|
||||
return <Outlet />;
|
||||
}
|
||||
if (!isPurchasedProduct) {
|
||||
if (isForce && redirectUrls.purchasedProduct?.force) {
|
||||
return (
|
||||
<Navigate to={redirectUrls.purchasedProduct.force} replace={true} />
|
||||
);
|
||||
}
|
||||
if (redirectUrls.purchasedProduct?.no && !isForce) {
|
||||
return <Navigate to={redirectUrls.purchasedProduct.no} replace={true} />;
|
||||
}
|
||||
return <Outlet />;
|
||||
}
|
||||
if (isProductPage) {
|
||||
return <Outlet />;
|
||||
}
|
||||
return <Navigate to={productUrls[productKey]} replace={true} />;
|
||||
}
|
||||
|
||||
function AuthorizedUserOutlet(): JSX.Element {
|
||||
const status = useSelector(selectors.selectStatus);
|
||||
const { user } = useAuth();
|
||||
|
||||
@ -29,3 +29,12 @@
|
||||
.page-responsive {
|
||||
width: 100%;
|
||||
}
|
||||
|
||||
#color-pointer {
|
||||
position: fixed;
|
||||
background: transparent;
|
||||
z-index: 12323423;
|
||||
width: 100%;
|
||||
height: 2px;
|
||||
pointer-events: none;
|
||||
}
|
||||
|
||||
@ -17,9 +17,13 @@ function BirthdayPage(): JSX.Element {
|
||||
const navigate = useNavigate();
|
||||
const birthdate = useSelector(selectors.selectBirthdate);
|
||||
const [isDisabled, setIsDisabled] = useState(true);
|
||||
const nextRoute = window.location.href.includes("/epe/")
|
||||
? routes.client.epePayment()
|
||||
: routes.client.didYouKnow();
|
||||
let nextRoute = routes.client.didYouKnow();
|
||||
if (window.location.href.includes("/epe/")) {
|
||||
nextRoute = routes.client.singlePaymentShortPath("moons.pdf.aura");
|
||||
}
|
||||
if (window.location.href.includes("/advisor-chat/")) {
|
||||
nextRoute = routes.client.advisorChatBirthtime();
|
||||
}
|
||||
const handleNext = () => navigate(nextRoute);
|
||||
const handleValid = (birthdate: string) => {
|
||||
dispatch(actions.form.addDate(birthdate));
|
||||
|
||||
@ -1,28 +1,34 @@
|
||||
import { useNavigate } from "react-router-dom"
|
||||
import { useTranslation } from 'react-i18next'
|
||||
import { useDispatch, useSelector } from 'react-redux'
|
||||
import { actions, selectors } from '@/store'
|
||||
import { TimePicker } from "../DateTimePicker"
|
||||
import Title from "../Title"
|
||||
import MainButton from "../MainButton"
|
||||
import routes from "@/routes"
|
||||
import './styles.css'
|
||||
import { useNavigate } from "react-router-dom";
|
||||
import { useTranslation } from "react-i18next";
|
||||
import { useDispatch, useSelector } from "react-redux";
|
||||
import { actions, selectors } from "@/store";
|
||||
import { TimePicker } from "../DateTimePicker";
|
||||
import Title from "../Title";
|
||||
import MainButton from "../MainButton";
|
||||
import routes from "@/routes";
|
||||
import "./styles.css";
|
||||
|
||||
function BirthtimePage(): JSX.Element {
|
||||
const { t } = useTranslation()
|
||||
const dispatch = useDispatch()
|
||||
const { t } = useTranslation();
|
||||
const dispatch = useDispatch();
|
||||
const navigate = useNavigate();
|
||||
const birthtime = useSelector(selectors.selectBirthtime)
|
||||
const handleNext = () => navigate(routes.client.createProfile())
|
||||
const handleChange = (value: string) => dispatch(actions.form.addTime(value))
|
||||
const birthtime = useSelector(selectors.selectBirthtime);
|
||||
let nextRoute = routes.client.createProfile();
|
||||
if (window.location.href.includes("/advisor-chat/")) {
|
||||
nextRoute = routes.client.advisorChatBirthPlace();
|
||||
}
|
||||
const handleNext = () => navigate(nextRoute);
|
||||
const handleChange = (value: string) => dispatch(actions.form.addTime(value));
|
||||
return (
|
||||
<section className='page'>
|
||||
<Title variant="h2" className="mt-24">{t('born_time_question')}</Title>
|
||||
<p className="description">{t('nasa_data_using')}</p>
|
||||
<TimePicker value={birthtime} onChange={handleChange}/>
|
||||
<MainButton onClick={handleNext}>{t('next')}</MainButton>
|
||||
<section className="page">
|
||||
<Title variant="h2" className="mt-24">
|
||||
{t("born_time_question")}
|
||||
</Title>
|
||||
<p className="description">{t("nasa_data_using")}</p>
|
||||
<TimePicker value={birthtime} onChange={handleChange} />
|
||||
<MainButton onClick={handleNext}>{t("next")}</MainButton>
|
||||
</section>
|
||||
)
|
||||
);
|
||||
}
|
||||
|
||||
export default BirthtimePage
|
||||
export default BirthtimePage;
|
||||
|
||||
@ -1,5 +1,4 @@
|
||||
import { useNavigate } from "react-router-dom";
|
||||
import routes from "@/routes";
|
||||
import { useEffect, useState } from "react";
|
||||
import { useSearchParams } from "react-router-dom";
|
||||
import { useDispatch } from "react-redux";
|
||||
@ -8,6 +7,7 @@ import { actions } from "@/store";
|
||||
// import { useAuth } from "@/auth";
|
||||
import styles from "./styles.module.css";
|
||||
import Loader from "@/components/Loader";
|
||||
import { paymentResultPathsOfProducts } from "@/data/products";
|
||||
|
||||
function PaymentResultPage(): JSX.Element {
|
||||
// const api = useApi();
|
||||
@ -16,7 +16,7 @@ function PaymentResultPage(): JSX.Element {
|
||||
const dispatch = useDispatch();
|
||||
const [searchParams] = useSearchParams();
|
||||
const status = searchParams.get("redirect_status");
|
||||
const type = searchParams.get("type");
|
||||
const redirect_type = searchParams.get("redirect_type");
|
||||
// const { id } = useParams();
|
||||
// const requestTimeOutRef = useRef<NodeJS.Timeout>();
|
||||
const [isLoading] = useState(true);
|
||||
@ -90,18 +90,19 @@ function PaymentResultPage(): JSX.Element {
|
||||
useEffect(() => {
|
||||
if (status === "succeeded") {
|
||||
dispatch(actions.status.update("subscribed"));
|
||||
let successPaymentRoute = routes.client.paymentSuccess();
|
||||
if (type === "epe") {
|
||||
successPaymentRoute = routes.client.epeSuccessPayment();
|
||||
if (
|
||||
!paymentResultPathsOfProducts[redirect_type || ""] ||
|
||||
!redirect_type
|
||||
) {
|
||||
return navigate(paymentResultPathsOfProducts.default.success);
|
||||
}
|
||||
return navigate(successPaymentRoute);
|
||||
return navigate(paymentResultPathsOfProducts[redirect_type].success);
|
||||
}
|
||||
let failPaymentRoute = routes.client.paymentFail();
|
||||
if (type === "epe") {
|
||||
failPaymentRoute = routes.client.epeFailPayment();
|
||||
if (!paymentResultPathsOfProducts[redirect_type || ""] || !redirect_type) {
|
||||
return navigate(paymentResultPathsOfProducts.default.fail);
|
||||
}
|
||||
return navigate(failPaymentRoute);
|
||||
}, [navigate, status, dispatch]);
|
||||
return navigate(paymentResultPathsOfProducts[redirect_type].fail);
|
||||
}, [navigate, status, dispatch, redirect_type]);
|
||||
|
||||
return <div className={styles.page}>{isLoading && <Loader />}</div>;
|
||||
}
|
||||
|
||||
@ -12,7 +12,6 @@ import { selectors } from "@/store";
|
||||
import { useCallback, useState } from "react";
|
||||
import {
|
||||
ResponsePost,
|
||||
ResponsePostExistPaymentData,
|
||||
} from "@/api/resources/SinglePayment";
|
||||
import { createSinglePayment } from "@/services/singlePayment";
|
||||
import Modal from "@/components/Modal";
|
||||
@ -27,7 +26,7 @@ function AddConsultationPage() {
|
||||
const tokenFromStore = useSelector(selectors.selectToken);
|
||||
const [isLoading, setIsLoading] = useState(false);
|
||||
const [paymentIntent, setPaymentIntent] = useState<
|
||||
ResponsePost | ResponsePostExistPaymentData | null
|
||||
ResponsePost | null
|
||||
>(null);
|
||||
const [isError, setIsError] = useState(false);
|
||||
const returnUrl = `${window.location.protocol}//${
|
||||
@ -48,9 +47,14 @@ function AddConsultationPage() {
|
||||
const handleClick = async () => {
|
||||
if (!userFromStore || !currentProduct) return;
|
||||
setIsLoading(true);
|
||||
const { productId, key } = currentProduct;
|
||||
const paymentInfo = {
|
||||
productId,
|
||||
key,
|
||||
};
|
||||
const paymentIntent = await createSinglePayment(
|
||||
userFromStore,
|
||||
currentProduct.productId,
|
||||
paymentInfo,
|
||||
tokenFromStore,
|
||||
userFromStore.email,
|
||||
userFromStore.profile.full_name,
|
||||
|
||||
@ -11,7 +11,6 @@ import PaymentAddress from "../../components/PaymentAddress";
|
||||
import { createSinglePayment } from "@/services/singlePayment";
|
||||
import {
|
||||
ResponsePost,
|
||||
ResponsePostExistPaymentData,
|
||||
} from "@/api/resources/SinglePayment";
|
||||
import { useAuth } from "@/auth";
|
||||
import { useSelector } from "react-redux";
|
||||
@ -28,7 +27,7 @@ function AddReportPage() {
|
||||
const api = useApi();
|
||||
const tokenFromStore = useSelector(selectors.selectToken);
|
||||
const [paymentIntent, setPaymentIntent] = useState<
|
||||
ResponsePost | ResponsePostExistPaymentData | null
|
||||
ResponsePost | null
|
||||
>(null);
|
||||
const [isLoading, setIsLoading] = useState(false);
|
||||
const [isError, setIsError] = useState(false);
|
||||
@ -53,9 +52,14 @@ function AddReportPage() {
|
||||
const currentProduct = getCurrentProduct(activeOffer?.productKey);
|
||||
if (!currentProduct) return;
|
||||
setIsLoading(true);
|
||||
const { productId, key } = currentProduct;
|
||||
const paymentInfo = {
|
||||
productId,
|
||||
key,
|
||||
};
|
||||
const paymentIntent = await createSinglePayment(
|
||||
userFromStore,
|
||||
currentProduct.productId,
|
||||
paymentInfo,
|
||||
tokenFromStore,
|
||||
userFromStore.email,
|
||||
userFromStore.profile.full_name,
|
||||
|
||||
@ -18,7 +18,6 @@ import { createSinglePayment } from "@/services/singlePayment";
|
||||
import Loader, { LoaderColor } from "@/components/Loader";
|
||||
import {
|
||||
ResponsePost,
|
||||
ResponsePostExistPaymentData,
|
||||
} from "@/api/resources/SinglePayment";
|
||||
import Modal from "@/components/Modal";
|
||||
import { getPriceCentsToDollars } from "@/services/price";
|
||||
@ -42,7 +41,7 @@ function UnlimitedReadingsPage() {
|
||||
const tokenFromStore = useSelector(selectors.selectToken);
|
||||
const [isLoading, setIsLoading] = useState(false);
|
||||
const [paymentIntent, setPaymentIntent] = useState<
|
||||
ResponsePost | ResponsePostExistPaymentData | null
|
||||
ResponsePost | null
|
||||
>(null);
|
||||
const [isError, setIsError] = useState(false);
|
||||
const returnUrl = `${window.location.protocol}//${
|
||||
@ -63,9 +62,14 @@ function UnlimitedReadingsPage() {
|
||||
const handleClick = async () => {
|
||||
if (!userFromStore || !currentProduct) return;
|
||||
setIsLoading(true);
|
||||
const { productId, key } = currentProduct;
|
||||
const paymentInfo = {
|
||||
productId,
|
||||
key,
|
||||
};
|
||||
const paymentIntent = await createSinglePayment(
|
||||
userFromStore,
|
||||
currentProduct.productId,
|
||||
paymentInfo,
|
||||
tokenFromStore,
|
||||
userFromStore.email,
|
||||
userFromStore.profile.full_name,
|
||||
|
||||
@ -4,6 +4,7 @@ interface IChatHeaderProps {
|
||||
name: string;
|
||||
avatar: string;
|
||||
classNameContainer?: string;
|
||||
hasBackButton?: boolean;
|
||||
clickBackButton: () => void;
|
||||
}
|
||||
|
||||
@ -11,13 +12,16 @@ function ChatHeader({
|
||||
name,
|
||||
avatar,
|
||||
classNameContainer = "",
|
||||
hasBackButton = true,
|
||||
clickBackButton,
|
||||
}: IChatHeaderProps) {
|
||||
return (
|
||||
<div className={`${styles.container} ${classNameContainer}`}>
|
||||
<div className={styles["back-button"]} onClick={clickBackButton}>
|
||||
<div className={styles["arrow"]} /> Advisors
|
||||
</div>
|
||||
{hasBackButton && (
|
||||
<div className={styles["back-button"]} onClick={clickBackButton}>
|
||||
<div className={styles["arrow"]} /> Advisors
|
||||
</div>
|
||||
)}
|
||||
<div className={styles.name}>
|
||||
{name}
|
||||
<span className={styles["online-status"]} />
|
||||
|
||||
@ -13,14 +13,24 @@ import { IMessage, ResponseRunThread } from "@/api/resources/OpenAI";
|
||||
import Message from "./components/Message";
|
||||
import LoaderDots from "./components/LoaderDots";
|
||||
import useDetectScroll from "@smakss/react-scroll-direction";
|
||||
import { getZodiacSignByDate } from "@/services/zodiac-sign";
|
||||
import { useAuth } from "@/auth";
|
||||
|
||||
function AdvisorChatPage() {
|
||||
const isPrivateChat = window.location.href.includes("/advisor-chat-private/");
|
||||
const { id } = useParams();
|
||||
const api = useApi();
|
||||
const navigate = useNavigate();
|
||||
const { scrollDir, scrollPosition } = useDetectScroll();
|
||||
const token = useSelector(selectors.selectToken);
|
||||
const openAiToken = useSelector(selectors.selectOpenAiToken);
|
||||
const birthdate = useSelector(selectors.selectBirthdate);
|
||||
const zodiacSign = getZodiacSignByDate(birthdate);
|
||||
const { username } = useSelector(selectors.selectUser);
|
||||
const { gender, birthtime, birthPlace } = useSelector(
|
||||
selectors.selectQuestionnaire
|
||||
);
|
||||
const { user } = useAuth();
|
||||
const [assistant, setAssistant] = useState<IAssistant>();
|
||||
const [messageText, setMessageText] = useState("");
|
||||
const [textareaRows, setTextareaRows] = useState(1);
|
||||
@ -83,7 +93,7 @@ function AdvisorChatPage() {
|
||||
idAssistant: string | number
|
||||
) => {
|
||||
const currentAssistant = aiAssistants.find(
|
||||
(a) => a.id === Number(idAssistant)
|
||||
(a) => a.external_id === idAssistant
|
||||
);
|
||||
return currentAssistant;
|
||||
};
|
||||
@ -101,7 +111,7 @@ function AdvisorChatPage() {
|
||||
const setExternalChatIdAssistant = async (threadId: string) => {
|
||||
await api.setExternalChatIdAssistant({
|
||||
token,
|
||||
chatId: String(id),
|
||||
chatId: String(assistant?.id || 1),
|
||||
ai_assistant_chat: {
|
||||
external_id: threadId,
|
||||
},
|
||||
@ -191,13 +201,25 @@ function AdvisorChatPage() {
|
||||
return run;
|
||||
};
|
||||
|
||||
const getContentMessage = (messageText: string) => {
|
||||
const sign = zodiacSign || user?.profile?.sign || "unknown";
|
||||
const _gender = gender || user?.profile?.gender || "unknown";
|
||||
const _birthDate = birthdate || user?.profile?.birthday || "unknown";
|
||||
const _birthtime = birthtime || "unknown";
|
||||
const _birthPlace = birthPlace || user?.profile?.birthplace || "unknown";
|
||||
const name = username || user?.profile?.full_name || "unknown";
|
||||
const content = `#USER INFO: zodiac sign - ${sign}; gender - ${_gender}; birthdate - ${_birthDate}; name - ${name}; birthtime - ${_birthtime}; birthPlace - ${_birthPlace}# ${messageText}`;
|
||||
return content;
|
||||
};
|
||||
|
||||
const createMessage = async (messageText: string, threadId: string) => {
|
||||
const content = getContentMessage(messageText);
|
||||
const message = await api.createMessage({
|
||||
token: openAiToken,
|
||||
method: "POST",
|
||||
path: routes.openAi.createMessage(threadId),
|
||||
role: "user",
|
||||
content: messageText,
|
||||
content: content,
|
||||
});
|
||||
return message;
|
||||
};
|
||||
@ -252,7 +274,8 @@ function AdvisorChatPage() {
|
||||
threadId = assistant.external_chat_id;
|
||||
assistantId = assistant.external_id || "";
|
||||
} else {
|
||||
const thread = await createThread(messageText);
|
||||
const content = getContentMessage(messageText);
|
||||
const thread = await createThread(content);
|
||||
threadId = thread.id;
|
||||
assistantId = assistant?.external_id || "";
|
||||
|
||||
@ -294,6 +317,14 @@ function AdvisorChatPage() {
|
||||
|
||||
const getIsSelfMessage = (role: string) => role === "user";
|
||||
|
||||
const deleteDataFromMessage = (messageText: string) => {
|
||||
const splittedText = messageText.split("#");
|
||||
if (splittedText.length > 2) {
|
||||
return splittedText.slice(2).join("#");
|
||||
}
|
||||
return messageText;
|
||||
};
|
||||
|
||||
return (
|
||||
<section className={`${styles.page} page`}>
|
||||
{isLoading && (
|
||||
@ -305,6 +336,7 @@ function AdvisorChatPage() {
|
||||
avatar={assistant?.photo?.th2x || ""}
|
||||
classNameContainer={styles["header-container"]}
|
||||
clickBackButton={() => navigate(-1)}
|
||||
hasBackButton={!isPrivateChat}
|
||||
/>
|
||||
)}
|
||||
{!!messages.length && (
|
||||
@ -322,7 +354,7 @@ function AdvisorChatPage() {
|
||||
message.content.map((content) => (
|
||||
<Message
|
||||
avatar={assistant?.photo?.th2x || ""}
|
||||
text={content.text.value}
|
||||
text={deleteDataFromMessage(content.text.value)}
|
||||
advisorName={assistant?.name || ""}
|
||||
backgroundTextColor={
|
||||
getIsSelfMessage(message.role) ? "#0080ff" : "#c9c9c9"
|
||||
|
||||
@ -27,7 +27,7 @@ function AssistantCard({
|
||||
</Title>
|
||||
</div>
|
||||
<div className={styles.footer}>
|
||||
<span className={styles.expirience}>{expirience}</span>
|
||||
<span className={styles.experience}>{expirience}</span>
|
||||
<div className={styles["rating-container"]}>
|
||||
<div className={styles.stars}>
|
||||
{Array(stars)
|
||||
|
||||
@ -70,10 +70,11 @@
|
||||
margin-top: 8px;
|
||||
}
|
||||
|
||||
.expirience {
|
||||
.experience {
|
||||
white-space: nowrap;
|
||||
display: block;
|
||||
overflow: hidden;
|
||||
text-overflow: ellipsis;
|
||||
width: 100%;
|
||||
line-height: 150%;
|
||||
}
|
||||
|
||||
@ -25,13 +25,13 @@ function Advisors() {
|
||||
setAssistants(ai_assistants);
|
||||
setIsLoading(false);
|
||||
return { ai_assistants };
|
||||
// eslint-disable-next-line react-hooks/exhaustive-deps
|
||||
// eslint-disable-next-line react-hooks/exhaustive-deps
|
||||
}, [api, dispatch, token]);
|
||||
|
||||
useApiCall<Assistants.Response>(loadData);
|
||||
|
||||
const handleAdvisorClick = (assistant: IAssistant) => {
|
||||
navigate(routes.client.advisorChat(assistant.id));
|
||||
navigate(routes.client.advisorChat(assistant.external_id));
|
||||
};
|
||||
|
||||
return (
|
||||
|
||||
48
src/components/pages/BirthPlacePage/index.tsx
Normal file
48
src/components/pages/BirthPlacePage/index.tsx
Normal file
@ -0,0 +1,48 @@
|
||||
import Title from "@/components/Title";
|
||||
import styles from "./styles.module.css";
|
||||
import PlacePicker from "@/components/PlacePicker";
|
||||
import { useDispatch, useSelector } from "react-redux";
|
||||
import { actions, selectors } from "@/store";
|
||||
import MainButton from "@/components/MainButton";
|
||||
import { useTranslation } from "react-i18next";
|
||||
import { useNavigate } from "react-router-dom";
|
||||
import routes from "@/routes";
|
||||
|
||||
function BirthPlacePage() {
|
||||
const dispatch = useDispatch();
|
||||
const { t } = useTranslation();
|
||||
const navigate = useNavigate();
|
||||
const { birthPlace } = useSelector(selectors.selectQuestionnaire);
|
||||
|
||||
const handleChange = (birthPlace: string) => {
|
||||
return dispatch(actions.questionnaire.update({ birthPlace }));
|
||||
};
|
||||
|
||||
const handleNext = () => {
|
||||
navigate(routes.client.singlePaymentShortPath("chat.aura"));
|
||||
};
|
||||
|
||||
return (
|
||||
<section className={`${styles.page} page`}>
|
||||
<Title variant="h1" className={styles.title}>
|
||||
Where were you born?
|
||||
</Title>
|
||||
<p className={styles.description}>
|
||||
Please select the city where you were born.
|
||||
</p>
|
||||
<PlacePicker
|
||||
value={birthPlace}
|
||||
name="birthPlace"
|
||||
maxLength={1000}
|
||||
onChange={handleChange}
|
||||
/>
|
||||
{!!birthPlace.length && (
|
||||
<MainButton className={styles.button} onClick={handleNext}>
|
||||
{t("next")}
|
||||
</MainButton>
|
||||
)}
|
||||
</section>
|
||||
);
|
||||
}
|
||||
|
||||
export default BirthPlacePage;
|
||||
28
src/components/pages/BirthPlacePage/styles.module.css
Normal file
28
src/components/pages/BirthPlacePage/styles.module.css
Normal file
@ -0,0 +1,28 @@
|
||||
.page {
|
||||
height: fit-content;
|
||||
min-height: calc(100dvh - 50px);
|
||||
background-image: url(/bunch_of_cards.webp);
|
||||
display: flex;
|
||||
flex-direction: column;
|
||||
align-items: center;
|
||||
padding-top: 40px;
|
||||
gap: 16px;
|
||||
}
|
||||
|
||||
.title {
|
||||
margin: 0;
|
||||
}
|
||||
|
||||
/* .button {
|
||||
background: linear-gradient(
|
||||
165.54deg,
|
||||
rgb(20, 19, 51) -33.39%,
|
||||
rgb(32, 34, 97) 15.89%,
|
||||
rgb(84, 60, 151) 55.84%,
|
||||
rgb(105, 57, 162) 74.96%
|
||||
);
|
||||
min-height: 0;
|
||||
height: 49px;
|
||||
border-radius: 12px;
|
||||
margin-top: 26px;
|
||||
} */
|
||||
@ -1,17 +1,21 @@
|
||||
import styles from "./styles.module.css";
|
||||
import Title from "@/components/Title";
|
||||
import { Gender, genders } from "@/data";
|
||||
import { EProductKeys } from "@/data/products";
|
||||
import routes from "@/routes";
|
||||
import { actions } from "@/store";
|
||||
import { useEffect } from "react";
|
||||
import { useDispatch } from "react-redux";
|
||||
import { useNavigate, useParams } from "react-router-dom";
|
||||
|
||||
function GenderPage(): JSX.Element {
|
||||
interface IGenderPageProps {
|
||||
productKey?: EProductKeys;
|
||||
}
|
||||
|
||||
function GenderPage({ productKey }: IGenderPageProps): JSX.Element {
|
||||
const dispatch = useDispatch();
|
||||
const navigate = useNavigate();
|
||||
const { targetId } = useParams();
|
||||
const pathName = window.location.pathname;
|
||||
|
||||
useEffect(() => {
|
||||
const isShowTryApp = targetId === "i";
|
||||
@ -20,9 +24,12 @@ function GenderPage(): JSX.Element {
|
||||
|
||||
const selectGender = (gender: Gender) => {
|
||||
dispatch(actions.questionnaire.update({ gender: gender.id }));
|
||||
if (pathName.includes("/epe/gender")) {
|
||||
if (productKey === EProductKeys["moons.pdf.aura"]) {
|
||||
return navigate(routes.client.epeBirthdate());
|
||||
}
|
||||
if (productKey === EProductKeys["chat.aura"]) {
|
||||
return navigate(routes.client.advisorChatBirthdate());
|
||||
}
|
||||
navigate(`/questionnaire/profile/flowChoice`);
|
||||
};
|
||||
|
||||
|
||||
12
src/components/pages/LoadingPage/index.tsx
Normal file
12
src/components/pages/LoadingPage/index.tsx
Normal file
@ -0,0 +1,12 @@
|
||||
import Loader, { LoaderColor } from "@/components/Loader";
|
||||
import styles from "./styles.module.css";
|
||||
|
||||
function LoadingPage() {
|
||||
return (
|
||||
<section className={`${styles.page} page`}>
|
||||
<Loader color={LoaderColor.Black} />
|
||||
</section>
|
||||
);
|
||||
}
|
||||
|
||||
export default LoadingPage;
|
||||
8
src/components/pages/LoadingPage/styles.module.css
Normal file
8
src/components/pages/LoadingPage/styles.module.css
Normal file
@ -0,0 +1,8 @@
|
||||
.page {
|
||||
height: fit-content;
|
||||
min-height: 100dvh;
|
||||
display: flex;
|
||||
flex-direction: column;
|
||||
align-items: center;
|
||||
justify-content: center;
|
||||
}
|
||||
@ -8,7 +8,12 @@ import MainButton from "@/components/MainButton";
|
||||
function FailPaymentPage(): JSX.Element {
|
||||
const { t } = useTranslation();
|
||||
const navigate = useNavigate();
|
||||
const handleNext = () => navigate(routes.client.epePayment());
|
||||
const isAdvisorChat = window.location.href.includes("/advisor-chat/");
|
||||
let nextRoute = routes.client.epePayment();
|
||||
if (isAdvisorChat) {
|
||||
nextRoute = routes.client.advisorChatGender();
|
||||
}
|
||||
const handleNext = () => navigate(nextRoute);
|
||||
|
||||
return (
|
||||
<section className={`${styles.page} page`}>
|
||||
|
||||
@ -1,9 +1,17 @@
|
||||
import { useTranslation } from "react-i18next";
|
||||
import styles from "./styles.module.css";
|
||||
import Title from "@/components/Title";
|
||||
import MainButton from "@/components/MainButton";
|
||||
import { useNavigate } from "react-router-dom";
|
||||
import routes from "@/routes";
|
||||
|
||||
function SuccessPaymentPage(): JSX.Element {
|
||||
const { t } = useTranslation();
|
||||
const navigate = useNavigate();
|
||||
const isAdvisorChat = window.location.href.includes("/advisor-chat/");
|
||||
const titleText = isAdvisorChat
|
||||
? "The payment was successful"
|
||||
: "The information has been sent to your email";
|
||||
|
||||
return (
|
||||
<section className={`${styles.page} page`}>
|
||||
@ -13,9 +21,21 @@ function SuccessPaymentPage(): JSX.Element {
|
||||
style={{ minHeight: "98px" }}
|
||||
/>
|
||||
<div className={styles.text}>
|
||||
<Title variant="h1">The information has been sent to your e-mail</Title>
|
||||
<Title variant="h1">{titleText}</Title>
|
||||
<p>{t("auweb.pay_good.text1")}</p>
|
||||
</div>
|
||||
{isAdvisorChat && (
|
||||
<MainButton
|
||||
className={styles.button}
|
||||
onClick={() =>
|
||||
navigate(
|
||||
routes.client.advisorChatPrivate("asst_WWkAlT4Ovs6gKRy6VEn9LqNS")
|
||||
)
|
||||
}
|
||||
>
|
||||
{t("auweb.pay_good.button")}
|
||||
</MainButton>
|
||||
)}
|
||||
</section>
|
||||
);
|
||||
}
|
||||
|
||||
@ -12,23 +12,18 @@ import { getClientTimezone } from "@/locales";
|
||||
import ErrorText from "@/components/ErrorText";
|
||||
import Title from "@/components/Title";
|
||||
import NameInput from "@/components/EmailEnterPage/NameInput";
|
||||
import {
|
||||
ResponseGet,
|
||||
ResponsePost,
|
||||
ResponsePostExistPaymentData,
|
||||
} from "@/api/resources/SinglePayment";
|
||||
import { useNavigate } from "react-router-dom";
|
||||
import { useParams } from "react-router-dom";
|
||||
import routes from "@/routes";
|
||||
import PaymentForm from "./PaymentForm";
|
||||
import { getPriceCentsToDollars } from "@/services/price";
|
||||
import { createSinglePayment } from "@/services/singlePayment";
|
||||
import { useSinglePayment } from "@/hooks/payment/useSinglePayment";
|
||||
|
||||
function PaymentWithEmailPage() {
|
||||
const { productId } = useParams();
|
||||
const { t, i18n } = useTranslation();
|
||||
const tokenFromStore = useSelector(selectors.selectToken);
|
||||
const { signUp, user: userFromStore } = useAuth();
|
||||
// const tokenFromStore = useSelector(selectors.selectToken);
|
||||
const { signUp, user: userFromStore, token: tokenFromStore } = useAuth();
|
||||
const api = useApi();
|
||||
const navigate = useNavigate();
|
||||
const timezone = getClientTimezone();
|
||||
const dispatch = useDispatch();
|
||||
const birthday = useSelector(selectors.selectBirthday);
|
||||
@ -37,26 +32,44 @@ function PaymentWithEmailPage() {
|
||||
const [email, setEmail] = useState("");
|
||||
const [name, setName] = useState("");
|
||||
const [isValidEmail, setIsValidEmail] = useState(false);
|
||||
const [isValidName, setIsValidName] = useState(true);
|
||||
const [isValidName, setIsValidName] = useState(productId !== "chat.aura");
|
||||
const [isDisabled, setIsDisabled] = useState(true);
|
||||
const [isLoading, setIsLoading] = useState(false);
|
||||
const [isLoadingPage, setIsLoadingPage] = useState(false);
|
||||
const [isAuth, setIsAuth] = useState(false);
|
||||
const [apiError, setApiError] = useState<ApiError | null>(null);
|
||||
const [error, setError] = useState<boolean>(false);
|
||||
const [paymentIntent, setPaymentIntent] = useState<
|
||||
ResponsePost | ResponsePostExistPaymentData | null
|
||||
>(null);
|
||||
const [currentProduct, setCurrentProduct] = useState<ResponseGet>();
|
||||
const returnUrl = `${window.location.protocol}//${window.location.host}/payment/result/?type=epe`;
|
||||
const returnUrl = `${window.location.protocol}//${
|
||||
window.location.host
|
||||
}${routes.client.paymentResult()}`;
|
||||
|
||||
const [isLoadingAuth, setIsLoadingAuth] = useState<boolean>(false);
|
||||
|
||||
const {
|
||||
product,
|
||||
paymentIntent,
|
||||
createSinglePayment,
|
||||
isLoading: isLoadingSinglePayment,
|
||||
error: errorSinglePayment,
|
||||
} = useSinglePayment();
|
||||
|
||||
useEffect(() => {
|
||||
if (isValidName && isValidEmail) {
|
||||
if (
|
||||
isValidName &&
|
||||
isValidEmail &&
|
||||
!(error || apiError || errorSinglePayment?.error)
|
||||
) {
|
||||
setIsDisabled(false);
|
||||
} else {
|
||||
setIsDisabled(true);
|
||||
}
|
||||
}, [isValidEmail, email, isValidName, name]);
|
||||
}, [
|
||||
isValidEmail,
|
||||
email,
|
||||
isValidName,
|
||||
name,
|
||||
error,
|
||||
apiError,
|
||||
errorSinglePayment?.error,
|
||||
]);
|
||||
|
||||
const handleValidEmail = (email: string) => {
|
||||
dispatch(actions.form.addEmail(email));
|
||||
@ -71,7 +84,7 @@ function PaymentWithEmailPage() {
|
||||
|
||||
const authorization = async () => {
|
||||
try {
|
||||
setIsLoading(true);
|
||||
setIsLoadingAuth(true);
|
||||
const auth = await api.auth({ email, timezone, locale });
|
||||
const {
|
||||
auth: { token, user },
|
||||
@ -103,6 +116,7 @@ function PaymentWithEmailPage() {
|
||||
dispatch(actions.status.update("registred"));
|
||||
setIsAuth(true);
|
||||
const userUpdated = await api.getUser({ token });
|
||||
setIsLoadingAuth(false);
|
||||
return { user: userUpdated?.user, token };
|
||||
} catch (error) {
|
||||
console.error(error);
|
||||
@ -111,19 +125,10 @@ function PaymentWithEmailPage() {
|
||||
} else {
|
||||
setError(true);
|
||||
}
|
||||
setIsLoadingAuth(false);
|
||||
}
|
||||
};
|
||||
|
||||
const getCurrentProduct = async (token: string) => {
|
||||
const productsSinglePayment = await api.getSinglePaymentProducts({
|
||||
token,
|
||||
});
|
||||
const currentProduct = productsSinglePayment.find(
|
||||
(product) => product.key === "moons.pdf.aura"
|
||||
);
|
||||
return currentProduct;
|
||||
};
|
||||
|
||||
const handleClick = async () => {
|
||||
const authData = await authorization();
|
||||
if (!authData) {
|
||||
@ -131,68 +136,32 @@ function PaymentWithEmailPage() {
|
||||
}
|
||||
const { user, token } = authData;
|
||||
|
||||
const currentProduct = await getCurrentProduct(token);
|
||||
if (!currentProduct) {
|
||||
setError(true);
|
||||
return;
|
||||
}
|
||||
setCurrentProduct(currentProduct);
|
||||
|
||||
const { productId } = currentProduct;
|
||||
const paymentIntent = await createSinglePayment(
|
||||
await createSinglePayment({
|
||||
user,
|
||||
productId,
|
||||
token,
|
||||
email,
|
||||
name,
|
||||
birthday,
|
||||
targetProductKey: productId || "",
|
||||
returnUrl,
|
||||
api,
|
||||
gender
|
||||
);
|
||||
setPaymentIntent(paymentIntent);
|
||||
setIsLoading(false);
|
||||
if ("payment" in paymentIntent) {
|
||||
if (paymentIntent.payment.status === "paid")
|
||||
return navigate(routes.client.epeSuccessPayment());
|
||||
return navigate(routes.client.epeFailPayment());
|
||||
}
|
||||
});
|
||||
};
|
||||
|
||||
const handleAuthUser = useCallback(async () => {
|
||||
if (!tokenFromStore.length || !userFromStore) {
|
||||
return;
|
||||
}
|
||||
setIsLoadingPage(true);
|
||||
const currentProduct = await getCurrentProduct(tokenFromStore);
|
||||
if (!currentProduct) {
|
||||
setError(true);
|
||||
return;
|
||||
}
|
||||
setCurrentProduct(currentProduct);
|
||||
|
||||
const { productId } = currentProduct;
|
||||
const paymentIntent = await createSinglePayment(
|
||||
userFromStore,
|
||||
productId,
|
||||
tokenFromStore,
|
||||
userFromStore.email,
|
||||
userFromStore.profile.full_name,
|
||||
userFromStore.profile.birthday,
|
||||
await createSinglePayment({
|
||||
user: userFromStore,
|
||||
token: tokenFromStore,
|
||||
targetProductKey: productId || "",
|
||||
returnUrl,
|
||||
api,
|
||||
gender
|
||||
);
|
||||
setPaymentIntent(paymentIntent);
|
||||
setIsLoadingPage(false);
|
||||
setIsLoading(false);
|
||||
if ("payment" in paymentIntent) {
|
||||
if (paymentIntent.payment.status === "paid")
|
||||
return navigate(routes.client.epeSuccessPayment());
|
||||
return navigate(routes.client.epeFailPayment());
|
||||
}
|
||||
// eslint-disable-next-line react-hooks/exhaustive-deps
|
||||
}, []);
|
||||
});
|
||||
}, [
|
||||
createSinglePayment,
|
||||
productId,
|
||||
returnUrl,
|
||||
tokenFromStore,
|
||||
userFromStore,
|
||||
]);
|
||||
|
||||
useEffect(() => {
|
||||
handleAuthUser();
|
||||
@ -201,60 +170,67 @@ function PaymentWithEmailPage() {
|
||||
|
||||
return (
|
||||
<div className={`${styles.page} page`}>
|
||||
{isLoadingPage && <Loader color={LoaderColor.Black} />}
|
||||
{!isLoadingPage &&
|
||||
{(isLoadingSinglePayment || isLoadingSinglePayment) && (
|
||||
<Loader color={LoaderColor.Black} />
|
||||
)}
|
||||
{!isLoadingSinglePayment &&
|
||||
!isLoadingAuth &&
|
||||
paymentIntent &&
|
||||
"paymentIntent" in paymentIntent &&
|
||||
!!tokenFromStore.length && (
|
||||
<>
|
||||
<Title variant="h1" className={styles.title}>
|
||||
{getPriceCentsToDollars(currentProduct?.amount || 0)}$
|
||||
{getPriceCentsToDollars(product?.amount || 0)}$
|
||||
</Title>
|
||||
<PaymentForm
|
||||
stripePublicKey={paymentIntent.paymentIntent.data.public_key}
|
||||
clientSecret={paymentIntent.paymentIntent.data.client_secret}
|
||||
returnUrl={returnUrl}
|
||||
returnUrl={`${returnUrl}?redirect_type=${product?.key}`}
|
||||
/>
|
||||
</>
|
||||
)}
|
||||
{(!tokenFromStore || !paymentIntent) && !isLoadingPage && (
|
||||
<>
|
||||
<NameInput
|
||||
value={name}
|
||||
placeholder="Your name"
|
||||
onValid={handleValidName}
|
||||
onInvalid={() => setIsValidName(true)}
|
||||
/>
|
||||
<EmailInput
|
||||
name="email"
|
||||
value={email}
|
||||
placeholder={t("your_email")}
|
||||
onValid={handleValidEmail}
|
||||
onInvalid={() => setIsValidEmail(false)}
|
||||
/>
|
||||
{(!tokenFromStore || !paymentIntent) &&
|
||||
// || (productId !== "chat.aura" && !name.length)
|
||||
!isLoadingSinglePayment &&
|
||||
!isLoadingAuth && (
|
||||
<>
|
||||
<NameInput
|
||||
value={name}
|
||||
placeholder="Your name"
|
||||
onValid={handleValidName}
|
||||
onInvalid={() => setIsValidName(productId !== "chat.aura")}
|
||||
/>
|
||||
<EmailInput
|
||||
name="email"
|
||||
value={email}
|
||||
placeholder={t("your_email")}
|
||||
onValid={handleValidEmail}
|
||||
onInvalid={() => setIsValidEmail(false)}
|
||||
/>
|
||||
|
||||
<MainButton
|
||||
className={styles.button}
|
||||
onClick={handleClick}
|
||||
disabled={isDisabled}
|
||||
>
|
||||
{isLoading && <Loader color={LoaderColor.White} />}
|
||||
{!isLoading &&
|
||||
!(!apiError && !error && !isLoading && isAuth) &&
|
||||
t("_continue")}
|
||||
{!apiError && !error && !isLoading && isAuth && (
|
||||
<img
|
||||
className={styles["success-icon"]}
|
||||
src="/SuccessIcon.png"
|
||||
alt="Success Icon"
|
||||
/>
|
||||
)}
|
||||
</MainButton>
|
||||
</>
|
||||
)}
|
||||
{(error || apiError) && (
|
||||
<MainButton
|
||||
className={styles.button}
|
||||
onClick={handleClick}
|
||||
disabled={isDisabled}
|
||||
>
|
||||
{isLoadingSinglePayment && <Loader color={LoaderColor.White} />}
|
||||
{!isLoadingSinglePayment &&
|
||||
!(!apiError && !error && !isLoadingSinglePayment && isAuth) &&
|
||||
t("_continue")}
|
||||
{!apiError && !error && !isLoadingSinglePayment && isAuth && (
|
||||
<img
|
||||
className={styles["success-icon"]}
|
||||
src="/SuccessIcon.png"
|
||||
alt="Success Icon"
|
||||
/>
|
||||
)}
|
||||
</MainButton>
|
||||
</>
|
||||
)}
|
||||
{(error || apiError || errorSinglePayment?.error) && (
|
||||
<Title variant="h3" style={{ color: "red", margin: 0 }}>
|
||||
Something went wrong
|
||||
Something went wrong:{" "}
|
||||
{errorSinglePayment?.error?.length && errorSinglePayment?.error}
|
||||
</Title>
|
||||
)}
|
||||
{apiError && (
|
||||
|
||||
@ -1,17 +1,18 @@
|
||||
import React from "react";
|
||||
|
||||
import { useNavigate } from 'react-router-dom';
|
||||
import { useNavigate } from "react-router-dom";
|
||||
import { useTranslation } from "react-i18next";
|
||||
import { Elements } from "@stripe/react-stripe-js";
|
||||
import { Stripe, loadStripe } from "@stripe/stripe-js";
|
||||
|
||||
import './discount-screen.css';
|
||||
import "./discount-screen.css";
|
||||
|
||||
import routes from '@/routes';
|
||||
import routes from "@/routes";
|
||||
import { useApi } from "@/api";
|
||||
import { useAuth } from "@/auth";
|
||||
import HeaderLogo from '@/components/palmistry/header-logo/header-logo';
|
||||
import HeaderLogo from "@/components/palmistry/header-logo/header-logo";
|
||||
import CheckoutForm from "@/components/PaymentPage/methods/Stripe/CheckoutForm";
|
||||
import { ResponseGet } from "@/api/resources/SinglePayment";
|
||||
|
||||
const currentProductKey = "skip.trial.subscription.aura";
|
||||
const returnUrl = `${window.location.host}/palmistry/premium-bundle`;
|
||||
@ -23,10 +24,11 @@ export default function DiscountScreen() {
|
||||
const { i18n } = useTranslation();
|
||||
const locale = i18n.language;
|
||||
|
||||
const [price, setPrice] = React.useState('');
|
||||
const [price, setPrice] = React.useState("");
|
||||
const [isSuccess] = React.useState(false);
|
||||
const [stripePromise, setStripePromise] = React.useState<Promise<Stripe | null> | null>(null);
|
||||
const [productId, setProductId] = React.useState('');
|
||||
const [stripePromise, setStripePromise] =
|
||||
React.useState<Promise<Stripe | null> | null>(null);
|
||||
const [product, setProduct] = React.useState<ResponseGet>();
|
||||
const [clientSecret, setClientSecret] = React.useState<string | null>(null);
|
||||
const [stripePublicKey, setStripePublicKey] = React.useState<string>("");
|
||||
|
||||
@ -43,18 +45,22 @@ export default function DiscountScreen() {
|
||||
|
||||
setPrice((plan?.price_cents / 100).toFixed(2));
|
||||
})();
|
||||
// eslint-disable-next-line react-hooks/exhaustive-deps
|
||||
}, []);
|
||||
|
||||
React.useEffect(() => {
|
||||
(async () => {
|
||||
const products = await api.getSinglePaymentProducts({ token });
|
||||
|
||||
const product = products.find((product) => product.key === currentProductKey);
|
||||
const product = products.find(
|
||||
(product) => product.key === currentProductKey
|
||||
);
|
||||
|
||||
if (product) {
|
||||
setProductId(product.productId);
|
||||
setProduct(product);
|
||||
}
|
||||
})();
|
||||
// eslint-disable-next-line react-hooks/exhaustive-deps
|
||||
}, []);
|
||||
|
||||
React.useEffect(() => {
|
||||
@ -64,7 +70,13 @@ export default function DiscountScreen() {
|
||||
}, [stripePublicKey]);
|
||||
|
||||
const buy = async () => {
|
||||
if (!user?.id) return;
|
||||
if (!user?.id || !product) return;
|
||||
|
||||
const { productId, key } = product;
|
||||
const paymentInfo = {
|
||||
productId,
|
||||
key,
|
||||
};
|
||||
|
||||
const response = await api.createSinglePayment({
|
||||
token: token,
|
||||
@ -80,16 +92,18 @@ export default function DiscountScreen() {
|
||||
sign: "",
|
||||
age: 0,
|
||||
},
|
||||
paymentInfo: {
|
||||
productId,
|
||||
},
|
||||
paymentInfo,
|
||||
return_url: returnUrl,
|
||||
},
|
||||
});
|
||||
|
||||
if ('paymentIntent' in response && response.paymentIntent.status === "paid" || 'payment' in response && response.payment.status === "paid") {
|
||||
if (
|
||||
("paymentIntent" in response &&
|
||||
response.paymentIntent.status === "paid") ||
|
||||
("payment" in response && response.payment.status === "paid")
|
||||
) {
|
||||
goPremiumBundle();
|
||||
} else if ('paymentIntent' in response) {
|
||||
} else if ("paymentIntent" in response) {
|
||||
setClientSecret(response.paymentIntent.data.client_secret);
|
||||
setStripePublicKey(response.paymentIntent.data.public_key);
|
||||
}
|
||||
@ -108,10 +122,14 @@ export default function DiscountScreen() {
|
||||
|
||||
<div className="discount-screen__blocks">
|
||||
<section className="discount-screen__block">
|
||||
<span className="discount-screen__price-block">€19 for <br /> 1-week plan</span>
|
||||
<span className="discount-screen__price-block">
|
||||
€19 for <br /> 1-week plan
|
||||
</span>
|
||||
|
||||
<div className="discount-screen__details">
|
||||
<span className="discount-screen__details-name">Total savings</span>
|
||||
<span className="discount-screen__details-name">
|
||||
Total savings
|
||||
</span>
|
||||
<span className="discount-screen__details-value">€0</span>
|
||||
</div>
|
||||
|
||||
@ -120,7 +138,11 @@ export default function DiscountScreen() {
|
||||
<span className="discount-screen__details-value">yes</span>
|
||||
</div>
|
||||
|
||||
<button className="discount-screen__button" style={{ minHeight: '38px' }} onClick={goPremiumBundle}>
|
||||
<button
|
||||
className="discount-screen__button"
|
||||
style={{ minHeight: "38px" }}
|
||||
onClick={goPremiumBundle}
|
||||
>
|
||||
Start trial
|
||||
</button>
|
||||
</section>
|
||||
@ -128,10 +150,14 @@ export default function DiscountScreen() {
|
||||
<section className="discount-screen__block">
|
||||
<div className="discount-screen__header-block">save 33%</div>
|
||||
|
||||
<span className="discount-screen__price-block">€{price} for <br /> 1-week plan</span>
|
||||
<span className="discount-screen__price-block">
|
||||
€{price} for <br /> 1-week plan
|
||||
</span>
|
||||
|
||||
<div className="discount-screen__details">
|
||||
<span className="discount-screen__details-name">Total savings</span>
|
||||
<span className="discount-screen__details-name">
|
||||
Total savings
|
||||
</span>
|
||||
<span className="discount-screen__details-value">€6.27</span>
|
||||
</div>
|
||||
|
||||
@ -148,7 +174,11 @@ export default function DiscountScreen() {
|
||||
</div>
|
||||
|
||||
{stripePromise && clientSecret && (
|
||||
<div className={`discount-screen__widget${isSuccess ? " discount-screen__widget_success" : ""}`}>
|
||||
<div
|
||||
className={`discount-screen__widget${
|
||||
isSuccess ? " discount-screen__widget_success" : ""
|
||||
}`}
|
||||
>
|
||||
<Elements stripe={stripePromise} options={{ clientSecret }}>
|
||||
<CheckoutForm returnUrl={returnUrl} />
|
||||
</Elements>
|
||||
@ -168,7 +198,9 @@ export default function DiscountScreen() {
|
||||
/>
|
||||
</svg>
|
||||
|
||||
<div className="discount-screen__success-text">Payment success</div>
|
||||
<div className="discount-screen__success-text">
|
||||
Payment success
|
||||
</div>
|
||||
</div>
|
||||
)}
|
||||
</div>
|
||||
|
||||
@ -72,6 +72,7 @@
|
||||
font-size: 24px;
|
||||
font-weight: 600;
|
||||
line-height: 36px;
|
||||
min-height: 24px;
|
||||
}
|
||||
|
||||
.palmistry-container__bottom-content {
|
||||
@ -206,7 +207,8 @@
|
||||
text-align: center;
|
||||
}
|
||||
|
||||
.palmistry-container__correct-title, .palmistry-container__wrong-title {
|
||||
.palmistry-container__correct-title,
|
||||
.palmistry-container__wrong-title {
|
||||
font-size: 18px;
|
||||
font-weight: 700;
|
||||
line-height: 24px;
|
||||
@ -359,13 +361,12 @@
|
||||
margin-bottom: 34px;
|
||||
text-align: center;
|
||||
animation: title-opacity 1.5s cubic-bezier(0.37, 0, 0.63, 1);
|
||||
animation-delay: 13s;
|
||||
animation-fill-mode: forwards;
|
||||
}
|
||||
|
||||
.palmistry-container_type_scan-photo .palmistry-container__waiting-title {
|
||||
animation: waiting-title 0.5s cubic-bezier(0.37, 0, 0.63, 1);
|
||||
animation-delay: 14.5s;
|
||||
/* animation-delay: 14.5s; */
|
||||
animation-fill-mode: forwards;
|
||||
font-size: 18px;
|
||||
font-weight: 500;
|
||||
@ -377,7 +378,7 @@
|
||||
|
||||
.palmistry-container_type_scan-photo .palmistry-container__waiting-description {
|
||||
animation: waiting-description 8s cubic-bezier(0.37, 0, 0.63, 1);
|
||||
animation-delay: 15s;
|
||||
/* animation-delay: 15s; */
|
||||
animation-fill-mode: forwards;
|
||||
font-size: 18px;
|
||||
font-weight: 400;
|
||||
@ -428,7 +429,10 @@
|
||||
width: 100%;
|
||||
}
|
||||
|
||||
.palmistry-container_type_email .palmistry-container__input input:not(:placeholder-shown) + .input__placeholder {
|
||||
.palmistry-container_type_email
|
||||
.palmistry-container__input
|
||||
input:not(:placeholder-shown)
|
||||
+ .input__placeholder {
|
||||
font-size: 12px;
|
||||
top: 12px;
|
||||
width: auto;
|
||||
@ -519,16 +523,19 @@
|
||||
line-height: 20px;
|
||||
}
|
||||
|
||||
.palmistry-container_type_subscription-plan .palmistry-container__plan:not(:last-child) {
|
||||
.palmistry-container_type_subscription-plan
|
||||
.palmistry-container__plan:not(:last-child) {
|
||||
margin-right: 12px;
|
||||
}
|
||||
|
||||
.palmistry-container_type_subscription-plan .palmistry-container__plan:last-child {
|
||||
.palmistry-container_type_subscription-plan
|
||||
.palmistry-container__plan:last-child {
|
||||
position: relative;
|
||||
}
|
||||
|
||||
.palmistry-container_type_subscription-plan .palmistry-container__plan:last-child::after {
|
||||
content: '';
|
||||
.palmistry-container_type_subscription-plan
|
||||
.palmistry-container__plan:last-child::after {
|
||||
content: "";
|
||||
background: var(--pale-gray);
|
||||
bottom: -24px;
|
||||
height: 15px;
|
||||
@ -542,11 +549,13 @@
|
||||
color: var(--black-color-text);
|
||||
}
|
||||
|
||||
.palmistry-container_type_subscription-plan .palmistry-container__plan_active::after {
|
||||
.palmistry-container_type_subscription-plan
|
||||
.palmistry-container__plan_active::after {
|
||||
background: var(--strong-blue) !important;
|
||||
}
|
||||
|
||||
.palmistry-container_type_subscription-plan .palmistry-container__subscription-text {
|
||||
.palmistry-container_type_subscription-plan
|
||||
.palmistry-container__subscription-text {
|
||||
font-size: 14px;
|
||||
font-weight: 600;
|
||||
line-height: 120%;
|
||||
@ -554,7 +563,8 @@
|
||||
text-align: center;
|
||||
}
|
||||
|
||||
.palmistry-container_type_subscription-plan .palmistry-container__subscription-text_active {
|
||||
.palmistry-container_type_subscription-plan
|
||||
.palmistry-container__subscription-text_active {
|
||||
color: var(--blue-color-text);
|
||||
}
|
||||
|
||||
|
||||
@ -1,16 +1,17 @@
|
||||
import React from "react";
|
||||
|
||||
import { useNavigate } from 'react-router-dom';
|
||||
import { useNavigate } from "react-router-dom";
|
||||
import { Elements } from "@stripe/react-stripe-js";
|
||||
import { Stripe, loadStripe } from "@stripe/stripe-js";
|
||||
|
||||
import './premium-bundle-screen.css';
|
||||
import "./premium-bundle-screen.css";
|
||||
|
||||
import routes from '@/routes';
|
||||
import HeaderLogo from '@/components/palmistry/header-logo/header-logo';
|
||||
import { useApi } from '@/api';
|
||||
import routes from "@/routes";
|
||||
import HeaderLogo from "@/components/palmistry/header-logo/header-logo";
|
||||
import { useApi } from "@/api";
|
||||
import { useAuth } from "@/auth";
|
||||
import CheckoutForm from "@/components/PaymentPage/methods/Stripe/CheckoutForm";
|
||||
import { ResponseGet } from "@/api/resources/SinglePayment";
|
||||
|
||||
const currentProductKey = "premium.bundle.aura";
|
||||
const returnUrl = window.location.host;
|
||||
@ -20,8 +21,9 @@ export default function PremiumBundleScreen() {
|
||||
const { token, user } = useAuth();
|
||||
const api = useApi();
|
||||
|
||||
const [stripePromise, setStripePromise] = React.useState<Promise<Stripe | null> | null>(null);
|
||||
const [productId, setProductId] = React.useState('');
|
||||
const [stripePromise, setStripePromise] =
|
||||
React.useState<Promise<Stripe | null> | null>(null);
|
||||
const [product, setProduct] = React.useState<ResponseGet>();
|
||||
const [isSuccess] = React.useState(false);
|
||||
const [clientSecret, setClientSecret] = React.useState<string | null>(null);
|
||||
const [stripePublicKey, setStripePublicKey] = React.useState<string>("");
|
||||
@ -30,12 +32,15 @@ export default function PremiumBundleScreen() {
|
||||
(async () => {
|
||||
const products = await api.getSinglePaymentProducts({ token });
|
||||
|
||||
const product = products.find((product) => product.key === currentProductKey);
|
||||
const product = products.find(
|
||||
(product) => product.key === currentProductKey
|
||||
);
|
||||
|
||||
if (product) {
|
||||
setProductId(product.productId);
|
||||
setProduct(product);
|
||||
}
|
||||
})();
|
||||
// eslint-disable-next-line react-hooks/exhaustive-deps
|
||||
}, []);
|
||||
|
||||
React.useEffect(() => {
|
||||
@ -45,7 +50,9 @@ export default function PremiumBundleScreen() {
|
||||
}, [stripePublicKey]);
|
||||
|
||||
const buy = async () => {
|
||||
if (!user?.id) return;
|
||||
if (!user?.id || !product) return;
|
||||
|
||||
const { productId, key } = product;
|
||||
|
||||
const response = await api.createSinglePayment({
|
||||
token: token,
|
||||
@ -63,14 +70,19 @@ export default function PremiumBundleScreen() {
|
||||
},
|
||||
paymentInfo: {
|
||||
productId,
|
||||
key,
|
||||
},
|
||||
return_url: returnUrl,
|
||||
},
|
||||
});
|
||||
|
||||
if ('paymentIntent' in response && response.paymentIntent.status === "paid" || 'payment' in response && response.payment.status === "paid") {
|
||||
if (
|
||||
("paymentIntent" in response &&
|
||||
response.paymentIntent.status === "paid") ||
|
||||
("payment" in response && response.payment.status === "paid")
|
||||
) {
|
||||
goHome();
|
||||
} else if ('paymentIntent' in response) {
|
||||
} else if ("paymentIntent" in response) {
|
||||
setClientSecret(response.paymentIntent.data.client_secret);
|
||||
setStripePublicKey(response.paymentIntent.data.public_key);
|
||||
}
|
||||
@ -87,9 +99,13 @@ export default function PremiumBundleScreen() {
|
||||
</div>
|
||||
|
||||
<div className="premium-bundle-screen__content">
|
||||
<button className="premium-bundle-screen__button-skip" onClick={goHome}>Skip ></button>
|
||||
<button className="premium-bundle-screen__button-skip" onClick={goHome}>
|
||||
Skip >
|
||||
</button>
|
||||
|
||||
<span className="premium-bundle-screen__title">Get extra insights with our Premium Bundle</span>
|
||||
<span className="premium-bundle-screen__title">
|
||||
Get extra insights with our Premium Bundle
|
||||
</span>
|
||||
|
||||
<span className="premium-bundle-screen__subtitle">
|
||||
Exclusive offer: recommended for get more insights about what future
|
||||
@ -97,7 +113,9 @@ export default function PremiumBundleScreen() {
|
||||
</span>
|
||||
|
||||
<div className="premium-bundle-screen__block-description">
|
||||
<span className="premium-bundle-screen__list-title">What your Premium Bundle will include:</span>
|
||||
<span className="premium-bundle-screen__list-title">
|
||||
What your Premium Bundle will include:
|
||||
</span>
|
||||
|
||||
<div className="premium-bundle-screen__item">
|
||||
<div className="premium-bundle-screen__icon">
|
||||
@ -180,7 +198,9 @@ export default function PremiumBundleScreen() {
|
||||
</div>
|
||||
|
||||
<div className="premium-bundle-screen__subsection">
|
||||
<span className="premium-bundle-screen__one-time-price">One-time price of €19!</span>
|
||||
<span className="premium-bundle-screen__one-time-price">
|
||||
One-time price of €19!
|
||||
</span>
|
||||
<p>Original price is €45. Save 58%!</p>
|
||||
</div>
|
||||
|
||||
@ -202,7 +222,7 @@ export default function PremiumBundleScreen() {
|
||||
viewBox="0 0 13 16"
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
>
|
||||
<path d="M11.5556 6.24219H1.44444C0.6467 6.24219 0 6.97481 0 7.87855V13.6058C0 14.5096 0.6467 15.2422 1.44444 15.2422H11.5556C12.3533 15.2422 13 14.5096 13 13.6058V7.87855C13 6.97481 12.3533 6.24219 11.5556 6.24219Z"/>
|
||||
<path d="M11.5556 6.24219H1.44444C0.6467 6.24219 0 6.97481 0 7.87855V13.6058C0 14.5096 0.6467 15.2422 1.44444 15.2422H11.5556C12.3533 15.2422 13 14.5096 13 13.6058V7.87855C13 6.97481 12.3533 6.24219 11.5556 6.24219Z" />
|
||||
<path
|
||||
fillRule="evenodd"
|
||||
clipRule="evenodd"
|
||||
@ -214,7 +234,11 @@ export default function PremiumBundleScreen() {
|
||||
</div>
|
||||
|
||||
{stripePromise && clientSecret && (
|
||||
<div className={`discount-screen__widget${isSuccess ? " discount-screen__widget_success" : ""}`}>
|
||||
<div
|
||||
className={`discount-screen__widget${
|
||||
isSuccess ? " discount-screen__widget_success" : ""
|
||||
}`}
|
||||
>
|
||||
<Elements stripe={stripePromise} options={{ clientSecret }}>
|
||||
<CheckoutForm returnUrl={returnUrl} />
|
||||
</Elements>
|
||||
@ -234,7 +258,9 @@ export default function PremiumBundleScreen() {
|
||||
/>
|
||||
</svg>
|
||||
|
||||
<div className="discount-screen__success-text">Payment success</div>
|
||||
<div className="discount-screen__success-text">
|
||||
Payment success
|
||||
</div>
|
||||
</div>
|
||||
)}
|
||||
</div>
|
||||
|
||||
@ -1,35 +1,38 @@
|
||||
.scanned-photo {
|
||||
display: flex;
|
||||
height: 477px;
|
||||
/* height: 477px; */
|
||||
justify-content: center;
|
||||
position: relative;
|
||||
width: 291px;
|
||||
width: 100%;
|
||||
align-items: center;
|
||||
}
|
||||
|
||||
.scanned-photo__container {
|
||||
height: 477px;
|
||||
/* background-color: red; */
|
||||
height: 100%;
|
||||
position: relative;
|
||||
width: 291px;
|
||||
width: 100%;
|
||||
z-index: 2;
|
||||
}
|
||||
|
||||
.scanned-photo__stick {
|
||||
animation: scanned-photo-stick-move 5.5s cubic-bezier(0.37, 0, 0.63, 1);
|
||||
animation-delay: 14.5s;
|
||||
/* animation-delay: 14.5s; */
|
||||
animation-fill-mode: forwards;
|
||||
animation-iteration-count: infinite;
|
||||
background-color: var(--strong-blue-text);
|
||||
height: 2px;
|
||||
left: -2px;
|
||||
/* left: -2px; */
|
||||
opacity: 0;
|
||||
position: absolute;
|
||||
width: 96px;
|
||||
width: 100%;
|
||||
z-index: 5;
|
||||
}
|
||||
|
||||
.scanned-photo__image {
|
||||
height: 100%;
|
||||
object-fit: cover;
|
||||
/* height: 100%; */
|
||||
/* object-fit: cover; */
|
||||
object-fit: contain;
|
||||
width: 100%;
|
||||
}
|
||||
|
||||
@ -71,7 +74,7 @@
|
||||
.scanned-photo__line {
|
||||
stroke-linecap: round;
|
||||
stroke-linejoin: round;
|
||||
stroke-width: 3px;
|
||||
stroke-width: 2px;
|
||||
fill-rule: evenodd;
|
||||
clip-rule: evenodd;
|
||||
stroke-miterlimit: 1.5;
|
||||
@ -84,7 +87,7 @@
|
||||
|
||||
.scanned-photo__line_heart {
|
||||
stroke: #f8d90f;
|
||||
animation-delay: 4.5s;
|
||||
/* animation-delay: 4.5s; */
|
||||
}
|
||||
|
||||
.scanned-photo__line_life {
|
||||
@ -93,12 +96,12 @@
|
||||
|
||||
.scanned-photo__line_head {
|
||||
stroke: #00d114;
|
||||
animation-delay: 1.5s;
|
||||
/* animation-delay: 1.5s; */
|
||||
}
|
||||
|
||||
.scanned-photo__line_fate {
|
||||
stroke: #05ced8;
|
||||
animation-delay: 3s;
|
||||
/* animation-delay: 3s; */
|
||||
}
|
||||
|
||||
.scanned-photo__decoration {
|
||||
@ -107,19 +110,35 @@
|
||||
justify-content: center;
|
||||
opacity: 0;
|
||||
animation: scanned-photo-opacity 1.5s cubic-bezier(0.37, 0, 0.63, 1);
|
||||
animation-delay: 12s;
|
||||
/* animation-delay: 12s; */
|
||||
animation-fill-mode: forwards;
|
||||
height: 220px;
|
||||
margin-top: -10px;
|
||||
position: absolute;
|
||||
width: 220px;
|
||||
}
|
||||
|
||||
.scanned-photo__decoration__corners {
|
||||
animation: scanned-photo-corners-opacity 1.5s cubic-bezier(0.37, 0, 0.63, 1);
|
||||
animation-delay: 13.5s;
|
||||
/* animation-delay: 13.5s; */
|
||||
animation-fill-mode: forwards;
|
||||
background: linear-gradient(to right, var(--strong-blue-text) 2px, transparent 2px) 0 0, linear-gradient(to right, var(--strong-blue-text) 2px, transparent 2px) 0 100%, linear-gradient(to left, var(--strong-blue-text) 2px, transparent 2px) 100% 0, linear-gradient(to left, var(--strong-blue-text) 2px, transparent 2px) 100% 100%, linear-gradient(to bottom, var(--strong-blue-text) 2px, transparent 2px) 0 0, linear-gradient(to bottom, var(--strong-blue-text) 2px, transparent 2px) 100% 0, linear-gradient(to top, var(--strong-blue-text) 2px, transparent 2px) 0 100%, linear-gradient(to top, var(--strong-blue-text) 2px, transparent 2px) 100% 100%;
|
||||
background: linear-gradient(
|
||||
to right,
|
||||
var(--strong-blue-text) 2px,
|
||||
transparent 2px
|
||||
)
|
||||
0 0,
|
||||
linear-gradient(to right, var(--strong-blue-text) 2px, transparent 2px) 0
|
||||
100%,
|
||||
linear-gradient(to left, var(--strong-blue-text) 2px, transparent 2px) 100%
|
||||
0,
|
||||
linear-gradient(to left, var(--strong-blue-text) 2px, transparent 2px) 100%
|
||||
100%,
|
||||
linear-gradient(to bottom, var(--strong-blue-text) 2px, transparent 2px) 0 0,
|
||||
linear-gradient(to bottom, var(--strong-blue-text) 2px, transparent 2px)
|
||||
100% 0,
|
||||
linear-gradient(to top, var(--strong-blue-text) 2px, transparent 2px) 0 100%,
|
||||
linear-gradient(to top, var(--strong-blue-text) 2px, transparent 2px) 100%
|
||||
100%;
|
||||
background-repeat: no-repeat;
|
||||
background-size: 15px 15px;
|
||||
height: 100%;
|
||||
@ -156,68 +175,74 @@
|
||||
animation-fill-mode: forwards;
|
||||
}
|
||||
|
||||
.scanned-photo_small .scanned-photo__image {
|
||||
height: 100%;
|
||||
}
|
||||
|
||||
@keyframes scanned-photo-resize {
|
||||
100% {
|
||||
height: 207px;
|
||||
}
|
||||
/* align-items: center; */
|
||||
}
|
||||
}
|
||||
|
||||
@keyframes scanned-photo-container-resize {
|
||||
100% {
|
||||
border: 3px solid #fff;
|
||||
height: 159px;
|
||||
margin-top: 20px;
|
||||
width: 97px;
|
||||
}
|
||||
/* border: 3px solid #fff; */
|
||||
height: 70.7%;
|
||||
/* margin-top: 20px; */
|
||||
width: auto;
|
||||
/* aspect-ratio: 1 / 1; */
|
||||
}
|
||||
}
|
||||
|
||||
@keyframes scanned-photo-opacity {
|
||||
100% {
|
||||
opacity: 1;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
@keyframes scanned-photo-corners-opacity {
|
||||
10% {
|
||||
opacity: 0;
|
||||
}
|
||||
}
|
||||
20% {
|
||||
opacity: 0.7;
|
||||
}
|
||||
}
|
||||
40% {
|
||||
opacity: 0.3;
|
||||
}
|
||||
}
|
||||
50% {
|
||||
opacity: 0.6;
|
||||
}
|
||||
}
|
||||
100% {
|
||||
opacity: 1;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
@keyframes scanned-photo-stick-move {
|
||||
0% {
|
||||
opacity: 1;
|
||||
top: 0;
|
||||
}
|
||||
}
|
||||
50% {
|
||||
opacity: 1;
|
||||
top: 100%;
|
||||
}
|
||||
}
|
||||
100% {
|
||||
opacity: 1;
|
||||
top: 0;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
@keyframes finger-show {
|
||||
100% {
|
||||
transform: scale(1);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
@keyframes line-show {
|
||||
100% {
|
||||
stroke-dashoffset: 0;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
@ -1,27 +1,90 @@
|
||||
import './scanned-photo.css';
|
||||
import { IPalmistryLine, IPalmistryPoint } from "@/api/resources/Palmistry";
|
||||
import "./scanned-photo.css";
|
||||
import { useCallback, useEffect, useRef, useState } from "react";
|
||||
|
||||
type Props = {
|
||||
photo: string;
|
||||
small: boolean;
|
||||
displayLines: boolean;
|
||||
lines: IPalmistryLine[];
|
||||
lineChangeDelay: number;
|
||||
startDelay: number;
|
||||
};
|
||||
|
||||
export default function StepScanPhoto(props: Props) {
|
||||
const className = ['scanned-photo'];
|
||||
const className = ["scanned-photo"];
|
||||
const { lines, lineChangeDelay } = props;
|
||||
const imageRef = useRef<HTMLImageElement>(null);
|
||||
const linesRef = useRef<SVGPathElement[]>([]);
|
||||
const [isImageLoaded, setIsImageLoaded] = useState(false);
|
||||
const [imageWidth, setImageWidth] = useState(0);
|
||||
const [imageHeight, setImageHeight] = useState(0);
|
||||
|
||||
if (props.small) {
|
||||
className.push('scanned-photo_small');
|
||||
className.push("scanned-photo_small");
|
||||
}
|
||||
|
||||
useEffect(() => {
|
||||
if (isImageLoaded && imageRef.current) {
|
||||
setImageWidth(imageRef.current.width || 0);
|
||||
setImageHeight(imageRef.current.height || 0);
|
||||
}
|
||||
}, [isImageLoaded]);
|
||||
|
||||
const getCoordinatesString = useCallback(
|
||||
(points: IPalmistryPoint[]) => {
|
||||
const coordinatesString = `M ${points[0]?.x * imageWidth} ${
|
||||
points[0]?.y * imageHeight
|
||||
}`;
|
||||
return points.reduce(
|
||||
(acc, point) =>
|
||||
`${acc} L ${point?.x * imageWidth} ${point?.y * imageHeight}`,
|
||||
coordinatesString
|
||||
);
|
||||
},
|
||||
// eslint-disable-next-line react-hooks/exhaustive-deps
|
||||
[lines, isImageLoaded, imageWidth, imageHeight]
|
||||
);
|
||||
|
||||
const getLineLength = (line: SVGPathElement) => {
|
||||
return line?.getTotalLength();
|
||||
};
|
||||
|
||||
// const getAnimationDelayOfLine = (index: number) => {
|
||||
// return `${lineChangeDelay * index + startDelay}ms`;
|
||||
// };
|
||||
|
||||
return (
|
||||
<div className={className.join(' ')}>
|
||||
<div
|
||||
className={className.join(" ")}
|
||||
style={{
|
||||
height: imageHeight ? `${imageHeight}px` : "auto",
|
||||
}}
|
||||
>
|
||||
<div className="scanned-photo__container">
|
||||
<div className="scanned-photo__stick" />
|
||||
<div
|
||||
className="scanned-photo__stick"
|
||||
style={{
|
||||
animationDelay: `${lineChangeDelay * lines.length + 2500}ms`,
|
||||
maxWidth: `${imageWidth}px`,
|
||||
}}
|
||||
/>
|
||||
|
||||
<img className="scanned-photo__image" alt="PalmIcon" src={props.photo} width={291} height={477}/>
|
||||
|
||||
<svg viewBox="0 0 291 477" className="scanned-photo__svg-objects">
|
||||
<svg x="235" y="211" height="24px" width="24px">
|
||||
<img
|
||||
className="scanned-photo__image"
|
||||
alt="PalmIcon"
|
||||
src={props.photo}
|
||||
ref={imageRef}
|
||||
onLoad={() => setIsImageLoaded(true)}
|
||||
// width={imageWidth}
|
||||
// height={imageHeight}
|
||||
/>
|
||||
{!!imageHeight && !!imageWidth && (
|
||||
<svg
|
||||
viewBox={`0 0 ${imageWidth} ${imageHeight}`}
|
||||
className="scanned-photo__svg-objects"
|
||||
>
|
||||
{/* <svg x="235" y="211" height="24px" width="24px">
|
||||
<circle
|
||||
cx="50%"
|
||||
cy="50%"
|
||||
@ -119,16 +182,33 @@ export default function StepScanPhoto(props: Props) {
|
||||
strokeWidth="0.3"
|
||||
className="scanned-photo__finger-point scanned-photo__finger-point_little"
|
||||
/>
|
||||
</svg>
|
||||
</svg> */}
|
||||
|
||||
{props.displayLines && (
|
||||
<>
|
||||
<path
|
||||
className="scanned-photo__line scanned-photo__line_heart"
|
||||
{props.displayLines && (
|
||||
<>
|
||||
{lines.map((line, index) => (
|
||||
<path
|
||||
key={index}
|
||||
className={`scanned-photo__line scanned-photo__line_${line?.line}`}
|
||||
d={getCoordinatesString(line?.points)}
|
||||
ref={(el) =>
|
||||
(linesRef.current[index] = el as SVGPathElement)
|
||||
}
|
||||
style={{
|
||||
strokeDasharray:
|
||||
getLineLength(linesRef.current[index]) || 500,
|
||||
strokeDashoffset:
|
||||
getLineLength(linesRef.current[index]) || 500,
|
||||
animationDelay: `${lineChangeDelay * (index + 1)}ms`,
|
||||
}}
|
||||
/>
|
||||
))}
|
||||
{/* <path
|
||||
className={`scanned-photo__line scanned-photo__line_heart`}
|
||||
d="M 95 334 L 99 330 L 104 327 L 109 323 L 113 319 L 118 315 L 123 311 L 128 308 L 132 304 L 137 301 L 142 298 L 146 296 L 151 293 L 156 291 L 160 289 L 165 287 L 170 286 L 174 284 L 179 283 L 184 283 L 189 282 L 193 282 L 198 283 L 203 284 L 207 285"
|
||||
style={{ strokeDasharray: 128.14, strokeDashoffset: 128.14 }}
|
||||
/>
|
||||
<path
|
||||
/> */}
|
||||
{/* <path
|
||||
className="scanned-photo__line scanned-photo__line_life"
|
||||
d="M 205 283 L 193 291 L 181 299 L 170 306 L 160 314 L 153 322 L 147 329 L 143 337 L 139 345 L 136 352 L 133 360 L 130 368 L 128 376 L 126 383 L 125 391 L 125 399 L 126 406 L 128 414 L 132 422 L 137 429 L 143 437 L 149 445 L 156 452"
|
||||
style={{ strokeDasharray: 211.483, strokeDashoffset: 211.483 }}
|
||||
@ -142,14 +222,25 @@ export default function StepScanPhoto(props: Props) {
|
||||
className="scanned-photo__line scanned-photo__line_fate"
|
||||
d="M 134 260 L 129 299 L 125 306 L 122 314 L 120 322 L 118 329 L 116 337 L 115 345 L 114 352"
|
||||
style={{ strokeDasharray: 94.8313, strokeDashoffset: 94.8313 }}
|
||||
/>
|
||||
</>
|
||||
)}
|
||||
</svg>
|
||||
/> */}
|
||||
</>
|
||||
)}
|
||||
</svg>
|
||||
)}
|
||||
</div>
|
||||
|
||||
<div className="scanned-photo__decoration">
|
||||
<div className="scanned-photo__decoration__corners">
|
||||
<div
|
||||
className="scanned-photo__decoration"
|
||||
style={{
|
||||
animationDelay: `${lineChangeDelay * lines?.length}ms`,
|
||||
}}
|
||||
>
|
||||
<div
|
||||
className="scanned-photo__decoration__corners"
|
||||
style={{
|
||||
animationDelay: `${lineChangeDelay * lines?.length + 1500}ms`,
|
||||
}}
|
||||
>
|
||||
<div className="scanned-photo__decoration__light-blue-circle" />
|
||||
|
||||
<svg
|
||||
@ -161,11 +252,25 @@ export default function StepScanPhoto(props: Props) {
|
||||
viewBox="0 0 220 220"
|
||||
enableBackground="new 0 0 0 0"
|
||||
>
|
||||
<circle fill="none" stroke="#EFF2FD" strokeWidth="2" cx="110" cy="110" r="105"/>
|
||||
<circle fill="#066fde" stroke="none" strokeWidth="3" cx="110" cy="215" r="4">
|
||||
<circle
|
||||
fill="none"
|
||||
stroke="#EFF2FD"
|
||||
strokeWidth="2"
|
||||
cx="110"
|
||||
cy="110"
|
||||
r="105"
|
||||
/>
|
||||
<circle
|
||||
fill="#066fde"
|
||||
stroke="none"
|
||||
strokeWidth="3"
|
||||
cx="110"
|
||||
cy="215"
|
||||
r="4"
|
||||
>
|
||||
<animateTransform
|
||||
attributeName="transform"
|
||||
dur="15s"
|
||||
dur={`${lineChangeDelay * lines?.length + 3000}ms`}
|
||||
type="rotate"
|
||||
from="0 110 110"
|
||||
to="360 110 110"
|
||||
|
||||
@ -1,96 +1,112 @@
|
||||
import React from 'react';
|
||||
import { useEffect, useRef, useState } from "react";
|
||||
|
||||
import { Step } from '@/hooks/palmistry/use-steps';
|
||||
import useSteps from '@/hooks/palmistry/use-steps';
|
||||
import ScannedPhoto from '@/components/palmistry/scanned-photo/scanned-photo';
|
||||
import { Step } from "@/hooks/palmistry/use-steps";
|
||||
import useSteps from "@/hooks/palmistry/use-steps";
|
||||
import ScannedPhoto from "@/components/palmistry/scanned-photo/scanned-photo";
|
||||
import { useSelector } from "react-redux";
|
||||
import { selectors } from "@/store";
|
||||
import { useNavigate } from "react-router-dom";
|
||||
import routes from "@/routes";
|
||||
|
||||
enum PalmElement {
|
||||
ThumbFinger = 'Thumb finger',
|
||||
IndexFinger = 'Index finger',
|
||||
MiddleFinger = 'Middle finger',
|
||||
RingFinger = 'Ring finger',
|
||||
LittleFinger = 'Little finger',
|
||||
LifeLine = 'Life line',
|
||||
HeadLine = 'Head line',
|
||||
FateLine = 'Fate line',
|
||||
HeartLine = 'Heart line',
|
||||
}
|
||||
|
||||
const fingers = [
|
||||
PalmElement.ThumbFinger,
|
||||
PalmElement.IndexFinger,
|
||||
PalmElement.MiddleFinger,
|
||||
PalmElement.RingFinger,
|
||||
PalmElement.LittleFinger,
|
||||
];
|
||||
|
||||
const lines = [
|
||||
PalmElement.LifeLine,
|
||||
PalmElement.HeadLine,
|
||||
PalmElement.FateLine,
|
||||
PalmElement.HeartLine,
|
||||
];
|
||||
|
||||
const palmElements = [
|
||||
...fingers,
|
||||
...lines,
|
||||
];
|
||||
|
||||
const fingerChangeDelay = 1000;
|
||||
const lineChangeDelay = 1500;
|
||||
const goNextDelay = 12000;
|
||||
const startDelay = 500;
|
||||
// const goNextDelay = 12000;
|
||||
|
||||
export default function StepScanPhoto() {
|
||||
const steps = useSteps();
|
||||
const navigate = useNavigate();
|
||||
|
||||
const storedPhoto = steps.getStoredValue(Step.Upload);
|
||||
|
||||
const [curentElementIndex, setCurrentElementIndex] = React.useState(0);
|
||||
const [photo, setPhoto] = React.useState('');
|
||||
const [smallPhotoState, setSmallPhotoState] = React.useState(false);
|
||||
const [title, setTitle] = React.useState(palmElements[0]);
|
||||
const [sholdDisplayPalmLines, setSholdDisplayPalmLines] = React.useState(false);
|
||||
const lines = useSelector(selectors.selectPalmistryLines);
|
||||
|
||||
const prevElementIndex = React.useRef<number | null>(null);
|
||||
const [currentElementIndex, setCurrentElementIndex] = useState(0);
|
||||
const [smallPhotoState, setSmallPhotoState] = useState(false);
|
||||
const [title, setTitle] = useState("");
|
||||
const [shouldDisplayPalmLines, setShouldDisplayPalmLines] = useState(false);
|
||||
|
||||
const prevElementIndex = useRef<number | null>(null);
|
||||
|
||||
const goNextElement = (delay: number) => {
|
||||
setTimeout(() => {
|
||||
setTitle(lines[currentElementIndex]?.line);
|
||||
setCurrentElementIndex((prevState) => prevState + 1);
|
||||
}, delay);
|
||||
};
|
||||
|
||||
React.useEffect(() => {
|
||||
if (storedPhoto) {
|
||||
setPhoto(storedPhoto);
|
||||
useEffect(() => {
|
||||
if (!lines.length) {
|
||||
return navigate(routes.client.palmistryUpload());
|
||||
}
|
||||
}, [storedPhoto]);
|
||||
}, [lines, navigate]);
|
||||
|
||||
React.useEffect(() => {
|
||||
if (curentElementIndex < palmElements.length && curentElementIndex !== prevElementIndex.current) {
|
||||
prevElementIndex.current = curentElementIndex;
|
||||
setTitle(palmElements[curentElementIndex]);
|
||||
goNextElement(fingers.includes(palmElements[curentElementIndex]) ? fingerChangeDelay : lineChangeDelay);
|
||||
setSholdDisplayPalmLines(lines.includes(palmElements[curentElementIndex]));
|
||||
useEffect(() => {
|
||||
// if (currentElementIndex === 0) {
|
||||
// new Promise((resolve) => setTimeout(resolve, startDelay));
|
||||
// }
|
||||
if (
|
||||
currentElementIndex < lines?.length &&
|
||||
currentElementIndex !== prevElementIndex.current
|
||||
) {
|
||||
prevElementIndex.current = currentElementIndex;
|
||||
goNextElement(lineChangeDelay);
|
||||
setShouldDisplayPalmLines(lines?.includes(lines[currentElementIndex]));
|
||||
}
|
||||
|
||||
if (curentElementIndex >= palmElements.length) {
|
||||
setSmallPhotoState(true);
|
||||
|
||||
setTimeout(steps.goNext, goNextDelay);
|
||||
if (currentElementIndex >= lines?.length) {
|
||||
setTimeout(() => {
|
||||
setSmallPhotoState(true);
|
||||
}, lineChangeDelay);
|
||||
setTimeout(steps.goNext, lineChangeDelay * lines.length + 8000);
|
||||
}
|
||||
}, [curentElementIndex]);
|
||||
// eslint-disable-next-line react-hooks/exhaustive-deps
|
||||
}, [currentElementIndex]);
|
||||
|
||||
if (!photo) return null;
|
||||
// if (!storedPhoto) {
|
||||
// return <Title variant="h4">Upload your photo</Title>;
|
||||
// }
|
||||
|
||||
// console.log(shouldDisplayPalmLines);
|
||||
// return <Title variant="h4">Upload your photo</Title>;
|
||||
|
||||
return (
|
||||
<>
|
||||
<h2 className="palmistry-container__title">{title}</h2>
|
||||
<h2
|
||||
className="palmistry-container__title"
|
||||
style={{
|
||||
animationDelay: `${lineChangeDelay * lines.length}ms`,
|
||||
}}
|
||||
>
|
||||
{title}
|
||||
</h2>
|
||||
{/* <pre>{JSON.stringify(lines, null, 2)}</pre> */}
|
||||
<ScannedPhoto
|
||||
photo={storedPhoto}
|
||||
small={smallPhotoState}
|
||||
lineChangeDelay={lineChangeDelay}
|
||||
startDelay={startDelay}
|
||||
displayLines={shouldDisplayPalmLines}
|
||||
lines={lines}
|
||||
/>
|
||||
|
||||
<ScannedPhoto photo={photo} small={smallPhotoState} displayLines={sholdDisplayPalmLines}/>
|
||||
<h2
|
||||
className="palmistry-container__waiting-title"
|
||||
style={{
|
||||
animationDelay: `${lineChangeDelay * lines.length + 2500}ms`,
|
||||
}}
|
||||
>
|
||||
We are putting together a comprehensive Palmistry Reading just for you!
|
||||
</h2>
|
||||
|
||||
<h2 className="palmistry-container__waiting-title">We are putting together a comprehensive Palmistry Reading just for you!</h2>
|
||||
|
||||
<h3 className="palmistry-container__waiting-description">Wow, looks like there is a lot we can tell about your ambitious and strong self-confident future.</h3>
|
||||
<h3
|
||||
className="palmistry-container__waiting-description"
|
||||
style={{
|
||||
animationDelay: `${lineChangeDelay * lines.length + 3000}ms`,
|
||||
}}
|
||||
>
|
||||
Wow, looks like there is a lot we can tell about your ambitious and
|
||||
strong self-confident future.
|
||||
</h3>
|
||||
</>
|
||||
);
|
||||
}
|
||||
|
||||
@ -1,12 +1,15 @@
|
||||
import React from 'react';
|
||||
import { useEffect, useState } from "react";
|
||||
|
||||
import useSteps from '../../../hooks/palmistry/use-steps';
|
||||
import Button from '../button/button';
|
||||
import BiometricData from '../biometric-data/biometric-data';
|
||||
import UploadModal from '../upload-modal/upload-modal';
|
||||
import ModalOverlay from '../modal-overlay/modal-overlay';
|
||||
import PalmRecognitionErrorModal from '../palm-recognition-error-modal/palm-recognition-error-modal';
|
||||
import PalmCameraModal from '../palm-camera-modal/palm-camera-modal';
|
||||
import useSteps from "../../../hooks/palmistry/use-steps";
|
||||
import Button from "../button/button";
|
||||
import BiometricData from "../biometric-data/biometric-data";
|
||||
import UploadModal from "../upload-modal/upload-modal";
|
||||
import ModalOverlay from "../modal-overlay/modal-overlay";
|
||||
import PalmRecognitionErrorModal from "../palm-recognition-error-modal/palm-recognition-error-modal";
|
||||
import PalmCameraModal from "../palm-camera-modal/palm-camera-modal";
|
||||
import { useApi } from "@/api";
|
||||
import { useDispatch } from "react-redux";
|
||||
import { actions } from "@/store";
|
||||
|
||||
type Props = {
|
||||
onOpenModal: (isOpen: boolean) => void;
|
||||
@ -14,12 +17,15 @@ type Props = {
|
||||
|
||||
export default function StepUpload(props: Props) {
|
||||
const steps = useSteps();
|
||||
const api = useApi();
|
||||
const dispatch = useDispatch();
|
||||
|
||||
const [uploadMenuModalIsOpen, setUploadMenuModalIsOpen] = React.useState(false);
|
||||
const [isUpladProcessing, setIsUpladProcessing] = React.useState(false);
|
||||
const [recognitionErrorModalIsOpen, setRecognitionErrorModalIsOpen] = React.useState(false);
|
||||
const [palmCameraModalIsOpen, setPalmCameraModalIsOpen] = React.useState(false);
|
||||
const [palmPhoto, setPalmPhoto] = React.useState<string>();
|
||||
const [uploadMenuModalIsOpen, setUploadMenuModalIsOpen] = useState(false);
|
||||
const [isUpladProcessing, setIsUpladProcessing] = useState(false);
|
||||
const [recognitionErrorModalIsOpen, setRecognitionErrorModalIsOpen] =
|
||||
useState(false);
|
||||
const [palmCameraModalIsOpen, setPalmCameraModalIsOpen] = useState(false);
|
||||
const [palmPhoto, setPalmPhoto] = useState<string>();
|
||||
|
||||
// const imitateRequestError = () => {
|
||||
// setTimeout(() => {
|
||||
@ -28,11 +34,21 @@ export default function StepUpload(props: Props) {
|
||||
// }, 2000);
|
||||
// };
|
||||
|
||||
const onSelectFile = (event: React.ChangeEvent<HTMLInputElement>) => {
|
||||
const getLines = async (file: File | Blob) => {
|
||||
const formData = new FormData();
|
||||
formData.append("file", file);
|
||||
const result = await api.getPalmistryLines({ formData });
|
||||
|
||||
dispatch(actions.palmistry.update({ lines: result }));
|
||||
};
|
||||
|
||||
const onSelectFile = async (event: React.ChangeEvent<HTMLInputElement>) => {
|
||||
setUploadMenuModalIsOpen(false);
|
||||
|
||||
if (!event.target.files || event.target.files.length === 0) return;
|
||||
|
||||
await getLines(event.target.files[0]);
|
||||
|
||||
setIsUpladProcessing(true);
|
||||
|
||||
const reader = new FileReader();
|
||||
@ -44,46 +60,65 @@ export default function StepUpload(props: Props) {
|
||||
reader.readAsDataURL(event.target.files[0]);
|
||||
};
|
||||
|
||||
const onTakePhoto = (photo: string) => {
|
||||
const DataURIToBlob = (dataURI: string) => {
|
||||
const splitDataURI = dataURI.split(",");
|
||||
const byteString =
|
||||
splitDataURI[0].indexOf("base64") >= 0
|
||||
? atob(splitDataURI[1])
|
||||
: decodeURI(splitDataURI[1]);
|
||||
const mimeString = splitDataURI[0].split(":")[1].split(";")[0];
|
||||
|
||||
const ia = new Uint8Array(byteString.length);
|
||||
for (let i = 0; i < byteString.length; i++)
|
||||
ia[i] = byteString.charCodeAt(i);
|
||||
|
||||
return new Blob([ia], { type: mimeString });
|
||||
};
|
||||
|
||||
const onTakePhoto = async (photo: string) => {
|
||||
const file = DataURIToBlob(photo);
|
||||
await getLines(file);
|
||||
setPalmPhoto(photo as string);
|
||||
setUploadMenuModalIsOpen(false);
|
||||
setPalmCameraModalIsOpen(false);
|
||||
};
|
||||
|
||||
React.useEffect(() => {
|
||||
useEffect(() => {
|
||||
if (palmPhoto) {
|
||||
fetch(
|
||||
'https://palmistry.hint.app/api/processing',
|
||||
{
|
||||
method: 'POST',
|
||||
headers: { 'Content-Type': 'application/json' },
|
||||
body: JSON.stringify({ image: palmPhoto }),
|
||||
},
|
||||
);
|
||||
setIsUpladProcessing(false);
|
||||
steps.saveCurrent(palmPhoto);
|
||||
steps.goNext();
|
||||
}
|
||||
// eslint-disable-next-line react-hooks/exhaustive-deps
|
||||
}, [palmPhoto]);
|
||||
|
||||
React.useEffect(() => {
|
||||
useEffect(() => {
|
||||
if (recognitionErrorModalIsOpen || palmCameraModalIsOpen) {
|
||||
props.onOpenModal(true);
|
||||
} else {
|
||||
props.onOpenModal(false);
|
||||
}
|
||||
// eslint-disable-next-line react-hooks/exhaustive-deps
|
||||
}, [recognitionErrorModalIsOpen, palmCameraModalIsOpen]);
|
||||
|
||||
return (
|
||||
<>
|
||||
<h2 className="palmistry-container__title">Take your palm picture as instructed</h2>
|
||||
<h2 className="palmistry-container__title">
|
||||
Take your palm picture as instructed
|
||||
</h2>
|
||||
|
||||
<div className="palmistry-container__image-wrapper">
|
||||
<div className="palmistry-container__image-wrapper-container">
|
||||
<p className="palmistry-container__correct-title">Correct</p>
|
||||
|
||||
<div className="palmistry-container__wrapper-correct-palm-image">
|
||||
<svg width="106" height="193" viewBox="0 0 106 193" fill="none" xmlns="http://www.w3.org/2000/svg">
|
||||
<svg
|
||||
width="106"
|
||||
height="193"
|
||||
viewBox="0 0 106 193"
|
||||
fill="none"
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
>
|
||||
<path
|
||||
d="M13.9463 117.011C14.954 138.058 32.1776 154.86 53.2104 154.86C74.2432 154.86 91.4669 138.051 92.4745 117.011H13.9463Z"
|
||||
fill="#FFFFFF"
|
||||
@ -155,12 +190,23 @@ export default function StepUpload(props: Props) {
|
||||
strokeLinecap="round"
|
||||
strokeLinejoin="round"
|
||||
></path>
|
||||
<rect x="3" y="3" width="100" height="187" rx="6" stroke="#9BACD7" strokeWidth="5"></rect>
|
||||
<rect
|
||||
x="3"
|
||||
y="3"
|
||||
width="100"
|
||||
height="187"
|
||||
rx="6"
|
||||
stroke="#9BACD7"
|
||||
strokeWidth="5"
|
||||
></rect>
|
||||
<path
|
||||
d="M3 169H103V184C103 187.314 100.314 190 97 190H9C5.68629 190 3 187.314 3 184V169Z"
|
||||
fill="#9BACD7"
|
||||
></path>
|
||||
<path d="M3 9C3 5.68629 5.68629 3 9 3H97C100.314 3 103 5.68629 103 9V14H3V9Z" fill="#9BACD7"></path>
|
||||
<path
|
||||
d="M3 9C3 5.68629 5.68629 3 9 3H97C100.314 3 103 5.68629 103 9V14H3V9Z"
|
||||
fill="#9BACD7"
|
||||
></path>
|
||||
<circle cx="54" cy="181" r="6" fill="#FFFFFF"></circle>
|
||||
</svg>
|
||||
|
||||
@ -184,7 +230,12 @@ export default function StepUpload(props: Props) {
|
||||
<p className="palmistry-container__wrong-title">Wrong</p>
|
||||
|
||||
<div className="palmistry-container__uncorrect-images">
|
||||
<svg width="59" height="87" fill="none" xmlns="http://www.w3.org/2000/svg">
|
||||
<svg
|
||||
width="59"
|
||||
height="87"
|
||||
fill="none"
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
>
|
||||
<path
|
||||
d="M8.146 54.95c.49 10.243 8.874 18.421 19.111 18.421 10.238 0 18.62-8.181 19.111-18.422H8.146z"
|
||||
fill="#FFFFFF"
|
||||
@ -256,19 +307,52 @@ export default function StepUpload(props: Props) {
|
||||
strokeLinecap="round"
|
||||
strokeLinejoin="round"
|
||||
></path>
|
||||
<rect x="3.073" y="2.998" width="48.181" height="81" rx="6" stroke="#9BACD7" strokeWidth="5"></rect>
|
||||
<rect
|
||||
x="3.073"
|
||||
y="2.998"
|
||||
width="48.181"
|
||||
height="81"
|
||||
rx="6"
|
||||
stroke="#9BACD7"
|
||||
strokeWidth="5"
|
||||
></rect>
|
||||
<path
|
||||
d="M3.073 75.27h48.181v2.728a6 6 0 0 1-6 6H9.074a6 6 0 0 1-6-6v-2.729zM3.073 7.537a4.539 4.539 0 0 1 4.539-4.539h39.104a4.539 4.539 0 0 1 4.538 4.539H3.074z"
|
||||
fill="#9BACD7"
|
||||
></path>
|
||||
<circle cx="26.99" cy="80.159" r="2.444" fill="#FFFFFF"></circle>
|
||||
<path fill="#FF5758" d="m39.053 58.875 3.326-3.61L58.62 70.234l-3.326 3.61z"></path>
|
||||
<path fill="#FF5758" d="m54.91 55.01 3.471 3.47-15.617 15.618-3.471-3.47z"></path>
|
||||
<path
|
||||
fill="#FF5758"
|
||||
d="m39.053 58.875 3.326-3.61L58.62 70.234l-3.326 3.61z"
|
||||
></path>
|
||||
<path
|
||||
fill="#FF5758"
|
||||
d="m54.91 55.01 3.471 3.47-15.617 15.618-3.471-3.47z"
|
||||
></path>
|
||||
</svg>
|
||||
|
||||
<svg width="58" height="87" fill="none" xmlns="http://www.w3.org/2000/svg">
|
||||
<mask id="a" maskUnits="userSpaceOnUse" x="2" y="2" width="49" height="82">
|
||||
<rect x="2.621" y="2.998" width="48.181" height="81" rx="6" fill="#D9D9D9"></rect>
|
||||
<svg
|
||||
width="58"
|
||||
height="87"
|
||||
fill="none"
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
>
|
||||
<mask
|
||||
id="a"
|
||||
maskUnits="userSpaceOnUse"
|
||||
x="2"
|
||||
y="2"
|
||||
width="49"
|
||||
height="82"
|
||||
>
|
||||
<rect
|
||||
x="2.621"
|
||||
y="2.998"
|
||||
width="48.181"
|
||||
height="81"
|
||||
rx="6"
|
||||
fill="#D9D9D9"
|
||||
></rect>
|
||||
</mask>
|
||||
<g mask="url(#a)">
|
||||
<path
|
||||
@ -343,17 +427,36 @@ export default function StepUpload(props: Props) {
|
||||
strokeLinejoin="round"
|
||||
></path>
|
||||
</g>
|
||||
<rect x="2.621" y="2.998" width="48.181" height="81" rx="6" stroke="#9BACD7" strokeWidth="5"></rect>
|
||||
<rect
|
||||
x="2.621"
|
||||
y="2.998"
|
||||
width="48.181"
|
||||
height="81"
|
||||
rx="6"
|
||||
stroke="#9BACD7"
|
||||
strokeWidth="5"
|
||||
></rect>
|
||||
<path
|
||||
d="M2.621 75.27h48.181v2.728a6 6 0 0 1-6 6H8.622a6 6 0 0 1-6-6v-2.729zM2.621 7.537A4.539 4.539 0 0 1 7.16 2.998h39.103a4.539 4.539 0 0 1 4.54 4.539H2.62z"
|
||||
fill="#9BACD7"
|
||||
></path>
|
||||
<circle cx="26.538" cy="80.159" r="2.444" fill="#FFFFFF"></circle>
|
||||
<path fill="#FF5758" d="m38.148 58.02 3.326-3.61 16.243 14.968-3.326 3.61z"></path>
|
||||
<path fill="#FF5758" d="m54.007 54.154 3.47 3.47L41.86 73.244l-3.47-3.47z"></path>
|
||||
<path
|
||||
fill="#FF5758"
|
||||
d="m38.148 58.02 3.326-3.61 16.243 14.968-3.326 3.61z"
|
||||
></path>
|
||||
<path
|
||||
fill="#FF5758"
|
||||
d="m54.007 54.154 3.47 3.47L41.86 73.244l-3.47-3.47z"
|
||||
></path>
|
||||
</svg>
|
||||
|
||||
<svg width="62" height="87" fill="none" xmlns="http://www.w3.org/2000/svg">
|
||||
<svg
|
||||
width="62"
|
||||
height="87"
|
||||
fill="none"
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
>
|
||||
<path
|
||||
d="M45.491 28.62c-.49-10.245-8.873-18.423-19.11-18.423-10.238 0-18.621 8.181-19.111 18.422H45.49z"
|
||||
fill="#FFFFFF"
|
||||
@ -425,17 +528,36 @@ export default function StepUpload(props: Props) {
|
||||
strokeLinecap="round"
|
||||
strokeLinejoin="round"
|
||||
></path>
|
||||
<rect x="2.717" y="2.998" width="48.181" height="81" rx="6" stroke="#9BACD7" strokeWidth="5"></rect>
|
||||
<rect
|
||||
x="2.717"
|
||||
y="2.998"
|
||||
width="48.181"
|
||||
height="81"
|
||||
rx="6"
|
||||
stroke="#9BACD7"
|
||||
strokeWidth="5"
|
||||
></rect>
|
||||
<path
|
||||
d="M2.717 75.27h48.18v2.728a6 6 0 0 1-6 6H8.718a6 6 0 0 1-6-6v-2.729zM2.717 7.537a4.539 4.539 0 0 1 4.539-4.539h39.103a4.539 4.539 0 0 1 4.539 4.539H2.717z"
|
||||
fill="#9BACD7"
|
||||
></path>
|
||||
<circle cx="26.633" cy="80.159" r="2.444" fill="#FFFFFF"></circle>
|
||||
<path fill="#FF5758" d="m41.645 58.875 3.326-3.61 16.242 14.968-3.326 3.61z"></path>
|
||||
<path fill="#FF5758" d="m57.502 55.01 3.47 3.47-15.617 15.618-3.47-3.47z"></path>
|
||||
<path
|
||||
fill="#FF5758"
|
||||
d="m41.645 58.875 3.326-3.61 16.242 14.968-3.326 3.61z"
|
||||
></path>
|
||||
<path
|
||||
fill="#FF5758"
|
||||
d="m57.502 55.01 3.47 3.47-15.617 15.618-3.47-3.47z"
|
||||
></path>
|
||||
</svg>
|
||||
|
||||
<svg width="67" height="111" fill="none" xmlns="http://www.w3.org/2000/svg">
|
||||
<svg
|
||||
width="67"
|
||||
height="111"
|
||||
fill="none"
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
>
|
||||
<path
|
||||
d="M.424 79.086c.85 17.745 15.372 31.911 33.105 31.911 17.733 0 32.255-14.172 33.104-31.911H.424z"
|
||||
fill="#FFFFFF"
|
||||
@ -452,14 +574,28 @@ export default function StepUpload(props: Props) {
|
||||
d="M33.545 107.92c-16.064 0-29.333-12.823-30.188-28.858H.332C1.182 96.808 15.812 111 33.545 111s32.532-14.197 33.382-31.936h-3.043c-.837 16.052-14.275 28.857-30.339 28.857z"
|
||||
fill="#DEE5F8"
|
||||
></path>
|
||||
<rect x="8.207" y="14.375" width="48.755" height="81.964" rx="6" stroke="#9BACD7" strokeWidth="5"></rect>
|
||||
<rect
|
||||
x="8.207"
|
||||
y="14.375"
|
||||
width="48.755"
|
||||
height="81.964"
|
||||
rx="6"
|
||||
stroke="#9BACD7"
|
||||
strokeWidth="5"
|
||||
></rect>
|
||||
<path
|
||||
d="M8.207 87.508h48.755v2.832a6 6 0 0 1-6 6H14.207a6 6 0 0 1-6-6v-2.832zM8.207 18.968a4.593 4.593 0 0 1 4.593-4.593h39.569a4.593 4.593 0 0 1 4.593 4.593H8.207z"
|
||||
fill="#9BACD7"
|
||||
></path>
|
||||
<circle cx="32.408" cy="92.454" r="2.473" fill="#FFFFFF"></circle>
|
||||
<path fill="#FF5758" d="m44.629 78.916 3.366-3.653L64.43 90.408l-3.366 3.653z"></path>
|
||||
<path fill="#FF5758" d="m60.676 75.006 3.512 3.512-15.803 15.803-3.512-3.512z"></path>
|
||||
<path
|
||||
fill="#FF5758"
|
||||
d="m44.629 78.916 3.366-3.653L64.43 90.408l-3.366 3.653z"
|
||||
></path>
|
||||
<path
|
||||
fill="#FF5758"
|
||||
d="m60.676 75.006 3.512 3.512-15.803 15.803-3.512-3.512z"
|
||||
></path>
|
||||
</svg>
|
||||
</div>
|
||||
</div>
|
||||
@ -470,13 +606,13 @@ export default function StepUpload(props: Props) {
|
||||
className="palmistry-container__take-palm-button"
|
||||
disabled={isUpladProcessing}
|
||||
active={!isUpladProcessing}
|
||||
onClick={() => setUploadMenuModalIsOpen(true)}
|
||||
onClick={() => setPalmCameraModalIsOpen(true)}
|
||||
isProcessing={isUpladProcessing}
|
||||
>
|
||||
{isUpladProcessing && 'Loading photo' || 'Take a picture now'}
|
||||
{(isUpladProcessing && "Loading photo") || "Take a picture now"}
|
||||
</Button>
|
||||
|
||||
<BiometricData/>
|
||||
<BiometricData />
|
||||
|
||||
{uploadMenuModalIsOpen && (
|
||||
<UploadModal
|
||||
@ -486,10 +622,12 @@ export default function StepUpload(props: Props) {
|
||||
/>
|
||||
)}
|
||||
|
||||
{isUpladProcessing && <ModalOverlay/>}
|
||||
{isUpladProcessing && <ModalOverlay />}
|
||||
|
||||
{recognitionErrorModalIsOpen && (
|
||||
<PalmRecognitionErrorModal onClose={() => setRecognitionErrorModalIsOpen(false)}/>
|
||||
<PalmRecognitionErrorModal
|
||||
onClose={() => setRecognitionErrorModalIsOpen(false)}
|
||||
/>
|
||||
)}
|
||||
|
||||
{palmCameraModalIsOpen && (
|
||||
|
||||
42
src/data/products.ts
Normal file
42
src/data/products.ts
Normal file
@ -0,0 +1,42 @@
|
||||
import routes from "@/routes";
|
||||
|
||||
export enum EProductKeys {
|
||||
"chat.aura" = "chat.aura",
|
||||
"moons.pdf.aura" = "moons.pdf.aura",
|
||||
"default" = "default",
|
||||
}
|
||||
|
||||
interface IProductUrls {
|
||||
[key: string]: string;
|
||||
}
|
||||
|
||||
export const productUrls: IProductUrls = {
|
||||
"chat.aura": routes.client.advisorChatPrivate(
|
||||
"asst_WWkAlT4Ovs6gKRy6VEn9LqNS"
|
||||
),
|
||||
"moons.pdf.aura": routes.client.epeSuccessPayment(),
|
||||
};
|
||||
|
||||
interface IPaymentResultPathsOfProducts {
|
||||
[key: string]: IPaymentResultPathsOfProduct;
|
||||
}
|
||||
|
||||
interface IPaymentResultPathsOfProduct {
|
||||
success: string;
|
||||
fail: string;
|
||||
}
|
||||
|
||||
export const paymentResultPathsOfProducts: IPaymentResultPathsOfProducts = {
|
||||
"moons.pdf.aura": {
|
||||
success: routes.client.epeSuccessPayment(),
|
||||
fail: routes.client.epeFailPayment(),
|
||||
},
|
||||
"chat.aura": {
|
||||
success: routes.client.advisorChatSuccessPayment(),
|
||||
fail: routes.client.advisorChatFailPayment(),
|
||||
},
|
||||
default: {
|
||||
success: routes.client.paymentSuccess(),
|
||||
fail: routes.client.paymentFail(),
|
||||
},
|
||||
};
|
||||
170
src/hooks/payment/useSinglePayment.ts
Normal file
170
src/hooks/payment/useSinglePayment.ts
Normal file
@ -0,0 +1,170 @@
|
||||
import { SinglePayment, useApi } from "@/api";
|
||||
import { User } from "@/api/resources/User";
|
||||
import { AuthToken } from "@/api/types";
|
||||
import { productUrls } from "@/data/products";
|
||||
import routes from "@/routes";
|
||||
import { getZodiacSignByDate } from "@/services/zodiac-sign";
|
||||
import { selectors } from "@/store";
|
||||
import { useCallback, useMemo, useState } from "react";
|
||||
import { useSelector } from "react-redux";
|
||||
import { useNavigate } from "react-router-dom";
|
||||
|
||||
interface ICreateSinglePaymentProps {
|
||||
user: User;
|
||||
token: AuthToken;
|
||||
targetProductKey: string;
|
||||
returnUrl: string;
|
||||
}
|
||||
|
||||
interface IErrorSinglePayment {
|
||||
error?: string;
|
||||
}
|
||||
|
||||
export const useSinglePayment = () => {
|
||||
const api = useApi();
|
||||
const navigate = useNavigate();
|
||||
const [paymentIntent, setPaymentIntent] =
|
||||
useState<SinglePayment.ResponsePost>();
|
||||
const [product, setProduct] = useState<SinglePayment.ResponseGet>();
|
||||
const [error, setError] = useState<IErrorSinglePayment>(
|
||||
{} as IErrorSinglePayment
|
||||
);
|
||||
const [isLoading, setIsLoading] = useState(false);
|
||||
const { gender } = useSelector(selectors.selectQuestionnaire);
|
||||
const birthday = useSelector(selectors.selectBirthday);
|
||||
|
||||
const getCurrentProduct = useCallback(
|
||||
async (token: AuthToken, targetProductKey: string) => {
|
||||
const productsSinglePayment = await api.getSinglePaymentProducts({
|
||||
token,
|
||||
});
|
||||
const currentProduct = productsSinglePayment.find(
|
||||
(product) => product.key === targetProductKey
|
||||
);
|
||||
return currentProduct;
|
||||
},
|
||||
[api]
|
||||
);
|
||||
|
||||
const handlerPaymentIntentResult = useCallback(
|
||||
(paymentIntent: SinglePayment.ResponsePost, type: string) => {
|
||||
if (!("payment" in paymentIntent)) return;
|
||||
let status = "failed";
|
||||
if (paymentIntent.payment.status === "paid") {
|
||||
status = "succeeded";
|
||||
}
|
||||
return navigate(
|
||||
`${routes.client.paymentResult()}?redirect_status=${status}&redirect_type=${type}`
|
||||
);
|
||||
},
|
||||
[navigate]
|
||||
);
|
||||
|
||||
const checkProductPurchased = useCallback(
|
||||
async (email: string, productKey: string, token: AuthToken) => {
|
||||
try {
|
||||
const purchased = await api.checkProductPurchased({
|
||||
email,
|
||||
productKey,
|
||||
token,
|
||||
});
|
||||
|
||||
if ("active" in purchased && purchased.active) {
|
||||
return true;
|
||||
}
|
||||
return false;
|
||||
} catch (error) {
|
||||
console.error(error);
|
||||
return false;
|
||||
}
|
||||
},
|
||||
[api]
|
||||
);
|
||||
|
||||
const createSinglePayment = useCallback(
|
||||
async ({
|
||||
user,
|
||||
token,
|
||||
targetProductKey,
|
||||
returnUrl,
|
||||
}: ICreateSinglePaymentProps) => {
|
||||
setIsLoading(true);
|
||||
const product = await getCurrentProduct(token, targetProductKey);
|
||||
if (!product) {
|
||||
setError({ error: "Product not found" });
|
||||
setIsLoading(false);
|
||||
return;
|
||||
}
|
||||
setProduct(product);
|
||||
const isPurchased = await checkProductPurchased(
|
||||
user?.email || "",
|
||||
targetProductKey,
|
||||
token
|
||||
);
|
||||
if (isPurchased && productUrls[targetProductKey]?.length) {
|
||||
return navigate(productUrls[targetProductKey]);
|
||||
}
|
||||
|
||||
let _gender = "male";
|
||||
if (gender.length) {
|
||||
_gender = gender;
|
||||
}
|
||||
if (user.profile.gender?.length) {
|
||||
_gender = user.profile.gender;
|
||||
}
|
||||
const paymentIntent = await api.createSinglePayment({
|
||||
token,
|
||||
data: {
|
||||
user: {
|
||||
id: `${user?.id}`,
|
||||
email: user?.email,
|
||||
name: user.username || "",
|
||||
sign:
|
||||
user?.profile?.sign?.sign ||
|
||||
getZodiacSignByDate(user.profile.birthday || birthday || ""),
|
||||
age: user?.profile?.age?.years || 1,
|
||||
gender: _gender,
|
||||
},
|
||||
partner: {
|
||||
sign: null,
|
||||
age: null,
|
||||
},
|
||||
paymentInfo: {
|
||||
productId: product?.productId || "",
|
||||
key: product?.key || "",
|
||||
},
|
||||
return_url: returnUrl,
|
||||
},
|
||||
});
|
||||
if ("message" in paymentIntent) {
|
||||
setError({ error: paymentIntent.message });
|
||||
setIsLoading(false);
|
||||
return;
|
||||
}
|
||||
handlerPaymentIntentResult(paymentIntent, targetProductKey);
|
||||
setPaymentIntent(paymentIntent);
|
||||
setIsLoading(false);
|
||||
return paymentIntent;
|
||||
},
|
||||
[
|
||||
api,
|
||||
birthday,
|
||||
checkProductPurchased,
|
||||
gender,
|
||||
getCurrentProduct,
|
||||
handlerPaymentIntentResult,
|
||||
navigate,
|
||||
]
|
||||
);
|
||||
|
||||
return useMemo(
|
||||
() => ({
|
||||
product,
|
||||
paymentIntent,
|
||||
createSinglePayment,
|
||||
isLoading,
|
||||
error,
|
||||
}),
|
||||
[product, paymentIntent, createSinglePayment, isLoading, error]
|
||||
);
|
||||
};
|
||||
28
src/hooks/useSchemeColorByElement.tsx
Normal file
28
src/hooks/useSchemeColorByElement.tsx
Normal file
@ -0,0 +1,28 @@
|
||||
import { getValuesFromRGBString } from "@/services/color-formatter";
|
||||
import { useEffect } from "react";
|
||||
|
||||
export const useSchemeColorByElement = (
|
||||
element: Element | null,
|
||||
searchSelectors: string,
|
||||
dependencies: ReadonlyArray<unknown> = []
|
||||
) => {
|
||||
useEffect(() => {
|
||||
const pageElement = element?.querySelectorAll(searchSelectors)[0];
|
||||
|
||||
const scheme = document.querySelector('meta[name="theme-color"]');
|
||||
if (scheme && !pageElement) {
|
||||
return scheme.setAttribute("content", "#ffffff");
|
||||
}
|
||||
if (!pageElement) return;
|
||||
let backgroundColor = window.getComputedStyle(pageElement)?.backgroundColor;
|
||||
const colorScheme = getValuesFromRGBString(backgroundColor);
|
||||
if (colorScheme?.a === 0) {
|
||||
backgroundColor = "#ffffff";
|
||||
}
|
||||
if (scheme && backgroundColor.length) {
|
||||
return scheme.setAttribute("content", backgroundColor);
|
||||
}
|
||||
// eslint-disable-next-line react-hooks/exhaustive-deps
|
||||
}, [element, ...dependencies]);
|
||||
return null;
|
||||
};
|
||||
@ -124,7 +124,7 @@ const routes = {
|
||||
|
||||
// Advisors
|
||||
advisors: () => [host, "advisors"].join("/"),
|
||||
advisorChat: (id: number) => [host, "advisors", id].join("/"),
|
||||
advisorChat: (id: string) => [host, "advisors", id].join("/"),
|
||||
// Email - Pay - Email
|
||||
epeGender: () => [host, "epe", "gender"].join("/"),
|
||||
epeBirthdate: () => [host, "epe", "birthdate"].join("/"),
|
||||
@ -132,8 +132,26 @@ const routes = {
|
||||
epeSuccessPayment: () => [host, "epe", "success-payment"].join("/"),
|
||||
epeFailPayment: () => [host, "epe", "fail-payment"].join("/"),
|
||||
|
||||
// Advisor short path
|
||||
advisorChatGender: () => [host, "advisor-chat", "gender"].join("/"),
|
||||
advisorChatBirthdate: () => [host, "advisor-chat", "birthdate"].join("/"),
|
||||
advisorChatBirthtime: () => [host, "advisor-chat", "birthtime"].join("/"),
|
||||
advisorChatBirthPlace: () =>
|
||||
[host, "advisor-chat", "birth-place"].join("/"),
|
||||
advisorChatPayment: () => [host, "advisor-chat", "payment"].join("/"),
|
||||
advisorChatSuccessPayment: () =>
|
||||
[host, "advisor-chat", "success-payment"].join("/"),
|
||||
advisorChatFailPayment: () =>
|
||||
[host, "advisor-chat", "fail-payment"].join("/"),
|
||||
advisorChatPrivate: (id?: string) =>
|
||||
[host, "advisor-chat-private", id].join("/"),
|
||||
|
||||
singlePaymentShortPath: (productId?: string) =>
|
||||
[host, "single-payment", productId].join("/"),
|
||||
|
||||
getInformationPartner: () => [host, "get-information-partner"].join("/"),
|
||||
|
||||
loadingPage: () => [host, "loading-page"].join("/"),
|
||||
notFound: () => [host, "404"].join("/"),
|
||||
},
|
||||
server: {
|
||||
@ -194,10 +212,17 @@ const routes = {
|
||||
dApiTestPaymentProducts: () =>
|
||||
[dApiHost, "payment", "test", "products"].join("/"),
|
||||
dApiPaymentCheckout: () => [dApiHost, "payment", "checkout"].join("/"),
|
||||
dApiCheckProductPurchased: (productKey: string, email: string) =>
|
||||
[dApiHost, "payment", "products", `${productKey}?email=${email}`].join(
|
||||
"/"
|
||||
),
|
||||
|
||||
assistants: () => [apiHost, prefix, "ai", "assistants.json"].join("/"),
|
||||
setExternalChatIdAssistants: (chatId: string) =>
|
||||
[apiHost, prefix, "ai", "assistants", chatId, "chats.json"].join("/"),
|
||||
// Palmistry
|
||||
getPalmistryLines: () =>
|
||||
["https://api.aura.witapps.us", "palmistry", "lines"].join("/"),
|
||||
},
|
||||
openAi: {
|
||||
createThread: () => [openAIHost, openAiPrefix, "threads"].join("/"),
|
||||
@ -230,6 +255,9 @@ export const entrypoints = [
|
||||
routes.client.trialChoice(),
|
||||
routes.client.palmistry(),
|
||||
routes.client.advisors(),
|
||||
routes.client.advisorChatGender(),
|
||||
routes.client.advisorChatSuccessPayment(),
|
||||
routes.client.advisorChatFailPayment(),
|
||||
];
|
||||
export const isEntrypoint = (path: string) => entrypoints.includes(path);
|
||||
export const isNotEntrypoint = (path: string) => !isEntrypoint(path);
|
||||
@ -318,11 +346,13 @@ export const withoutFooterRoutes = [
|
||||
routes.client.advisors(),
|
||||
routes.client.epeSuccessPayment(),
|
||||
routes.client.getInformationPartner(),
|
||||
routes.client.advisorChatBirthPlace(),
|
||||
];
|
||||
|
||||
export const withoutFooterPartOfRoutes = [
|
||||
routes.client.questionnaire(),
|
||||
routes.client.advisors(),
|
||||
routes.client.advisorChatPrivate(),
|
||||
];
|
||||
|
||||
export const hasNoFooter = (path: string) => {
|
||||
@ -393,6 +423,7 @@ export const withoutHeaderRoutes = [
|
||||
routes.client.advisors(),
|
||||
routes.client.epeSuccessPayment(),
|
||||
routes.client.getInformationPartner(),
|
||||
routes.client.advisorChatPrivate(),
|
||||
];
|
||||
export const hasNoHeader = (path: string) => {
|
||||
let result = true;
|
||||
|
||||
44
src/services/color-formatter/index.ts
Normal file
44
src/services/color-formatter/index.ts
Normal file
@ -0,0 +1,44 @@
|
||||
const hexToRgb = (hex: string) => {
|
||||
// Expand shorthand form (e.g. "03F") to full form (e.g. "0033FF")
|
||||
const shorthandRegex = /^#?([a-f\d])([a-f\d])([a-f\d])$/i;
|
||||
hex = hex.replace(shorthandRegex, function (_m, r, g, b) {
|
||||
return r + r + g + g + b + b;
|
||||
});
|
||||
|
||||
const result = /^#?([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})$/i.exec(hex);
|
||||
return result
|
||||
? {
|
||||
r: parseInt(result[1], 16),
|
||||
g: parseInt(result[2], 16),
|
||||
b: parseInt(result[3], 16),
|
||||
}
|
||||
: null;
|
||||
};
|
||||
|
||||
interface IRGBValues {
|
||||
r: number;
|
||||
g: number;
|
||||
b: number;
|
||||
}
|
||||
|
||||
const rgbToHex = ({ r, g, b }: IRGBValues) => {
|
||||
return "#" + ((1 << 24) + (r << 16) + (g << 8) + b).toString(16).slice(1);
|
||||
};
|
||||
|
||||
export const getValuesFromRGBString = (rgb: string) => {
|
||||
const rgbValues = rgb.match(/\d+/g);
|
||||
if (rgbValues) {
|
||||
return {
|
||||
r: Number(rgbValues[0]),
|
||||
g: Number(rgbValues[1]),
|
||||
b: Number(rgbValues[2]),
|
||||
a: Number(rgbValues[3] || 1),
|
||||
};
|
||||
}
|
||||
return null;
|
||||
};
|
||||
|
||||
export class ColorFormatter {
|
||||
public static rgbToHex = rgbToHex;
|
||||
public static hexToRgb = hexToRgb;
|
||||
}
|
||||
@ -1,10 +1,11 @@
|
||||
import { User } from "@/api/resources/User";
|
||||
import { getZodiacSignByDate } from "../zodiac-sign";
|
||||
import { ApiContextValue } from "@/api";
|
||||
import { IPaymentInfo } from "@/api/resources/SinglePayment";
|
||||
|
||||
export const createSinglePayment = async (
|
||||
user: User,
|
||||
productId: string,
|
||||
paymentInfo: IPaymentInfo,
|
||||
token: string,
|
||||
email: string,
|
||||
name: string | null,
|
||||
@ -28,9 +29,7 @@ export const createSinglePayment = async (
|
||||
sign: "partner_cancer",
|
||||
age: 26,
|
||||
},
|
||||
paymentInfo: {
|
||||
productId,
|
||||
},
|
||||
paymentInfo,
|
||||
return_url: returnUrl,
|
||||
},
|
||||
});
|
||||
|
||||
@ -46,6 +46,7 @@ import userConfig, {
|
||||
actions as userConfigActions,
|
||||
selectUserDeviceType,
|
||||
selectIsShowTryApp,
|
||||
selectIsForceShortPath,
|
||||
} from "./userConfig";
|
||||
import compatibilities, {
|
||||
actions as compatibilitiesActions,
|
||||
@ -62,6 +63,10 @@ import {
|
||||
selectUserCallbacksDescription,
|
||||
selectUserCallbacksPrevStat,
|
||||
} from "./userCallbacks";
|
||||
import palmistry, {
|
||||
actions as palmistryActions,
|
||||
selectPalmistryLines,
|
||||
} from "./palmistry";
|
||||
|
||||
const preloadedState = loadStore();
|
||||
export const actions = {
|
||||
@ -79,6 +84,7 @@ export const actions = {
|
||||
onboardingConfig: onboardingConfigActions,
|
||||
questionnaire: questionnaireActions,
|
||||
userConfig: userConfigActions,
|
||||
palmistry: palmistryActions,
|
||||
reset: createAction("reset"),
|
||||
};
|
||||
export const selectors = {
|
||||
@ -106,7 +112,9 @@ export const selectors = {
|
||||
selectQuestionnaire,
|
||||
selectUserDeviceType,
|
||||
selectIsShowTryApp,
|
||||
selectIsForceShortPath,
|
||||
selectOpenAiToken,
|
||||
selectPalmistryLines,
|
||||
...formSelectors,
|
||||
};
|
||||
|
||||
@ -125,6 +133,7 @@ export const reducer = combineReducers({
|
||||
onboardingConfig,
|
||||
questionnaire,
|
||||
userConfig,
|
||||
palmistry,
|
||||
});
|
||||
|
||||
export type RootState = ReturnType<typeof reducer>;
|
||||
|
||||
29
src/store/palmistry.ts
Normal file
29
src/store/palmistry.ts
Normal file
@ -0,0 +1,29 @@
|
||||
import { IPalmistryLine } from "@/api/resources/Palmistry";
|
||||
import { createSlice, createSelector } from "@reduxjs/toolkit";
|
||||
import type { PayloadAction } from "@reduxjs/toolkit";
|
||||
|
||||
interface IPalmistry {
|
||||
lines: IPalmistryLine[];
|
||||
}
|
||||
|
||||
const initialState: IPalmistry = {
|
||||
lines: [],
|
||||
};
|
||||
|
||||
const palmistrySlice = createSlice({
|
||||
name: "palmistry",
|
||||
initialState,
|
||||
reducers: {
|
||||
update(state, action: PayloadAction<Partial<IPalmistry>>) {
|
||||
return { ...state, ...action.payload };
|
||||
},
|
||||
},
|
||||
extraReducers: (builder) => builder.addCase("reset", () => initialState),
|
||||
});
|
||||
|
||||
export const { actions } = palmistrySlice;
|
||||
export const selectPalmistryLines = createSelector(
|
||||
(state: { palmistry: IPalmistry }) => state.palmistry.lines,
|
||||
(palmistry) => palmistry
|
||||
);
|
||||
export default palmistrySlice.reducer;
|
||||
@ -9,11 +9,13 @@ export enum EUserDeviceType {
|
||||
interface IUserConfig {
|
||||
deviceType: EUserDeviceType;
|
||||
isShowTryApp: boolean;
|
||||
isForceShortPath: boolean;
|
||||
}
|
||||
|
||||
const initialState: IUserConfig = {
|
||||
deviceType: EUserDeviceType.ios,
|
||||
isShowTryApp: false,
|
||||
isForceShortPath: false,
|
||||
};
|
||||
|
||||
const userConfigSlice = createSlice({
|
||||
@ -31,6 +33,10 @@ const userConfigSlice = createSlice({
|
||||
state.isShowTryApp = action.payload;
|
||||
return state;
|
||||
},
|
||||
addIsForceShortPath(state, action: PayloadAction<boolean>) {
|
||||
state.isForceShortPath = action.payload;
|
||||
return state;
|
||||
},
|
||||
},
|
||||
extraReducers: (builder) => builder.addCase("reset", () => initialState),
|
||||
});
|
||||
@ -44,4 +50,8 @@ export const selectIsShowTryApp = createSelector(
|
||||
(state: { userConfig: IUserConfig }) => state.userConfig.isShowTryApp,
|
||||
(userConfig) => userConfig
|
||||
);
|
||||
export const selectIsForceShortPath = createSelector(
|
||||
(state: { userConfig: IUserConfig }) => state.userConfig.isForceShortPath,
|
||||
(userConfig) => userConfig
|
||||
);
|
||||
export default userConfigSlice.reducer;
|
||||
|
||||
Loading…
Reference in New Issue
Block a user