🔖
【Drizzle ORM】NextJs14 と Drizzle ORM【#18 TanStack Query Provider】
【#18 TanStack Query Provider】
YouTube: https://youtu.be/k0nnj-a2fAY
今回はクライアントサイドからデータを取得する際に使用する
「TanStack Query」のプロバイダーを作成します。
npm i @tanstack/react-query
npm i @tanstack/react-query-devtools
インストールができましたら、
プロバイダーを作成します。
providers/query-provider.tsx
// In Next.js, this file would be called: app/providers.jsx
"use client";
// Since QueryClientProvider relies on useContext under the hood, we have to put 'use client' on top
import {
isServer,
QueryClient,
QueryClientProvider,
} from "@tanstack/react-query";
import { ReactQueryDevtools } from "@tanstack/react-query-devtools";
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 * 1000,
},
},
});
}
let browserQueryClient: QueryClient | undefined = undefined;
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;
}
}
type Props = React.PropsWithChildren;
export default function QueryProvider({ children }: Props) {
// 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}
<ReactQueryDevtools initialIsOpen={false} />
</QueryClientProvider>
);
}
こちらを一番上の階層の「layout.tsx」に設定します。
app/layout.tsx
import type { Metadata } from "next";
import { Inter } from "next/font/google";
import {
ClerkProvider,
SignInButton,
SignedIn,
SignedOut,
UserButton,
} from "@clerk/nextjs";
import "./globals.css";
import QueryProvider from "@/providers/query-provider";
const inter = Inter({ subsets: ["latin"] });
export const metadata: Metadata = {
title: "Create Next App",
description: "Generated by create next app",
};
export default function RootLayout({
children,
}: Readonly<{
children: React.ReactNode;
}>) {
return (
<ClerkProvider>
<html lang="en">
<body className={inter.className}>
<QueryProvider>
<SignedOut>
<SignInButton />
</SignedOut>
<SignedIn>
<UserButton />
</SignedIn>
{children}
</QueryProvider>
</body>
</html>
</ClerkProvider>
);
}
Discussion