From d16e4d14d43110bc4e41aa2785a014fdf2b33c3b Mon Sep 17 00:00:00 2001 From: Radiquum Date: Thu, 20 Mar 2025 22:02:49 +0500 Subject: [PATCH 01/28] feat: add error messages to user pages --- app/api/utils.ts | 96 ++++++++++++++++++--- app/pages/Bookmarks.tsx | 66 +++++++++------ app/pages/BookmarksCategory.tsx | 97 +++++++++++----------- app/pages/Profile.tsx | 52 +++++++----- app/profile/[id]/bookmarks/[slug]/page.tsx | 15 +++- app/profile/[id]/bookmarks/page.tsx | 19 +++-- app/profile/[id]/collections/page.tsx | 40 +++++++-- app/profile/[id]/page.tsx | 17 ++-- app/store/auth.ts | 10 ++- middleware.ts | 9 +- 10 files changed, 285 insertions(+), 136 deletions(-) diff --git a/app/api/utils.ts b/app/api/utils.ts index 53b48ae..f7e22fb 100644 --- a/app/api/utils.ts +++ b/app/api/utils.ts @@ -4,6 +4,84 @@ export const HEADERS = { "Content-Type": "application/json; charset=UTF-8", }; +// Types for the result object with discriminated union +type Success = { + data: T; + error: null; +}; + +type Failure = { + data: null; + error: E; +}; + +type Result = Success | Failure; + +// Main wrapper function +export async function tryCatch( + promise: Promise +): Promise> { + try { + const data = await promise; + return { data, error: null }; + } catch (error) { + return { data: null, error: error as E }; + } +} + +export async function tryCatchAPI( + promise: Promise +): Promise> { + try { + const res: Awaited = await promise; + if (!res.ok) { + return { + data: null, + error: JSON.stringify({ + message: res.statusText, + code: res.status, + }) as E, + }; + } + + if ( + res.headers.get("content-length") && + Number(res.headers.get("content-length")) == 0 + ) { + return { + data: null, + error: { + message: "Not Found", + code: 404, + } as E, + }; + } + + const data: Awaited = await res.json(); + if (data.code != 0) { + return { + data: null, + error: { + message: "API Returned an Error", + code: data.code || 500, + } as E, + }; + } + + return { data, error: null }; + } catch (error) { + return { data: null, error: error as E }; + } +} + +export const useSWRfetcher = async (url: string) => { + const { data, error } = await tryCatchAPI(fetch(url)); + if (error) { + throw error; + } + return data; +}; + export const fetchDataViaGet = async ( url: string, API_V2: string | boolean = false @@ -11,18 +89,14 @@ export const fetchDataViaGet = async ( if (API_V2) { HEADERS["API-Version"] = "v2"; } - try { - const response = await fetch(url, { + + const { data, error } = await tryCatchAPI( + fetch(url, { headers: HEADERS, - }); - if (response.status !== 200) { - return null; - } - const data = await response.json(); - return data; - } catch (error) { - console.log(error); - } + }) + ); + + return { data, error }; }; export const fetchDataViaPost = async ( diff --git a/app/pages/Bookmarks.tsx b/app/pages/Bookmarks.tsx index e3a5c0b..c25b899 100644 --- a/app/pages/Bookmarks.tsx +++ b/app/pages/Bookmarks.tsx @@ -2,11 +2,9 @@ import useSWR from "swr"; import { ReleaseCourusel } from "#/components/ReleaseCourusel/ReleaseCourusel"; import { Spinner } from "#/components/Spinner/Spinner"; -const fetcher = (...args: any) => - fetch([...args] as any).then((res) => res.json()); import { useUserStore } from "#/store/auth"; import { usePreferencesStore } from "#/store/preferences"; -import { BookmarksList } from "#/api/utils"; +import { BookmarksList, useSWRfetcher } from "#/api/utils"; import { ENDPOINTS } from "#/api/config"; import { useRouter } from "next/navigation"; import { useEffect } from "react"; @@ -35,7 +33,7 @@ export function BookmarksPage(props: { profile_id?: number }) { function useFetchReleases(listName: string) { let url: string; if (preferenceStore.params.skipToCategory.enabled) { - return [null]; + return [null, null]; } if (props.profile_id) { @@ -50,8 +48,9 @@ export function BookmarksPage(props: { profile_id?: number }) { } // eslint-disable-next-line react-hooks/rules-of-hooks - const { data } = useSWR(url, fetcher); - return [data]; + const { data, error } = useSWR(url, useSWRfetcher); + console.log(data, error); + return [data, error]; } useEffect(() => { @@ -61,11 +60,11 @@ export function BookmarksPage(props: { profile_id?: number }) { // eslint-disable-next-line react-hooks/exhaustive-deps }, [authState, token]); - const [watchingData] = useFetchReleases("watching"); - const [plannedData] = useFetchReleases("planned"); - const [watchedData] = useFetchReleases("watched"); - const [delayedData] = useFetchReleases("delayed"); - const [abandonedData] = useFetchReleases("abandoned"); + const [watchingData, watchingError] = useFetchReleases("watching"); + const [plannedData, plannedError] = useFetchReleases("planned"); + const [watchedData, watchedError] = useFetchReleases("watched"); + const [delayedData, delayedError] = useFetchReleases("delayed"); + const [abandonedData, abandonedError] = useFetchReleases("abandoned"); return ( <> @@ -85,9 +84,9 @@ export function BookmarksPage(props: { profile_id?: number }) { @@ -96,9 +95,9 @@ export function BookmarksPage(props: { profile_id?: number }) { @@ -107,9 +106,9 @@ export function BookmarksPage(props: { profile_id?: number }) { @@ -118,9 +117,9 @@ export function BookmarksPage(props: { profile_id?: number }) { @@ -131,13 +130,28 @@ export function BookmarksPage(props: { profile_id?: number }) { )} + {(watchingError || + plannedError || + watchedError || + delayedError || + abandonedError) && ( +
+
+

Ошибка

+

+ Произошла ошибка при загрузке закладок. Попробуйте обновить + страницу или зайдите позже. +

