62 lines
2.0 KiB
TypeScript
62 lines
2.0 KiB
TypeScript
'use client';
|
|
|
|
import { toast } from '@repo/ui/components/ui/sonner';
|
|
// Since QueryClientProvider relies on useContext under the hood, we have to put 'use client' on top
|
|
import {
|
|
isServer,
|
|
MutationCache,
|
|
QueryCache,
|
|
QueryClient,
|
|
QueryClientProvider,
|
|
} from '@tanstack/react-query';
|
|
|
|
function makeQueryClient() {
|
|
return new QueryClient({
|
|
defaultOptions: {
|
|
queries: {
|
|
// With SSR, we usually want to set some default staleTime
|
|
// above 0 to avoid refetching immediately on the client
|
|
staleTime: 60 * 1_000,
|
|
},
|
|
},
|
|
mutationCache: new MutationCache({
|
|
onError: (error_: unknown) => {
|
|
const error = error_ as Error;
|
|
toast.error('Ошибка при отправке данных: ' + error.message);
|
|
},
|
|
}),
|
|
queryCache: new QueryCache({
|
|
onError: (error_: unknown) => {
|
|
const error = error_ as Error;
|
|
toast.error('Ошибка при загрузке данных: ' + error.message);
|
|
},
|
|
}),
|
|
});
|
|
}
|
|
|
|
let browserQueryClient: QueryClient | undefined;
|
|
|
|
export function QueryProvider({ children }: { readonly children: React.ReactNode }) {
|
|
// NOTE: Avoid useState when initializing the query client if you don't
|
|
// have a suspense boundary between this and the code that may
|
|
// suspend because React will throw away the client on the initial
|
|
// render if it suspends and there is no boundary
|
|
const queryClient = getQueryClient();
|
|
|
|
return <QueryClientProvider client={queryClient}>{children}</QueryClientProvider>;
|
|
}
|
|
|
|
function getQueryClient() {
|
|
if (isServer) {
|
|
// Server: always make a new query client
|
|
return makeQueryClient();
|
|
} else {
|
|
// Browser: make a new query client if we don't already have one
|
|
// This is very important, so we don't re-make a new client if React
|
|
// suspends during the initial render. This may not be needed if we
|
|
// have a suspense boundary BELOW the creation of the query client
|
|
if (!browserQueryClient) browserQueryClient = makeQueryClient();
|
|
return browserQueryClient;
|
|
}
|
|
}
|