├── .eslintrc.json
├── .gitignore
├── Makefile
├── README.md
├── app
├── _actions.ts
├── auth
│ └── callback
│ │ └── route.ts
├── favicon.ico
├── globals.css
├── layout.tsx
├── login
│ ├── login-form.tsx
│ └── page.tsx
├── page.tsx
├── profile
│ └── page.tsx
└── register
│ ├── page.tsx
│ └── register-form.tsx
├── components
└── header.tsx
├── example.env
├── lib
├── getUserSession.ts
├── supabase
│ ├── client.ts
│ └── server.ts
└── user-schema.ts
├── middleware.ts
├── next.config.mjs
├── package.json
├── pnpm-lock.yaml
├── postcss.config.js
├── public
├── images
│ ├── default.png
│ ├── github.svg
│ └── google.svg
├── next.svg
└── vercel.svg
├── tailwind.config.ts
└── tsconfig.json
/.eslintrc.json:
--------------------------------------------------------------------------------
1 | {
2 | "extends": "next/core-web-vitals"
3 | }
4 |
--------------------------------------------------------------------------------
/.gitignore:
--------------------------------------------------------------------------------
1 | # See https://help.github.com/articles/ignoring-files/ for more about ignoring files.
2 |
3 | # dependencies
4 | /node_modules
5 | /.pnp
6 | .pnp.js
7 | .yarn/install-state.gz
8 |
9 | # testing
10 | /coverage
11 |
12 | # next.js
13 | /.next/
14 | /out/
15 |
16 | # production
17 | /build
18 |
19 | # misc
20 | .DS_Store
21 | *.pem
22 |
23 | # debug
24 | npm-debug.log*
25 | yarn-debug.log*
26 | yarn-error.log*
27 |
28 | # local env files
29 | .env*.local
30 | .env
31 | toc.txt
32 |
33 | # vercel
34 | .vercel
35 |
36 | # typescript
37 | *.tsbuildinfo
38 | next-env.d.ts
39 |
--------------------------------------------------------------------------------
/Makefile:
--------------------------------------------------------------------------------
1 | setup-project:
2 | pnpm create next-app nextjs14-supabase-ssr-authentication
3 | install-dependencies:
4 | pnpm add @supabase/ssr
5 | pnpm add zod @hookform/resolvers react-hook-form
6 | pnpm add react-hot-toast
--------------------------------------------------------------------------------
/README.md:
--------------------------------------------------------------------------------
1 | # Implement Authentication with Supabase in Next.js 14
2 |
3 | In this article, you'll learn how to integrate Supabase with Next.js 14 for email and password authentication, as well as Google and GitHub OAuth. The tutorial covers protecting pages to ensure only authenticated users can access them, fetching the user's session in a React Server Component, and automatically refreshing cookies in the background when the user's session expires.
4 |
5 | 
6 |
7 | ## Topics Covered
8 |
9 | - Running the Supabase and Next.js 14 Authentication App
10 | - Demo of the tRPC Application
11 | - Set up the Next.js 14 Project
12 | - Install the Necessary Dependencies
13 | - Create a Project on Supabase
14 | - Create a Supabase Server Client
15 | - Create the Validation Schemas
16 | - Create Server Actions to Handle SignUp and Login
17 | - Get the Authenticated User's Session
18 | - Create a Header Component with Logout Functionality
19 | - Register an Account with Supabase in Next.js 14
20 | - Create the Registration Form
21 | - Create the Registration Page
22 | - Login with Supabase in Next.js 14
23 | - Create the Login Form
24 | - Create the Login Page
25 | - Create the Home Page and a Protected Page
26 | - Set up OAuth with Supabase in Next.js 14
27 | - Generate the OAuth Credentials on GitHub
28 | - Generate the OAuth Credentials on Google
29 | - Create a Supabase Browser Client
30 | - Create an API endpoint for handling
31 | - Implement OAuth in the Login Form
32 | - Create a Next.js Middleware to Refresh Cookies
33 | - Conclusion
34 |
35 | Read the entire article here: [https://codevoweb.com/implement-authentication-with-supabase-in-nextjs-14/](https://codevoweb.com/implement-authentication-with-supabase-in-nextjs-14/)
36 |
37 | # Setup Google and GitHub OAuth with Supabase in Next.js 14
38 |
39 | This tutorial guides you through the process of integrating Google and GitHub OAuth into your Next.js 14 project using Supabase. If you've ever struggled with managing multiple passwords for different websites, you understand the importance of simplifying the sign-in process.
40 |
41 | 
42 |
43 | ## Topics Covered
44 |
45 | - How to Run the Next.js Application on Your Machine
46 | - Demo of the Google and GitHub OAuth Flow
47 | - Create a Project on Supabase
48 | - Configure the Google and GitHub OAuth Providers on Supabase
49 | - Generate the OAuth Credentials on GitHub
50 | - Generate the OAuth Credentials on Google
51 | - Create a Supabase Browser Client
52 | - Implement Google and GitHub OAuth
53 | - Create a Route to Exchange the OAuth Code for a Session
54 | - Create Middleware to Refresh Expired Cookies
55 | - Conclusion
56 |
57 | Read the entire article here: [https://codevoweb.com/setup-google-github-oauth-with-supabase-in-nextjs-14/](https://codevoweb.com/setup-google-github-oauth-with-supabase-in-nextjs-14/)
58 |
--------------------------------------------------------------------------------
/app/_actions.ts:
--------------------------------------------------------------------------------
1 | "use server";
2 |
3 | import createSupabaseServerClient from "@/lib/supabase/server";
4 | import { CreateUserInput, LoginUserInput } from "@/lib/user-schema";
5 |
6 | export async function signUpWithEmailAndPassword({
7 | data,
8 | emailRedirectTo,
9 | }: {
10 | data: CreateUserInput;
11 | emailRedirectTo?: string;
12 | }) {
13 | const supabase = await createSupabaseServerClient();
14 | const result = await supabase.auth.signUp({
15 | email: data.email,
16 | password: data.password,
17 | options: {
18 | emailRedirectTo,
19 | },
20 | });
21 | return JSON.stringify(result);
22 | }
23 |
24 | export async function signInWithEmailAndPassword(data: LoginUserInput) {
25 | const supabase = await createSupabaseServerClient();
26 | const result = await supabase.auth.signInWithPassword({
27 | email: data.email,
28 | password: data.password,
29 | });
30 | return JSON.stringify(result);
31 | }
32 |
--------------------------------------------------------------------------------
/app/auth/callback/route.ts:
--------------------------------------------------------------------------------
1 | import { NextResponse } from "next/server";
2 | import createSupabaseServerClient from "@/lib/supabase/server";
3 |
4 | export async function GET(request: Request) {
5 | const { searchParams, origin } = new URL(request.url);
6 | const code = searchParams.get("code");
7 | const next = searchParams.get("next") ?? "/";
8 |
9 | if (code) {
10 | const supabase = await createSupabaseServerClient();
11 | const { error } = await supabase.auth.exchangeCodeForSession(code);
12 | if (!error) {
13 | return NextResponse.redirect(`${origin}${next}`);
14 | }
15 | }
16 |
17 | // return the user to an error page with instructions
18 | return NextResponse.redirect(`${origin}/auth/auth-code-error`);
19 | }
20 |
--------------------------------------------------------------------------------
/app/favicon.ico:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/wpcodevo/nextjs14-supabase-ssr-authentication/38babb582c5900f5e273b032769b4b2241fb686f/app/favicon.ico
--------------------------------------------------------------------------------
/app/globals.css:
--------------------------------------------------------------------------------
1 | @import url("https://fonts.googleapis.com/css2?family=Poppins:ital,wght@0,300;0,400;0,500;0,600;0,700;0,800;0,900;1,300&display=swap");
2 | @tailwind base;
3 | @tailwind components;
4 | @tailwind utilities;
5 |
--------------------------------------------------------------------------------
/app/layout.tsx:
--------------------------------------------------------------------------------
1 | import type { Metadata } from 'next';
2 | import { Inter } from 'next/font/google';
3 | import './globals.css';
4 | import { Toaster } from 'react-hot-toast';
5 |
6 | const inter = Inter({ subsets: ['latin'] });
7 |
8 | export const metadata: Metadata = {
9 | title: 'Create Next App',
10 | description: 'Generated by create next app',
11 | };
12 |
13 | export default function RootLayout({
14 | children,
15 | }: Readonly<{
16 | children: React.ReactNode;
17 | }>) {
18 | return (
19 |
20 |
21 | {children}
22 |
23 |
24 |
25 | );
26 | }
27 |
--------------------------------------------------------------------------------
/app/login/login-form.tsx:
--------------------------------------------------------------------------------
1 | 'use client';
2 |
3 | import { LoginUserInput, loginUserSchema } from '@/lib/user-schema';
4 | import { zodResolver } from '@hookform/resolvers/zod';
5 | import Image from 'next/image';
6 | import { useRouter } from 'next/navigation';
7 | import { useState, useTransition } from 'react';
8 | import { SubmitHandler, useForm } from 'react-hook-form';
9 | import { signInWithEmailAndPassword } from '../_actions';
10 | import toast from 'react-hot-toast';
11 | import useSupabaseClient from '@/lib/supabase/client';
12 |
13 | export const LoginForm = () => {
14 | const router = useRouter();
15 | const [error, setError] = useState('');
16 | const [isPending, startTransition] = useTransition();
17 | const supabase = useSupabaseClient();
18 |
19 | const methods = useForm({
20 | resolver: zodResolver(loginUserSchema),
21 | });
22 |
23 | const {
24 | reset,
25 | handleSubmit,
26 | register,
27 | formState: { errors },
28 | } = methods;
29 |
30 | const onSubmitHandler: SubmitHandler = async (values) => {
31 | startTransition(async () => {
32 | const result = await signInWithEmailAndPassword(values);
33 |
34 | const { error } = JSON.parse(result);
35 | if (error?.message) {
36 | setError(error.message);
37 | toast.error(error.message);
38 | console.log('Error message', error.message);
39 | reset({ password: '' });
40 | return;
41 | }
42 |
43 | setError('');
44 | toast.success('successfully logged in');
45 | router.push('/');
46 | });
47 | };
48 |
49 | const loginWithGitHub = () => {
50 | supabase.auth.signInWithOAuth({
51 | provider: 'github',
52 | options: {
53 | redirectTo: `${location.origin}/auth/callback`,
54 | },
55 | });
56 | };
57 |
58 | const loginWithGoogle = () => {
59 | supabase.auth.signInWithOAuth({
60 | provider: 'google',
61 | options: {
62 | redirectTo: `${location.origin}/auth/callback`,
63 | },
64 | });
65 | };
66 |
67 | const input_style =
68 | 'form-control block w-full px-4 py-5 text-sm font-normal text-gray-700 bg-white bg-clip-padding border border-solid border-gray-300 rounded transition ease-in-out m-0 focus:text-gray-700 focus:bg-white focus:border-blue-600 focus:outline-none';
69 |
70 | return (
71 |
146 | );
147 | };
148 |
--------------------------------------------------------------------------------
/app/login/page.tsx:
--------------------------------------------------------------------------------
1 | import Header from '@/components/header';
2 | import { LoginForm } from './login-form';
3 |
4 | export default async function LoginPage() {
5 | return (
6 | <>
7 |
8 |
9 |
16 | >
17 | );
18 | }
19 |
--------------------------------------------------------------------------------
/app/page.tsx:
--------------------------------------------------------------------------------
1 | import Header from '@/components/header';
2 |
3 | export default function Home() {
4 | return (
5 | <>
6 |
7 |
8 |
9 |
10 | Implement Authentication with Supabase in Next.js 14
11 |
12 |
13 |
14 | >
15 | );
16 | }
17 |
--------------------------------------------------------------------------------
/app/profile/page.tsx:
--------------------------------------------------------------------------------
1 | import Header from '@/components/header';
2 | import getUserSession from '@/lib/getUserSession';
3 | import { redirect } from 'next/navigation';
4 |
5 | export default async function ProfilePage() {
6 | const {
7 | data: { session },
8 | } = await getUserSession();
9 |
10 | if (!session) {
11 | return redirect('/login');
12 | }
13 |
14 | const user = session.user;
15 |
16 | return (
17 | <>
18 |
19 |
20 |
21 |
22 |
23 | Profile Page
24 |
25 |
26 |
Id: {user.id}
27 |
Role: {user.role}
28 |
Email: {user.email}
29 |
Provider: {user.app_metadata['provider']}
30 |
Created At: {user.created_at}
31 |
32 |
33 |
34 |
35 | >
36 | );
37 | }
38 |
--------------------------------------------------------------------------------
/app/register/page.tsx:
--------------------------------------------------------------------------------
1 | import Header from '@/components/header';
2 | import { RegisterForm } from './register-form';
3 |
4 | export default async function RegisterPage() {
5 | return (
6 | <>
7 |
8 |
9 |
16 | >
17 | );
18 | }
19 |
--------------------------------------------------------------------------------
/app/register/register-form.tsx:
--------------------------------------------------------------------------------
1 | "use client";
2 |
3 | import { CreateUserInput, createUserSchema } from "@/lib/user-schema";
4 | import { zodResolver } from "@hookform/resolvers/zod";
5 | import { SubmitHandler, useForm } from "react-hook-form";
6 | import { signUpWithEmailAndPassword } from "../_actions";
7 | import toast from "react-hot-toast";
8 | import { useRouter } from "next/navigation";
9 | import { useTransition } from "react";
10 |
11 | export const RegisterForm = () => {
12 | const [isPending, startTransition] = useTransition();
13 | const router = useRouter();
14 |
15 | const methods = useForm({
16 | resolver: zodResolver(createUserSchema),
17 | });
18 |
19 | const {
20 | reset,
21 | handleSubmit,
22 | register,
23 | formState: { errors },
24 | } = methods;
25 |
26 | const onSubmitHandler: SubmitHandler = (values) => {
27 | startTransition(async () => {
28 | const result = await signUpWithEmailAndPassword({
29 | data: values,
30 | emailRedirectTo: `${location.origin}/auth/callback`,
31 | });
32 | const { error } = JSON.parse(result);
33 | if (error?.message) {
34 | toast.error(error.message);
35 | console.log("Error message", error.message);
36 | reset({ password: "" });
37 | return;
38 | }
39 |
40 | toast.success("registered successfully");
41 | router.push("/login");
42 | });
43 | };
44 |
45 | const input_style =
46 | "form-control block w-full px-4 py-5 text-sm font-normal text-gray-700 bg-white bg-clip-padding border border-solid border-gray-300 rounded transition ease-in-out m-0 focus:text-gray-700 focus:bg-white focus:border-blue-600 focus:outline-none";
47 |
48 | return (
49 |
110 | );
111 | };
112 |
--------------------------------------------------------------------------------
/components/header.tsx:
--------------------------------------------------------------------------------
1 | import Link from 'next/link';
2 | import getUserSession from '@/lib/getUserSession';
3 | import createSupabaseServerClient from '@/lib/supabase/server';
4 |
5 | const Header = async () => {
6 | const { data } = await getUserSession();
7 |
8 | const logoutAction = async () => {
9 | 'use server';
10 | const supabase = await createSupabaseServerClient();
11 | await supabase.auth.signOut();
12 | };
13 |
14 | return (
15 |
57 | );
58 | };
59 |
60 | export default Header;
61 |
--------------------------------------------------------------------------------
/example.env:
--------------------------------------------------------------------------------
1 | NEXT_PUBLIC_SUPABASE_URL=
2 | NEXT_PUBLIC_SUPABASE_ANON_KEY=
--------------------------------------------------------------------------------
/lib/getUserSession.ts:
--------------------------------------------------------------------------------
1 | 'use server';
2 |
3 | import createSupabaseServerClient from './supabase/server';
4 |
5 | export default async function getUserSession() {
6 | const supabase = await createSupabaseServerClient();
7 | return supabase.auth.getSession();
8 | }
9 |
--------------------------------------------------------------------------------
/lib/supabase/client.ts:
--------------------------------------------------------------------------------
1 | import { useMemo } from 'react';
2 | import { createBrowserClient } from '@supabase/ssr';
3 |
4 | export function getSupabaseBrowserClient() {
5 | return createBrowserClient(
6 | process.env.NEXT_PUBLIC_SUPABASE_URL!,
7 | process.env.NEXT_PUBLIC_SUPABASE_ANON_KEY!
8 | );
9 | }
10 |
11 | function useSupabaseClient() {
12 | return useMemo(getSupabaseBrowserClient, []);
13 | }
14 |
15 | export default useSupabaseClient;
16 |
--------------------------------------------------------------------------------
/lib/supabase/server.ts:
--------------------------------------------------------------------------------
1 | 'use server';
2 |
3 | import { createServerClient, type CookieOptions } from '@supabase/ssr';
4 | import { cookies } from 'next/headers';
5 |
6 | export default async function createSupabaseServerClient() {
7 | const cookieStore = cookies();
8 |
9 | return createServerClient(
10 | process.env.NEXT_PUBLIC_SUPABASE_URL!,
11 | process.env.NEXT_PUBLIC_SUPABASE_ANON_KEY!,
12 | {
13 | cookies: {
14 | get(name: string) {
15 | return cookieStore.get(name)?.value;
16 | },
17 | set(name: string, value: string, options: CookieOptions) {
18 | cookieStore.set({ name, value, ...options });
19 | },
20 | remove(name: string, options: CookieOptions) {
21 | cookieStore.set({ name, value: '', ...options });
22 | },
23 | },
24 | }
25 | );
26 | }
27 |
--------------------------------------------------------------------------------
/lib/user-schema.ts:
--------------------------------------------------------------------------------
1 | import { object, string, TypeOf } from 'zod';
2 |
3 | export const createUserSchema = object({
4 | name: string({ required_error: 'Name is required' }).min(
5 | 1,
6 | 'Name is required'
7 | ),
8 | email: string({ required_error: 'Email is required' })
9 | .min(1, 'Email is required')
10 | .email('Invalid email'),
11 | photo: string().optional(),
12 | password: string({ required_error: 'Password is required' })
13 | .min(1, 'Password is required')
14 | .min(8, 'Password must be more than 8 characters')
15 | .max(32, 'Password must be less than 32 characters'),
16 | passwordConfirm: string({
17 | required_error: 'Please confirm your password',
18 | }).min(1, 'Please confirm your password'),
19 | }).refine((data) => data.password === data.passwordConfirm, {
20 | path: ['passwordConfirm'],
21 | message: 'Passwords do not match',
22 | });
23 |
24 | export const loginUserSchema = object({
25 | email: string({ required_error: 'Email is required' })
26 | .min(1, 'Email is required')
27 | .email('Invalid email or password'),
28 | password: string({ required_error: 'Password is required' }).min(
29 | 1,
30 | 'Password is required'
31 | ),
32 | });
33 |
34 | export type CreateUserInput = TypeOf;
35 | export type LoginUserInput = TypeOf;
36 |
--------------------------------------------------------------------------------
/middleware.ts:
--------------------------------------------------------------------------------
1 | import { createServerClient, type CookieOptions } from '@supabase/ssr';
2 | import { NextResponse, type NextRequest } from 'next/server';
3 |
4 | export async function middleware(request: NextRequest) {
5 | let response = NextResponse.next({
6 | request: {
7 | headers: request.headers,
8 | },
9 | });
10 |
11 | const supabase = createServerClient(
12 | process.env.NEXT_PUBLIC_SUPABASE_URL!,
13 | process.env.NEXT_PUBLIC_SUPABASE_ANON_KEY!,
14 | {
15 | cookies: {
16 | get(name: string) {
17 | return request.cookies.get(name)?.value;
18 | },
19 | set(name: string, value: string, options: CookieOptions) {
20 | request.cookies.set({
21 | name,
22 | value,
23 | ...options,
24 | });
25 | response = NextResponse.next({
26 | request: {
27 | headers: request.headers,
28 | },
29 | });
30 | response.cookies.set({
31 | name,
32 | value,
33 | ...options,
34 | });
35 | },
36 | remove(name: string, options: CookieOptions) {
37 | request.cookies.set({
38 | name,
39 | value: '',
40 | ...options,
41 | });
42 | response = NextResponse.next({
43 | request: {
44 | headers: request.headers,
45 | },
46 | });
47 | response.cookies.set({
48 | name,
49 | value: '',
50 | ...options,
51 | });
52 | },
53 | },
54 | }
55 | );
56 |
57 | await supabase.auth.getUser();
58 |
59 | return response;
60 | }
61 |
62 | export const config = {
63 | matcher: [
64 | /*
65 | * Match all request paths except for the ones starting with:
66 | * - _next/static (static files)
67 | * - _next/image (image optimization files)
68 | * - favicon.ico (favicon file)
69 | * Feel free to modify this pattern to include more paths.
70 | */
71 | '/((?!_next/static|_next/image|favicon.ico).*)',
72 | ],
73 | };
74 |
--------------------------------------------------------------------------------
/next.config.mjs:
--------------------------------------------------------------------------------
1 | /** @type {import('next').NextConfig} */
2 | const nextConfig = {};
3 |
4 | export default nextConfig;
5 |
--------------------------------------------------------------------------------
/package.json:
--------------------------------------------------------------------------------
1 | {
2 | "name": "nextjs14-supabase-ssr-authentication",
3 | "version": "0.1.0",
4 | "private": true,
5 | "scripts": {
6 | "dev": "next dev",
7 | "build": "next build",
8 | "start": "next start",
9 | "lint": "next lint"
10 | },
11 | "dependencies": {
12 | "@hookform/resolvers": "^3.3.4",
13 | "@supabase/ssr": "^0.0.10",
14 | "next": "14.1.0",
15 | "react": "^18",
16 | "react-dom": "^18",
17 | "react-hook-form": "^7.49.3",
18 | "react-hot-toast": "^2.4.1",
19 | "zod": "^3.22.4"
20 | },
21 | "devDependencies": {
22 | "@types/node": "^20",
23 | "@types/react": "^18",
24 | "@types/react-dom": "^18",
25 | "autoprefixer": "^10.0.1",
26 | "eslint": "^8",
27 | "eslint-config-next": "14.1.0",
28 | "postcss": "^8",
29 | "tailwindcss": "^3.3.0",
30 | "typescript": "^5"
31 | }
32 | }
33 |
--------------------------------------------------------------------------------
/pnpm-lock.yaml:
--------------------------------------------------------------------------------
1 | lockfileVersion: '6.0'
2 |
3 | settings:
4 | autoInstallPeers: true
5 | excludeLinksFromLockfile: false
6 |
7 | dependencies:
8 | '@hookform/resolvers':
9 | specifier: ^3.3.4
10 | version: 3.3.4(react-hook-form@7.49.3)
11 | '@supabase/ssr':
12 | specifier: ^0.0.10
13 | version: 0.0.10(@supabase/supabase-js@2.39.3)
14 | next:
15 | specifier: 14.1.0
16 | version: 14.1.0(react-dom@18.2.0)(react@18.2.0)
17 | react:
18 | specifier: ^18
19 | version: 18.2.0
20 | react-dom:
21 | specifier: ^18
22 | version: 18.2.0(react@18.2.0)
23 | react-hook-form:
24 | specifier: ^7.49.3
25 | version: 7.49.3(react@18.2.0)
26 | react-hot-toast:
27 | specifier: ^2.4.1
28 | version: 2.4.1(csstype@3.1.3)(react-dom@18.2.0)(react@18.2.0)
29 | zod:
30 | specifier: ^3.22.4
31 | version: 3.22.4
32 |
33 | devDependencies:
34 | '@types/node':
35 | specifier: ^20
36 | version: 20.11.13
37 | '@types/react':
38 | specifier: ^18
39 | version: 18.2.48
40 | '@types/react-dom':
41 | specifier: ^18
42 | version: 18.2.18
43 | autoprefixer:
44 | specifier: ^10.0.1
45 | version: 10.4.17(postcss@8.4.33)
46 | eslint:
47 | specifier: ^8
48 | version: 8.56.0
49 | eslint-config-next:
50 | specifier: 14.1.0
51 | version: 14.1.0(eslint@8.56.0)(typescript@5.3.3)
52 | postcss:
53 | specifier: ^8
54 | version: 8.4.33
55 | tailwindcss:
56 | specifier: ^3.3.0
57 | version: 3.4.1
58 | typescript:
59 | specifier: ^5
60 | version: 5.3.3
61 |
62 | packages:
63 |
64 | /@aashutoshrathi/word-wrap@1.2.6:
65 | resolution: {integrity: sha512-1Yjs2SvM8TflER/OD3cOjhWWOZb58A2t7wpE2S9XfBYTiIl+XFhQG2bjy4Pu1I+EAlCNUzRDYDdFwFYUKvXcIA==}
66 | engines: {node: '>=0.10.0'}
67 | dev: true
68 |
69 | /@alloc/quick-lru@5.2.0:
70 | resolution: {integrity: sha512-UrcABB+4bUrFABwbluTIBErXwvbsU/V7TZWfmbgJfbkwiBuziS9gxdODUyuiecfdGQ85jglMW6juS3+z5TsKLw==}
71 | engines: {node: '>=10'}
72 | dev: true
73 |
74 | /@babel/runtime@7.23.9:
75 | resolution: {integrity: sha512-0CX6F+BI2s9dkUqr08KFrAIZgNFj75rdBU/DjCyYLIaV/quFjkk6T+EJ2LkZHyZTbEV4L5p97mNkUsHl2wLFAw==}
76 | engines: {node: '>=6.9.0'}
77 | dependencies:
78 | regenerator-runtime: 0.14.1
79 | dev: true
80 |
81 | /@eslint-community/eslint-utils@4.4.0(eslint@8.56.0):
82 | resolution: {integrity: sha512-1/sA4dwrzBAyeUoQ6oxahHKmrZvsnLCg4RfxW3ZFGGmQkSNQPFNLV9CUEFQP1x9EYXHTo5p6xdhZM1Ne9p/AfA==}
83 | engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
84 | peerDependencies:
85 | eslint: ^6.0.0 || ^7.0.0 || >=8.0.0
86 | dependencies:
87 | eslint: 8.56.0
88 | eslint-visitor-keys: 3.4.3
89 | dev: true
90 |
91 | /@eslint-community/regexpp@4.10.0:
92 | resolution: {integrity: sha512-Cu96Sd2By9mCNTx2iyKOmq10v22jUVQv0lQnlGNy16oE9589yE+QADPbrMGCkA51cKZSg3Pu/aTJVTGfL/qjUA==}
93 | engines: {node: ^12.0.0 || ^14.0.0 || >=16.0.0}
94 | dev: true
95 |
96 | /@eslint/eslintrc@2.1.4:
97 | resolution: {integrity: sha512-269Z39MS6wVJtsoUl10L60WdkhJVdPG24Q4eZTH3nnF6lpvSShEK3wQjDX9JRWAUPvPh7COouPpU9IrqaZFvtQ==}
98 | engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
99 | dependencies:
100 | ajv: 6.12.6
101 | debug: 4.3.4
102 | espree: 9.6.1
103 | globals: 13.24.0
104 | ignore: 5.3.0
105 | import-fresh: 3.3.0
106 | js-yaml: 4.1.0
107 | minimatch: 3.1.2
108 | strip-json-comments: 3.1.1
109 | transitivePeerDependencies:
110 | - supports-color
111 | dev: true
112 |
113 | /@eslint/js@8.56.0:
114 | resolution: {integrity: sha512-gMsVel9D7f2HLkBma9VbtzZRehRogVRfbr++f06nL2vnCGCNlzOD+/MUov/F4p8myyAHspEhVobgjpX64q5m6A==}
115 | engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
116 | dev: true
117 |
118 | /@hookform/resolvers@3.3.4(react-hook-form@7.49.3):
119 | resolution: {integrity: sha512-o5cgpGOuJYrd+iMKvkttOclgwRW86EsWJZZRC23prf0uU2i48Htq4PuT73AVb9ionFyZrwYEITuOFGF+BydEtQ==}
120 | peerDependencies:
121 | react-hook-form: ^7.0.0
122 | dependencies:
123 | react-hook-form: 7.49.3(react@18.2.0)
124 | dev: false
125 |
126 | /@humanwhocodes/config-array@0.11.14:
127 | resolution: {integrity: sha512-3T8LkOmg45BV5FICb15QQMsyUSWrQ8AygVfC7ZG32zOalnqrilm018ZVCw0eapXux8FtA33q8PSRSstjee3jSg==}
128 | engines: {node: '>=10.10.0'}
129 | dependencies:
130 | '@humanwhocodes/object-schema': 2.0.2
131 | debug: 4.3.4
132 | minimatch: 3.1.2
133 | transitivePeerDependencies:
134 | - supports-color
135 | dev: true
136 |
137 | /@humanwhocodes/module-importer@1.0.1:
138 | resolution: {integrity: sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA==}
139 | engines: {node: '>=12.22'}
140 | dev: true
141 |
142 | /@humanwhocodes/object-schema@2.0.2:
143 | resolution: {integrity: sha512-6EwiSjwWYP7pTckG6I5eyFANjPhmPjUX9JRLUSfNPC7FX7zK9gyZAfUEaECL6ALTpGX5AjnBq3C9XmVWPitNpw==}
144 | dev: true
145 |
146 | /@isaacs/cliui@8.0.2:
147 | resolution: {integrity: sha512-O8jcjabXaleOG9DQ0+ARXWZBTfnP4WNAqzuiJK7ll44AmxGKv/J2M4TPjxjY3znBCfvBXFzucm1twdyFybFqEA==}
148 | engines: {node: '>=12'}
149 | dependencies:
150 | string-width: 5.1.2
151 | string-width-cjs: /string-width@4.2.3
152 | strip-ansi: 7.1.0
153 | strip-ansi-cjs: /strip-ansi@6.0.1
154 | wrap-ansi: 8.1.0
155 | wrap-ansi-cjs: /wrap-ansi@7.0.0
156 | dev: true
157 |
158 | /@jridgewell/gen-mapping@0.3.3:
159 | resolution: {integrity: sha512-HLhSWOLRi875zjjMG/r+Nv0oCW8umGb0BgEhyX3dDX3egwZtB8PqLnjz3yedt8R5StBrzcg4aBpnh8UA9D1BoQ==}
160 | engines: {node: '>=6.0.0'}
161 | dependencies:
162 | '@jridgewell/set-array': 1.1.2
163 | '@jridgewell/sourcemap-codec': 1.4.15
164 | '@jridgewell/trace-mapping': 0.3.22
165 | dev: true
166 |
167 | /@jridgewell/resolve-uri@3.1.1:
168 | resolution: {integrity: sha512-dSYZh7HhCDtCKm4QakX0xFpsRDqjjtZf/kjI/v3T3Nwt5r8/qz/M19F9ySyOqU94SXBmeG9ttTul+YnR4LOxFA==}
169 | engines: {node: '>=6.0.0'}
170 | dev: true
171 |
172 | /@jridgewell/set-array@1.1.2:
173 | resolution: {integrity: sha512-xnkseuNADM0gt2bs+BvhO0p78Mk762YnZdsuzFV018NoG1Sj1SCQvpSqa7XUaTam5vAGasABV9qXASMKnFMwMw==}
174 | engines: {node: '>=6.0.0'}
175 | dev: true
176 |
177 | /@jridgewell/sourcemap-codec@1.4.15:
178 | resolution: {integrity: sha512-eF2rxCRulEKXHTRiDrDy6erMYWqNw4LPdQ8UQA4huuxaQsVeRPFl2oM8oDGxMFhJUWZf9McpLtJasDDZb/Bpeg==}
179 | dev: true
180 |
181 | /@jridgewell/trace-mapping@0.3.22:
182 | resolution: {integrity: sha512-Wf963MzWtA2sjrNt+g18IAln9lKnlRp+K2eH4jjIoF1wYeq3aMREpG09xhlhdzS0EjwU7qmUJYangWa+151vZw==}
183 | dependencies:
184 | '@jridgewell/resolve-uri': 3.1.1
185 | '@jridgewell/sourcemap-codec': 1.4.15
186 | dev: true
187 |
188 | /@next/env@14.1.0:
189 | resolution: {integrity: sha512-Py8zIo+02ht82brwwhTg36iogzFqGLPXlRGKQw5s+qP/kMNc4MAyDeEwBKDijk6zTIbegEgu8Qy7C1LboslQAw==}
190 | dev: false
191 |
192 | /@next/eslint-plugin-next@14.1.0:
193 | resolution: {integrity: sha512-x4FavbNEeXx/baD/zC/SdrvkjSby8nBn8KcCREqk6UuwvwoAPZmaV8TFCAuo/cpovBRTIY67mHhe86MQQm/68Q==}
194 | dependencies:
195 | glob: 10.3.10
196 | dev: true
197 |
198 | /@next/swc-darwin-arm64@14.1.0:
199 | resolution: {integrity: sha512-nUDn7TOGcIeyQni6lZHfzNoo9S0euXnu0jhsbMOmMJUBfgsnESdjN97kM7cBqQxZa8L/bM9om/S5/1dzCrW6wQ==}
200 | engines: {node: '>= 10'}
201 | cpu: [arm64]
202 | os: [darwin]
203 | requiresBuild: true
204 | dev: false
205 | optional: true
206 |
207 | /@next/swc-darwin-x64@14.1.0:
208 | resolution: {integrity: sha512-1jgudN5haWxiAl3O1ljUS2GfupPmcftu2RYJqZiMJmmbBT5M1XDffjUtRUzP4W3cBHsrvkfOFdQ71hAreNQP6g==}
209 | engines: {node: '>= 10'}
210 | cpu: [x64]
211 | os: [darwin]
212 | requiresBuild: true
213 | dev: false
214 | optional: true
215 |
216 | /@next/swc-linux-arm64-gnu@14.1.0:
217 | resolution: {integrity: sha512-RHo7Tcj+jllXUbK7xk2NyIDod3YcCPDZxj1WLIYxd709BQ7WuRYl3OWUNG+WUfqeQBds6kvZYlc42NJJTNi4tQ==}
218 | engines: {node: '>= 10'}
219 | cpu: [arm64]
220 | os: [linux]
221 | requiresBuild: true
222 | dev: false
223 | optional: true
224 |
225 | /@next/swc-linux-arm64-musl@14.1.0:
226 | resolution: {integrity: sha512-v6kP8sHYxjO8RwHmWMJSq7VZP2nYCkRVQ0qolh2l6xroe9QjbgV8siTbduED4u0hlk0+tjS6/Tuy4n5XCp+l6g==}
227 | engines: {node: '>= 10'}
228 | cpu: [arm64]
229 | os: [linux]
230 | requiresBuild: true
231 | dev: false
232 | optional: true
233 |
234 | /@next/swc-linux-x64-gnu@14.1.0:
235 | resolution: {integrity: sha512-zJ2pnoFYB1F4vmEVlb/eSe+VH679zT1VdXlZKX+pE66grOgjmKJHKacf82g/sWE4MQ4Rk2FMBCRnX+l6/TVYzQ==}
236 | engines: {node: '>= 10'}
237 | cpu: [x64]
238 | os: [linux]
239 | requiresBuild: true
240 | dev: false
241 | optional: true
242 |
243 | /@next/swc-linux-x64-musl@14.1.0:
244 | resolution: {integrity: sha512-rbaIYFt2X9YZBSbH/CwGAjbBG2/MrACCVu2X0+kSykHzHnYH5FjHxwXLkcoJ10cX0aWCEynpu+rP76x0914atg==}
245 | engines: {node: '>= 10'}
246 | cpu: [x64]
247 | os: [linux]
248 | requiresBuild: true
249 | dev: false
250 | optional: true
251 |
252 | /@next/swc-win32-arm64-msvc@14.1.0:
253 | resolution: {integrity: sha512-o1N5TsYc8f/HpGt39OUQpQ9AKIGApd3QLueu7hXk//2xq5Z9OxmV6sQfNp8C7qYmiOlHYODOGqNNa0e9jvchGQ==}
254 | engines: {node: '>= 10'}
255 | cpu: [arm64]
256 | os: [win32]
257 | requiresBuild: true
258 | dev: false
259 | optional: true
260 |
261 | /@next/swc-win32-ia32-msvc@14.1.0:
262 | resolution: {integrity: sha512-XXIuB1DBRCFwNO6EEzCTMHT5pauwaSj4SWs7CYnME57eaReAKBXCnkUE80p/pAZcewm7hs+vGvNqDPacEXHVkw==}
263 | engines: {node: '>= 10'}
264 | cpu: [ia32]
265 | os: [win32]
266 | requiresBuild: true
267 | dev: false
268 | optional: true
269 |
270 | /@next/swc-win32-x64-msvc@14.1.0:
271 | resolution: {integrity: sha512-9WEbVRRAqJ3YFVqEZIxUqkiO8l1nool1LmNxygr5HWF8AcSYsEpneUDhmjUVJEzO2A04+oPtZdombzzPPkTtgg==}
272 | engines: {node: '>= 10'}
273 | cpu: [x64]
274 | os: [win32]
275 | requiresBuild: true
276 | dev: false
277 | optional: true
278 |
279 | /@nodelib/fs.scandir@2.1.5:
280 | resolution: {integrity: sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==}
281 | engines: {node: '>= 8'}
282 | dependencies:
283 | '@nodelib/fs.stat': 2.0.5
284 | run-parallel: 1.2.0
285 | dev: true
286 |
287 | /@nodelib/fs.stat@2.0.5:
288 | resolution: {integrity: sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==}
289 | engines: {node: '>= 8'}
290 | dev: true
291 |
292 | /@nodelib/fs.walk@1.2.8:
293 | resolution: {integrity: sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==}
294 | engines: {node: '>= 8'}
295 | dependencies:
296 | '@nodelib/fs.scandir': 2.1.5
297 | fastq: 1.17.0
298 | dev: true
299 |
300 | /@pkgjs/parseargs@0.11.0:
301 | resolution: {integrity: sha512-+1VkjdD0QBLPodGrJUeqarH8VAIvQODIbwh9XpP5Syisf7YoQgsJKPNFoqqLQlu+VQ/tVSshMR6loPMn8U+dPg==}
302 | engines: {node: '>=14'}
303 | requiresBuild: true
304 | dev: true
305 | optional: true
306 |
307 | /@rushstack/eslint-patch@1.7.2:
308 | resolution: {integrity: sha512-RbhOOTCNoCrbfkRyoXODZp75MlpiHMgbE5MEBZAnnnLyQNgrigEj4p0lzsMDyc1zVsJDLrivB58tgg3emX0eEA==}
309 | dev: true
310 |
311 | /@supabase/functions-js@2.2.0:
312 | resolution: {integrity: sha512-lAmxD/mZ8vk2mg1CmXQWzK5mOHk7kDxAnxoyqUj2BVPvacEZ52P8nFkInEuSMqx6P6FKy64selW1Vyhui9racA==}
313 | dependencies:
314 | '@supabase/node-fetch': 2.6.15
315 | dev: false
316 |
317 | /@supabase/gotrue-js@2.62.2:
318 | resolution: {integrity: sha512-AP6e6W9rQXFTEJ7sTTNYQrNf0LCcnt1hUW+RIgUK+Uh3jbWvcIST7wAlYyNZiMlS9+PYyymWQ+Ykz/rOYSO0+A==}
319 | dependencies:
320 | '@supabase/node-fetch': 2.6.15
321 | dev: false
322 |
323 | /@supabase/node-fetch@2.6.15:
324 | resolution: {integrity: sha512-1ibVeYUacxWYi9i0cf5efil6adJ9WRyZBLivgjs+AUpewx1F3xPi7gLgaASI2SmIQxPoCEjAsLAzKPgMJVgOUQ==}
325 | engines: {node: 4.x || >=6.0.0}
326 | dependencies:
327 | whatwg-url: 5.0.0
328 | dev: false
329 |
330 | /@supabase/postgrest-js@1.9.2:
331 | resolution: {integrity: sha512-I6yHo8CC9cxhOo6DouDMy9uOfW7hjdsnCxZiaJuIVZm1dBGTFiQPgfMa9zXCamEWzNyWRjZvupAUuX+tqcl5Sw==}
332 | dependencies:
333 | '@supabase/node-fetch': 2.6.15
334 | dev: false
335 |
336 | /@supabase/realtime-js@2.9.3:
337 | resolution: {integrity: sha512-lAp50s2n3FhGJFq+wTSXLNIDPw5Y0Wxrgt44eM5nLSA3jZNUUP3Oq2Ccd1CbZdVntPCWLZvJaU//pAd2NE+QnQ==}
338 | dependencies:
339 | '@supabase/node-fetch': 2.6.15
340 | '@types/phoenix': 1.6.4
341 | '@types/ws': 8.5.10
342 | ws: 8.16.0
343 | transitivePeerDependencies:
344 | - bufferutil
345 | - utf-8-validate
346 | dev: false
347 |
348 | /@supabase/ssr@0.0.10(@supabase/supabase-js@2.39.3):
349 | resolution: {integrity: sha512-eVs7+bNlff8Fd79x8K3Jbfpmf8P8QRA1Z6rUDN+fi4ReWvRBZyWOFfR6eqlsX6vTjvGgTiEqujFSkv2PYW5kbQ==}
350 | peerDependencies:
351 | '@supabase/supabase-js': ^2.33.1
352 | dependencies:
353 | '@supabase/supabase-js': 2.39.3
354 | cookie: 0.5.0
355 | ramda: 0.29.1
356 | dev: false
357 |
358 | /@supabase/storage-js@2.5.5:
359 | resolution: {integrity: sha512-OpLoDRjFwClwc2cjTJZG8XviTiQH4Ik8sCiMK5v7et0MDu2QlXjCAW3ljxJB5+z/KazdMOTnySi+hysxWUPu3w==}
360 | dependencies:
361 | '@supabase/node-fetch': 2.6.15
362 | dev: false
363 |
364 | /@supabase/supabase-js@2.39.3:
365 | resolution: {integrity: sha512-NoltJSaJNKDJNutO5sJPAAi5RIWrn1z2XH+ig1+cHDojT6BTN7TvZPNa3Kq3gFQWfO5H1N9El/bCTZJ3iFW2kQ==}
366 | dependencies:
367 | '@supabase/functions-js': 2.2.0
368 | '@supabase/gotrue-js': 2.62.2
369 | '@supabase/node-fetch': 2.6.15
370 | '@supabase/postgrest-js': 1.9.2
371 | '@supabase/realtime-js': 2.9.3
372 | '@supabase/storage-js': 2.5.5
373 | transitivePeerDependencies:
374 | - bufferutil
375 | - utf-8-validate
376 | dev: false
377 |
378 | /@swc/helpers@0.5.2:
379 | resolution: {integrity: sha512-E4KcWTpoLHqwPHLxidpOqQbcrZVgi0rsmmZXUle1jXmJfuIf/UWpczUJ7MZZ5tlxytgJXyp0w4PGkkeLiuIdZw==}
380 | dependencies:
381 | tslib: 2.6.2
382 | dev: false
383 |
384 | /@types/json5@0.0.29:
385 | resolution: {integrity: sha512-dRLjCWHYg4oaA77cxO64oO+7JwCwnIzkZPdrrC71jQmQtlhM556pwKo5bUzqvZndkVbeFLIIi+9TC40JNF5hNQ==}
386 | dev: true
387 |
388 | /@types/node@20.11.13:
389 | resolution: {integrity: sha512-5G4zQwdiQBSWYTDAH1ctw2eidqdhMJaNsiIDKHFr55ihz5Trl2qqR8fdrT732yPBho5gkNxXm67OxWFBqX9aPg==}
390 | dependencies:
391 | undici-types: 5.26.5
392 |
393 | /@types/phoenix@1.6.4:
394 | resolution: {integrity: sha512-B34A7uot1Cv0XtaHRYDATltAdKx0BvVKNgYNqE4WjtPUa4VQJM7kxeXcVKaH+KS+kCmZ+6w+QaUdcljiheiBJA==}
395 | dev: false
396 |
397 | /@types/prop-types@15.7.11:
398 | resolution: {integrity: sha512-ga8y9v9uyeiLdpKddhxYQkxNDrfvuPrlFb0N1qnZZByvcElJaXthF1UhvCh9TLWJBEHeNtdnbysW7Y6Uq8CVng==}
399 | dev: true
400 |
401 | /@types/react-dom@18.2.18:
402 | resolution: {integrity: sha512-TJxDm6OfAX2KJWJdMEVTwWke5Sc/E/RlnPGvGfS0W7+6ocy2xhDVQVh/KvC2Uf7kACs+gDytdusDSdWfWkaNzw==}
403 | dependencies:
404 | '@types/react': 18.2.48
405 | dev: true
406 |
407 | /@types/react@18.2.48:
408 | resolution: {integrity: sha512-qboRCl6Ie70DQQG9hhNREz81jqC1cs9EVNcjQ1AU+jH6NFfSAhVVbrrY/+nSF+Bsk4AOwm9Qa61InvMCyV+H3w==}
409 | dependencies:
410 | '@types/prop-types': 15.7.11
411 | '@types/scheduler': 0.16.8
412 | csstype: 3.1.3
413 | dev: true
414 |
415 | /@types/scheduler@0.16.8:
416 | resolution: {integrity: sha512-WZLiwShhwLRmeV6zH+GkbOFT6Z6VklCItrDioxUnv+u4Ll+8vKeFySoFyK/0ctcRpOmwAicELfmys1sDc/Rw+A==}
417 | dev: true
418 |
419 | /@types/ws@8.5.10:
420 | resolution: {integrity: sha512-vmQSUcfalpIq0R9q7uTo2lXs6eGIpt9wtnLdMv9LVpIjCA/+ufZRozlVoVelIYixx1ugCBKDhn89vnsEGOCx9A==}
421 | dependencies:
422 | '@types/node': 20.11.13
423 | dev: false
424 |
425 | /@typescript-eslint/parser@6.20.0(eslint@8.56.0)(typescript@5.3.3):
426 | resolution: {integrity: sha512-bYerPDF/H5v6V76MdMYhjwmwgMA+jlPVqjSDq2cRqMi8bP5sR3Z+RLOiOMad3nsnmDVmn2gAFCyNgh/dIrfP/w==}
427 | engines: {node: ^16.0.0 || >=18.0.0}
428 | peerDependencies:
429 | eslint: ^7.0.0 || ^8.0.0
430 | typescript: '*'
431 | peerDependenciesMeta:
432 | typescript:
433 | optional: true
434 | dependencies:
435 | '@typescript-eslint/scope-manager': 6.20.0
436 | '@typescript-eslint/types': 6.20.0
437 | '@typescript-eslint/typescript-estree': 6.20.0(typescript@5.3.3)
438 | '@typescript-eslint/visitor-keys': 6.20.0
439 | debug: 4.3.4
440 | eslint: 8.56.0
441 | typescript: 5.3.3
442 | transitivePeerDependencies:
443 | - supports-color
444 | dev: true
445 |
446 | /@typescript-eslint/scope-manager@6.20.0:
447 | resolution: {integrity: sha512-p4rvHQRDTI1tGGMDFQm+GtxP1ZHyAh64WANVoyEcNMpaTFn3ox/3CcgtIlELnRfKzSs/DwYlDccJEtr3O6qBvA==}
448 | engines: {node: ^16.0.0 || >=18.0.0}
449 | dependencies:
450 | '@typescript-eslint/types': 6.20.0
451 | '@typescript-eslint/visitor-keys': 6.20.0
452 | dev: true
453 |
454 | /@typescript-eslint/types@6.20.0:
455 | resolution: {integrity: sha512-MM9mfZMAhiN4cOEcUOEx+0HmuaW3WBfukBZPCfwSqFnQy0grXYtngKCqpQN339X3RrwtzspWJrpbrupKYUSBXQ==}
456 | engines: {node: ^16.0.0 || >=18.0.0}
457 | dev: true
458 |
459 | /@typescript-eslint/typescript-estree@6.20.0(typescript@5.3.3):
460 | resolution: {integrity: sha512-RnRya9q5m6YYSpBN7IzKu9FmLcYtErkDkc8/dKv81I9QiLLtVBHrjz+Ev/crAqgMNW2FCsoZF4g2QUylMnJz+g==}
461 | engines: {node: ^16.0.0 || >=18.0.0}
462 | peerDependencies:
463 | typescript: '*'
464 | peerDependenciesMeta:
465 | typescript:
466 | optional: true
467 | dependencies:
468 | '@typescript-eslint/types': 6.20.0
469 | '@typescript-eslint/visitor-keys': 6.20.0
470 | debug: 4.3.4
471 | globby: 11.1.0
472 | is-glob: 4.0.3
473 | minimatch: 9.0.3
474 | semver: 7.5.4
475 | ts-api-utils: 1.0.3(typescript@5.3.3)
476 | typescript: 5.3.3
477 | transitivePeerDependencies:
478 | - supports-color
479 | dev: true
480 |
481 | /@typescript-eslint/visitor-keys@6.20.0:
482 | resolution: {integrity: sha512-E8Cp98kRe4gKHjJD4NExXKz/zOJ1A2hhZc+IMVD6i7w4yjIvh6VyuRI0gRtxAsXtoC35uGMaQ9rjI2zJaXDEAw==}
483 | engines: {node: ^16.0.0 || >=18.0.0}
484 | dependencies:
485 | '@typescript-eslint/types': 6.20.0
486 | eslint-visitor-keys: 3.4.3
487 | dev: true
488 |
489 | /@ungap/structured-clone@1.2.0:
490 | resolution: {integrity: sha512-zuVdFrMJiuCDQUMCzQaD6KL28MjnqqN8XnAqiEq9PNm/hCPTSGfrXCOfwj1ow4LFb/tNymJPwsNbVePc1xFqrQ==}
491 | dev: true
492 |
493 | /acorn-jsx@5.3.2(acorn@8.11.3):
494 | resolution: {integrity: sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==}
495 | peerDependencies:
496 | acorn: ^6.0.0 || ^7.0.0 || ^8.0.0
497 | dependencies:
498 | acorn: 8.11.3
499 | dev: true
500 |
501 | /acorn@8.11.3:
502 | resolution: {integrity: sha512-Y9rRfJG5jcKOE0CLisYbojUjIrIEE7AGMzA/Sm4BslANhbS+cDMpgBdcPT91oJ7OuJ9hYJBx59RjbhxVnrF8Xg==}
503 | engines: {node: '>=0.4.0'}
504 | hasBin: true
505 | dev: true
506 |
507 | /ajv@6.12.6:
508 | resolution: {integrity: sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==}
509 | dependencies:
510 | fast-deep-equal: 3.1.3
511 | fast-json-stable-stringify: 2.1.0
512 | json-schema-traverse: 0.4.1
513 | uri-js: 4.4.1
514 | dev: true
515 |
516 | /ansi-regex@5.0.1:
517 | resolution: {integrity: sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==}
518 | engines: {node: '>=8'}
519 | dev: true
520 |
521 | /ansi-regex@6.0.1:
522 | resolution: {integrity: sha512-n5M855fKb2SsfMIiFFoVrABHJC8QtHwVx+mHWP3QcEqBHYienj5dHSgjbxtC0WEZXYt4wcD6zrQElDPhFuZgfA==}
523 | engines: {node: '>=12'}
524 | dev: true
525 |
526 | /ansi-styles@4.3.0:
527 | resolution: {integrity: sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==}
528 | engines: {node: '>=8'}
529 | dependencies:
530 | color-convert: 2.0.1
531 | dev: true
532 |
533 | /ansi-styles@6.2.1:
534 | resolution: {integrity: sha512-bN798gFfQX+viw3R7yrGWRqnrN2oRkEkUjjl4JNn4E8GxxbjtG3FbrEIIY3l8/hrwUwIeCZvi4QuOTP4MErVug==}
535 | engines: {node: '>=12'}
536 | dev: true
537 |
538 | /any-promise@1.3.0:
539 | resolution: {integrity: sha512-7UvmKalWRt1wgjL1RrGxoSJW/0QZFIegpeGvZG9kjp8vrRu55XTHbwnqq2GpXm9uLbcuhxm3IqX9OB4MZR1b2A==}
540 | dev: true
541 |
542 | /anymatch@3.1.3:
543 | resolution: {integrity: sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==}
544 | engines: {node: '>= 8'}
545 | dependencies:
546 | normalize-path: 3.0.0
547 | picomatch: 2.3.1
548 | dev: true
549 |
550 | /arg@5.0.2:
551 | resolution: {integrity: sha512-PYjyFOLKQ9y57JvQ6QLo8dAgNqswh8M1RMJYdQduT6xbWSgK36P/Z/v+p888pM69jMMfS8Xd8F6I1kQ/I9HUGg==}
552 | dev: true
553 |
554 | /argparse@2.0.1:
555 | resolution: {integrity: sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==}
556 | dev: true
557 |
558 | /aria-query@5.3.0:
559 | resolution: {integrity: sha512-b0P0sZPKtyu8HkeRAfCq0IfURZK+SuwMjY1UXGBU27wpAiTwQAIlq56IbIO+ytk/JjS1fMR14ee5WBBfKi5J6A==}
560 | dependencies:
561 | dequal: 2.0.3
562 | dev: true
563 |
564 | /array-buffer-byte-length@1.0.0:
565 | resolution: {integrity: sha512-LPuwb2P+NrQw3XhxGc36+XSvuBPopovXYTR9Ew++Du9Yb/bx5AzBfrIsBoj0EZUifjQU+sHL21sseZ3jerWO/A==}
566 | dependencies:
567 | call-bind: 1.0.5
568 | is-array-buffer: 3.0.2
569 | dev: true
570 |
571 | /array-includes@3.1.7:
572 | resolution: {integrity: sha512-dlcsNBIiWhPkHdOEEKnehA+RNUWDc4UqFtnIXU4uuYDPtA4LDkr7qip2p0VvFAEXNDr0yWZ9PJyIRiGjRLQzwQ==}
573 | engines: {node: '>= 0.4'}
574 | dependencies:
575 | call-bind: 1.0.5
576 | define-properties: 1.2.1
577 | es-abstract: 1.22.3
578 | get-intrinsic: 1.2.2
579 | is-string: 1.0.7
580 | dev: true
581 |
582 | /array-union@2.1.0:
583 | resolution: {integrity: sha512-HGyxoOTYUyCM6stUe6EJgnd4EoewAI7zMdfqO+kGjnlZmBDz/cR5pf8r/cR4Wq60sL/p0IkcjUEEPwS3GFrIyw==}
584 | engines: {node: '>=8'}
585 | dev: true
586 |
587 | /array.prototype.findlastindex@1.2.3:
588 | resolution: {integrity: sha512-LzLoiOMAxvy+Gd3BAq3B7VeIgPdo+Q8hthvKtXybMvRV0jrXfJM/t8mw7nNlpEcVlVUnCnM2KSX4XU5HmpodOA==}
589 | engines: {node: '>= 0.4'}
590 | dependencies:
591 | call-bind: 1.0.5
592 | define-properties: 1.2.1
593 | es-abstract: 1.22.3
594 | es-shim-unscopables: 1.0.2
595 | get-intrinsic: 1.2.2
596 | dev: true
597 |
598 | /array.prototype.flat@1.3.2:
599 | resolution: {integrity: sha512-djYB+Zx2vLewY8RWlNCUdHjDXs2XOgm602S9E7P/UpHgfeHL00cRiIF+IN/G/aUJ7kGPb6yO/ErDI5V2s8iycA==}
600 | engines: {node: '>= 0.4'}
601 | dependencies:
602 | call-bind: 1.0.5
603 | define-properties: 1.2.1
604 | es-abstract: 1.22.3
605 | es-shim-unscopables: 1.0.2
606 | dev: true
607 |
608 | /array.prototype.flatmap@1.3.2:
609 | resolution: {integrity: sha512-Ewyx0c9PmpcsByhSW4r+9zDU7sGjFc86qf/kKtuSCRdhfbk0SNLLkaT5qvcHnRGgc5NP/ly/y+qkXkqONX54CQ==}
610 | engines: {node: '>= 0.4'}
611 | dependencies:
612 | call-bind: 1.0.5
613 | define-properties: 1.2.1
614 | es-abstract: 1.22.3
615 | es-shim-unscopables: 1.0.2
616 | dev: true
617 |
618 | /array.prototype.tosorted@1.1.2:
619 | resolution: {integrity: sha512-HuQCHOlk1Weat5jzStICBCd83NxiIMwqDg/dHEsoefabn/hJRj5pVdWcPUSpRrwhwxZOsQassMpgN/xRYFBMIg==}
620 | dependencies:
621 | call-bind: 1.0.5
622 | define-properties: 1.2.1
623 | es-abstract: 1.22.3
624 | es-shim-unscopables: 1.0.2
625 | get-intrinsic: 1.2.2
626 | dev: true
627 |
628 | /arraybuffer.prototype.slice@1.0.2:
629 | resolution: {integrity: sha512-yMBKppFur/fbHu9/6USUe03bZ4knMYiwFBcyiaXB8Go0qNehwX6inYPzK9U0NeQvGxKthcmHcaR8P5MStSRBAw==}
630 | engines: {node: '>= 0.4'}
631 | dependencies:
632 | array-buffer-byte-length: 1.0.0
633 | call-bind: 1.0.5
634 | define-properties: 1.2.1
635 | es-abstract: 1.22.3
636 | get-intrinsic: 1.2.2
637 | is-array-buffer: 3.0.2
638 | is-shared-array-buffer: 1.0.2
639 | dev: true
640 |
641 | /ast-types-flow@0.0.8:
642 | resolution: {integrity: sha512-OH/2E5Fg20h2aPrbe+QL8JZQFko0YZaF+j4mnQ7BGhfavO7OpSLa8a0y9sBwomHdSbkhTS8TQNayBfnW5DwbvQ==}
643 | dev: true
644 |
645 | /asynciterator.prototype@1.0.0:
646 | resolution: {integrity: sha512-wwHYEIS0Q80f5mosx3L/dfG5t5rjEa9Ft51GTaNt862EnpyGHpgz2RkZvLPp1oF5TnAiTohkEKVEu8pQPJI7Vg==}
647 | dependencies:
648 | has-symbols: 1.0.3
649 | dev: true
650 |
651 | /autoprefixer@10.4.17(postcss@8.4.33):
652 | resolution: {integrity: sha512-/cpVNRLSfhOtcGflT13P2794gVSgmPgTR+erw5ifnMLZb0UnSlkK4tquLmkd3BhA+nLo5tX8Cu0upUsGKvKbmg==}
653 | engines: {node: ^10 || ^12 || >=14}
654 | hasBin: true
655 | peerDependencies:
656 | postcss: ^8.1.0
657 | dependencies:
658 | browserslist: 4.22.3
659 | caniuse-lite: 1.0.30001581
660 | fraction.js: 4.3.7
661 | normalize-range: 0.1.2
662 | picocolors: 1.0.0
663 | postcss: 8.4.33
664 | postcss-value-parser: 4.2.0
665 | dev: true
666 |
667 | /available-typed-arrays@1.0.5:
668 | resolution: {integrity: sha512-DMD0KiN46eipeziST1LPP/STfDU0sufISXmjSgvVsoU2tqxctQeASejWcfNtxYKqETM1UxQ8sp2OrSBWpHY6sw==}
669 | engines: {node: '>= 0.4'}
670 | dev: true
671 |
672 | /axe-core@4.7.0:
673 | resolution: {integrity: sha512-M0JtH+hlOL5pLQwHOLNYZaXuhqmvS8oExsqB1SBYgA4Dk7u/xx+YdGHXaK5pyUfed5mYXdlYiphWq3G8cRi5JQ==}
674 | engines: {node: '>=4'}
675 | dev: true
676 |
677 | /axobject-query@3.2.1:
678 | resolution: {integrity: sha512-jsyHu61e6N4Vbz/v18DHwWYKK0bSWLqn47eeDSKPB7m8tqMHF9YJ+mhIk2lVteyZrY8tnSj/jHOv4YiTCuCJgg==}
679 | dependencies:
680 | dequal: 2.0.3
681 | dev: true
682 |
683 | /balanced-match@1.0.2:
684 | resolution: {integrity: sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==}
685 | dev: true
686 |
687 | /binary-extensions@2.2.0:
688 | resolution: {integrity: sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA==}
689 | engines: {node: '>=8'}
690 | dev: true
691 |
692 | /brace-expansion@1.1.11:
693 | resolution: {integrity: sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==}
694 | dependencies:
695 | balanced-match: 1.0.2
696 | concat-map: 0.0.1
697 | dev: true
698 |
699 | /brace-expansion@2.0.1:
700 | resolution: {integrity: sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==}
701 | dependencies:
702 | balanced-match: 1.0.2
703 | dev: true
704 |
705 | /braces@3.0.2:
706 | resolution: {integrity: sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==}
707 | engines: {node: '>=8'}
708 | dependencies:
709 | fill-range: 7.0.1
710 | dev: true
711 |
712 | /browserslist@4.22.3:
713 | resolution: {integrity: sha512-UAp55yfwNv0klWNapjs/ktHoguxuQNGnOzxYmfnXIS+8AsRDZkSDxg7R1AX3GKzn078SBI5dzwzj/Yx0Or0e3A==}
714 | engines: {node: ^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7}
715 | hasBin: true
716 | dependencies:
717 | caniuse-lite: 1.0.30001581
718 | electron-to-chromium: 1.4.651
719 | node-releases: 2.0.14
720 | update-browserslist-db: 1.0.13(browserslist@4.22.3)
721 | dev: true
722 |
723 | /busboy@1.6.0:
724 | resolution: {integrity: sha512-8SFQbg/0hQ9xy3UNTB0YEnsNBbWfhf7RtnzpL7TkBiTBRfrQ9Fxcnz7VJsleJpyp6rVLvXiuORqjlHi5q+PYuA==}
725 | engines: {node: '>=10.16.0'}
726 | dependencies:
727 | streamsearch: 1.1.0
728 | dev: false
729 |
730 | /call-bind@1.0.5:
731 | resolution: {integrity: sha512-C3nQxfFZxFRVoJoGKKI8y3MOEo129NQ+FgQ08iye+Mk4zNZZGdjfs06bVTr+DBSlA66Q2VEcMki/cUCP4SercQ==}
732 | dependencies:
733 | function-bind: 1.1.2
734 | get-intrinsic: 1.2.2
735 | set-function-length: 1.2.0
736 | dev: true
737 |
738 | /callsites@3.1.0:
739 | resolution: {integrity: sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==}
740 | engines: {node: '>=6'}
741 | dev: true
742 |
743 | /camelcase-css@2.0.1:
744 | resolution: {integrity: sha512-QOSvevhslijgYwRx6Rv7zKdMF8lbRmx+uQGx2+vDc+KI/eBnsy9kit5aj23AgGu3pa4t9AgwbnXWqS+iOY+2aA==}
745 | engines: {node: '>= 6'}
746 | dev: true
747 |
748 | /caniuse-lite@1.0.30001581:
749 | resolution: {integrity: sha512-whlTkwhqV2tUmP3oYhtNfaWGYHDdS3JYFQBKXxcUR9qqPWsRhFHhoISO2Xnl/g0xyKzht9mI1LZpiNWfMzHixQ==}
750 |
751 | /chalk@4.1.2:
752 | resolution: {integrity: sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==}
753 | engines: {node: '>=10'}
754 | dependencies:
755 | ansi-styles: 4.3.0
756 | supports-color: 7.2.0
757 | dev: true
758 |
759 | /chokidar@3.5.3:
760 | resolution: {integrity: sha512-Dr3sfKRP6oTcjf2JmUmFJfeVMvXBdegxB0iVQ5eb2V10uFJUCAS8OByZdVAyVb8xXNz3GjjTgj9kLWsZTqE6kw==}
761 | engines: {node: '>= 8.10.0'}
762 | dependencies:
763 | anymatch: 3.1.3
764 | braces: 3.0.2
765 | glob-parent: 5.1.2
766 | is-binary-path: 2.1.0
767 | is-glob: 4.0.3
768 | normalize-path: 3.0.0
769 | readdirp: 3.6.0
770 | optionalDependencies:
771 | fsevents: 2.3.3
772 | dev: true
773 |
774 | /client-only@0.0.1:
775 | resolution: {integrity: sha512-IV3Ou0jSMzZrd3pZ48nLkT9DA7Ag1pnPzaiQhpW7c3RbcqqzvzzVu+L8gfqMp/8IM2MQtSiqaCxrrcfu8I8rMA==}
776 | dev: false
777 |
778 | /color-convert@2.0.1:
779 | resolution: {integrity: sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==}
780 | engines: {node: '>=7.0.0'}
781 | dependencies:
782 | color-name: 1.1.4
783 | dev: true
784 |
785 | /color-name@1.1.4:
786 | resolution: {integrity: sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==}
787 | dev: true
788 |
789 | /commander@4.1.1:
790 | resolution: {integrity: sha512-NOKm8xhkzAjzFx8B2v5OAHT+u5pRQc2UCa2Vq9jYL/31o2wi9mxBA7LIFs3sV5VSC49z6pEhfbMULvShKj26WA==}
791 | engines: {node: '>= 6'}
792 | dev: true
793 |
794 | /concat-map@0.0.1:
795 | resolution: {integrity: sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==}
796 | dev: true
797 |
798 | /cookie@0.5.0:
799 | resolution: {integrity: sha512-YZ3GUyn/o8gfKJlnlX7g7xq4gyO6OSuhGPKaaGssGB2qgDUS0gPgtTvoyZLTt9Ab6dC4hfc9dV5arkvc/OCmrw==}
800 | engines: {node: '>= 0.6'}
801 | dev: false
802 |
803 | /cross-spawn@7.0.3:
804 | resolution: {integrity: sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==}
805 | engines: {node: '>= 8'}
806 | dependencies:
807 | path-key: 3.1.1
808 | shebang-command: 2.0.0
809 | which: 2.0.2
810 | dev: true
811 |
812 | /cssesc@3.0.0:
813 | resolution: {integrity: sha512-/Tb/JcjK111nNScGob5MNtsntNM1aCNUDipB/TkwZFhyDrrE47SOx/18wF2bbjgc3ZzCSKW1T5nt5EbFoAz/Vg==}
814 | engines: {node: '>=4'}
815 | hasBin: true
816 | dev: true
817 |
818 | /csstype@3.1.3:
819 | resolution: {integrity: sha512-M1uQkMl8rQK/szD0LNhtqxIPLpimGm8sOBwU7lLnCpSbTyY3yeU1Vc7l4KT5zT4s/yOxHH5O7tIuuLOCnLADRw==}
820 |
821 | /damerau-levenshtein@1.0.8:
822 | resolution: {integrity: sha512-sdQSFB7+llfUcQHUQO3+B8ERRj0Oa4w9POWMI/puGtuf7gFywGmkaLCElnudfTiKZV+NvHqL0ifzdrI8Ro7ESA==}
823 | dev: true
824 |
825 | /debug@3.2.7:
826 | resolution: {integrity: sha512-CFjzYYAi4ThfiQvizrFQevTTXHtnCqWfe7x1AhgEscTz6ZbLbfoLRLPugTQyBth6f8ZERVUSyWHFD/7Wu4t1XQ==}
827 | peerDependencies:
828 | supports-color: '*'
829 | peerDependenciesMeta:
830 | supports-color:
831 | optional: true
832 | dependencies:
833 | ms: 2.1.3
834 | dev: true
835 |
836 | /debug@4.3.4:
837 | resolution: {integrity: sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==}
838 | engines: {node: '>=6.0'}
839 | peerDependencies:
840 | supports-color: '*'
841 | peerDependenciesMeta:
842 | supports-color:
843 | optional: true
844 | dependencies:
845 | ms: 2.1.2
846 | dev: true
847 |
848 | /deep-is@0.1.4:
849 | resolution: {integrity: sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==}
850 | dev: true
851 |
852 | /define-data-property@1.1.1:
853 | resolution: {integrity: sha512-E7uGkTzkk1d0ByLeSc6ZsFS79Axg+m1P/VsgYsxHgiuc3tFSj+MjMIwe90FC4lOAZzNBdY7kkO2P2wKdsQ1vgQ==}
854 | engines: {node: '>= 0.4'}
855 | dependencies:
856 | get-intrinsic: 1.2.2
857 | gopd: 1.0.1
858 | has-property-descriptors: 1.0.1
859 | dev: true
860 |
861 | /define-properties@1.2.1:
862 | resolution: {integrity: sha512-8QmQKqEASLd5nx0U1B1okLElbUuuttJ/AnYmRXbbbGDWh6uS208EjD4Xqq/I9wK7u0v6O08XhTWnt5XtEbR6Dg==}
863 | engines: {node: '>= 0.4'}
864 | dependencies:
865 | define-data-property: 1.1.1
866 | has-property-descriptors: 1.0.1
867 | object-keys: 1.1.1
868 | dev: true
869 |
870 | /dequal@2.0.3:
871 | resolution: {integrity: sha512-0je+qPKHEMohvfRTCEo3CrPG6cAzAYgmzKyxRiYSSDkS6eGJdyVJm7WaYA5ECaAD9wLB2T4EEeymA5aFVcYXCA==}
872 | engines: {node: '>=6'}
873 | dev: true
874 |
875 | /didyoumean@1.2.2:
876 | resolution: {integrity: sha512-gxtyfqMg7GKyhQmb056K7M3xszy/myH8w+B4RT+QXBQsvAOdc3XymqDDPHx1BgPgsdAA5SIifona89YtRATDzw==}
877 | dev: true
878 |
879 | /dir-glob@3.0.1:
880 | resolution: {integrity: sha512-WkrWp9GR4KXfKGYzOLmTuGVi1UWFfws377n9cc55/tb6DuqyF6pcQ5AbiHEshaDpY9v6oaSr2XCDidGmMwdzIA==}
881 | engines: {node: '>=8'}
882 | dependencies:
883 | path-type: 4.0.0
884 | dev: true
885 |
886 | /dlv@1.1.3:
887 | resolution: {integrity: sha512-+HlytyjlPKnIG8XuRG8WvmBP8xs8P71y+SKKS6ZXWoEgLuePxtDoUEiH7WkdePWrQ5JBpE6aoVqfZfJUQkjXwA==}
888 | dev: true
889 |
890 | /doctrine@2.1.0:
891 | resolution: {integrity: sha512-35mSku4ZXK0vfCuHEDAwt55dg2jNajHZ1odvF+8SSr82EsZY4QmXfuWso8oEd8zRhVObSN18aM0CjSdoBX7zIw==}
892 | engines: {node: '>=0.10.0'}
893 | dependencies:
894 | esutils: 2.0.3
895 | dev: true
896 |
897 | /doctrine@3.0.0:
898 | resolution: {integrity: sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==}
899 | engines: {node: '>=6.0.0'}
900 | dependencies:
901 | esutils: 2.0.3
902 | dev: true
903 |
904 | /eastasianwidth@0.2.0:
905 | resolution: {integrity: sha512-I88TYZWc9XiYHRQ4/3c5rjjfgkjhLyW2luGIheGERbNQ6OY7yTybanSpDXZa8y7VUP9YmDcYa+eyq4ca7iLqWA==}
906 | dev: true
907 |
908 | /electron-to-chromium@1.4.651:
909 | resolution: {integrity: sha512-jjks7Xx+4I7dslwsbaFocSwqBbGHQmuXBJUK9QBZTIrzPq3pzn6Uf2szFSP728FtLYE3ldiccmlkOM/zhGKCpA==}
910 | dev: true
911 |
912 | /emoji-regex@8.0.0:
913 | resolution: {integrity: sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==}
914 | dev: true
915 |
916 | /emoji-regex@9.2.2:
917 | resolution: {integrity: sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg==}
918 | dev: true
919 |
920 | /enhanced-resolve@5.15.0:
921 | resolution: {integrity: sha512-LXYT42KJ7lpIKECr2mAXIaMldcNCh/7E0KBKOu4KSfkHmP+mZmSs+8V5gBAqisWBy0OO4W5Oyys0GO1Y8KtdKg==}
922 | engines: {node: '>=10.13.0'}
923 | dependencies:
924 | graceful-fs: 4.2.11
925 | tapable: 2.2.1
926 | dev: true
927 |
928 | /es-abstract@1.22.3:
929 | resolution: {integrity: sha512-eiiY8HQeYfYH2Con2berK+To6GrK2RxbPawDkGq4UiCQQfZHb6wX9qQqkbpPqaxQFcl8d9QzZqo0tGE0VcrdwA==}
930 | engines: {node: '>= 0.4'}
931 | dependencies:
932 | array-buffer-byte-length: 1.0.0
933 | arraybuffer.prototype.slice: 1.0.2
934 | available-typed-arrays: 1.0.5
935 | call-bind: 1.0.5
936 | es-set-tostringtag: 2.0.2
937 | es-to-primitive: 1.2.1
938 | function.prototype.name: 1.1.6
939 | get-intrinsic: 1.2.2
940 | get-symbol-description: 1.0.0
941 | globalthis: 1.0.3
942 | gopd: 1.0.1
943 | has-property-descriptors: 1.0.1
944 | has-proto: 1.0.1
945 | has-symbols: 1.0.3
946 | hasown: 2.0.0
947 | internal-slot: 1.0.6
948 | is-array-buffer: 3.0.2
949 | is-callable: 1.2.7
950 | is-negative-zero: 2.0.2
951 | is-regex: 1.1.4
952 | is-shared-array-buffer: 1.0.2
953 | is-string: 1.0.7
954 | is-typed-array: 1.1.12
955 | is-weakref: 1.0.2
956 | object-inspect: 1.13.1
957 | object-keys: 1.1.1
958 | object.assign: 4.1.5
959 | regexp.prototype.flags: 1.5.1
960 | safe-array-concat: 1.1.0
961 | safe-regex-test: 1.0.2
962 | string.prototype.trim: 1.2.8
963 | string.prototype.trimend: 1.0.7
964 | string.prototype.trimstart: 1.0.7
965 | typed-array-buffer: 1.0.0
966 | typed-array-byte-length: 1.0.0
967 | typed-array-byte-offset: 1.0.0
968 | typed-array-length: 1.0.4
969 | unbox-primitive: 1.0.2
970 | which-typed-array: 1.1.13
971 | dev: true
972 |
973 | /es-iterator-helpers@1.0.15:
974 | resolution: {integrity: sha512-GhoY8uYqd6iwUl2kgjTm4CZAf6oo5mHK7BPqx3rKgx893YSsy0LGHV6gfqqQvZt/8xM8xeOnfXBCfqclMKkJ5g==}
975 | dependencies:
976 | asynciterator.prototype: 1.0.0
977 | call-bind: 1.0.5
978 | define-properties: 1.2.1
979 | es-abstract: 1.22.3
980 | es-set-tostringtag: 2.0.2
981 | function-bind: 1.1.2
982 | get-intrinsic: 1.2.2
983 | globalthis: 1.0.3
984 | has-property-descriptors: 1.0.1
985 | has-proto: 1.0.1
986 | has-symbols: 1.0.3
987 | internal-slot: 1.0.6
988 | iterator.prototype: 1.1.2
989 | safe-array-concat: 1.1.0
990 | dev: true
991 |
992 | /es-set-tostringtag@2.0.2:
993 | resolution: {integrity: sha512-BuDyupZt65P9D2D2vA/zqcI3G5xRsklm5N3xCwuiy+/vKy8i0ifdsQP1sLgO4tZDSCaQUSnmC48khknGMV3D2Q==}
994 | engines: {node: '>= 0.4'}
995 | dependencies:
996 | get-intrinsic: 1.2.2
997 | has-tostringtag: 1.0.0
998 | hasown: 2.0.0
999 | dev: true
1000 |
1001 | /es-shim-unscopables@1.0.2:
1002 | resolution: {integrity: sha512-J3yBRXCzDu4ULnQwxyToo/OjdMx6akgVC7K6few0a7F/0wLtmKKN7I73AH5T2836UuXRqN7Qg+IIUw/+YJksRw==}
1003 | dependencies:
1004 | hasown: 2.0.0
1005 | dev: true
1006 |
1007 | /es-to-primitive@1.2.1:
1008 | resolution: {integrity: sha512-QCOllgZJtaUo9miYBcLChTUaHNjJF3PYs1VidD7AwiEj1kYxKeQTctLAezAOH5ZKRH0g2IgPn6KwB4IT8iRpvA==}
1009 | engines: {node: '>= 0.4'}
1010 | dependencies:
1011 | is-callable: 1.2.7
1012 | is-date-object: 1.0.5
1013 | is-symbol: 1.0.4
1014 | dev: true
1015 |
1016 | /escalade@3.1.1:
1017 | resolution: {integrity: sha512-k0er2gUkLf8O0zKJiAhmkTnJlTvINGv7ygDNPbeIsX/TJjGJZHuh9B2UxbsaEkmlEo9MfhrSzmhIlhRlI2GXnw==}
1018 | engines: {node: '>=6'}
1019 | dev: true
1020 |
1021 | /escape-string-regexp@4.0.0:
1022 | resolution: {integrity: sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==}
1023 | engines: {node: '>=10'}
1024 | dev: true
1025 |
1026 | /eslint-config-next@14.1.0(eslint@8.56.0)(typescript@5.3.3):
1027 | resolution: {integrity: sha512-SBX2ed7DoRFXC6CQSLc/SbLY9Ut6HxNB2wPTcoIWjUMd7aF7O/SIE7111L8FdZ9TXsNV4pulUDnfthpyPtbFUg==}
1028 | peerDependencies:
1029 | eslint: ^7.23.0 || ^8.0.0
1030 | typescript: '>=3.3.1'
1031 | peerDependenciesMeta:
1032 | typescript:
1033 | optional: true
1034 | dependencies:
1035 | '@next/eslint-plugin-next': 14.1.0
1036 | '@rushstack/eslint-patch': 1.7.2
1037 | '@typescript-eslint/parser': 6.20.0(eslint@8.56.0)(typescript@5.3.3)
1038 | eslint: 8.56.0
1039 | eslint-import-resolver-node: 0.3.9
1040 | eslint-import-resolver-typescript: 3.6.1(@typescript-eslint/parser@6.20.0)(eslint-import-resolver-node@0.3.9)(eslint-plugin-import@2.29.1)(eslint@8.56.0)
1041 | eslint-plugin-import: 2.29.1(@typescript-eslint/parser@6.20.0)(eslint-import-resolver-typescript@3.6.1)(eslint@8.56.0)
1042 | eslint-plugin-jsx-a11y: 6.8.0(eslint@8.56.0)
1043 | eslint-plugin-react: 7.33.2(eslint@8.56.0)
1044 | eslint-plugin-react-hooks: 4.6.0(eslint@8.56.0)
1045 | typescript: 5.3.3
1046 | transitivePeerDependencies:
1047 | - eslint-import-resolver-webpack
1048 | - supports-color
1049 | dev: true
1050 |
1051 | /eslint-import-resolver-node@0.3.9:
1052 | resolution: {integrity: sha512-WFj2isz22JahUv+B788TlO3N6zL3nNJGU8CcZbPZvVEkBPaJdCV4vy5wyghty5ROFbCRnm132v8BScu5/1BQ8g==}
1053 | dependencies:
1054 | debug: 3.2.7
1055 | is-core-module: 2.13.1
1056 | resolve: 1.22.8
1057 | transitivePeerDependencies:
1058 | - supports-color
1059 | dev: true
1060 |
1061 | /eslint-import-resolver-typescript@3.6.1(@typescript-eslint/parser@6.20.0)(eslint-import-resolver-node@0.3.9)(eslint-plugin-import@2.29.1)(eslint@8.56.0):
1062 | resolution: {integrity: sha512-xgdptdoi5W3niYeuQxKmzVDTATvLYqhpwmykwsh7f6HIOStGWEIL9iqZgQDF9u9OEzrRwR8no5q2VT+bjAujTg==}
1063 | engines: {node: ^14.18.0 || >=16.0.0}
1064 | peerDependencies:
1065 | eslint: '*'
1066 | eslint-plugin-import: '*'
1067 | dependencies:
1068 | debug: 4.3.4
1069 | enhanced-resolve: 5.15.0
1070 | eslint: 8.56.0
1071 | eslint-module-utils: 2.8.0(@typescript-eslint/parser@6.20.0)(eslint-import-resolver-node@0.3.9)(eslint-import-resolver-typescript@3.6.1)(eslint@8.56.0)
1072 | eslint-plugin-import: 2.29.1(@typescript-eslint/parser@6.20.0)(eslint-import-resolver-typescript@3.6.1)(eslint@8.56.0)
1073 | fast-glob: 3.3.2
1074 | get-tsconfig: 4.7.2
1075 | is-core-module: 2.13.1
1076 | is-glob: 4.0.3
1077 | transitivePeerDependencies:
1078 | - '@typescript-eslint/parser'
1079 | - eslint-import-resolver-node
1080 | - eslint-import-resolver-webpack
1081 | - supports-color
1082 | dev: true
1083 |
1084 | /eslint-module-utils@2.8.0(@typescript-eslint/parser@6.20.0)(eslint-import-resolver-node@0.3.9)(eslint-import-resolver-typescript@3.6.1)(eslint@8.56.0):
1085 | resolution: {integrity: sha512-aWajIYfsqCKRDgUfjEXNN/JlrzauMuSEy5sbd7WXbtW3EH6A6MpwEh42c7qD+MqQo9QMJ6fWLAeIJynx0g6OAw==}
1086 | engines: {node: '>=4'}
1087 | peerDependencies:
1088 | '@typescript-eslint/parser': '*'
1089 | eslint: '*'
1090 | eslint-import-resolver-node: '*'
1091 | eslint-import-resolver-typescript: '*'
1092 | eslint-import-resolver-webpack: '*'
1093 | peerDependenciesMeta:
1094 | '@typescript-eslint/parser':
1095 | optional: true
1096 | eslint:
1097 | optional: true
1098 | eslint-import-resolver-node:
1099 | optional: true
1100 | eslint-import-resolver-typescript:
1101 | optional: true
1102 | eslint-import-resolver-webpack:
1103 | optional: true
1104 | dependencies:
1105 | '@typescript-eslint/parser': 6.20.0(eslint@8.56.0)(typescript@5.3.3)
1106 | debug: 3.2.7
1107 | eslint: 8.56.0
1108 | eslint-import-resolver-node: 0.3.9
1109 | eslint-import-resolver-typescript: 3.6.1(@typescript-eslint/parser@6.20.0)(eslint-import-resolver-node@0.3.9)(eslint-plugin-import@2.29.1)(eslint@8.56.0)
1110 | transitivePeerDependencies:
1111 | - supports-color
1112 | dev: true
1113 |
1114 | /eslint-plugin-import@2.29.1(@typescript-eslint/parser@6.20.0)(eslint-import-resolver-typescript@3.6.1)(eslint@8.56.0):
1115 | resolution: {integrity: sha512-BbPC0cuExzhiMo4Ff1BTVwHpjjv28C5R+btTOGaCRC7UEz801up0JadwkeSk5Ued6TG34uaczuVuH6qyy5YUxw==}
1116 | engines: {node: '>=4'}
1117 | peerDependencies:
1118 | '@typescript-eslint/parser': '*'
1119 | eslint: ^2 || ^3 || ^4 || ^5 || ^6 || ^7.2.0 || ^8
1120 | peerDependenciesMeta:
1121 | '@typescript-eslint/parser':
1122 | optional: true
1123 | dependencies:
1124 | '@typescript-eslint/parser': 6.20.0(eslint@8.56.0)(typescript@5.3.3)
1125 | array-includes: 3.1.7
1126 | array.prototype.findlastindex: 1.2.3
1127 | array.prototype.flat: 1.3.2
1128 | array.prototype.flatmap: 1.3.2
1129 | debug: 3.2.7
1130 | doctrine: 2.1.0
1131 | eslint: 8.56.0
1132 | eslint-import-resolver-node: 0.3.9
1133 | eslint-module-utils: 2.8.0(@typescript-eslint/parser@6.20.0)(eslint-import-resolver-node@0.3.9)(eslint-import-resolver-typescript@3.6.1)(eslint@8.56.0)
1134 | hasown: 2.0.0
1135 | is-core-module: 2.13.1
1136 | is-glob: 4.0.3
1137 | minimatch: 3.1.2
1138 | object.fromentries: 2.0.7
1139 | object.groupby: 1.0.1
1140 | object.values: 1.1.7
1141 | semver: 6.3.1
1142 | tsconfig-paths: 3.15.0
1143 | transitivePeerDependencies:
1144 | - eslint-import-resolver-typescript
1145 | - eslint-import-resolver-webpack
1146 | - supports-color
1147 | dev: true
1148 |
1149 | /eslint-plugin-jsx-a11y@6.8.0(eslint@8.56.0):
1150 | resolution: {integrity: sha512-Hdh937BS3KdwwbBaKd5+PLCOmYY6U4f2h9Z2ktwtNKvIdIEu137rjYbcb9ApSbVJfWxANNuiKTD/9tOKjK9qOA==}
1151 | engines: {node: '>=4.0'}
1152 | peerDependencies:
1153 | eslint: ^3 || ^4 || ^5 || ^6 || ^7 || ^8
1154 | dependencies:
1155 | '@babel/runtime': 7.23.9
1156 | aria-query: 5.3.0
1157 | array-includes: 3.1.7
1158 | array.prototype.flatmap: 1.3.2
1159 | ast-types-flow: 0.0.8
1160 | axe-core: 4.7.0
1161 | axobject-query: 3.2.1
1162 | damerau-levenshtein: 1.0.8
1163 | emoji-regex: 9.2.2
1164 | es-iterator-helpers: 1.0.15
1165 | eslint: 8.56.0
1166 | hasown: 2.0.0
1167 | jsx-ast-utils: 3.3.5
1168 | language-tags: 1.0.9
1169 | minimatch: 3.1.2
1170 | object.entries: 1.1.7
1171 | object.fromentries: 2.0.7
1172 | dev: true
1173 |
1174 | /eslint-plugin-react-hooks@4.6.0(eslint@8.56.0):
1175 | resolution: {integrity: sha512-oFc7Itz9Qxh2x4gNHStv3BqJq54ExXmfC+a1NjAta66IAN87Wu0R/QArgIS9qKzX3dXKPI9H5crl9QchNMY9+g==}
1176 | engines: {node: '>=10'}
1177 | peerDependencies:
1178 | eslint: ^3.0.0 || ^4.0.0 || ^5.0.0 || ^6.0.0 || ^7.0.0 || ^8.0.0-0
1179 | dependencies:
1180 | eslint: 8.56.0
1181 | dev: true
1182 |
1183 | /eslint-plugin-react@7.33.2(eslint@8.56.0):
1184 | resolution: {integrity: sha512-73QQMKALArI8/7xGLNI/3LylrEYrlKZSb5C9+q3OtOewTnMQi5cT+aE9E41sLCmli3I9PGGmD1yiZydyo4FEPw==}
1185 | engines: {node: '>=4'}
1186 | peerDependencies:
1187 | eslint: ^3 || ^4 || ^5 || ^6 || ^7 || ^8
1188 | dependencies:
1189 | array-includes: 3.1.7
1190 | array.prototype.flatmap: 1.3.2
1191 | array.prototype.tosorted: 1.1.2
1192 | doctrine: 2.1.0
1193 | es-iterator-helpers: 1.0.15
1194 | eslint: 8.56.0
1195 | estraverse: 5.3.0
1196 | jsx-ast-utils: 3.3.5
1197 | minimatch: 3.1.2
1198 | object.entries: 1.1.7
1199 | object.fromentries: 2.0.7
1200 | object.hasown: 1.1.3
1201 | object.values: 1.1.7
1202 | prop-types: 15.8.1
1203 | resolve: 2.0.0-next.5
1204 | semver: 6.3.1
1205 | string.prototype.matchall: 4.0.10
1206 | dev: true
1207 |
1208 | /eslint-scope@7.2.2:
1209 | resolution: {integrity: sha512-dOt21O7lTMhDM+X9mB4GX+DZrZtCUJPL/wlcTqxyrx5IvO0IYtILdtrQGQp+8n5S0gwSVmOf9NQrjMOgfQZlIg==}
1210 | engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
1211 | dependencies:
1212 | esrecurse: 4.3.0
1213 | estraverse: 5.3.0
1214 | dev: true
1215 |
1216 | /eslint-visitor-keys@3.4.3:
1217 | resolution: {integrity: sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag==}
1218 | engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
1219 | dev: true
1220 |
1221 | /eslint@8.56.0:
1222 | resolution: {integrity: sha512-Go19xM6T9puCOWntie1/P997aXxFsOi37JIHRWI514Hc6ZnaHGKY9xFhrU65RT6CcBEzZoGG1e6Nq+DT04ZtZQ==}
1223 | engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
1224 | hasBin: true
1225 | dependencies:
1226 | '@eslint-community/eslint-utils': 4.4.0(eslint@8.56.0)
1227 | '@eslint-community/regexpp': 4.10.0
1228 | '@eslint/eslintrc': 2.1.4
1229 | '@eslint/js': 8.56.0
1230 | '@humanwhocodes/config-array': 0.11.14
1231 | '@humanwhocodes/module-importer': 1.0.1
1232 | '@nodelib/fs.walk': 1.2.8
1233 | '@ungap/structured-clone': 1.2.0
1234 | ajv: 6.12.6
1235 | chalk: 4.1.2
1236 | cross-spawn: 7.0.3
1237 | debug: 4.3.4
1238 | doctrine: 3.0.0
1239 | escape-string-regexp: 4.0.0
1240 | eslint-scope: 7.2.2
1241 | eslint-visitor-keys: 3.4.3
1242 | espree: 9.6.1
1243 | esquery: 1.5.0
1244 | esutils: 2.0.3
1245 | fast-deep-equal: 3.1.3
1246 | file-entry-cache: 6.0.1
1247 | find-up: 5.0.0
1248 | glob-parent: 6.0.2
1249 | globals: 13.24.0
1250 | graphemer: 1.4.0
1251 | ignore: 5.3.0
1252 | imurmurhash: 0.1.4
1253 | is-glob: 4.0.3
1254 | is-path-inside: 3.0.3
1255 | js-yaml: 4.1.0
1256 | json-stable-stringify-without-jsonify: 1.0.1
1257 | levn: 0.4.1
1258 | lodash.merge: 4.6.2
1259 | minimatch: 3.1.2
1260 | natural-compare: 1.4.0
1261 | optionator: 0.9.3
1262 | strip-ansi: 6.0.1
1263 | text-table: 0.2.0
1264 | transitivePeerDependencies:
1265 | - supports-color
1266 | dev: true
1267 |
1268 | /espree@9.6.1:
1269 | resolution: {integrity: sha512-oruZaFkjorTpF32kDSI5/75ViwGeZginGGy2NoOSg3Q9bnwlnmDm4HLnkl0RE3n+njDXR037aY1+x58Z/zFdwQ==}
1270 | engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
1271 | dependencies:
1272 | acorn: 8.11.3
1273 | acorn-jsx: 5.3.2(acorn@8.11.3)
1274 | eslint-visitor-keys: 3.4.3
1275 | dev: true
1276 |
1277 | /esquery@1.5.0:
1278 | resolution: {integrity: sha512-YQLXUplAwJgCydQ78IMJywZCceoqk1oH01OERdSAJc/7U2AylwjhSCLDEtqwg811idIS/9fIU5GjG73IgjKMVg==}
1279 | engines: {node: '>=0.10'}
1280 | dependencies:
1281 | estraverse: 5.3.0
1282 | dev: true
1283 |
1284 | /esrecurse@4.3.0:
1285 | resolution: {integrity: sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==}
1286 | engines: {node: '>=4.0'}
1287 | dependencies:
1288 | estraverse: 5.3.0
1289 | dev: true
1290 |
1291 | /estraverse@5.3.0:
1292 | resolution: {integrity: sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==}
1293 | engines: {node: '>=4.0'}
1294 | dev: true
1295 |
1296 | /esutils@2.0.3:
1297 | resolution: {integrity: sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==}
1298 | engines: {node: '>=0.10.0'}
1299 | dev: true
1300 |
1301 | /fast-deep-equal@3.1.3:
1302 | resolution: {integrity: sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==}
1303 | dev: true
1304 |
1305 | /fast-glob@3.3.2:
1306 | resolution: {integrity: sha512-oX2ruAFQwf/Orj8m737Y5adxDQO0LAB7/S5MnxCdTNDd4p6BsyIVsv9JQsATbTSq8KHRpLwIHbVlUNatxd+1Ow==}
1307 | engines: {node: '>=8.6.0'}
1308 | dependencies:
1309 | '@nodelib/fs.stat': 2.0.5
1310 | '@nodelib/fs.walk': 1.2.8
1311 | glob-parent: 5.1.2
1312 | merge2: 1.4.1
1313 | micromatch: 4.0.5
1314 | dev: true
1315 |
1316 | /fast-json-stable-stringify@2.1.0:
1317 | resolution: {integrity: sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==}
1318 | dev: true
1319 |
1320 | /fast-levenshtein@2.0.6:
1321 | resolution: {integrity: sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==}
1322 | dev: true
1323 |
1324 | /fastq@1.17.0:
1325 | resolution: {integrity: sha512-zGygtijUMT7jnk3h26kUms3BkSDp4IfIKjmnqI2tvx6nuBfiF1UqOxbnLfzdv+apBy+53oaImsKtMw/xYbW+1w==}
1326 | dependencies:
1327 | reusify: 1.0.4
1328 | dev: true
1329 |
1330 | /file-entry-cache@6.0.1:
1331 | resolution: {integrity: sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==}
1332 | engines: {node: ^10.12.0 || >=12.0.0}
1333 | dependencies:
1334 | flat-cache: 3.2.0
1335 | dev: true
1336 |
1337 | /fill-range@7.0.1:
1338 | resolution: {integrity: sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==}
1339 | engines: {node: '>=8'}
1340 | dependencies:
1341 | to-regex-range: 5.0.1
1342 | dev: true
1343 |
1344 | /find-up@5.0.0:
1345 | resolution: {integrity: sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==}
1346 | engines: {node: '>=10'}
1347 | dependencies:
1348 | locate-path: 6.0.0
1349 | path-exists: 4.0.0
1350 | dev: true
1351 |
1352 | /flat-cache@3.2.0:
1353 | resolution: {integrity: sha512-CYcENa+FtcUKLmhhqyctpclsq7QF38pKjZHsGNiSQF5r4FtoKDWabFDl3hzaEQMvT1LHEysw5twgLvpYYb4vbw==}
1354 | engines: {node: ^10.12.0 || >=12.0.0}
1355 | dependencies:
1356 | flatted: 3.2.9
1357 | keyv: 4.5.4
1358 | rimraf: 3.0.2
1359 | dev: true
1360 |
1361 | /flatted@3.2.9:
1362 | resolution: {integrity: sha512-36yxDn5H7OFZQla0/jFJmbIKTdZAQHngCedGxiMmpNfEZM0sdEeT+WczLQrjK6D7o2aiyLYDnkw0R3JK0Qv1RQ==}
1363 | dev: true
1364 |
1365 | /for-each@0.3.3:
1366 | resolution: {integrity: sha512-jqYfLp7mo9vIyQf8ykW2v7A+2N4QjeCeI5+Dz9XraiO1ign81wjiH7Fb9vSOWvQfNtmSa4H2RoQTrrXivdUZmw==}
1367 | dependencies:
1368 | is-callable: 1.2.7
1369 | dev: true
1370 |
1371 | /foreground-child@3.1.1:
1372 | resolution: {integrity: sha512-TMKDUnIte6bfb5nWv7V/caI169OHgvwjb7V4WkeUvbQQdjr5rWKqHFiKWb/fcOwB+CzBT+qbWjvj+DVwRskpIg==}
1373 | engines: {node: '>=14'}
1374 | dependencies:
1375 | cross-spawn: 7.0.3
1376 | signal-exit: 4.1.0
1377 | dev: true
1378 |
1379 | /fraction.js@4.3.7:
1380 | resolution: {integrity: sha512-ZsDfxO51wGAXREY55a7la9LScWpwv9RxIrYABrlvOFBlH/ShPnrtsXeuUIfXKKOVicNxQ+o8JTbJvjS4M89yew==}
1381 | dev: true
1382 |
1383 | /fs.realpath@1.0.0:
1384 | resolution: {integrity: sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==}
1385 | dev: true
1386 |
1387 | /fsevents@2.3.3:
1388 | resolution: {integrity: sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==}
1389 | engines: {node: ^8.16.0 || ^10.6.0 || >=11.0.0}
1390 | os: [darwin]
1391 | requiresBuild: true
1392 | dev: true
1393 | optional: true
1394 |
1395 | /function-bind@1.1.2:
1396 | resolution: {integrity: sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==}
1397 | dev: true
1398 |
1399 | /function.prototype.name@1.1.6:
1400 | resolution: {integrity: sha512-Z5kx79swU5P27WEayXM1tBi5Ze/lbIyiNgU3qyXUOf9b2rgXYyF9Dy9Cx+IQv/Lc8WCG6L82zwUPpSS9hGehIg==}
1401 | engines: {node: '>= 0.4'}
1402 | dependencies:
1403 | call-bind: 1.0.5
1404 | define-properties: 1.2.1
1405 | es-abstract: 1.22.3
1406 | functions-have-names: 1.2.3
1407 | dev: true
1408 |
1409 | /functions-have-names@1.2.3:
1410 | resolution: {integrity: sha512-xckBUXyTIqT97tq2x2AMb+g163b5JFysYk0x4qxNFwbfQkmNZoiRHb6sPzI9/QV33WeuvVYBUIiD4NzNIyqaRQ==}
1411 | dev: true
1412 |
1413 | /get-intrinsic@1.2.2:
1414 | resolution: {integrity: sha512-0gSo4ml/0j98Y3lngkFEot/zhiCeWsbYIlZ+uZOVgzLyLaUw7wxUL+nCTP0XJvJg1AXulJRI3UJi8GsbDuxdGA==}
1415 | dependencies:
1416 | function-bind: 1.1.2
1417 | has-proto: 1.0.1
1418 | has-symbols: 1.0.3
1419 | hasown: 2.0.0
1420 | dev: true
1421 |
1422 | /get-symbol-description@1.0.0:
1423 | resolution: {integrity: sha512-2EmdH1YvIQiZpltCNgkuiUnyukzxM/R6NDJX31Ke3BG1Nq5b0S2PhX59UKi9vZpPDQVdqn+1IcaAwnzTT5vCjw==}
1424 | engines: {node: '>= 0.4'}
1425 | dependencies:
1426 | call-bind: 1.0.5
1427 | get-intrinsic: 1.2.2
1428 | dev: true
1429 |
1430 | /get-tsconfig@4.7.2:
1431 | resolution: {integrity: sha512-wuMsz4leaj5hbGgg4IvDU0bqJagpftG5l5cXIAvo8uZrqn0NJqwtfupTN00VnkQJPcIRrxYrm1Ue24btpCha2A==}
1432 | dependencies:
1433 | resolve-pkg-maps: 1.0.0
1434 | dev: true
1435 |
1436 | /glob-parent@5.1.2:
1437 | resolution: {integrity: sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==}
1438 | engines: {node: '>= 6'}
1439 | dependencies:
1440 | is-glob: 4.0.3
1441 | dev: true
1442 |
1443 | /glob-parent@6.0.2:
1444 | resolution: {integrity: sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==}
1445 | engines: {node: '>=10.13.0'}
1446 | dependencies:
1447 | is-glob: 4.0.3
1448 | dev: true
1449 |
1450 | /glob@10.3.10:
1451 | resolution: {integrity: sha512-fa46+tv1Ak0UPK1TOy/pZrIybNNt4HCv7SDzwyfiOZkvZLEbjsZkJBPtDHVshZjbecAoAGSC20MjLDG/qr679g==}
1452 | engines: {node: '>=16 || 14 >=14.17'}
1453 | hasBin: true
1454 | dependencies:
1455 | foreground-child: 3.1.1
1456 | jackspeak: 2.3.6
1457 | minimatch: 9.0.3
1458 | minipass: 7.0.4
1459 | path-scurry: 1.10.1
1460 | dev: true
1461 |
1462 | /glob@7.2.3:
1463 | resolution: {integrity: sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==}
1464 | dependencies:
1465 | fs.realpath: 1.0.0
1466 | inflight: 1.0.6
1467 | inherits: 2.0.4
1468 | minimatch: 3.1.2
1469 | once: 1.4.0
1470 | path-is-absolute: 1.0.1
1471 | dev: true
1472 |
1473 | /globals@13.24.0:
1474 | resolution: {integrity: sha512-AhO5QUcj8llrbG09iWhPU2B204J1xnPeL8kQmVorSsy+Sjj1sk8gIyh6cUocGmH4L0UuhAJy+hJMRA4mgA4mFQ==}
1475 | engines: {node: '>=8'}
1476 | dependencies:
1477 | type-fest: 0.20.2
1478 | dev: true
1479 |
1480 | /globalthis@1.0.3:
1481 | resolution: {integrity: sha512-sFdI5LyBiNTHjRd7cGPWapiHWMOXKyuBNX/cWJ3NfzrZQVa8GI/8cofCl74AOVqq9W5kNmguTIzJ/1s2gyI9wA==}
1482 | engines: {node: '>= 0.4'}
1483 | dependencies:
1484 | define-properties: 1.2.1
1485 | dev: true
1486 |
1487 | /globby@11.1.0:
1488 | resolution: {integrity: sha512-jhIXaOzy1sb8IyocaruWSn1TjmnBVs8Ayhcy83rmxNJ8q2uWKCAj3CnJY+KpGSXCueAPc0i05kVvVKtP1t9S3g==}
1489 | engines: {node: '>=10'}
1490 | dependencies:
1491 | array-union: 2.1.0
1492 | dir-glob: 3.0.1
1493 | fast-glob: 3.3.2
1494 | ignore: 5.3.0
1495 | merge2: 1.4.1
1496 | slash: 3.0.0
1497 | dev: true
1498 |
1499 | /goober@2.1.14(csstype@3.1.3):
1500 | resolution: {integrity: sha512-4UpC0NdGyAFqLNPnhCT2iHpza2q+RAY3GV85a/mRPdzyPQMsj0KmMMuetdIkzWRbJ+Hgau1EZztq8ImmiMGhsg==}
1501 | peerDependencies:
1502 | csstype: ^3.0.10
1503 | dependencies:
1504 | csstype: 3.1.3
1505 | dev: false
1506 |
1507 | /gopd@1.0.1:
1508 | resolution: {integrity: sha512-d65bNlIadxvpb/A2abVdlqKqV563juRnZ1Wtk6s1sIR8uNsXR70xqIzVqxVf1eTqDunwT2MkczEeaezCKTZhwA==}
1509 | dependencies:
1510 | get-intrinsic: 1.2.2
1511 | dev: true
1512 |
1513 | /graceful-fs@4.2.11:
1514 | resolution: {integrity: sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ==}
1515 |
1516 | /graphemer@1.4.0:
1517 | resolution: {integrity: sha512-EtKwoO6kxCL9WO5xipiHTZlSzBm7WLT627TqC/uVRd0HKmq8NXyebnNYxDoBi7wt8eTWrUrKXCOVaFq9x1kgag==}
1518 | dev: true
1519 |
1520 | /has-bigints@1.0.2:
1521 | resolution: {integrity: sha512-tSvCKtBr9lkF0Ex0aQiP9N+OpV4zi2r/Nee5VkRDbaqv35RLYMzbwQfFSZZH0kR+Rd6302UJZ2p/bJCEoR3VoQ==}
1522 | dev: true
1523 |
1524 | /has-flag@4.0.0:
1525 | resolution: {integrity: sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==}
1526 | engines: {node: '>=8'}
1527 | dev: true
1528 |
1529 | /has-property-descriptors@1.0.1:
1530 | resolution: {integrity: sha512-VsX8eaIewvas0xnvinAe9bw4WfIeODpGYikiWYLH+dma0Jw6KHYqWiWfhQlgOVK8D6PvjubK5Uc4P0iIhIcNVg==}
1531 | dependencies:
1532 | get-intrinsic: 1.2.2
1533 | dev: true
1534 |
1535 | /has-proto@1.0.1:
1536 | resolution: {integrity: sha512-7qE+iP+O+bgF9clE5+UoBFzE65mlBiVj3tKCrlNQ0Ogwm0BjpT/gK4SlLYDMybDh5I3TCTKnPPa0oMG7JDYrhg==}
1537 | engines: {node: '>= 0.4'}
1538 | dev: true
1539 |
1540 | /has-symbols@1.0.3:
1541 | resolution: {integrity: sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==}
1542 | engines: {node: '>= 0.4'}
1543 | dev: true
1544 |
1545 | /has-tostringtag@1.0.0:
1546 | resolution: {integrity: sha512-kFjcSNhnlGV1kyoGk7OXKSawH5JOb/LzUc5w9B02hOTO0dfFRjbHQKvg1d6cf3HbeUmtU9VbbV3qzZ2Teh97WQ==}
1547 | engines: {node: '>= 0.4'}
1548 | dependencies:
1549 | has-symbols: 1.0.3
1550 | dev: true
1551 |
1552 | /hasown@2.0.0:
1553 | resolution: {integrity: sha512-vUptKVTpIJhcczKBbgnS+RtcuYMB8+oNzPK2/Hp3hanz8JmpATdmmgLgSaadVREkDm+e2giHwY3ZRkyjSIDDFA==}
1554 | engines: {node: '>= 0.4'}
1555 | dependencies:
1556 | function-bind: 1.1.2
1557 | dev: true
1558 |
1559 | /ignore@5.3.0:
1560 | resolution: {integrity: sha512-g7dmpshy+gD7mh88OC9NwSGTKoc3kyLAZQRU1mt53Aw/vnvfXnbC+F/7F7QoYVKbV+KNvJx8wArewKy1vXMtlg==}
1561 | engines: {node: '>= 4'}
1562 | dev: true
1563 |
1564 | /import-fresh@3.3.0:
1565 | resolution: {integrity: sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==}
1566 | engines: {node: '>=6'}
1567 | dependencies:
1568 | parent-module: 1.0.1
1569 | resolve-from: 4.0.0
1570 | dev: true
1571 |
1572 | /imurmurhash@0.1.4:
1573 | resolution: {integrity: sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==}
1574 | engines: {node: '>=0.8.19'}
1575 | dev: true
1576 |
1577 | /inflight@1.0.6:
1578 | resolution: {integrity: sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==}
1579 | dependencies:
1580 | once: 1.4.0
1581 | wrappy: 1.0.2
1582 | dev: true
1583 |
1584 | /inherits@2.0.4:
1585 | resolution: {integrity: sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==}
1586 | dev: true
1587 |
1588 | /internal-slot@1.0.6:
1589 | resolution: {integrity: sha512-Xj6dv+PsbtwyPpEflsejS+oIZxmMlV44zAhG479uYu89MsjcYOhCFnNyKrkJrihbsiasQyY0afoCl/9BLR65bg==}
1590 | engines: {node: '>= 0.4'}
1591 | dependencies:
1592 | get-intrinsic: 1.2.2
1593 | hasown: 2.0.0
1594 | side-channel: 1.0.4
1595 | dev: true
1596 |
1597 | /is-array-buffer@3.0.2:
1598 | resolution: {integrity: sha512-y+FyyR/w8vfIRq4eQcM1EYgSTnmHXPqaF+IgzgraytCFq5Xh8lllDVmAZolPJiZttZLeFSINPYMaEJ7/vWUa1w==}
1599 | dependencies:
1600 | call-bind: 1.0.5
1601 | get-intrinsic: 1.2.2
1602 | is-typed-array: 1.1.12
1603 | dev: true
1604 |
1605 | /is-async-function@2.0.0:
1606 | resolution: {integrity: sha512-Y1JXKrfykRJGdlDwdKlLpLyMIiWqWvuSd17TvZk68PLAOGOoF4Xyav1z0Xhoi+gCYjZVeC5SI+hYFOfvXmGRCA==}
1607 | engines: {node: '>= 0.4'}
1608 | dependencies:
1609 | has-tostringtag: 1.0.0
1610 | dev: true
1611 |
1612 | /is-bigint@1.0.4:
1613 | resolution: {integrity: sha512-zB9CruMamjym81i2JZ3UMn54PKGsQzsJeo6xvN3HJJ4CAsQNB6iRutp2To77OfCNuoxspsIhzaPoO1zyCEhFOg==}
1614 | dependencies:
1615 | has-bigints: 1.0.2
1616 | dev: true
1617 |
1618 | /is-binary-path@2.1.0:
1619 | resolution: {integrity: sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==}
1620 | engines: {node: '>=8'}
1621 | dependencies:
1622 | binary-extensions: 2.2.0
1623 | dev: true
1624 |
1625 | /is-boolean-object@1.1.2:
1626 | resolution: {integrity: sha512-gDYaKHJmnj4aWxyj6YHyXVpdQawtVLHU5cb+eztPGczf6cjuTdwve5ZIEfgXqH4e57An1D1AKf8CZ3kYrQRqYA==}
1627 | engines: {node: '>= 0.4'}
1628 | dependencies:
1629 | call-bind: 1.0.5
1630 | has-tostringtag: 1.0.0
1631 | dev: true
1632 |
1633 | /is-callable@1.2.7:
1634 | resolution: {integrity: sha512-1BC0BVFhS/p0qtw6enp8e+8OD0UrK0oFLztSjNzhcKA3WDuJxxAPXzPuPtKkjEY9UUoEWlX/8fgKeu2S8i9JTA==}
1635 | engines: {node: '>= 0.4'}
1636 | dev: true
1637 |
1638 | /is-core-module@2.13.1:
1639 | resolution: {integrity: sha512-hHrIjvZsftOsvKSn2TRYl63zvxsgE0K+0mYMoH6gD4omR5IWB2KynivBQczo3+wF1cCkjzvptnI9Q0sPU66ilw==}
1640 | dependencies:
1641 | hasown: 2.0.0
1642 | dev: true
1643 |
1644 | /is-date-object@1.0.5:
1645 | resolution: {integrity: sha512-9YQaSxsAiSwcvS33MBk3wTCVnWK+HhF8VZR2jRxehM16QcVOdHqPn4VPHmRK4lSr38n9JriurInLcP90xsYNfQ==}
1646 | engines: {node: '>= 0.4'}
1647 | dependencies:
1648 | has-tostringtag: 1.0.0
1649 | dev: true
1650 |
1651 | /is-extglob@2.1.1:
1652 | resolution: {integrity: sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==}
1653 | engines: {node: '>=0.10.0'}
1654 | dev: true
1655 |
1656 | /is-finalizationregistry@1.0.2:
1657 | resolution: {integrity: sha512-0by5vtUJs8iFQb5TYUHHPudOR+qXYIMKtiUzvLIZITZUjknFmziyBJuLhVRc+Ds0dREFlskDNJKYIdIzu/9pfw==}
1658 | dependencies:
1659 | call-bind: 1.0.5
1660 | dev: true
1661 |
1662 | /is-fullwidth-code-point@3.0.0:
1663 | resolution: {integrity: sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==}
1664 | engines: {node: '>=8'}
1665 | dev: true
1666 |
1667 | /is-generator-function@1.0.10:
1668 | resolution: {integrity: sha512-jsEjy9l3yiXEQ+PsXdmBwEPcOxaXWLspKdplFUVI9vq1iZgIekeC0L167qeu86czQaxed3q/Uzuw0swL0irL8A==}
1669 | engines: {node: '>= 0.4'}
1670 | dependencies:
1671 | has-tostringtag: 1.0.0
1672 | dev: true
1673 |
1674 | /is-glob@4.0.3:
1675 | resolution: {integrity: sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==}
1676 | engines: {node: '>=0.10.0'}
1677 | dependencies:
1678 | is-extglob: 2.1.1
1679 | dev: true
1680 |
1681 | /is-map@2.0.2:
1682 | resolution: {integrity: sha512-cOZFQQozTha1f4MxLFzlgKYPTyj26picdZTx82hbc/Xf4K/tZOOXSCkMvU4pKioRXGDLJRn0GM7Upe7kR721yg==}
1683 | dev: true
1684 |
1685 | /is-negative-zero@2.0.2:
1686 | resolution: {integrity: sha512-dqJvarLawXsFbNDeJW7zAz8ItJ9cd28YufuuFzh0G8pNHjJMnY08Dv7sYX2uF5UpQOwieAeOExEYAWWfu7ZZUA==}
1687 | engines: {node: '>= 0.4'}
1688 | dev: true
1689 |
1690 | /is-number-object@1.0.7:
1691 | resolution: {integrity: sha512-k1U0IRzLMo7ZlYIfzRu23Oh6MiIFasgpb9X76eqfFZAqwH44UI4KTBvBYIZ1dSL9ZzChTB9ShHfLkR4pdW5krQ==}
1692 | engines: {node: '>= 0.4'}
1693 | dependencies:
1694 | has-tostringtag: 1.0.0
1695 | dev: true
1696 |
1697 | /is-number@7.0.0:
1698 | resolution: {integrity: sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==}
1699 | engines: {node: '>=0.12.0'}
1700 | dev: true
1701 |
1702 | /is-path-inside@3.0.3:
1703 | resolution: {integrity: sha512-Fd4gABb+ycGAmKou8eMftCupSir5lRxqf4aD/vd0cD2qc4HL07OjCeuHMr8Ro4CoMaeCKDB0/ECBOVWjTwUvPQ==}
1704 | engines: {node: '>=8'}
1705 | dev: true
1706 |
1707 | /is-regex@1.1.4:
1708 | resolution: {integrity: sha512-kvRdxDsxZjhzUX07ZnLydzS1TU/TJlTUHHY4YLL87e37oUA49DfkLqgy+VjFocowy29cKvcSiu+kIv728jTTVg==}
1709 | engines: {node: '>= 0.4'}
1710 | dependencies:
1711 | call-bind: 1.0.5
1712 | has-tostringtag: 1.0.0
1713 | dev: true
1714 |
1715 | /is-set@2.0.2:
1716 | resolution: {integrity: sha512-+2cnTEZeY5z/iXGbLhPrOAaK/Mau5k5eXq9j14CpRTftq0pAJu2MwVRSZhyZWBzx3o6X795Lz6Bpb6R0GKf37g==}
1717 | dev: true
1718 |
1719 | /is-shared-array-buffer@1.0.2:
1720 | resolution: {integrity: sha512-sqN2UDu1/0y6uvXyStCOzyhAjCSlHceFoMKJW8W9EU9cvic/QdsZ0kEU93HEy3IUEFZIiH/3w+AH/UQbPHNdhA==}
1721 | dependencies:
1722 | call-bind: 1.0.5
1723 | dev: true
1724 |
1725 | /is-string@1.0.7:
1726 | resolution: {integrity: sha512-tE2UXzivje6ofPW7l23cjDOMa09gb7xlAqG6jG5ej6uPV32TlWP3NKPigtaGeHNu9fohccRYvIiZMfOOnOYUtg==}
1727 | engines: {node: '>= 0.4'}
1728 | dependencies:
1729 | has-tostringtag: 1.0.0
1730 | dev: true
1731 |
1732 | /is-symbol@1.0.4:
1733 | resolution: {integrity: sha512-C/CPBqKWnvdcxqIARxyOh4v1UUEOCHpgDa0WYgpKDFMszcrPcffg5uhwSgPCLD2WWxmq6isisz87tzT01tuGhg==}
1734 | engines: {node: '>= 0.4'}
1735 | dependencies:
1736 | has-symbols: 1.0.3
1737 | dev: true
1738 |
1739 | /is-typed-array@1.1.12:
1740 | resolution: {integrity: sha512-Z14TF2JNG8Lss5/HMqt0//T9JeHXttXy5pH/DBU4vi98ozO2btxzq9MwYDZYnKwU8nRsz/+GVFVRDq3DkVuSPg==}
1741 | engines: {node: '>= 0.4'}
1742 | dependencies:
1743 | which-typed-array: 1.1.13
1744 | dev: true
1745 |
1746 | /is-weakmap@2.0.1:
1747 | resolution: {integrity: sha512-NSBR4kH5oVj1Uwvv970ruUkCV7O1mzgVFO4/rev2cLRda9Tm9HrL70ZPut4rOHgY0FNrUu9BCbXA2sdQ+x0chA==}
1748 | dev: true
1749 |
1750 | /is-weakref@1.0.2:
1751 | resolution: {integrity: sha512-qctsuLZmIQ0+vSSMfoVvyFe2+GSEvnmZ2ezTup1SBse9+twCCeial6EEi3Nc2KFcf6+qz2FBPnjXsk8xhKSaPQ==}
1752 | dependencies:
1753 | call-bind: 1.0.5
1754 | dev: true
1755 |
1756 | /is-weakset@2.0.2:
1757 | resolution: {integrity: sha512-t2yVvttHkQktwnNNmBQ98AhENLdPUTDTE21uPqAQ0ARwQfGeQKRVS0NNurH7bTf7RrvcVn1OOge45CnBeHCSmg==}
1758 | dependencies:
1759 | call-bind: 1.0.5
1760 | get-intrinsic: 1.2.2
1761 | dev: true
1762 |
1763 | /isarray@2.0.5:
1764 | resolution: {integrity: sha512-xHjhDr3cNBK0BzdUJSPXZntQUx/mwMS5Rw4A7lPJ90XGAO6ISP/ePDNuo0vhqOZU+UD5JoodwCAAoZQd3FeAKw==}
1765 | dev: true
1766 |
1767 | /isexe@2.0.0:
1768 | resolution: {integrity: sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==}
1769 | dev: true
1770 |
1771 | /iterator.prototype@1.1.2:
1772 | resolution: {integrity: sha512-DR33HMMr8EzwuRL8Y9D3u2BMj8+RqSE850jfGu59kS7tbmPLzGkZmVSfyCFSDxuZiEY6Rzt3T2NA/qU+NwVj1w==}
1773 | dependencies:
1774 | define-properties: 1.2.1
1775 | get-intrinsic: 1.2.2
1776 | has-symbols: 1.0.3
1777 | reflect.getprototypeof: 1.0.4
1778 | set-function-name: 2.0.1
1779 | dev: true
1780 |
1781 | /jackspeak@2.3.6:
1782 | resolution: {integrity: sha512-N3yCS/NegsOBokc8GAdM8UcmfsKiSS8cipheD/nivzr700H+nsMOxJjQnvwOcRYVuFkdH0wGUvW2WbXGmrZGbQ==}
1783 | engines: {node: '>=14'}
1784 | dependencies:
1785 | '@isaacs/cliui': 8.0.2
1786 | optionalDependencies:
1787 | '@pkgjs/parseargs': 0.11.0
1788 | dev: true
1789 |
1790 | /jiti@1.21.0:
1791 | resolution: {integrity: sha512-gFqAIbuKyyso/3G2qhiO2OM6shY6EPP/R0+mkDbyspxKazh8BXDC5FiFsUjlczgdNz/vfra0da2y+aHrusLG/Q==}
1792 | hasBin: true
1793 | dev: true
1794 |
1795 | /js-tokens@4.0.0:
1796 | resolution: {integrity: sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==}
1797 |
1798 | /js-yaml@4.1.0:
1799 | resolution: {integrity: sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==}
1800 | hasBin: true
1801 | dependencies:
1802 | argparse: 2.0.1
1803 | dev: true
1804 |
1805 | /json-buffer@3.0.1:
1806 | resolution: {integrity: sha512-4bV5BfR2mqfQTJm+V5tPPdf+ZpuhiIvTuAB5g8kcrXOZpTT/QwwVRWBywX1ozr6lEuPdbHxwaJlm9G6mI2sfSQ==}
1807 | dev: true
1808 |
1809 | /json-schema-traverse@0.4.1:
1810 | resolution: {integrity: sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==}
1811 | dev: true
1812 |
1813 | /json-stable-stringify-without-jsonify@1.0.1:
1814 | resolution: {integrity: sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==}
1815 | dev: true
1816 |
1817 | /json5@1.0.2:
1818 | resolution: {integrity: sha512-g1MWMLBiz8FKi1e4w0UyVL3w+iJceWAFBAaBnnGKOpNa5f8TLktkbre1+s6oICydWAm+HRUGTmI+//xv2hvXYA==}
1819 | hasBin: true
1820 | dependencies:
1821 | minimist: 1.2.8
1822 | dev: true
1823 |
1824 | /jsx-ast-utils@3.3.5:
1825 | resolution: {integrity: sha512-ZZow9HBI5O6EPgSJLUb8n2NKgmVWTwCvHGwFuJlMjvLFqlGG6pjirPhtdsseaLZjSibD8eegzmYpUZwoIlj2cQ==}
1826 | engines: {node: '>=4.0'}
1827 | dependencies:
1828 | array-includes: 3.1.7
1829 | array.prototype.flat: 1.3.2
1830 | object.assign: 4.1.5
1831 | object.values: 1.1.7
1832 | dev: true
1833 |
1834 | /keyv@4.5.4:
1835 | resolution: {integrity: sha512-oxVHkHR/EJf2CNXnWxRLW6mg7JyCCUcG0DtEGmL2ctUo1PNTin1PUil+r/+4r5MpVgC/fn1kjsx7mjSujKqIpw==}
1836 | dependencies:
1837 | json-buffer: 3.0.1
1838 | dev: true
1839 |
1840 | /language-subtag-registry@0.3.22:
1841 | resolution: {integrity: sha512-tN0MCzyWnoz/4nHS6uxdlFWoUZT7ABptwKPQ52Ea7URk6vll88bWBVhodtnlfEuCcKWNGoc+uGbw1cwa9IKh/w==}
1842 | dev: true
1843 |
1844 | /language-tags@1.0.9:
1845 | resolution: {integrity: sha512-MbjN408fEndfiQXbFQ1vnd+1NoLDsnQW41410oQBXiyXDMYH5z505juWa4KUE1LqxRC7DgOgZDbKLxHIwm27hA==}
1846 | engines: {node: '>=0.10'}
1847 | dependencies:
1848 | language-subtag-registry: 0.3.22
1849 | dev: true
1850 |
1851 | /levn@0.4.1:
1852 | resolution: {integrity: sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==}
1853 | engines: {node: '>= 0.8.0'}
1854 | dependencies:
1855 | prelude-ls: 1.2.1
1856 | type-check: 0.4.0
1857 | dev: true
1858 |
1859 | /lilconfig@2.1.0:
1860 | resolution: {integrity: sha512-utWOt/GHzuUxnLKxB6dk81RoOeoNeHgbrXiuGk4yyF5qlRz+iIVWu56E2fqGHFrXz0QNUhLB/8nKqvRH66JKGQ==}
1861 | engines: {node: '>=10'}
1862 | dev: true
1863 |
1864 | /lilconfig@3.0.0:
1865 | resolution: {integrity: sha512-K2U4W2Ff5ibV7j7ydLr+zLAkIg5JJ4lPn1Ltsdt+Tz/IjQ8buJ55pZAxoP34lqIiwtF9iAvtLv3JGv7CAyAg+g==}
1866 | engines: {node: '>=14'}
1867 | dev: true
1868 |
1869 | /lines-and-columns@1.2.4:
1870 | resolution: {integrity: sha512-7ylylesZQ/PV29jhEDl3Ufjo6ZX7gCqJr5F7PKrqc93v7fzSymt1BpwEU8nAUXs8qzzvqhbjhK5QZg6Mt/HkBg==}
1871 | dev: true
1872 |
1873 | /locate-path@6.0.0:
1874 | resolution: {integrity: sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==}
1875 | engines: {node: '>=10'}
1876 | dependencies:
1877 | p-locate: 5.0.0
1878 | dev: true
1879 |
1880 | /lodash.merge@4.6.2:
1881 | resolution: {integrity: sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==}
1882 | dev: true
1883 |
1884 | /loose-envify@1.4.0:
1885 | resolution: {integrity: sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q==}
1886 | hasBin: true
1887 | dependencies:
1888 | js-tokens: 4.0.0
1889 |
1890 | /lru-cache@10.2.0:
1891 | resolution: {integrity: sha512-2bIM8x+VAf6JT4bKAljS1qUWgMsqZRPGJS6FSahIMPVvctcNhyVp7AJu7quxOW9jwkryBReKZY5tY5JYv2n/7Q==}
1892 | engines: {node: 14 || >=16.14}
1893 | dev: true
1894 |
1895 | /lru-cache@6.0.0:
1896 | resolution: {integrity: sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==}
1897 | engines: {node: '>=10'}
1898 | dependencies:
1899 | yallist: 4.0.0
1900 | dev: true
1901 |
1902 | /merge2@1.4.1:
1903 | resolution: {integrity: sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==}
1904 | engines: {node: '>= 8'}
1905 | dev: true
1906 |
1907 | /micromatch@4.0.5:
1908 | resolution: {integrity: sha512-DMy+ERcEW2q8Z2Po+WNXuw3c5YaUSFjAO5GsJqfEl7UjvtIuFKO6ZrKvcItdy98dwFI2N1tg3zNIdKaQT+aNdA==}
1909 | engines: {node: '>=8.6'}
1910 | dependencies:
1911 | braces: 3.0.2
1912 | picomatch: 2.3.1
1913 | dev: true
1914 |
1915 | /minimatch@3.1.2:
1916 | resolution: {integrity: sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==}
1917 | dependencies:
1918 | brace-expansion: 1.1.11
1919 | dev: true
1920 |
1921 | /minimatch@9.0.3:
1922 | resolution: {integrity: sha512-RHiac9mvaRw0x3AYRgDC1CxAP7HTcNrrECeA8YYJeWnpo+2Q5CegtZjaotWTWxDG3UeGA1coE05iH1mPjT/2mg==}
1923 | engines: {node: '>=16 || 14 >=14.17'}
1924 | dependencies:
1925 | brace-expansion: 2.0.1
1926 | dev: true
1927 |
1928 | /minimist@1.2.8:
1929 | resolution: {integrity: sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==}
1930 | dev: true
1931 |
1932 | /minipass@7.0.4:
1933 | resolution: {integrity: sha512-jYofLM5Dam9279rdkWzqHozUo4ybjdZmCsDHePy5V/PbBcVMiSZR97gmAy45aqi8CK1lG2ECd356FU86avfwUQ==}
1934 | engines: {node: '>=16 || 14 >=14.17'}
1935 | dev: true
1936 |
1937 | /ms@2.1.2:
1938 | resolution: {integrity: sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==}
1939 | dev: true
1940 |
1941 | /ms@2.1.3:
1942 | resolution: {integrity: sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==}
1943 | dev: true
1944 |
1945 | /mz@2.7.0:
1946 | resolution: {integrity: sha512-z81GNO7nnYMEhrGh9LeymoE4+Yr0Wn5McHIZMK5cfQCl+NDX08sCZgUc9/6MHni9IWuFLm1Z3HTCXu2z9fN62Q==}
1947 | dependencies:
1948 | any-promise: 1.3.0
1949 | object-assign: 4.1.1
1950 | thenify-all: 1.6.0
1951 | dev: true
1952 |
1953 | /nanoid@3.3.7:
1954 | resolution: {integrity: sha512-eSRppjcPIatRIMC1U6UngP8XFcz8MQWGQdt1MTBQ7NaAmvXDfvNxbvWV3x2y6CdEUciCSsDHDQZbhYaB8QEo2g==}
1955 | engines: {node: ^10 || ^12 || ^13.7 || ^14 || >=15.0.1}
1956 | hasBin: true
1957 |
1958 | /natural-compare@1.4.0:
1959 | resolution: {integrity: sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==}
1960 | dev: true
1961 |
1962 | /next@14.1.0(react-dom@18.2.0)(react@18.2.0):
1963 | resolution: {integrity: sha512-wlzrsbfeSU48YQBjZhDzOwhWhGsy+uQycR8bHAOt1LY1bn3zZEcDyHQOEoN3aWzQ8LHCAJ1nqrWCc9XF2+O45Q==}
1964 | engines: {node: '>=18.17.0'}
1965 | hasBin: true
1966 | peerDependencies:
1967 | '@opentelemetry/api': ^1.1.0
1968 | react: ^18.2.0
1969 | react-dom: ^18.2.0
1970 | sass: ^1.3.0
1971 | peerDependenciesMeta:
1972 | '@opentelemetry/api':
1973 | optional: true
1974 | sass:
1975 | optional: true
1976 | dependencies:
1977 | '@next/env': 14.1.0
1978 | '@swc/helpers': 0.5.2
1979 | busboy: 1.6.0
1980 | caniuse-lite: 1.0.30001581
1981 | graceful-fs: 4.2.11
1982 | postcss: 8.4.31
1983 | react: 18.2.0
1984 | react-dom: 18.2.0(react@18.2.0)
1985 | styled-jsx: 5.1.1(react@18.2.0)
1986 | optionalDependencies:
1987 | '@next/swc-darwin-arm64': 14.1.0
1988 | '@next/swc-darwin-x64': 14.1.0
1989 | '@next/swc-linux-arm64-gnu': 14.1.0
1990 | '@next/swc-linux-arm64-musl': 14.1.0
1991 | '@next/swc-linux-x64-gnu': 14.1.0
1992 | '@next/swc-linux-x64-musl': 14.1.0
1993 | '@next/swc-win32-arm64-msvc': 14.1.0
1994 | '@next/swc-win32-ia32-msvc': 14.1.0
1995 | '@next/swc-win32-x64-msvc': 14.1.0
1996 | transitivePeerDependencies:
1997 | - '@babel/core'
1998 | - babel-plugin-macros
1999 | dev: false
2000 |
2001 | /node-releases@2.0.14:
2002 | resolution: {integrity: sha512-y10wOWt8yZpqXmOgRo77WaHEmhYQYGNA6y421PKsKYWEK8aW+cqAphborZDhqfyKrbZEN92CN1X2KbafY2s7Yw==}
2003 | dev: true
2004 |
2005 | /normalize-path@3.0.0:
2006 | resolution: {integrity: sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==}
2007 | engines: {node: '>=0.10.0'}
2008 | dev: true
2009 |
2010 | /normalize-range@0.1.2:
2011 | resolution: {integrity: sha512-bdok/XvKII3nUpklnV6P2hxtMNrCboOjAcyBuQnWEhO665FwrSNRxU+AqpsyvO6LgGYPspN+lu5CLtw4jPRKNA==}
2012 | engines: {node: '>=0.10.0'}
2013 | dev: true
2014 |
2015 | /object-assign@4.1.1:
2016 | resolution: {integrity: sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==}
2017 | engines: {node: '>=0.10.0'}
2018 | dev: true
2019 |
2020 | /object-hash@3.0.0:
2021 | resolution: {integrity: sha512-RSn9F68PjH9HqtltsSnqYC1XXoWe9Bju5+213R98cNGttag9q9yAOTzdbsqvIa7aNm5WffBZFpWYr2aWrklWAw==}
2022 | engines: {node: '>= 6'}
2023 | dev: true
2024 |
2025 | /object-inspect@1.13.1:
2026 | resolution: {integrity: sha512-5qoj1RUiKOMsCCNLV1CBiPYE10sziTsnmNxkAI/rZhiD63CF7IqdFGC/XzjWjpSgLf0LxXX3bDFIh0E18f6UhQ==}
2027 | dev: true
2028 |
2029 | /object-keys@1.1.1:
2030 | resolution: {integrity: sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==}
2031 | engines: {node: '>= 0.4'}
2032 | dev: true
2033 |
2034 | /object.assign@4.1.5:
2035 | resolution: {integrity: sha512-byy+U7gp+FVwmyzKPYhW2h5l3crpmGsxl7X2s8y43IgxvG4g3QZ6CffDtsNQy1WsmZpQbO+ybo0AlW7TY6DcBQ==}
2036 | engines: {node: '>= 0.4'}
2037 | dependencies:
2038 | call-bind: 1.0.5
2039 | define-properties: 1.2.1
2040 | has-symbols: 1.0.3
2041 | object-keys: 1.1.1
2042 | dev: true
2043 |
2044 | /object.entries@1.1.7:
2045 | resolution: {integrity: sha512-jCBs/0plmPsOnrKAfFQXRG2NFjlhZgjjcBLSmTnEhU8U6vVTsVe8ANeQJCHTl3gSsI4J+0emOoCgoKlmQPMgmA==}
2046 | engines: {node: '>= 0.4'}
2047 | dependencies:
2048 | call-bind: 1.0.5
2049 | define-properties: 1.2.1
2050 | es-abstract: 1.22.3
2051 | dev: true
2052 |
2053 | /object.fromentries@2.0.7:
2054 | resolution: {integrity: sha512-UPbPHML6sL8PI/mOqPwsH4G6iyXcCGzLin8KvEPenOZN5lpCNBZZQ+V62vdjB1mQHrmqGQt5/OJzemUA+KJmEA==}
2055 | engines: {node: '>= 0.4'}
2056 | dependencies:
2057 | call-bind: 1.0.5
2058 | define-properties: 1.2.1
2059 | es-abstract: 1.22.3
2060 | dev: true
2061 |
2062 | /object.groupby@1.0.1:
2063 | resolution: {integrity: sha512-HqaQtqLnp/8Bn4GL16cj+CUYbnpe1bh0TtEaWvybszDG4tgxCJuRpV8VGuvNaI1fAnI4lUJzDG55MXcOH4JZcQ==}
2064 | dependencies:
2065 | call-bind: 1.0.5
2066 | define-properties: 1.2.1
2067 | es-abstract: 1.22.3
2068 | get-intrinsic: 1.2.2
2069 | dev: true
2070 |
2071 | /object.hasown@1.1.3:
2072 | resolution: {integrity: sha512-fFI4VcYpRHvSLXxP7yiZOMAd331cPfd2p7PFDVbgUsYOfCT3tICVqXWngbjr4m49OvsBwUBQ6O2uQoJvy3RexA==}
2073 | dependencies:
2074 | define-properties: 1.2.1
2075 | es-abstract: 1.22.3
2076 | dev: true
2077 |
2078 | /object.values@1.1.7:
2079 | resolution: {integrity: sha512-aU6xnDFYT3x17e/f0IiiwlGPTy2jzMySGfUB4fq6z7CV8l85CWHDk5ErhyhpfDHhrOMwGFhSQkhMGHaIotA6Ng==}
2080 | engines: {node: '>= 0.4'}
2081 | dependencies:
2082 | call-bind: 1.0.5
2083 | define-properties: 1.2.1
2084 | es-abstract: 1.22.3
2085 | dev: true
2086 |
2087 | /once@1.4.0:
2088 | resolution: {integrity: sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==}
2089 | dependencies:
2090 | wrappy: 1.0.2
2091 | dev: true
2092 |
2093 | /optionator@0.9.3:
2094 | resolution: {integrity: sha512-JjCoypp+jKn1ttEFExxhetCKeJt9zhAgAve5FXHixTvFDW/5aEktX9bufBKLRRMdU7bNtpLfcGu94B3cdEJgjg==}
2095 | engines: {node: '>= 0.8.0'}
2096 | dependencies:
2097 | '@aashutoshrathi/word-wrap': 1.2.6
2098 | deep-is: 0.1.4
2099 | fast-levenshtein: 2.0.6
2100 | levn: 0.4.1
2101 | prelude-ls: 1.2.1
2102 | type-check: 0.4.0
2103 | dev: true
2104 |
2105 | /p-limit@3.1.0:
2106 | resolution: {integrity: sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==}
2107 | engines: {node: '>=10'}
2108 | dependencies:
2109 | yocto-queue: 0.1.0
2110 | dev: true
2111 |
2112 | /p-locate@5.0.0:
2113 | resolution: {integrity: sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==}
2114 | engines: {node: '>=10'}
2115 | dependencies:
2116 | p-limit: 3.1.0
2117 | dev: true
2118 |
2119 | /parent-module@1.0.1:
2120 | resolution: {integrity: sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==}
2121 | engines: {node: '>=6'}
2122 | dependencies:
2123 | callsites: 3.1.0
2124 | dev: true
2125 |
2126 | /path-exists@4.0.0:
2127 | resolution: {integrity: sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==}
2128 | engines: {node: '>=8'}
2129 | dev: true
2130 |
2131 | /path-is-absolute@1.0.1:
2132 | resolution: {integrity: sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==}
2133 | engines: {node: '>=0.10.0'}
2134 | dev: true
2135 |
2136 | /path-key@3.1.1:
2137 | resolution: {integrity: sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==}
2138 | engines: {node: '>=8'}
2139 | dev: true
2140 |
2141 | /path-parse@1.0.7:
2142 | resolution: {integrity: sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==}
2143 | dev: true
2144 |
2145 | /path-scurry@1.10.1:
2146 | resolution: {integrity: sha512-MkhCqzzBEpPvxxQ71Md0b1Kk51W01lrYvlMzSUaIzNsODdd7mqhiimSZlr+VegAz5Z6Vzt9Xg2ttE//XBhH3EQ==}
2147 | engines: {node: '>=16 || 14 >=14.17'}
2148 | dependencies:
2149 | lru-cache: 10.2.0
2150 | minipass: 7.0.4
2151 | dev: true
2152 |
2153 | /path-type@4.0.0:
2154 | resolution: {integrity: sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==}
2155 | engines: {node: '>=8'}
2156 | dev: true
2157 |
2158 | /picocolors@1.0.0:
2159 | resolution: {integrity: sha512-1fygroTLlHu66zi26VoTDv8yRgm0Fccecssto+MhsZ0D/DGW2sm8E8AjW7NU5VVTRt5GxbeZ5qBuJr+HyLYkjQ==}
2160 |
2161 | /picomatch@2.3.1:
2162 | resolution: {integrity: sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==}
2163 | engines: {node: '>=8.6'}
2164 | dev: true
2165 |
2166 | /pify@2.3.0:
2167 | resolution: {integrity: sha512-udgsAY+fTnvv7kI7aaxbqwWNb0AHiB0qBO89PZKPkoTmGOgdbrHDKD+0B2X4uTfJ/FT1R09r9gTsjUjNJotuog==}
2168 | engines: {node: '>=0.10.0'}
2169 | dev: true
2170 |
2171 | /pirates@4.0.6:
2172 | resolution: {integrity: sha512-saLsH7WeYYPiD25LDuLRRY/i+6HaPYr6G1OUlN39otzkSTxKnubR9RTxS3/Kk50s1g2JTgFwWQDQyplC5/SHZg==}
2173 | engines: {node: '>= 6'}
2174 | dev: true
2175 |
2176 | /postcss-import@15.1.0(postcss@8.4.33):
2177 | resolution: {integrity: sha512-hpr+J05B2FVYUAXHeK1YyI267J/dDDhMU6B6civm8hSY1jYJnBXxzKDKDswzJmtLHryrjhnDjqqp/49t8FALew==}
2178 | engines: {node: '>=14.0.0'}
2179 | peerDependencies:
2180 | postcss: ^8.0.0
2181 | dependencies:
2182 | postcss: 8.4.33
2183 | postcss-value-parser: 4.2.0
2184 | read-cache: 1.0.0
2185 | resolve: 1.22.8
2186 | dev: true
2187 |
2188 | /postcss-js@4.0.1(postcss@8.4.33):
2189 | resolution: {integrity: sha512-dDLF8pEO191hJMtlHFPRa8xsizHaM82MLfNkUHdUtVEV3tgTp5oj+8qbEqYM57SLfc74KSbw//4SeJma2LRVIw==}
2190 | engines: {node: ^12 || ^14 || >= 16}
2191 | peerDependencies:
2192 | postcss: ^8.4.21
2193 | dependencies:
2194 | camelcase-css: 2.0.1
2195 | postcss: 8.4.33
2196 | dev: true
2197 |
2198 | /postcss-load-config@4.0.2(postcss@8.4.33):
2199 | resolution: {integrity: sha512-bSVhyJGL00wMVoPUzAVAnbEoWyqRxkjv64tUl427SKnPrENtq6hJwUojroMz2VB+Q1edmi4IfrAPpami5VVgMQ==}
2200 | engines: {node: '>= 14'}
2201 | peerDependencies:
2202 | postcss: '>=8.0.9'
2203 | ts-node: '>=9.0.0'
2204 | peerDependenciesMeta:
2205 | postcss:
2206 | optional: true
2207 | ts-node:
2208 | optional: true
2209 | dependencies:
2210 | lilconfig: 3.0.0
2211 | postcss: 8.4.33
2212 | yaml: 2.3.4
2213 | dev: true
2214 |
2215 | /postcss-nested@6.0.1(postcss@8.4.33):
2216 | resolution: {integrity: sha512-mEp4xPMi5bSWiMbsgoPfcP74lsWLHkQbZc3sY+jWYd65CUwXrUaTp0fmNpa01ZcETKlIgUdFN/MpS2xZtqL9dQ==}
2217 | engines: {node: '>=12.0'}
2218 | peerDependencies:
2219 | postcss: ^8.2.14
2220 | dependencies:
2221 | postcss: 8.4.33
2222 | postcss-selector-parser: 6.0.15
2223 | dev: true
2224 |
2225 | /postcss-selector-parser@6.0.15:
2226 | resolution: {integrity: sha512-rEYkQOMUCEMhsKbK66tbEU9QVIxbhN18YiniAwA7XQYTVBqrBy+P2p5JcdqsHgKM2zWylp8d7J6eszocfds5Sw==}
2227 | engines: {node: '>=4'}
2228 | dependencies:
2229 | cssesc: 3.0.0
2230 | util-deprecate: 1.0.2
2231 | dev: true
2232 |
2233 | /postcss-value-parser@4.2.0:
2234 | resolution: {integrity: sha512-1NNCs6uurfkVbeXG4S8JFT9t19m45ICnif8zWLd5oPSZ50QnwMfK+H3jv408d4jw/7Bttv5axS5IiHoLaVNHeQ==}
2235 | dev: true
2236 |
2237 | /postcss@8.4.31:
2238 | resolution: {integrity: sha512-PS08Iboia9mts/2ygV3eLpY5ghnUcfLV/EXTOW1E2qYxJKGGBUtNjN76FYHnMs36RmARn41bC0AZmn+rR0OVpQ==}
2239 | engines: {node: ^10 || ^12 || >=14}
2240 | dependencies:
2241 | nanoid: 3.3.7
2242 | picocolors: 1.0.0
2243 | source-map-js: 1.0.2
2244 | dev: false
2245 |
2246 | /postcss@8.4.33:
2247 | resolution: {integrity: sha512-Kkpbhhdjw2qQs2O2DGX+8m5OVqEcbB9HRBvuYM9pgrjEFUg30A9LmXNlTAUj4S9kgtGyrMbTzVjH7E+s5Re2yg==}
2248 | engines: {node: ^10 || ^12 || >=14}
2249 | dependencies:
2250 | nanoid: 3.3.7
2251 | picocolors: 1.0.0
2252 | source-map-js: 1.0.2
2253 | dev: true
2254 |
2255 | /prelude-ls@1.2.1:
2256 | resolution: {integrity: sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==}
2257 | engines: {node: '>= 0.8.0'}
2258 | dev: true
2259 |
2260 | /prop-types@15.8.1:
2261 | resolution: {integrity: sha512-oj87CgZICdulUohogVAR7AjlC0327U4el4L6eAvOqCeudMDVU0NThNaV+b9Df4dXgSP1gXMTnPdhfe/2qDH5cg==}
2262 | dependencies:
2263 | loose-envify: 1.4.0
2264 | object-assign: 4.1.1
2265 | react-is: 16.13.1
2266 | dev: true
2267 |
2268 | /punycode@2.3.1:
2269 | resolution: {integrity: sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg==}
2270 | engines: {node: '>=6'}
2271 | dev: true
2272 |
2273 | /queue-microtask@1.2.3:
2274 | resolution: {integrity: sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==}
2275 | dev: true
2276 |
2277 | /ramda@0.29.1:
2278 | resolution: {integrity: sha512-OfxIeWzd4xdUNxlWhgFazxsA/nl3mS4/jGZI5n00uWOoSSFRhC1b6gl6xvmzUamgmqELraWp0J/qqVlXYPDPyA==}
2279 | dev: false
2280 |
2281 | /react-dom@18.2.0(react@18.2.0):
2282 | resolution: {integrity: sha512-6IMTriUmvsjHUjNtEDudZfuDQUoWXVxKHhlEGSk81n4YFS+r/Kl99wXiwlVXtPBtJenozv2P+hxDsw9eA7Xo6g==}
2283 | peerDependencies:
2284 | react: ^18.2.0
2285 | dependencies:
2286 | loose-envify: 1.4.0
2287 | react: 18.2.0
2288 | scheduler: 0.23.0
2289 | dev: false
2290 |
2291 | /react-hook-form@7.49.3(react@18.2.0):
2292 | resolution: {integrity: sha512-foD6r3juidAT1cOZzpmD/gOKt7fRsDhXXZ0y28+Al1CHgX+AY1qIN9VSIIItXRq1dN68QrRwl1ORFlwjBaAqeQ==}
2293 | engines: {node: '>=18', pnpm: '8'}
2294 | peerDependencies:
2295 | react: ^16.8.0 || ^17 || ^18
2296 | dependencies:
2297 | react: 18.2.0
2298 | dev: false
2299 |
2300 | /react-hot-toast@2.4.1(csstype@3.1.3)(react-dom@18.2.0)(react@18.2.0):
2301 | resolution: {integrity: sha512-j8z+cQbWIM5LY37pR6uZR6D4LfseplqnuAO4co4u8917hBUvXlEqyP1ZzqVLcqoyUesZZv/ImreoCeHVDpE5pQ==}
2302 | engines: {node: '>=10'}
2303 | peerDependencies:
2304 | react: '>=16'
2305 | react-dom: '>=16'
2306 | dependencies:
2307 | goober: 2.1.14(csstype@3.1.3)
2308 | react: 18.2.0
2309 | react-dom: 18.2.0(react@18.2.0)
2310 | transitivePeerDependencies:
2311 | - csstype
2312 | dev: false
2313 |
2314 | /react-is@16.13.1:
2315 | resolution: {integrity: sha512-24e6ynE2H+OKt4kqsOvNd8kBpV65zoxbA4BVsEOB3ARVWQki/DHzaUoC5KuON/BiccDaCCTZBuOcfZs70kR8bQ==}
2316 | dev: true
2317 |
2318 | /react@18.2.0:
2319 | resolution: {integrity: sha512-/3IjMdb2L9QbBdWiW5e3P2/npwMBaU9mHCSCUzNln0ZCYbcfTsGbTJrU/kGemdH2IWmB2ioZ+zkxtmq6g09fGQ==}
2320 | engines: {node: '>=0.10.0'}
2321 | dependencies:
2322 | loose-envify: 1.4.0
2323 | dev: false
2324 |
2325 | /read-cache@1.0.0:
2326 | resolution: {integrity: sha512-Owdv/Ft7IjOgm/i0xvNDZ1LrRANRfew4b2prF3OWMQLxLfu3bS8FVhCsrSCMK4lR56Y9ya+AThoTpDCTxCmpRA==}
2327 | dependencies:
2328 | pify: 2.3.0
2329 | dev: true
2330 |
2331 | /readdirp@3.6.0:
2332 | resolution: {integrity: sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==}
2333 | engines: {node: '>=8.10.0'}
2334 | dependencies:
2335 | picomatch: 2.3.1
2336 | dev: true
2337 |
2338 | /reflect.getprototypeof@1.0.4:
2339 | resolution: {integrity: sha512-ECkTw8TmJwW60lOTR+ZkODISW6RQ8+2CL3COqtiJKLd6MmB45hN51HprHFziKLGkAuTGQhBb91V8cy+KHlaCjw==}
2340 | engines: {node: '>= 0.4'}
2341 | dependencies:
2342 | call-bind: 1.0.5
2343 | define-properties: 1.2.1
2344 | es-abstract: 1.22.3
2345 | get-intrinsic: 1.2.2
2346 | globalthis: 1.0.3
2347 | which-builtin-type: 1.1.3
2348 | dev: true
2349 |
2350 | /regenerator-runtime@0.14.1:
2351 | resolution: {integrity: sha512-dYnhHh0nJoMfnkZs6GmmhFknAGRrLznOu5nc9ML+EJxGvrx6H7teuevqVqCuPcPK//3eDrrjQhehXVx9cnkGdw==}
2352 | dev: true
2353 |
2354 | /regexp.prototype.flags@1.5.1:
2355 | resolution: {integrity: sha512-sy6TXMN+hnP/wMy+ISxg3krXx7BAtWVO4UouuCN/ziM9UEne0euamVNafDfvC83bRNr95y0V5iijeDQFUNpvrg==}
2356 | engines: {node: '>= 0.4'}
2357 | dependencies:
2358 | call-bind: 1.0.5
2359 | define-properties: 1.2.1
2360 | set-function-name: 2.0.1
2361 | dev: true
2362 |
2363 | /resolve-from@4.0.0:
2364 | resolution: {integrity: sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==}
2365 | engines: {node: '>=4'}
2366 | dev: true
2367 |
2368 | /resolve-pkg-maps@1.0.0:
2369 | resolution: {integrity: sha512-seS2Tj26TBVOC2NIc2rOe2y2ZO7efxITtLZcGSOnHHNOQ7CkiUBfw0Iw2ck6xkIhPwLhKNLS8BO+hEpngQlqzw==}
2370 | dev: true
2371 |
2372 | /resolve@1.22.8:
2373 | resolution: {integrity: sha512-oKWePCxqpd6FlLvGV1VU0x7bkPmmCNolxzjMf4NczoDnQcIWrAF+cPtZn5i6n+RfD2d9i0tzpKnG6Yk168yIyw==}
2374 | hasBin: true
2375 | dependencies:
2376 | is-core-module: 2.13.1
2377 | path-parse: 1.0.7
2378 | supports-preserve-symlinks-flag: 1.0.0
2379 | dev: true
2380 |
2381 | /resolve@2.0.0-next.5:
2382 | resolution: {integrity: sha512-U7WjGVG9sH8tvjW5SmGbQuui75FiyjAX72HX15DwBBwF9dNiQZRQAg9nnPhYy+TUnE0+VcrttuvNI8oSxZcocA==}
2383 | hasBin: true
2384 | dependencies:
2385 | is-core-module: 2.13.1
2386 | path-parse: 1.0.7
2387 | supports-preserve-symlinks-flag: 1.0.0
2388 | dev: true
2389 |
2390 | /reusify@1.0.4:
2391 | resolution: {integrity: sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==}
2392 | engines: {iojs: '>=1.0.0', node: '>=0.10.0'}
2393 | dev: true
2394 |
2395 | /rimraf@3.0.2:
2396 | resolution: {integrity: sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==}
2397 | hasBin: true
2398 | dependencies:
2399 | glob: 7.2.3
2400 | dev: true
2401 |
2402 | /run-parallel@1.2.0:
2403 | resolution: {integrity: sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==}
2404 | dependencies:
2405 | queue-microtask: 1.2.3
2406 | dev: true
2407 |
2408 | /safe-array-concat@1.1.0:
2409 | resolution: {integrity: sha512-ZdQ0Jeb9Ofti4hbt5lX3T2JcAamT9hfzYU1MNB+z/jaEbB6wfFfPIR/zEORmZqobkCCJhSjodobH6WHNmJ97dg==}
2410 | engines: {node: '>=0.4'}
2411 | dependencies:
2412 | call-bind: 1.0.5
2413 | get-intrinsic: 1.2.2
2414 | has-symbols: 1.0.3
2415 | isarray: 2.0.5
2416 | dev: true
2417 |
2418 | /safe-regex-test@1.0.2:
2419 | resolution: {integrity: sha512-83S9w6eFq12BBIJYvjMux6/dkirb8+4zJRA9cxNBVb7Wq5fJBW+Xze48WqR8pxua7bDuAaaAxtVVd4Idjp1dBQ==}
2420 | engines: {node: '>= 0.4'}
2421 | dependencies:
2422 | call-bind: 1.0.5
2423 | get-intrinsic: 1.2.2
2424 | is-regex: 1.1.4
2425 | dev: true
2426 |
2427 | /scheduler@0.23.0:
2428 | resolution: {integrity: sha512-CtuThmgHNg7zIZWAXi3AsyIzA3n4xx7aNyjwC2VJldO2LMVDhFK+63xGqq6CsJH4rTAt6/M+N4GhZiDYPx9eUw==}
2429 | dependencies:
2430 | loose-envify: 1.4.0
2431 | dev: false
2432 |
2433 | /semver@6.3.1:
2434 | resolution: {integrity: sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==}
2435 | hasBin: true
2436 | dev: true
2437 |
2438 | /semver@7.5.4:
2439 | resolution: {integrity: sha512-1bCSESV6Pv+i21Hvpxp3Dx+pSD8lIPt8uVjRrxAUt/nbswYc+tK6Y2btiULjd4+fnq15PX+nqQDC7Oft7WkwcA==}
2440 | engines: {node: '>=10'}
2441 | hasBin: true
2442 | dependencies:
2443 | lru-cache: 6.0.0
2444 | dev: true
2445 |
2446 | /set-function-length@1.2.0:
2447 | resolution: {integrity: sha512-4DBHDoyHlM1IRPGYcoxexgh67y4ueR53FKV1yyxwFMY7aCqcN/38M1+SwZ/qJQ8iLv7+ck385ot4CcisOAPT9w==}
2448 | engines: {node: '>= 0.4'}
2449 | dependencies:
2450 | define-data-property: 1.1.1
2451 | function-bind: 1.1.2
2452 | get-intrinsic: 1.2.2
2453 | gopd: 1.0.1
2454 | has-property-descriptors: 1.0.1
2455 | dev: true
2456 |
2457 | /set-function-name@2.0.1:
2458 | resolution: {integrity: sha512-tMNCiqYVkXIZgc2Hnoy2IvC/f8ezc5koaRFkCjrpWzGpCd3qbZXPzVy9MAZzK1ch/X0jvSkojys3oqJN0qCmdA==}
2459 | engines: {node: '>= 0.4'}
2460 | dependencies:
2461 | define-data-property: 1.1.1
2462 | functions-have-names: 1.2.3
2463 | has-property-descriptors: 1.0.1
2464 | dev: true
2465 |
2466 | /shebang-command@2.0.0:
2467 | resolution: {integrity: sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==}
2468 | engines: {node: '>=8'}
2469 | dependencies:
2470 | shebang-regex: 3.0.0
2471 | dev: true
2472 |
2473 | /shebang-regex@3.0.0:
2474 | resolution: {integrity: sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==}
2475 | engines: {node: '>=8'}
2476 | dev: true
2477 |
2478 | /side-channel@1.0.4:
2479 | resolution: {integrity: sha512-q5XPytqFEIKHkGdiMIrY10mvLRvnQh42/+GoBlFW3b2LXLE2xxJpZFdm94we0BaoV3RwJyGqg5wS7epxTv0Zvw==}
2480 | dependencies:
2481 | call-bind: 1.0.5
2482 | get-intrinsic: 1.2.2
2483 | object-inspect: 1.13.1
2484 | dev: true
2485 |
2486 | /signal-exit@4.1.0:
2487 | resolution: {integrity: sha512-bzyZ1e88w9O1iNJbKnOlvYTrWPDl46O1bG0D3XInv+9tkPrxrN8jUUTiFlDkkmKWgn1M6CfIA13SuGqOa9Korw==}
2488 | engines: {node: '>=14'}
2489 | dev: true
2490 |
2491 | /slash@3.0.0:
2492 | resolution: {integrity: sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==}
2493 | engines: {node: '>=8'}
2494 | dev: true
2495 |
2496 | /source-map-js@1.0.2:
2497 | resolution: {integrity: sha512-R0XvVJ9WusLiqTCEiGCmICCMplcCkIwwR11mOSD9CR5u+IXYdiseeEuXCVAjS54zqwkLcPNnmU4OeJ6tUrWhDw==}
2498 | engines: {node: '>=0.10.0'}
2499 |
2500 | /streamsearch@1.1.0:
2501 | resolution: {integrity: sha512-Mcc5wHehp9aXz1ax6bZUyY5afg9u2rv5cqQI3mRrYkGC8rW2hM02jWuwjtL++LS5qinSyhj2QfLyNsuc+VsExg==}
2502 | engines: {node: '>=10.0.0'}
2503 | dev: false
2504 |
2505 | /string-width@4.2.3:
2506 | resolution: {integrity: sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==}
2507 | engines: {node: '>=8'}
2508 | dependencies:
2509 | emoji-regex: 8.0.0
2510 | is-fullwidth-code-point: 3.0.0
2511 | strip-ansi: 6.0.1
2512 | dev: true
2513 |
2514 | /string-width@5.1.2:
2515 | resolution: {integrity: sha512-HnLOCR3vjcY8beoNLtcjZ5/nxn2afmME6lhrDrebokqMap+XbeW8n9TXpPDOqdGK5qcI3oT0GKTW6wC7EMiVqA==}
2516 | engines: {node: '>=12'}
2517 | dependencies:
2518 | eastasianwidth: 0.2.0
2519 | emoji-regex: 9.2.2
2520 | strip-ansi: 7.1.0
2521 | dev: true
2522 |
2523 | /string.prototype.matchall@4.0.10:
2524 | resolution: {integrity: sha512-rGXbGmOEosIQi6Qva94HUjgPs9vKW+dkG7Y8Q5O2OYkWL6wFaTRZO8zM4mhP94uX55wgyrXzfS2aGtGzUL7EJQ==}
2525 | dependencies:
2526 | call-bind: 1.0.5
2527 | define-properties: 1.2.1
2528 | es-abstract: 1.22.3
2529 | get-intrinsic: 1.2.2
2530 | has-symbols: 1.0.3
2531 | internal-slot: 1.0.6
2532 | regexp.prototype.flags: 1.5.1
2533 | set-function-name: 2.0.1
2534 | side-channel: 1.0.4
2535 | dev: true
2536 |
2537 | /string.prototype.trim@1.2.8:
2538 | resolution: {integrity: sha512-lfjY4HcixfQXOfaqCvcBuOIapyaroTXhbkfJN3gcB1OtyupngWK4sEET9Knd0cXd28kTUqu/kHoV4HKSJdnjiQ==}
2539 | engines: {node: '>= 0.4'}
2540 | dependencies:
2541 | call-bind: 1.0.5
2542 | define-properties: 1.2.1
2543 | es-abstract: 1.22.3
2544 | dev: true
2545 |
2546 | /string.prototype.trimend@1.0.7:
2547 | resolution: {integrity: sha512-Ni79DqeB72ZFq1uH/L6zJ+DKZTkOtPIHovb3YZHQViE+HDouuU4mBrLOLDn5Dde3RF8qw5qVETEjhu9locMLvA==}
2548 | dependencies:
2549 | call-bind: 1.0.5
2550 | define-properties: 1.2.1
2551 | es-abstract: 1.22.3
2552 | dev: true
2553 |
2554 | /string.prototype.trimstart@1.0.7:
2555 | resolution: {integrity: sha512-NGhtDFu3jCEm7B4Fy0DpLewdJQOZcQ0rGbwQ/+stjnrp2i+rlKeCvos9hOIeCmqwratM47OBxY7uFZzjxHXmrg==}
2556 | dependencies:
2557 | call-bind: 1.0.5
2558 | define-properties: 1.2.1
2559 | es-abstract: 1.22.3
2560 | dev: true
2561 |
2562 | /strip-ansi@6.0.1:
2563 | resolution: {integrity: sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==}
2564 | engines: {node: '>=8'}
2565 | dependencies:
2566 | ansi-regex: 5.0.1
2567 | dev: true
2568 |
2569 | /strip-ansi@7.1.0:
2570 | resolution: {integrity: sha512-iq6eVVI64nQQTRYq2KtEg2d2uU7LElhTJwsH4YzIHZshxlgZms/wIc4VoDQTlG/IvVIrBKG06CrZnp0qv7hkcQ==}
2571 | engines: {node: '>=12'}
2572 | dependencies:
2573 | ansi-regex: 6.0.1
2574 | dev: true
2575 |
2576 | /strip-bom@3.0.0:
2577 | resolution: {integrity: sha512-vavAMRXOgBVNF6nyEEmL3DBK19iRpDcoIwW+swQ+CbGiu7lju6t+JklA1MHweoWtadgt4ISVUsXLyDq34ddcwA==}
2578 | engines: {node: '>=4'}
2579 | dev: true
2580 |
2581 | /strip-json-comments@3.1.1:
2582 | resolution: {integrity: sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==}
2583 | engines: {node: '>=8'}
2584 | dev: true
2585 |
2586 | /styled-jsx@5.1.1(react@18.2.0):
2587 | resolution: {integrity: sha512-pW7uC1l4mBZ8ugbiZrcIsiIvVx1UmTfw7UkC3Um2tmfUq9Bhk8IiyEIPl6F8agHgjzku6j0xQEZbfA5uSgSaCw==}
2588 | engines: {node: '>= 12.0.0'}
2589 | peerDependencies:
2590 | '@babel/core': '*'
2591 | babel-plugin-macros: '*'
2592 | react: '>= 16.8.0 || 17.x.x || ^18.0.0-0'
2593 | peerDependenciesMeta:
2594 | '@babel/core':
2595 | optional: true
2596 | babel-plugin-macros:
2597 | optional: true
2598 | dependencies:
2599 | client-only: 0.0.1
2600 | react: 18.2.0
2601 | dev: false
2602 |
2603 | /sucrase@3.35.0:
2604 | resolution: {integrity: sha512-8EbVDiu9iN/nESwxeSxDKe0dunta1GOlHufmSSXxMD2z2/tMZpDMpvXQGsc+ajGo8y2uYUmixaSRUc/QPoQ0GA==}
2605 | engines: {node: '>=16 || 14 >=14.17'}
2606 | hasBin: true
2607 | dependencies:
2608 | '@jridgewell/gen-mapping': 0.3.3
2609 | commander: 4.1.1
2610 | glob: 10.3.10
2611 | lines-and-columns: 1.2.4
2612 | mz: 2.7.0
2613 | pirates: 4.0.6
2614 | ts-interface-checker: 0.1.13
2615 | dev: true
2616 |
2617 | /supports-color@7.2.0:
2618 | resolution: {integrity: sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==}
2619 | engines: {node: '>=8'}
2620 | dependencies:
2621 | has-flag: 4.0.0
2622 | dev: true
2623 |
2624 | /supports-preserve-symlinks-flag@1.0.0:
2625 | resolution: {integrity: sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==}
2626 | engines: {node: '>= 0.4'}
2627 | dev: true
2628 |
2629 | /tailwindcss@3.4.1:
2630 | resolution: {integrity: sha512-qAYmXRfk3ENzuPBakNK0SRrUDipP8NQnEY6772uDhflcQz5EhRdD7JNZxyrFHVQNCwULPBn6FNPp9brpO7ctcA==}
2631 | engines: {node: '>=14.0.0'}
2632 | hasBin: true
2633 | dependencies:
2634 | '@alloc/quick-lru': 5.2.0
2635 | arg: 5.0.2
2636 | chokidar: 3.5.3
2637 | didyoumean: 1.2.2
2638 | dlv: 1.1.3
2639 | fast-glob: 3.3.2
2640 | glob-parent: 6.0.2
2641 | is-glob: 4.0.3
2642 | jiti: 1.21.0
2643 | lilconfig: 2.1.0
2644 | micromatch: 4.0.5
2645 | normalize-path: 3.0.0
2646 | object-hash: 3.0.0
2647 | picocolors: 1.0.0
2648 | postcss: 8.4.33
2649 | postcss-import: 15.1.0(postcss@8.4.33)
2650 | postcss-js: 4.0.1(postcss@8.4.33)
2651 | postcss-load-config: 4.0.2(postcss@8.4.33)
2652 | postcss-nested: 6.0.1(postcss@8.4.33)
2653 | postcss-selector-parser: 6.0.15
2654 | resolve: 1.22.8
2655 | sucrase: 3.35.0
2656 | transitivePeerDependencies:
2657 | - ts-node
2658 | dev: true
2659 |
2660 | /tapable@2.2.1:
2661 | resolution: {integrity: sha512-GNzQvQTOIP6RyTfE2Qxb8ZVlNmw0n88vp1szwWRimP02mnTsx3Wtn5qRdqY9w2XduFNUgvOwhNnQsjwCp+kqaQ==}
2662 | engines: {node: '>=6'}
2663 | dev: true
2664 |
2665 | /text-table@0.2.0:
2666 | resolution: {integrity: sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==}
2667 | dev: true
2668 |
2669 | /thenify-all@1.6.0:
2670 | resolution: {integrity: sha512-RNxQH/qI8/t3thXJDwcstUO4zeqo64+Uy/+sNVRBx4Xn2OX+OZ9oP+iJnNFqplFra2ZUVeKCSa2oVWi3T4uVmA==}
2671 | engines: {node: '>=0.8'}
2672 | dependencies:
2673 | thenify: 3.3.1
2674 | dev: true
2675 |
2676 | /thenify@3.3.1:
2677 | resolution: {integrity: sha512-RVZSIV5IG10Hk3enotrhvz0T9em6cyHBLkH/YAZuKqd8hRkKhSfCGIcP2KUY0EPxndzANBmNllzWPwak+bheSw==}
2678 | dependencies:
2679 | any-promise: 1.3.0
2680 | dev: true
2681 |
2682 | /to-regex-range@5.0.1:
2683 | resolution: {integrity: sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==}
2684 | engines: {node: '>=8.0'}
2685 | dependencies:
2686 | is-number: 7.0.0
2687 | dev: true
2688 |
2689 | /tr46@0.0.3:
2690 | resolution: {integrity: sha512-N3WMsuqV66lT30CrXNbEjx4GEwlow3v6rr4mCcv6prnfwhS01rkgyFdjPNBYd9br7LpXV1+Emh01fHnq2Gdgrw==}
2691 | dev: false
2692 |
2693 | /ts-api-utils@1.0.3(typescript@5.3.3):
2694 | resolution: {integrity: sha512-wNMeqtMz5NtwpT/UZGY5alT+VoKdSsOOP/kqHFcUW1P/VRhH2wJ48+DN2WwUliNbQ976ETwDL0Ifd2VVvgonvg==}
2695 | engines: {node: '>=16.13.0'}
2696 | peerDependencies:
2697 | typescript: '>=4.2.0'
2698 | dependencies:
2699 | typescript: 5.3.3
2700 | dev: true
2701 |
2702 | /ts-interface-checker@0.1.13:
2703 | resolution: {integrity: sha512-Y/arvbn+rrz3JCKl9C4kVNfTfSm2/mEp5FSz5EsZSANGPSlQrpRI5M4PKF+mJnE52jOO90PnPSc3Ur3bTQw0gA==}
2704 | dev: true
2705 |
2706 | /tsconfig-paths@3.15.0:
2707 | resolution: {integrity: sha512-2Ac2RgzDe/cn48GvOe3M+o82pEFewD3UPbyoUHHdKasHwJKjds4fLXWf/Ux5kATBKN20oaFGu+jbElp1pos0mg==}
2708 | dependencies:
2709 | '@types/json5': 0.0.29
2710 | json5: 1.0.2
2711 | minimist: 1.2.8
2712 | strip-bom: 3.0.0
2713 | dev: true
2714 |
2715 | /tslib@2.6.2:
2716 | resolution: {integrity: sha512-AEYxH93jGFPn/a2iVAwW87VuUIkR1FVUKB77NwMF7nBTDkDrrT/Hpt/IrCJ0QXhW27jTBDcf5ZY7w6RiqTMw2Q==}
2717 | dev: false
2718 |
2719 | /type-check@0.4.0:
2720 | resolution: {integrity: sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==}
2721 | engines: {node: '>= 0.8.0'}
2722 | dependencies:
2723 | prelude-ls: 1.2.1
2724 | dev: true
2725 |
2726 | /type-fest@0.20.2:
2727 | resolution: {integrity: sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==}
2728 | engines: {node: '>=10'}
2729 | dev: true
2730 |
2731 | /typed-array-buffer@1.0.0:
2732 | resolution: {integrity: sha512-Y8KTSIglk9OZEr8zywiIHG/kmQ7KWyjseXs1CbSo8vC42w7hg2HgYTxSWwP0+is7bWDc1H+Fo026CpHFwm8tkw==}
2733 | engines: {node: '>= 0.4'}
2734 | dependencies:
2735 | call-bind: 1.0.5
2736 | get-intrinsic: 1.2.2
2737 | is-typed-array: 1.1.12
2738 | dev: true
2739 |
2740 | /typed-array-byte-length@1.0.0:
2741 | resolution: {integrity: sha512-Or/+kvLxNpeQ9DtSydonMxCx+9ZXOswtwJn17SNLvhptaXYDJvkFFP5zbfU/uLmvnBJlI4yrnXRxpdWH/M5tNA==}
2742 | engines: {node: '>= 0.4'}
2743 | dependencies:
2744 | call-bind: 1.0.5
2745 | for-each: 0.3.3
2746 | has-proto: 1.0.1
2747 | is-typed-array: 1.1.12
2748 | dev: true
2749 |
2750 | /typed-array-byte-offset@1.0.0:
2751 | resolution: {integrity: sha512-RD97prjEt9EL8YgAgpOkf3O4IF9lhJFr9g0htQkm0rchFp/Vx7LW5Q8fSXXub7BXAODyUQohRMyOc3faCPd0hg==}
2752 | engines: {node: '>= 0.4'}
2753 | dependencies:
2754 | available-typed-arrays: 1.0.5
2755 | call-bind: 1.0.5
2756 | for-each: 0.3.3
2757 | has-proto: 1.0.1
2758 | is-typed-array: 1.1.12
2759 | dev: true
2760 |
2761 | /typed-array-length@1.0.4:
2762 | resolution: {integrity: sha512-KjZypGq+I/H7HI5HlOoGHkWUUGq+Q0TPhQurLbyrVrvnKTBgzLhIJ7j6J/XTQOi0d1RjyZ0wdas8bKs2p0x3Ng==}
2763 | dependencies:
2764 | call-bind: 1.0.5
2765 | for-each: 0.3.3
2766 | is-typed-array: 1.1.12
2767 | dev: true
2768 |
2769 | /typescript@5.3.3:
2770 | resolution: {integrity: sha512-pXWcraxM0uxAS+tN0AG/BF2TyqmHO014Z070UsJ+pFvYuRSq8KH8DmWpnbXe0pEPDHXZV3FcAbJkijJ5oNEnWw==}
2771 | engines: {node: '>=14.17'}
2772 | hasBin: true
2773 | dev: true
2774 |
2775 | /unbox-primitive@1.0.2:
2776 | resolution: {integrity: sha512-61pPlCD9h51VoreyJ0BReideM3MDKMKnh6+V9L08331ipq6Q8OFXZYiqP6n/tbHx4s5I9uRhcye6BrbkizkBDw==}
2777 | dependencies:
2778 | call-bind: 1.0.5
2779 | has-bigints: 1.0.2
2780 | has-symbols: 1.0.3
2781 | which-boxed-primitive: 1.0.2
2782 | dev: true
2783 |
2784 | /undici-types@5.26.5:
2785 | resolution: {integrity: sha512-JlCMO+ehdEIKqlFxk6IfVoAUVmgz7cU7zD/h9XZ0qzeosSHmUJVOzSQvvYSYWXkFXC+IfLKSIffhv0sVZup6pA==}
2786 |
2787 | /update-browserslist-db@1.0.13(browserslist@4.22.3):
2788 | resolution: {integrity: sha512-xebP81SNcPuNpPP3uzeW1NYXxI3rxyJzF3pD6sH4jE7o/IX+WtSpwnVU+qIsDPyk0d3hmFQ7mjqc6AtV604hbg==}
2789 | hasBin: true
2790 | peerDependencies:
2791 | browserslist: '>= 4.21.0'
2792 | dependencies:
2793 | browserslist: 4.22.3
2794 | escalade: 3.1.1
2795 | picocolors: 1.0.0
2796 | dev: true
2797 |
2798 | /uri-js@4.4.1:
2799 | resolution: {integrity: sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==}
2800 | dependencies:
2801 | punycode: 2.3.1
2802 | dev: true
2803 |
2804 | /util-deprecate@1.0.2:
2805 | resolution: {integrity: sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==}
2806 | dev: true
2807 |
2808 | /webidl-conversions@3.0.1:
2809 | resolution: {integrity: sha512-2JAn3z8AR6rjK8Sm8orRC0h/bcl/DqL7tRPdGZ4I1CjdF+EaMLmYxBHyXuKL849eucPFhvBoxMsflfOb8kxaeQ==}
2810 | dev: false
2811 |
2812 | /whatwg-url@5.0.0:
2813 | resolution: {integrity: sha512-saE57nupxk6v3HY35+jzBwYa0rKSy0XR8JSxZPwgLr7ys0IBzhGviA1/TUGJLmSVqs8pb9AnvICXEuOHLprYTw==}
2814 | dependencies:
2815 | tr46: 0.0.3
2816 | webidl-conversions: 3.0.1
2817 | dev: false
2818 |
2819 | /which-boxed-primitive@1.0.2:
2820 | resolution: {integrity: sha512-bwZdv0AKLpplFY2KZRX6TvyuN7ojjr7lwkg6ml0roIy9YeuSr7JS372qlNW18UQYzgYK9ziGcerWqZOmEn9VNg==}
2821 | dependencies:
2822 | is-bigint: 1.0.4
2823 | is-boolean-object: 1.1.2
2824 | is-number-object: 1.0.7
2825 | is-string: 1.0.7
2826 | is-symbol: 1.0.4
2827 | dev: true
2828 |
2829 | /which-builtin-type@1.1.3:
2830 | resolution: {integrity: sha512-YmjsSMDBYsM1CaFiayOVT06+KJeXf0o5M/CAd4o1lTadFAtacTUM49zoYxr/oroopFDfhvN6iEcBxUyc3gvKmw==}
2831 | engines: {node: '>= 0.4'}
2832 | dependencies:
2833 | function.prototype.name: 1.1.6
2834 | has-tostringtag: 1.0.0
2835 | is-async-function: 2.0.0
2836 | is-date-object: 1.0.5
2837 | is-finalizationregistry: 1.0.2
2838 | is-generator-function: 1.0.10
2839 | is-regex: 1.1.4
2840 | is-weakref: 1.0.2
2841 | isarray: 2.0.5
2842 | which-boxed-primitive: 1.0.2
2843 | which-collection: 1.0.1
2844 | which-typed-array: 1.1.13
2845 | dev: true
2846 |
2847 | /which-collection@1.0.1:
2848 | resolution: {integrity: sha512-W8xeTUwaln8i3K/cY1nGXzdnVZlidBcagyNFtBdD5kxnb4TvGKR7FfSIS3mYpwWS1QUCutfKz8IY8RjftB0+1A==}
2849 | dependencies:
2850 | is-map: 2.0.2
2851 | is-set: 2.0.2
2852 | is-weakmap: 2.0.1
2853 | is-weakset: 2.0.2
2854 | dev: true
2855 |
2856 | /which-typed-array@1.1.13:
2857 | resolution: {integrity: sha512-P5Nra0qjSncduVPEAr7xhoF5guty49ArDTwzJ/yNuPIbZppyRxFQsRCWrocxIY+CnMVG+qfbU2FmDKyvSGClow==}
2858 | engines: {node: '>= 0.4'}
2859 | dependencies:
2860 | available-typed-arrays: 1.0.5
2861 | call-bind: 1.0.5
2862 | for-each: 0.3.3
2863 | gopd: 1.0.1
2864 | has-tostringtag: 1.0.0
2865 | dev: true
2866 |
2867 | /which@2.0.2:
2868 | resolution: {integrity: sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==}
2869 | engines: {node: '>= 8'}
2870 | hasBin: true
2871 | dependencies:
2872 | isexe: 2.0.0
2873 | dev: true
2874 |
2875 | /wrap-ansi@7.0.0:
2876 | resolution: {integrity: sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==}
2877 | engines: {node: '>=10'}
2878 | dependencies:
2879 | ansi-styles: 4.3.0
2880 | string-width: 4.2.3
2881 | strip-ansi: 6.0.1
2882 | dev: true
2883 |
2884 | /wrap-ansi@8.1.0:
2885 | resolution: {integrity: sha512-si7QWI6zUMq56bESFvagtmzMdGOtoxfR+Sez11Mobfc7tm+VkUckk9bW2UeffTGVUbOksxmSw0AA2gs8g71NCQ==}
2886 | engines: {node: '>=12'}
2887 | dependencies:
2888 | ansi-styles: 6.2.1
2889 | string-width: 5.1.2
2890 | strip-ansi: 7.1.0
2891 | dev: true
2892 |
2893 | /wrappy@1.0.2:
2894 | resolution: {integrity: sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==}
2895 | dev: true
2896 |
2897 | /ws@8.16.0:
2898 | resolution: {integrity: sha512-HS0c//TP7Ina87TfiPUz1rQzMhHrl/SG2guqRcTOIUYD2q8uhUdNHZYJUaQ8aTGPzCh+c6oawMKW35nFl1dxyQ==}
2899 | engines: {node: '>=10.0.0'}
2900 | peerDependencies:
2901 | bufferutil: ^4.0.1
2902 | utf-8-validate: '>=5.0.2'
2903 | peerDependenciesMeta:
2904 | bufferutil:
2905 | optional: true
2906 | utf-8-validate:
2907 | optional: true
2908 | dev: false
2909 |
2910 | /yallist@4.0.0:
2911 | resolution: {integrity: sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==}
2912 | dev: true
2913 |
2914 | /yaml@2.3.4:
2915 | resolution: {integrity: sha512-8aAvwVUSHpfEqTQ4w/KMlf3HcRdt50E5ODIQJBw1fQ5RL34xabzxtUlzTXVqc4rkZsPbvrXKWnABCD7kWSmocA==}
2916 | engines: {node: '>= 14'}
2917 | dev: true
2918 |
2919 | /yocto-queue@0.1.0:
2920 | resolution: {integrity: sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==}
2921 | engines: {node: '>=10'}
2922 | dev: true
2923 |
2924 | /zod@3.22.4:
2925 | resolution: {integrity: sha512-iC+8Io04lddc+mVqQ9AZ7OQ2MrUKGN+oIQyq1vemgt46jwCwLfhq7/pwnBnNXXXZb8VTVLKwp9EDkx+ryxIWmg==}
2926 | dev: false
2927 |
--------------------------------------------------------------------------------
/postcss.config.js:
--------------------------------------------------------------------------------
1 | module.exports = {
2 | plugins: {
3 | tailwindcss: {},
4 | autoprefixer: {},
5 | },
6 | };
7 |
--------------------------------------------------------------------------------
/public/images/default.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/wpcodevo/nextjs14-supabase-ssr-authentication/38babb582c5900f5e273b032769b4b2241fb686f/public/images/default.png
--------------------------------------------------------------------------------
/public/images/github.svg:
--------------------------------------------------------------------------------
1 |
--------------------------------------------------------------------------------
/public/images/google.svg:
--------------------------------------------------------------------------------
1 |
--------------------------------------------------------------------------------
/public/next.svg:
--------------------------------------------------------------------------------
1 |
--------------------------------------------------------------------------------
/public/vercel.svg:
--------------------------------------------------------------------------------
1 |
--------------------------------------------------------------------------------
/tailwind.config.ts:
--------------------------------------------------------------------------------
1 | import type { Config } from 'tailwindcss';
2 |
3 | const config: Config = {
4 | content: [
5 | './pages/**/*.{js,ts,jsx,tsx,mdx}',
6 | './components/**/*.{js,ts,jsx,tsx,mdx}',
7 | './app/**/*.{js,ts,jsx,tsx,mdx}',
8 | ],
9 | theme: {
10 | extend: {
11 | colors: {
12 | 'ct-dark-600': '#222',
13 | 'ct-dark-200': '#e5e7eb',
14 | 'ct-dark-100': '#f5f6f7',
15 | 'ct-blue-600': '#2363eb',
16 | 'ct-yellow-600': '#f9d13e',
17 | },
18 | fontFamily: {
19 | Poppins: ['Poppins, sans-serif'],
20 | },
21 | container: {
22 | center: true,
23 | padding: '1rem',
24 | screens: {
25 | lg: '1125px',
26 | xl: '1125px',
27 | '2xl': '1125px',
28 | },
29 | },
30 | },
31 | },
32 | plugins: [],
33 | };
34 | export default config;
35 |
--------------------------------------------------------------------------------
/tsconfig.json:
--------------------------------------------------------------------------------
1 | {
2 | "compilerOptions": {
3 | "lib": ["dom", "dom.iterable", "esnext"],
4 | "allowJs": true,
5 | "skipLibCheck": true,
6 | "strict": true,
7 | "noEmit": true,
8 | "esModuleInterop": true,
9 | "module": "esnext",
10 | "moduleResolution": "bundler",
11 | "resolveJsonModule": true,
12 | "isolatedModules": true,
13 | "jsx": "preserve",
14 | "incremental": true,
15 | "plugins": [
16 | {
17 | "name": "next"
18 | }
19 | ],
20 | "paths": {
21 | "@/*": ["./*"]
22 | }
23 | },
24 | "include": ["next-env.d.ts", "**/*.ts", "**/*.tsx", ".next/types/**/*.ts"],
25 | "exclude": ["node_modules"]
26 | }
27 |
--------------------------------------------------------------------------------