+
+
+ )} ); } diff --git a/app/pages/BookmarksCategory.tsx b/app/pages/BookmarksCategory.tsx index a0288bc..ea4ed0b 100644 --- a/app/pages/BookmarksCategory.tsx +++ b/app/pages/BookmarksCategory.tsx @@ -5,10 +5,10 @@ import { Spinner } from "#/components/Spinner/Spinner"; import { useState, useEffect } from "react"; import { useScrollPosition } from "#/hooks/useScrollPosition"; import { useUserStore } from "../store/auth"; -import { Dropdown, Button, Tabs } from "flowbite-react"; +import { Dropdown, Button } from "flowbite-react"; import { sort } from "./common"; import { ENDPOINTS } from "#/api/config"; -import { BookmarksList } from "#/api/utils"; +import { BookmarksList, useSWRfetcher } from "#/api/utils"; import { useRouter } from "next/navigation"; const DropdownTheme = { @@ -17,25 +17,10 @@ const DropdownTheme = { }, }; -const fetcher = async (url: string) => { - const res = await fetch(url); - - if (!res.ok) { - const error = new Error( - `An error occurred while fetching the data. status: ${res.status}` - ); - error.message = await res.json(); - throw error; - } - - return res.json(); -}; - export function BookmarksCategoryPage(props: any) { const token = useUserStore((state) => state.token); const authState = useUserStore((state) => state.state); const [selectedSort, setSelectedSort] = useState(0); - const [isLoadingEnd, setIsLoadingEnd] = useState(false); const [searchVal, setSearchVal] = useState(""); const router = useRouter(); @@ -61,7 +46,7 @@ export function BookmarksCategoryPage(props: any) { const { data, error, isLoading, size, setSize } = useSWRInfinite( getKey, - fetcher, + useSWRfetcher, { initialSize: 2 } ); @@ -73,7 +58,6 @@ export function BookmarksCategoryPage(props: any) { allReleases.push(...data[i].content); } setContent(allReleases); - setIsLoadingEnd(true); } }, [data]); @@ -92,9 +76,31 @@ export function BookmarksCategoryPage(props: any) { // eslint-disable-next-line react-hooks/exhaustive-deps }, [authState, token]); + if (isLoading) { + return ( +
+ +
+ ); + }; + + if (error) { + return ( +
+
+

Ошибка

+

+ Произошла ошибка при загрузке закладок. Попробуйте обновить страницу + или зайдите позже. +

+
+
+ ); + } + return ( <> - {!props.profile_id ? ( + {!props.profile_id ?
{ @@ -143,9 +149,7 @@ export function BookmarksCategoryPage(props: any) {
- ) : ( - "" - )} + : ""}
- {content && content.length > 0 ? ( + {content && content.length > 0 ? - ) : !isLoadingEnd || isLoading ? ( -
- -
- ) : ( -
+ :

В списке {props.SectionTitleMapping[props.slug]} пока ничего нет...

- )} + } {data && data[data.length - 1].current_page < data[data.length - 1].total_page_count && ( diff --git a/app/pages/Profile.tsx b/app/pages/Profile.tsx index 83a3106..7a81d93 100644 --- a/app/pages/Profile.tsx +++ b/app/pages/Profile.tsx @@ -4,6 +4,7 @@ import { useEffect, useState } from "react"; import { Spinner } from "../components/Spinner/Spinner"; import { ENDPOINTS } from "#/api/config"; import useSWR from "swr"; +import { useSWRfetcher } from "#/api/utils"; import { ProfileUser } from "#/components/Profile/Profile.User"; import { ProfileBannedBanner } from "#/components/Profile/ProfileBannedBanner"; @@ -16,20 +17,6 @@ import { ProfileReleaseRatings } from "#/components/Profile/Profile.ReleaseRatin import { ProfileReleaseHistory } from "#/components/Profile/Profile.ReleaseHistory"; import { ProfileEditModal } from "#/components/Profile/Profile.EditModal"; -const fetcher = async (url: string) => { - const res = await fetch(url); - - if (!res.ok) { - const error = new Error( - `An error occurred while fetching the data. status: ${res.status}` - ); - error.message = await res.json(); - throw error; - } - - return res.json(); -}; - export const ProfilePage = (props: any) => { const authUser = useUserStore(); const [user, setUser] = useState(null); @@ -41,7 +28,7 @@ export const ProfilePage = (props: any) => { if (authUser.token) { url += `?token=${authUser.token}`; } - const { data } = useSWR(url, fetcher); + const { data, error } = useSWR(url, useSWRfetcher); useEffect(() => { if (data) { @@ -50,7 +37,7 @@ export const ProfilePage = (props: any) => { } }, [data]); - if (!user) { + if (!user && !error) { return (
@@ -58,6 +45,20 @@ export const ProfilePage = (props: any) => { ); } + if (error) { + return ( +
+
+

Ошибка

+

+ Произошла ошибка при загрузке профиля. Попробуйте обновить страницу + или зайдите позже. +

+
+
+ ); + } + const hasSocials = user.vk_page != "" || user.tg_page != "" || @@ -157,7 +158,11 @@ export const ProfilePage = (props: any) => { {!user.is_stats_hidden && (
{user.votes && user.votes.length > 0 && ( - + )} {user.history && user.history.length > 0 && ( @@ -197,7 +202,11 @@ export const ProfilePage = (props: any) => {
{user.votes && user.votes.length > 0 && ( - + )} {user.history && user.history.length > 0 && ( @@ -207,7 +216,12 @@ export const ProfilePage = (props: any) => { )}
- + ); }; diff --git a/app/profile/[id]/bookmarks/[slug]/page.tsx b/app/profile/[id]/bookmarks/[slug]/page.tsx index a8efb42..a3fb3e1 100644 --- a/app/profile/[id]/bookmarks/[slug]/page.tsx +++ b/app/profile/[id]/bookmarks/[slug]/page.tsx @@ -16,19 +16,26 @@ export async function generateMetadata( parent: ResolvingMetadata ): Promise { const id: string = params.id; - const profile: any = await fetchDataViaGet( + const { data, error } = await fetchDataViaGet( `https://api.anixart.tv/profile/${id}` ); const previousOG = (await parent).openGraph; + if (error) { + return { + title: "Ошибка", + description: "Ошибка", + }; + }; + return { - title: SectionTitleMapping[params.slug] + " - " + profile.profile.login, - description: profile.profile.status, + title:"Закладки Пользователя - " + data.profile.login + " - " + SectionTitleMapping[params.slug], + description: "Закладки Пользователя - " + data.profile.login + " - " + SectionTitleMapping[params.slug], openGraph: { ...previousOG, images: [ { - url: profile.profile.avatar, // Must be an absolute URL + url: data.profile.avatar, // Must be an absolute URL width: 600, height: 600, }, diff --git a/app/profile/[id]/bookmarks/page.tsx b/app/profile/[id]/bookmarks/page.tsx index 1e01c92..afd66f5 100644 --- a/app/profile/[id]/bookmarks/page.tsx +++ b/app/profile/[id]/bookmarks/page.tsx @@ -1,26 +1,33 @@ import { BookmarksPage } from "#/pages/Bookmarks"; import { fetchDataViaGet } from "#/api/utils"; import type { Metadata, ResolvingMetadata } from "next"; -export const dynamic = 'force-static'; +export const dynamic = "force-static"; export async function generateMetadata( { params }, parent: ResolvingMetadata ): Promise { const id: string = params.id; - const profile: any = await fetchDataViaGet( + const { data, error } = await fetchDataViaGet( `https://api.anixart.tv/profile/${id}` ); const previousOG = (await parent).openGraph; + if (error) { + return { + title: "Ошибка", + description: "Ошибка", + }; + }; + return { - title: "Закладки - " + profile.profile.login, - description: profile.profile.status, + title: "Закладки Пользователя - " + data.profile.login, + description: "Закладки Пользователя - " + data.profile.login, openGraph: { ...previousOG, images: [ { - url: profile.profile.avatar, // Must be an absolute URL + url: data.profile.avatar, // Must be an absolute URL width: 600, height: 600, }, @@ -30,5 +37,5 @@ export async function generateMetadata( } export default function Index({ params }) { - return ; + return ; } diff --git a/app/profile/[id]/collections/page.tsx b/app/profile/[id]/collections/page.tsx index 1357024..ce018fd 100644 --- a/app/profile/[id]/collections/page.tsx +++ b/app/profile/[id]/collections/page.tsx @@ -1,43 +1,65 @@ import { CollectionsFullPage } from "#/pages/CollectionsFull"; import { fetchDataViaGet } from "#/api/utils"; import type { Metadata, ResolvingMetadata } from "next"; -export const dynamic = 'force-static'; +export const dynamic = "force-static"; export async function generateMetadata( { params }, parent: ResolvingMetadata ): Promise { const id: string = params.id; - const profile: any = await fetchDataViaGet( + const { data, error } = await fetchDataViaGet( `https://api.anixart.tv/profile/${id}` ); const previousOG = (await parent).openGraph; + if (error) { + return { + title: "Ошибка", + description: "Ошибка", + }; + }; + return { - title: "Коллекции - " + profile.profile.login, - description: profile.profile.status, + title: "Коллекции Пользователя - " + data.profile.login, + description: "Коллекции Пользователя - " + data.profile.login, openGraph: { ...previousOG, images: [ { - url: profile.profile.avatar, // Must be an absolute URL + url: data.profile.avatar, // Must be an absolute URL width: 600, height: 600, }, ], }, }; -} +}; export default async function Collections({ params }) { - const profile: any = await fetchDataViaGet( + const { data, error } = await fetchDataViaGet( `https://api.anixart.tv/profile/${params.id}` ); + + if (error) { + return ( +
+
+

Ошибка

+

+ Произошла ошибка при загрузке коллекций пользователя. Попробуйте + обновить страницу или зайдите позже. +

+
+
+ ); + } + return ( ); -} +}; diff --git a/app/profile/[id]/page.tsx b/app/profile/[id]/page.tsx index 66f4cca..0c28386 100644 --- a/app/profile/[id]/page.tsx +++ b/app/profile/[id]/page.tsx @@ -1,26 +1,33 @@ import { ProfilePage } from "#/pages/Profile"; import { fetchDataViaGet } from "#/api/utils"; import type { Metadata, ResolvingMetadata } from "next"; -export const dynamic = 'force-static'; +export const dynamic = "force-static"; export async function generateMetadata( { params }, parent: ResolvingMetadata ): Promise { const id: string = params.id; - const profile: any = await fetchDataViaGet( + const { data, error } = await fetchDataViaGet( `https://api.anixart.tv/profile/${id}` ); const previousOG = (await parent).openGraph; + if (error) { + return { + title: "Ошибка", + description: "Ошибка", + }; + } + return { - title: "Профиль - " + profile.profile.login, - description: profile.profile.status, + title: "Профиль - " + data.profile.login, + description: data.profile.status, openGraph: { ...previousOG, images: [ { - url: profile.profile.avatar, // Must be an absolute URL + url: data.profile.avatar, // Must be an absolute URL width: 600, height: 600, }, diff --git a/app/store/auth.ts b/app/store/auth.ts index e30cf28..9572b18 100644 --- a/app/store/auth.ts +++ b/app/store/auth.ts @@ -44,14 +44,16 @@ export const useUserStore = create((set, get) => ({ const jwt = getJWT(); if (jwt) { const _checkAuth = async () => { - const data = await fetchDataViaGet( + const { data, error } = await fetchDataViaGet( `${ENDPOINTS.user.profile}/${jwt.user_id}?token=${jwt.jwt}` ); - if (data && data.is_my_profile) { - get().login(data.profile, jwt.jwt); - } else { + + if (error || !data.is_my_profile) { get().logout(); + return; } + + get().login(data.profile, jwt.jwt); }; _checkAuth(); } else { diff --git a/middleware.ts b/middleware.ts index f9498a6..8e9184e 100644 --- a/middleware.ts +++ b/middleware.ts @@ -18,10 +18,13 @@ export default async function middleware( } let path = url.pathname.match(/\/api\/proxy\/(.*)/)?.[1] + url.search; - const data = await fetchDataViaGet(`${API_URL}/${path}`, isApiV2); + const { data, error } = await fetchDataViaGet( + `${API_URL}/${path}`, + isApiV2 + ); - if (!data) { - return new Response(JSON.stringify({ message: "Error Fetching Data" }), { + if (error) { + return new Response(JSON.stringify(error), { status: 500, headers: { "Content-Type": "application/json", From 92f6725b21a9d4c29eead3d48f029bdc7da1ecde Mon Sep 17 00:00:00 2001 From: Radiquum Date: Thu, 20 Mar 2025 22:24:20 +0500 Subject: [PATCH 02/28] feat: update fetcher for collections --- app/pages/Collections.tsx | 26 ++++++++++---- app/pages/CollectionsFull.tsx | 58 ++++++++++++++++-------------- app/pages/ViewCollection.tsx | 68 ++++++++++++++++++----------------- 3 files changed, 87 insertions(+), 65 deletions(-) diff --git a/app/pages/Collections.tsx b/app/pages/Collections.tsx index 54abe73..bb0413b 100644 --- a/app/pages/Collections.tsx +++ b/app/pages/Collections.tsx @@ -2,8 +2,7 @@ import useSWR from "swr"; import { CollectionCourusel } from "#/components/CollectionCourusel/CollectionCourusel"; import { Spinner } from "#/components/Spinner/Spinner"; -const fetcher = (...args: any) => - fetch([...args] as any).then((res) => res.json()); +import { useSWRfetcher } from "#/api/utils"; import { useUserStore } from "#/store/auth"; import { ENDPOINTS } from "#/api/config"; import { useRouter } from "next/navigation"; @@ -25,12 +24,15 @@ export function CollectionsPage() { } } - const { data } = useSWR(url, fetcher); - return [data]; + const { data, error } = useSWR(url, useSWRfetcher); + return [data, error]; } - const [userCollections] = useFetchReleases("userCollections"); - const [favoriteCollections] = useFetchReleases("userFavoriteCollections"); + const [userCollections, userCollectionsError] = + useFetchReleases("userCollections"); + const [favoriteCollections, favoriteCollectionsError] = useFetchReleases( + "userFavoriteCollections" + ); useEffect(() => { if (userStore.state === "finished" && !userStore.token) { @@ -114,6 +116,18 @@ export function CollectionsPage() { content={favoriteCollections.content} /> )} + + {(userCollectionsError || favoriteCollectionsError) && ( +
+
+

Ошибка

+

+ Произошла ошибка при загрузке коллекций. Попробуйте обновить + страницу или зайдите позже. +

+
+
+ )} ); } diff --git a/app/pages/CollectionsFull.tsx b/app/pages/CollectionsFull.tsx index 144efa7..ba3e6ee 100644 --- a/app/pages/CollectionsFull.tsx +++ b/app/pages/CollectionsFull.tsx @@ -8,20 +8,7 @@ import { useUserStore } from "../store/auth"; import { Button } from "flowbite-react"; import { ENDPOINTS } from "#/api/config"; import { useRouter } from "next/navigation"; - -const fetcher = async (url: string) => { - const res = await fetch(url); - - if (!res.ok) { - const error = new Error( - `An error occurred while fetching the data. status: ${res.status}` - ); - error.message = await res.json(); - throw error; - } - - return res.json(); -}; +import { useSWRfetcher } from "#/api/utils"; export function CollectionsFullPage(props: { type: "favorites" | "profile" | "release"; @@ -30,13 +17,12 @@ export function CollectionsFullPage(props: { release_id?: number; }) { const userStore = useUserStore(); - const [isLoadingEnd, setIsLoadingEnd] = useState(false); const router = useRouter(); const getKey = (pageIndex: number, previousPageData: any) => { if (previousPageData && !previousPageData.content.length) return null; - let url; + let url: string; if (props.type == "favorites") { url = `${ENDPOINTS.collection.favoriteCollections}/all/${pageIndex}`; @@ -55,7 +41,7 @@ export function CollectionsFullPage(props: { const { data, error, isLoading, size, setSize } = useSWRInfinite( getKey, - fetcher, + useSWRfetcher, { initialSize: 2 } ); @@ -67,7 +53,6 @@ export function CollectionsFullPage(props: { allReleases.push(...data[i].content); } setContent(allReleases); - setIsLoadingEnd(true); } }, [data]); @@ -90,26 +75,45 @@ export function CollectionsFullPage(props: { // eslint-disable-next-line react-hooks/exhaustive-deps }, [userStore.state, userStore.token]); + if (isLoading) { + return ( +
+ +
+ ); + }; + + if (error) { + return ( +
+
+

Ошибка

+

+ Произошла ошибка при загрузке коллекций. Попробуйте обновить страницу + или зайдите позже. +

+
+
+ ); + }; + return ( <> - {content && content.length > 0 ? ( + {content && content.length > 0 ? - ) : !isLoadingEnd || isLoading ? ( -
- -
- ) : ( -
+ :

Тут пока ничего нет...

- )} + } {data && data[data.length - 1].current_page < data[data.length - 1].total_page_count && ( diff --git a/app/pages/ViewCollection.tsx b/app/pages/ViewCollection.tsx index d7b5872..abf995b 100644 --- a/app/pages/ViewCollection.tsx +++ b/app/pages/ViewCollection.tsx @@ -6,7 +6,6 @@ import { useState, useEffect } from "react"; import { useScrollPosition } from "#/hooks/useScrollPosition"; import { useUserStore } from "../store/auth"; import { ENDPOINTS } from "#/api/config"; -import { useRouter } from "next/navigation"; import { ReleaseSection } from "#/components/ReleaseSection/ReleaseSection"; import { CollectionInfoBasics } from "#/components/CollectionInfo/CollectionInfo.Basics"; @@ -14,24 +13,10 @@ import { InfoLists } from "#/components/InfoLists/InfoLists"; import { CollectionInfoControls } from "#/components/CollectionInfo/CollectionInfoControls"; import { CommentsMain } from "#/components/Comments/Comments.Main"; -const fetcher = async (url: string) => { - const res = await fetch(url); - - if (!res.ok) { - const error = new Error( - `An error occurred while fetching the data. status: ${res.status}` - ); - error.message = await res.json(); - throw error; - } - - return res.json(); -}; +import { useSWRfetcher } from "#/api/utils"; export const ViewCollectionPage = (props: { id: number }) => { const userStore = useUserStore(); - const [isLoadingEnd, setIsLoadingEnd] = useState(false); - const router = useRouter(); function useFetchCollectionInfo(type: "info" | "comments") { let url: string; @@ -46,8 +31,8 @@ export const ViewCollectionPage = (props: { id: number }) => { url += `${type != "info" ? "&" : "?"}token=${userStore.token}`; } - const { data, isLoading } = useSWR(url, fetcher); - return [data, isLoading]; + const { data, error, isLoading } = useSWR(url, useSWRfetcher); + return [data, error, isLoading]; } const getKey = (pageIndex: number, previousPageData: any) => { if (previousPageData && !previousPageData.content.length) return null; @@ -58,14 +43,17 @@ export const ViewCollectionPage = (props: { id: number }) => { return url; }; - const [collectionInfo, collectionInfoIsLoading] = + const [collectionInfo, collectionInfoError, collectionInfoIsLoading] = useFetchCollectionInfo("info"); - const [collectionComments, collectionCommentsIsLoading] = - useFetchCollectionInfo("comments"); + const [ + collectionComments, + collectionCommentsError, + collectionCommentsIsLoading, + ] = useFetchCollectionInfo("comments"); const { data, error, isLoading, size, setSize } = useSWRInfinite( getKey, - fetcher, + useSWRfetcher, { initialSize: 2 } ); @@ -77,7 +65,6 @@ export const ViewCollectionPage = (props: { id: number }) => { allReleases.push(...data[i].content); } setContent(allReleases); - setIsLoadingEnd(true); } }, [data]); @@ -89,14 +76,35 @@ export const ViewCollectionPage = (props: { id: number }) => { // eslint-disable-next-line react-hooks/exhaustive-deps }, [scrollPosition]); + if (isLoading) { + return ( +
+ +
+ ); + } + + if (error || collectionInfoError) { + return ( +
+
+

Ошибка

+

+ Произошла ошибка при загрузке коллекции. Попробуйте обновить + страницу или зайдите позже. +

+
+
+ ); + } + return ( <> - {collectionInfoIsLoading ? ( + {collectionInfoIsLoading ?
- ) : ( - collectionInfo && ( + : collectionInfo && ( <>
{ )}
- {isLoading || !content || !isLoadingEnd ? ( -
- -
- ) : ( + {content && ( { )} ) - )} + } ); }; From f9ba62d52502963fcba72c8b2f7402dd41598830 Mon Sep 17 00:00:00 2001 From: Radiquum Date: Thu, 20 Mar 2025 22:35:28 +0500 Subject: [PATCH 03/28] refactor: fetcher -> useSWRfetcher (Search, CreateCollection Search Modal) --- app/pages/CreateCollection.tsx | 94 ++++++++++++++++------------------ app/pages/Search.tsx | 82 +++++++++++++---------------- 2 files changed, 79 insertions(+), 97 deletions(-) diff --git a/app/pages/CreateCollection.tsx b/app/pages/CreateCollection.tsx index 8300788..7363e6d 100644 --- a/app/pages/CreateCollection.tsx +++ b/app/pages/CreateCollection.tsx @@ -18,19 +18,8 @@ import { ReleaseLink } from "#/components/ReleaseLink/ReleaseLink"; import { CropModal } from "#/components/CropModal/CropModal"; import { b64toBlob } from "#/api/utils"; -const fetcher = async (url: string) => { - const res = await fetch(url); - - if (!res.ok) { - const error = new Error( - `An error occurred while fetching the data. status: ${res.status}` - ); - error.message = await res.json(); - throw error; - } - - return res.json(); -}; +import { useSWRfetcher } from "#/api/utils"; +import { Spinner } from "#/components/Spinner/Spinner"; export const CreateCollectionPage = () => { const userStore = useUserStore(); @@ -150,9 +139,9 @@ export const CreateCollectionPage = () => { async function _createCollection() { const url = - mode === "edit" - ? `${ENDPOINTS.collection.edit}/${collection_id}?token=${userStore.token}` - : `${ENDPOINTS.collection.create}?token=${userStore.token}`; + mode === "edit" ? + `${ENDPOINTS.collection.edit}/${collection_id}?token=${userStore.token}` + : `${ENDPOINTS.collection.create}?token=${userStore.token}`; const res = await fetch(url, { method: "POST", @@ -239,39 +228,42 @@ export const CreateCollectionPage = () => { className="flex flex-col items-center w-full sm:max-w-[600px] h-[337px] border-2 border-gray-300 border-dashed rounded-lg cursor-pointer bg-gray-50 hover:bg-gray-100 dark:border-gray-600 dark:bg-gray-700 dark:hover:border-gray-500 dark:hover:bg-gray-600" >
- {!imageUrl ? ( - <> - -

- Нажмите для загрузки{" "} - или перетащите файл -

-

- PNG или JPG (Макс. 600x337 пикселей) -

- - ) : ( - // eslint-disable-next-line @next/next/no-img-element - - )} + { + !imageUrl ? + <> + +

+ + Нажмите для загрузки + {" "} + или перетащите файл +

+

+ PNG или JPG (Макс. 600x337 пикселей) +

+ + // eslint-disable-next-line @next/next/no-img-element + : + + }
} + {isLoading && } + {error &&
Произошла ошибка
} ); }; diff --git a/app/pages/Search.tsx b/app/pages/Search.tsx index ba68963..f1ee103 100644 --- a/app/pages/Search.tsx +++ b/app/pages/Search.tsx @@ -11,20 +11,7 @@ import { useUserStore } from "../store/auth"; import { Button, Dropdown, Modal } from "flowbite-react"; import { CollectionsSection } from "#/components/CollectionsSection/CollectionsSection"; import { UserSection } from "#/components/UserSection/UserSection"; - -const fetcher = async (url: string) => { - const res = await fetch(url); - - if (!res.ok) { - const error = new Error( - `An error occurred while fetching the data. status: ${res.status}` - ); - error.message = await res.json(); - throw error; - } - - return res.json(); -}; +import { useSWRfetcher } from "#/api/utils"; const ListsMapping = { watching: { @@ -128,7 +115,7 @@ export function SearchPage() { const { data, error, isLoading, size, setSize } = useSWRInfinite( getKey, - fetcher, + useSWRfetcher, { initialSize: 2, revalidateFirstPage: false } ); @@ -174,7 +161,18 @@ export function SearchPage() { // eslint-disable-next-line react-hooks/exhaustive-deps }, [searchVal]); - if (error) return
failed to load: {error.message}
; + if (error) + return ( +
+
+

Ошибка

+

+ Произошла ошибка поиска. Попробуйте обновить страницу или зайдите + позже. +

+
+
+ ); return ( <> @@ -237,39 +235,35 @@ export function SearchPage() {
{data && data[0].related && } - {content ? ( - content.length > 0 ? ( + {content ? + content.length > 0 ? <> - {where == "collections" ? ( + {where == "collections" ? - ) : where == "profiles" ? ( + : where == "profiles" ? - ) : ( - - )} + } - ) : ( -
+ :

Странно, аниме не найдено, попробуйте другой запрос...

- ) - ) : ( - isLoading && ( + : isLoading && (
) - )} + } {!content && !isLoading && !query && (
@@ -277,11 +271,13 @@ export function SearchPage() {
)}
- {data && - data.length > 1 && - (where == "releases" - ? data[data.length - 1].releases.length == 25 - : data[data.length - 1].content.length == 25) ? ( + {( + data && + data.length > 1 && + (where == "releases" ? + data[data.length - 1].releases.length == 25 + : data[data.length - 1].content.length == 25) + ) ?
- ) : ( - "" - )} + : ""} - {props.isAuth && - where == "list" && - ListsMapping.hasOwnProperty(list) ? ( + {props.isAuth && where == "list" && ListsMapping.hasOwnProperty(list) ?

Список

@@ -414,10 +406,8 @@ const FiltersModal = (props: {
- ) : ( - "" - )} - {!["profiles", "collections"].includes(where) ? ( + : ""} + {!["profiles", "collections"].includes(where) ?

Искать по

@@ -435,9 +425,7 @@ const FiltersModal = (props: {
- ) : ( - "" - )} + : ""}
From 8e56a39fe1aa91a6f21b7b1eb7c74326e7422096 Mon Sep 17 00:00:00 2001 From: Radiquum Date: Thu, 20 Mar 2025 23:04:37 +0500 Subject: [PATCH 04/28] fix: pages that use fetchDataViaGET --- app/collection/[id]/page.tsx | 20 +++++++--- app/components/Comments/Comments.Main.tsx | 23 ++---------- app/pages/CreateCollection.tsx | 4 +- app/pages/Release.tsx | 39 ++++++++++++++------ app/related/[id]/page.tsx | 45 +++++++++++++++++++++-- app/release/[id]/collections/page.tsx | 36 ++++++++++++++---- app/release/[id]/page.tsx | 19 +++++++--- 7 files changed, 131 insertions(+), 55 deletions(-) diff --git a/app/collection/[id]/page.tsx b/app/collection/[id]/page.tsx index a8b8b1c..94d0b0a 100644 --- a/app/collection/[id]/page.tsx +++ b/app/collection/[id]/page.tsx @@ -1,28 +1,36 @@ import { ViewCollectionPage } from "#/pages/ViewCollection"; import { fetchDataViaGet } from "#/api/utils"; import type { Metadata, ResolvingMetadata } from "next"; -export const dynamic = 'force-static'; +export const dynamic = "force-static"; export async function generateMetadata( { params }, parent: ResolvingMetadata ): Promise { const id = params.id; - const collection = await fetchDataViaGet( + const { data, error } = await fetchDataViaGet( `https://api.anixart.tv/collection/${id}` ); const previousOG = (await parent).openGraph; + if (error) { + return { + title: "Ошибка", + description: "Ошибка", + }; + } + return { - title: collection.collection - ? "коллекция - " + collection.collection.title + title: + data.collection ? + "коллекция - " + data.collection.title : "Приватная коллекция", - description: collection.collection && collection.collection.description, + description: data.collection && data.collection.description, openGraph: { ...previousOG, images: [ { - url: collection.collection && collection.collection.image, // Must be an absolute URL + url: data.collection && data.collection.image, // Must be an absolute URL width: 600, height: 800, }, diff --git a/app/components/Comments/Comments.Main.tsx b/app/components/Comments/Comments.Main.tsx index 6579df4..c3fa006 100644 --- a/app/components/Comments/Comments.Main.tsx +++ b/app/components/Comments/Comments.Main.tsx @@ -4,6 +4,7 @@ import { useState, useEffect, useCallback } from "react"; import { ENDPOINTS } from "#/api/config"; import useSWRInfinite from "swr/infinite"; import { CommentsAddModal } from "./Comments.Add"; +import { useSWRfetcher } from "#/api/utils"; export const CommentsMain = (props: { release_id: number; @@ -82,20 +83,6 @@ export const CommentsMain = (props: { ); }; -const fetcher = async (url: string) => { - const res = await fetch(url); - - if (!res.ok) { - const error = new Error( - `An error occurred while fetching the data. status: ${res.status}` - ); - error.message = await res.json(); - throw error; - } - - return res.json(); -}; - const CommentsAllModal = (props: { isOpen: boolean; setIsOpen: any; @@ -103,7 +90,6 @@ const CommentsAllModal = (props: { token: string | null; type?: "release" | "collection"; }) => { - const [isLoadingEnd, setIsLoadingEnd] = useState(false); const [currentRef, setCurrentRef] = useState(null); const modalRef = useCallback((ref) => { setCurrentRef(ref); @@ -127,7 +113,7 @@ const CommentsAllModal = (props: { const { data, error, isLoading, size, setSize } = useSWRInfinite( getKey, - fetcher, + useSWRfetcher, { initialSize: 2 } ); @@ -139,7 +125,6 @@ const CommentsAllModal = (props: { allReleases.push(...data[i].content); } setContent(allReleases); - setIsLoadingEnd(true); } }, [data]); @@ -170,7 +155,7 @@ const CommentsAllModal = (props: { Все комментарии

- всего: {!isLoadingEnd ? "загрузка..." : data[0].total_count} + всего: {isLoading ? "загрузка..." : data[0].total_count}

@@ -179,7 +164,7 @@ const CommentsAllModal = (props: { onScroll={handleScroll} ref={modalRef} > - {!isLoadingEnd ? ( + {isLoading ? ( ) : content ? ( content.map((comment: any) => ( diff --git a/app/pages/CreateCollection.tsx b/app/pages/CreateCollection.tsx index 7363e6d..ecf0581 100644 --- a/app/pages/CreateCollection.tsx +++ b/app/pages/CreateCollection.tsx @@ -545,9 +545,9 @@ export const ReleasesEditModal = (props: { })} {content.length == 1 &&
} + {isLoading && } + {error &&
Произошла ошибка
} - {isLoading && } - {error &&
Произошла ошибка
} ); }; diff --git a/app/pages/Release.tsx b/app/pages/Release.tsx index e294c5d..c29864f 100644 --- a/app/pages/Release.tsx +++ b/app/pages/Release.tsx @@ -2,8 +2,7 @@ import useSWR from "swr"; import { Spinner } from "#/components/Spinner/Spinner"; -const fetcher = (...args: any) => - fetch([...args] as any).then((res) => res.json()); +import { useSWRfetcher } from "#/api/utils"; import { useUserStore } from "#/store/auth"; import { useEffect, useState } from "react"; @@ -33,7 +32,7 @@ export const ReleasePage = (props: any) => { if (userStore.token) { url += `?token=${userStore.token}`; } - const { data, isLoading, error } = useSWR(url, fetcher); + const { data, isLoading, error } = useSWR(url, useSWRfetcher); return [data, isLoading, error]; } const [data, isLoading, error] = useFetch(props.id); @@ -49,7 +48,29 @@ export const ReleasePage = (props: any) => { } }, [data]); - return data ? ( + if (isLoading) { + return ( +
+ +
+ ); + } + + if (error) { + return ( +
+
+

Ошибка

+

+ Произошла ошибка при загрузке релиза. Попробуйте обновить страницу + или зайдите позже. +

+
+
+ ); + } + + return ( <>
@@ -99,11 +120,9 @@ export const ReleasePage = (props: any) => { {data.release.status && data.release.status.name.toLowerCase() != "анонс" && (
- {preferenceStore.params.experimental.newPlayer ? ( + {preferenceStore.params.experimental.newPlayer ? - ) : ( - - )} + : }
)} {data.release.status && @@ -160,9 +179,5 @@ export const ReleasePage = (props: any) => {
- ) : ( -
- -
); }; diff --git a/app/related/[id]/page.tsx b/app/related/[id]/page.tsx index ab89d49..3ce2b33 100644 --- a/app/related/[id]/page.tsx +++ b/app/related/[id]/page.tsx @@ -3,12 +3,31 @@ import { fetchDataViaGet } from "#/api/utils"; import type { Metadata, ResolvingMetadata } from "next"; export const dynamic = 'force-static'; +const _getData = async (url: string) => { + const { data, error } = await fetchDataViaGet(url); + return [data, error]; +} + export async function generateMetadata({ params }, parent: ResolvingMetadata): Promise { const id:string = params.id; - const related: any = await fetchDataViaGet(`https://api.anixart.tv/related/${id}/0`); - const firstRelease: any = await fetchDataViaGet(`https://api.anixart.tv/release/${related.content[0].id}`); const previousOG = (await parent).openGraph; + const [ related, relatedError ] = await _getData(`https://api.anixart.tv/related/${id}/0`); + if (relatedError || related.content.length == 0) { + return { + title: "Ошибка", + description: "Ошибка", + }; + }; + + const [ firstRelease, firstReleaseError ] = await _getData(`https://api.anixart.tv/release/${related.content[0].id}`); + if (firstReleaseError) { + return { + title: "Ошибка", + description: "Ошибка", + }; + }; + return { title: "Франшиза - " + firstRelease.release.related.name_ru || firstRelease.release.related.name, description: firstRelease.release.description, @@ -27,7 +46,25 @@ export async function generateMetadata({ params }, parent: ResolvingMetadata): P export default async function Related({ params }) { const id: string = params.id; - const related: any = await fetchDataViaGet(`https://api.anixart.tv/related/${id}/0`); - const firstRelease: any = await fetchDataViaGet(`https://api.anixart.tv/release/${related.content[0].id}`); + const [ related, relatedError ] = await _getData(`https://api.anixart.tv/related/${id}/0`); + if (relatedError || related.content.length == 0) { + return
+
+

Ошибка

+

Произошла ошибка при загрузке франшизы. Попробуйте обновить страницу или зайдите позже.

+
+
+ }; + + const [ firstRelease, firstReleaseError ] = await _getData(`https://api.anixart.tv/release/${related.content[0].id}`); + if (firstReleaseError) { + return
+
+

Ошибка

+

Произошла ошибка при загрузке франшизы. Попробуйте обновить страницу или зайдите позже.

+
+
+ }; + return ; } diff --git a/app/release/[id]/collections/page.tsx b/app/release/[id]/collections/page.tsx index 5b86a07..b9dcded 100644 --- a/app/release/[id]/collections/page.tsx +++ b/app/release/[id]/collections/page.tsx @@ -1,24 +1,33 @@ import { CollectionsFullPage } from "#/pages/CollectionsFull"; import { fetchDataViaGet } from "#/api/utils"; import type { Metadata, ResolvingMetadata } from "next"; -export const dynamic = 'force-static'; +export const dynamic = "force-static"; export async function generateMetadata( { params }, parent: ResolvingMetadata ): Promise { const id = params.id; - const release = await fetchDataViaGet(`https://api.anixart.tv/release/${id}`); + const { data, error } = await fetchDataViaGet( + `https://api.anixart.tv/release/${id}` + ); const previousOG = (await parent).openGraph; + if (error) { + return { + title: "Ошибка", + description: "Ошибка", + }; + } + return { - title: release.release.title_ru + " - в коллекциях", - description: release.release.description, + title: data.release.title_ru + " - в коллекциях", + description: data.release.description, openGraph: { ...previousOG, images: [ { - url: release.release.image, // Must be an absolute URL + url: data.release.image, // Must be an absolute URL width: 600, height: 800, }, @@ -28,13 +37,26 @@ export async function generateMetadata( } export default async function Collections({ params }) { - const release: any = await fetchDataViaGet( + const { data, error } = await fetchDataViaGet( `https://api.anixart.tv/release/${params.id}` ); + + if (error) { +
+
+

Ошибка

+

+ Произошла ошибка при загрузке коллекций. Попробуйте обновить страницу + или зайдите позже. +

+
+
; + }; + return ( ); diff --git a/app/release/[id]/page.tsx b/app/release/[id]/page.tsx index 57a9e72..ba70944 100644 --- a/app/release/[id]/page.tsx +++ b/app/release/[id]/page.tsx @@ -1,24 +1,33 @@ import { ReleasePage } from "#/pages/Release"; import { fetchDataViaGet } from "#/api/utils"; import type { Metadata, ResolvingMetadata } from "next"; -export const dynamic = 'force-static'; +export const dynamic = "force-static"; export async function generateMetadata( { params }, parent: ResolvingMetadata ): Promise { const id = params.id; - const release = await fetchDataViaGet(`https://api.anixart.tv/release/${id}`); + const { data, error } = await fetchDataViaGet( + `https://api.anixart.tv/release/${id}` + ); const previousOG = (await parent).openGraph; + if (error) { + return { + title: "Ошибка", + description: "Ошибка", + }; + } + return { - title: release.release.title_ru, - description: release.release.description, + title: data.release.title_ru, + description: data.release.description, openGraph: { ...previousOG, images: [ { - url: release.release.image, // Must be an absolute URL + url: data.release.image, // Must be an absolute URL width: 600, height: 800, }, From b10a4fabb0a5f611899a3198679ad98e5ef662bb Mon Sep 17 00:00:00 2001 From: Radiquum Date: Thu, 20 Mar 2025 23:15:58 +0500 Subject: [PATCH 05/28] refactor: fetcher -> useSWRfetcher --- app/components/Profile/Profile.EditModal.tsx | 18 ++------------ .../Profile/Profile.ReleaseRatings.tsx | 24 ++++--------------- .../ReleaseInfo/ReleaseInfo.UserList.tsx | 17 ++----------- app/pages/Favorites.tsx | 21 +++------------- app/pages/History.tsx | 20 +++------------- app/pages/Related.tsx | 18 +++----------- 6 files changed, 17 insertions(+), 101 deletions(-) diff --git a/app/components/Profile/Profile.EditModal.tsx b/app/components/Profile/Profile.EditModal.tsx index 805e0f8..95eab1c 100644 --- a/app/components/Profile/Profile.EditModal.tsx +++ b/app/components/Profile/Profile.EditModal.tsx @@ -5,7 +5,7 @@ import { Spinner } from "../Spinner/Spinner"; import useSWR from "swr"; import { ENDPOINTS } from "#/api/config"; import { useEffect, useState } from "react"; -import { b64toBlob, unixToDate } from "#/api/utils"; +import { b64toBlob, unixToDate, useSWRfetcher } from "#/api/utils"; import { ProfileEditPrivacyModal } from "./Profile.EditPrivacyModal"; import { ProfileEditStatusModal } from "./Profile.EditStatusModal"; import { ProfileEditSocialModal } from "./Profile.EditSocialModal"; @@ -14,20 +14,6 @@ import { useSWRConfig } from "swr"; import { useUserStore } from "#/store/auth"; import { ProfileEditLoginModal } from "./Profile.EditLoginModal"; -const fetcher = async (url: string) => { - const res = await fetch(url); - - if (!res.ok) { - const error = new Error( - `An error occurred while fetching the data. status: ${res.status}` - ); - error.message = await res.json(); - throw error; - } - - return res.json(); -}; - export const ProfileEditModal = (props: { isOpen: boolean; setIsOpen: (isOpen: boolean) => void; @@ -70,7 +56,7 @@ export const ProfileEditModal = (props: { }; function useFetchInfo(url: string) { - const { data, isLoading, error } = useSWR(url, fetcher); + const { data, isLoading, error } = useSWR(url, useSWRfetcher); return [data, isLoading, error]; } diff --git a/app/components/Profile/Profile.ReleaseRatings.tsx b/app/components/Profile/Profile.ReleaseRatings.tsx index 82ec2da..6c6f978 100644 --- a/app/components/Profile/Profile.ReleaseRatings.tsx +++ b/app/components/Profile/Profile.ReleaseRatings.tsx @@ -11,7 +11,7 @@ import type { FlowbiteCarouselControlTheme, } from "flowbite-react"; import Image from "next/image"; -import { unixToDate } from "#/api/utils"; +import { unixToDate, useSWRfetcher } from "#/api/utils"; import Link from "next/link"; import { useCallback, useEffect, useState } from "react"; import { ENDPOINTS } from "#/api/config"; @@ -95,7 +95,6 @@ const ProfileReleaseRatingsModal = (props: { profile_id: number; token: string | null; }) => { - const [isLoadingEnd, setIsLoadingEnd] = useState(false); const [currentRef, setCurrentRef] = useState(null); const modalRef = useCallback((ref) => { setCurrentRef(ref); @@ -110,23 +109,9 @@ const ProfileReleaseRatingsModal = (props: { return url; }; - const fetcher = async (url: string) => { - const res = await fetch(url); - - if (!res.ok) { - const error = new Error( - `An error occurred while fetching the data. status: ${res.status}` - ); - error.message = await res.json(); - throw error; - } - - return res.json(); - }; - const { data, error, isLoading, size, setSize } = useSWRInfinite( getKey, - fetcher, + useSWRfetcher, { initialSize: 2 } ); @@ -138,7 +123,6 @@ const ProfileReleaseRatingsModal = (props: { allReleases.push(...data[i].content); } setContent(allReleases); - setIsLoadingEnd(true); } }, [data]); @@ -170,8 +154,8 @@ const ProfileReleaseRatingsModal = (props: { onScroll={handleScroll} ref={modalRef} > - {!isLoadingEnd && isLoading && } - {isLoadingEnd && !isLoading && content.length > 0 ? ( + {isLoading && } + {content && content.length > 0 ? ( content.map((release) => { return ( { - const res = await fetch(url); - - if (!res.ok) { - const error = new Error( - `An error occurred while fetching the data. status: ${res.status}` - ); - error.message = await res.json(); - throw error; - } - - return res.json(); -}; - const AddReleaseToCollectionModal = (props: { isOpen: boolean; setIsOpen: (isopen: boolean) => void; @@ -153,7 +140,7 @@ const AddReleaseToCollectionModal = (props: { const { data, error, isLoading, size, setSize } = useSWRInfinite( getKey, - fetcher, + useSWRfetcher, { initialSize: 2 } ); diff --git a/app/pages/Favorites.tsx b/app/pages/Favorites.tsx index ce593de..9589599 100644 --- a/app/pages/Favorites.tsx +++ b/app/pages/Favorites.tsx @@ -9,6 +9,7 @@ import { Dropdown, Button } from "flowbite-react"; import { sort } from "./common"; import { ENDPOINTS } from "#/api/config"; import { useRouter } from "next/navigation"; +import { useSWRfetcher } from "#/api/utils"; const DropdownTheme = { floating: { @@ -16,25 +17,10 @@ const DropdownTheme = { }, }; -const fetcher = async (url: string) => { - const res = await fetch(url); - - if (!res.ok) { - const error = new Error( - `An error occurred while fetching the data. status: ${res.status}` - ); - error.message = await res.json(); - throw error; - } - - return res.json(); -}; - export function FavoritesPage() { const token = useUserStore((state) => state.token); const authState = useUserStore((state) => state.state); const [selectedSort, setSelectedSort] = useState(0); - const [isLoadingEnd, setIsLoadingEnd] = useState(false); const router = useRouter(); const [searchVal, setSearchVal] = useState(""); @@ -47,7 +33,7 @@ export function FavoritesPage() { const { data, error, isLoading, size, setSize } = useSWRInfinite( getKey, - fetcher, + useSWRfetcher, { initialSize: 2 } ); @@ -59,7 +45,6 @@ export function FavoritesPage() { allReleases.push(...data[i].content); } setContent(allReleases); - setIsLoadingEnd(true); } }, [data]); @@ -156,7 +141,7 @@ export function FavoritesPage() { {content && content.length > 0 ? ( - ) : !isLoadingEnd || isLoading ? ( + ) : isLoading ? (
diff --git a/app/pages/History.tsx b/app/pages/History.tsx index 19bf43b..73c9f10 100644 --- a/app/pages/History.tsx +++ b/app/pages/History.tsx @@ -8,25 +8,12 @@ import { useUserStore } from "../store/auth"; import { ENDPOINTS } from "#/api/config"; import { Button } from "flowbite-react"; import { useRouter } from "next/navigation"; +import { useSWRfetcher } from "#/api/utils"; -const fetcher = async (url: string) => { - const res = await fetch(url); - - if (!res.ok) { - const error = new Error( - `An error occurred while fetching the data. status: ${res.status}` - ); - error.message = await res.json(); - throw error; - } - - return res.json(); -}; export function HistoryPage() { const token = useUserStore((state) => state.token); const authState = useUserStore((state) => state.state); - const [isLoadingEnd, setIsLoadingEnd] = useState(false); const router = useRouter(); const [searchVal, setSearchVal] = useState(""); @@ -39,7 +26,7 @@ export function HistoryPage() { const { data, error, isLoading, size, setSize } = useSWRInfinite( getKey, - fetcher, + useSWRfetcher, { initialSize: 2 } ); @@ -51,7 +38,6 @@ export function HistoryPage() { allReleases.push(...data[i].content); } setContent(allReleases); - setIsLoadingEnd(true); } }, [data]); @@ -136,7 +122,7 @@ export function HistoryPage() { )} - ) : !isLoadingEnd || isLoading ? ( + ) : isLoading ? (
diff --git a/app/pages/Related.tsx b/app/pages/Related.tsx index 70ff44a..beb5d05 100644 --- a/app/pages/Related.tsx +++ b/app/pages/Related.tsx @@ -6,22 +6,11 @@ import { useScrollPosition } from "#/hooks/useScrollPosition"; import { useUserStore } from "../store/auth"; import { ENDPOINTS } from "#/api/config"; import { ReleaseLink169Related } from "#/components/ReleaseLink/ReleaseLink.16_9Related"; +import { useSWRfetcher } from "#/api/utils"; -const fetcher = async (url: string) => { - const res = await fetch(url); - - if (!res.ok) { - const error = new Error(`An error occurred while fetching the data. status: ${res.status}`); - error.message = await res.json(); - throw error; - } - - return res.json(); -}; export function RelatedPage(props: {id: number|string, title: string}) { const token = useUserStore((state) => state.token); - const [isLoadingEnd, setIsLoadingEnd] = useState(false); const getKey = (pageIndex: number, previousPageData: any) => { if (previousPageData && !previousPageData.content.length) return null; @@ -33,7 +22,7 @@ export function RelatedPage(props: {id: number|string, title: string}) { const { data, error, isLoading, size, setSize } = useSWRInfinite( getKey, - fetcher, + useSWRfetcher, { initialSize: 1 } ); @@ -45,7 +34,6 @@ export function RelatedPage(props: {id: number|string, title: string}) { allReleases.push(...data[i].content); } setContent(allReleases); - setIsLoadingEnd(true); } }, [data]); @@ -70,7 +58,7 @@ export function RelatedPage(props: {id: number|string, title: string}) { return })} - ) : !isLoadingEnd || isLoading ? ( + ) : isLoading ? (
From f609de25f972ca403c71d27b386f7279eaa78590 Mon Sep 17 00:00:00 2001 From: Radiquum Date: Thu, 20 Mar 2025 23:22:29 +0500 Subject: [PATCH 06/28] fix: missing alt text property errors in console --- app/components/CollectionLink/CollectionLink.tsx | 2 +- app/components/ReleaseLink/ReleaseLink.16_9FullImage.tsx | 2 +- app/components/ReleaseLink/ReleaseLink.16_9Poster.tsx | 2 +- app/components/ReleaseLink/ReleaseLink.16_9Related.tsx | 2 +- app/components/UserSection/UserSection.tsx | 2 +- 5 files changed, 5 insertions(+), 5 deletions(-) diff --git a/app/components/CollectionLink/CollectionLink.tsx b/app/components/CollectionLink/CollectionLink.tsx index a3ae98e..4b45fe8 100644 --- a/app/components/CollectionLink/CollectionLink.tsx +++ b/app/components/CollectionLink/CollectionLink.tsx @@ -15,7 +15,7 @@ export const CollectionLink = (props: any) => { {props.title} diff --git a/app/components/ReleaseLink/ReleaseLink.16_9Related.tsx b/app/components/ReleaseLink/ReleaseLink.16_9Related.tsx index 8143712..aa2959f 100644 --- a/app/components/ReleaseLink/ReleaseLink.16_9Related.tsx +++ b/app/components/ReleaseLink/ReleaseLink.16_9Related.tsx @@ -43,7 +43,7 @@ export const ReleaseLink169Related = (props: any) => { src={props.image} height={250} width={250} - alt={props.title} + alt={props.title || ""} className="object-cover aspect-[9/16] lg:aspect-[12/16] h-auto w-24 md:w-32 lg:w-48 rounded-md" /> diff --git a/app/components/UserSection/UserSection.tsx b/app/components/UserSection/UserSection.tsx index 121f309..4dc7bfe 100644 --- a/app/components/UserSection/UserSection.tsx +++ b/app/components/UserSection/UserSection.tsx @@ -17,7 +17,7 @@ export const UserSection = (props: { sectionTitle?: string; content: any }) => { return ( - +
{user.login}
From 60ece79df367bb8f01e13771d98c5f0216c3dfe2 Mon Sep 17 00:00:00 2001 From: Radiquum Date: Fri, 21 Mar 2025 00:01:46 +0500 Subject: [PATCH 07/28] feat: add toast notification on favorite button click --- app/App.tsx | 14 +++ .../ReleaseInfo/ReleaseInfo.UserList.tsx | 116 ++++++++++++------ package-lock.json | 23 ++++ package.json | 1 + 4 files changed, 119 insertions(+), 35 deletions(-) diff --git a/app/App.tsx b/app/App.tsx index e8c949c..546b823 100644 --- a/app/App.tsx +++ b/app/App.tsx @@ -8,6 +8,7 @@ import { Button, Modal } from "flowbite-react"; import { Spinner } from "./components/Spinner/Spinner"; import { ChangelogModal } from "#/components/ChangelogModal/ChangelogModal"; import PlausibleProvider from "next-plausible"; +import { Bounce, ToastContainer } from "react-toastify"; const inter = Inter({ subsets: ["latin"] }); @@ -111,6 +112,19 @@ export const App = (props) => { enabled={true} /> )} + ); }; diff --git a/app/components/ReleaseInfo/ReleaseInfo.UserList.tsx b/app/components/ReleaseInfo/ReleaseInfo.UserList.tsx index e2a966a..212a15e 100644 --- a/app/components/ReleaseInfo/ReleaseInfo.UserList.tsx +++ b/app/components/ReleaseInfo/ReleaseInfo.UserList.tsx @@ -3,7 +3,9 @@ import { ENDPOINTS } from "#/api/config"; import Link from "next/link"; import useSWRInfinite from "swr/infinite"; import { useCallback, useEffect, useState } from "react"; -import { useSWRfetcher } from "#/api/utils"; +import { tryCatchAPI, useSWRfetcher } from "#/api/utils"; +import { toast } from "react-toastify"; +import { useThemeMode } from "flowbite-react"; const lists = [ { list: 0, name: "Не смотрю" }, @@ -32,18 +34,64 @@ export const ReleaseInfoUserList = (props: { }) => { const [AddReleaseToCollectionModalOpen, setAddReleaseToCollectionModalOpen] = useState(false); + const [favButtonDisabled, setFavButtonDisabled] = useState(false); + const [listEventDisabledd, setListEventDisabled] = useState(false); + const theme = useThemeMode(); + function _addToFavorite() { - if (props.token) { - props.setIsFavorite(!props.isFavorite); - if (props.isFavorite) { - fetch( - `${ENDPOINTS.user.favorite}/delete/${props.release_id}?token=${props.token}` - ); - } else { - fetch( - `${ENDPOINTS.user.favorite}/add/${props.release_id}?token=${props.token}` - ); + async function _setFav(url: string) { + setFavButtonDisabled(true); + const tid = toast.loading( + !props.isFavorite ? + "Добавляем в избранное..." + : "Удаляем из избранное...", + { + position: "bottom-center", + hideProgressBar: true, + closeOnClick: false, + pauseOnHover: false, + draggable: false, + theme: theme.mode == "light" ? "light" : "dark", + } + ); + const { data, error } = await tryCatchAPI(fetch(url)); + + if (error) { + toast.update(tid, { + render: + !props.isFavorite ? + "Ошибка добавления в избранное" + : "Ошибка удаления из избранного", + type: "error", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + }); + setFavButtonDisabled(false); + return; } + + toast.update(tid, { + render: + !props.isFavorite ? "Добавлено в избранное" : "Удалено из избранного", + type: "success", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + }); + + props.setIsFavorite(!props.isFavorite); + setFavButtonDisabled(false); + } + + if (props.token) { + let url = `${ENDPOINTS.user.favorite}/add/${props.release_id}?token=${props.token}`; + if (props.isFavorite) { + url = `${ENDPOINTS.user.favorite}/delete/${props.release_id}?token=${props.token}`; + } + _setFav(url); } } @@ -78,7 +126,7 @@ export const ReleaseInfoUserList = (props: { )} - {props.token ? ( + {props.token ? <> - ) : ( -

Войдите что-бы добавить в список, избранное или коллекцию

- )} + :

Войдите что-бы добавить в список, избранное или коллекцию

} - {content && content.length > 0 - ? content.map((collection) => ( - - )) - : "коллекций не найдено"} + {content && content.length > 0 ? + content.map((collection) => ( + + )) + : "коллекций не найдено"} ); diff --git a/package-lock.json b/package-lock.json index 56096e9..c0b6988 100644 --- a/package-lock.json +++ b/package-lock.json @@ -20,6 +20,7 @@ "react": "^18", "react-cropper": "^2.3.3", "react-dom": "^18", + "react-toastify": "^11.0.5", "swiper": "^11.1.4", "swr": "^2.2.5", "videojs-video-element": "^1.4.1", @@ -1671,6 +1672,15 @@ "resolved": "https://registry.npmjs.org/client-only/-/client-only-0.0.1.tgz", "integrity": "sha512-IV3Ou0jSMzZrd3pZ48nLkT9DA7Ag1pnPzaiQhpW7c3RbcqqzvzzVu+L8gfqMp/8IM2MQtSiqaCxrrcfu8I8rMA==" }, + "node_modules/clsx": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/clsx/-/clsx-2.1.1.tgz", + "integrity": "sha512-eYm0QWBtUrBWZWG0d386OGAw16Z995PiOVo2B7bjWSbHedGl5e0ZWaq65kOGgUSNesEIDkB9ISbTg/JK9dhCZA==", + "license": "MIT", + "engines": { + "node": ">=6" + } + }, "node_modules/color-convert": { "version": "2.0.1", "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz", @@ -4765,6 +4775,19 @@ "integrity": "sha512-24e6ynE2H+OKt4kqsOvNd8kBpV65zoxbA4BVsEOB3ARVWQki/DHzaUoC5KuON/BiccDaCCTZBuOcfZs70kR8bQ==", "dev": true }, + "node_modules/react-toastify": { + "version": "11.0.5", + "resolved": "https://registry.npmjs.org/react-toastify/-/react-toastify-11.0.5.tgz", + "integrity": "sha512-EpqHBGvnSTtHYhCPLxML05NLY2ZX0JURbAdNYa6BUkk+amz4wbKBQvoKQAB0ardvSarUBuY4Q4s1sluAzZwkmA==", + "license": "MIT", + "dependencies": { + "clsx": "^2.1.1" + }, + "peerDependencies": { + "react": "^18 || ^19", + "react-dom": "^18 || ^19" + } + }, "node_modules/read-cache": { "version": "1.0.0", "resolved": "https://registry.npmjs.org/read-cache/-/read-cache-1.0.0.tgz", diff --git a/package.json b/package.json index de5a415..83db26f 100644 --- a/package.json +++ b/package.json @@ -21,6 +21,7 @@ "react": "^18", "react-cropper": "^2.3.3", "react-dom": "^18", + "react-toastify": "^11.0.5", "swiper": "^11.1.4", "swr": "^2.2.5", "videojs-video-element": "^1.4.1", From 4c6fb75785ad55737f94bd41eab9177246cf2c71 Mon Sep 17 00:00:00 2001 From: Radiquum Date: Fri, 21 Mar 2025 00:07:05 +0500 Subject: [PATCH 08/28] feat: add toast for release user list change --- .../ReleaseInfo/ReleaseInfo.UserList.tsx | 44 +++++++++++++++++-- 1 file changed, 41 insertions(+), 3 deletions(-) diff --git a/app/components/ReleaseInfo/ReleaseInfo.UserList.tsx b/app/components/ReleaseInfo/ReleaseInfo.UserList.tsx index 212a15e..3fcfd07 100644 --- a/app/components/ReleaseInfo/ReleaseInfo.UserList.tsx +++ b/app/components/ReleaseInfo/ReleaseInfo.UserList.tsx @@ -35,7 +35,7 @@ export const ReleaseInfoUserList = (props: { const [AddReleaseToCollectionModalOpen, setAddReleaseToCollectionModalOpen] = useState(false); const [favButtonDisabled, setFavButtonDisabled] = useState(false); - const [listEventDisabledd, setListEventDisabled] = useState(false); + const [listEventDisabled, setListEventDisabled] = useState(false); const theme = useThemeMode(); function _addToFavorite() { @@ -96,9 +96,46 @@ export const ReleaseInfoUserList = (props: { } function _addToList(list: number) { - if (props.token) { + async function _setList(url: string) { + setListEventDisabled(true); + const tid = toast.loading("Добавляем в список...", { + position: "bottom-center", + hideProgressBar: true, + closeOnClick: false, + pauseOnHover: false, + draggable: false, + theme: theme.mode == "light" ? "light" : "dark", + }); + const { data, error } = await tryCatchAPI(fetch(url)); + + if (error) { + toast.update(tid, { + render: `Ошибка добавления в список: ${lists[list].name}`, + type: "error", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + }); + setListEventDisabled(false); + return; + } + + toast.update(tid, { + render: `Добавлено в список: ${lists[list].name}`, + type: "success", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + }); + + setListEventDisabled(false); props.setUserList(list); - fetch( + } + + if (props.token) { + _setList( `${ENDPOINTS.user.bookmark}/add/${list}/${props.release_id}?token=${props.token}` ); } @@ -134,6 +171,7 @@ export const ReleaseInfoUserList = (props: { theme={DropdownTheme} color="blue" size="sm" + disabled={listEventDisabled} > {lists.map((list) => ( Date: Fri, 21 Mar 2025 00:51:23 +0500 Subject: [PATCH 09/28] feat: add toast for creating/updating collection --- app/App.tsx | 1 + app/api/utils.ts | 12 ++-- app/collection/[id]/page.tsx | 4 +- app/pages/CreateCollection.tsx | 113 ++++++++++++++++++++++++--------- 4 files changed, 93 insertions(+), 37 deletions(-) diff --git a/app/App.tsx b/app/App.tsx index 546b823..69d1288 100644 --- a/app/App.tsx +++ b/app/App.tsx @@ -113,6 +113,7 @@ export const App = (props) => { /> )} ( export async function tryCatchAPI( promise: Promise -): Promise> { +): Promise> { try { const res: Awaited = await promise; if (!res.ok) { return { data: null, - error: JSON.stringify({ + error: { message: res.statusText, code: res.status, - }) as E, + }, }; } @@ -53,7 +53,7 @@ export async function tryCatchAPI( error: { message: "Not Found", code: 404, - } as E, + }, }; } @@ -64,13 +64,13 @@ export async function tryCatchAPI( error: { message: "API Returned an Error", code: data.code || 500, - } as E, + }, }; } return { data, error: null }; } catch (error) { - return { data: null, error: error as E }; + return { data: null, error: error}; } } diff --git a/app/collection/[id]/page.tsx b/app/collection/[id]/page.tsx index 94d0b0a..f70d285 100644 --- a/app/collection/[id]/page.tsx +++ b/app/collection/[id]/page.tsx @@ -15,8 +15,8 @@ export async function generateMetadata( if (error) { return { - title: "Ошибка", - description: "Ошибка", + title: "Приватная коллекция", + description: "Приватная коллекция", }; } diff --git a/app/pages/CreateCollection.tsx b/app/pages/CreateCollection.tsx index ecf0581..ef7ab5f 100644 --- a/app/pages/CreateCollection.tsx +++ b/app/pages/CreateCollection.tsx @@ -13,18 +13,27 @@ import { FileInput, Label, Modal, + useThemeMode, } from "flowbite-react"; import { ReleaseLink } from "#/components/ReleaseLink/ReleaseLink"; import { CropModal } from "#/components/CropModal/CropModal"; -import { b64toBlob } from "#/api/utils"; +import { b64toBlob, tryCatchAPI } from "#/api/utils"; import { useSWRfetcher } from "#/api/utils"; import { Spinner } from "#/components/Spinner/Spinner"; +import { toast } from "react-toastify"; export const CreateCollectionPage = () => { const userStore = useUserStore(); const searchParams = useSearchParams(); const router = useRouter(); + const theme = useThemeMode(); + + useEffect(() => { + if (userStore.state === "finished" && !userStore.token) { + router.push("/login?redirect=/collections/create"); + } + }, [userStore]); const [edit, setEdit] = useState(false); @@ -138,25 +147,50 @@ export const CreateCollectionPage = () => { e.preventDefault(); async function _createCollection() { + setIsSending(true); + const tid = toast.loading( + mode === "edit" ? "Редактируем коллекцию..." : "Создаём коллекцию...", + { + position: "bottom-center", + hideProgressBar: true, + closeOnClick: false, + pauseOnHover: false, + draggable: false, + theme: theme.mode == "light" ? "light" : "dark", + } + ); const url = mode === "edit" ? `${ENDPOINTS.collection.edit}/${collection_id}?token=${userStore.token}` : `${ENDPOINTS.collection.create}?token=${userStore.token}`; - const res = await fetch(url, { - method: "POST", - body: JSON.stringify({ - ...collectionInfo, - is_private: isPrivate, - private: isPrivate, - releases: addedReleasesIds, - }), - }); + const { data, error } = await tryCatchAPI( + fetch(url, { + method: "POST", + body: JSON.stringify({ + ...collectionInfo, + is_private: isPrivate, + private: isPrivate, + releases: addedReleasesIds, + }), + }) + ); - const data = await res.json(); - - if (data.code == 5) { - alert("Вы превысили допустимый еженедельный лимит создания коллекций!"); + if (error) { + let message = error.message; + if (error.code == 5) { + message = + "Вы превысили допустимый еженедельный лимит создания коллекций"; + } + toast.update(tid, { + render: message, + type: "error", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + }); + setIsSending(false); return; } @@ -169,33 +203,54 @@ export const CreateCollectionPage = () => { const formData = new FormData(); formData.append("image", blob, "cropped.jpg"); formData.append("name", "image"); - const uploadRes = await fetch( + await fetch( `${ENDPOINTS.collection.editImage}/${data.collection.id}?token=${userStore.token}`, { method: "POST", body: formData, } ); - const uploadData = await uploadRes.json(); } + toast.update(tid, { + render: mode === "edit" ? `Коллекция ${collectionInfo.title} обновлена` : `Коллекция ${collectionInfo.title} создана`, + type: "success", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + }); router.push(`/collection/${data.collection.id}`); + setIsSending(false); } - if ( - collectionInfo.title.length >= 10 && - addedReleasesIds.length >= 1 && - userStore.token - ) { - // setIsSending(true); - _createCollection(); - } else if (collectionInfo.title.length < 10) { - alert("Необходимо ввести название коллекции не менее 10 символов"); - } else if (!userStore.token) { - alert("Для создания коллекции необходимо войти в аккаунт"); - } else if (addedReleasesIds.length < 1) { - alert("Необходимо добавить хотя бы один релиз в коллекцию"); + if (collectionInfo.title.length < 10) { + toast.error("Необходимо ввести название коллекции не менее 10 символов", { + position: "bottom-center", + hideProgressBar: true, + type: "error", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + }); + return; } + + if (addedReleasesIds.length < 1) { + toast.error("Необходимо добавить хотя бы один релиз в коллекцию", { + position: "bottom-center", + hideProgressBar: true, + type: "error", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + }); + return; + } + + _createCollection(); } function _deleteRelease(release: any) { From 3aa71acad53e045ecb17f1ee3789c5469c7a6bb4 Mon Sep 17 00:00:00 2001 From: Radiquum Date: Fri, 21 Mar 2025 01:25:27 +0500 Subject: [PATCH 10/28] feat: add collection action and release edit toasts fix: misaligned posters in add release to collection modal fix: collection releases reset when searching for new release to add --- .../CollectionInfo/CollectionInfoControls.tsx | 122 +++++++++++++++--- app/pages/CreateCollection.tsx | 40 +++++- 2 files changed, 140 insertions(+), 22 deletions(-) diff --git a/app/components/CollectionInfo/CollectionInfoControls.tsx b/app/components/CollectionInfo/CollectionInfoControls.tsx index ccbe41f..d14c39c 100644 --- a/app/components/CollectionInfo/CollectionInfoControls.tsx +++ b/app/components/CollectionInfo/CollectionInfoControls.tsx @@ -1,9 +1,11 @@ "use client"; -import { Card, Button } from "flowbite-react"; +import { Card, Button, useThemeMode } from "flowbite-react"; import { useState } from "react"; import { useUserStore } from "#/store/auth"; import { ENDPOINTS } from "#/api/config"; import { useRouter } from "next/navigation"; +import { tryCatchAPI } from "#/api/utils"; +import { toast } from "react-toastify"; export const CollectionInfoControls = (props: { isFavorite: boolean; @@ -12,36 +14,124 @@ export const CollectionInfoControls = (props: { isPrivate: boolean; }) => { const [isFavorite, setIsFavorite] = useState(props.isFavorite); + const [isUpdating, setIsUpdating] = useState(false); + const theme = useThemeMode(); + const userStore = useUserStore(); const router = useRouter(); async function _addToFavorite() { - if (userStore.user) { - setIsFavorite(!isFavorite); - if (isFavorite) { - fetch( - `${ENDPOINTS.collection.favoriteCollections}/delete/${props.id}?token=${userStore.token}` - ); - } else { - fetch( - `${ENDPOINTS.collection.favoriteCollections}/add/${props.id}?token=${userStore.token}` - ); + async function _FavCol(url: string) { + setIsUpdating(true); + const tid = toast.loading( + isFavorite ? + "Удаляем коллекцию из избранного..." + : "Добавляем коллекцию в избранное...", + { + position: "bottom-center", + hideProgressBar: true, + closeOnClick: false, + pauseOnHover: false, + draggable: false, + theme: theme.mode == "light" ? "light" : "dark", + } + ); + const { data, error } = await tryCatchAPI(fetch(url)); + + if (error) { + toast.update(tid, { + render: + isFavorite ? + "Ошибка удаления коллекции из избранного" + : "Ошибка добавления коллекции в избранное", + type: "error", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + }); + setIsUpdating(false); + return; } + + toast.update(tid, { + render: + isFavorite ? + "Коллекция удалена из избранного" + : "Коллекция добавлена в избранное", + type: "success", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + }); + + setIsUpdating(false); + setIsFavorite(!isFavorite); + } + + if (userStore.token) { + let url = `${ENDPOINTS.collection.favoriteCollections}/add/${props.id}?token=${userStore.token}`; + if (isFavorite) { + url = `${ENDPOINTS.collection.favoriteCollections}/delete/${props.id}?token=${userStore.token}`; + } + _FavCol(url); } } async function _deleteCollection() { - if (userStore.user) { - fetch( + async function _DelCol(url: string) { + setIsUpdating(true); + const tid = toast.loading("Удаляем коллекцию...", { + position: "bottom-center", + hideProgressBar: true, + closeOnClick: false, + pauseOnHover: false, + draggable: false, + theme: theme.mode == "light" ? "light" : "dark", + }); + const { data, error } = await tryCatchAPI(fetch(url)); + + if (error) { + toast.update(tid, { + render: "Ошибка удаления коллекции", + type: "error", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + }); + setIsUpdating(false); + return; + } + + toast.update(tid, { + render: `Коллекция удалена`, + type: "success", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + }); + + setIsUpdating(false); + router.push("/collections"); + } + + if (userStore.token) { + _DelCol( `${ENDPOINTS.collection.delete}/${props.id}?token=${userStore.token}` ); - router.push("/collections"); } } return ( - diff --git a/app/pages/CreateCollection.tsx b/app/pages/CreateCollection.tsx index ef7ab5f..3fc5290 100644 --- a/app/pages/CreateCollection.tsx +++ b/app/pages/CreateCollection.tsx @@ -213,7 +213,10 @@ export const CreateCollectionPage = () => { } toast.update(tid, { - render: mode === "edit" ? `Коллекция ${collectionInfo.title} обновлена` : `Коллекция ${collectionInfo.title} создана`, + render: + mode === "edit" ? + `Коллекция ${collectionInfo.title} обновлена` + : `Коллекция ${collectionInfo.title} создана`, type: "success", autoClose: 2500, isLoading: false, @@ -511,12 +514,31 @@ export const ReleasesEditModal = (props: { function _addRelease(release: any) { if (props.releasesIds.length == 100) { - alert("Достигнуто максимальное количество релизов в коллекции - 100"); + toast.error( + "Достигнуто максимальное количество релизов в коллекции - 100", + { + position: "bottom-center", + hideProgressBar: true, + type: "error", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + } + ); return; } if (props.releasesIds.includes(release.id)) { - alert("Релиз уже добавлен в коллекцию"); + toast.error("Релиз уже добавлен в коллекцию", { + position: "bottom-center", + hideProgressBar: true, + type: "error", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + }); return; } @@ -541,7 +563,7 @@ export const ReleasesEditModal = (props: { className="max-w-full mx-auto" onSubmit={(e) => { e.preventDefault(); - props.setReleases([]); + setContent([]); setQuery(e.target[0].value.trim()); }} > @@ -586,12 +608,12 @@ export const ReleasesEditModal = (props: { -
+
{content.map((release) => { return (
- {isLoading && } + {isLoading && ( +
+ +
+ )} {error &&
Произошла ошибка
}
From 75ab5e1901c86f84231ca4df93101232dae01347 Mon Sep 17 00:00:00 2001 From: Radiquum Date: Fri, 21 Mar 2025 01:46:48 +0500 Subject: [PATCH 11/28] feat: add release to collection toast --- app/api/utils.ts | 18 ++--- .../ReleaseInfo/ReleaseInfo.UserList.tsx | 69 +++++++++++++------ app/pages/CreateCollection.tsx | 2 +- 3 files changed, 58 insertions(+), 31 deletions(-) diff --git a/app/api/utils.ts b/app/api/utils.ts index c3ad5e2..744779f 100644 --- a/app/api/utils.ts +++ b/app/api/utils.ts @@ -34,15 +34,15 @@ export async function tryCatchAPI( ): Promise> { try { const res: Awaited = await promise; - if (!res.ok) { - return { - data: null, - error: { - message: res.statusText, - code: res.status, - }, - }; - } + // if (!res.ok) { + // return { + // data: null, + // error: { + // message: res.statusText, + // code: res.status, + // }, + // }; + // } if ( res.headers.get("content-length") && diff --git a/app/components/ReleaseInfo/ReleaseInfo.UserList.tsx b/app/components/ReleaseInfo/ReleaseInfo.UserList.tsx index 3fcfd07..bd50a9d 100644 --- a/app/components/ReleaseInfo/ReleaseInfo.UserList.tsx +++ b/app/components/ReleaseInfo/ReleaseInfo.UserList.tsx @@ -222,6 +222,7 @@ const AddReleaseToCollectionModal = (props: { if (previousPageData && !previousPageData.content.length) return null; return `${ENDPOINTS.collection.userCollections}/${props.profile_id}/${pageIndex}?token=${props.token}`; }; + const theme = useThemeMode(); const { data, error, isLoading, size, setSize } = useSWRInfinite( getKey, @@ -260,27 +261,53 @@ const AddReleaseToCollectionModal = (props: { // eslint-disable-next-line react-hooks/exhaustive-deps }, [scrollPosition]); - function _addToCollection(collection_id: number) { - if (props.token) { - fetch( - `${ENDPOINTS.collection.addRelease}/${collection_id}?release_id=${props.release_id}&token=${props.token}` - ) - .then((res) => { - if (!res.ok) { - alert("Ошибка добавления релиза в коллекцию."); - } else { - return res.json(); - } - }) - .then((data) => { - if (data.code != 0) { - alert( - "Не удалось добавить релиз в коллекцию, возможно он уже в ней находится." - ); - } else { - props.setIsOpen(false); - } + function _addToCollection(collection: any) { + async function _ToCollection(url: string) { + const tid = toast.loading( + `Добавление в коллекцию ${collection.title}... `, + { + position: "bottom-center", + hideProgressBar: true, + closeOnClick: false, + pauseOnHover: false, + draggable: false, + theme: theme.mode == "light" ? "light" : "dark", + } + ); + const { data, error } = await tryCatchAPI(fetch(url)); + + if (error) { + let message = `${error.message}, code: ${error.code}`; + if (error.code == 5) { + message = "Релиз уже есть в коллекции"; + } + toast.update(tid, { + render: message, + type: "error", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + theme: theme.mode == "light" ? "light" : "dark", }); + return; + } + + toast.update(tid, { + render: "Релиз добавлен в коллекцию", + type: "success", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + theme: theme.mode == "light" ? "light" : "dark", + }); + } + + if (props.token) { + _ToCollection( + `${ENDPOINTS.collection.addRelease}/${collection.id}?release_id=${props.release_id}&token=${props.token}` + ); } } @@ -304,7 +331,7 @@ const AddReleaseToCollectionModal = (props: { backgroundImage: `linear-gradient(to bottom, rgba(0, 0, 0, 0.1) 0%, rgba(0, 0, 0, 0.9) 100%), url(${collection.image})`, }} key={`collection_${collection.id}`} - onClick={() => _addToCollection(collection.id)} + onClick={() => _addToCollection(collection)} >

diff --git a/app/pages/CreateCollection.tsx b/app/pages/CreateCollection.tsx index 3fc5290..f7c01fa 100644 --- a/app/pages/CreateCollection.tsx +++ b/app/pages/CreateCollection.tsx @@ -177,7 +177,7 @@ export const CreateCollectionPage = () => { ); if (error) { - let message = error.message; + let message = `${error.message}, code: ${error.code}`; if (error.code == 5) { message = "Вы превысили допустимый еженедельный лимит создания коллекций"; From fa1a5cbfe6c794e43227a03ce0d8216ef2cfe085 Mon Sep 17 00:00:00 2001 From: Radiquum Date: Fri, 21 Mar 2025 02:11:57 +0500 Subject: [PATCH 12/28] feat: add toast to friend request / user blocking --- app/components/Profile/Profile.Actions.tsx | 183 +++++++++++++++------ 1 file changed, 129 insertions(+), 54 deletions(-) diff --git a/app/components/Profile/Profile.Actions.tsx b/app/components/Profile/Profile.Actions.tsx index 5f41098..c7f8f91 100644 --- a/app/components/Profile/Profile.Actions.tsx +++ b/app/components/Profile/Profile.Actions.tsx @@ -1,8 +1,10 @@ "use client"; import { ENDPOINTS } from "#/api/config"; -import { Card, Button } from "flowbite-react"; +import { tryCatchAPI } from "#/api/utils"; +import { Card, Button, useThemeMode } from "flowbite-react"; import { useRouter } from "next/navigation"; import { useState } from "react"; +import { toast } from "react-toastify"; import useSWR, { useSWRConfig } from "swr"; // null - не друзья @@ -24,11 +26,12 @@ export const ProfileActions = (props: { edit_isOpen: boolean; edit_setIsOpen: any; }) => { - const router = useRouter(); const profileIdIsSmaller = props.my_profile_id < props.profile_id; - const [friendRequestDisabled, setFriendRequestDisabled] = useState(false); - const [blockRequestDisabled, setBlockRequestDisabled] = useState(false); + const theme = useThemeMode(); + const { mutate } = useSWRConfig(); + const [actionsDisabled, setActionsDisabled] = useState(false); + function _getFriendStatus() { const num = props.friendStatus; @@ -54,53 +57,119 @@ export const ProfileActions = (props: { } const FriendStatus = _getFriendStatus(); const isRequestedStatus = - FriendStatus != null - ? profileIdIsSmaller - ? profileIdIsSmaller && FriendStatus != 0 - : !profileIdIsSmaller && FriendStatus == 2 - : null; + FriendStatus != null ? + profileIdIsSmaller ? profileIdIsSmaller && FriendStatus != 0 + : !profileIdIsSmaller && FriendStatus == 2 + : null; // ^ This is some messed up shit - function _addToFriends() { - let url = `${ENDPOINTS.user.profile}/friend/request`; - setFriendRequestDisabled(true); - setBlockRequestDisabled(true); + async function _addToFriends() { + setActionsDisabled(true); - FriendStatus == 1 - ? (url += "/remove/") - : isRequestedStatus - ? (url += "/remove/") - : (url += "/send/"); - - url += `${props.profile_id}?token=${props.token}`; - fetch(url).then((res) => { - mutate( - `${ENDPOINTS.user.profile}/${props.profile_id}?token=${props.token}` - ); - setTimeout(() => { - setBlockRequestDisabled(false); - setFriendRequestDisabled(false); - }, 100); + const tid = toast.loading("Добавляем в друзья...", { + position: "bottom-center", + hideProgressBar: true, + closeOnClick: false, + pauseOnHover: false, + draggable: false, + theme: theme.mode == "light" ? "light" : "dark", }); + + let url = `${ENDPOINTS.user.profile}/friend/request`; + FriendStatus == 1 ? (url += "/remove/") + : isRequestedStatus ? (url += "/remove/") + : (url += "/send/"); + url += `${props.profile_id}?token=${props.token}`; + + const { data, error } = await tryCatchAPI(fetch(url)); + + if (error) { + toast.update(tid, { + render: + FriendStatus == 1 || isRequestedStatus ? + "Ошибка удаления из друзей" + : "Ошибка добавления в друзья", + type: "error", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + }); + setActionsDisabled(false); + return; + } + + mutate( + `${ENDPOINTS.user.profile}/${props.profile_id}?token=${props.token}` + ); + + toast.update(tid, { + render: + FriendStatus == 1 || isRequestedStatus ? + "Удален из друзей" + : "Добавлен в друзья", + type: "success", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + }); + + setActionsDisabled(false); } - function _addToBlocklist() { + async function _addToBlocklist() { + setActionsDisabled(true); + + const tid = toast.loading( + !props.is_blocked ? + "Блокируем пользователя..." + : "Разблокируем пользователя...", + { + position: "bottom-center", + hideProgressBar: true, + closeOnClick: false, + pauseOnHover: false, + draggable: false, + theme: theme.mode == "light" ? "light" : "dark", + } + ); + let url = `${ENDPOINTS.user.profile}/blocklist`; - setBlockRequestDisabled(true); - setFriendRequestDisabled(true); - !props.is_blocked ? (url += "/add/") : (url += "/remove/"); - url += `${props.profile_id}?token=${props.token}`; - fetch(url).then((res) => { - mutate( - `${ENDPOINTS.user.profile}/${props.profile_id}?token=${props.token}` - ); - setTimeout(() => { - setBlockRequestDisabled(false); - setFriendRequestDisabled(false); - }, 100); + + const { data, error } = await tryCatchAPI(fetch(url)); + if (error) { + toast.update(tid, { + render: !props.is_blocked ? "Ошибка блокировки" : "Ошибка разблокировки", + type: "error", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + }); + setActionsDisabled(false); + return; + } + + mutate( + `${ENDPOINTS.user.profile}/${props.profile_id}?token=${props.token}` + ); + + toast.update(tid, { + render: + !props.is_blocked ? + "Пользователь заблокирован" + : "Пользователь разблокирован", + type: "success", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, }); + + setActionsDisabled(false); } return ( @@ -109,7 +178,14 @@ export const ProfileActions = (props: {

Отправил(-а) вам заявку в друзья

)}
- {props.isMyProfile && } + {props.isMyProfile && ( + + )} {!props.isMyProfile && ( <> {(!props.isFriendRequestsDisallowed || @@ -118,26 +194,25 @@ export const ProfileActions = (props: { !props.is_me_blocked && !props.is_blocked && ( )} diff --git a/app/components/Profile/Profile.EditModal.tsx b/app/components/Profile/Profile.EditModal.tsx index 95eab1c..f9a16c3 100644 --- a/app/components/Profile/Profile.EditModal.tsx +++ b/app/components/Profile/Profile.EditModal.tsx @@ -1,11 +1,11 @@ "use client"; -import { FileInput, Label, Modal } from "flowbite-react"; +import { FileInput, Label, Modal, useThemeMode } from "flowbite-react"; import { Spinner } from "../Spinner/Spinner"; import useSWR from "swr"; import { ENDPOINTS } from "#/api/config"; import { useEffect, useState } from "react"; -import { b64toBlob, unixToDate, useSWRfetcher } from "#/api/utils"; +import { b64toBlob, tryCatchAPI, unixToDate, useSWRfetcher } from "#/api/utils"; import { ProfileEditPrivacyModal } from "./Profile.EditPrivacyModal"; import { ProfileEditStatusModal } from "./Profile.EditStatusModal"; import { ProfileEditSocialModal } from "./Profile.EditSocialModal"; @@ -13,6 +13,7 @@ import { CropModal } from "../CropModal/CropModal"; import { useSWRConfig } from "swr"; import { useUserStore } from "#/store/auth"; import { ProfileEditLoginModal } from "./Profile.EditLoginModal"; +import { toast } from "react-toastify"; export const ProfileEditModal = (props: { isOpen: boolean; @@ -23,10 +24,7 @@ export const ProfileEditModal = (props: { const [privacyModalOpen, setPrivacyModalOpen] = useState(false); const [statusModalOpen, setStatusModalOpen] = useState(false); const [socialModalOpen, setSocialModalOpen] = useState(false); - const [avatarModalOpen, setAvatarModalOpen] = useState(false); const [loginModalOpen, setLoginModalOpen] = useState(false); - const [avatarUri, setAvatarUri] = useState(null); - const [tempAvatarUri, setTempAvatarUri] = useState(null); const [privacyModalSetting, setPrivacyModalSetting] = useState("none"); const [privacySettings, setPrivacySettings] = useState({ privacy_stats: 9, @@ -42,6 +40,14 @@ export const ProfileEditModal = (props: { const [login, setLogin] = useState(""); const { mutate } = useSWRConfig(); const userStore = useUserStore(); + const theme = useThemeMode(); + + const [avatarModalProps, setAvatarModalProps] = useState({ + isOpen: false, + isActionsDisabled: false, + selectedImage: null, + croppedImage: null, + }); const privacy_stat_act_social_text = { 0: "Все пользователи", @@ -67,15 +73,17 @@ export const ProfileEditModal = (props: { `${ENDPOINTS.user.settings.login.info}?token=${props.token}` ); - const handleFileRead = (e, fileReader) => { - const content = fileReader.result; - setTempAvatarUri(content); - }; - - const handleFilePreview = (file) => { + const handleAvatarPreview = (e: any) => { + const file = e.target.files[0]; const fileReader = new FileReader(); - fileReader.onloadend = (e) => { - handleFileRead(e, fileReader); + fileReader.onloadend = () => { + const content = fileReader.result; + setAvatarModalProps({ + ...avatarModalProps, + isOpen: true, + selectedImage: content, + }); + e.target.value = ""; }; fileReader.readAsDataURL(file); }; @@ -103,8 +111,8 @@ export const ProfileEditModal = (props: { }, [loginData]); useEffect(() => { - if (avatarUri) { - let block = avatarUri.split(";"); + async function _uploadAvatar() { + let block = avatarModalProps.croppedImage.split(";"); let contentType = block[0].split(":")[1]; let realData = block[1].split(",")[1]; const blob = b64toBlob(realData, contentType); @@ -112,23 +120,68 @@ export const ProfileEditModal = (props: { const formData = new FormData(); formData.append("image", blob, "cropped.jpg"); formData.append("name", "image"); - const uploadRes = fetch( - `${ENDPOINTS.user.settings.avatar}?token=${props.token}`, - { + + setAvatarModalProps( + (state) => (state = { ...state, isActionsDisabled: true }) + ); + + const tid = toast.loading("Обновление аватара...", { + position: "bottom-center", + hideProgressBar: true, + closeOnClick: false, + pauseOnHover: false, + draggable: false, + theme: theme.mode == "light" ? "light" : "dark", + }); + + const { data, error } = await tryCatchAPI( + fetch(`${ENDPOINTS.user.settings.avatar}?token=${props.token}`, { method: "POST", body: formData, - } - ).then((res) => { - if (res.ok) { - mutate( - `${ENDPOINTS.user.profile}/${props.profile_id}?token=${props.token}` - ); - userStore.checkAuth(); - } + }) + ); + + if (error) { + toast.update(tid, { + render: "Ошибка обновления аватара", + type: "error", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + }); + setAvatarModalProps( + (state) => (state = { ...state, isActionsDisabled: false }) + ); + return; + } + + toast.update(tid, { + render: "Аватар обновлён", + type: "success", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, }); + setAvatarModalProps( + (state) => + (state = { + isOpen: false, + isActionsDisabled: false, + selectedImage: null, + croppedImage: null, + }) + ); + mutate( + `${ENDPOINTS.user.profile}/${props.profile_id}?token=${props.token}` + ); } - // eslint-disable-next-line react-hooks/exhaustive-deps - }, [avatarUri]); + + if (avatarModalProps.croppedImage) { + _uploadAvatar(); + } + }, [avatarModalProps.croppedImage]); return ( <> @@ -139,10 +192,9 @@ export const ProfileEditModal = (props: { > Редактирование профиля - {prefLoading ? ( + {prefLoading ? - ) : ( -
+ :
@@ -160,19 +212,18 @@ export const ProfileEditModal = (props: { className="hidden" accept="image/jpg, image/jpeg, image/png" onChange={(e) => { - handleFilePreview(e.target.files[0]); - setAvatarModalOpen(true); + handleAvatarPreview(e); }} />

Изменить фото профиля

- {prefData.is_change_avatar_banned - ? `Заблокировано до ${unixToDate( - prefData.ban_change_avatar_expires, - "full" - )}` - : "Загрузить с устройства"} + {prefData.is_change_avatar_banned ? + `Заблокировано до ${unixToDate( + prefData.ban_change_avatar_expires, + "full" + )}` + : "Загрузить с устройства"}

@@ -197,12 +248,12 @@ export const ProfileEditModal = (props: { >

Изменить никнейм

- {prefData.is_change_login_banned - ? `Заблокировано до ${unixToDate( - prefData.ban_change_login_expires, - "full" - )}` - : login} + {prefData.is_change_login_banned ? + `Заблокировано до ${unixToDate( + prefData.ban_change_login_expires, + "full" + )}` + : login}

- )} + } { const [edit, setEdit] = useState(false); - const [imageUrl, setImageUrl] = useState(null); - const [tempImageUrl, setTempImageUrl] = useState(null); const [isPrivate, setIsPrivate] = useState(false); const [collectionInfo, setCollectionInfo] = useState({ title: "", @@ -51,7 +49,17 @@ export const CreateCollectionPage = () => { const [addedReleases, setAddedReleases] = useState([]); const [addedReleasesIds, setAddedReleasesIds] = useState([]); const [releasesEditModalOpen, setReleasesEditModalOpen] = useState(false); - const [cropModalOpen, setCropModalOpen] = useState(false); + + // const [tempImageUrl, setTempImageUrl] = useState(null); + // const [cropModalOpen, setCropModalOpen] = useState(false); + + const [imageModalProps, setImageModalProps] = useState({ + isOpen: false, + isActionsDisabled: false, + selectedImage: null, + croppedImage: null, + }); + const [imageUrl, setImageUrl] = useState(null); const collection_id = searchParams.get("id") || null; const mode = searchParams.get("mode") || null; @@ -118,15 +126,29 @@ export const CreateCollectionPage = () => { // eslint-disable-next-line react-hooks/exhaustive-deps }, [userStore.user]); - const handleFileRead = (e, fileReader) => { - const content = fileReader.result; - setTempImageUrl(content); - }; + useEffect(() => { + if (imageModalProps.croppedImage) { + setImageUrl(imageModalProps.croppedImage); + setImageModalProps({ + isOpen: false, + isActionsDisabled: false, + selectedImage: null, + croppedImage: null, + }); + } + }, [imageModalProps.croppedImage]); - const handleFilePreview = (file) => { + const handleImagePreview = (e: any) => { + const file = e.target.files[0]; const fileReader = new FileReader(); - fileReader.onloadend = (e) => { - handleFileRead(e, fileReader); + fileReader.onloadend = () => { + const content = fileReader.result; + setImageModalProps({ + ...imageModalProps, + isOpen: true, + selectedImage: content, + }); + e.target.value = ""; }; fileReader.readAsDataURL(file); }; @@ -203,13 +225,48 @@ export const CreateCollectionPage = () => { const formData = new FormData(); formData.append("image", blob, "cropped.jpg"); formData.append("name", "image"); - await fetch( - `${ENDPOINTS.collection.editImage}/${data.collection.id}?token=${userStore.token}`, + + const tiid = toast.loading( + `Обновление обложки коллекции ${collectionInfo.title}...`, { - method: "POST", - body: formData, + position: "bottom-center", + hideProgressBar: true, + closeOnClick: false, + pauseOnHover: false, + draggable: false, + theme: theme.mode == "light" ? "light" : "dark", } ); + + const { data: imageData, error } = await tryCatchAPI( + fetch( + `${ENDPOINTS.collection.editImage}/${data.collection.id}?token=${userStore.token}`, + { + method: "POST", + body: formData, + } + ) + ); + + if (error) { + toast.update(tiid, { + render: "Не удалось обновить постер коллекции", + type: "error", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + }); + } else { + toast.update(tiid, { + render: "Постер коллекции обновлён", + type: "success", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + }); + } } toast.update(tid, { @@ -328,8 +385,7 @@ export const CreateCollectionPage = () => { className="hidden" accept="image/jpg, image/jpeg, image/png" onChange={(e) => { - handleFilePreview(e.target.files[0]); - setCropModalOpen(true); + handleImagePreview(e); }} /> @@ -439,18 +495,15 @@ export const CreateCollectionPage = () => { setReleasesIds={setAddedReleasesIds} /> ); From 83ad889408754d5d7a3839aa039883c7a3bf3c20 Mon Sep 17 00:00:00 2001 From: Radiquum Date: Fri, 21 Mar 2025 16:03:58 +0500 Subject: [PATCH 14/28] feat: add toast to user status change --- app/components/Profile/Profile.EditModal.tsx | 1 + .../Profile/Profile.EditStatusModal.tsx | 89 +++++++++++++------ app/pages/CreateCollection.tsx | 3 - 3 files changed, 64 insertions(+), 29 deletions(-) diff --git a/app/components/Profile/Profile.EditModal.tsx b/app/components/Profile/Profile.EditModal.tsx index f9a16c3..73c7257 100644 --- a/app/components/Profile/Profile.EditModal.tsx +++ b/app/components/Profile/Profile.EditModal.tsx @@ -176,6 +176,7 @@ export const ProfileEditModal = (props: { mutate( `${ENDPOINTS.user.profile}/${props.profile_id}?token=${props.token}` ); + userStore.checkAuth(); } if (avatarModalProps.croppedImage) { diff --git a/app/components/Profile/Profile.EditStatusModal.tsx b/app/components/Profile/Profile.EditStatusModal.tsx index 62d7c0d..d8d870f 100644 --- a/app/components/Profile/Profile.EditStatusModal.tsx +++ b/app/components/Profile/Profile.EditStatusModal.tsx @@ -1,9 +1,12 @@ "use client"; -import { Button, Modal, Textarea } from "flowbite-react"; +import { Button, Modal, Textarea, useThemeMode } from "flowbite-react"; import { ENDPOINTS } from "#/api/config"; import { useEffect, useState } from "react"; import { useSWRConfig } from "swr"; +import { toast } from "react-toastify"; +import { tryCatchAPI } from "#/api/utils"; +import { useUserStore } from "#/store/auth"; export const ProfileEditStatusModal = (props: { isOpen: boolean; @@ -17,6 +20,8 @@ export const ProfileEditStatusModal = (props: { const [_status, _setStatus] = useState(""); const [_stringLength, _setStringLength] = useState(0); const { mutate } = useSWRConfig(); + const theme = useThemeMode(); + const userStore = useUserStore(); useEffect(() => { _setStatus(props.status); @@ -29,33 +34,59 @@ export const ProfileEditStatusModal = (props: { _setStringLength(e.target.value.length); } - function _setStatusSetting() { + async function _setStatusSetting() { setLoading(true); - fetch(`${ENDPOINTS.user.settings.status}?token=${props.token}`, { - method: "POST", - headers: { - "Content-Type": "application/json", - }, - body: JSON.stringify({ - status: _status, - }), - }) - .then((res) => { - if (res.ok) { - mutate( - `${ENDPOINTS.user.profile}/${props.profile_id}?token=${props.token}` - ); - setLoading(false); - props.setStatus(_status); - props.setIsOpen(false); - } else { - new Error("failed to send data"); - } + + const tid = toast.loading("Обновление статуса...", { + position: "bottom-center", + hideProgressBar: true, + closeOnClick: false, + pauseOnHover: false, + draggable: false, + theme: theme.mode == "light" ? "light" : "dark", + }); + + const { data, error } = await tryCatchAPI( + fetch(`${ENDPOINTS.user.settings.status}?token=${props.token}`, { + method: "POST", + headers: { + "Content-Type": "application/json", + }, + body: JSON.stringify({ + status: _status, + }), }) - .catch((err) => { - console.log(err); - setLoading(false); + ); + + if (error) { + toast.update(tid, { + render: "Ошибка обновления статуса", + type: "error", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, }); + setLoading(false); + return; + } + + toast.update(tid, { + render: "Статус обновлён", + type: "success", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + }); + + props.setStatus(_status); + mutate( + `${ENDPOINTS.user.profile}/${props.profile_id}?token=${props.token}` + ); + userStore.checkAuth(); + setLoading(false); + props.setIsOpen(false); } return ( @@ -82,7 +113,13 @@ export const ProfileEditStatusModal = (props: {

- + diff --git a/app/pages/CreateCollection.tsx b/app/pages/CreateCollection.tsx index 0ddadf6..e943634 100644 --- a/app/pages/CreateCollection.tsx +++ b/app/pages/CreateCollection.tsx @@ -50,9 +50,6 @@ export const CreateCollectionPage = () => { const [addedReleasesIds, setAddedReleasesIds] = useState([]); const [releasesEditModalOpen, setReleasesEditModalOpen] = useState(false); - // const [tempImageUrl, setTempImageUrl] = useState(null); - // const [cropModalOpen, setCropModalOpen] = useState(false); - const [imageModalProps, setImageModalProps] = useState({ isOpen: false, isActionsDisabled: false, From 43d3aab01d190c98510bcc12313f4749f3d4e718 Mon Sep 17 00:00:00 2001 From: Radiquum Date: Fri, 21 Mar 2025 23:55:03 +0500 Subject: [PATCH 15/28] feat: add toast to user login change --- .../Profile/Profile.EditLoginModal.tsx | 150 +++++++++++------- 1 file changed, 96 insertions(+), 54 deletions(-) diff --git a/app/components/Profile/Profile.EditLoginModal.tsx b/app/components/Profile/Profile.EditLoginModal.tsx index 0e11d79..984fabe 100644 --- a/app/components/Profile/Profile.EditLoginModal.tsx +++ b/app/components/Profile/Profile.EditLoginModal.tsx @@ -1,11 +1,13 @@ "use client"; -import { Button, Modal, Textarea } from "flowbite-react"; +import { Button, Modal, Textarea, useThemeMode } from "flowbite-react"; import { ENDPOINTS } from "#/api/config"; import { useEffect, useState } from "react"; import { useSWRConfig } from "swr"; import { Spinner } from "../Spinner/Spinner"; import { unixToDate } from "#/api/utils"; +import { toast } from "react-toastify"; +import { tryCatchAPI } from "#/api/utils"; import { useUserStore } from "#/store/auth"; export const ProfileEditLoginModal = (props: { @@ -29,21 +31,33 @@ export const ProfileEditLoginModal = (props: { const [_loginLength, _setLoginLength] = useState(0); const { mutate } = useSWRConfig(); const userStore = useUserStore(); + const theme = useThemeMode(); useEffect(() => { - setLoading(true); - fetch(`${ENDPOINTS.user.settings.login.info}?token=${props.token}`) - .then((res) => { - if (res.ok) { - return res.json(); - } - }) - .then((data) => { - _setLoginData(data); - _setLogin(data.login); - _setLoginLength(data.login.length); + async function _fetchLogin() { + setLoading(true); + + const { data, error } = await tryCatchAPI( + fetch(`${ENDPOINTS.user.settings.login.info}?token=${props.token}`) + ); + + if (error) { + toast.error("Ошибка получения текущего никнейма", { + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + }); setLoading(false); - }); + props.setIsOpen(false); + return; + } + _setLoginData(data); + _setLogin(data.login); + _setLoginLength(data.login.length); + setLoading(false); + } + _fetchLogin(); // eslint-disable-next-line react-hooks/exhaustive-deps }, [props.isOpen]); @@ -52,43 +66,69 @@ export const ProfileEditLoginModal = (props: { _setLoginLength(e.target.value.length); } - function _setLoginSetting() { - setSending(true); + async function _setLoginSetting() { if (!_login || _login == "") { - alert("Никнейм не может быть пустым"); + toast.error("Никнейм не может быть пустым", { + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + }); return; } - fetch( - `${ENDPOINTS.user.settings.login.change}?login=${encodeURIComponent( - _login - )}&token=${props.token}` - ) - .then((res) => { - if (res.ok) { - return res.json(); - } else { - new Error("failed to send data"); - } - }) - .then((data) => { - if (data.code == 3) { - alert("Данный никнейм уже существует, попробуйте другой"); - setSending(false); - return; - } - mutate( - `${ENDPOINTS.user.profile}/${props.profile_id}?token=${props.token}` - ); - userStore.checkAuth(); - props.setLogin(_login); - setSending(false); - props.setIsOpen(false); - }) - .catch((err) => { - console.log(err); - setSending(false); + setSending(true); + + const tid = toast.loading("Обновляем никнейм...", { + position: "bottom-center", + hideProgressBar: true, + closeOnClick: false, + pauseOnHover: false, + draggable: false, + theme: theme.mode == "light" ? "light" : "dark", + }); + + const { data, error } = await tryCatchAPI( + fetch( + `${ENDPOINTS.user.settings.login.change}?login=${encodeURIComponent( + _login + )}&token=${props.token}` + ) + ); + + if (error) { + let message = `Ошибка обновления никнейма: ${error.code}`; + if (error.code == 3) { + message = "Данный никнейм уже существует, попробуйте другой"; + } + toast.update(tid, { + render: message, + type: "error", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, }); + setSending(false); + return; + } + + toast.update(tid, { + render: "Никнейм обновлён", + type: "success", + autoClose: 2500, + isLoading: false, + closeOnClick: true, + draggable: true, + }); + + mutate( + `${ENDPOINTS.user.profile}/${props.profile_id}?token=${props.token}` + ); + userStore.checkAuth(); + props.setLogin(_login); + setSending(false); + props.setIsOpen(false); } return ( @@ -100,13 +140,12 @@ export const ProfileEditLoginModal = (props: { > Изменить никнейм - {loading ? ( + {loading ?
- ) : ( - <> - {!_loginData.is_change_available ? ( + : <> + {!_loginData.is_change_available ? <>

Вы недавно изменили никнейм

@@ -116,8 +155,7 @@ export const ProfileEditLoginModal = (props: {

- ) : ( - <> + : <>