diff --git a/.env b/.env new file mode 100644 index 0000000..fcdcffd --- /dev/null +++ b/.env @@ -0,0 +1 @@ +NEXT_PUBLIC_GRAPHQL_URI="https://very.icook.tw/graphql" diff --git a/apollo/ApolloWrapper.tsx b/apollo/ApolloWrapper.tsx new file mode 100644 index 0000000..2b1edff --- /dev/null +++ b/apollo/ApolloWrapper.tsx @@ -0,0 +1,37 @@ +'use client' + +import { ApolloLink } from '@apollo/client' +import { BatchHttpLink } from '@apollo/client/link/batch-http' +import { + ApolloNextAppProvider, + NextSSRApolloClient, + NextSSRInMemoryCache, + SSRMultipartLink, +} from '@apollo/experimental-nextjs-app-support/ssr' + +function makeClient() { + const httpLink = new BatchHttpLink({ + uri: process.env.NEXT_PUBLIC_GRAPHQL_URI, + }) + + return new NextSSRApolloClient({ + cache: new NextSSRInMemoryCache(), + link: + typeof window === 'undefined' + ? ApolloLink.from([ + new SSRMultipartLink({ + stripDefer: true, + }), + httpLink, + ]) + : httpLink, + }) +} + +export function ApolloWrapper({ children }: React.PropsWithChildren) { + return ( + + {children} + + ) +} diff --git a/apollo/client.ts b/apollo/client.ts new file mode 100644 index 0000000..ca10166 --- /dev/null +++ b/apollo/client.ts @@ -0,0 +1,15 @@ +import { HttpLink } from '@apollo/client/link/http' +import { registerApolloClient } from '@apollo/experimental-nextjs-app-support/rsc' +import { + NextSSRApolloClient, + NextSSRInMemoryCache, +} from '@apollo/experimental-nextjs-app-support/ssr' + +export const { getClient } = registerApolloClient(() => { + return new NextSSRApolloClient({ + cache: new NextSSRInMemoryCache(), + link: new HttpLink({ + uri: process.env.NEXT_PUBLIC_GRAPHQL_URI, + }), + }) +}) diff --git a/app/api/revalidate/route.ts b/app/api/revalidate/route.ts new file mode 100644 index 0000000..93b79e2 --- /dev/null +++ b/app/api/revalidate/route.ts @@ -0,0 +1,12 @@ +import { revalidatePath } from 'next/cache' +import { type NextRequest } from 'next/server' + +export async function GET(req: NextRequest) { + const { searchParams } = new URL(req.url || '') + const postId = searchParams.get('postId') + + revalidatePath('/', 'layout') + revalidatePath(`/posts/${postId}`, 'page') + + return new Response(null, { status: 204 }) +} diff --git a/app/globals.css b/app/globals.css index 875c01e..b5c61c9 100644 --- a/app/globals.css +++ b/app/globals.css @@ -1,33 +1,3 @@ @tailwind base; @tailwind components; @tailwind utilities; - -:root { - --foreground-rgb: 0, 0, 0; - --background-start-rgb: 214, 219, 220; - --background-end-rgb: 255, 255, 255; -} - -@media (prefers-color-scheme: dark) { - :root { - --foreground-rgb: 255, 255, 255; - --background-start-rgb: 0, 0, 0; - --background-end-rgb: 0, 0, 0; - } -} - -body { - color: rgb(var(--foreground-rgb)); - background: linear-gradient( - to bottom, - transparent, - rgb(var(--background-end-rgb)) - ) - rgb(var(--background-start-rgb)); -} - -@layer utilities { - .text-balance { - text-wrap: balance; - } -} diff --git a/app/layout.tsx b/app/layout.tsx index 3314e47..372bf59 100644 --- a/app/layout.tsx +++ b/app/layout.tsx @@ -1,22 +1,18 @@ -import type { Metadata } from "next"; -import { Inter } from "next/font/google"; +import { ApolloWrapper } from '@/apollo/ApolloWrapper'; import "./globals.css"; -const inter = Inter({ subsets: ["latin"] }); - -export const metadata: Metadata = { - title: "Create Next App", - description: "Generated by create next app", -}; - export default function RootLayout({ children, }: Readonly<{ children: React.ReactNode; }>) { return ( - - {children} + + + + {children} + + ); } diff --git a/app/page.tsx b/app/page.tsx index dc191aa..6da1d75 100644 --- a/app/page.tsx +++ b/app/page.tsx @@ -1,113 +1,36 @@ -import Image from "next/image"; +import { getClient } from '@/apollo/client' +import { PostsDocument, type PostsQuery } from '@/graphql/types-and-hooks' +import Link from 'next/link' -export default function Home() { - return ( -
-
-

- Get started by editing  - app/page.tsx -

-
- - By{" "} - Vercel Logo - -
-
+const queryPosts = async () => { -
- Next.js Logo -
+ const first = 10 + const client = getClient() -
- -

- Docs{" "} - - -> - -

-

- Find in-depth information about Next.js features and API. -

-
+ const { data } = await client.query({ + query: PostsDocument, + variables: { + first, + }, + }) - -

- Learn{" "} - - -> - -

-

- Learn about Next.js in an interactive course with quizzes! -

-
+ return data +} - -

- Templates{" "} - - -> - -

-

- Explore starter templates for Next.js. -

-
+const PopularPostSection = async () => { + const { posts } = await queryPosts() - -

- Deploy{" "} - - -> - -

-

- Instantly deploy your Next.js site to a shareable URL with Vercel. -

-
-
-
- ); + return ( +
+ +
+ ) } + +export default PopularPostSection diff --git a/app/posts/[postId]/page.tsx b/app/posts/[postId]/page.tsx new file mode 100644 index 0000000..7741708 --- /dev/null +++ b/app/posts/[postId]/page.tsx @@ -0,0 +1,42 @@ +import { getClient } from '@/apollo/client' +import { PostDocument, type PostQuery } from '@/graphql/types-and-hooks' +import { notFound } from 'next/navigation' +import { cache, type FC } from 'react' + +const queryPost = cache(async (postId: number) => { + const client = getClient() + + const { data } = await client.query({ + query: PostDocument, + variables: { + postId, + }, + }) + + return data +}) + + + +export interface PostIdPageProps { + params: { + postId: string + } + searchParams: { + preview?: string + } +} + +const PostIdPage: FC = async ({ params: { postId } }) => { + if (!postId || isNaN(+postId)) { + notFound() + } + + const { post } = await queryPost(+postId) + + + return
+} + + +export default PostIdPage diff --git a/codegen.yml b/codegen.yml new file mode 100644 index 0000000..9bb5889 --- /dev/null +++ b/codegen.yml @@ -0,0 +1,12 @@ +schema: + - https://very.icook.tw/graphql: + headers: + user-agent: "JS GraphQL" +documents: + - "./**/*.graphql" +generates: + ./graphql/types-and-hooks.tsx: + plugins: + - typescript + - typescript-operations + - typescript-react-apollo diff --git a/graphql/post.graphql b/graphql/post.graphql new file mode 100644 index 0000000..b173c6d --- /dev/null +++ b/graphql/post.graphql @@ -0,0 +1,113 @@ +query Post($postId: ID!) { + post(id: $postId, idType: DATABASE_ID) { + date + modified + title + status + content + databaseId + excerpt + featuredImage { + node { + mediaItemUrl + } + } + author { + node { + description + name + nickname + slug + facebook + instagram + avatar { + url + } + } + } + categories { + nodes { + name + slug + } + } + tags { + nodes { + name + slug + } + } + } +} + +query Posts( + $first: Int + $categoryName: String + $authorName: String + $includeExcerpt: Boolean = false + $includePageInfo: Boolean = false + $in: [ID] + $notIn: [ID] + $tagSlug: [String] + $searchKeyword: String + $after: String + $includeDetails: Boolean = false + $orderBy: PostObjectsConnectionOrderbyEnum = DATE +) { + posts( + where: { + orderby: { field: $orderBy, order: DESC } + categoryName: $categoryName + authorName: $authorName + in: $in + notIn: $notIn + tagSlugIn: $tagSlug + search: $searchKeyword + } + first: $first + after: $after + ) { + nodes { + excerpt @include(if: $includeExcerpt) + content @include(if: $includeDetails) + author @include(if: $includeDetails) { + node { + name + nickname + slug + description + avatar { + url + } + } + } + date @include(if: $includeDetails) + modified @include(if: $includeDetails) + tags { + nodes { + id + name + slug + } + } + categories { + nodes { + id + slug + name + } + } + databaseId + title + featuredImage { + node { + mediaItemUrl + } + } + } + pageInfo @include(if: $includePageInfo) { + endCursor + hasNextPage + } + } +} diff --git a/graphql/types-and-hooks.tsx b/graphql/types-and-hooks.tsx new file mode 100644 index 0000000..4c5574a --- /dev/null +++ b/graphql/types-and-hooks.tsx @@ -0,0 +1,11212 @@ +import * as Apollo from '@apollo/client'; +import { gql } from '@apollo/client'; +export type Maybe = T | null; +export type InputMaybe = Maybe; +export type Exact = { [K in keyof T]: T[K] }; +export type MakeOptional = Omit & { [SubKey in K]?: Maybe }; +export type MakeMaybe = Omit & { [SubKey in K]: Maybe }; +export type MakeEmpty = { [_ in K]?: never }; +export type Incremental = T | { [P in keyof T]?: P extends ' $fragmentName' | '__typename' ? T[P] : never }; +const defaultOptions = {} as const; +/** All built-in and custom scalars, mapped to their actual values */ +export type Scalars = { + ID: { input: string; output: string; } + String: { input: string; output: string; } + Boolean: { input: boolean; output: boolean; } + Int: { input: number; output: number; } + Float: { input: number; output: number; } +}; + +/** Avatars are profile images for users. WordPress by default uses the Gravatar service to host and fetch avatars from. */ +export type Avatar = { + __typename?: 'Avatar'; + /** URL for the default image or a default type. Accepts '404' (return a 404 instead of a default image), 'retro' (8bit), 'monsterid' (monster), 'wavatar' (cartoon face), 'indenticon' (the 'quilt'), 'mystery', 'mm', or 'mysteryman' (The Oyster Man), 'blank' (transparent GIF), or 'gravatar_default' (the Gravatar logo). */ + default?: Maybe; + /** HTML attributes to insert in the IMG element. Is not sanitized. */ + extraAttr?: Maybe; + /** Whether to always show the default image, never the Gravatar. */ + forceDefault?: Maybe; + /** Whether the avatar was successfully found. */ + foundAvatar?: Maybe; + /** Height of the avatar image. */ + height?: Maybe; + /** Whether the object is restricted from the current viewer */ + isRestricted?: Maybe; + /** What rating to display avatars up to. Accepts 'G', 'PG', 'R', 'X', and are judged in that order. */ + rating?: Maybe; + /** Type of url scheme to use. Typically HTTP vs. HTTPS. */ + scheme?: Maybe; + /** The size of the avatar in pixels. A value of 96 will match a 96px x 96px gravatar image. */ + size?: Maybe; + /** URL for the gravatar image source. */ + url?: Maybe; + /** Width of the avatar image. */ + width?: Maybe; +}; + +/** What rating to display avatars up to. Accepts 'G', 'PG', 'R', 'X', and are judged in that order. Default is the value of the 'avatar_rating' option */ +export enum AvatarRatingEnum { + /** Indicates a G level avatar rating level. */ + G = 'G', + /** Indicates a PG level avatar rating level. */ + Pg = 'PG', + /** Indicates an R level avatar rating level. */ + R = 'R', + /** Indicates an X level avatar rating level. */ + X = 'X' +} + +/** The category type */ +export type Category = DatabaseIdentifier & HierarchicalNode & HierarchicalTermNode & MenuItemLinkable & Node & TermNode & UniformResourceIdentifiable & { + __typename?: 'Category'; + /** The ancestors of the node. Default ordered as lowest (closest to the child) to highest (closest to the root). */ + ancestors?: Maybe; + /** + * The id field matches the WP_Post->ID field. + * @deprecated Deprecated in favor of databaseId + */ + categoryId?: Maybe; + /** Connection between the category type and its children categories. */ + children?: Maybe; + /** Connection between the Category type and the ContentNode type */ + contentNodes?: Maybe; + /** The number of objects connected to the object */ + count?: Maybe; + /** The unique identifier stored in the database */ + databaseId: Scalars['Int']['output']; + /** The description of the object */ + description?: Maybe; + /** Connection between the TermNode type and the EnqueuedScript type */ + enqueuedScripts?: Maybe; + /** Connection between the TermNode type and the EnqueuedStylesheet type */ + enqueuedStylesheets?: Maybe; + /** The unique resource identifier path */ + id: Scalars['ID']['output']; + /** Whether the node is a Content Node */ + isContentNode: Scalars['Boolean']['output']; + /** Whether the object is restricted from the current viewer */ + isRestricted?: Maybe; + /** Whether the node is a Term */ + isTermNode: Scalars['Boolean']['output']; + /** The link to the term */ + link?: Maybe; + /** The human friendly name of the object. */ + name?: Maybe; + /** Connection between the category type and its parent category. */ + parent?: Maybe; + /** Database id of the parent node */ + parentDatabaseId?: Maybe; + /** The globally unique identifier of the parent node. */ + parentId?: Maybe; + /** Connection between the Category type and the post type */ + posts?: Maybe; + /** The Yoast SEO data of the 分類 taxonomy. */ + seo?: Maybe; + /** An alphanumeric identifier for the object unique to its type. */ + slug?: Maybe; + /** Connection between the Category type and the Taxonomy type */ + taxonomy?: Maybe; + /** The name of the taxonomy that the object is associated with */ + taxonomyName?: Maybe; + /** The ID of the term group that this term object belongs to */ + termGroupId?: Maybe; + /** The taxonomy ID that the object is associated with */ + termTaxonomyId?: Maybe; + /** The unique resource identifier path */ + uri?: Maybe; +}; + + +/** The category type */ +export type CategoryAncestorsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** The category type */ +export type CategoryChildrenArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The category type */ +export type CategoryContentNodesArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The category type */ +export type CategoryEnqueuedScriptsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** The category type */ +export type CategoryEnqueuedStylesheetsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** The category type */ +export type CategoryPostsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + +/** Connection to category Nodes */ +export type CategoryConnection = { + /** A list of edges (relational context) between RootQuery and connected category Nodes */ + edges: Array; + /** A list of connected category Nodes */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: CategoryConnectionPageInfo; +}; + +/** Edge between a Node and a connected category */ +export type CategoryConnectionEdge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected category Node */ + node: Category; +}; + +/** Page Info on the connected CategoryConnectionEdge */ +export type CategoryConnectionPageInfo = { + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** The Type of Identifier used to fetch a single resource. Default is ID. */ +export enum CategoryIdType { + /** The Database ID for the node */ + DatabaseId = 'DATABASE_ID', + /** The hashed Global ID */ + Id = 'ID', + /** The name of the node */ + Name = 'NAME', + /** Url friendly name of the node */ + Slug = 'SLUG', + /** The URI for the node */ + Uri = 'URI' +} + +/** Connection between the Category type and the category type */ +export type CategoryToAncestorsCategoryConnection = CategoryConnection & Connection & { + __typename?: 'CategoryToAncestorsCategoryConnection'; + /** Edges for the CategoryToAncestorsCategoryConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: CategoryToAncestorsCategoryConnectionPageInfo; +}; + +/** An edge in a connection */ +export type CategoryToAncestorsCategoryConnectionEdge = CategoryConnectionEdge & Edge & { + __typename?: 'CategoryToAncestorsCategoryConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: Category; +}; + +/** Page Info on the "CategoryToAncestorsCategoryConnection" */ +export type CategoryToAncestorsCategoryConnectionPageInfo = CategoryConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'CategoryToAncestorsCategoryConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Connection between the Category type and the category type */ +export type CategoryToCategoryConnection = CategoryConnection & Connection & { + __typename?: 'CategoryToCategoryConnection'; + /** Edges for the CategoryToCategoryConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: CategoryToCategoryConnectionPageInfo; +}; + +/** An edge in a connection */ +export type CategoryToCategoryConnectionEdge = CategoryConnectionEdge & Edge & { + __typename?: 'CategoryToCategoryConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: Category; +}; + +/** Page Info on the "CategoryToCategoryConnection" */ +export type CategoryToCategoryConnectionPageInfo = CategoryConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'CategoryToCategoryConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the CategoryToCategoryConnection connection */ +export type CategoryToCategoryConnectionWhereArgs = { + /** Unique cache key to be produced when this query is stored in an object cache. Default is 'core'. */ + cacheDomain?: InputMaybe; + /** Term ID to retrieve child terms of. If multiple taxonomies are passed, $child_of is ignored. Default 0. */ + childOf?: InputMaybe; + /** True to limit results to terms that have no children. This parameter has no effect on non-hierarchical taxonomies. Default false. */ + childless?: InputMaybe; + /** Retrieve terms where the description is LIKE the input value. Default empty. */ + descriptionLike?: InputMaybe; + /** Array of term ids to exclude. If $include is non-empty, $exclude is ignored. Default empty array. */ + exclude?: InputMaybe>>; + /** Array of term ids to exclude along with all of their descendant terms. If $include is non-empty, $exclude_tree is ignored. Default empty array. */ + excludeTree?: InputMaybe>>; + /** Whether to hide terms not assigned to any posts. Accepts true or false. Default false */ + hideEmpty?: InputMaybe; + /** Whether to include terms that have non-empty descendants (even if $hide_empty is set to true). Default true. */ + hierarchical?: InputMaybe; + /** Array of term ids to include. Default empty array. */ + include?: InputMaybe>>; + /** Array of names to return term(s) for. Default empty. */ + name?: InputMaybe>>; + /** Retrieve terms where the name is LIKE the input value. Default empty. */ + nameLike?: InputMaybe; + /** Array of object IDs. Results will be limited to terms associated with these objects. */ + objectIds?: InputMaybe>>; + /** Direction the connection should be ordered in */ + order?: InputMaybe; + /** Field(s) to order terms by. Defaults to 'name'. */ + orderby?: InputMaybe; + /** Whether to pad the quantity of a term's children in the quantity of each term's "count" object variable. Default false. */ + padCounts?: InputMaybe; + /** Parent term ID to retrieve direct-child terms of. Default empty. */ + parent?: InputMaybe; + /** Search criteria to match terms. Will be SQL-formatted with wildcards before and after. Default empty. */ + search?: InputMaybe; + /** Array of slugs to return term(s) for. Default empty. */ + slug?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomId?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomyId?: InputMaybe>>; + /** Whether to prime meta caches for matched terms. Default true. */ + updateTermMetaCache?: InputMaybe; +}; + +/** Connection between the Category type and the ContentNode type */ +export type CategoryToContentNodeConnection = Connection & ContentNodeConnection & { + __typename?: 'CategoryToContentNodeConnection'; + /** Edges for the CategoryToContentNodeConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: CategoryToContentNodeConnectionPageInfo; +}; + +/** An edge in a connection */ +export type CategoryToContentNodeConnectionEdge = ContentNodeConnectionEdge & Edge & { + __typename?: 'CategoryToContentNodeConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: ContentNode; +}; + +/** Page Info on the "CategoryToContentNodeConnection" */ +export type CategoryToContentNodeConnectionPageInfo = ContentNodeConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'CategoryToContentNodeConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the CategoryToContentNodeConnection connection */ +export type CategoryToContentNodeConnectionWhereArgs = { + /** The Types of content to filter */ + contentTypes?: InputMaybe>>; + /** Filter the connection based on dates */ + dateQuery?: InputMaybe; + /** True for objects with passwords; False for objects without passwords; null for all objects with or without passwords */ + hasPassword?: InputMaybe; + /** Specific database ID of the object */ + id?: InputMaybe; + /** Array of IDs for the objects to retrieve */ + in?: InputMaybe>>; + /** Get objects with a specific mimeType property */ + mimeType?: InputMaybe; + /** Slug / post_name of the object */ + name?: InputMaybe; + /** Specify objects to retrieve. Use slugs */ + nameIn?: InputMaybe>>; + /** Specify IDs NOT to retrieve. If this is used in the same query as "in", it will be ignored */ + notIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** Use ID to return only children. Use 0 to return only top-level items */ + parent?: InputMaybe; + /** Specify objects whose parent is in an array */ + parentIn?: InputMaybe>>; + /** Specify posts whose parent is not in an array */ + parentNotIn?: InputMaybe>>; + /** Show posts with a specific password. */ + password?: InputMaybe; + /** Show Posts based on a keyword search */ + search?: InputMaybe; + /** Retrieve posts where post status is in an array. */ + stati?: InputMaybe>>; + /** Show posts with a specific status. */ + status?: InputMaybe; + /** Title of the object */ + title?: InputMaybe; +}; + +/** Connection between the Category type and the category type */ +export type CategoryToParentCategoryConnectionEdge = CategoryConnectionEdge & Edge & OneToOneConnection & { + __typename?: 'CategoryToParentCategoryConnectionEdge'; + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The node of the connection, without the edges */ + node: Category; +}; + +/** Connection between the Category type and the post type */ +export type CategoryToPostConnection = Connection & PostConnection & { + __typename?: 'CategoryToPostConnection'; + /** Edges for the CategoryToPostConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: CategoryToPostConnectionPageInfo; +}; + +/** An edge in a connection */ +export type CategoryToPostConnectionEdge = Edge & PostConnectionEdge & { + __typename?: 'CategoryToPostConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: Post; +}; + +/** Page Info on the "CategoryToPostConnection" */ +export type CategoryToPostConnectionPageInfo = PageInfo & PostConnectionPageInfo & WpPageInfo & { + __typename?: 'CategoryToPostConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the CategoryToPostConnection connection */ +export type CategoryToPostConnectionWhereArgs = { + /** The user that's connected as the author of the object. Use the userId for the author object. */ + author?: InputMaybe; + /** Find objects connected to author(s) in the array of author's userIds */ + authorIn?: InputMaybe>>; + /** Find objects connected to the author by the author's nicename */ + authorName?: InputMaybe; + /** Find objects NOT connected to author(s) in the array of author's userIds */ + authorNotIn?: InputMaybe>>; + /** Category ID */ + categoryId?: InputMaybe; + /** Array of category IDs, used to display objects from one category OR another */ + categoryIn?: InputMaybe>>; + /** Use Category Slug */ + categoryName?: InputMaybe; + /** Array of category IDs, used to display objects from one category OR another */ + categoryNotIn?: InputMaybe>>; + /** Filter the connection based on dates */ + dateQuery?: InputMaybe; + /** True for objects with passwords; False for objects without passwords; null for all objects with or without passwords */ + hasPassword?: InputMaybe; + /** Specific database ID of the object */ + id?: InputMaybe; + /** Array of IDs for the objects to retrieve */ + in?: InputMaybe>>; + /** Get objects with a specific mimeType property */ + mimeType?: InputMaybe; + /** Slug / post_name of the object */ + name?: InputMaybe; + /** Specify objects to retrieve. Use slugs */ + nameIn?: InputMaybe>>; + /** Specify IDs NOT to retrieve. If this is used in the same query as "in", it will be ignored */ + notIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** Use ID to return only children. Use 0 to return only top-level items */ + parent?: InputMaybe; + /** Specify objects whose parent is in an array */ + parentIn?: InputMaybe>>; + /** Specify posts whose parent is not in an array */ + parentNotIn?: InputMaybe>>; + /** Show posts with a specific password. */ + password?: InputMaybe; + /** Show Posts based on a keyword search */ + search?: InputMaybe; + /** Retrieve posts where post status is in an array. */ + stati?: InputMaybe>>; + /** Show posts with a specific status. */ + status?: InputMaybe; + /** Tag Slug */ + tag?: InputMaybe; + /** Use Tag ID */ + tagId?: InputMaybe; + /** Array of tag IDs, used to display objects from one tag OR another */ + tagIn?: InputMaybe>>; + /** Array of tag IDs, used to display objects from one tag OR another */ + tagNotIn?: InputMaybe>>; + /** Array of tag slugs, used to display objects from one tag AND another */ + tagSlugAnd?: InputMaybe>>; + /** Array of tag slugs, used to include objects in ANY specified tags */ + tagSlugIn?: InputMaybe>>; + /** Title of the object */ + title?: InputMaybe; +}; + +/** Connection between the Category type and the Taxonomy type */ +export type CategoryToTaxonomyConnectionEdge = Edge & OneToOneConnection & TaxonomyConnectionEdge & { + __typename?: 'CategoryToTaxonomyConnectionEdge'; + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The node of the connection, without the edges */ + node: Taxonomy; +}; + +/** A Comment object */ +export type Comment = DatabaseIdentifier & Node & { + __typename?: 'Comment'; + /** User agent used to post the comment. This field is equivalent to WP_Comment->comment_agent and the value matching the "comment_agent" column in SQL. */ + agent?: Maybe; + /** + * The approval status of the comment. This field is equivalent to WP_Comment->comment_approved and the value matching the "comment_approved" column in SQL. + * @deprecated Deprecated in favor of the `status` field + */ + approved?: Maybe; + /** The author of the comment */ + author?: Maybe; + /** IP address for the author. This field is equivalent to WP_Comment->comment_author_IP and the value matching the "comment_author_IP" column in SQL. */ + authorIp?: Maybe; + /** + * ID for the comment, unique among comments. + * @deprecated Deprecated in favor of databaseId + */ + commentId?: Maybe; + /** Connection between the Comment type and the ContentNode type */ + commentedOn?: Maybe; + /** Content of the comment. This field is equivalent to WP_Comment->comment_content and the value matching the "comment_content" column in SQL. */ + content?: Maybe; + /** The unique identifier stored in the database */ + databaseId: Scalars['Int']['output']; + /** Date the comment was posted in local time. This field is equivalent to WP_Comment->date and the value matching the "date" column in SQL. */ + date?: Maybe; + /** Date the comment was posted in GMT. This field is equivalent to WP_Comment->date_gmt and the value matching the "date_gmt" column in SQL. */ + dateGmt?: Maybe; + /** The globally unique identifier for the comment object */ + id: Scalars['ID']['output']; + /** Whether the object is restricted from the current viewer */ + isRestricted?: Maybe; + /** Karma value for the comment. This field is equivalent to WP_Comment->comment_karma and the value matching the "comment_karma" column in SQL. */ + karma?: Maybe; + /** Connection between the Comment type and the Comment type */ + parent?: Maybe; + /** The database id of the parent comment node or null if it is the root comment */ + parentDatabaseId?: Maybe; + /** The globally unique identifier of the parent comment node. */ + parentId?: Maybe; + /** Connection between the Comment type and the Comment type */ + replies?: Maybe; + /** The approval status of the comment. This field is equivalent to WP_Comment->comment_approved and the value matching the "comment_approved" column in SQL. */ + status?: Maybe; + /** Type of comment. This field is equivalent to WP_Comment->comment_type and the value matching the "comment_type" column in SQL. */ + type?: Maybe; +}; + + +/** A Comment object */ +export type CommentContentArgs = { + format?: InputMaybe; +}; + + +/** A Comment object */ +export type CommentParentArgs = { + where?: InputMaybe; +}; + + +/** A Comment object */ +export type CommentRepliesArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + +/** A Comment Author object */ +export type CommentAuthor = Commenter & DatabaseIdentifier & Node & { + __typename?: 'CommentAuthor'; + /** Avatar object for user. The avatar object can be retrieved in different sizes by specifying the size argument. */ + avatar?: Maybe; + /** The unique identifier stored in the database */ + databaseId: Scalars['Int']['output']; + /** The email for the comment author */ + email?: Maybe; + /** The globally unique identifier for the comment author object */ + id: Scalars['ID']['output']; + /** Whether the object is restricted from the current viewer */ + isRestricted?: Maybe; + /** The name for the comment author. */ + name?: Maybe; + /** The url the comment author. */ + url?: Maybe; +}; + + +/** A Comment Author object */ +export type CommentAuthorAvatarArgs = { + forceDefault?: InputMaybe; + rating?: InputMaybe; + size?: InputMaybe; +}; + +/** Connection to Comment Nodes */ +export type CommentConnection = { + /** A list of edges (relational context) between RootQuery and connected Comment Nodes */ + edges: Array; + /** A list of connected Comment Nodes */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: CommentConnectionPageInfo; +}; + +/** Edge between a Node and a connected Comment */ +export type CommentConnectionEdge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected Comment Node */ + node: Comment; +}; + +/** Page Info on the connected CommentConnectionEdge */ +export type CommentConnectionPageInfo = { + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** The Type of Identifier used to fetch a single comment node. Default is "ID". To be used along with the "id" field. */ +export enum CommentNodeIdTypeEnum { + /** Identify a resource by the Database ID. */ + DatabaseId = 'DATABASE_ID', + /** Identify a resource by the (hashed) Global ID. */ + Id = 'ID' +} + +/** The status of the comment object. */ +export enum CommentStatusEnum { + /** Comments with the 已核准 status */ + Approve = 'APPROVE', + /** Comments with the 尚未核准 status */ + Hold = 'HOLD', + /** Comments with the 垃圾留言 status */ + Spam = 'SPAM', + /** Comments with the 已移至回收桶 status */ + Trash = 'TRASH' +} + +/** Connection between the Comment type and the Comment type */ +export type CommentToCommentConnection = CommentConnection & Connection & { + __typename?: 'CommentToCommentConnection'; + /** Edges for the CommentToCommentConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: CommentToCommentConnectionPageInfo; +}; + +/** An edge in a connection */ +export type CommentToCommentConnectionEdge = CommentConnectionEdge & Edge & { + __typename?: 'CommentToCommentConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: Comment; +}; + +/** Page Info on the "CommentToCommentConnection" */ +export type CommentToCommentConnectionPageInfo = CommentConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'CommentToCommentConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the CommentToCommentConnection connection */ +export type CommentToCommentConnectionWhereArgs = { + /** Comment author email address. */ + authorEmail?: InputMaybe; + /** Array of author IDs to include comments for. */ + authorIn?: InputMaybe>>; + /** Array of author IDs to exclude comments for. */ + authorNotIn?: InputMaybe>>; + /** Comment author URL. */ + authorUrl?: InputMaybe; + /** Array of comment IDs to include. */ + commentIn?: InputMaybe>>; + /** Array of IDs of users whose unapproved comments will be returned by the query regardless of status. */ + commentNotIn?: InputMaybe>>; + /** Include comments of a given type. */ + commentType?: InputMaybe; + /** Include comments from a given array of comment types. */ + commentTypeIn?: InputMaybe>>; + /** Exclude comments from a given array of comment types. */ + commentTypeNotIn?: InputMaybe; + /** Content object author ID to limit results by. */ + contentAuthor?: InputMaybe>>; + /** Array of author IDs to retrieve comments for. */ + contentAuthorIn?: InputMaybe>>; + /** Array of author IDs *not* to retrieve comments for. */ + contentAuthorNotIn?: InputMaybe>>; + /** Limit results to those affiliated with a given content object ID. */ + contentId?: InputMaybe; + /** Array of content object IDs to include affiliated comments for. */ + contentIdIn?: InputMaybe>>; + /** Array of content object IDs to exclude affiliated comments for. */ + contentIdNotIn?: InputMaybe>>; + /** Content object name (i.e. slug ) to retrieve affiliated comments for. */ + contentName?: InputMaybe; + /** Content Object parent ID to retrieve affiliated comments for. */ + contentParent?: InputMaybe; + /** Array of content object statuses to retrieve affiliated comments for. Pass 'any' to match any value. */ + contentStatus?: InputMaybe>>; + /** Content object type or array of types to retrieve affiliated comments for. Pass 'any' to match any value. */ + contentType?: InputMaybe>>; + /** Array of IDs or email addresses of users whose unapproved comments will be returned by the query regardless of $status. Default empty */ + includeUnapproved?: InputMaybe>>; + /** Karma score to retrieve matching comments for. */ + karma?: InputMaybe; + /** The cardinality of the order of the connection */ + order?: InputMaybe; + /** Field to order the comments by. */ + orderby?: InputMaybe; + /** Parent ID of comment to retrieve children of. */ + parent?: InputMaybe; + /** Array of parent IDs of comments to retrieve children for. */ + parentIn?: InputMaybe>>; + /** Array of parent IDs of comments *not* to retrieve children for. */ + parentNotIn?: InputMaybe>>; + /** Search term(s) to retrieve matching comments for. */ + search?: InputMaybe; + /** Comment status to limit results by. */ + status?: InputMaybe; + /** Include comments for a specific user ID. */ + userId?: InputMaybe; +}; + +/** Connection between the Comment type and the Commenter type */ +export type CommentToCommenterConnectionEdge = CommenterConnectionEdge & Edge & OneToOneConnection & { + __typename?: 'CommentToCommenterConnectionEdge'; + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The node of the connection, without the edges */ + node: Commenter; +}; + +/** Connection between the Comment type and the ContentNode type */ +export type CommentToContentNodeConnectionEdge = ContentNodeConnectionEdge & Edge & OneToOneConnection & { + __typename?: 'CommentToContentNodeConnectionEdge'; + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The node of the connection, without the edges */ + node: ContentNode; +}; + +/** Connection between the Comment type and the Comment type */ +export type CommentToParentCommentConnectionEdge = CommentConnectionEdge & Edge & OneToOneConnection & { + __typename?: 'CommentToParentCommentConnectionEdge'; + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The node of the connection, without the edges */ + node: Comment; +}; + +/** Arguments for filtering the CommentToParentCommentConnection connection */ +export type CommentToParentCommentConnectionWhereArgs = { + /** Comment author email address. */ + authorEmail?: InputMaybe; + /** Array of author IDs to include comments for. */ + authorIn?: InputMaybe>>; + /** Array of author IDs to exclude comments for. */ + authorNotIn?: InputMaybe>>; + /** Comment author URL. */ + authorUrl?: InputMaybe; + /** Array of comment IDs to include. */ + commentIn?: InputMaybe>>; + /** Array of IDs of users whose unapproved comments will be returned by the query regardless of status. */ + commentNotIn?: InputMaybe>>; + /** Include comments of a given type. */ + commentType?: InputMaybe; + /** Include comments from a given array of comment types. */ + commentTypeIn?: InputMaybe>>; + /** Exclude comments from a given array of comment types. */ + commentTypeNotIn?: InputMaybe; + /** Content object author ID to limit results by. */ + contentAuthor?: InputMaybe>>; + /** Array of author IDs to retrieve comments for. */ + contentAuthorIn?: InputMaybe>>; + /** Array of author IDs *not* to retrieve comments for. */ + contentAuthorNotIn?: InputMaybe>>; + /** Limit results to those affiliated with a given content object ID. */ + contentId?: InputMaybe; + /** Array of content object IDs to include affiliated comments for. */ + contentIdIn?: InputMaybe>>; + /** Array of content object IDs to exclude affiliated comments for. */ + contentIdNotIn?: InputMaybe>>; + /** Content object name (i.e. slug ) to retrieve affiliated comments for. */ + contentName?: InputMaybe; + /** Content Object parent ID to retrieve affiliated comments for. */ + contentParent?: InputMaybe; + /** Array of content object statuses to retrieve affiliated comments for. Pass 'any' to match any value. */ + contentStatus?: InputMaybe>>; + /** Content object type or array of types to retrieve affiliated comments for. Pass 'any' to match any value. */ + contentType?: InputMaybe>>; + /** Array of IDs or email addresses of users whose unapproved comments will be returned by the query regardless of $status. Default empty */ + includeUnapproved?: InputMaybe>>; + /** Karma score to retrieve matching comments for. */ + karma?: InputMaybe; + /** The cardinality of the order of the connection */ + order?: InputMaybe; + /** Field to order the comments by. */ + orderby?: InputMaybe; + /** Parent ID of comment to retrieve children of. */ + parent?: InputMaybe; + /** Array of parent IDs of comments to retrieve children for. */ + parentIn?: InputMaybe>>; + /** Array of parent IDs of comments *not* to retrieve children for. */ + parentNotIn?: InputMaybe>>; + /** Search term(s) to retrieve matching comments for. */ + search?: InputMaybe; + /** Comment status to limit results by. */ + status?: InputMaybe; + /** Include comments for a specific user ID. */ + userId?: InputMaybe; +}; + +/** The author of a comment */ +export type Commenter = { + /** Avatar object for user. The avatar object can be retrieved in different sizes by specifying the size argument. */ + avatar?: Maybe; + /** Identifies the primary key from the database. */ + databaseId: Scalars['Int']['output']; + /** The email address of the author of a comment. */ + email?: Maybe; + /** The globally unique identifier for the comment author. */ + id: Scalars['ID']['output']; + /** Whether the author information is considered restricted. (not fully public) */ + isRestricted?: Maybe; + /** The name of the author of a comment. */ + name?: Maybe; + /** The url of the author of a comment. */ + url?: Maybe; +}; + +/** Edge between a Node and a connected Commenter */ +export type CommenterConnectionEdge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected Commenter Node */ + node: Commenter; +}; + +/** Options for ordering the connection */ +export enum CommentsConnectionOrderbyEnum { + /** Order by browser user agent of the commenter. */ + CommentAgent = 'COMMENT_AGENT', + /** Order by approval status of the comment. */ + CommentApproved = 'COMMENT_APPROVED', + /** Order by name of the comment author. */ + CommentAuthor = 'COMMENT_AUTHOR', + /** Order by e-mail of the comment author. */ + CommentAuthorEmail = 'COMMENT_AUTHOR_EMAIL', + /** Order by IP address of the comment author. */ + CommentAuthorIp = 'COMMENT_AUTHOR_IP', + /** Order by URL address of the comment author. */ + CommentAuthorUrl = 'COMMENT_AUTHOR_URL', + /** Order by the comment contents. */ + CommentContent = 'COMMENT_CONTENT', + /** Order by date/time timestamp of the comment. */ + CommentDate = 'COMMENT_DATE', + /** Order by GMT timezone date/time timestamp of the comment. */ + CommentDateGmt = 'COMMENT_DATE_GMT', + /** Order by the globally unique identifier for the comment object */ + CommentId = 'COMMENT_ID', + /** Order by the array list of comment IDs listed in the where clause. */ + CommentIn = 'COMMENT_IN', + /** Order by the comment karma score. */ + CommentKarma = 'COMMENT_KARMA', + /** Order by the comment parent ID. */ + CommentParent = 'COMMENT_PARENT', + /** Order by the post object ID. */ + CommentPostId = 'COMMENT_POST_ID', + /** Order by the the type of comment, such as 'comment', 'pingback', or 'trackback'. */ + CommentType = 'COMMENT_TYPE', + /** Order by the user ID. */ + UserId = 'USER_ID' +} + +/** A plural connection from one Node Type in the Graph to another Node Type, with support for relational data via "edges". */ +export type Connection = { + /** A list of edges (relational context) between connected nodes */ + edges: Array; + /** A list of connected nodes */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: PageInfo; +}; + +/** Nodes used to manage content */ +export type ContentNode = { + /** Connection between the ContentNode type and the ContentType type */ + contentType?: Maybe; + /** The name of the Content Type the node belongs to */ + contentTypeName: Scalars['String']['output']; + /** The ID of the node in the database. */ + databaseId: Scalars['Int']['output']; + /** Post publishing date. */ + date?: Maybe; + /** The publishing date set in GMT. */ + dateGmt?: Maybe; + /** The desired slug of the post */ + desiredSlug?: Maybe; + /** If a user has edited the node within the past 15 seconds, this will return the user that last edited. Null if the edit lock doesn't exist or is greater than 15 seconds */ + editingLockedBy?: Maybe; + /** The RSS enclosure for the object */ + enclosure?: Maybe; + /** Connection between the ContentNode type and the EnqueuedScript type */ + enqueuedScripts?: Maybe; + /** Connection between the ContentNode type and the EnqueuedStylesheet type */ + enqueuedStylesheets?: Maybe; + /** The global unique identifier for this post. This currently matches the value stored in WP_Post->guid and the guid column in the "post_objects" database table. */ + guid?: Maybe; + /** The unique resource identifier path */ + id: Scalars['ID']['output']; + /** Whether the node is a Content Node */ + isContentNode: Scalars['Boolean']['output']; + /** Whether the object is a node in the preview state */ + isPreview?: Maybe; + /** Whether the object is restricted from the current viewer */ + isRestricted?: Maybe; + /** Whether the node is a Term */ + isTermNode: Scalars['Boolean']['output']; + /** The user that most recently edited the node */ + lastEditedBy?: Maybe; + /** The permalink of the post */ + link?: Maybe; + /** The local modified time for a post. If a post was recently updated the modified field will change to match the corresponding time. */ + modified?: Maybe; + /** The GMT modified time for a post. If a post was recently updated the modified field will change to match the corresponding time in GMT. */ + modifiedGmt?: Maybe; + /** The database id of the preview node */ + previewRevisionDatabaseId?: Maybe; + /** Whether the object is a node in the preview state */ + previewRevisionId?: Maybe; + /** The Yoast SEO data of the ContentNode */ + seo?: Maybe; + /** The uri slug for the post. This is equivalent to the WP_Post->post_name field and the post_name column in the database for the "post_objects" table. */ + slug?: Maybe; + /** The current status of the object */ + status?: Maybe; + /** The template assigned to a node of content */ + template?: Maybe; + /** The unique resource identifier path */ + uri?: Maybe; +}; + + +/** Nodes used to manage content */ +export type ContentNodeEnqueuedScriptsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** Nodes used to manage content */ +export type ContentNodeEnqueuedStylesheetsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + +/** Connection to ContentNode Nodes */ +export type ContentNodeConnection = { + /** A list of edges (relational context) between ContentType and connected ContentNode Nodes */ + edges: Array; + /** A list of connected ContentNode Nodes */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: ContentNodeConnectionPageInfo; +}; + +/** Edge between a Node and a connected ContentNode */ +export type ContentNodeConnectionEdge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected ContentNode Node */ + node: ContentNode; +}; + +/** Page Info on the connected ContentNodeConnectionEdge */ +export type ContentNodeConnectionPageInfo = { + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** The Type of Identifier used to fetch a single resource. Default is ID. */ +export enum ContentNodeIdTypeEnum { + /** Identify a resource by the Database ID. */ + DatabaseId = 'DATABASE_ID', + /** Identify a resource by the (hashed) Global ID. */ + Id = 'ID', + /** Identify a resource by the URI. */ + Uri = 'URI' +} + +/** Connection between the ContentNode type and the ContentType type */ +export type ContentNodeToContentTypeConnectionEdge = ContentTypeConnectionEdge & Edge & OneToOneConnection & { + __typename?: 'ContentNodeToContentTypeConnectionEdge'; + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The node of the connection, without the edges */ + node: ContentType; +}; + +/** Connection between the ContentNode type and the User type */ +export type ContentNodeToEditLastConnectionEdge = Edge & OneToOneConnection & UserConnectionEdge & { + __typename?: 'ContentNodeToEditLastConnectionEdge'; + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The node of the connection, without the edges */ + node: User; +}; + +/** Connection between the ContentNode type and the User type */ +export type ContentNodeToEditLockConnectionEdge = Edge & OneToOneConnection & UserConnectionEdge & { + __typename?: 'ContentNodeToEditLockConnectionEdge'; + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The timestamp for when the node was last edited */ + lockTimestamp?: Maybe; + /** The node of the connection, without the edges */ + node: User; +}; + +/** Connection between the ContentNode type and the EnqueuedScript type */ +export type ContentNodeToEnqueuedScriptConnection = Connection & EnqueuedScriptConnection & { + __typename?: 'ContentNodeToEnqueuedScriptConnection'; + /** Edges for the ContentNodeToEnqueuedScriptConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: ContentNodeToEnqueuedScriptConnectionPageInfo; +}; + +/** An edge in a connection */ +export type ContentNodeToEnqueuedScriptConnectionEdge = Edge & EnqueuedScriptConnectionEdge & { + __typename?: 'ContentNodeToEnqueuedScriptConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: EnqueuedScript; +}; + +/** Page Info on the "ContentNodeToEnqueuedScriptConnection" */ +export type ContentNodeToEnqueuedScriptConnectionPageInfo = EnqueuedScriptConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'ContentNodeToEnqueuedScriptConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Connection between the ContentNode type and the EnqueuedStylesheet type */ +export type ContentNodeToEnqueuedStylesheetConnection = Connection & EnqueuedStylesheetConnection & { + __typename?: 'ContentNodeToEnqueuedStylesheetConnection'; + /** Edges for the ContentNodeToEnqueuedStylesheetConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: ContentNodeToEnqueuedStylesheetConnectionPageInfo; +}; + +/** An edge in a connection */ +export type ContentNodeToEnqueuedStylesheetConnectionEdge = Edge & EnqueuedStylesheetConnectionEdge & { + __typename?: 'ContentNodeToEnqueuedStylesheetConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: EnqueuedStylesheet; +}; + +/** Page Info on the "ContentNodeToEnqueuedStylesheetConnection" */ +export type ContentNodeToEnqueuedStylesheetConnectionPageInfo = EnqueuedStylesheetConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'ContentNodeToEnqueuedStylesheetConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** The template assigned to a node of content */ +export type ContentTemplate = { + /** The name of the template */ + templateName?: Maybe; +}; + +/** An Post Type object */ +export type ContentType = Node & UniformResourceIdentifiable & { + __typename?: 'ContentType'; + /** Whether this content type should can be exported. */ + canExport?: Maybe; + /** Connection between the ContentType type and the Taxonomy type */ + connectedTaxonomies?: Maybe; + /** Connection between the ContentType type and the ContentNode type */ + contentNodes?: Maybe; + /** Whether content of this type should be deleted when the author of it is deleted from the system. */ + deleteWithUser?: Maybe; + /** Description of the content type. */ + description?: Maybe; + /** Whether to exclude nodes of this content type from front end search results. */ + excludeFromSearch?: Maybe; + /** The plural name of the content type within the GraphQL Schema. */ + graphqlPluralName?: Maybe; + /** The singular name of the content type within the GraphQL Schema. */ + graphqlSingleName?: Maybe; + /** Whether this content type should have archives. Content archives are generated by type and by date. */ + hasArchive?: Maybe; + /** Whether the content type is hierarchical, for example pages. */ + hierarchical?: Maybe; + /** The globally unique identifier of the post-type object. */ + id: Scalars['ID']['output']; + /** Whether the node is a Content Node */ + isContentNode: Scalars['Boolean']['output']; + /** Whether this page is set to the static front page. */ + isFrontPage: Scalars['Boolean']['output']; + /** Whether this page is set to the blog posts page. */ + isPostsPage: Scalars['Boolean']['output']; + /** Whether the object is restricted from the current viewer */ + isRestricted?: Maybe; + /** Whether the node is a Term */ + isTermNode: Scalars['Boolean']['output']; + /** Display name of the content type. */ + label?: Maybe; + /** Details about the content type labels. */ + labels?: Maybe; + /** The name of the icon file to display as a menu icon. */ + menuIcon?: Maybe; + /** The position of this post type in the menu. Only applies if show_in_menu is true. */ + menuPosition?: Maybe; + /** The internal name of the post type. This should not be used for display purposes. */ + name?: Maybe; + /** Whether a content type is intended for use publicly either via the admin interface or by front-end users. While the default settings of exclude_from_search, publicly_queryable, show_ui, and show_in_nav_menus are inherited from public, each does not rely on this relationship and controls a very specific intention. */ + public?: Maybe; + /** Whether queries can be performed on the front end for the content type as part of parse_request(). */ + publiclyQueryable?: Maybe; + /** Name of content type to display in REST API "wp/v2" namespace. */ + restBase?: Maybe; + /** The REST Controller class assigned to handling this content type. */ + restControllerClass?: Maybe; + /** Makes this content type available via the admin bar. */ + showInAdminBar?: Maybe; + /** Whether to add the content type to the GraphQL Schema. */ + showInGraphql?: Maybe; + /** Where to show the content type in the admin menu. To work, $show_ui must be true. If true, the post type is shown in its own top level menu. If false, no menu is shown. If a string of an existing top level menu (eg. "tools.php" or "edit.php?post_type=page"), the post type will be placed as a sub-menu of that. */ + showInMenu?: Maybe; + /** Makes this content type available for selection in navigation menus. */ + showInNavMenus?: Maybe; + /** Whether the content type is associated with a route under the the REST API "wp/v2" namespace. */ + showInRest?: Maybe; + /** Whether to generate and allow a UI for managing this content type in the admin. */ + showUi?: Maybe; + /** The unique resource identifier path */ + uri?: Maybe; +}; + + +/** An Post Type object */ +export type ContentTypeConnectedTaxonomiesArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** An Post Type object */ +export type ContentTypeContentNodesArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + +/** Connection to ContentType Nodes */ +export type ContentTypeConnection = { + /** A list of edges (relational context) between RootQuery and connected ContentType Nodes */ + edges: Array; + /** A list of connected ContentType Nodes */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: ContentTypeConnectionPageInfo; +}; + +/** Edge between a Node and a connected ContentType */ +export type ContentTypeConnectionEdge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected ContentType Node */ + node: ContentType; +}; + +/** Page Info on the connected ContentTypeConnectionEdge */ +export type ContentTypeConnectionPageInfo = { + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Allowed Content Types */ +export enum ContentTypeEnum { + /** The Type of Content object */ + Attachment = 'ATTACHMENT', + /** The Type of Content object */ + GraphqlDocument = 'GRAPHQL_DOCUMENT', + /** The Type of Content object */ + Page = 'PAGE', + /** The Type of Content object */ + Post = 'POST' +} + +/** The Type of Identifier used to fetch a single Content Type node. To be used along with the "id" field. Default is "ID". */ +export enum ContentTypeIdTypeEnum { + /** The globally unique ID */ + Id = 'ID', + /** The name of the content type. */ + Name = 'NAME' +} + +/** Connection between the ContentType type and the ContentNode type */ +export type ContentTypeToContentNodeConnection = Connection & ContentNodeConnection & { + __typename?: 'ContentTypeToContentNodeConnection'; + /** Edges for the ContentTypeToContentNodeConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: ContentTypeToContentNodeConnectionPageInfo; +}; + +/** An edge in a connection */ +export type ContentTypeToContentNodeConnectionEdge = ContentNodeConnectionEdge & Edge & { + __typename?: 'ContentTypeToContentNodeConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: ContentNode; +}; + +/** Page Info on the "ContentTypeToContentNodeConnection" */ +export type ContentTypeToContentNodeConnectionPageInfo = ContentNodeConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'ContentTypeToContentNodeConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the ContentTypeToContentNodeConnection connection */ +export type ContentTypeToContentNodeConnectionWhereArgs = { + /** The Types of content to filter */ + contentTypes?: InputMaybe>>; + /** Filter the connection based on dates */ + dateQuery?: InputMaybe; + /** True for objects with passwords; False for objects without passwords; null for all objects with or without passwords */ + hasPassword?: InputMaybe; + /** Specific database ID of the object */ + id?: InputMaybe; + /** Array of IDs for the objects to retrieve */ + in?: InputMaybe>>; + /** Get objects with a specific mimeType property */ + mimeType?: InputMaybe; + /** Slug / post_name of the object */ + name?: InputMaybe; + /** Specify objects to retrieve. Use slugs */ + nameIn?: InputMaybe>>; + /** Specify IDs NOT to retrieve. If this is used in the same query as "in", it will be ignored */ + notIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** Use ID to return only children. Use 0 to return only top-level items */ + parent?: InputMaybe; + /** Specify objects whose parent is in an array */ + parentIn?: InputMaybe>>; + /** Specify posts whose parent is not in an array */ + parentNotIn?: InputMaybe>>; + /** Show posts with a specific password. */ + password?: InputMaybe; + /** Show Posts based on a keyword search */ + search?: InputMaybe; + /** Retrieve posts where post status is in an array. */ + stati?: InputMaybe>>; + /** Show posts with a specific status. */ + status?: InputMaybe; + /** Title of the object */ + title?: InputMaybe; +}; + +/** Connection between the ContentType type and the Taxonomy type */ +export type ContentTypeToTaxonomyConnection = Connection & TaxonomyConnection & { + __typename?: 'ContentTypeToTaxonomyConnection'; + /** Edges for the ContentTypeToTaxonomyConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: ContentTypeToTaxonomyConnectionPageInfo; +}; + +/** An edge in a connection */ +export type ContentTypeToTaxonomyConnectionEdge = Edge & TaxonomyConnectionEdge & { + __typename?: 'ContentTypeToTaxonomyConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: Taxonomy; +}; + +/** Page Info on the "ContentTypeToTaxonomyConnection" */ +export type ContentTypeToTaxonomyConnectionPageInfo = PageInfo & TaxonomyConnectionPageInfo & WpPageInfo & { + __typename?: 'ContentTypeToTaxonomyConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Allowed Content Types of the Category taxonomy. */ +export enum ContentTypesOfCategoryEnum { + /** The Type of Content object */ + Post = 'POST' +} + +/** Allowed Content Types of the GraphqlDocumentGroup taxonomy. */ +export enum ContentTypesOfGraphqlDocumentGroupEnum { + /** The Type of Content object */ + GraphqlDocument = 'GRAPHQL_DOCUMENT' +} + +/** Allowed Content Types of the PostFormat taxonomy. */ +export enum ContentTypesOfPostFormatEnum { + /** The Type of Content object */ + Post = 'POST' +} + +/** Allowed Content Types of the Tag taxonomy. */ +export enum ContentTypesOfTagEnum { + /** The Type of Content object */ + Post = 'POST' +} + +/** Input for the createCategory mutation. */ +export type CreateCategoryInput = { + /** The slug that the category will be an alias of */ + aliasOf?: InputMaybe; + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The description of the category object */ + description?: InputMaybe; + /** The name of the category object to mutate */ + name: Scalars['String']['input']; + /** The ID of the category that should be set as the parent */ + parentId?: InputMaybe; + /** If this argument exists then the slug will be checked to see if it is not an existing valid term. If that check succeeds (it is not a valid term), then it is added and the term id is given. If it fails, then a check is made to whether the taxonomy is hierarchical and the parent argument is not empty. If the second check succeeds, the term will be inserted and the term id will be given. If the slug argument is empty, then it will be calculated from the term name. */ + slug?: InputMaybe; +}; + +/** The payload for the createCategory mutation. */ +export type CreateCategoryPayload = { + __typename?: 'CreateCategoryPayload'; + /** The created category */ + category?: Maybe; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; +}; + +/** Input for the createComment mutation. */ +export type CreateCommentInput = { + /** The approval status of the comment. */ + approved?: InputMaybe; + /** The name of the comment's author. */ + author?: InputMaybe; + /** The email of the comment's author. */ + authorEmail?: InputMaybe; + /** The url of the comment's author. */ + authorUrl?: InputMaybe; + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The database ID of the post object the comment belongs to. */ + commentOn?: InputMaybe; + /** Content of the comment. */ + content?: InputMaybe; + /** The date of the object. Preferable to enter as year/month/day ( e.g. 01/31/2017 ) as it will rearrange date as fit if it is not specified. Incomplete dates may have unintended results for example, "2017" as the input will use current date with timestamp 20:17 */ + date?: InputMaybe; + /** Parent comment ID of current comment. */ + parent?: InputMaybe; + /** The approval status of the comment */ + status?: InputMaybe; + /** Type of comment. */ + type?: InputMaybe; +}; + +/** The payload for the createComment mutation. */ +export type CreateCommentPayload = { + __typename?: 'CreateCommentPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The comment that was created */ + comment?: Maybe; + /** Whether the mutation succeeded. If the comment is not approved, the server will not return the comment to a non authenticated user, but a success message can be returned if the create succeeded, and the client can optimistically add the comment to the client cache */ + success?: Maybe; +}; + +/** Input for the createGraphqlDocumentGroup mutation. */ +export type CreateGraphqlDocumentGroupInput = { + /** The slug that the graphql_document_group will be an alias of */ + aliasOf?: InputMaybe; + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The description of the graphql_document_group object */ + description?: InputMaybe; + /** The name of the graphql_document_group object to mutate */ + name: Scalars['String']['input']; + /** If this argument exists then the slug will be checked to see if it is not an existing valid term. If that check succeeds (it is not a valid term), then it is added and the term id is given. If it fails, then a check is made to whether the taxonomy is hierarchical and the parent argument is not empty. If the second check succeeds, the term will be inserted and the term id will be given. If the slug argument is empty, then it will be calculated from the term name. */ + slug?: InputMaybe; +}; + +/** The payload for the createGraphqlDocumentGroup mutation. */ +export type CreateGraphqlDocumentGroupPayload = { + __typename?: 'CreateGraphqlDocumentGroupPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The created graphql_document_group */ + graphqlDocumentGroup?: Maybe; +}; + +/** Input for the createGraphqlDocument mutation. */ +export type CreateGraphqlDocumentInput = { + /** Alias names for saved GraphQL query documents */ + alias?: InputMaybe>; + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The content of the object */ + content?: InputMaybe; + /** The date of the object. Preferable to enter as year/month/day (e.g. 01/31/2017) as it will rearrange date as fit if it is not specified. Incomplete dates may have unintended results for example, "2017" as the input will use current date with timestamp 20:17 */ + date?: InputMaybe; + /** Description for the saved GraphQL document */ + description?: InputMaybe; + /** Allow, deny or default access grant for specific query */ + grant?: InputMaybe; + /** Set connections between the graphqlDocument and graphqlDocumentGroups */ + graphqlDocumentGroups?: InputMaybe; + /** HTTP Cache-Control max-age directive for a saved GraphQL document */ + maxAgeHeader?: InputMaybe; + /** A field used for ordering posts. This is typically used with nav menu items or for special ordering of hierarchical content types. */ + menuOrder?: InputMaybe; + /** The password used to protect the content of the object */ + password?: InputMaybe; + /** The slug of the object */ + slug?: InputMaybe; + /** The status of the object */ + status?: InputMaybe; + /** The title of the object */ + title?: InputMaybe; +}; + +/** The payload for the createGraphqlDocument mutation. */ +export type CreateGraphqlDocumentPayload = { + __typename?: 'CreateGraphqlDocumentPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The Post object mutation type. */ + graphqlDocument?: Maybe; +}; + +/** Input for the createMediaItem mutation. */ +export type CreateMediaItemInput = { + /** Alternative text to display when mediaItem is not displayed */ + altText?: InputMaybe; + /** The userId to assign as the author of the mediaItem */ + authorId?: InputMaybe; + /** The caption for the mediaItem */ + caption?: InputMaybe; + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The comment status for the mediaItem */ + commentStatus?: InputMaybe; + /** The date of the mediaItem */ + date?: InputMaybe; + /** The date (in GMT zone) of the mediaItem */ + dateGmt?: InputMaybe; + /** Description of the mediaItem */ + description?: InputMaybe; + /** The file name of the mediaItem */ + filePath?: InputMaybe; + /** The file type of the mediaItem */ + fileType?: InputMaybe; + /** The ID of the parent object */ + parentId?: InputMaybe; + /** The ping status for the mediaItem */ + pingStatus?: InputMaybe; + /** The slug of the mediaItem */ + slug?: InputMaybe; + /** The status of the mediaItem */ + status?: InputMaybe; + /** The title of the mediaItem */ + title?: InputMaybe; +}; + +/** The payload for the createMediaItem mutation. */ +export type CreateMediaItemPayload = { + __typename?: 'CreateMediaItemPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The MediaItem object mutation type. */ + mediaItem?: Maybe; +}; + +/** Input for the createPage mutation. */ +export type CreatePageInput = { + /** The userId to assign as the author of the object */ + authorId?: InputMaybe; + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The content of the object */ + content?: InputMaybe; + /** The date of the object. Preferable to enter as year/month/day (e.g. 01/31/2017) as it will rearrange date as fit if it is not specified. Incomplete dates may have unintended results for example, "2017" as the input will use current date with timestamp 20:17 */ + date?: InputMaybe; + /** A field used for ordering posts. This is typically used with nav menu items or for special ordering of hierarchical content types. */ + menuOrder?: InputMaybe; + /** The ID of the parent object */ + parentId?: InputMaybe; + /** The password used to protect the content of the object */ + password?: InputMaybe; + /** The slug of the object */ + slug?: InputMaybe; + /** The status of the object */ + status?: InputMaybe; + /** The title of the object */ + title?: InputMaybe; +}; + +/** The payload for the createPage mutation. */ +export type CreatePagePayload = { + __typename?: 'CreatePagePayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The Post object mutation type. */ + page?: Maybe; +}; + +/** Input for the createPostFormat mutation. */ +export type CreatePostFormatInput = { + /** The slug that the post_format will be an alias of */ + aliasOf?: InputMaybe; + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The description of the post_format object */ + description?: InputMaybe; + /** The name of the post_format object to mutate */ + name: Scalars['String']['input']; + /** If this argument exists then the slug will be checked to see if it is not an existing valid term. If that check succeeds (it is not a valid term), then it is added and the term id is given. If it fails, then a check is made to whether the taxonomy is hierarchical and the parent argument is not empty. If the second check succeeds, the term will be inserted and the term id will be given. If the slug argument is empty, then it will be calculated from the term name. */ + slug?: InputMaybe; +}; + +/** The payload for the createPostFormat mutation. */ +export type CreatePostFormatPayload = { + __typename?: 'CreatePostFormatPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The created post_format */ + postFormat?: Maybe; +}; + +/** Input for the createPost mutation. */ +export type CreatePostInput = { + /** The userId to assign as the author of the object */ + authorId?: InputMaybe; + /** Set connections between the post and categories */ + categories?: InputMaybe; + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The content of the object */ + content?: InputMaybe; + /** The date of the object. Preferable to enter as year/month/day (e.g. 01/31/2017) as it will rearrange date as fit if it is not specified. Incomplete dates may have unintended results for example, "2017" as the input will use current date with timestamp 20:17 */ + date?: InputMaybe; + /** The excerpt of the object */ + excerpt?: InputMaybe; + /** A field used for ordering posts. This is typically used with nav menu items or for special ordering of hierarchical content types. */ + menuOrder?: InputMaybe; + /** The password used to protect the content of the object */ + password?: InputMaybe; + /** Set connections between the post and postFormats */ + postFormats?: InputMaybe; + /** The slug of the object */ + slug?: InputMaybe; + /** The status of the object */ + status?: InputMaybe; + /** Set connections between the post and tags */ + tags?: InputMaybe; + /** The title of the object */ + title?: InputMaybe; +}; + +/** The payload for the createPost mutation. */ +export type CreatePostPayload = { + __typename?: 'CreatePostPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The Post object mutation type. */ + post?: Maybe; +}; + +/** Input for the createTag mutation. */ +export type CreateTagInput = { + /** The slug that the post_tag will be an alias of */ + aliasOf?: InputMaybe; + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The description of the post_tag object */ + description?: InputMaybe; + /** The name of the post_tag object to mutate */ + name: Scalars['String']['input']; + /** If this argument exists then the slug will be checked to see if it is not an existing valid term. If that check succeeds (it is not a valid term), then it is added and the term id is given. If it fails, then a check is made to whether the taxonomy is hierarchical and the parent argument is not empty. If the second check succeeds, the term will be inserted and the term id will be given. If the slug argument is empty, then it will be calculated from the term name. */ + slug?: InputMaybe; +}; + +/** The payload for the createTag mutation. */ +export type CreateTagPayload = { + __typename?: 'CreateTagPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The created post_tag */ + tag?: Maybe; +}; + +/** Input for the createUser mutation. */ +export type CreateUserInput = { + /** User's AOL IM account. */ + aim?: InputMaybe; + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** A string containing content about the user. */ + description?: InputMaybe; + /** A string that will be shown on the site. Defaults to user's username. It is likely that you will want to change this, for both appearance and security through obscurity (that is if you dont use and delete the default admin user). */ + displayName?: InputMaybe; + /** A string containing the user's email address. */ + email?: InputMaybe; + /** The user's first name. */ + firstName?: InputMaybe; + /** User's Jabber account. */ + jabber?: InputMaybe; + /** The user's last name. */ + lastName?: InputMaybe; + /** User's locale. */ + locale?: InputMaybe; + /** A string that contains a URL-friendly name for the user. The default is the user's username. */ + nicename?: InputMaybe; + /** The user's nickname, defaults to the user's username. */ + nickname?: InputMaybe; + /** A string that contains the plain text password for the user. */ + password?: InputMaybe; + /** If true, this will refresh the users JWT secret. */ + refreshJwtUserSecret?: InputMaybe; + /** The date the user registered. Format is Y-m-d H:i:s. */ + registered?: InputMaybe; + /** If true, this will revoke the users JWT secret. If false, this will unrevoke the JWT secret AND issue a new one. To revoke, the user must have proper capabilities to edit users JWT secrets. */ + revokeJwtUserSecret?: InputMaybe; + /** A string for whether to enable the rich editor or not. False if not empty. */ + richEditing?: InputMaybe; + /** An array of roles to be assigned to the user. */ + roles?: InputMaybe>>; + /** A string that contains the user's username for logging in. */ + username: Scalars['String']['input']; + /** A string containing the user's URL for the user's web site. */ + websiteUrl?: InputMaybe; + /** User's Yahoo IM account. */ + yim?: InputMaybe; +}; + +/** The payload for the createUser mutation. */ +export type CreateUserPayload = { + __typename?: 'CreateUserPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The User object mutation type. */ + user?: Maybe; +}; + +/** Object that can be identified with a Database ID */ +export type DatabaseIdentifier = { + /** The unique identifier stored in the database */ + databaseId: Scalars['Int']['output']; +}; + +/** Date values */ +export type DateInput = { + /** Day of the month (from 1 to 31) */ + day?: InputMaybe; + /** Month number (from 1 to 12) */ + month?: InputMaybe; + /** 4 digit year (e.g. 2017) */ + year?: InputMaybe; +}; + +/** Filter the connection based on input */ +export type DateQueryInput = { + /** Nodes should be returned after this date */ + after?: InputMaybe; + /** Nodes should be returned before this date */ + before?: InputMaybe; + /** Column to query against */ + column?: InputMaybe; + /** For after/before, whether exact value should be matched or not */ + compare?: InputMaybe; + /** Day of the month (from 1 to 31) */ + day?: InputMaybe; + /** Hour (from 0 to 23) */ + hour?: InputMaybe; + /** For after/before, whether exact value should be matched or not */ + inclusive?: InputMaybe; + /** Minute (from 0 to 59) */ + minute?: InputMaybe; + /** Month number (from 1 to 12) */ + month?: InputMaybe; + /** OR or AND, how the sub-arrays should be compared */ + relation?: InputMaybe; + /** Second (0 to 59) */ + second?: InputMaybe; + /** Week of the year (from 0 to 53) */ + week?: InputMaybe; + /** 4 digit year (e.g. 2017) */ + year?: InputMaybe; +}; + +/** The template assigned to the node */ +export type DefaultTemplate = ContentTemplate & { + __typename?: 'DefaultTemplate'; + /** The name of the template */ + templateName?: Maybe; +}; + +/** Input for the deleteCategory mutation. */ +export type DeleteCategoryInput = { + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The ID of the category to delete */ + id: Scalars['ID']['input']; +}; + +/** The payload for the deleteCategory mutation. */ +export type DeleteCategoryPayload = { + __typename?: 'DeleteCategoryPayload'; + /** The deleted term object */ + category?: Maybe; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The ID of the deleted object */ + deletedId?: Maybe; +}; + +/** Input for the deleteComment mutation. */ +export type DeleteCommentInput = { + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** Whether the comment should be force deleted instead of being moved to the trash */ + forceDelete?: InputMaybe; + /** The deleted comment ID */ + id: Scalars['ID']['input']; +}; + +/** The payload for the deleteComment mutation. */ +export type DeleteCommentPayload = { + __typename?: 'DeleteCommentPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The deleted comment object */ + comment?: Maybe; + /** The deleted comment ID */ + deletedId?: Maybe; +}; + +/** Input for the deleteGraphqlDocumentGroup mutation. */ +export type DeleteGraphqlDocumentGroupInput = { + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The ID of the graphqlDocumentGroup to delete */ + id: Scalars['ID']['input']; +}; + +/** The payload for the deleteGraphqlDocumentGroup mutation. */ +export type DeleteGraphqlDocumentGroupPayload = { + __typename?: 'DeleteGraphqlDocumentGroupPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The ID of the deleted object */ + deletedId?: Maybe; + /** The deleted term object */ + graphqlDocumentGroup?: Maybe; +}; + +/** Input for the deleteGraphqlDocument mutation. */ +export type DeleteGraphqlDocumentInput = { + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** Whether the object should be force deleted instead of being moved to the trash */ + forceDelete?: InputMaybe; + /** The ID of the graphqlDocument to delete */ + id: Scalars['ID']['input']; + /** Override the edit lock when another user is editing the post */ + ignoreEditLock?: InputMaybe; +}; + +/** The payload for the deleteGraphqlDocument mutation. */ +export type DeleteGraphqlDocumentPayload = { + __typename?: 'DeleteGraphqlDocumentPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The ID of the deleted object */ + deletedId?: Maybe; + /** The object before it was deleted */ + graphqlDocument?: Maybe; +}; + +/** Input for the deleteMediaItem mutation. */ +export type DeleteMediaItemInput = { + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** Whether the mediaItem should be force deleted instead of being moved to the trash */ + forceDelete?: InputMaybe; + /** The ID of the mediaItem to delete */ + id: Scalars['ID']['input']; +}; + +/** The payload for the deleteMediaItem mutation. */ +export type DeleteMediaItemPayload = { + __typename?: 'DeleteMediaItemPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The ID of the deleted mediaItem */ + deletedId?: Maybe; + /** The mediaItem before it was deleted */ + mediaItem?: Maybe; +}; + +/** Input for the deletePage mutation. */ +export type DeletePageInput = { + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** Whether the object should be force deleted instead of being moved to the trash */ + forceDelete?: InputMaybe; + /** The ID of the page to delete */ + id: Scalars['ID']['input']; + /** Override the edit lock when another user is editing the post */ + ignoreEditLock?: InputMaybe; +}; + +/** The payload for the deletePage mutation. */ +export type DeletePagePayload = { + __typename?: 'DeletePagePayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The ID of the deleted object */ + deletedId?: Maybe; + /** The object before it was deleted */ + page?: Maybe; +}; + +/** Input for the deletePostFormat mutation. */ +export type DeletePostFormatInput = { + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The ID of the postFormat to delete */ + id: Scalars['ID']['input']; +}; + +/** The payload for the deletePostFormat mutation. */ +export type DeletePostFormatPayload = { + __typename?: 'DeletePostFormatPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The ID of the deleted object */ + deletedId?: Maybe; + /** The deleted term object */ + postFormat?: Maybe; +}; + +/** Input for the deletePost mutation. */ +export type DeletePostInput = { + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** Whether the object should be force deleted instead of being moved to the trash */ + forceDelete?: InputMaybe; + /** The ID of the post to delete */ + id: Scalars['ID']['input']; + /** Override the edit lock when another user is editing the post */ + ignoreEditLock?: InputMaybe; +}; + +/** The payload for the deletePost mutation. */ +export type DeletePostPayload = { + __typename?: 'DeletePostPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The ID of the deleted object */ + deletedId?: Maybe; + /** The object before it was deleted */ + post?: Maybe; +}; + +/** Input for the deleteTag mutation. */ +export type DeleteTagInput = { + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The ID of the tag to delete */ + id: Scalars['ID']['input']; +}; + +/** The payload for the deleteTag mutation. */ +export type DeleteTagPayload = { + __typename?: 'DeleteTagPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The ID of the deleted object */ + deletedId?: Maybe; + /** The deleted term object */ + tag?: Maybe; +}; + +/** Input for the deleteUser mutation. */ +export type DeleteUserInput = { + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The ID of the user you want to delete */ + id: Scalars['ID']['input']; + /** Reassign posts and links to new User ID. */ + reassignId?: InputMaybe; +}; + +/** The payload for the deleteUser mutation. */ +export type DeleteUserPayload = { + __typename?: 'DeleteUserPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The ID of the user that you just deleted */ + deletedId?: Maybe; + /** The deleted user object */ + user?: Maybe; +}; + +/** The discussion setting type */ +export type DiscussionSettings = { + __typename?: 'DiscussionSettings'; + /** 開放使用者在新文章中發佈留言 */ + defaultCommentStatus?: Maybe; + /** 開放其他網站對新文章傳送連結通知 (即自動引用通知及引用通知)。 */ + defaultPingStatus?: Maybe; +}; + +/** Relational context between connected nodes */ +export type Edge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected node */ + node: Node; +}; + +/** Asset enqueued by the CMS */ +export type EnqueuedAsset = { + /** The inline code to be run after the asset is loaded. */ + after?: Maybe>>; + /** + * Deprecated + * @deprecated Use `EnqueuedAsset.media` instead. + */ + args?: Maybe; + /** The inline code to be run before the asset is loaded. */ + before?: Maybe>>; + /** The HTML conditional comment for the enqueued asset. E.g. IE 6, lte IE 7, etc */ + conditional?: Maybe; + /** Dependencies needed to use this asset */ + dependencies?: Maybe>>; + /** + * Extra information needed for the script + * @deprecated Use `EnqueuedScript.extraData` instead. + */ + extra?: Maybe; + /** The handle of the enqueued asset */ + handle?: Maybe; + /** The ID of the enqueued asset */ + id: Scalars['ID']['output']; + /** The source of the asset */ + src?: Maybe; + /** The version of the enqueued asset */ + version?: Maybe; +}; + +/** Script enqueued by the CMS */ +export type EnqueuedScript = EnqueuedAsset & Node & { + __typename?: 'EnqueuedScript'; + /** The inline code to be run after the asset is loaded. */ + after?: Maybe>>; + /** + * Deprecated + * @deprecated Use `EnqueuedAsset.media` instead. + */ + args?: Maybe; + /** The inline code to be run before the asset is loaded. */ + before?: Maybe>>; + /** The HTML conditional comment for the enqueued asset. E.g. IE 6, lte IE 7, etc */ + conditional?: Maybe; + /** Dependencies needed to use this asset */ + dependencies?: Maybe>>; + /** + * Extra information needed for the script + * @deprecated Use `EnqueuedScript.extraData` instead. + */ + extra?: Maybe; + /** Extra data supplied to the enqueued script */ + extraData?: Maybe; + /** The handle of the enqueued asset */ + handle?: Maybe; + /** The global ID of the enqueued script */ + id: Scalars['ID']['output']; + /** The source of the asset */ + src?: Maybe; + /** The loading strategy to use on the script tag */ + strategy?: Maybe; + /** The version of the enqueued script */ + version?: Maybe; +}; + +/** Connection to EnqueuedScript Nodes */ +export type EnqueuedScriptConnection = { + /** A list of edges (relational context) between ContentNode and connected EnqueuedScript Nodes */ + edges: Array; + /** A list of connected EnqueuedScript Nodes */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: EnqueuedScriptConnectionPageInfo; +}; + +/** Edge between a Node and a connected EnqueuedScript */ +export type EnqueuedScriptConnectionEdge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected EnqueuedScript Node */ + node: EnqueuedScript; +}; + +/** Page Info on the connected EnqueuedScriptConnectionEdge */ +export type EnqueuedScriptConnectionPageInfo = { + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Stylesheet enqueued by the CMS */ +export type EnqueuedStylesheet = EnqueuedAsset & Node & { + __typename?: 'EnqueuedStylesheet'; + /** The inline code to be run after the asset is loaded. */ + after?: Maybe>>; + /** + * Deprecated + * @deprecated Use `EnqueuedAsset.media` instead. + */ + args?: Maybe; + /** The inline code to be run before the asset is loaded. */ + before?: Maybe>>; + /** The HTML conditional comment for the enqueued asset. E.g. IE 6, lte IE 7, etc */ + conditional?: Maybe; + /** Dependencies needed to use this asset */ + dependencies?: Maybe>>; + /** + * Extra information needed for the script + * @deprecated Use `EnqueuedScript.extraData` instead. + */ + extra?: Maybe; + /** The handle of the enqueued asset */ + handle?: Maybe; + /** The global ID of the enqueued stylesheet */ + id: Scalars['ID']['output']; + /** Whether the enqueued style is RTL or not */ + isRtl?: Maybe; + /** The media attribute to use for the link */ + media?: Maybe; + /** The absolute path to the enqueued style. Set when the stylesheet is meant to load inline. */ + path?: Maybe; + /** The `rel` attribute to use for the link */ + rel?: Maybe; + /** The source of the asset */ + src?: Maybe; + /** Optional suffix, used in combination with RTL */ + suffix?: Maybe; + /** The title of the enqueued style. Used for preferred/alternate stylesheets. */ + title?: Maybe; + /** The version of the enqueued style */ + version?: Maybe; +}; + +/** Connection to EnqueuedStylesheet Nodes */ +export type EnqueuedStylesheetConnection = { + /** A list of edges (relational context) between ContentNode and connected EnqueuedStylesheet Nodes */ + edges: Array; + /** A list of connected EnqueuedStylesheet Nodes */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: EnqueuedStylesheetConnectionPageInfo; +}; + +/** Edge between a Node and a connected EnqueuedStylesheet */ +export type EnqueuedStylesheetConnectionEdge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected EnqueuedStylesheet Node */ + node: EnqueuedStylesheet; +}; + +/** Page Info on the connected EnqueuedStylesheetConnectionEdge */ +export type EnqueuedStylesheetConnectionPageInfo = { + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** The general setting type */ +export type GeneralSettings = { + __typename?: 'GeneralSettings'; + /** 全部日期字串的日期格式。 */ + dateFormat?: Maybe; + /** 網站說明。 */ + description?: Maybe; + /** 這個電子郵件地址用於管理目的。例如接收新使用者註冊通知。 */ + email?: Maybe; + /** WordPress 地區語言代碼。 */ + language?: Maybe; + /** 每週的開始日期。 */ + startOfWeek?: Maybe; + /** 全部時間字串的時間格式。 */ + timeFormat?: Maybe; + /** 與居地相同時區的城市。 */ + timezone?: Maybe; + /** 網站標題。 */ + title?: Maybe; + /** 網站網址。 */ + url?: Maybe; +}; + +/** The graphqlDocument type */ +export type GraphqlDocument = ContentNode & DatabaseIdentifier & Node & NodeWithContentEditor & NodeWithTemplate & NodeWithTitle & UniformResourceIdentifiable & { + __typename?: 'GraphqlDocument'; + /** Alias names for saved GraphQL query documents */ + alias?: Maybe>; + /** The content of the post. */ + content?: Maybe; + /** Connection between the ContentNode type and the ContentType type */ + contentType?: Maybe; + /** The name of the Content Type the node belongs to */ + contentTypeName: Scalars['String']['output']; + /** The unique identifier stored in the database */ + databaseId: Scalars['Int']['output']; + /** Post publishing date. */ + date?: Maybe; + /** The publishing date set in GMT. */ + dateGmt?: Maybe; + /** Description for the saved GraphQL document */ + description?: Maybe; + /** The desired slug of the post */ + desiredSlug?: Maybe; + /** If a user has edited the node within the past 15 seconds, this will return the user that last edited. Null if the edit lock doesn't exist or is greater than 15 seconds */ + editingLockedBy?: Maybe; + /** The RSS enclosure for the object */ + enclosure?: Maybe; + /** Connection between the ContentNode type and the EnqueuedScript type */ + enqueuedScripts?: Maybe; + /** Connection between the ContentNode type and the EnqueuedStylesheet type */ + enqueuedStylesheets?: Maybe; + /** Allow, deny or default access grant for specific query */ + grant?: Maybe; + /** Connection between the GraphqlDocument type and the graphqlDocumentGroup type */ + graphqlDocumentGroups?: Maybe; + /** + * The id field matches the WP_Post->ID field. + * @deprecated Deprecated in favor of the databaseId field + */ + graphqlDocumentId: Scalars['Int']['output']; + /** The global unique identifier for this post. This currently matches the value stored in WP_Post->guid and the guid column in the "post_objects" database table. */ + guid?: Maybe; + /** The globally unique identifier of the graphql_document object. */ + id: Scalars['ID']['output']; + /** Whether the node is a Content Node */ + isContentNode: Scalars['Boolean']['output']; + /** Whether the object is a node in the preview state */ + isPreview?: Maybe; + /** Whether the object is restricted from the current viewer */ + isRestricted?: Maybe; + /** Whether the node is a Term */ + isTermNode: Scalars['Boolean']['output']; + /** The user that most recently edited the node */ + lastEditedBy?: Maybe; + /** The permalink of the post */ + link?: Maybe; + /** HTTP Cache-Control max-age directive for a saved GraphQL document */ + maxAgeHeader?: Maybe; + /** The local modified time for a post. If a post was recently updated the modified field will change to match the corresponding time. */ + modified?: Maybe; + /** The GMT modified time for a post. If a post was recently updated the modified field will change to match the corresponding time in GMT. */ + modifiedGmt?: Maybe; + /** + * Connection between the GraphqlDocument type and the graphqlDocument type + * @deprecated The "GraphqlDocument" Type is not publicly queryable and does not support previews. This field will be removed in the future. + */ + preview?: Maybe; + /** The database id of the preview node */ + previewRevisionDatabaseId?: Maybe; + /** Whether the object is a node in the preview state */ + previewRevisionId?: Maybe; + /** The Yoast SEO data of the ContentNode */ + seo?: Maybe; + /** The uri slug for the post. This is equivalent to the WP_Post->post_name field and the post_name column in the database for the "post_objects" table. */ + slug?: Maybe; + /** The current status of the object */ + status?: Maybe; + /** The template assigned to the node */ + template?: Maybe; + /** Connection between the GraphqlDocument type and the TermNode type */ + terms?: Maybe; + /** The title of the post. This is currently just the raw title. An amendment to support rendered title needs to be made. */ + title?: Maybe; + /** The unique resource identifier path */ + uri?: Maybe; +}; + + +/** The graphqlDocument type */ +export type GraphqlDocumentContentArgs = { + format?: InputMaybe; +}; + + +/** The graphqlDocument type */ +export type GraphqlDocumentEnqueuedScriptsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** The graphqlDocument type */ +export type GraphqlDocumentEnqueuedStylesheetsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** The graphqlDocument type */ +export type GraphqlDocumentGraphqlDocumentGroupsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The graphqlDocument type */ +export type GraphqlDocumentTermsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The graphqlDocument type */ +export type GraphqlDocumentTitleArgs = { + format?: InputMaybe; +}; + +/** Connection to graphqlDocument Nodes */ +export type GraphqlDocumentConnection = { + /** A list of edges (relational context) between RootQuery and connected graphqlDocument Nodes */ + edges: Array; + /** A list of connected graphqlDocument Nodes */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: GraphqlDocumentConnectionPageInfo; +}; + +/** Edge between a Node and a connected graphqlDocument */ +export type GraphqlDocumentConnectionEdge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected graphqlDocument Node */ + node: GraphqlDocument; +}; + +/** Page Info on the connected GraphqlDocumentConnectionEdge */ +export type GraphqlDocumentConnectionPageInfo = { + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Set relationships between the graphqlDocument to graphqlDocumentGroups */ +export type GraphqlDocumentGraphqlDocumentGroupsInput = { + /** If true, this will append the graphqlDocumentGroup to existing related graphqlDocumentGroups. If false, this will replace existing relationships. Default true. */ + append?: InputMaybe; + /** The input list of items to set. */ + nodes?: InputMaybe>>; +}; + +/** List of graphqlDocumentGroups to connect the graphqlDocument to. If an ID is set, it will be used to create the connection. If not, it will look for a slug. If neither are valid existing terms, and the site is configured to allow terms to be created during post mutations, a term will be created using the Name if it exists in the input, then fallback to the slug if it exists. */ +export type GraphqlDocumentGraphqlDocumentGroupsNodeInput = { + /** The description of the graphqlDocumentGroup. This field is used to set a description of the graphqlDocumentGroup if a new one is created during the mutation. */ + description?: InputMaybe; + /** The ID of the graphqlDocumentGroup. If present, this will be used to connect to the graphqlDocument. If no existing graphqlDocumentGroup exists with this ID, no connection will be made. */ + id?: InputMaybe; + /** The name of the graphqlDocumentGroup. This field is used to create a new term, if term creation is enabled in nested mutations, and if one does not already exist with the provided slug or ID or if a slug or ID is not provided. If no name is included and a term is created, the creation will fallback to the slug field. */ + name?: InputMaybe; + /** The slug of the graphqlDocumentGroup. If no ID is present, this field will be used to make a connection. If no existing term exists with this slug, this field will be used as a fallback to the Name field when creating a new term to connect to, if term creation is enabled as a nested mutation. */ + slug?: InputMaybe; +}; + +/** The graphqlDocumentGroup type */ +export type GraphqlDocumentGroup = DatabaseIdentifier & Node & TermNode & UniformResourceIdentifiable & { + __typename?: 'GraphqlDocumentGroup'; + /** Connection between the GraphqlDocumentGroup type and the ContentNode type */ + contentNodes?: Maybe; + /** The number of objects connected to the object */ + count?: Maybe; + /** The unique identifier stored in the database */ + databaseId: Scalars['Int']['output']; + /** The description of the object */ + description?: Maybe; + /** Connection between the TermNode type and the EnqueuedScript type */ + enqueuedScripts?: Maybe; + /** Connection between the TermNode type and the EnqueuedStylesheet type */ + enqueuedStylesheets?: Maybe; + /** + * The id field matches the WP_Post->ID field. + * @deprecated Deprecated in favor of databaseId + */ + graphqlDocumentGroupId?: Maybe; + /** Connection between the GraphqlDocumentGroup type and the graphqlDocument type */ + graphqlDocuments?: Maybe; + /** The unique resource identifier path */ + id: Scalars['ID']['output']; + /** Whether the node is a Content Node */ + isContentNode: Scalars['Boolean']['output']; + /** Whether the object is restricted from the current viewer */ + isRestricted?: Maybe; + /** Whether the node is a Term */ + isTermNode: Scalars['Boolean']['output']; + /** The link to the term */ + link?: Maybe; + /** The human friendly name of the object. */ + name?: Maybe; + /** The Yoast SEO data of the Groups taxonomy. */ + seo?: Maybe; + /** An alphanumeric identifier for the object unique to its type. */ + slug?: Maybe; + /** Connection between the GraphqlDocumentGroup type and the Taxonomy type */ + taxonomy?: Maybe; + /** The name of the taxonomy that the object is associated with */ + taxonomyName?: Maybe; + /** The ID of the term group that this term object belongs to */ + termGroupId?: Maybe; + /** The taxonomy ID that the object is associated with */ + termTaxonomyId?: Maybe; + /** The unique resource identifier path */ + uri?: Maybe; +}; + + +/** The graphqlDocumentGroup type */ +export type GraphqlDocumentGroupContentNodesArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The graphqlDocumentGroup type */ +export type GraphqlDocumentGroupEnqueuedScriptsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** The graphqlDocumentGroup type */ +export type GraphqlDocumentGroupEnqueuedStylesheetsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** The graphqlDocumentGroup type */ +export type GraphqlDocumentGroupGraphqlDocumentsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + +/** Connection to graphqlDocumentGroup Nodes */ +export type GraphqlDocumentGroupConnection = { + /** A list of edges (relational context) between RootQuery and connected graphqlDocumentGroup Nodes */ + edges: Array; + /** A list of connected graphqlDocumentGroup Nodes */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: GraphqlDocumentGroupConnectionPageInfo; +}; + +/** Edge between a Node and a connected graphqlDocumentGroup */ +export type GraphqlDocumentGroupConnectionEdge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected graphqlDocumentGroup Node */ + node: GraphqlDocumentGroup; +}; + +/** Page Info on the connected GraphqlDocumentGroupConnectionEdge */ +export type GraphqlDocumentGroupConnectionPageInfo = { + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** The Type of Identifier used to fetch a single resource. Default is ID. */ +export enum GraphqlDocumentGroupIdType { + /** The Database ID for the node */ + DatabaseId = 'DATABASE_ID', + /** The hashed Global ID */ + Id = 'ID', + /** The name of the node */ + Name = 'NAME', + /** Url friendly name of the node */ + Slug = 'SLUG', + /** The URI for the node */ + Uri = 'URI' +} + +/** Connection between the GraphqlDocumentGroup type and the ContentNode type */ +export type GraphqlDocumentGroupToContentNodeConnection = Connection & ContentNodeConnection & { + __typename?: 'GraphqlDocumentGroupToContentNodeConnection'; + /** Edges for the GraphqlDocumentGroupToContentNodeConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: GraphqlDocumentGroupToContentNodeConnectionPageInfo; +}; + +/** An edge in a connection */ +export type GraphqlDocumentGroupToContentNodeConnectionEdge = ContentNodeConnectionEdge & Edge & { + __typename?: 'GraphqlDocumentGroupToContentNodeConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: ContentNode; +}; + +/** Page Info on the "GraphqlDocumentGroupToContentNodeConnection" */ +export type GraphqlDocumentGroupToContentNodeConnectionPageInfo = ContentNodeConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'GraphqlDocumentGroupToContentNodeConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the GraphqlDocumentGroupToContentNodeConnection connection */ +export type GraphqlDocumentGroupToContentNodeConnectionWhereArgs = { + /** The Types of content to filter */ + contentTypes?: InputMaybe>>; + /** Filter the connection based on dates */ + dateQuery?: InputMaybe; + /** True for objects with passwords; False for objects without passwords; null for all objects with or without passwords */ + hasPassword?: InputMaybe; + /** Specific database ID of the object */ + id?: InputMaybe; + /** Array of IDs for the objects to retrieve */ + in?: InputMaybe>>; + /** Get objects with a specific mimeType property */ + mimeType?: InputMaybe; + /** Slug / post_name of the object */ + name?: InputMaybe; + /** Specify objects to retrieve. Use slugs */ + nameIn?: InputMaybe>>; + /** Specify IDs NOT to retrieve. If this is used in the same query as "in", it will be ignored */ + notIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** Use ID to return only children. Use 0 to return only top-level items */ + parent?: InputMaybe; + /** Specify objects whose parent is in an array */ + parentIn?: InputMaybe>>; + /** Specify posts whose parent is not in an array */ + parentNotIn?: InputMaybe>>; + /** Show posts with a specific password. */ + password?: InputMaybe; + /** Show Posts based on a keyword search */ + search?: InputMaybe; + /** Retrieve posts where post status is in an array. */ + stati?: InputMaybe>>; + /** Show posts with a specific status. */ + status?: InputMaybe; + /** Title of the object */ + title?: InputMaybe; +}; + +/** Connection between the GraphqlDocumentGroup type and the graphqlDocument type */ +export type GraphqlDocumentGroupToGraphqlDocumentConnection = Connection & GraphqlDocumentConnection & { + __typename?: 'GraphqlDocumentGroupToGraphqlDocumentConnection'; + /** Edges for the GraphqlDocumentGroupToGraphqlDocumentConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: GraphqlDocumentGroupToGraphqlDocumentConnectionPageInfo; +}; + +/** An edge in a connection */ +export type GraphqlDocumentGroupToGraphqlDocumentConnectionEdge = Edge & GraphqlDocumentConnectionEdge & { + __typename?: 'GraphqlDocumentGroupToGraphqlDocumentConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: GraphqlDocument; +}; + +/** Page Info on the "GraphqlDocumentGroupToGraphqlDocumentConnection" */ +export type GraphqlDocumentGroupToGraphqlDocumentConnectionPageInfo = GraphqlDocumentConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'GraphqlDocumentGroupToGraphqlDocumentConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the GraphqlDocumentGroupToGraphqlDocumentConnection connection */ +export type GraphqlDocumentGroupToGraphqlDocumentConnectionWhereArgs = { + /** Filter the connection based on dates */ + dateQuery?: InputMaybe; + /** True for objects with passwords; False for objects without passwords; null for all objects with or without passwords */ + hasPassword?: InputMaybe; + /** Specific database ID of the object */ + id?: InputMaybe; + /** Array of IDs for the objects to retrieve */ + in?: InputMaybe>>; + /** Get objects with a specific mimeType property */ + mimeType?: InputMaybe; + /** Slug / post_name of the object */ + name?: InputMaybe; + /** Specify objects to retrieve. Use slugs */ + nameIn?: InputMaybe>>; + /** Specify IDs NOT to retrieve. If this is used in the same query as "in", it will be ignored */ + notIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** Use ID to return only children. Use 0 to return only top-level items */ + parent?: InputMaybe; + /** Specify objects whose parent is in an array */ + parentIn?: InputMaybe>>; + /** Specify posts whose parent is not in an array */ + parentNotIn?: InputMaybe>>; + /** Show posts with a specific password. */ + password?: InputMaybe; + /** Show Posts based on a keyword search */ + search?: InputMaybe; + /** Retrieve posts where post status is in an array. */ + stati?: InputMaybe>>; + /** Show posts with a specific status. */ + status?: InputMaybe; + /** Title of the object */ + title?: InputMaybe; +}; + +/** Connection between the GraphqlDocumentGroup type and the Taxonomy type */ +export type GraphqlDocumentGroupToTaxonomyConnectionEdge = Edge & OneToOneConnection & TaxonomyConnectionEdge & { + __typename?: 'GraphqlDocumentGroupToTaxonomyConnectionEdge'; + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The node of the connection, without the edges */ + node: Taxonomy; +}; + +/** The Type of Identifier used to fetch a single resource. Default is ID. */ +export enum GraphqlDocumentIdType { + /** Identify a resource by the Database ID. */ + DatabaseId = 'DATABASE_ID', + /** Identify a resource by the (hashed) Global ID. */ + Id = 'ID', + /** Identify a resource by the slug. Available to non-hierarchcial Types where the slug is a unique identifier. */ + Slug = 'SLUG', + /** Identify a resource by the URI. */ + Uri = 'URI' +} + +/** Connection between the GraphqlDocument type and the graphqlDocumentGroup type */ +export type GraphqlDocumentToGraphqlDocumentGroupConnection = Connection & GraphqlDocumentGroupConnection & { + __typename?: 'GraphqlDocumentToGraphqlDocumentGroupConnection'; + /** Edges for the GraphqlDocumentToGraphqlDocumentGroupConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: GraphqlDocumentToGraphqlDocumentGroupConnectionPageInfo; +}; + +/** An edge in a connection */ +export type GraphqlDocumentToGraphqlDocumentGroupConnectionEdge = Edge & GraphqlDocumentGroupConnectionEdge & { + __typename?: 'GraphqlDocumentToGraphqlDocumentGroupConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The Yoast SEO Primary graphql_document_group */ + isPrimary?: Maybe; + /** The item at the end of the edge */ + node: GraphqlDocumentGroup; +}; + +/** Page Info on the "GraphqlDocumentToGraphqlDocumentGroupConnection" */ +export type GraphqlDocumentToGraphqlDocumentGroupConnectionPageInfo = GraphqlDocumentGroupConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'GraphqlDocumentToGraphqlDocumentGroupConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the GraphqlDocumentToGraphqlDocumentGroupConnection connection */ +export type GraphqlDocumentToGraphqlDocumentGroupConnectionWhereArgs = { + /** Unique cache key to be produced when this query is stored in an object cache. Default is 'core'. */ + cacheDomain?: InputMaybe; + /** Term ID to retrieve child terms of. If multiple taxonomies are passed, $child_of is ignored. Default 0. */ + childOf?: InputMaybe; + /** True to limit results to terms that have no children. This parameter has no effect on non-hierarchical taxonomies. Default false. */ + childless?: InputMaybe; + /** Retrieve terms where the description is LIKE the input value. Default empty. */ + descriptionLike?: InputMaybe; + /** Array of term ids to exclude. If $include is non-empty, $exclude is ignored. Default empty array. */ + exclude?: InputMaybe>>; + /** Array of term ids to exclude along with all of their descendant terms. If $include is non-empty, $exclude_tree is ignored. Default empty array. */ + excludeTree?: InputMaybe>>; + /** Whether to hide terms not assigned to any posts. Accepts true or false. Default false */ + hideEmpty?: InputMaybe; + /** Whether to include terms that have non-empty descendants (even if $hide_empty is set to true). Default true. */ + hierarchical?: InputMaybe; + /** Array of term ids to include. Default empty array. */ + include?: InputMaybe>>; + /** Array of names to return term(s) for. Default empty. */ + name?: InputMaybe>>; + /** Retrieve terms where the name is LIKE the input value. Default empty. */ + nameLike?: InputMaybe; + /** Array of object IDs. Results will be limited to terms associated with these objects. */ + objectIds?: InputMaybe>>; + /** Direction the connection should be ordered in */ + order?: InputMaybe; + /** Field(s) to order terms by. Defaults to 'name'. */ + orderby?: InputMaybe; + /** Whether to pad the quantity of a term's children in the quantity of each term's "count" object variable. Default false. */ + padCounts?: InputMaybe; + /** Parent term ID to retrieve direct-child terms of. Default empty. */ + parent?: InputMaybe; + /** Search criteria to match terms. Will be SQL-formatted with wildcards before and after. Default empty. */ + search?: InputMaybe; + /** Array of slugs to return term(s) for. Default empty. */ + slug?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomId?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomyId?: InputMaybe>>; + /** Whether to prime meta caches for matched terms. Default true. */ + updateTermMetaCache?: InputMaybe; +}; + +/** Connection between the GraphqlDocument type and the graphqlDocument type */ +export type GraphqlDocumentToPreviewConnectionEdge = Edge & GraphqlDocumentConnectionEdge & OneToOneConnection & { + __typename?: 'GraphqlDocumentToPreviewConnectionEdge'; + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** + * The node of the connection, without the edges + * @deprecated The "GraphqlDocument" Type is not publicly queryable and does not support previews. This field will be removed in the future. + */ + node: GraphqlDocument; +}; + +/** Connection between the GraphqlDocument type and the TermNode type */ +export type GraphqlDocumentToTermNodeConnection = Connection & TermNodeConnection & { + __typename?: 'GraphqlDocumentToTermNodeConnection'; + /** Edges for the GraphqlDocumentToTermNodeConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: GraphqlDocumentToTermNodeConnectionPageInfo; +}; + +/** An edge in a connection */ +export type GraphqlDocumentToTermNodeConnectionEdge = Edge & TermNodeConnectionEdge & { + __typename?: 'GraphqlDocumentToTermNodeConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: TermNode; +}; + +/** Page Info on the "GraphqlDocumentToTermNodeConnection" */ +export type GraphqlDocumentToTermNodeConnectionPageInfo = PageInfo & TermNodeConnectionPageInfo & WpPageInfo & { + __typename?: 'GraphqlDocumentToTermNodeConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the GraphqlDocumentToTermNodeConnection connection */ +export type GraphqlDocumentToTermNodeConnectionWhereArgs = { + /** Unique cache key to be produced when this query is stored in an object cache. Default is 'core'. */ + cacheDomain?: InputMaybe; + /** Term ID to retrieve child terms of. If multiple taxonomies are passed, $child_of is ignored. Default 0. */ + childOf?: InputMaybe; + /** True to limit results to terms that have no children. This parameter has no effect on non-hierarchical taxonomies. Default false. */ + childless?: InputMaybe; + /** Retrieve terms where the description is LIKE the input value. Default empty. */ + descriptionLike?: InputMaybe; + /** Array of term ids to exclude. If $include is non-empty, $exclude is ignored. Default empty array. */ + exclude?: InputMaybe>>; + /** Array of term ids to exclude along with all of their descendant terms. If $include is non-empty, $exclude_tree is ignored. Default empty array. */ + excludeTree?: InputMaybe>>; + /** Whether to hide terms not assigned to any posts. Accepts true or false. Default false */ + hideEmpty?: InputMaybe; + /** Whether to include terms that have non-empty descendants (even if $hide_empty is set to true). Default true. */ + hierarchical?: InputMaybe; + /** Array of term ids to include. Default empty array. */ + include?: InputMaybe>>; + /** Array of names to return term(s) for. Default empty. */ + name?: InputMaybe>>; + /** Retrieve terms where the name is LIKE the input value. Default empty. */ + nameLike?: InputMaybe; + /** Array of object IDs. Results will be limited to terms associated with these objects. */ + objectIds?: InputMaybe>>; + /** Direction the connection should be ordered in */ + order?: InputMaybe; + /** Field(s) to order terms by. Defaults to 'name'. */ + orderby?: InputMaybe; + /** Whether to pad the quantity of a term's children in the quantity of each term's "count" object variable. Default false. */ + padCounts?: InputMaybe; + /** Parent term ID to retrieve direct-child terms of. Default empty. */ + parent?: InputMaybe; + /** Search criteria to match terms. Will be SQL-formatted with wildcards before and after. Default empty. */ + search?: InputMaybe; + /** Array of slugs to return term(s) for. Default empty. */ + slug?: InputMaybe>>; + /** The Taxonomy to filter terms by */ + taxonomies?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomId?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomyId?: InputMaybe>>; + /** Whether to prime meta caches for matched terms. Default true. */ + updateTermMetaCache?: InputMaybe; +}; + +/** Content node with hierarchical (parent/child) relationships */ +export type HierarchicalContentNode = { + /** Returns ancestors of the node. Default ordered as lowest (closest to the child) to highest (closest to the root). */ + ancestors?: Maybe; + /** Connection between the HierarchicalContentNode type and the ContentNode type */ + children?: Maybe; + /** Connection between the ContentNode type and the ContentType type */ + contentType?: Maybe; + /** The name of the Content Type the node belongs to */ + contentTypeName: Scalars['String']['output']; + /** The unique identifier stored in the database */ + databaseId: Scalars['Int']['output']; + /** Post publishing date. */ + date?: Maybe; + /** The publishing date set in GMT. */ + dateGmt?: Maybe; + /** The desired slug of the post */ + desiredSlug?: Maybe; + /** If a user has edited the node within the past 15 seconds, this will return the user that last edited. Null if the edit lock doesn't exist or is greater than 15 seconds */ + editingLockedBy?: Maybe; + /** The RSS enclosure for the object */ + enclosure?: Maybe; + /** Connection between the ContentNode type and the EnqueuedScript type */ + enqueuedScripts?: Maybe; + /** Connection between the ContentNode type and the EnqueuedStylesheet type */ + enqueuedStylesheets?: Maybe; + /** The global unique identifier for this post. This currently matches the value stored in WP_Post->guid and the guid column in the "post_objects" database table. */ + guid?: Maybe; + /** The globally unique ID for the object */ + id: Scalars['ID']['output']; + /** Whether the node is a Content Node */ + isContentNode: Scalars['Boolean']['output']; + /** Whether the object is a node in the preview state */ + isPreview?: Maybe; + /** Whether the object is restricted from the current viewer */ + isRestricted?: Maybe; + /** Whether the node is a Term */ + isTermNode: Scalars['Boolean']['output']; + /** The user that most recently edited the node */ + lastEditedBy?: Maybe; + /** The permalink of the post */ + link?: Maybe; + /** The local modified time for a post. If a post was recently updated the modified field will change to match the corresponding time. */ + modified?: Maybe; + /** The GMT modified time for a post. If a post was recently updated the modified field will change to match the corresponding time in GMT. */ + modifiedGmt?: Maybe; + /** The parent of the node. The parent object can be of various types */ + parent?: Maybe; + /** Database id of the parent node */ + parentDatabaseId?: Maybe; + /** The globally unique identifier of the parent node. */ + parentId?: Maybe; + /** The database id of the preview node */ + previewRevisionDatabaseId?: Maybe; + /** Whether the object is a node in the preview state */ + previewRevisionId?: Maybe; + /** The Yoast SEO data of the ContentNode */ + seo?: Maybe; + /** The uri slug for the post. This is equivalent to the WP_Post->post_name field and the post_name column in the database for the "post_objects" table. */ + slug?: Maybe; + /** The current status of the object */ + status?: Maybe; + /** The template assigned to a node of content */ + template?: Maybe; + /** The unique resource identifier path */ + uri?: Maybe; +}; + + +/** Content node with hierarchical (parent/child) relationships */ +export type HierarchicalContentNodeAncestorsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** Content node with hierarchical (parent/child) relationships */ +export type HierarchicalContentNodeChildrenArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** Content node with hierarchical (parent/child) relationships */ +export type HierarchicalContentNodeEnqueuedScriptsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** Content node with hierarchical (parent/child) relationships */ +export type HierarchicalContentNodeEnqueuedStylesheetsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + +/** Connection between the HierarchicalContentNode type and the ContentNode type */ +export type HierarchicalContentNodeToContentNodeAncestorsConnection = Connection & ContentNodeConnection & { + __typename?: 'HierarchicalContentNodeToContentNodeAncestorsConnection'; + /** Edges for the HierarchicalContentNodeToContentNodeAncestorsConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: HierarchicalContentNodeToContentNodeAncestorsConnectionPageInfo; +}; + +/** An edge in a connection */ +export type HierarchicalContentNodeToContentNodeAncestorsConnectionEdge = ContentNodeConnectionEdge & Edge & { + __typename?: 'HierarchicalContentNodeToContentNodeAncestorsConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: ContentNode; +}; + +/** Page Info on the "HierarchicalContentNodeToContentNodeAncestorsConnection" */ +export type HierarchicalContentNodeToContentNodeAncestorsConnectionPageInfo = ContentNodeConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'HierarchicalContentNodeToContentNodeAncestorsConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the HierarchicalContentNodeToContentNodeAncestorsConnection connection */ +export type HierarchicalContentNodeToContentNodeAncestorsConnectionWhereArgs = { + /** The Types of content to filter */ + contentTypes?: InputMaybe>>; + /** Filter the connection based on dates */ + dateQuery?: InputMaybe; + /** True for objects with passwords; False for objects without passwords; null for all objects with or without passwords */ + hasPassword?: InputMaybe; + /** Specific database ID of the object */ + id?: InputMaybe; + /** Array of IDs for the objects to retrieve */ + in?: InputMaybe>>; + /** Get objects with a specific mimeType property */ + mimeType?: InputMaybe; + /** Slug / post_name of the object */ + name?: InputMaybe; + /** Specify objects to retrieve. Use slugs */ + nameIn?: InputMaybe>>; + /** Specify IDs NOT to retrieve. If this is used in the same query as "in", it will be ignored */ + notIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** Use ID to return only children. Use 0 to return only top-level items */ + parent?: InputMaybe; + /** Specify objects whose parent is in an array */ + parentIn?: InputMaybe>>; + /** Specify posts whose parent is not in an array */ + parentNotIn?: InputMaybe>>; + /** Show posts with a specific password. */ + password?: InputMaybe; + /** Show Posts based on a keyword search */ + search?: InputMaybe; + /** Retrieve posts where post status is in an array. */ + stati?: InputMaybe>>; + /** Show posts with a specific status. */ + status?: InputMaybe; + /** Title of the object */ + title?: InputMaybe; +}; + +/** Connection between the HierarchicalContentNode type and the ContentNode type */ +export type HierarchicalContentNodeToContentNodeChildrenConnection = Connection & ContentNodeConnection & { + __typename?: 'HierarchicalContentNodeToContentNodeChildrenConnection'; + /** Edges for the HierarchicalContentNodeToContentNodeChildrenConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: HierarchicalContentNodeToContentNodeChildrenConnectionPageInfo; +}; + +/** An edge in a connection */ +export type HierarchicalContentNodeToContentNodeChildrenConnectionEdge = ContentNodeConnectionEdge & Edge & { + __typename?: 'HierarchicalContentNodeToContentNodeChildrenConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: ContentNode; +}; + +/** Page Info on the "HierarchicalContentNodeToContentNodeChildrenConnection" */ +export type HierarchicalContentNodeToContentNodeChildrenConnectionPageInfo = ContentNodeConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'HierarchicalContentNodeToContentNodeChildrenConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the HierarchicalContentNodeToContentNodeChildrenConnection connection */ +export type HierarchicalContentNodeToContentNodeChildrenConnectionWhereArgs = { + /** The Types of content to filter */ + contentTypes?: InputMaybe>>; + /** Filter the connection based on dates */ + dateQuery?: InputMaybe; + /** True for objects with passwords; False for objects without passwords; null for all objects with or without passwords */ + hasPassword?: InputMaybe; + /** Specific database ID of the object */ + id?: InputMaybe; + /** Array of IDs for the objects to retrieve */ + in?: InputMaybe>>; + /** Get objects with a specific mimeType property */ + mimeType?: InputMaybe; + /** Slug / post_name of the object */ + name?: InputMaybe; + /** Specify objects to retrieve. Use slugs */ + nameIn?: InputMaybe>>; + /** Specify IDs NOT to retrieve. If this is used in the same query as "in", it will be ignored */ + notIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** Use ID to return only children. Use 0 to return only top-level items */ + parent?: InputMaybe; + /** Specify objects whose parent is in an array */ + parentIn?: InputMaybe>>; + /** Specify posts whose parent is not in an array */ + parentNotIn?: InputMaybe>>; + /** Show posts with a specific password. */ + password?: InputMaybe; + /** Show Posts based on a keyword search */ + search?: InputMaybe; + /** Retrieve posts where post status is in an array. */ + stati?: InputMaybe>>; + /** Show posts with a specific status. */ + status?: InputMaybe; + /** Title of the object */ + title?: InputMaybe; +}; + +/** Connection between the HierarchicalContentNode type and the ContentNode type */ +export type HierarchicalContentNodeToParentContentNodeConnectionEdge = ContentNodeConnectionEdge & Edge & OneToOneConnection & { + __typename?: 'HierarchicalContentNodeToParentContentNodeConnectionEdge'; + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The node of the connection, without the edges */ + node: ContentNode; +}; + +/** Node with hierarchical (parent/child) relationships */ +export type HierarchicalNode = { + /** The unique identifier stored in the database */ + databaseId: Scalars['Int']['output']; + /** The globally unique ID for the object */ + id: Scalars['ID']['output']; + /** Database id of the parent node */ + parentDatabaseId?: Maybe; + /** The globally unique identifier of the parent node. */ + parentId?: Maybe; +}; + +/** Term node with hierarchical (parent/child) relationships */ +export type HierarchicalTermNode = { + /** The number of objects connected to the object */ + count?: Maybe; + /** The unique identifier stored in the database */ + databaseId: Scalars['Int']['output']; + /** The description of the object */ + description?: Maybe; + /** Connection between the TermNode type and the EnqueuedScript type */ + enqueuedScripts?: Maybe; + /** Connection between the TermNode type and the EnqueuedStylesheet type */ + enqueuedStylesheets?: Maybe; + /** The globally unique ID for the object */ + id: Scalars['ID']['output']; + /** Whether the node is a Content Node */ + isContentNode: Scalars['Boolean']['output']; + /** Whether the object is restricted from the current viewer */ + isRestricted?: Maybe; + /** Whether the node is a Term */ + isTermNode: Scalars['Boolean']['output']; + /** The link to the term */ + link?: Maybe; + /** The human friendly name of the object. */ + name?: Maybe; + /** Database id of the parent node */ + parentDatabaseId?: Maybe; + /** The globally unique identifier of the parent node. */ + parentId?: Maybe; + /** An alphanumeric identifier for the object unique to its type. */ + slug?: Maybe; + /** The name of the taxonomy that the object is associated with */ + taxonomyName?: Maybe; + /** The ID of the term group that this term object belongs to */ + termGroupId?: Maybe; + /** The taxonomy ID that the object is associated with */ + termTaxonomyId?: Maybe; + /** The unique resource identifier path */ + uri?: Maybe; +}; + + +/** Term node with hierarchical (parent/child) relationships */ +export type HierarchicalTermNodeEnqueuedScriptsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** Term node with hierarchical (parent/child) relationships */ +export type HierarchicalTermNodeEnqueuedStylesheetsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + +/** Input for the login mutation. */ +export type LoginInput = { + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The plain-text password for the user logging in. */ + password: Scalars['String']['input']; + /** The username used for login. Typically a unique or email address depending on specific configuration */ + username: Scalars['String']['input']; +}; + +/** The payload for the login mutation. */ +export type LoginPayload = { + __typename?: 'LoginPayload'; + /** JWT Token that can be used in future requests for Authentication */ + authToken?: Maybe; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** A JWT token that can be used in future requests to get a refreshed jwtAuthToken. If the refresh token used in a request is revoked or otherwise invalid, a valid Auth token will NOT be issued in the response headers. */ + refreshToken?: Maybe; + /** The user that was logged in */ + user?: Maybe; +}; + +/** File details for a Media Item */ +export type MediaDetails = { + __typename?: 'MediaDetails'; + /** The filename of the mediaItem */ + file?: Maybe; + /** The height of the mediaItem */ + height?: Maybe; + /** Meta information associated with the mediaItem */ + meta?: Maybe; + /** The available sizes of the mediaItem */ + sizes?: Maybe>>; + /** The width of the mediaItem */ + width?: Maybe; +}; + + +/** File details for a Media Item */ +export type MediaDetailsSizesArgs = { + exclude?: InputMaybe>>; + include?: InputMaybe>>; +}; + +/** The mediaItem type */ +export type MediaItem = ContentNode & DatabaseIdentifier & HierarchicalContentNode & HierarchicalNode & Node & NodeWithAuthor & NodeWithTemplate & NodeWithTitle & UniformResourceIdentifiable & { + __typename?: 'MediaItem'; + /** Alternative text to display when resource is not displayed */ + altText?: Maybe; + /** Returns ancestors of the node. Default ordered as lowest (closest to the child) to highest (closest to the root). */ + ancestors?: Maybe; + /** Connection between the NodeWithAuthor type and the User type */ + author?: Maybe; + /** The database identifier of the author of the node */ + authorDatabaseId?: Maybe; + /** The globally unique identifier of the author of the node */ + authorId?: Maybe; + /** The caption for the resource */ + caption?: Maybe; + /** Connection between the HierarchicalContentNode type and the ContentNode type */ + children?: Maybe; + /** Connection between the ContentNode type and the ContentType type */ + contentType?: Maybe; + /** The name of the Content Type the node belongs to */ + contentTypeName: Scalars['String']['output']; + /** The unique identifier stored in the database */ + databaseId: Scalars['Int']['output']; + /** Post publishing date. */ + date?: Maybe; + /** The publishing date set in GMT. */ + dateGmt?: Maybe; + /** Description of the image (stored as post_content) */ + description?: Maybe; + /** The desired slug of the post */ + desiredSlug?: Maybe; + /** If a user has edited the node within the past 15 seconds, this will return the user that last edited. Null if the edit lock doesn't exist or is greater than 15 seconds */ + editingLockedBy?: Maybe; + /** The RSS enclosure for the object */ + enclosure?: Maybe; + /** Connection between the ContentNode type and the EnqueuedScript type */ + enqueuedScripts?: Maybe; + /** Connection between the ContentNode type and the EnqueuedStylesheet type */ + enqueuedStylesheets?: Maybe; + /** The filesize in bytes of the resource */ + fileSize?: Maybe; + /** The global unique identifier for this post. This currently matches the value stored in WP_Post->guid and the guid column in the "post_objects" database table. */ + guid?: Maybe; + /** The globally unique identifier of the attachment object. */ + id: Scalars['ID']['output']; + /** Whether the node is a Content Node */ + isContentNode: Scalars['Boolean']['output']; + /** Whether the object is a node in the preview state */ + isPreview?: Maybe; + /** Whether the object is restricted from the current viewer */ + isRestricted?: Maybe; + /** Whether the node is a Term */ + isTermNode: Scalars['Boolean']['output']; + /** The user that most recently edited the node */ + lastEditedBy?: Maybe; + /** The permalink of the post */ + link?: Maybe; + /** Details about the mediaItem */ + mediaDetails?: Maybe; + /** + * The id field matches the WP_Post->ID field. + * @deprecated Deprecated in favor of the databaseId field + */ + mediaItemId: Scalars['Int']['output']; + /** Url of the mediaItem */ + mediaItemUrl?: Maybe; + /** Type of resource */ + mediaType?: Maybe; + /** The mime type of the mediaItem */ + mimeType?: Maybe; + /** The local modified time for a post. If a post was recently updated the modified field will change to match the corresponding time. */ + modified?: Maybe; + /** The GMT modified time for a post. If a post was recently updated the modified field will change to match the corresponding time in GMT. */ + modifiedGmt?: Maybe; + /** The parent of the node. The parent object can be of various types */ + parent?: Maybe; + /** Database id of the parent node */ + parentDatabaseId?: Maybe; + /** The globally unique identifier of the parent node. */ + parentId?: Maybe; + /** The database id of the preview node */ + previewRevisionDatabaseId?: Maybe; + /** Whether the object is a node in the preview state */ + previewRevisionId?: Maybe; + /** The Yoast SEO data of the ContentNode */ + seo?: Maybe; + /** The sizes attribute value for an image. */ + sizes?: Maybe; + /** The uri slug for the post. This is equivalent to the WP_Post->post_name field and the post_name column in the database for the "post_objects" table. */ + slug?: Maybe; + /** Url of the mediaItem */ + sourceUrl?: Maybe; + /** The srcset attribute specifies the URL of the image to use in different situations. It is a comma separated string of urls and their widths. */ + srcSet?: Maybe; + /** The current status of the object */ + status?: Maybe; + /** The template assigned to a node of content */ + template?: Maybe; + /** The title of the post. This is currently just the raw title. An amendment to support rendered title needs to be made. */ + title?: Maybe; + /** The unique resource identifier path */ + uri?: Maybe; +}; + + +/** The mediaItem type */ +export type MediaItemAncestorsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The mediaItem type */ +export type MediaItemCaptionArgs = { + format?: InputMaybe; +}; + + +/** The mediaItem type */ +export type MediaItemChildrenArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The mediaItem type */ +export type MediaItemDescriptionArgs = { + format?: InputMaybe; +}; + + +/** The mediaItem type */ +export type MediaItemEnqueuedScriptsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** The mediaItem type */ +export type MediaItemEnqueuedStylesheetsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** The mediaItem type */ +export type MediaItemFileSizeArgs = { + size?: InputMaybe; +}; + + +/** The mediaItem type */ +export type MediaItemSizesArgs = { + size?: InputMaybe; +}; + + +/** The mediaItem type */ +export type MediaItemSourceUrlArgs = { + size?: InputMaybe; +}; + + +/** The mediaItem type */ +export type MediaItemSrcSetArgs = { + size?: InputMaybe; +}; + + +/** The mediaItem type */ +export type MediaItemTitleArgs = { + format?: InputMaybe; +}; + +/** Connection to mediaItem Nodes */ +export type MediaItemConnection = { + /** A list of edges (relational context) between RootQuery and connected mediaItem Nodes */ + edges: Array; + /** A list of connected mediaItem Nodes */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: MediaItemConnectionPageInfo; +}; + +/** Edge between a Node and a connected mediaItem */ +export type MediaItemConnectionEdge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected mediaItem Node */ + node: MediaItem; +}; + +/** Page Info on the connected MediaItemConnectionEdge */ +export type MediaItemConnectionPageInfo = { + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** The Type of Identifier used to fetch a single resource. Default is ID. */ +export enum MediaItemIdType { + /** Identify a resource by the Database ID. */ + DatabaseId = 'DATABASE_ID', + /** Identify a resource by the (hashed) Global ID. */ + Id = 'ID', + /** Identify a resource by the slug. Available to non-hierarchcial Types where the slug is a unique identifier. */ + Slug = 'SLUG', + /** Identify a media item by its source url */ + SourceUrl = 'SOURCE_URL', + /** Identify a resource by the URI. */ + Uri = 'URI' +} + +/** Meta connected to a MediaItem */ +export type MediaItemMeta = { + __typename?: 'MediaItemMeta'; + /** Aperture measurement of the media item. */ + aperture?: Maybe; + /** Information about the camera used to create the media item. */ + camera?: Maybe; + /** The text string description associated with the media item. */ + caption?: Maybe; + /** Copyright information associated with the media item. */ + copyright?: Maybe; + /** The date/time when the media was created. */ + createdTimestamp?: Maybe; + /** The original creator of the media item. */ + credit?: Maybe; + /** The focal length value of the media item. */ + focalLength?: Maybe; + /** The ISO (International Organization for Standardization) value of the media item. */ + iso?: Maybe; + /** List of keywords used to describe or identfy the media item. */ + keywords?: Maybe>>; + /** The vertical or horizontal aspect of the media item. */ + orientation?: Maybe; + /** The shutter speed information of the media item. */ + shutterSpeed?: Maybe; + /** A useful title for the media item. */ + title?: Maybe; +}; + +/** The size of the media item object. */ +export enum MediaItemSizeEnum { + /** MediaItem with the large size */ + Large = 'LARGE', + /** MediaItem with the medium size */ + Medium = 'MEDIUM', + /** MediaItem with the medium_large size */ + MediumLarge = 'MEDIUM_LARGE', + /** MediaItem with the thumbnail size */ + Thumbnail = 'THUMBNAIL', + /** MediaItem with the 1536x1536 size */ + '1536X1536' = '_1536X1536', + /** MediaItem with the 2048x2048 size */ + '2048X2048' = '_2048X2048' +} + +/** The status of the media item object. */ +export enum MediaItemStatusEnum { + /** Objects with the auto-draft status */ + AutoDraft = 'AUTO_DRAFT', + /** Objects with the inherit status */ + Inherit = 'INHERIT', + /** Objects with the private status */ + Private = 'PRIVATE', + /** Objects with the trash status */ + Trash = 'TRASH' +} + +/** Details of an available size for a media item */ +export type MediaSize = { + __typename?: 'MediaSize'; + /** The filename of the referenced size */ + file?: Maybe; + /** The filesize of the resource */ + fileSize?: Maybe; + /** The height of the referenced size */ + height?: Maybe; + /** The mime type of the referenced size */ + mimeType?: Maybe; + /** The referenced size name */ + name?: Maybe; + /** The url of the referenced size */ + sourceUrl?: Maybe; + /** The width of the referenced size */ + width?: Maybe; +}; + +/** Menus are the containers for navigation items. Menus can be assigned to menu locations, which are typically registered by the active theme. */ +export type Menu = DatabaseIdentifier & Node & { + __typename?: 'Menu'; + /** The number of items in the menu */ + count?: Maybe; + /** The unique identifier stored in the database */ + databaseId: Scalars['Int']['output']; + /** The globally unique identifier of the nav menu object. */ + id: Scalars['ID']['output']; + /** Whether the object is restricted from the current viewer */ + isRestricted?: Maybe; + /** The locations a menu is assigned to */ + locations?: Maybe>>; + /** + * WP ID of the nav menu. + * @deprecated Deprecated in favor of the databaseId field + */ + menuId?: Maybe; + /** Connection between the Menu type and the MenuItem type */ + menuItems?: Maybe; + /** Display name of the menu. Equivalent to WP_Term->name. */ + name?: Maybe; + /** The url friendly name of the menu. Equivalent to WP_Term->slug */ + slug?: Maybe; +}; + + +/** Menus are the containers for navigation items. Menus can be assigned to menu locations, which are typically registered by the active theme. */ +export type MenuMenuItemsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + +/** Connection to Menu Nodes */ +export type MenuConnection = { + /** A list of edges (relational context) between RootQuery and connected Menu Nodes */ + edges: Array; + /** A list of connected Menu Nodes */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: MenuConnectionPageInfo; +}; + +/** Edge between a Node and a connected Menu */ +export type MenuConnectionEdge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected Menu Node */ + node: Menu; +}; + +/** Page Info on the connected MenuConnectionEdge */ +export type MenuConnectionPageInfo = { + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Navigation menu items are the individual items assigned to a menu. These are rendered as the links in a navigation menu. */ +export type MenuItem = DatabaseIdentifier & Node & { + __typename?: 'MenuItem'; + /** Connection between the MenuItem type and the MenuItem type */ + childItems?: Maybe; + /** Connection from MenuItem to it's connected node */ + connectedNode?: Maybe; + /** + * The object connected to this menu item. + * @deprecated Deprecated in favor of the connectedNode field + */ + connectedObject?: Maybe; + /** Class attribute for the menu item link */ + cssClasses?: Maybe>>; + /** The unique identifier stored in the database */ + databaseId: Scalars['Int']['output']; + /** Description of the menu item. */ + description?: Maybe; + /** The globally unique identifier of the nav menu item object. */ + id: Scalars['ID']['output']; + /** Whether the object is restricted from the current viewer */ + isRestricted?: Maybe; + /** Label or title of the menu item. */ + label?: Maybe; + /** Link relationship (XFN) of the menu item. */ + linkRelationship?: Maybe; + /** The locations the menu item's Menu is assigned to */ + locations?: Maybe>>; + /** The Menu a MenuItem is part of */ + menu?: Maybe; + /** + * WP ID of the menu item. + * @deprecated Deprecated in favor of the databaseId field + */ + menuItemId?: Maybe; + /** Menu item order */ + order?: Maybe; + /** The database id of the parent menu item or null if it is the root */ + parentDatabaseId?: Maybe; + /** The globally unique identifier of the parent nav menu item object. */ + parentId?: Maybe; + /** Path for the resource. Relative path for internal resources. Absolute path for external resources. */ + path?: Maybe; + /** Target attribute for the menu item link. */ + target?: Maybe; + /** Title attribute for the menu item link */ + title?: Maybe; + /** The uri of the resource the menu item links to */ + uri?: Maybe; + /** URL or destination of the menu item. */ + url?: Maybe; +}; + + +/** Navigation menu items are the individual items assigned to a menu. These are rendered as the links in a navigation menu. */ +export type MenuItemChildItemsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + +/** Connection to MenuItem Nodes */ +export type MenuItemConnection = { + /** A list of edges (relational context) between RootQuery and connected MenuItem Nodes */ + edges: Array; + /** A list of connected MenuItem Nodes */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: MenuItemConnectionPageInfo; +}; + +/** Edge between a Node and a connected MenuItem */ +export type MenuItemConnectionEdge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected MenuItem Node */ + node: MenuItem; +}; + +/** Page Info on the connected MenuItemConnectionEdge */ +export type MenuItemConnectionPageInfo = { + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Nodes that can be linked to as Menu Items */ +export type MenuItemLinkable = { + /** The unique identifier stored in the database */ + databaseId: Scalars['Int']['output']; + /** The unique resource identifier path */ + id: Scalars['ID']['output']; + /** Whether the node is a Content Node */ + isContentNode: Scalars['Boolean']['output']; + /** Whether the node is a Term */ + isTermNode: Scalars['Boolean']['output']; + /** The unique resource identifier path */ + uri?: Maybe; +}; + +/** Edge between a Node and a connected MenuItemLinkable */ +export type MenuItemLinkableConnectionEdge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected MenuItemLinkable Node */ + node: MenuItemLinkable; +}; + +/** The Type of Identifier used to fetch a single node. Default is "ID". To be used along with the "id" field. */ +export enum MenuItemNodeIdTypeEnum { + /** Identify a resource by the Database ID. */ + DatabaseId = 'DATABASE_ID', + /** Identify a resource by the (hashed) Global ID. */ + Id = 'ID' +} + +/** Deprecated in favor of MenuItemLinkeable Interface */ +export type MenuItemObjectUnion = Category | Page | Post | PostFormat | Tag; + +/** Connection between the MenuItem type and the Menu type */ +export type MenuItemToMenuConnectionEdge = Edge & MenuConnectionEdge & OneToOneConnection & { + __typename?: 'MenuItemToMenuConnectionEdge'; + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The node of the connection, without the edges */ + node: Menu; +}; + +/** Connection between the MenuItem type and the MenuItem type */ +export type MenuItemToMenuItemConnection = Connection & MenuItemConnection & { + __typename?: 'MenuItemToMenuItemConnection'; + /** Edges for the MenuItemToMenuItemConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: MenuItemToMenuItemConnectionPageInfo; +}; + +/** An edge in a connection */ +export type MenuItemToMenuItemConnectionEdge = Edge & MenuItemConnectionEdge & { + __typename?: 'MenuItemToMenuItemConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: MenuItem; +}; + +/** Page Info on the "MenuItemToMenuItemConnection" */ +export type MenuItemToMenuItemConnectionPageInfo = MenuItemConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'MenuItemToMenuItemConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the MenuItemToMenuItemConnection connection */ +export type MenuItemToMenuItemConnectionWhereArgs = { + /** The database ID of the object */ + id?: InputMaybe; + /** The menu location for the menu being queried */ + location?: InputMaybe; + /** The database ID of the parent menu object */ + parentDatabaseId?: InputMaybe; + /** The ID of the parent menu object */ + parentId?: InputMaybe; +}; + +/** Connection between the MenuItem type and the MenuItemLinkable type */ +export type MenuItemToMenuItemLinkableConnectionEdge = Edge & MenuItemLinkableConnectionEdge & OneToOneConnection & { + __typename?: 'MenuItemToMenuItemLinkableConnectionEdge'; + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The node of the connection, without the edges */ + node: MenuItemLinkable; +}; + +/** Registered menu locations */ +export enum MenuLocationEnum { + /** Put the menu in the primary location */ + Primary = 'PRIMARY' +} + +/** The Type of Identifier used to fetch a single node. Default is "ID". To be used along with the "id" field. */ +export enum MenuNodeIdTypeEnum { + /** Identify a menu node by the Database ID. */ + DatabaseId = 'DATABASE_ID', + /** Identify a menu node by the (hashed) Global ID. */ + Id = 'ID', + /** Identify a menu node by the slug of menu location to which it is assigned */ + Location = 'LOCATION', + /** Identify a menu node by its name */ + Name = 'NAME', + /** Identify a menu node by its slug */ + Slug = 'SLUG' +} + +/** Connection between the Menu type and the MenuItem type */ +export type MenuToMenuItemConnection = Connection & MenuItemConnection & { + __typename?: 'MenuToMenuItemConnection'; + /** Edges for the MenuToMenuItemConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: MenuToMenuItemConnectionPageInfo; +}; + +/** An edge in a connection */ +export type MenuToMenuItemConnectionEdge = Edge & MenuItemConnectionEdge & { + __typename?: 'MenuToMenuItemConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: MenuItem; +}; + +/** Page Info on the "MenuToMenuItemConnection" */ +export type MenuToMenuItemConnectionPageInfo = MenuItemConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'MenuToMenuItemConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the MenuToMenuItemConnection connection */ +export type MenuToMenuItemConnectionWhereArgs = { + /** The database ID of the object */ + id?: InputMaybe; + /** The menu location for the menu being queried */ + location?: InputMaybe; + /** The database ID of the parent menu object */ + parentDatabaseId?: InputMaybe; + /** The ID of the parent menu object */ + parentId?: InputMaybe; +}; + +/** The MimeType of the object */ +export enum MimeTypeEnum { + /** application/java mime type. */ + ApplicationJava = 'APPLICATION_JAVA', + /** application/msword mime type. */ + ApplicationMsword = 'APPLICATION_MSWORD', + /** application/octet-stream mime type. */ + ApplicationOctetStream = 'APPLICATION_OCTET_STREAM', + /** application/onenote mime type. */ + ApplicationOnenote = 'APPLICATION_ONENOTE', + /** application/oxps mime type. */ + ApplicationOxps = 'APPLICATION_OXPS', + /** application/pdf mime type. */ + ApplicationPdf = 'APPLICATION_PDF', + /** application/rar mime type. */ + ApplicationRar = 'APPLICATION_RAR', + /** application/rtf mime type. */ + ApplicationRtf = 'APPLICATION_RTF', + /** application/ttaf+xml mime type. */ + ApplicationTtafXml = 'APPLICATION_TTAF_XML', + /** application/vnd.apple.keynote mime type. */ + ApplicationVndAppleKeynote = 'APPLICATION_VND_APPLE_KEYNOTE', + /** application/vnd.apple.numbers mime type. */ + ApplicationVndAppleNumbers = 'APPLICATION_VND_APPLE_NUMBERS', + /** application/vnd.apple.pages mime type. */ + ApplicationVndApplePages = 'APPLICATION_VND_APPLE_PAGES', + /** application/vnd.ms-access mime type. */ + ApplicationVndMsAccess = 'APPLICATION_VND_MS_ACCESS', + /** application/vnd.ms-excel mime type. */ + ApplicationVndMsExcel = 'APPLICATION_VND_MS_EXCEL', + /** application/vnd.ms-excel.addin.macroEnabled.12 mime type. */ + ApplicationVndMsExcelAddinMacroenabled_12 = 'APPLICATION_VND_MS_EXCEL_ADDIN_MACROENABLED_12', + /** application/vnd.ms-excel.sheet.binary.macroEnabled.12 mime type. */ + ApplicationVndMsExcelSheetBinaryMacroenabled_12 = 'APPLICATION_VND_MS_EXCEL_SHEET_BINARY_MACROENABLED_12', + /** application/vnd.ms-excel.sheet.macroEnabled.12 mime type. */ + ApplicationVndMsExcelSheetMacroenabled_12 = 'APPLICATION_VND_MS_EXCEL_SHEET_MACROENABLED_12', + /** application/vnd.ms-excel.template.macroEnabled.12 mime type. */ + ApplicationVndMsExcelTemplateMacroenabled_12 = 'APPLICATION_VND_MS_EXCEL_TEMPLATE_MACROENABLED_12', + /** application/vnd.ms-powerpoint mime type. */ + ApplicationVndMsPowerpoint = 'APPLICATION_VND_MS_POWERPOINT', + /** application/vnd.ms-powerpoint.addin.macroEnabled.12 mime type. */ + ApplicationVndMsPowerpointAddinMacroenabled_12 = 'APPLICATION_VND_MS_POWERPOINT_ADDIN_MACROENABLED_12', + /** application/vnd.ms-powerpoint.presentation.macroEnabled.12 mime type. */ + ApplicationVndMsPowerpointPresentationMacroenabled_12 = 'APPLICATION_VND_MS_POWERPOINT_PRESENTATION_MACROENABLED_12', + /** application/vnd.ms-powerpoint.slideshow.macroEnabled.12 mime type. */ + ApplicationVndMsPowerpointSlideshowMacroenabled_12 = 'APPLICATION_VND_MS_POWERPOINT_SLIDESHOW_MACROENABLED_12', + /** application/vnd.ms-powerpoint.slide.macroEnabled.12 mime type. */ + ApplicationVndMsPowerpointSlideMacroenabled_12 = 'APPLICATION_VND_MS_POWERPOINT_SLIDE_MACROENABLED_12', + /** application/vnd.ms-powerpoint.template.macroEnabled.12 mime type. */ + ApplicationVndMsPowerpointTemplateMacroenabled_12 = 'APPLICATION_VND_MS_POWERPOINT_TEMPLATE_MACROENABLED_12', + /** application/vnd.ms-project mime type. */ + ApplicationVndMsProject = 'APPLICATION_VND_MS_PROJECT', + /** application/vnd.ms-word.document.macroEnabled.12 mime type. */ + ApplicationVndMsWordDocumentMacroenabled_12 = 'APPLICATION_VND_MS_WORD_DOCUMENT_MACROENABLED_12', + /** application/vnd.ms-word.template.macroEnabled.12 mime type. */ + ApplicationVndMsWordTemplateMacroenabled_12 = 'APPLICATION_VND_MS_WORD_TEMPLATE_MACROENABLED_12', + /** application/vnd.ms-write mime type. */ + ApplicationVndMsWrite = 'APPLICATION_VND_MS_WRITE', + /** application/vnd.ms-xpsdocument mime type. */ + ApplicationVndMsXpsdocument = 'APPLICATION_VND_MS_XPSDOCUMENT', + /** application/vnd.oasis.opendocument.chart mime type. */ + ApplicationVndOasisOpendocumentChart = 'APPLICATION_VND_OASIS_OPENDOCUMENT_CHART', + /** application/vnd.oasis.opendocument.database mime type. */ + ApplicationVndOasisOpendocumentDatabase = 'APPLICATION_VND_OASIS_OPENDOCUMENT_DATABASE', + /** application/vnd.oasis.opendocument.formula mime type. */ + ApplicationVndOasisOpendocumentFormula = 'APPLICATION_VND_OASIS_OPENDOCUMENT_FORMULA', + /** application/vnd.oasis.opendocument.graphics mime type. */ + ApplicationVndOasisOpendocumentGraphics = 'APPLICATION_VND_OASIS_OPENDOCUMENT_GRAPHICS', + /** application/vnd.oasis.opendocument.presentation mime type. */ + ApplicationVndOasisOpendocumentPresentation = 'APPLICATION_VND_OASIS_OPENDOCUMENT_PRESENTATION', + /** application/vnd.oasis.opendocument.spreadsheet mime type. */ + ApplicationVndOasisOpendocumentSpreadsheet = 'APPLICATION_VND_OASIS_OPENDOCUMENT_SPREADSHEET', + /** application/vnd.oasis.opendocument.text mime type. */ + ApplicationVndOasisOpendocumentText = 'APPLICATION_VND_OASIS_OPENDOCUMENT_TEXT', + /** application/vnd.openxmlformats-officedocument.presentationml.presentation mime type. */ + ApplicationVndOpenxmlformatsOfficedocumentPresentationmlPresentation = 'APPLICATION_VND_OPENXMLFORMATS_OFFICEDOCUMENT_PRESENTATIONML_PRESENTATION', + /** application/vnd.openxmlformats-officedocument.presentationml.slide mime type. */ + ApplicationVndOpenxmlformatsOfficedocumentPresentationmlSlide = 'APPLICATION_VND_OPENXMLFORMATS_OFFICEDOCUMENT_PRESENTATIONML_SLIDE', + /** application/vnd.openxmlformats-officedocument.presentationml.slideshow mime type. */ + ApplicationVndOpenxmlformatsOfficedocumentPresentationmlSlideshow = 'APPLICATION_VND_OPENXMLFORMATS_OFFICEDOCUMENT_PRESENTATIONML_SLIDESHOW', + /** application/vnd.openxmlformats-officedocument.presentationml.template mime type. */ + ApplicationVndOpenxmlformatsOfficedocumentPresentationmlTemplate = 'APPLICATION_VND_OPENXMLFORMATS_OFFICEDOCUMENT_PRESENTATIONML_TEMPLATE', + /** application/vnd.openxmlformats-officedocument.spreadsheetml.sheet mime type. */ + ApplicationVndOpenxmlformatsOfficedocumentSpreadsheetmlSheet = 'APPLICATION_VND_OPENXMLFORMATS_OFFICEDOCUMENT_SPREADSHEETML_SHEET', + /** application/vnd.openxmlformats-officedocument.spreadsheetml.template mime type. */ + ApplicationVndOpenxmlformatsOfficedocumentSpreadsheetmlTemplate = 'APPLICATION_VND_OPENXMLFORMATS_OFFICEDOCUMENT_SPREADSHEETML_TEMPLATE', + /** application/vnd.openxmlformats-officedocument.wordprocessingml.document mime type. */ + ApplicationVndOpenxmlformatsOfficedocumentWordprocessingmlDocument = 'APPLICATION_VND_OPENXMLFORMATS_OFFICEDOCUMENT_WORDPROCESSINGML_DOCUMENT', + /** application/vnd.openxmlformats-officedocument.wordprocessingml.template mime type. */ + ApplicationVndOpenxmlformatsOfficedocumentWordprocessingmlTemplate = 'APPLICATION_VND_OPENXMLFORMATS_OFFICEDOCUMENT_WORDPROCESSINGML_TEMPLATE', + /** application/wordperfect mime type. */ + ApplicationWordperfect = 'APPLICATION_WORDPERFECT', + /** application/x-7z-compressed mime type. */ + ApplicationX_7ZCompressed = 'APPLICATION_X_7Z_COMPRESSED', + /** application/x-gzip mime type. */ + ApplicationXGzip = 'APPLICATION_X_GZIP', + /** application/x-tar mime type. */ + ApplicationXTar = 'APPLICATION_X_TAR', + /** application/zip mime type. */ + ApplicationZip = 'APPLICATION_ZIP', + /** audio/aac mime type. */ + AudioAac = 'AUDIO_AAC', + /** audio/flac mime type. */ + AudioFlac = 'AUDIO_FLAC', + /** audio/midi mime type. */ + AudioMidi = 'AUDIO_MIDI', + /** audio/mpeg mime type. */ + AudioMpeg = 'AUDIO_MPEG', + /** audio/ogg mime type. */ + AudioOgg = 'AUDIO_OGG', + /** audio/wav mime type. */ + AudioWav = 'AUDIO_WAV', + /** audio/x-matroska mime type. */ + AudioXMatroska = 'AUDIO_X_MATROSKA', + /** audio/x-ms-wax mime type. */ + AudioXMsWax = 'AUDIO_X_MS_WAX', + /** audio/x-ms-wma mime type. */ + AudioXMsWma = 'AUDIO_X_MS_WMA', + /** audio/x-realaudio mime type. */ + AudioXRealaudio = 'AUDIO_X_REALAUDIO', + /** image/bmp mime type. */ + ImageBmp = 'IMAGE_BMP', + /** image/gif mime type. */ + ImageGif = 'IMAGE_GIF', + /** image/heic mime type. */ + ImageHeic = 'IMAGE_HEIC', + /** image/jpeg mime type. */ + ImageJpeg = 'IMAGE_JPEG', + /** image/png mime type. */ + ImagePng = 'IMAGE_PNG', + /** image/tiff mime type. */ + ImageTiff = 'IMAGE_TIFF', + /** image/webp mime type. */ + ImageWebp = 'IMAGE_WEBP', + /** image/x-icon mime type. */ + ImageXIcon = 'IMAGE_X_ICON', + /** text/calendar mime type. */ + TextCalendar = 'TEXT_CALENDAR', + /** text/css mime type. */ + TextCss = 'TEXT_CSS', + /** text/csv mime type. */ + TextCsv = 'TEXT_CSV', + /** text/plain mime type. */ + TextPlain = 'TEXT_PLAIN', + /** text/richtext mime type. */ + TextRichtext = 'TEXT_RICHTEXT', + /** text/tab-separated-values mime type. */ + TextTabSeparatedValues = 'TEXT_TAB_SEPARATED_VALUES', + /** text/vtt mime type. */ + TextVtt = 'TEXT_VTT', + /** video/3gpp mime type. */ + Video_3Gpp = 'VIDEO_3GPP', + /** video/3gpp2 mime type. */ + Video_3Gpp2 = 'VIDEO_3GPP2', + /** video/avi mime type. */ + VideoAvi = 'VIDEO_AVI', + /** video/divx mime type. */ + VideoDivx = 'VIDEO_DIVX', + /** video/mp4 mime type. */ + VideoMp4 = 'VIDEO_MP4', + /** video/mpeg mime type. */ + VideoMpeg = 'VIDEO_MPEG', + /** video/ogg mime type. */ + VideoOgg = 'VIDEO_OGG', + /** video/quicktime mime type. */ + VideoQuicktime = 'VIDEO_QUICKTIME', + /** video/webm mime type. */ + VideoWebm = 'VIDEO_WEBM', + /** video/x-flv mime type. */ + VideoXFlv = 'VIDEO_X_FLV', + /** video/x-matroska mime type. */ + VideoXMatroska = 'VIDEO_X_MATROSKA', + /** video/x-ms-asf mime type. */ + VideoXMsAsf = 'VIDEO_X_MS_ASF', + /** video/x-ms-wm mime type. */ + VideoXMsWm = 'VIDEO_X_MS_WM', + /** video/x-ms-wmv mime type. */ + VideoXMsWmv = 'VIDEO_X_MS_WMV', + /** video/x-ms-wmx mime type. */ + VideoXMsWmx = 'VIDEO_X_MS_WMX' +} + +/** An object with an ID */ +export type Node = { + /** The globally unique ID for the object */ + id: Scalars['ID']['output']; +}; + +/** A node that can have an author assigned to it */ +export type NodeWithAuthor = { + /** Connection between the NodeWithAuthor type and the User type */ + author?: Maybe; + /** The database identifier of the author of the node */ + authorDatabaseId?: Maybe; + /** The globally unique identifier of the author of the node */ + authorId?: Maybe; + /** The globally unique ID for the object */ + id: Scalars['ID']['output']; +}; + +/** Connection between the NodeWithAuthor type and the User type */ +export type NodeWithAuthorToUserConnectionEdge = Edge & OneToOneConnection & UserConnectionEdge & { + __typename?: 'NodeWithAuthorToUserConnectionEdge'; + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The node of the connection, without the edges */ + node: User; +}; + +/** A node that supports the content editor */ +export type NodeWithContentEditor = { + /** The content of the post. */ + content?: Maybe; + /** The globally unique ID for the object */ + id: Scalars['ID']['output']; +}; + + +/** A node that supports the content editor */ +export type NodeWithContentEditorContentArgs = { + format?: InputMaybe; +}; + +/** A node that can have an excerpt */ +export type NodeWithExcerpt = { + /** The excerpt of the post. */ + excerpt?: Maybe; + /** The globally unique ID for the object */ + id: Scalars['ID']['output']; +}; + + +/** A node that can have an excerpt */ +export type NodeWithExcerptExcerptArgs = { + format?: InputMaybe; +}; + +/** A node that can have a featured image set */ +export type NodeWithFeaturedImage = { + /** Connection between the NodeWithFeaturedImage type and the MediaItem type */ + featuredImage?: Maybe; + /** The database identifier for the featured image node assigned to the content node */ + featuredImageDatabaseId?: Maybe; + /** Globally unique ID of the featured image assigned to the node */ + featuredImageId?: Maybe; + /** The globally unique ID for the object */ + id: Scalars['ID']['output']; +}; + +/** Connection between the NodeWithFeaturedImage type and the MediaItem type */ +export type NodeWithFeaturedImageToMediaItemConnectionEdge = Edge & MediaItemConnectionEdge & OneToOneConnection & { + __typename?: 'NodeWithFeaturedImageToMediaItemConnectionEdge'; + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The node of the connection, without the edges */ + node: MediaItem; +}; + +/** A node that can have page attributes */ +export type NodeWithPageAttributes = { + /** The globally unique ID for the object */ + id: Scalars['ID']['output']; + /** A field used for ordering posts. This is typically used with nav menu items or for special ordering of hierarchical content types. */ + menuOrder?: Maybe; +}; + +/** A node that can have revisions */ +export type NodeWithRevisions = { + /** The globally unique ID for the object */ + id: Scalars['ID']['output']; + /** True if the node is a revision of another node */ + isRevision?: Maybe; + /** If the current node is a revision, this field exposes the node this is a revision of. Returns null if the node is not a revision of another node. */ + revisionOf?: Maybe; +}; + +/** Connection between the NodeWithRevisions type and the ContentNode type */ +export type NodeWithRevisionsToContentNodeConnectionEdge = ContentNodeConnectionEdge & Edge & OneToOneConnection & { + __typename?: 'NodeWithRevisionsToContentNodeConnectionEdge'; + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The node of the connection, without the edges */ + node: ContentNode; +}; + +/** A node that can have a template associated with it */ +export type NodeWithTemplate = { + /** The globally unique ID for the object */ + id: Scalars['ID']['output']; + /** The template assigned to the node */ + template?: Maybe; +}; + +/** A node that NodeWith a title */ +export type NodeWithTitle = { + /** The globally unique ID for the object */ + id: Scalars['ID']['output']; + /** The Yoast SEO data of the ContentNode */ + seo?: Maybe; + /** The title of the post. This is currently just the raw title. An amendment to support rendered title needs to be made. */ + title?: Maybe; +}; + + +/** A node that NodeWith a title */ +export type NodeWithTitleTitleArgs = { + format?: InputMaybe; +}; + +/** A singular connection from one Node to another, with support for relational data on the "edge" of the connection. */ +export type OneToOneConnection = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected node */ + node: Node; +}; + +/** The cardinality of the connection order */ +export enum OrderEnum { + /** Sort the query result set in an ascending order */ + Asc = 'ASC', + /** Sort the query result set in a descending order */ + Desc = 'DESC' +} + +/** The page type */ +export type Page = ContentNode & DatabaseIdentifier & HierarchicalContentNode & HierarchicalNode & MenuItemLinkable & Node & NodeWithAuthor & NodeWithContentEditor & NodeWithFeaturedImage & NodeWithPageAttributes & NodeWithRevisions & NodeWithTemplate & NodeWithTitle & Previewable & UniformResourceIdentifiable & { + __typename?: 'Page'; + /** Returns ancestors of the node. Default ordered as lowest (closest to the child) to highest (closest to the root). */ + ancestors?: Maybe; + /** Connection between the NodeWithAuthor type and the User type */ + author?: Maybe; + /** The database identifier of the author of the node */ + authorDatabaseId?: Maybe; + /** The globally unique identifier of the author of the node */ + authorId?: Maybe; + /** Connection between the HierarchicalContentNode type and the ContentNode type */ + children?: Maybe; + /** The content of the post. */ + content?: Maybe; + /** Connection between the ContentNode type and the ContentType type */ + contentType?: Maybe; + /** The name of the Content Type the node belongs to */ + contentTypeName: Scalars['String']['output']; + /** The unique identifier stored in the database */ + databaseId: Scalars['Int']['output']; + /** Post publishing date. */ + date?: Maybe; + /** The publishing date set in GMT. */ + dateGmt?: Maybe; + /** The desired slug of the post */ + desiredSlug?: Maybe; + /** If a user has edited the node within the past 15 seconds, this will return the user that last edited. Null if the edit lock doesn't exist or is greater than 15 seconds */ + editingLockedBy?: Maybe; + /** The RSS enclosure for the object */ + enclosure?: Maybe; + /** Connection between the ContentNode type and the EnqueuedScript type */ + enqueuedScripts?: Maybe; + /** Connection between the ContentNode type and the EnqueuedStylesheet type */ + enqueuedStylesheets?: Maybe; + /** Connection between the NodeWithFeaturedImage type and the MediaItem type */ + featuredImage?: Maybe; + /** The database identifier for the featured image node assigned to the content node */ + featuredImageDatabaseId?: Maybe; + /** Globally unique ID of the featured image assigned to the node */ + featuredImageId?: Maybe; + /** The global unique identifier for this post. This currently matches the value stored in WP_Post->guid and the guid column in the "post_objects" database table. */ + guid?: Maybe; + /** The globally unique identifier of the page object. */ + id: Scalars['ID']['output']; + /** Whether the node is a Content Node */ + isContentNode: Scalars['Boolean']['output']; + /** Whether this page is set to the static front page. */ + isFrontPage: Scalars['Boolean']['output']; + /** Whether this page is set to the blog posts page. */ + isPostsPage: Scalars['Boolean']['output']; + /** Whether the object is a node in the preview state */ + isPreview?: Maybe; + /** Whether this page is set to the privacy page. */ + isPrivacyPage: Scalars['Boolean']['output']; + /** Whether the object is restricted from the current viewer */ + isRestricted?: Maybe; + /** True if the node is a revision of another node */ + isRevision?: Maybe; + /** Whether the node is a Term */ + isTermNode: Scalars['Boolean']['output']; + /** The user that most recently edited the node */ + lastEditedBy?: Maybe; + /** The permalink of the post */ + link?: Maybe; + /** A field used for ordering posts. This is typically used with nav menu items or for special ordering of hierarchical content types. */ + menuOrder?: Maybe; + /** The local modified time for a post. If a post was recently updated the modified field will change to match the corresponding time. */ + modified?: Maybe; + /** The GMT modified time for a post. If a post was recently updated the modified field will change to match the corresponding time in GMT. */ + modifiedGmt?: Maybe; + /** + * The id field matches the WP_Post->ID field. + * @deprecated Deprecated in favor of the databaseId field + */ + pageId: Scalars['Int']['output']; + /** The parent of the node. The parent object can be of various types */ + parent?: Maybe; + /** Database id of the parent node */ + parentDatabaseId?: Maybe; + /** The globally unique identifier of the parent node. */ + parentId?: Maybe; + /** Connection between the Page type and the page type */ + preview?: Maybe; + /** The database id of the preview node */ + previewRevisionDatabaseId?: Maybe; + /** Whether the object is a node in the preview state */ + previewRevisionId?: Maybe; + /** If the current node is a revision, this field exposes the node this is a revision of. Returns null if the node is not a revision of another node. */ + revisionOf?: Maybe; + /** Connection between the Page type and the page type */ + revisions?: Maybe; + /** The Yoast SEO data of the ContentNode */ + seo?: Maybe; + /** The uri slug for the post. This is equivalent to the WP_Post->post_name field and the post_name column in the database for the "post_objects" table. */ + slug?: Maybe; + /** The current status of the object */ + status?: Maybe; + /** The template assigned to a node of content */ + template?: Maybe; + /** The title of the post. This is currently just the raw title. An amendment to support rendered title needs to be made. */ + title?: Maybe; + /** The unique resource identifier path */ + uri?: Maybe; +}; + + +/** The page type */ +export type PageAncestorsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The page type */ +export type PageChildrenArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The page type */ +export type PageContentArgs = { + format?: InputMaybe; +}; + + +/** The page type */ +export type PageEnqueuedScriptsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** The page type */ +export type PageEnqueuedStylesheetsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** The page type */ +export type PageRevisionsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The page type */ +export type PageTitleArgs = { + format?: InputMaybe; +}; + +/** Connection to page Nodes */ +export type PageConnection = { + /** A list of edges (relational context) between RootQuery and connected page Nodes */ + edges: Array; + /** A list of connected page Nodes */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: PageConnectionPageInfo; +}; + +/** Edge between a Node and a connected page */ +export type PageConnectionEdge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected page Node */ + node: Page; +}; + +/** Page Info on the connected PageConnectionEdge */ +export type PageConnectionPageInfo = { + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** The Type of Identifier used to fetch a single resource. Default is ID. */ +export enum PageIdType { + /** Identify a resource by the Database ID. */ + DatabaseId = 'DATABASE_ID', + /** Identify a resource by the (hashed) Global ID. */ + Id = 'ID', + /** Identify a resource by the URI. */ + Uri = 'URI' +} + +/** Information about pagination in a connection. */ +export type PageInfo = { + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Connection between the Page type and the page type */ +export type PageToPreviewConnectionEdge = Edge & OneToOneConnection & PageConnectionEdge & { + __typename?: 'PageToPreviewConnectionEdge'; + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The node of the connection, without the edges */ + node: Page; +}; + +/** Connection between the Page type and the page type */ +export type PageToRevisionConnection = Connection & PageConnection & { + __typename?: 'PageToRevisionConnection'; + /** Edges for the PageToRevisionConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: PageToRevisionConnectionPageInfo; +}; + +/** An edge in a connection */ +export type PageToRevisionConnectionEdge = Edge & PageConnectionEdge & { + __typename?: 'PageToRevisionConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: Page; +}; + +/** Page Info on the "PageToRevisionConnection" */ +export type PageToRevisionConnectionPageInfo = PageConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'PageToRevisionConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the PageToRevisionConnection connection */ +export type PageToRevisionConnectionWhereArgs = { + /** The user that's connected as the author of the object. Use the userId for the author object. */ + author?: InputMaybe; + /** Find objects connected to author(s) in the array of author's userIds */ + authorIn?: InputMaybe>>; + /** Find objects connected to the author by the author's nicename */ + authorName?: InputMaybe; + /** Find objects NOT connected to author(s) in the array of author's userIds */ + authorNotIn?: InputMaybe>>; + /** Filter the connection based on dates */ + dateQuery?: InputMaybe; + /** True for objects with passwords; False for objects without passwords; null for all objects with or without passwords */ + hasPassword?: InputMaybe; + /** Specific database ID of the object */ + id?: InputMaybe; + /** Array of IDs for the objects to retrieve */ + in?: InputMaybe>>; + /** Get objects with a specific mimeType property */ + mimeType?: InputMaybe; + /** Slug / post_name of the object */ + name?: InputMaybe; + /** Specify objects to retrieve. Use slugs */ + nameIn?: InputMaybe>>; + /** Specify IDs NOT to retrieve. If this is used in the same query as "in", it will be ignored */ + notIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** Use ID to return only children. Use 0 to return only top-level items */ + parent?: InputMaybe; + /** Specify objects whose parent is in an array */ + parentIn?: InputMaybe>>; + /** Specify posts whose parent is not in an array */ + parentNotIn?: InputMaybe>>; + /** Show posts with a specific password. */ + password?: InputMaybe; + /** Show Posts based on a keyword search */ + search?: InputMaybe; + /** Retrieve posts where post status is in an array. */ + stati?: InputMaybe>>; + /** Show posts with a specific status. */ + status?: InputMaybe; + /** Title of the object */ + title?: InputMaybe; +}; + +/** An plugin object */ +export type Plugin = Node & { + __typename?: 'Plugin'; + /** Name of the plugin author(s), may also be a company name. */ + author?: Maybe; + /** URI for the related author(s)/company website. */ + authorUri?: Maybe; + /** Description of the plugin. */ + description?: Maybe; + /** The globally unique identifier of the plugin object. */ + id: Scalars['ID']['output']; + /** Whether the object is restricted from the current viewer */ + isRestricted?: Maybe; + /** Display name of the plugin. */ + name?: Maybe; + /** Plugin path. */ + path?: Maybe; + /** URI for the plugin website. This is useful for directing users for support requests etc. */ + pluginUri?: Maybe; + /** Current version of the plugin. */ + version?: Maybe; +}; + +/** Connection to Plugin Nodes */ +export type PluginConnection = { + /** A list of edges (relational context) between RootQuery and connected Plugin Nodes */ + edges: Array; + /** A list of connected Plugin Nodes */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: PluginConnectionPageInfo; +}; + +/** Edge between a Node and a connected Plugin */ +export type PluginConnectionEdge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected Plugin Node */ + node: Plugin; +}; + +/** Page Info on the connected PluginConnectionEdge */ +export type PluginConnectionPageInfo = { + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** The status of the WordPress plugin. */ +export enum PluginStatusEnum { + /** The plugin is currently active. */ + Active = 'ACTIVE', + /** The plugin is a drop-in plugin. */ + DropIn = 'DROP_IN', + /** The plugin is currently inactive. */ + Inactive = 'INACTIVE', + /** The plugin is a must-use plugin. */ + MustUse = 'MUST_USE', + /** The plugin is technically active but was paused while loading. */ + Paused = 'PAUSED', + /** The plugin was active recently. */ + RecentlyActive = 'RECENTLY_ACTIVE', + /** The plugin has an upgrade available. */ + Upgrade = 'UPGRADE' +} + +/** The post type */ +export type Post = ContentNode & DatabaseIdentifier & MenuItemLinkable & Node & NodeWithAuthor & NodeWithContentEditor & NodeWithExcerpt & NodeWithFeaturedImage & NodeWithRevisions & NodeWithTemplate & NodeWithTitle & Previewable & UniformResourceIdentifiable & { + __typename?: 'Post'; + /** Connection between the NodeWithAuthor type and the User type */ + author?: Maybe; + /** The database identifier of the author of the node */ + authorDatabaseId?: Maybe; + /** The globally unique identifier of the author of the node */ + authorId?: Maybe; + /** Connection between the Post type and the category type */ + categories?: Maybe; + /** The content of the post. */ + content?: Maybe; + /** Connection between the ContentNode type and the ContentType type */ + contentType?: Maybe; + /** The name of the Content Type the node belongs to */ + contentTypeName: Scalars['String']['output']; + /** The unique identifier stored in the database */ + databaseId: Scalars['Int']['output']; + /** Post publishing date. */ + date?: Maybe; + /** The publishing date set in GMT. */ + dateGmt?: Maybe; + /** The desired slug of the post */ + desiredSlug?: Maybe; + /** If a user has edited the node within the past 15 seconds, this will return the user that last edited. Null if the edit lock doesn't exist or is greater than 15 seconds */ + editingLockedBy?: Maybe; + /** The RSS enclosure for the object */ + enclosure?: Maybe; + /** Connection between the ContentNode type and the EnqueuedScript type */ + enqueuedScripts?: Maybe; + /** Connection between the ContentNode type and the EnqueuedStylesheet type */ + enqueuedStylesheets?: Maybe; + /** The excerpt of the post. */ + excerpt?: Maybe; + /** Connection between the NodeWithFeaturedImage type and the MediaItem type */ + featuredImage?: Maybe; + /** The database identifier for the featured image node assigned to the content node */ + featuredImageDatabaseId?: Maybe; + /** Globally unique ID of the featured image assigned to the node */ + featuredImageId?: Maybe; + /** The global unique identifier for this post. This currently matches the value stored in WP_Post->guid and the guid column in the "post_objects" database table. */ + guid?: Maybe; + /** The globally unique identifier of the post object. */ + id: Scalars['ID']['output']; + /** Whether the node is a Content Node */ + isContentNode: Scalars['Boolean']['output']; + /** Whether the object is a node in the preview state */ + isPreview?: Maybe; + /** Whether the object is restricted from the current viewer */ + isRestricted?: Maybe; + /** True if the node is a revision of another node */ + isRevision?: Maybe; + /** Whether this page is sticky */ + isSticky: Scalars['Boolean']['output']; + /** Whether the node is a Term */ + isTermNode: Scalars['Boolean']['output']; + /** The user that most recently edited the node */ + lastEditedBy?: Maybe; + /** The permalink of the post */ + link?: Maybe; + /** The local modified time for a post. If a post was recently updated the modified field will change to match the corresponding time. */ + modified?: Maybe; + /** The GMT modified time for a post. If a post was recently updated the modified field will change to match the corresponding time in GMT. */ + modifiedGmt?: Maybe; + /** Connection between the Post type and the postFormat type */ + postFormats?: Maybe; + /** + * The id field matches the WP_Post->ID field. + * @deprecated Deprecated in favor of the databaseId field + */ + postId: Scalars['Int']['output']; + /** Connection between the Post type and the post type */ + preview?: Maybe; + /** The database id of the preview node */ + previewRevisionDatabaseId?: Maybe; + /** Whether the object is a node in the preview state */ + previewRevisionId?: Maybe; + /** If the current node is a revision, this field exposes the node this is a revision of. Returns null if the node is not a revision of another node. */ + revisionOf?: Maybe; + /** Connection between the Post type and the post type */ + revisions?: Maybe; + /** The Yoast SEO data of the ContentNode */ + seo?: Maybe; + /** The uri slug for the post. This is equivalent to the WP_Post->post_name field and the post_name column in the database for the "post_objects" table. */ + slug?: Maybe; + /** The current status of the object */ + status?: Maybe; + /** Connection between the Post type and the tag type */ + tags?: Maybe; + /** The template assigned to the node */ + template?: Maybe; + /** Connection between the Post type and the TermNode type */ + terms?: Maybe; + /** The title of the post. This is currently just the raw title. An amendment to support rendered title needs to be made. */ + title?: Maybe; + /** The unique resource identifier path */ + uri?: Maybe; +}; + + +/** The post type */ +export type PostCategoriesArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The post type */ +export type PostContentArgs = { + format?: InputMaybe; +}; + + +/** The post type */ +export type PostEnqueuedScriptsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** The post type */ +export type PostEnqueuedStylesheetsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** The post type */ +export type PostExcerptArgs = { + format?: InputMaybe; +}; + + +/** The post type */ +export type PostPostFormatsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The post type */ +export type PostRevisionsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The post type */ +export type PostTagsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The post type */ +export type PostTermsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The post type */ +export type PostTitleArgs = { + format?: InputMaybe; +}; + +/** Set relationships between the post to categories */ +export type PostCategoriesInput = { + /** If true, this will append the category to existing related categories. If false, this will replace existing relationships. Default true. */ + append?: InputMaybe; + /** The input list of items to set. */ + nodes?: InputMaybe>>; +}; + +/** List of categories to connect the post to. If an ID is set, it will be used to create the connection. If not, it will look for a slug. If neither are valid existing terms, and the site is configured to allow terms to be created during post mutations, a term will be created using the Name if it exists in the input, then fallback to the slug if it exists. */ +export type PostCategoriesNodeInput = { + /** The description of the category. This field is used to set a description of the category if a new one is created during the mutation. */ + description?: InputMaybe; + /** The ID of the category. If present, this will be used to connect to the post. If no existing category exists with this ID, no connection will be made. */ + id?: InputMaybe; + /** The name of the category. This field is used to create a new term, if term creation is enabled in nested mutations, and if one does not already exist with the provided slug or ID or if a slug or ID is not provided. If no name is included and a term is created, the creation will fallback to the slug field. */ + name?: InputMaybe; + /** The slug of the category. If no ID is present, this field will be used to make a connection. If no existing term exists with this slug, this field will be used as a fallback to the Name field when creating a new term to connect to, if term creation is enabled as a nested mutation. */ + slug?: InputMaybe; +}; + +/** Connection to post Nodes */ +export type PostConnection = { + /** A list of edges (relational context) between RootQuery and connected post Nodes */ + edges: Array; + /** A list of connected post Nodes */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: PostConnectionPageInfo; +}; + +/** Edge between a Node and a connected post */ +export type PostConnectionEdge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected post Node */ + node: Post; +}; + +/** Page Info on the connected PostConnectionEdge */ +export type PostConnectionPageInfo = { + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** The postFormat type */ +export type PostFormat = DatabaseIdentifier & MenuItemLinkable & Node & TermNode & UniformResourceIdentifiable & { + __typename?: 'PostFormat'; + /** Connection between the PostFormat type and the ContentNode type */ + contentNodes?: Maybe; + /** The number of objects connected to the object */ + count?: Maybe; + /** The unique identifier stored in the database */ + databaseId: Scalars['Int']['output']; + /** The description of the object */ + description?: Maybe; + /** Connection between the TermNode type and the EnqueuedScript type */ + enqueuedScripts?: Maybe; + /** Connection between the TermNode type and the EnqueuedStylesheet type */ + enqueuedStylesheets?: Maybe; + /** The unique resource identifier path */ + id: Scalars['ID']['output']; + /** Whether the node is a Content Node */ + isContentNode: Scalars['Boolean']['output']; + /** Whether the object is restricted from the current viewer */ + isRestricted?: Maybe; + /** Whether the node is a Term */ + isTermNode: Scalars['Boolean']['output']; + /** The link to the term */ + link?: Maybe; + /** The human friendly name of the object. */ + name?: Maybe; + /** + * The id field matches the WP_Post->ID field. + * @deprecated Deprecated in favor of databaseId + */ + postFormatId?: Maybe; + /** Connection between the PostFormat type and the post type */ + posts?: Maybe; + /** The Yoast SEO data of the 文章格式 taxonomy. */ + seo?: Maybe; + /** An alphanumeric identifier for the object unique to its type. */ + slug?: Maybe; + /** Connection between the PostFormat type and the Taxonomy type */ + taxonomy?: Maybe; + /** The name of the taxonomy that the object is associated with */ + taxonomyName?: Maybe; + /** The ID of the term group that this term object belongs to */ + termGroupId?: Maybe; + /** The taxonomy ID that the object is associated with */ + termTaxonomyId?: Maybe; + /** The unique resource identifier path */ + uri?: Maybe; +}; + + +/** The postFormat type */ +export type PostFormatContentNodesArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The postFormat type */ +export type PostFormatEnqueuedScriptsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** The postFormat type */ +export type PostFormatEnqueuedStylesheetsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** The postFormat type */ +export type PostFormatPostsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + +/** Connection to postFormat Nodes */ +export type PostFormatConnection = { + /** A list of edges (relational context) between RootQuery and connected postFormat Nodes */ + edges: Array; + /** A list of connected postFormat Nodes */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: PostFormatConnectionPageInfo; +}; + +/** Edge between a Node and a connected postFormat */ +export type PostFormatConnectionEdge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected postFormat Node */ + node: PostFormat; +}; + +/** Page Info on the connected PostFormatConnectionEdge */ +export type PostFormatConnectionPageInfo = { + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** The Type of Identifier used to fetch a single resource. Default is ID. */ +export enum PostFormatIdType { + /** The Database ID for the node */ + DatabaseId = 'DATABASE_ID', + /** The hashed Global ID */ + Id = 'ID', + /** The name of the node */ + Name = 'NAME', + /** Url friendly name of the node */ + Slug = 'SLUG', + /** The URI for the node */ + Uri = 'URI' +} + +/** Connection between the PostFormat type and the ContentNode type */ +export type PostFormatToContentNodeConnection = Connection & ContentNodeConnection & { + __typename?: 'PostFormatToContentNodeConnection'; + /** Edges for the PostFormatToContentNodeConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: PostFormatToContentNodeConnectionPageInfo; +}; + +/** An edge in a connection */ +export type PostFormatToContentNodeConnectionEdge = ContentNodeConnectionEdge & Edge & { + __typename?: 'PostFormatToContentNodeConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: ContentNode; +}; + +/** Page Info on the "PostFormatToContentNodeConnection" */ +export type PostFormatToContentNodeConnectionPageInfo = ContentNodeConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'PostFormatToContentNodeConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the PostFormatToContentNodeConnection connection */ +export type PostFormatToContentNodeConnectionWhereArgs = { + /** The Types of content to filter */ + contentTypes?: InputMaybe>>; + /** Filter the connection based on dates */ + dateQuery?: InputMaybe; + /** True for objects with passwords; False for objects without passwords; null for all objects with or without passwords */ + hasPassword?: InputMaybe; + /** Specific database ID of the object */ + id?: InputMaybe; + /** Array of IDs for the objects to retrieve */ + in?: InputMaybe>>; + /** Get objects with a specific mimeType property */ + mimeType?: InputMaybe; + /** Slug / post_name of the object */ + name?: InputMaybe; + /** Specify objects to retrieve. Use slugs */ + nameIn?: InputMaybe>>; + /** Specify IDs NOT to retrieve. If this is used in the same query as "in", it will be ignored */ + notIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** Use ID to return only children. Use 0 to return only top-level items */ + parent?: InputMaybe; + /** Specify objects whose parent is in an array */ + parentIn?: InputMaybe>>; + /** Specify posts whose parent is not in an array */ + parentNotIn?: InputMaybe>>; + /** Show posts with a specific password. */ + password?: InputMaybe; + /** Show Posts based on a keyword search */ + search?: InputMaybe; + /** Retrieve posts where post status is in an array. */ + stati?: InputMaybe>>; + /** Show posts with a specific status. */ + status?: InputMaybe; + /** Title of the object */ + title?: InputMaybe; +}; + +/** Connection between the PostFormat type and the post type */ +export type PostFormatToPostConnection = Connection & PostConnection & { + __typename?: 'PostFormatToPostConnection'; + /** Edges for the PostFormatToPostConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: PostFormatToPostConnectionPageInfo; +}; + +/** An edge in a connection */ +export type PostFormatToPostConnectionEdge = Edge & PostConnectionEdge & { + __typename?: 'PostFormatToPostConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: Post; +}; + +/** Page Info on the "PostFormatToPostConnection" */ +export type PostFormatToPostConnectionPageInfo = PageInfo & PostConnectionPageInfo & WpPageInfo & { + __typename?: 'PostFormatToPostConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the PostFormatToPostConnection connection */ +export type PostFormatToPostConnectionWhereArgs = { + /** The user that's connected as the author of the object. Use the userId for the author object. */ + author?: InputMaybe; + /** Find objects connected to author(s) in the array of author's userIds */ + authorIn?: InputMaybe>>; + /** Find objects connected to the author by the author's nicename */ + authorName?: InputMaybe; + /** Find objects NOT connected to author(s) in the array of author's userIds */ + authorNotIn?: InputMaybe>>; + /** Category ID */ + categoryId?: InputMaybe; + /** Array of category IDs, used to display objects from one category OR another */ + categoryIn?: InputMaybe>>; + /** Use Category Slug */ + categoryName?: InputMaybe; + /** Array of category IDs, used to display objects from one category OR another */ + categoryNotIn?: InputMaybe>>; + /** Filter the connection based on dates */ + dateQuery?: InputMaybe; + /** True for objects with passwords; False for objects without passwords; null for all objects with or without passwords */ + hasPassword?: InputMaybe; + /** Specific database ID of the object */ + id?: InputMaybe; + /** Array of IDs for the objects to retrieve */ + in?: InputMaybe>>; + /** Get objects with a specific mimeType property */ + mimeType?: InputMaybe; + /** Slug / post_name of the object */ + name?: InputMaybe; + /** Specify objects to retrieve. Use slugs */ + nameIn?: InputMaybe>>; + /** Specify IDs NOT to retrieve. If this is used in the same query as "in", it will be ignored */ + notIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** Use ID to return only children. Use 0 to return only top-level items */ + parent?: InputMaybe; + /** Specify objects whose parent is in an array */ + parentIn?: InputMaybe>>; + /** Specify posts whose parent is not in an array */ + parentNotIn?: InputMaybe>>; + /** Show posts with a specific password. */ + password?: InputMaybe; + /** Show Posts based on a keyword search */ + search?: InputMaybe; + /** Retrieve posts where post status is in an array. */ + stati?: InputMaybe>>; + /** Show posts with a specific status. */ + status?: InputMaybe; + /** Tag Slug */ + tag?: InputMaybe; + /** Use Tag ID */ + tagId?: InputMaybe; + /** Array of tag IDs, used to display objects from one tag OR another */ + tagIn?: InputMaybe>>; + /** Array of tag IDs, used to display objects from one tag OR another */ + tagNotIn?: InputMaybe>>; + /** Array of tag slugs, used to display objects from one tag AND another */ + tagSlugAnd?: InputMaybe>>; + /** Array of tag slugs, used to include objects in ANY specified tags */ + tagSlugIn?: InputMaybe>>; + /** Title of the object */ + title?: InputMaybe; +}; + +/** Connection between the PostFormat type and the Taxonomy type */ +export type PostFormatToTaxonomyConnectionEdge = Edge & OneToOneConnection & TaxonomyConnectionEdge & { + __typename?: 'PostFormatToTaxonomyConnectionEdge'; + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The node of the connection, without the edges */ + node: Taxonomy; +}; + +/** The Type of Identifier used to fetch a single resource. Default is ID. */ +export enum PostIdType { + /** Identify a resource by the Database ID. */ + DatabaseId = 'DATABASE_ID', + /** Identify a resource by the (hashed) Global ID. */ + Id = 'ID', + /** Identify a resource by the slug. Available to non-hierarchcial Types where the slug is a unique identifier. */ + Slug = 'SLUG', + /** Identify a resource by the URI. */ + Uri = 'URI' +} + +/** The format of post field data. */ +export enum PostObjectFieldFormatEnum { + /** Provide the field value directly from database. Null on unauthenticated requests. */ + Raw = 'RAW', + /** Provide the field value as rendered by WordPress. Default. */ + Rendered = 'RENDERED' +} + +/** The column to use when filtering by date */ +export enum PostObjectsConnectionDateColumnEnum { + /** The date the comment was created in local time. */ + Date = 'DATE', + /** The most recent modification date of the comment. */ + Modified = 'MODIFIED' +} + +/** Field to order the connection by */ +export enum PostObjectsConnectionOrderbyEnum { + /** Order by author */ + Author = 'AUTHOR', + /** Order by the number of comments it has acquired */ + CommentCount = 'COMMENT_COUNT', + /** Order by publish date */ + Date = 'DATE', + /** Preserve the ID order given in the IN array */ + In = 'IN', + /** Order by the menu order value */ + MenuOrder = 'MENU_ORDER', + /** Order by last modified date */ + Modified = 'MODIFIED', + /** Preserve slug order given in the NAME_IN array */ + NameIn = 'NAME_IN', + /** Order by parent ID */ + Parent = 'PARENT', + /** Order by slug */ + Slug = 'SLUG', + /** Order by title */ + Title = 'TITLE' +} + +/** Options for ordering the connection */ +export type PostObjectsConnectionOrderbyInput = { + /** The field to order the connection by */ + field: PostObjectsConnectionOrderbyEnum; + /** Possible directions in which to order a list of items */ + order: OrderEnum; +}; + +/** Set relationships between the post to postFormats */ +export type PostPostFormatsInput = { + /** If true, this will append the postFormat to existing related postFormats. If false, this will replace existing relationships. Default true. */ + append?: InputMaybe; + /** The input list of items to set. */ + nodes?: InputMaybe>>; +}; + +/** List of postFormats to connect the post to. If an ID is set, it will be used to create the connection. If not, it will look for a slug. If neither are valid existing terms, and the site is configured to allow terms to be created during post mutations, a term will be created using the Name if it exists in the input, then fallback to the slug if it exists. */ +export type PostPostFormatsNodeInput = { + /** The description of the postFormat. This field is used to set a description of the postFormat if a new one is created during the mutation. */ + description?: InputMaybe; + /** The ID of the postFormat. If present, this will be used to connect to the post. If no existing postFormat exists with this ID, no connection will be made. */ + id?: InputMaybe; + /** The name of the postFormat. This field is used to create a new term, if term creation is enabled in nested mutations, and if one does not already exist with the provided slug or ID or if a slug or ID is not provided. If no name is included and a term is created, the creation will fallback to the slug field. */ + name?: InputMaybe; + /** The slug of the postFormat. If no ID is present, this field will be used to make a connection. If no existing term exists with this slug, this field will be used as a fallback to the Name field when creating a new term to connect to, if term creation is enabled as a nested mutation. */ + slug?: InputMaybe; +}; + +/** The status of the object. */ +export enum PostStatusEnum { + /** Objects with the auto-draft status */ + AutoDraft = 'AUTO_DRAFT', + /** Objects with the draft status */ + Draft = 'DRAFT', + /** Objects with the future status */ + Future = 'FUTURE', + /** Objects with the inherit status */ + Inherit = 'INHERIT', + /** Objects with the pending status */ + Pending = 'PENDING', + /** Objects with the private status */ + Private = 'PRIVATE', + /** Objects with the publish status */ + Publish = 'PUBLISH', + /** Objects with the request-completed status */ + RequestCompleted = 'REQUEST_COMPLETED', + /** Objects with the request-confirmed status */ + RequestConfirmed = 'REQUEST_CONFIRMED', + /** Objects with the request-failed status */ + RequestFailed = 'REQUEST_FAILED', + /** Objects with the request-pending status */ + RequestPending = 'REQUEST_PENDING', + /** Objects with the trash status */ + Trash = 'TRASH' +} + +/** Set relationships between the post to tags */ +export type PostTagsInput = { + /** If true, this will append the tag to existing related tags. If false, this will replace existing relationships. Default true. */ + append?: InputMaybe; + /** The input list of items to set. */ + nodes?: InputMaybe>>; +}; + +/** List of tags to connect the post to. If an ID is set, it will be used to create the connection. If not, it will look for a slug. If neither are valid existing terms, and the site is configured to allow terms to be created during post mutations, a term will be created using the Name if it exists in the input, then fallback to the slug if it exists. */ +export type PostTagsNodeInput = { + /** The description of the tag. This field is used to set a description of the tag if a new one is created during the mutation. */ + description?: InputMaybe; + /** The ID of the tag. If present, this will be used to connect to the post. If no existing tag exists with this ID, no connection will be made. */ + id?: InputMaybe; + /** The name of the tag. This field is used to create a new term, if term creation is enabled in nested mutations, and if one does not already exist with the provided slug or ID or if a slug or ID is not provided. If no name is included and a term is created, the creation will fallback to the slug field. */ + name?: InputMaybe; + /** The slug of the tag. If no ID is present, this field will be used to make a connection. If no existing term exists with this slug, this field will be used as a fallback to the Name field when creating a new term to connect to, if term creation is enabled as a nested mutation. */ + slug?: InputMaybe; +}; + +/** Connection between the Post type and the category type */ +export type PostToCategoryConnection = CategoryConnection & Connection & { + __typename?: 'PostToCategoryConnection'; + /** Edges for the PostToCategoryConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: PostToCategoryConnectionPageInfo; +}; + +/** An edge in a connection */ +export type PostToCategoryConnectionEdge = CategoryConnectionEdge & Edge & { + __typename?: 'PostToCategoryConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The Yoast SEO Primary category */ + isPrimary?: Maybe; + /** The item at the end of the edge */ + node: Category; +}; + +/** Page Info on the "PostToCategoryConnection" */ +export type PostToCategoryConnectionPageInfo = CategoryConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'PostToCategoryConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the PostToCategoryConnection connection */ +export type PostToCategoryConnectionWhereArgs = { + /** Unique cache key to be produced when this query is stored in an object cache. Default is 'core'. */ + cacheDomain?: InputMaybe; + /** Term ID to retrieve child terms of. If multiple taxonomies are passed, $child_of is ignored. Default 0. */ + childOf?: InputMaybe; + /** True to limit results to terms that have no children. This parameter has no effect on non-hierarchical taxonomies. Default false. */ + childless?: InputMaybe; + /** Retrieve terms where the description is LIKE the input value. Default empty. */ + descriptionLike?: InputMaybe; + /** Array of term ids to exclude. If $include is non-empty, $exclude is ignored. Default empty array. */ + exclude?: InputMaybe>>; + /** Array of term ids to exclude along with all of their descendant terms. If $include is non-empty, $exclude_tree is ignored. Default empty array. */ + excludeTree?: InputMaybe>>; + /** Whether to hide terms not assigned to any posts. Accepts true or false. Default false */ + hideEmpty?: InputMaybe; + /** Whether to include terms that have non-empty descendants (even if $hide_empty is set to true). Default true. */ + hierarchical?: InputMaybe; + /** Array of term ids to include. Default empty array. */ + include?: InputMaybe>>; + /** Array of names to return term(s) for. Default empty. */ + name?: InputMaybe>>; + /** Retrieve terms where the name is LIKE the input value. Default empty. */ + nameLike?: InputMaybe; + /** Array of object IDs. Results will be limited to terms associated with these objects. */ + objectIds?: InputMaybe>>; + /** Direction the connection should be ordered in */ + order?: InputMaybe; + /** Field(s) to order terms by. Defaults to 'name'. */ + orderby?: InputMaybe; + /** Whether to pad the quantity of a term's children in the quantity of each term's "count" object variable. Default false. */ + padCounts?: InputMaybe; + /** Parent term ID to retrieve direct-child terms of. Default empty. */ + parent?: InputMaybe; + /** Search criteria to match terms. Will be SQL-formatted with wildcards before and after. Default empty. */ + search?: InputMaybe; + /** Array of slugs to return term(s) for. Default empty. */ + slug?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomId?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomyId?: InputMaybe>>; + /** Whether to prime meta caches for matched terms. Default true. */ + updateTermMetaCache?: InputMaybe; +}; + +/** Connection between the Post type and the postFormat type */ +export type PostToPostFormatConnection = Connection & PostFormatConnection & { + __typename?: 'PostToPostFormatConnection'; + /** Edges for the PostToPostFormatConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: PostToPostFormatConnectionPageInfo; +}; + +/** An edge in a connection */ +export type PostToPostFormatConnectionEdge = Edge & PostFormatConnectionEdge & { + __typename?: 'PostToPostFormatConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The Yoast SEO Primary post_format */ + isPrimary?: Maybe; + /** The item at the end of the edge */ + node: PostFormat; +}; + +/** Page Info on the "PostToPostFormatConnection" */ +export type PostToPostFormatConnectionPageInfo = PageInfo & PostFormatConnectionPageInfo & WpPageInfo & { + __typename?: 'PostToPostFormatConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the PostToPostFormatConnection connection */ +export type PostToPostFormatConnectionWhereArgs = { + /** Unique cache key to be produced when this query is stored in an object cache. Default is 'core'. */ + cacheDomain?: InputMaybe; + /** Term ID to retrieve child terms of. If multiple taxonomies are passed, $child_of is ignored. Default 0. */ + childOf?: InputMaybe; + /** True to limit results to terms that have no children. This parameter has no effect on non-hierarchical taxonomies. Default false. */ + childless?: InputMaybe; + /** Retrieve terms where the description is LIKE the input value. Default empty. */ + descriptionLike?: InputMaybe; + /** Array of term ids to exclude. If $include is non-empty, $exclude is ignored. Default empty array. */ + exclude?: InputMaybe>>; + /** Array of term ids to exclude along with all of their descendant terms. If $include is non-empty, $exclude_tree is ignored. Default empty array. */ + excludeTree?: InputMaybe>>; + /** Whether to hide terms not assigned to any posts. Accepts true or false. Default false */ + hideEmpty?: InputMaybe; + /** Whether to include terms that have non-empty descendants (even if $hide_empty is set to true). Default true. */ + hierarchical?: InputMaybe; + /** Array of term ids to include. Default empty array. */ + include?: InputMaybe>>; + /** Array of names to return term(s) for. Default empty. */ + name?: InputMaybe>>; + /** Retrieve terms where the name is LIKE the input value. Default empty. */ + nameLike?: InputMaybe; + /** Array of object IDs. Results will be limited to terms associated with these objects. */ + objectIds?: InputMaybe>>; + /** Direction the connection should be ordered in */ + order?: InputMaybe; + /** Field(s) to order terms by. Defaults to 'name'. */ + orderby?: InputMaybe; + /** Whether to pad the quantity of a term's children in the quantity of each term's "count" object variable. Default false. */ + padCounts?: InputMaybe; + /** Parent term ID to retrieve direct-child terms of. Default empty. */ + parent?: InputMaybe; + /** Search criteria to match terms. Will be SQL-formatted with wildcards before and after. Default empty. */ + search?: InputMaybe; + /** Array of slugs to return term(s) for. Default empty. */ + slug?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomId?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomyId?: InputMaybe>>; + /** Whether to prime meta caches for matched terms. Default true. */ + updateTermMetaCache?: InputMaybe; +}; + +/** Connection between the Post type and the post type */ +export type PostToPreviewConnectionEdge = Edge & OneToOneConnection & PostConnectionEdge & { + __typename?: 'PostToPreviewConnectionEdge'; + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The node of the connection, without the edges */ + node: Post; +}; + +/** Connection between the Post type and the post type */ +export type PostToRevisionConnection = Connection & PostConnection & { + __typename?: 'PostToRevisionConnection'; + /** Edges for the PostToRevisionConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: PostToRevisionConnectionPageInfo; +}; + +/** An edge in a connection */ +export type PostToRevisionConnectionEdge = Edge & PostConnectionEdge & { + __typename?: 'PostToRevisionConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: Post; +}; + +/** Page Info on the "PostToRevisionConnection" */ +export type PostToRevisionConnectionPageInfo = PageInfo & PostConnectionPageInfo & WpPageInfo & { + __typename?: 'PostToRevisionConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the PostToRevisionConnection connection */ +export type PostToRevisionConnectionWhereArgs = { + /** The user that's connected as the author of the object. Use the userId for the author object. */ + author?: InputMaybe; + /** Find objects connected to author(s) in the array of author's userIds */ + authorIn?: InputMaybe>>; + /** Find objects connected to the author by the author's nicename */ + authorName?: InputMaybe; + /** Find objects NOT connected to author(s) in the array of author's userIds */ + authorNotIn?: InputMaybe>>; + /** Category ID */ + categoryId?: InputMaybe; + /** Array of category IDs, used to display objects from one category OR another */ + categoryIn?: InputMaybe>>; + /** Use Category Slug */ + categoryName?: InputMaybe; + /** Array of category IDs, used to display objects from one category OR another */ + categoryNotIn?: InputMaybe>>; + /** Filter the connection based on dates */ + dateQuery?: InputMaybe; + /** True for objects with passwords; False for objects without passwords; null for all objects with or without passwords */ + hasPassword?: InputMaybe; + /** Specific database ID of the object */ + id?: InputMaybe; + /** Array of IDs for the objects to retrieve */ + in?: InputMaybe>>; + /** Get objects with a specific mimeType property */ + mimeType?: InputMaybe; + /** Slug / post_name of the object */ + name?: InputMaybe; + /** Specify objects to retrieve. Use slugs */ + nameIn?: InputMaybe>>; + /** Specify IDs NOT to retrieve. If this is used in the same query as "in", it will be ignored */ + notIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** Use ID to return only children. Use 0 to return only top-level items */ + parent?: InputMaybe; + /** Specify objects whose parent is in an array */ + parentIn?: InputMaybe>>; + /** Specify posts whose parent is not in an array */ + parentNotIn?: InputMaybe>>; + /** Show posts with a specific password. */ + password?: InputMaybe; + /** Show Posts based on a keyword search */ + search?: InputMaybe; + /** Retrieve posts where post status is in an array. */ + stati?: InputMaybe>>; + /** Show posts with a specific status. */ + status?: InputMaybe; + /** Tag Slug */ + tag?: InputMaybe; + /** Use Tag ID */ + tagId?: InputMaybe; + /** Array of tag IDs, used to display objects from one tag OR another */ + tagIn?: InputMaybe>>; + /** Array of tag IDs, used to display objects from one tag OR another */ + tagNotIn?: InputMaybe>>; + /** Array of tag slugs, used to display objects from one tag AND another */ + tagSlugAnd?: InputMaybe>>; + /** Array of tag slugs, used to include objects in ANY specified tags */ + tagSlugIn?: InputMaybe>>; + /** Title of the object */ + title?: InputMaybe; +}; + +/** Connection between the Post type and the tag type */ +export type PostToTagConnection = Connection & TagConnection & { + __typename?: 'PostToTagConnection'; + /** Edges for the PostToTagConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: PostToTagConnectionPageInfo; +}; + +/** An edge in a connection */ +export type PostToTagConnectionEdge = Edge & TagConnectionEdge & { + __typename?: 'PostToTagConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The Yoast SEO Primary post_tag */ + isPrimary?: Maybe; + /** The item at the end of the edge */ + node: Tag; +}; + +/** Page Info on the "PostToTagConnection" */ +export type PostToTagConnectionPageInfo = PageInfo & TagConnectionPageInfo & WpPageInfo & { + __typename?: 'PostToTagConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the PostToTagConnection connection */ +export type PostToTagConnectionWhereArgs = { + /** Unique cache key to be produced when this query is stored in an object cache. Default is 'core'. */ + cacheDomain?: InputMaybe; + /** Term ID to retrieve child terms of. If multiple taxonomies are passed, $child_of is ignored. Default 0. */ + childOf?: InputMaybe; + /** True to limit results to terms that have no children. This parameter has no effect on non-hierarchical taxonomies. Default false. */ + childless?: InputMaybe; + /** Retrieve terms where the description is LIKE the input value. Default empty. */ + descriptionLike?: InputMaybe; + /** Array of term ids to exclude. If $include is non-empty, $exclude is ignored. Default empty array. */ + exclude?: InputMaybe>>; + /** Array of term ids to exclude along with all of their descendant terms. If $include is non-empty, $exclude_tree is ignored. Default empty array. */ + excludeTree?: InputMaybe>>; + /** Whether to hide terms not assigned to any posts. Accepts true or false. Default false */ + hideEmpty?: InputMaybe; + /** Whether to include terms that have non-empty descendants (even if $hide_empty is set to true). Default true. */ + hierarchical?: InputMaybe; + /** Array of term ids to include. Default empty array. */ + include?: InputMaybe>>; + /** Array of names to return term(s) for. Default empty. */ + name?: InputMaybe>>; + /** Retrieve terms where the name is LIKE the input value. Default empty. */ + nameLike?: InputMaybe; + /** Array of object IDs. Results will be limited to terms associated with these objects. */ + objectIds?: InputMaybe>>; + /** Direction the connection should be ordered in */ + order?: InputMaybe; + /** Field(s) to order terms by. Defaults to 'name'. */ + orderby?: InputMaybe; + /** Whether to pad the quantity of a term's children in the quantity of each term's "count" object variable. Default false. */ + padCounts?: InputMaybe; + /** Parent term ID to retrieve direct-child terms of. Default empty. */ + parent?: InputMaybe; + /** Search criteria to match terms. Will be SQL-formatted with wildcards before and after. Default empty. */ + search?: InputMaybe; + /** Array of slugs to return term(s) for. Default empty. */ + slug?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomId?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomyId?: InputMaybe>>; + /** Whether to prime meta caches for matched terms. Default true. */ + updateTermMetaCache?: InputMaybe; +}; + +/** Connection between the Post type and the TermNode type */ +export type PostToTermNodeConnection = Connection & TermNodeConnection & { + __typename?: 'PostToTermNodeConnection'; + /** Edges for the PostToTermNodeConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: PostToTermNodeConnectionPageInfo; +}; + +/** An edge in a connection */ +export type PostToTermNodeConnectionEdge = Edge & TermNodeConnectionEdge & { + __typename?: 'PostToTermNodeConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: TermNode; +}; + +/** Page Info on the "PostToTermNodeConnection" */ +export type PostToTermNodeConnectionPageInfo = PageInfo & TermNodeConnectionPageInfo & WpPageInfo & { + __typename?: 'PostToTermNodeConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the PostToTermNodeConnection connection */ +export type PostToTermNodeConnectionWhereArgs = { + /** Unique cache key to be produced when this query is stored in an object cache. Default is 'core'. */ + cacheDomain?: InputMaybe; + /** Term ID to retrieve child terms of. If multiple taxonomies are passed, $child_of is ignored. Default 0. */ + childOf?: InputMaybe; + /** True to limit results to terms that have no children. This parameter has no effect on non-hierarchical taxonomies. Default false. */ + childless?: InputMaybe; + /** Retrieve terms where the description is LIKE the input value. Default empty. */ + descriptionLike?: InputMaybe; + /** Array of term ids to exclude. If $include is non-empty, $exclude is ignored. Default empty array. */ + exclude?: InputMaybe>>; + /** Array of term ids to exclude along with all of their descendant terms. If $include is non-empty, $exclude_tree is ignored. Default empty array. */ + excludeTree?: InputMaybe>>; + /** Whether to hide terms not assigned to any posts. Accepts true or false. Default false */ + hideEmpty?: InputMaybe; + /** Whether to include terms that have non-empty descendants (even if $hide_empty is set to true). Default true. */ + hierarchical?: InputMaybe; + /** Array of term ids to include. Default empty array. */ + include?: InputMaybe>>; + /** Array of names to return term(s) for. Default empty. */ + name?: InputMaybe>>; + /** Retrieve terms where the name is LIKE the input value. Default empty. */ + nameLike?: InputMaybe; + /** Array of object IDs. Results will be limited to terms associated with these objects. */ + objectIds?: InputMaybe>>; + /** Direction the connection should be ordered in */ + order?: InputMaybe; + /** Field(s) to order terms by. Defaults to 'name'. */ + orderby?: InputMaybe; + /** Whether to pad the quantity of a term's children in the quantity of each term's "count" object variable. Default false. */ + padCounts?: InputMaybe; + /** Parent term ID to retrieve direct-child terms of. Default empty. */ + parent?: InputMaybe; + /** Search criteria to match terms. Will be SQL-formatted with wildcards before and after. Default empty. */ + search?: InputMaybe; + /** Array of slugs to return term(s) for. Default empty. */ + slug?: InputMaybe>>; + /** The Taxonomy to filter terms by */ + taxonomies?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomId?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomyId?: InputMaybe>>; + /** Whether to prime meta caches for matched terms. Default true. */ + updateTermMetaCache?: InputMaybe; +}; + +/** Details for labels of the PostType */ +export type PostTypeLabelDetails = { + __typename?: 'PostTypeLabelDetails'; + /** Default is ‘Add New’ for both hierarchical and non-hierarchical types. */ + addNew?: Maybe; + /** Label for adding a new singular item. */ + addNewItem?: Maybe; + /** Label to signify all items in a submenu link. */ + allItems?: Maybe; + /** Label for archives in nav menus */ + archives?: Maybe; + /** Label for the attributes meta box. */ + attributes?: Maybe; + /** Label for editing a singular item. */ + editItem?: Maybe; + /** Label for the Featured Image meta box title. */ + featuredImage?: Maybe; + /** Label for the table views hidden heading. */ + filterItemsList?: Maybe; + /** Label for the media frame button. */ + insertIntoItem?: Maybe; + /** Label for the table hidden heading. */ + itemsList?: Maybe; + /** Label for the table pagination hidden heading. */ + itemsListNavigation?: Maybe; + /** Label for the menu name. */ + menuName?: Maybe; + /** General name for the post type, usually plural. */ + name?: Maybe; + /** Label for the new item page title. */ + newItem?: Maybe; + /** Label used when no items are found. */ + notFound?: Maybe; + /** Label used when no items are in the trash. */ + notFoundInTrash?: Maybe; + /** Label used to prefix parents of hierarchical items. */ + parentItemColon?: Maybe; + /** Label for removing the featured image. */ + removeFeaturedImage?: Maybe; + /** Label for searching plural items. */ + searchItems?: Maybe; + /** Label for setting the featured image. */ + setFeaturedImage?: Maybe; + /** Name for one object of this post type. */ + singularName?: Maybe; + /** Label for the media frame filter. */ + uploadedToThisItem?: Maybe; + /** Label in the media frame for using a featured image. */ + useFeaturedImage?: Maybe; + /** Label for viewing a singular item. */ + viewItem?: Maybe; + /** Label for viewing post type archives. */ + viewItems?: Maybe; +}; + +export type PostTypeSeo = { + __typename?: 'PostTypeSEO'; + breadcrumbs?: Maybe>>; + canonical?: Maybe; + cornerstone?: Maybe; + focuskw?: Maybe; + fullHead?: Maybe; + metaDesc?: Maybe; + metaKeywords?: Maybe; + metaRobotsNofollow?: Maybe; + metaRobotsNoindex?: Maybe; + opengraphAuthor?: Maybe; + opengraphDescription?: Maybe; + opengraphImage?: Maybe; + opengraphModifiedTime?: Maybe; + opengraphPublishedTime?: Maybe; + opengraphPublisher?: Maybe; + opengraphSiteName?: Maybe; + opengraphTitle?: Maybe; + opengraphType?: Maybe; + opengraphUrl?: Maybe; + readingTime?: Maybe; + schema?: Maybe; + title?: Maybe; + twitterDescription?: Maybe; + twitterImage?: Maybe; + twitterTitle?: Maybe; +}; + +/** Nodes that can be seen in a preview (unpublished) state. */ +export type Previewable = { + /** Whether the object is a node in the preview state */ + isPreview?: Maybe; + /** The database id of the preview node */ + previewRevisionDatabaseId?: Maybe; + /** Whether the object is a node in the preview state */ + previewRevisionId?: Maybe; +}; + +/** The reading setting type */ +export type ReadingSettings = { + __typename?: 'ReadingSettings'; + /** 要顯示最新文章頁面的頁面 ID */ + pageForPosts?: Maybe; + /** 要顯示為靜態首頁頁面的頁面 ID */ + pageOnFront?: Maybe; + /** 網站文章頁面每頁文章顯示數量。 */ + postsPerPage?: Maybe; + /** 要顯示於靜態首頁的項目 */ + showOnFront?: Maybe; +}; + +/** Input for the refreshJwtAuthToken mutation. */ +export type RefreshJwtAuthTokenInput = { + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** A valid, previously issued JWT refresh token. If valid a new Auth token will be provided. If invalid, expired, revoked or otherwise invalid, a new AuthToken will not be provided. */ + jwtRefreshToken: Scalars['String']['input']; +}; + +/** The payload for the refreshJwtAuthToken mutation. */ +export type RefreshJwtAuthTokenPayload = { + __typename?: 'RefreshJwtAuthTokenPayload'; + /** JWT Token that can be used in future requests for Authentication */ + authToken?: Maybe; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; +}; + +/** Input for the registerUser mutation. */ +export type RegisterUserInput = { + /** User's AOL IM account. */ + aim?: InputMaybe; + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** A string containing content about the user. */ + description?: InputMaybe; + /** A string that will be shown on the site. Defaults to user's username. It is likely that you will want to change this, for both appearance and security through obscurity (that is if you dont use and delete the default admin user). */ + displayName?: InputMaybe; + /** A string containing the user's email address. */ + email?: InputMaybe; + /** The user's first name. */ + firstName?: InputMaybe; + /** User's Jabber account. */ + jabber?: InputMaybe; + /** The user's last name. */ + lastName?: InputMaybe; + /** User's locale. */ + locale?: InputMaybe; + /** A string that contains a URL-friendly name for the user. The default is the user's username. */ + nicename?: InputMaybe; + /** The user's nickname, defaults to the user's username. */ + nickname?: InputMaybe; + /** A string that contains the plain text password for the user. */ + password?: InputMaybe; + /** If true, this will refresh the users JWT secret. */ + refreshJwtUserSecret?: InputMaybe; + /** The date the user registered. Format is Y-m-d H:i:s. */ + registered?: InputMaybe; + /** If true, this will revoke the users JWT secret. If false, this will unrevoke the JWT secret AND issue a new one. To revoke, the user must have proper capabilities to edit users JWT secrets. */ + revokeJwtUserSecret?: InputMaybe; + /** A string for whether to enable the rich editor or not. False if not empty. */ + richEditing?: InputMaybe; + /** A string that contains the user's username. */ + username: Scalars['String']['input']; + /** A string containing the user's URL for the user's web site. */ + websiteUrl?: InputMaybe; + /** User's Yahoo IM account. */ + yim?: InputMaybe; +}; + +/** The payload for the registerUser mutation. */ +export type RegisterUserPayload = { + __typename?: 'RegisterUserPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The User object mutation type. */ + user?: Maybe; +}; + +/** The logical relation between each item in the array when there are more than one. */ +export enum RelationEnum { + /** The logical AND condition returns true if both operands are true, otherwise, it returns false. */ + And = 'AND', + /** The logical OR condition returns false if both operands are false, otherwise, it returns true. */ + Or = 'OR' +} + +/** Input for the resetUserPassword mutation. */ +export type ResetUserPasswordInput = { + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** Password reset key */ + key?: InputMaybe; + /** The user's login (username). */ + login?: InputMaybe; + /** The new password. */ + password?: InputMaybe; +}; + +/** The payload for the resetUserPassword mutation. */ +export type ResetUserPasswordPayload = { + __typename?: 'ResetUserPasswordPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The User object mutation type. */ + user?: Maybe; +}; + +/** Input for the restoreComment mutation. */ +export type RestoreCommentInput = { + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The ID of the comment to be restored */ + id: Scalars['ID']['input']; +}; + +/** The payload for the restoreComment mutation. */ +export type RestoreCommentPayload = { + __typename?: 'RestoreCommentPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The restored comment object */ + comment?: Maybe; + /** The ID of the restored comment */ + restoredId?: Maybe; +}; + +/** The root mutation */ +export type RootMutation = { + __typename?: 'RootMutation'; + /** The createCategory mutation */ + createCategory?: Maybe; + /** The createComment mutation */ + createComment?: Maybe; + /** The createGraphqlDocument mutation */ + createGraphqlDocument?: Maybe; + /** The createGraphqlDocumentGroup mutation */ + createGraphqlDocumentGroup?: Maybe; + /** The createMediaItem mutation */ + createMediaItem?: Maybe; + /** The createPage mutation */ + createPage?: Maybe; + /** The createPost mutation */ + createPost?: Maybe; + /** The createPostFormat mutation */ + createPostFormat?: Maybe; + /** The createTag mutation */ + createTag?: Maybe; + /** The createUser mutation */ + createUser?: Maybe; + /** The deleteCategory mutation */ + deleteCategory?: Maybe; + /** The deleteComment mutation */ + deleteComment?: Maybe; + /** The deleteGraphqlDocument mutation */ + deleteGraphqlDocument?: Maybe; + /** The deleteGraphqlDocumentGroup mutation */ + deleteGraphqlDocumentGroup?: Maybe; + /** The deleteMediaItem mutation */ + deleteMediaItem?: Maybe; + /** The deletePage mutation */ + deletePage?: Maybe; + /** The deletePost mutation */ + deletePost?: Maybe; + /** The deletePostFormat mutation */ + deletePostFormat?: Maybe; + /** The deleteTag mutation */ + deleteTag?: Maybe; + /** The deleteUser mutation */ + deleteUser?: Maybe; + /** Increase the count. */ + increaseCount?: Maybe; + /** Login a user. Request for an authToken and User details in response */ + login?: Maybe; + /** Use a valid JWT Refresh token to retrieve a new JWT Auth Token */ + refreshJwtAuthToken?: Maybe; + /** The registerUser mutation */ + registerUser?: Maybe; + /** The resetUserPassword mutation */ + resetUserPassword?: Maybe; + /** The restoreComment mutation */ + restoreComment?: Maybe; + /** Send password reset email to user */ + sendPasswordResetEmail?: Maybe; + /** The updateCategory mutation */ + updateCategory?: Maybe; + /** The updateComment mutation */ + updateComment?: Maybe; + /** The updateGraphqlDocument mutation */ + updateGraphqlDocument?: Maybe; + /** The updateGraphqlDocumentGroup mutation */ + updateGraphqlDocumentGroup?: Maybe; + /** The updateMediaItem mutation */ + updateMediaItem?: Maybe; + /** The updatePage mutation */ + updatePage?: Maybe; + /** The updatePost mutation */ + updatePost?: Maybe; + /** The updatePostFormat mutation */ + updatePostFormat?: Maybe; + /** The updateSettings mutation */ + updateSettings?: Maybe; + /** The updateTag mutation */ + updateTag?: Maybe; + /** The updateUser mutation */ + updateUser?: Maybe; +}; + + +/** The root mutation */ +export type RootMutationCreateCategoryArgs = { + input: CreateCategoryInput; +}; + + +/** The root mutation */ +export type RootMutationCreateCommentArgs = { + input: CreateCommentInput; +}; + + +/** The root mutation */ +export type RootMutationCreateGraphqlDocumentArgs = { + input: CreateGraphqlDocumentInput; +}; + + +/** The root mutation */ +export type RootMutationCreateGraphqlDocumentGroupArgs = { + input: CreateGraphqlDocumentGroupInput; +}; + + +/** The root mutation */ +export type RootMutationCreateMediaItemArgs = { + input: CreateMediaItemInput; +}; + + +/** The root mutation */ +export type RootMutationCreatePageArgs = { + input: CreatePageInput; +}; + + +/** The root mutation */ +export type RootMutationCreatePostArgs = { + input: CreatePostInput; +}; + + +/** The root mutation */ +export type RootMutationCreatePostFormatArgs = { + input: CreatePostFormatInput; +}; + + +/** The root mutation */ +export type RootMutationCreateTagArgs = { + input: CreateTagInput; +}; + + +/** The root mutation */ +export type RootMutationCreateUserArgs = { + input: CreateUserInput; +}; + + +/** The root mutation */ +export type RootMutationDeleteCategoryArgs = { + input: DeleteCategoryInput; +}; + + +/** The root mutation */ +export type RootMutationDeleteCommentArgs = { + input: DeleteCommentInput; +}; + + +/** The root mutation */ +export type RootMutationDeleteGraphqlDocumentArgs = { + input: DeleteGraphqlDocumentInput; +}; + + +/** The root mutation */ +export type RootMutationDeleteGraphqlDocumentGroupArgs = { + input: DeleteGraphqlDocumentGroupInput; +}; + + +/** The root mutation */ +export type RootMutationDeleteMediaItemArgs = { + input: DeleteMediaItemInput; +}; + + +/** The root mutation */ +export type RootMutationDeletePageArgs = { + input: DeletePageInput; +}; + + +/** The root mutation */ +export type RootMutationDeletePostArgs = { + input: DeletePostInput; +}; + + +/** The root mutation */ +export type RootMutationDeletePostFormatArgs = { + input: DeletePostFormatInput; +}; + + +/** The root mutation */ +export type RootMutationDeleteTagArgs = { + input: DeleteTagInput; +}; + + +/** The root mutation */ +export type RootMutationDeleteUserArgs = { + input: DeleteUserInput; +}; + + +/** The root mutation */ +export type RootMutationIncreaseCountArgs = { + count?: InputMaybe; +}; + + +/** The root mutation */ +export type RootMutationLoginArgs = { + input: LoginInput; +}; + + +/** The root mutation */ +export type RootMutationRefreshJwtAuthTokenArgs = { + input: RefreshJwtAuthTokenInput; +}; + + +/** The root mutation */ +export type RootMutationRegisterUserArgs = { + input: RegisterUserInput; +}; + + +/** The root mutation */ +export type RootMutationResetUserPasswordArgs = { + input: ResetUserPasswordInput; +}; + + +/** The root mutation */ +export type RootMutationRestoreCommentArgs = { + input: RestoreCommentInput; +}; + + +/** The root mutation */ +export type RootMutationSendPasswordResetEmailArgs = { + input: SendPasswordResetEmailInput; +}; + + +/** The root mutation */ +export type RootMutationUpdateCategoryArgs = { + input: UpdateCategoryInput; +}; + + +/** The root mutation */ +export type RootMutationUpdateCommentArgs = { + input: UpdateCommentInput; +}; + + +/** The root mutation */ +export type RootMutationUpdateGraphqlDocumentArgs = { + input: UpdateGraphqlDocumentInput; +}; + + +/** The root mutation */ +export type RootMutationUpdateGraphqlDocumentGroupArgs = { + input: UpdateGraphqlDocumentGroupInput; +}; + + +/** The root mutation */ +export type RootMutationUpdateMediaItemArgs = { + input: UpdateMediaItemInput; +}; + + +/** The root mutation */ +export type RootMutationUpdatePageArgs = { + input: UpdatePageInput; +}; + + +/** The root mutation */ +export type RootMutationUpdatePostArgs = { + input: UpdatePostInput; +}; + + +/** The root mutation */ +export type RootMutationUpdatePostFormatArgs = { + input: UpdatePostFormatInput; +}; + + +/** The root mutation */ +export type RootMutationUpdateSettingsArgs = { + input: UpdateSettingsInput; +}; + + +/** The root mutation */ +export type RootMutationUpdateTagArgs = { + input: UpdateTagInput; +}; + + +/** The root mutation */ +export type RootMutationUpdateUserArgs = { + input: UpdateUserInput; +}; + +/** The root entry point into the Graph */ +export type RootQuery = { + __typename?: 'RootQuery'; + /** Entry point to get all settings for the site */ + allSettings?: Maybe; + /** Connection between the RootQuery type and the category type */ + categories?: Maybe; + /** A 0bject */ + category?: Maybe; + /** Returns a Comment */ + comment?: Maybe; + /** Connection between the RootQuery type and the Comment type */ + comments?: Maybe; + /** A node used to manage content */ + contentNode?: Maybe; + /** Connection between the RootQuery type and the ContentNode type */ + contentNodes?: Maybe; + /** Fetch a Content Type node by unique Identifier */ + contentType?: Maybe; + /** Connection between the RootQuery type and the ContentType type */ + contentTypes?: Maybe; + /** Fields of the 'DiscussionSettings' settings group */ + discussionSettings?: Maybe; + /** Fields of the 'GeneralSettings' settings group */ + generalSettings?: Maybe; + /** An object of the graphqlDocument Type. Saved GraphQL Documents */ + graphqlDocument?: Maybe; + /** + * A graphqlDocument object + * @deprecated Deprecated in favor of using the single entry point for this type with ID and IDType fields. For example, instead of postBy( id: "" ), use post(id: "" idType: "") + */ + graphqlDocumentBy?: Maybe; + /** A 0bject */ + graphqlDocumentGroup?: Maybe; + /** Connection between the RootQuery type and the graphqlDocumentGroup type */ + graphqlDocumentGroups?: Maybe; + /** Connection between the RootQuery type and the graphqlDocument type */ + graphqlDocuments?: Maybe; + /** An object of the mediaItem Type. */ + mediaItem?: Maybe; + /** + * A mediaItem object + * @deprecated Deprecated in favor of using the single entry point for this type with ID and IDType fields. For example, instead of postBy( id: "" ), use post(id: "" idType: "") + */ + mediaItemBy?: Maybe; + /** Connection between the RootQuery type and the mediaItem type */ + mediaItems?: Maybe; + /** A WordPress navigation menu */ + menu?: Maybe; + /** A WordPress navigation menu item */ + menuItem?: Maybe; + /** Connection between the RootQuery type and the MenuItem type */ + menuItems?: Maybe; + /** Connection between the RootQuery type and the Menu type */ + menus?: Maybe; + /** Fetches an object given its ID */ + node?: Maybe; + /** Fetches an object given its Unique Resource Identifier */ + nodeByUri?: Maybe; + /** An object of the page Type. */ + page?: Maybe; + /** + * A page object + * @deprecated Deprecated in favor of using the single entry point for this type with ID and IDType fields. For example, instead of postBy( id: "" ), use post(id: "" idType: "") + */ + pageBy?: Maybe; + /** Connection between the RootQuery type and the page type */ + pages?: Maybe; + /** A WordPress plugin */ + plugin?: Maybe; + /** Connection between the RootQuery type and the Plugin type */ + plugins?: Maybe; + /** An object of the post Type. */ + post?: Maybe; + /** + * A post object + * @deprecated Deprecated in favor of using the single entry point for this type with ID and IDType fields. For example, instead of postBy( id: "" ), use post(id: "" idType: "") + */ + postBy?: Maybe; + /** A 0bject */ + postFormat?: Maybe; + /** Connection between the RootQuery type and the postFormat type */ + postFormats?: Maybe; + /** Connection between the RootQuery type and the post type */ + posts?: Maybe; + /** Fields of the 'ReadingSettings' settings group */ + readingSettings?: Maybe; + /** Connection between the RootQuery type and the EnqueuedScript type */ + registeredScripts?: Maybe; + /** Connection between the RootQuery type and the EnqueuedStylesheet type */ + registeredStylesheets?: Maybe; + /** Connection between the RootQuery type and the ContentNode type */ + revisions?: Maybe; + /** Returns seo site data */ + seo?: Maybe; + /** A 0bject */ + tag?: Maybe; + /** Connection between the RootQuery type and the tag type */ + tags?: Maybe; + /** Connection between the RootQuery type and the Taxonomy type */ + taxonomies?: Maybe; + /** Fetch a Taxonomy node by unique Identifier */ + taxonomy?: Maybe; + /** A node in a taxonomy used to group and relate content nodes */ + termNode?: Maybe; + /** Connection between the RootQuery type and the TermNode type */ + terms?: Maybe; + /** A Theme object */ + theme?: Maybe; + /** Connection between the RootQuery type and the Theme type */ + themes?: Maybe; + /** Fields of the 'UbSettingsSettings' settings group */ + ubSettingsSettings?: Maybe; + /** Returns a user */ + user?: Maybe; + /** Returns a user role */ + userRole?: Maybe; + /** Connection between the RootQuery type and the UserRole type */ + userRoles?: Maybe; + /** Connection between the RootQuery type and the User type */ + users?: Maybe; + /** Returns the current user */ + viewer?: Maybe; + /** Fields of the 'WritingSettings' settings group */ + writingSettings?: Maybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryCategoriesArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryCategoryArgs = { + id: Scalars['ID']['input']; + idType?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryCommentArgs = { + id: Scalars['ID']['input']; + idType?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryCommentsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryContentNodeArgs = { + asPreview?: InputMaybe; + contentType?: InputMaybe; + id: Scalars['ID']['input']; + idType?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryContentNodesArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryContentTypeArgs = { + id: Scalars['ID']['input']; + idType?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryContentTypesArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryGraphqlDocumentArgs = { + asPreview?: InputMaybe; + id: Scalars['ID']['input']; + idType?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryGraphqlDocumentByArgs = { + graphqlDocumentId?: InputMaybe; + id?: InputMaybe; + slug?: InputMaybe; + uri?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryGraphqlDocumentGroupArgs = { + id: Scalars['ID']['input']; + idType?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryGraphqlDocumentGroupsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryGraphqlDocumentsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryMediaItemArgs = { + asPreview?: InputMaybe; + id: Scalars['ID']['input']; + idType?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryMediaItemByArgs = { + id?: InputMaybe; + mediaItemId?: InputMaybe; + slug?: InputMaybe; + uri?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryMediaItemsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryMenuArgs = { + id: Scalars['ID']['input']; + idType?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryMenuItemArgs = { + id: Scalars['ID']['input']; + idType?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryMenuItemsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryMenusArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryNodeArgs = { + id?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryNodeByUriArgs = { + uri: Scalars['String']['input']; +}; + + +/** The root entry point into the Graph */ +export type RootQueryPageArgs = { + asPreview?: InputMaybe; + id: Scalars['ID']['input']; + idType?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryPageByArgs = { + id?: InputMaybe; + pageId?: InputMaybe; + uri?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryPagesArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryPluginArgs = { + id: Scalars['ID']['input']; +}; + + +/** The root entry point into the Graph */ +export type RootQueryPluginsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryPostArgs = { + asPreview?: InputMaybe; + id: Scalars['ID']['input']; + idType?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryPostByArgs = { + id?: InputMaybe; + postId?: InputMaybe; + slug?: InputMaybe; + uri?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryPostFormatArgs = { + id: Scalars['ID']['input']; + idType?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryPostFormatsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryPostsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryRegisteredScriptsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryRegisteredStylesheetsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryRevisionsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryTagArgs = { + id: Scalars['ID']['input']; + idType?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryTagsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryTaxonomiesArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryTaxonomyArgs = { + id: Scalars['ID']['input']; + idType?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryTermNodeArgs = { + id: Scalars['ID']['input']; + idType?: InputMaybe; + taxonomy?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryTermsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryThemeArgs = { + id: Scalars['ID']['input']; +}; + + +/** The root entry point into the Graph */ +export type RootQueryThemesArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryUserArgs = { + id: Scalars['ID']['input']; + idType?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryUserRoleArgs = { + id: Scalars['ID']['input']; +}; + + +/** The root entry point into the Graph */ +export type RootQueryUserRolesArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** The root entry point into the Graph */ +export type RootQueryUsersArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + +/** Connection between the RootQuery type and the category type */ +export type RootQueryToCategoryConnection = CategoryConnection & Connection & { + __typename?: 'RootQueryToCategoryConnection'; + /** Edges for the RootQueryToCategoryConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: RootQueryToCategoryConnectionPageInfo; +}; + +/** An edge in a connection */ +export type RootQueryToCategoryConnectionEdge = CategoryConnectionEdge & Edge & { + __typename?: 'RootQueryToCategoryConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: Category; +}; + +/** Page Info on the "RootQueryToCategoryConnection" */ +export type RootQueryToCategoryConnectionPageInfo = CategoryConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'RootQueryToCategoryConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the RootQueryToCategoryConnection connection */ +export type RootQueryToCategoryConnectionWhereArgs = { + /** Unique cache key to be produced when this query is stored in an object cache. Default is 'core'. */ + cacheDomain?: InputMaybe; + /** Term ID to retrieve child terms of. If multiple taxonomies are passed, $child_of is ignored. Default 0. */ + childOf?: InputMaybe; + /** True to limit results to terms that have no children. This parameter has no effect on non-hierarchical taxonomies. Default false. */ + childless?: InputMaybe; + /** Retrieve terms where the description is LIKE the input value. Default empty. */ + descriptionLike?: InputMaybe; + /** Array of term ids to exclude. If $include is non-empty, $exclude is ignored. Default empty array. */ + exclude?: InputMaybe>>; + /** Array of term ids to exclude along with all of their descendant terms. If $include is non-empty, $exclude_tree is ignored. Default empty array. */ + excludeTree?: InputMaybe>>; + /** Whether to hide terms not assigned to any posts. Accepts true or false. Default false */ + hideEmpty?: InputMaybe; + /** Whether to include terms that have non-empty descendants (even if $hide_empty is set to true). Default true. */ + hierarchical?: InputMaybe; + /** Array of term ids to include. Default empty array. */ + include?: InputMaybe>>; + /** Array of names to return term(s) for. Default empty. */ + name?: InputMaybe>>; + /** Retrieve terms where the name is LIKE the input value. Default empty. */ + nameLike?: InputMaybe; + /** Array of object IDs. Results will be limited to terms associated with these objects. */ + objectIds?: InputMaybe>>; + /** Direction the connection should be ordered in */ + order?: InputMaybe; + /** Field(s) to order terms by. Defaults to 'name'. */ + orderby?: InputMaybe; + /** Whether to pad the quantity of a term's children in the quantity of each term's "count" object variable. Default false. */ + padCounts?: InputMaybe; + /** Parent term ID to retrieve direct-child terms of. Default empty. */ + parent?: InputMaybe; + /** Search criteria to match terms. Will be SQL-formatted with wildcards before and after. Default empty. */ + search?: InputMaybe; + /** Array of slugs to return term(s) for. Default empty. */ + slug?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomId?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomyId?: InputMaybe>>; + /** Whether to prime meta caches for matched terms. Default true. */ + updateTermMetaCache?: InputMaybe; +}; + +/** Connection between the RootQuery type and the Comment type */ +export type RootQueryToCommentConnection = CommentConnection & Connection & { + __typename?: 'RootQueryToCommentConnection'; + /** Edges for the RootQueryToCommentConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: RootQueryToCommentConnectionPageInfo; +}; + +/** An edge in a connection */ +export type RootQueryToCommentConnectionEdge = CommentConnectionEdge & Edge & { + __typename?: 'RootQueryToCommentConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: Comment; +}; + +/** Page Info on the "RootQueryToCommentConnection" */ +export type RootQueryToCommentConnectionPageInfo = CommentConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'RootQueryToCommentConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the RootQueryToCommentConnection connection */ +export type RootQueryToCommentConnectionWhereArgs = { + /** Comment author email address. */ + authorEmail?: InputMaybe; + /** Array of author IDs to include comments for. */ + authorIn?: InputMaybe>>; + /** Array of author IDs to exclude comments for. */ + authorNotIn?: InputMaybe>>; + /** Comment author URL. */ + authorUrl?: InputMaybe; + /** Array of comment IDs to include. */ + commentIn?: InputMaybe>>; + /** Array of IDs of users whose unapproved comments will be returned by the query regardless of status. */ + commentNotIn?: InputMaybe>>; + /** Include comments of a given type. */ + commentType?: InputMaybe; + /** Include comments from a given array of comment types. */ + commentTypeIn?: InputMaybe>>; + /** Exclude comments from a given array of comment types. */ + commentTypeNotIn?: InputMaybe; + /** Content object author ID to limit results by. */ + contentAuthor?: InputMaybe>>; + /** Array of author IDs to retrieve comments for. */ + contentAuthorIn?: InputMaybe>>; + /** Array of author IDs *not* to retrieve comments for. */ + contentAuthorNotIn?: InputMaybe>>; + /** Limit results to those affiliated with a given content object ID. */ + contentId?: InputMaybe; + /** Array of content object IDs to include affiliated comments for. */ + contentIdIn?: InputMaybe>>; + /** Array of content object IDs to exclude affiliated comments for. */ + contentIdNotIn?: InputMaybe>>; + /** Content object name (i.e. slug ) to retrieve affiliated comments for. */ + contentName?: InputMaybe; + /** Content Object parent ID to retrieve affiliated comments for. */ + contentParent?: InputMaybe; + /** Array of content object statuses to retrieve affiliated comments for. Pass 'any' to match any value. */ + contentStatus?: InputMaybe>>; + /** Content object type or array of types to retrieve affiliated comments for. Pass 'any' to match any value. */ + contentType?: InputMaybe>>; + /** Array of IDs or email addresses of users whose unapproved comments will be returned by the query regardless of $status. Default empty */ + includeUnapproved?: InputMaybe>>; + /** Karma score to retrieve matching comments for. */ + karma?: InputMaybe; + /** The cardinality of the order of the connection */ + order?: InputMaybe; + /** Field to order the comments by. */ + orderby?: InputMaybe; + /** Parent ID of comment to retrieve children of. */ + parent?: InputMaybe; + /** Array of parent IDs of comments to retrieve children for. */ + parentIn?: InputMaybe>>; + /** Array of parent IDs of comments *not* to retrieve children for. */ + parentNotIn?: InputMaybe>>; + /** Search term(s) to retrieve matching comments for. */ + search?: InputMaybe; + /** Comment status to limit results by. */ + status?: InputMaybe; + /** Include comments for a specific user ID. */ + userId?: InputMaybe; +}; + +/** Connection between the RootQuery type and the ContentNode type */ +export type RootQueryToContentNodeConnection = Connection & ContentNodeConnection & { + __typename?: 'RootQueryToContentNodeConnection'; + /** Edges for the RootQueryToContentNodeConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: RootQueryToContentNodeConnectionPageInfo; +}; + +/** An edge in a connection */ +export type RootQueryToContentNodeConnectionEdge = ContentNodeConnectionEdge & Edge & { + __typename?: 'RootQueryToContentNodeConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: ContentNode; +}; + +/** Page Info on the "RootQueryToContentNodeConnection" */ +export type RootQueryToContentNodeConnectionPageInfo = ContentNodeConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'RootQueryToContentNodeConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the RootQueryToContentNodeConnection connection */ +export type RootQueryToContentNodeConnectionWhereArgs = { + /** The Types of content to filter */ + contentTypes?: InputMaybe>>; + /** Filter the connection based on dates */ + dateQuery?: InputMaybe; + /** True for objects with passwords; False for objects without passwords; null for all objects with or without passwords */ + hasPassword?: InputMaybe; + /** Specific database ID of the object */ + id?: InputMaybe; + /** Array of IDs for the objects to retrieve */ + in?: InputMaybe>>; + /** Get objects with a specific mimeType property */ + mimeType?: InputMaybe; + /** Slug / post_name of the object */ + name?: InputMaybe; + /** Specify objects to retrieve. Use slugs */ + nameIn?: InputMaybe>>; + /** Specify IDs NOT to retrieve. If this is used in the same query as "in", it will be ignored */ + notIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** Use ID to return only children. Use 0 to return only top-level items */ + parent?: InputMaybe; + /** Specify objects whose parent is in an array */ + parentIn?: InputMaybe>>; + /** Specify posts whose parent is not in an array */ + parentNotIn?: InputMaybe>>; + /** Show posts with a specific password. */ + password?: InputMaybe; + /** Show Posts based on a keyword search */ + search?: InputMaybe; + /** Retrieve posts where post status is in an array. */ + stati?: InputMaybe>>; + /** Show posts with a specific status. */ + status?: InputMaybe; + /** Title of the object */ + title?: InputMaybe; +}; + +/** Connection between the RootQuery type and the ContentType type */ +export type RootQueryToContentTypeConnection = Connection & ContentTypeConnection & { + __typename?: 'RootQueryToContentTypeConnection'; + /** Edges for the RootQueryToContentTypeConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: RootQueryToContentTypeConnectionPageInfo; +}; + +/** An edge in a connection */ +export type RootQueryToContentTypeConnectionEdge = ContentTypeConnectionEdge & Edge & { + __typename?: 'RootQueryToContentTypeConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: ContentType; +}; + +/** Page Info on the "RootQueryToContentTypeConnection" */ +export type RootQueryToContentTypeConnectionPageInfo = ContentTypeConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'RootQueryToContentTypeConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Connection between the RootQuery type and the EnqueuedScript type */ +export type RootQueryToEnqueuedScriptConnection = Connection & EnqueuedScriptConnection & { + __typename?: 'RootQueryToEnqueuedScriptConnection'; + /** Edges for the RootQueryToEnqueuedScriptConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: RootQueryToEnqueuedScriptConnectionPageInfo; +}; + +/** An edge in a connection */ +export type RootQueryToEnqueuedScriptConnectionEdge = Edge & EnqueuedScriptConnectionEdge & { + __typename?: 'RootQueryToEnqueuedScriptConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: EnqueuedScript; +}; + +/** Page Info on the "RootQueryToEnqueuedScriptConnection" */ +export type RootQueryToEnqueuedScriptConnectionPageInfo = EnqueuedScriptConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'RootQueryToEnqueuedScriptConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Connection between the RootQuery type and the EnqueuedStylesheet type */ +export type RootQueryToEnqueuedStylesheetConnection = Connection & EnqueuedStylesheetConnection & { + __typename?: 'RootQueryToEnqueuedStylesheetConnection'; + /** Edges for the RootQueryToEnqueuedStylesheetConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: RootQueryToEnqueuedStylesheetConnectionPageInfo; +}; + +/** An edge in a connection */ +export type RootQueryToEnqueuedStylesheetConnectionEdge = Edge & EnqueuedStylesheetConnectionEdge & { + __typename?: 'RootQueryToEnqueuedStylesheetConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: EnqueuedStylesheet; +}; + +/** Page Info on the "RootQueryToEnqueuedStylesheetConnection" */ +export type RootQueryToEnqueuedStylesheetConnectionPageInfo = EnqueuedStylesheetConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'RootQueryToEnqueuedStylesheetConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Connection between the RootQuery type and the graphqlDocument type */ +export type RootQueryToGraphqlDocumentConnection = Connection & GraphqlDocumentConnection & { + __typename?: 'RootQueryToGraphqlDocumentConnection'; + /** Edges for the RootQueryToGraphqlDocumentConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: RootQueryToGraphqlDocumentConnectionPageInfo; +}; + +/** An edge in a connection */ +export type RootQueryToGraphqlDocumentConnectionEdge = Edge & GraphqlDocumentConnectionEdge & { + __typename?: 'RootQueryToGraphqlDocumentConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: GraphqlDocument; +}; + +/** Page Info on the "RootQueryToGraphqlDocumentConnection" */ +export type RootQueryToGraphqlDocumentConnectionPageInfo = GraphqlDocumentConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'RootQueryToGraphqlDocumentConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the RootQueryToGraphqlDocumentConnection connection */ +export type RootQueryToGraphqlDocumentConnectionWhereArgs = { + /** Filter the connection based on dates */ + dateQuery?: InputMaybe; + /** True for objects with passwords; False for objects without passwords; null for all objects with or without passwords */ + hasPassword?: InputMaybe; + /** Specific database ID of the object */ + id?: InputMaybe; + /** Array of IDs for the objects to retrieve */ + in?: InputMaybe>>; + /** Get objects with a specific mimeType property */ + mimeType?: InputMaybe; + /** Slug / post_name of the object */ + name?: InputMaybe; + /** Specify objects to retrieve. Use slugs */ + nameIn?: InputMaybe>>; + /** Specify IDs NOT to retrieve. If this is used in the same query as "in", it will be ignored */ + notIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** Use ID to return only children. Use 0 to return only top-level items */ + parent?: InputMaybe; + /** Specify objects whose parent is in an array */ + parentIn?: InputMaybe>>; + /** Specify posts whose parent is not in an array */ + parentNotIn?: InputMaybe>>; + /** Show posts with a specific password. */ + password?: InputMaybe; + /** Show Posts based on a keyword search */ + search?: InputMaybe; + /** Retrieve posts where post status is in an array. */ + stati?: InputMaybe>>; + /** Show posts with a specific status. */ + status?: InputMaybe; + /** Title of the object */ + title?: InputMaybe; +}; + +/** Connection between the RootQuery type and the graphqlDocumentGroup type */ +export type RootQueryToGraphqlDocumentGroupConnection = Connection & GraphqlDocumentGroupConnection & { + __typename?: 'RootQueryToGraphqlDocumentGroupConnection'; + /** Edges for the RootQueryToGraphqlDocumentGroupConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: RootQueryToGraphqlDocumentGroupConnectionPageInfo; +}; + +/** An edge in a connection */ +export type RootQueryToGraphqlDocumentGroupConnectionEdge = Edge & GraphqlDocumentGroupConnectionEdge & { + __typename?: 'RootQueryToGraphqlDocumentGroupConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: GraphqlDocumentGroup; +}; + +/** Page Info on the "RootQueryToGraphqlDocumentGroupConnection" */ +export type RootQueryToGraphqlDocumentGroupConnectionPageInfo = GraphqlDocumentGroupConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'RootQueryToGraphqlDocumentGroupConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the RootQueryToGraphqlDocumentGroupConnection connection */ +export type RootQueryToGraphqlDocumentGroupConnectionWhereArgs = { + /** Unique cache key to be produced when this query is stored in an object cache. Default is 'core'. */ + cacheDomain?: InputMaybe; + /** Term ID to retrieve child terms of. If multiple taxonomies are passed, $child_of is ignored. Default 0. */ + childOf?: InputMaybe; + /** True to limit results to terms that have no children. This parameter has no effect on non-hierarchical taxonomies. Default false. */ + childless?: InputMaybe; + /** Retrieve terms where the description is LIKE the input value. Default empty. */ + descriptionLike?: InputMaybe; + /** Array of term ids to exclude. If $include is non-empty, $exclude is ignored. Default empty array. */ + exclude?: InputMaybe>>; + /** Array of term ids to exclude along with all of their descendant terms. If $include is non-empty, $exclude_tree is ignored. Default empty array. */ + excludeTree?: InputMaybe>>; + /** Whether to hide terms not assigned to any posts. Accepts true or false. Default false */ + hideEmpty?: InputMaybe; + /** Whether to include terms that have non-empty descendants (even if $hide_empty is set to true). Default true. */ + hierarchical?: InputMaybe; + /** Array of term ids to include. Default empty array. */ + include?: InputMaybe>>; + /** Array of names to return term(s) for. Default empty. */ + name?: InputMaybe>>; + /** Retrieve terms where the name is LIKE the input value. Default empty. */ + nameLike?: InputMaybe; + /** Array of object IDs. Results will be limited to terms associated with these objects. */ + objectIds?: InputMaybe>>; + /** Direction the connection should be ordered in */ + order?: InputMaybe; + /** Field(s) to order terms by. Defaults to 'name'. */ + orderby?: InputMaybe; + /** Whether to pad the quantity of a term's children in the quantity of each term's "count" object variable. Default false. */ + padCounts?: InputMaybe; + /** Parent term ID to retrieve direct-child terms of. Default empty. */ + parent?: InputMaybe; + /** Search criteria to match terms. Will be SQL-formatted with wildcards before and after. Default empty. */ + search?: InputMaybe; + /** Array of slugs to return term(s) for. Default empty. */ + slug?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomId?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomyId?: InputMaybe>>; + /** Whether to prime meta caches for matched terms. Default true. */ + updateTermMetaCache?: InputMaybe; +}; + +/** Connection between the RootQuery type and the mediaItem type */ +export type RootQueryToMediaItemConnection = Connection & MediaItemConnection & { + __typename?: 'RootQueryToMediaItemConnection'; + /** Edges for the RootQueryToMediaItemConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: RootQueryToMediaItemConnectionPageInfo; +}; + +/** An edge in a connection */ +export type RootQueryToMediaItemConnectionEdge = Edge & MediaItemConnectionEdge & { + __typename?: 'RootQueryToMediaItemConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: MediaItem; +}; + +/** Page Info on the "RootQueryToMediaItemConnection" */ +export type RootQueryToMediaItemConnectionPageInfo = MediaItemConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'RootQueryToMediaItemConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the RootQueryToMediaItemConnection connection */ +export type RootQueryToMediaItemConnectionWhereArgs = { + /** The user that's connected as the author of the object. Use the userId for the author object. */ + author?: InputMaybe; + /** Find objects connected to author(s) in the array of author's userIds */ + authorIn?: InputMaybe>>; + /** Find objects connected to the author by the author's nicename */ + authorName?: InputMaybe; + /** Find objects NOT connected to author(s) in the array of author's userIds */ + authorNotIn?: InputMaybe>>; + /** Filter the connection based on dates */ + dateQuery?: InputMaybe; + /** True for objects with passwords; False for objects without passwords; null for all objects with or without passwords */ + hasPassword?: InputMaybe; + /** Specific database ID of the object */ + id?: InputMaybe; + /** Array of IDs for the objects to retrieve */ + in?: InputMaybe>>; + /** Get objects with a specific mimeType property */ + mimeType?: InputMaybe; + /** Slug / post_name of the object */ + name?: InputMaybe; + /** Specify objects to retrieve. Use slugs */ + nameIn?: InputMaybe>>; + /** Specify IDs NOT to retrieve. If this is used in the same query as "in", it will be ignored */ + notIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** Use ID to return only children. Use 0 to return only top-level items */ + parent?: InputMaybe; + /** Specify objects whose parent is in an array */ + parentIn?: InputMaybe>>; + /** Specify posts whose parent is not in an array */ + parentNotIn?: InputMaybe>>; + /** Show posts with a specific password. */ + password?: InputMaybe; + /** Show Posts based on a keyword search */ + search?: InputMaybe; + /** Retrieve posts where post status is in an array. */ + stati?: InputMaybe>>; + /** Show posts with a specific status. */ + status?: InputMaybe; + /** Title of the object */ + title?: InputMaybe; +}; + +/** Connection between the RootQuery type and the Menu type */ +export type RootQueryToMenuConnection = Connection & MenuConnection & { + __typename?: 'RootQueryToMenuConnection'; + /** Edges for the RootQueryToMenuConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: RootQueryToMenuConnectionPageInfo; +}; + +/** An edge in a connection */ +export type RootQueryToMenuConnectionEdge = Edge & MenuConnectionEdge & { + __typename?: 'RootQueryToMenuConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: Menu; +}; + +/** Page Info on the "RootQueryToMenuConnection" */ +export type RootQueryToMenuConnectionPageInfo = MenuConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'RootQueryToMenuConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the RootQueryToMenuConnection connection */ +export type RootQueryToMenuConnectionWhereArgs = { + /** The database ID of the object */ + id?: InputMaybe; + /** The menu location for the menu being queried */ + location?: InputMaybe; + /** The slug of the menu to query items for */ + slug?: InputMaybe; +}; + +/** Connection between the RootQuery type and the MenuItem type */ +export type RootQueryToMenuItemConnection = Connection & MenuItemConnection & { + __typename?: 'RootQueryToMenuItemConnection'; + /** Edges for the RootQueryToMenuItemConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: RootQueryToMenuItemConnectionPageInfo; +}; + +/** An edge in a connection */ +export type RootQueryToMenuItemConnectionEdge = Edge & MenuItemConnectionEdge & { + __typename?: 'RootQueryToMenuItemConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: MenuItem; +}; + +/** Page Info on the "RootQueryToMenuItemConnection" */ +export type RootQueryToMenuItemConnectionPageInfo = MenuItemConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'RootQueryToMenuItemConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the RootQueryToMenuItemConnection connection */ +export type RootQueryToMenuItemConnectionWhereArgs = { + /** The database ID of the object */ + id?: InputMaybe; + /** The menu location for the menu being queried */ + location?: InputMaybe; + /** The database ID of the parent menu object */ + parentDatabaseId?: InputMaybe; + /** The ID of the parent menu object */ + parentId?: InputMaybe; +}; + +/** Connection between the RootQuery type and the page type */ +export type RootQueryToPageConnection = Connection & PageConnection & { + __typename?: 'RootQueryToPageConnection'; + /** Edges for the RootQueryToPageConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: RootQueryToPageConnectionPageInfo; +}; + +/** An edge in a connection */ +export type RootQueryToPageConnectionEdge = Edge & PageConnectionEdge & { + __typename?: 'RootQueryToPageConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: Page; +}; + +/** Page Info on the "RootQueryToPageConnection" */ +export type RootQueryToPageConnectionPageInfo = PageConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'RootQueryToPageConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the RootQueryToPageConnection connection */ +export type RootQueryToPageConnectionWhereArgs = { + /** The user that's connected as the author of the object. Use the userId for the author object. */ + author?: InputMaybe; + /** Find objects connected to author(s) in the array of author's userIds */ + authorIn?: InputMaybe>>; + /** Find objects connected to the author by the author's nicename */ + authorName?: InputMaybe; + /** Find objects NOT connected to author(s) in the array of author's userIds */ + authorNotIn?: InputMaybe>>; + /** Filter the connection based on dates */ + dateQuery?: InputMaybe; + /** True for objects with passwords; False for objects without passwords; null for all objects with or without passwords */ + hasPassword?: InputMaybe; + /** Specific database ID of the object */ + id?: InputMaybe; + /** Array of IDs for the objects to retrieve */ + in?: InputMaybe>>; + /** Get objects with a specific mimeType property */ + mimeType?: InputMaybe; + /** Slug / post_name of the object */ + name?: InputMaybe; + /** Specify objects to retrieve. Use slugs */ + nameIn?: InputMaybe>>; + /** Specify IDs NOT to retrieve. If this is used in the same query as "in", it will be ignored */ + notIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** Use ID to return only children. Use 0 to return only top-level items */ + parent?: InputMaybe; + /** Specify objects whose parent is in an array */ + parentIn?: InputMaybe>>; + /** Specify posts whose parent is not in an array */ + parentNotIn?: InputMaybe>>; + /** Show posts with a specific password. */ + password?: InputMaybe; + /** Show Posts based on a keyword search */ + search?: InputMaybe; + /** Retrieve posts where post status is in an array. */ + stati?: InputMaybe>>; + /** Show posts with a specific status. */ + status?: InputMaybe; + /** Title of the object */ + title?: InputMaybe; +}; + +/** Connection between the RootQuery type and the Plugin type */ +export type RootQueryToPluginConnection = Connection & PluginConnection & { + __typename?: 'RootQueryToPluginConnection'; + /** Edges for the RootQueryToPluginConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: RootQueryToPluginConnectionPageInfo; +}; + +/** An edge in a connection */ +export type RootQueryToPluginConnectionEdge = Edge & PluginConnectionEdge & { + __typename?: 'RootQueryToPluginConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: Plugin; +}; + +/** Page Info on the "RootQueryToPluginConnection" */ +export type RootQueryToPluginConnectionPageInfo = PageInfo & PluginConnectionPageInfo & WpPageInfo & { + __typename?: 'RootQueryToPluginConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the RootQueryToPluginConnection connection */ +export type RootQueryToPluginConnectionWhereArgs = { + /** Show plugin based on a keyword search. */ + search?: InputMaybe; + /** Retrieve plugins where plugin status is in an array. */ + stati?: InputMaybe>>; + /** Show plugins with a specific status. */ + status?: InputMaybe; +}; + +/** Connection between the RootQuery type and the post type */ +export type RootQueryToPostConnection = Connection & PostConnection & { + __typename?: 'RootQueryToPostConnection'; + /** Edges for the RootQueryToPostConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: RootQueryToPostConnectionPageInfo; +}; + +/** An edge in a connection */ +export type RootQueryToPostConnectionEdge = Edge & PostConnectionEdge & { + __typename?: 'RootQueryToPostConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: Post; +}; + +/** Page Info on the "RootQueryToPostConnection" */ +export type RootQueryToPostConnectionPageInfo = PageInfo & PostConnectionPageInfo & WpPageInfo & { + __typename?: 'RootQueryToPostConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the RootQueryToPostConnection connection */ +export type RootQueryToPostConnectionWhereArgs = { + /** The user that's connected as the author of the object. Use the userId for the author object. */ + author?: InputMaybe; + /** Find objects connected to author(s) in the array of author's userIds */ + authorIn?: InputMaybe>>; + /** Find objects connected to the author by the author's nicename */ + authorName?: InputMaybe; + /** Find objects NOT connected to author(s) in the array of author's userIds */ + authorNotIn?: InputMaybe>>; + /** Category ID */ + categoryId?: InputMaybe; + /** Array of category IDs, used to display objects from one category OR another */ + categoryIn?: InputMaybe>>; + /** Use Category Slug */ + categoryName?: InputMaybe; + /** Array of category IDs, used to display objects from one category OR another */ + categoryNotIn?: InputMaybe>>; + /** Filter the connection based on dates */ + dateQuery?: InputMaybe; + /** True for objects with passwords; False for objects without passwords; null for all objects with or without passwords */ + hasPassword?: InputMaybe; + /** Specific database ID of the object */ + id?: InputMaybe; + /** Array of IDs for the objects to retrieve */ + in?: InputMaybe>>; + /** Get objects with a specific mimeType property */ + mimeType?: InputMaybe; + /** Slug / post_name of the object */ + name?: InputMaybe; + /** Specify objects to retrieve. Use slugs */ + nameIn?: InputMaybe>>; + /** Specify IDs NOT to retrieve. If this is used in the same query as "in", it will be ignored */ + notIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** Use ID to return only children. Use 0 to return only top-level items */ + parent?: InputMaybe; + /** Specify objects whose parent is in an array */ + parentIn?: InputMaybe>>; + /** Specify posts whose parent is not in an array */ + parentNotIn?: InputMaybe>>; + /** Show posts with a specific password. */ + password?: InputMaybe; + /** Show Posts based on a keyword search */ + search?: InputMaybe; + /** Retrieve posts where post status is in an array. */ + stati?: InputMaybe>>; + /** Show posts with a specific status. */ + status?: InputMaybe; + /** Tag Slug */ + tag?: InputMaybe; + /** Use Tag ID */ + tagId?: InputMaybe; + /** Array of tag IDs, used to display objects from one tag OR another */ + tagIn?: InputMaybe>>; + /** Array of tag IDs, used to display objects from one tag OR another */ + tagNotIn?: InputMaybe>>; + /** Array of tag slugs, used to display objects from one tag AND another */ + tagSlugAnd?: InputMaybe>>; + /** Array of tag slugs, used to include objects in ANY specified tags */ + tagSlugIn?: InputMaybe>>; + /** Title of the object */ + title?: InputMaybe; +}; + +/** Connection between the RootQuery type and the postFormat type */ +export type RootQueryToPostFormatConnection = Connection & PostFormatConnection & { + __typename?: 'RootQueryToPostFormatConnection'; + /** Edges for the RootQueryToPostFormatConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: RootQueryToPostFormatConnectionPageInfo; +}; + +/** An edge in a connection */ +export type RootQueryToPostFormatConnectionEdge = Edge & PostFormatConnectionEdge & { + __typename?: 'RootQueryToPostFormatConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: PostFormat; +}; + +/** Page Info on the "RootQueryToPostFormatConnection" */ +export type RootQueryToPostFormatConnectionPageInfo = PageInfo & PostFormatConnectionPageInfo & WpPageInfo & { + __typename?: 'RootQueryToPostFormatConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the RootQueryToPostFormatConnection connection */ +export type RootQueryToPostFormatConnectionWhereArgs = { + /** Unique cache key to be produced when this query is stored in an object cache. Default is 'core'. */ + cacheDomain?: InputMaybe; + /** Term ID to retrieve child terms of. If multiple taxonomies are passed, $child_of is ignored. Default 0. */ + childOf?: InputMaybe; + /** True to limit results to terms that have no children. This parameter has no effect on non-hierarchical taxonomies. Default false. */ + childless?: InputMaybe; + /** Retrieve terms where the description is LIKE the input value. Default empty. */ + descriptionLike?: InputMaybe; + /** Array of term ids to exclude. If $include is non-empty, $exclude is ignored. Default empty array. */ + exclude?: InputMaybe>>; + /** Array of term ids to exclude along with all of their descendant terms. If $include is non-empty, $exclude_tree is ignored. Default empty array. */ + excludeTree?: InputMaybe>>; + /** Whether to hide terms not assigned to any posts. Accepts true or false. Default false */ + hideEmpty?: InputMaybe; + /** Whether to include terms that have non-empty descendants (even if $hide_empty is set to true). Default true. */ + hierarchical?: InputMaybe; + /** Array of term ids to include. Default empty array. */ + include?: InputMaybe>>; + /** Array of names to return term(s) for. Default empty. */ + name?: InputMaybe>>; + /** Retrieve terms where the name is LIKE the input value. Default empty. */ + nameLike?: InputMaybe; + /** Array of object IDs. Results will be limited to terms associated with these objects. */ + objectIds?: InputMaybe>>; + /** Direction the connection should be ordered in */ + order?: InputMaybe; + /** Field(s) to order terms by. Defaults to 'name'. */ + orderby?: InputMaybe; + /** Whether to pad the quantity of a term's children in the quantity of each term's "count" object variable. Default false. */ + padCounts?: InputMaybe; + /** Parent term ID to retrieve direct-child terms of. Default empty. */ + parent?: InputMaybe; + /** Search criteria to match terms. Will be SQL-formatted with wildcards before and after. Default empty. */ + search?: InputMaybe; + /** Array of slugs to return term(s) for. Default empty. */ + slug?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomId?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomyId?: InputMaybe>>; + /** Whether to prime meta caches for matched terms. Default true. */ + updateTermMetaCache?: InputMaybe; +}; + +/** Connection between the RootQuery type and the ContentNode type */ +export type RootQueryToRevisionsConnection = Connection & ContentNodeConnection & { + __typename?: 'RootQueryToRevisionsConnection'; + /** Edges for the RootQueryToRevisionsConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: RootQueryToRevisionsConnectionPageInfo; +}; + +/** An edge in a connection */ +export type RootQueryToRevisionsConnectionEdge = ContentNodeConnectionEdge & Edge & { + __typename?: 'RootQueryToRevisionsConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: ContentNode; +}; + +/** Page Info on the "RootQueryToRevisionsConnection" */ +export type RootQueryToRevisionsConnectionPageInfo = ContentNodeConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'RootQueryToRevisionsConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the RootQueryToRevisionsConnection connection */ +export type RootQueryToRevisionsConnectionWhereArgs = { + /** The Types of content to filter */ + contentTypes?: InputMaybe>>; + /** Filter the connection based on dates */ + dateQuery?: InputMaybe; + /** True for objects with passwords; False for objects without passwords; null for all objects with or without passwords */ + hasPassword?: InputMaybe; + /** Specific database ID of the object */ + id?: InputMaybe; + /** Array of IDs for the objects to retrieve */ + in?: InputMaybe>>; + /** Get objects with a specific mimeType property */ + mimeType?: InputMaybe; + /** Slug / post_name of the object */ + name?: InputMaybe; + /** Specify objects to retrieve. Use slugs */ + nameIn?: InputMaybe>>; + /** Specify IDs NOT to retrieve. If this is used in the same query as "in", it will be ignored */ + notIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** Use ID to return only children. Use 0 to return only top-level items */ + parent?: InputMaybe; + /** Specify objects whose parent is in an array */ + parentIn?: InputMaybe>>; + /** Specify posts whose parent is not in an array */ + parentNotIn?: InputMaybe>>; + /** Show posts with a specific password. */ + password?: InputMaybe; + /** Show Posts based on a keyword search */ + search?: InputMaybe; + /** Retrieve posts where post status is in an array. */ + stati?: InputMaybe>>; + /** Show posts with a specific status. */ + status?: InputMaybe; + /** Title of the object */ + title?: InputMaybe; +}; + +/** Connection between the RootQuery type and the tag type */ +export type RootQueryToTagConnection = Connection & TagConnection & { + __typename?: 'RootQueryToTagConnection'; + /** Edges for the RootQueryToTagConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: RootQueryToTagConnectionPageInfo; +}; + +/** An edge in a connection */ +export type RootQueryToTagConnectionEdge = Edge & TagConnectionEdge & { + __typename?: 'RootQueryToTagConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: Tag; +}; + +/** Page Info on the "RootQueryToTagConnection" */ +export type RootQueryToTagConnectionPageInfo = PageInfo & TagConnectionPageInfo & WpPageInfo & { + __typename?: 'RootQueryToTagConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the RootQueryToTagConnection connection */ +export type RootQueryToTagConnectionWhereArgs = { + /** Unique cache key to be produced when this query is stored in an object cache. Default is 'core'. */ + cacheDomain?: InputMaybe; + /** Term ID to retrieve child terms of. If multiple taxonomies are passed, $child_of is ignored. Default 0. */ + childOf?: InputMaybe; + /** True to limit results to terms that have no children. This parameter has no effect on non-hierarchical taxonomies. Default false. */ + childless?: InputMaybe; + /** Retrieve terms where the description is LIKE the input value. Default empty. */ + descriptionLike?: InputMaybe; + /** Array of term ids to exclude. If $include is non-empty, $exclude is ignored. Default empty array. */ + exclude?: InputMaybe>>; + /** Array of term ids to exclude along with all of their descendant terms. If $include is non-empty, $exclude_tree is ignored. Default empty array. */ + excludeTree?: InputMaybe>>; + /** Whether to hide terms not assigned to any posts. Accepts true or false. Default false */ + hideEmpty?: InputMaybe; + /** Whether to include terms that have non-empty descendants (even if $hide_empty is set to true). Default true. */ + hierarchical?: InputMaybe; + /** Array of term ids to include. Default empty array. */ + include?: InputMaybe>>; + /** Array of names to return term(s) for. Default empty. */ + name?: InputMaybe>>; + /** Retrieve terms where the name is LIKE the input value. Default empty. */ + nameLike?: InputMaybe; + /** Array of object IDs. Results will be limited to terms associated with these objects. */ + objectIds?: InputMaybe>>; + /** Direction the connection should be ordered in */ + order?: InputMaybe; + /** Field(s) to order terms by. Defaults to 'name'. */ + orderby?: InputMaybe; + /** Whether to pad the quantity of a term's children in the quantity of each term's "count" object variable. Default false. */ + padCounts?: InputMaybe; + /** Parent term ID to retrieve direct-child terms of. Default empty. */ + parent?: InputMaybe; + /** Search criteria to match terms. Will be SQL-formatted with wildcards before and after. Default empty. */ + search?: InputMaybe; + /** Array of slugs to return term(s) for. Default empty. */ + slug?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomId?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomyId?: InputMaybe>>; + /** Whether to prime meta caches for matched terms. Default true. */ + updateTermMetaCache?: InputMaybe; +}; + +/** Connection between the RootQuery type and the Taxonomy type */ +export type RootQueryToTaxonomyConnection = Connection & TaxonomyConnection & { + __typename?: 'RootQueryToTaxonomyConnection'; + /** Edges for the RootQueryToTaxonomyConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: RootQueryToTaxonomyConnectionPageInfo; +}; + +/** An edge in a connection */ +export type RootQueryToTaxonomyConnectionEdge = Edge & TaxonomyConnectionEdge & { + __typename?: 'RootQueryToTaxonomyConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: Taxonomy; +}; + +/** Page Info on the "RootQueryToTaxonomyConnection" */ +export type RootQueryToTaxonomyConnectionPageInfo = PageInfo & TaxonomyConnectionPageInfo & WpPageInfo & { + __typename?: 'RootQueryToTaxonomyConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Connection between the RootQuery type and the TermNode type */ +export type RootQueryToTermNodeConnection = Connection & TermNodeConnection & { + __typename?: 'RootQueryToTermNodeConnection'; + /** Edges for the RootQueryToTermNodeConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: RootQueryToTermNodeConnectionPageInfo; +}; + +/** An edge in a connection */ +export type RootQueryToTermNodeConnectionEdge = Edge & TermNodeConnectionEdge & { + __typename?: 'RootQueryToTermNodeConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: TermNode; +}; + +/** Page Info on the "RootQueryToTermNodeConnection" */ +export type RootQueryToTermNodeConnectionPageInfo = PageInfo & TermNodeConnectionPageInfo & WpPageInfo & { + __typename?: 'RootQueryToTermNodeConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the RootQueryToTermNodeConnection connection */ +export type RootQueryToTermNodeConnectionWhereArgs = { + /** Unique cache key to be produced when this query is stored in an object cache. Default is 'core'. */ + cacheDomain?: InputMaybe; + /** Term ID to retrieve child terms of. If multiple taxonomies are passed, $child_of is ignored. Default 0. */ + childOf?: InputMaybe; + /** True to limit results to terms that have no children. This parameter has no effect on non-hierarchical taxonomies. Default false. */ + childless?: InputMaybe; + /** Retrieve terms where the description is LIKE the input value. Default empty. */ + descriptionLike?: InputMaybe; + /** Array of term ids to exclude. If $include is non-empty, $exclude is ignored. Default empty array. */ + exclude?: InputMaybe>>; + /** Array of term ids to exclude along with all of their descendant terms. If $include is non-empty, $exclude_tree is ignored. Default empty array. */ + excludeTree?: InputMaybe>>; + /** Whether to hide terms not assigned to any posts. Accepts true or false. Default false */ + hideEmpty?: InputMaybe; + /** Whether to include terms that have non-empty descendants (even if $hide_empty is set to true). Default true. */ + hierarchical?: InputMaybe; + /** Array of term ids to include. Default empty array. */ + include?: InputMaybe>>; + /** Array of names to return term(s) for. Default empty. */ + name?: InputMaybe>>; + /** Retrieve terms where the name is LIKE the input value. Default empty. */ + nameLike?: InputMaybe; + /** Array of object IDs. Results will be limited to terms associated with these objects. */ + objectIds?: InputMaybe>>; + /** Direction the connection should be ordered in */ + order?: InputMaybe; + /** Field(s) to order terms by. Defaults to 'name'. */ + orderby?: InputMaybe; + /** Whether to pad the quantity of a term's children in the quantity of each term's "count" object variable. Default false. */ + padCounts?: InputMaybe; + /** Parent term ID to retrieve direct-child terms of. Default empty. */ + parent?: InputMaybe; + /** Search criteria to match terms. Will be SQL-formatted with wildcards before and after. Default empty. */ + search?: InputMaybe; + /** Array of slugs to return term(s) for. Default empty. */ + slug?: InputMaybe>>; + /** The Taxonomy to filter terms by */ + taxonomies?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomId?: InputMaybe>>; + /** Array of term taxonomy IDs, to match when querying terms. */ + termTaxonomyId?: InputMaybe>>; + /** Whether to prime meta caches for matched terms. Default true. */ + updateTermMetaCache?: InputMaybe; +}; + +/** Connection between the RootQuery type and the Theme type */ +export type RootQueryToThemeConnection = Connection & ThemeConnection & { + __typename?: 'RootQueryToThemeConnection'; + /** Edges for the RootQueryToThemeConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: RootQueryToThemeConnectionPageInfo; +}; + +/** An edge in a connection */ +export type RootQueryToThemeConnectionEdge = Edge & ThemeConnectionEdge & { + __typename?: 'RootQueryToThemeConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: Theme; +}; + +/** Page Info on the "RootQueryToThemeConnection" */ +export type RootQueryToThemeConnectionPageInfo = PageInfo & ThemeConnectionPageInfo & WpPageInfo & { + __typename?: 'RootQueryToThemeConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Connection between the RootQuery type and the User type */ +export type RootQueryToUserConnection = Connection & UserConnection & { + __typename?: 'RootQueryToUserConnection'; + /** Edges for the RootQueryToUserConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: RootQueryToUserConnectionPageInfo; +}; + +/** An edge in a connection */ +export type RootQueryToUserConnectionEdge = Edge & UserConnectionEdge & { + __typename?: 'RootQueryToUserConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: User; +}; + +/** Page Info on the "RootQueryToUserConnection" */ +export type RootQueryToUserConnectionPageInfo = PageInfo & UserConnectionPageInfo & WpPageInfo & { + __typename?: 'RootQueryToUserConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the RootQueryToUserConnection connection */ +export type RootQueryToUserConnectionWhereArgs = { + /** Array of userIds to exclude. */ + exclude?: InputMaybe>>; + /** Pass an array of post types to filter results to users who have published posts in those post types. */ + hasPublishedPosts?: InputMaybe>>; + /** Array of userIds to include. */ + include?: InputMaybe>>; + /** The user login. */ + login?: InputMaybe; + /** An array of logins to include. Users matching one of these logins will be included in results. */ + loginIn?: InputMaybe>>; + /** An array of logins to exclude. Users matching one of these logins will not be included in results. */ + loginNotIn?: InputMaybe>>; + /** The user nicename. */ + nicename?: InputMaybe; + /** An array of nicenames to include. Users matching one of these nicenames will be included in results. */ + nicenameIn?: InputMaybe>>; + /** An array of nicenames to exclude. Users matching one of these nicenames will not be included in results. */ + nicenameNotIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** An array of role names that users must match to be included in results. Note that this is an inclusive list: users must match *each* role. */ + role?: InputMaybe; + /** An array of role names. Matched users must have at least one of these roles. */ + roleIn?: InputMaybe>>; + /** An array of role names to exclude. Users matching one or more of these roles will not be included in results. */ + roleNotIn?: InputMaybe>>; + /** Search keyword. Searches for possible string matches on columns. When "searchColumns" is left empty, it tries to determine which column to search in based on search string. */ + search?: InputMaybe; + /** Array of column names to be searched. Accepts 'ID', 'login', 'nicename', 'email', 'url'. */ + searchColumns?: InputMaybe>>; +}; + +/** Connection between the RootQuery type and the UserRole type */ +export type RootQueryToUserRoleConnection = Connection & UserRoleConnection & { + __typename?: 'RootQueryToUserRoleConnection'; + /** Edges for the RootQueryToUserRoleConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: RootQueryToUserRoleConnectionPageInfo; +}; + +/** An edge in a connection */ +export type RootQueryToUserRoleConnectionEdge = Edge & UserRoleConnectionEdge & { + __typename?: 'RootQueryToUserRoleConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: UserRole; +}; + +/** Page Info on the "RootQueryToUserRoleConnection" */ +export type RootQueryToUserRoleConnectionPageInfo = PageInfo & UserRoleConnectionPageInfo & WpPageInfo & { + __typename?: 'RootQueryToUserRoleConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** The Yoast SEO breadcrumb config */ +export type SeoBreadcrumbs = { + __typename?: 'SEOBreadcrumbs'; + archivePrefix?: Maybe; + boldLast?: Maybe; + enabled?: Maybe; + homeText?: Maybe; + notFoundText?: Maybe; + prefix?: Maybe; + searchPrefix?: Maybe; + separator?: Maybe; + showBlogPage?: Maybe; +}; + +/** Types of cards */ +export enum SeoCardType { + Summary = 'summary', + SummaryLargeImage = 'summary_large_image' +} + +/** The Yoast SEO site level configuration data */ +export type SeoConfig = { + __typename?: 'SEOConfig'; + breadcrumbs?: Maybe; + contentTypes?: Maybe; + meta?: Maybe; + openGraph?: Maybe; + redirects?: Maybe>>; + schema?: Maybe; + social?: Maybe; + webmaster?: Maybe; +}; + +/** The Yoast SEO search appearance content types fields */ +export type SeoContentType = { + __typename?: 'SEOContentType'; + archive?: Maybe; + metaDesc?: Maybe; + metaRobotsNoindex?: Maybe; + schema?: Maybe; + schemaType?: Maybe; + title?: Maybe; +}; + +/** The Yoast SEO search appearance content types fields */ +export type SeoContentTypeArchive = { + __typename?: 'SEOContentTypeArchive'; + archiveLink?: Maybe; + breadcrumbTitle?: Maybe; + fullHead?: Maybe; + hasArchive?: Maybe; + metaDesc?: Maybe; + metaRobotsFollow?: Maybe; + metaRobotsIndex?: Maybe; + metaRobotsNofollow?: Maybe; + metaRobotsNoindex?: Maybe; + title?: Maybe; +}; + +/** The Yoast SEO search appearance content types */ +export type SeoContentTypes = { + __typename?: 'SEOContentTypes'; + graphqlDocument?: Maybe; + mediaItem?: Maybe; + page?: Maybe; + post?: Maybe; +}; + +/** The Yoast SEO meta data */ +export type SeoGlobalMeta = { + __typename?: 'SEOGlobalMeta'; + author?: Maybe; + config?: Maybe; + date?: Maybe; + homepage?: Maybe; + notFound?: Maybe; +}; + +/** The Yoast SEO meta 404 data */ +export type SeoGlobalMeta404 = { + __typename?: 'SEOGlobalMeta404'; + breadcrumb?: Maybe; + title?: Maybe; +}; + +/** The Yoast SEO Author data */ +export type SeoGlobalMetaAuthor = { + __typename?: 'SEOGlobalMetaAuthor'; + description?: Maybe; + title?: Maybe; +}; + +/** The Yoast SEO meta config data */ +export type SeoGlobalMetaConfig = { + __typename?: 'SEOGlobalMetaConfig'; + separator?: Maybe; +}; + +/** The Yoast SEO Date data */ +export type SeoGlobalMetaDate = { + __typename?: 'SEOGlobalMetaDate'; + description?: Maybe; + title?: Maybe; +}; + +/** The Yoast SEO homepage data */ +export type SeoGlobalMetaHome = { + __typename?: 'SEOGlobalMetaHome'; + description?: Maybe; + title?: Maybe; +}; + +/** The Open Graph data */ +export type SeoOpenGraph = { + __typename?: 'SEOOpenGraph'; + defaultImage?: Maybe; + frontPage?: Maybe; +}; + +/** The Open Graph Front page data */ +export type SeoOpenGraphFrontPage = { + __typename?: 'SEOOpenGraphFrontPage'; + description?: Maybe; + image?: Maybe; + title?: Maybe; +}; + +/** The Schema for post type */ +export type SeoPageInfoSchema = { + __typename?: 'SEOPageInfoSchema'; + raw?: Maybe; +}; + +export type SeoPostTypeBreadcrumbs = { + __typename?: 'SEOPostTypeBreadcrumbs'; + text?: Maybe; + url?: Maybe; +}; + +/** The page info SEO details */ +export type SeoPostTypePageInfo = { + __typename?: 'SEOPostTypePageInfo'; + schema?: Maybe; +}; + +/** The Schema types */ +export type SeoPostTypeSchema = { + __typename?: 'SEOPostTypeSchema'; + articleType?: Maybe>>; + pageType?: Maybe>>; + raw?: Maybe; +}; + +/** The Yoast redirect data (Yoast Premium only) */ +export type SeoRedirect = { + __typename?: 'SEORedirect'; + format?: Maybe; + origin?: Maybe; + target?: Maybe; + type?: Maybe; +}; + +/** The Yoast SEO schema data */ +export type SeoSchema = { + __typename?: 'SEOSchema'; + companyLogo?: Maybe; + companyName?: Maybe; + companyOrPerson?: Maybe; + homeUrl?: Maybe; + inLanguage?: Maybe; + logo?: Maybe; + personLogo?: Maybe; + personName?: Maybe; + siteName?: Maybe; + siteUrl?: Maybe; + wordpressSiteName?: Maybe; +}; + +/** The Yoast SEO Social media links */ +export type SeoSocial = { + __typename?: 'SEOSocial'; + facebook?: Maybe; + instagram?: Maybe; + linkedIn?: Maybe; + mySpace?: Maybe; + otherSocials?: Maybe>>; + pinterest?: Maybe; + twitter?: Maybe; + wikipedia?: Maybe; + youTube?: Maybe; +}; + +export type SeoSocialFacebook = { + __typename?: 'SEOSocialFacebook'; + defaultImage?: Maybe; + url?: Maybe; +}; + +export type SeoSocialInstagram = { + __typename?: 'SEOSocialInstagram'; + url?: Maybe; +}; + +export type SeoSocialLinkedIn = { + __typename?: 'SEOSocialLinkedIn'; + url?: Maybe; +}; + +export type SeoSocialMySpace = { + __typename?: 'SEOSocialMySpace'; + url?: Maybe; +}; + +export type SeoSocialPinterest = { + __typename?: 'SEOSocialPinterest'; + metaTag?: Maybe; + url?: Maybe; +}; + +export type SeoSocialTwitter = { + __typename?: 'SEOSocialTwitter'; + cardType?: Maybe; + username?: Maybe; +}; + +export type SeoSocialWikipedia = { + __typename?: 'SEOSocialWikipedia'; + url?: Maybe; +}; + +export type SeoSocialYoutube = { + __typename?: 'SEOSocialYoutube'; + url?: Maybe; +}; + +/** The Schema types for Taxonomy */ +export type SeoTaxonomySchema = { + __typename?: 'SEOTaxonomySchema'; + raw?: Maybe; +}; + +export type SeoUser = { + __typename?: 'SEOUser'; + breadcrumbTitle?: Maybe; + canonical?: Maybe; + fullHead?: Maybe; + language?: Maybe; + metaDesc?: Maybe; + metaRobotsNofollow?: Maybe; + metaRobotsNoindex?: Maybe; + opengraphDescription?: Maybe; + opengraphImage?: Maybe; + opengraphTitle?: Maybe; + region?: Maybe; + schema?: Maybe; + social?: Maybe; + title?: Maybe; + twitterDescription?: Maybe; + twitterImage?: Maybe; + twitterTitle?: Maybe; +}; + +/** The Schema types for User */ +export type SeoUserSchema = { + __typename?: 'SEOUserSchema'; + articleType?: Maybe>>; + pageType?: Maybe>>; + raw?: Maybe; +}; + +export type SeoUserSocial = { + __typename?: 'SEOUserSocial'; + facebook?: Maybe; + instagram?: Maybe; + linkedIn?: Maybe; + mySpace?: Maybe; + pinterest?: Maybe; + soundCloud?: Maybe; + twitter?: Maybe; + wikipedia?: Maybe; + youTube?: Maybe; +}; + +/** The Yoast SEO webmaster fields */ +export type SeoWebmaster = { + __typename?: 'SEOWebmaster'; + baiduVerify?: Maybe; + googleVerify?: Maybe; + msVerify?: Maybe; + yandexVerify?: Maybe; +}; + +/** The strategy to use when loading the script */ +export enum ScriptLoadingStrategyEnum { + /** Use the script `async` attribute */ + Async = 'ASYNC', + /** Use the script `defer` attribute */ + Defer = 'DEFER' +} + +/** Input for the sendPasswordResetEmail mutation. */ +export type SendPasswordResetEmailInput = { + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** A string that contains the user's username or email address. */ + username: Scalars['String']['input']; +}; + +/** The payload for the sendPasswordResetEmail mutation. */ +export type SendPasswordResetEmailPayload = { + __typename?: 'SendPasswordResetEmailPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** Whether the mutation completed successfully. This does NOT necessarily mean that an email was sent. */ + success?: Maybe; + /** + * The user that the password reset email was sent to + * @deprecated This field will be removed in a future version of WPGraphQL + */ + user?: Maybe; +}; + +/** All of the registered settings */ +export type Settings = { + __typename?: 'Settings'; + /** Settings of the the string Settings Group */ + discussionSettingsDefaultCommentStatus?: Maybe; + /** Settings of the the string Settings Group */ + discussionSettingsDefaultPingStatus?: Maybe; + /** Settings of the the string Settings Group */ + generalSettingsDateFormat?: Maybe; + /** Settings of the the string Settings Group */ + generalSettingsDescription?: Maybe; + /** Settings of the the string Settings Group */ + generalSettingsEmail?: Maybe; + /** Settings of the the string Settings Group */ + generalSettingsLanguage?: Maybe; + /** Settings of the the integer Settings Group */ + generalSettingsStartOfWeek?: Maybe; + /** Settings of the the string Settings Group */ + generalSettingsTimeFormat?: Maybe; + /** Settings of the the string Settings Group */ + generalSettingsTimezone?: Maybe; + /** Settings of the the string Settings Group */ + generalSettingsTitle?: Maybe; + /** Settings of the the string Settings Group */ + generalSettingsUrl?: Maybe; + /** Settings of the the integer Settings Group */ + readingSettingsPageForPosts?: Maybe; + /** Settings of the the integer Settings Group */ + readingSettingsPageOnFront?: Maybe; + /** Settings of the the integer Settings Group */ + readingSettingsPostsPerPage?: Maybe; + /** Settings of the the string Settings Group */ + readingSettingsShowOnFront?: Maybe; + /** Settings of the the string Settings Group */ + ubSettingsSettingsUbIconChoices?: Maybe; + /** Settings of the the integer Settings Group */ + writingSettingsDefaultCategory?: Maybe; + /** Settings of the the string Settings Group */ + writingSettingsDefaultPostFormat?: Maybe; + /** Settings of the the boolean Settings Group */ + writingSettingsUseSmilies?: Maybe; +}; + +/** The tag type */ +export type Tag = DatabaseIdentifier & MenuItemLinkable & Node & TermNode & UniformResourceIdentifiable & { + __typename?: 'Tag'; + /** Connection between the Tag type and the ContentNode type */ + contentNodes?: Maybe; + /** The number of objects connected to the object */ + count?: Maybe; + /** The unique identifier stored in the database */ + databaseId: Scalars['Int']['output']; + /** The description of the object */ + description?: Maybe; + /** Connection between the TermNode type and the EnqueuedScript type */ + enqueuedScripts?: Maybe; + /** Connection between the TermNode type and the EnqueuedStylesheet type */ + enqueuedStylesheets?: Maybe; + /** The unique resource identifier path */ + id: Scalars['ID']['output']; + /** Whether the node is a Content Node */ + isContentNode: Scalars['Boolean']['output']; + /** Whether the object is restricted from the current viewer */ + isRestricted?: Maybe; + /** Whether the node is a Term */ + isTermNode: Scalars['Boolean']['output']; + /** The link to the term */ + link?: Maybe; + /** The human friendly name of the object. */ + name?: Maybe; + /** Connection between the Tag type and the post type */ + posts?: Maybe; + /** The Yoast SEO data of the 標籤 taxonomy. */ + seo?: Maybe; + /** An alphanumeric identifier for the object unique to its type. */ + slug?: Maybe; + /** + * The id field matches the WP_Post->ID field. + * @deprecated Deprecated in favor of databaseId + */ + tagId?: Maybe; + /** Connection between the Tag type and the Taxonomy type */ + taxonomy?: Maybe; + /** The name of the taxonomy that the object is associated with */ + taxonomyName?: Maybe; + /** The ID of the term group that this term object belongs to */ + termGroupId?: Maybe; + /** The taxonomy ID that the object is associated with */ + termTaxonomyId?: Maybe; + /** The unique resource identifier path */ + uri?: Maybe; +}; + + +/** The tag type */ +export type TagContentNodesArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** The tag type */ +export type TagEnqueuedScriptsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** The tag type */ +export type TagEnqueuedStylesheetsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** The tag type */ +export type TagPostsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + +/** Connection to tag Nodes */ +export type TagConnection = { + /** A list of edges (relational context) between RootQuery and connected tag Nodes */ + edges: Array; + /** A list of connected tag Nodes */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: TagConnectionPageInfo; +}; + +/** Edge between a Node and a connected tag */ +export type TagConnectionEdge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected tag Node */ + node: Tag; +}; + +/** Page Info on the connected TagConnectionEdge */ +export type TagConnectionPageInfo = { + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** The Type of Identifier used to fetch a single resource. Default is ID. */ +export enum TagIdType { + /** The Database ID for the node */ + DatabaseId = 'DATABASE_ID', + /** The hashed Global ID */ + Id = 'ID', + /** The name of the node */ + Name = 'NAME', + /** Url friendly name of the node */ + Slug = 'SLUG', + /** The URI for the node */ + Uri = 'URI' +} + +/** Connection between the Tag type and the ContentNode type */ +export type TagToContentNodeConnection = Connection & ContentNodeConnection & { + __typename?: 'TagToContentNodeConnection'; + /** Edges for the TagToContentNodeConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: TagToContentNodeConnectionPageInfo; +}; + +/** An edge in a connection */ +export type TagToContentNodeConnectionEdge = ContentNodeConnectionEdge & Edge & { + __typename?: 'TagToContentNodeConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: ContentNode; +}; + +/** Page Info on the "TagToContentNodeConnection" */ +export type TagToContentNodeConnectionPageInfo = ContentNodeConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'TagToContentNodeConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the TagToContentNodeConnection connection */ +export type TagToContentNodeConnectionWhereArgs = { + /** The Types of content to filter */ + contentTypes?: InputMaybe>>; + /** Filter the connection based on dates */ + dateQuery?: InputMaybe; + /** True for objects with passwords; False for objects without passwords; null for all objects with or without passwords */ + hasPassword?: InputMaybe; + /** Specific database ID of the object */ + id?: InputMaybe; + /** Array of IDs for the objects to retrieve */ + in?: InputMaybe>>; + /** Get objects with a specific mimeType property */ + mimeType?: InputMaybe; + /** Slug / post_name of the object */ + name?: InputMaybe; + /** Specify objects to retrieve. Use slugs */ + nameIn?: InputMaybe>>; + /** Specify IDs NOT to retrieve. If this is used in the same query as "in", it will be ignored */ + notIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** Use ID to return only children. Use 0 to return only top-level items */ + parent?: InputMaybe; + /** Specify objects whose parent is in an array */ + parentIn?: InputMaybe>>; + /** Specify posts whose parent is not in an array */ + parentNotIn?: InputMaybe>>; + /** Show posts with a specific password. */ + password?: InputMaybe; + /** Show Posts based on a keyword search */ + search?: InputMaybe; + /** Retrieve posts where post status is in an array. */ + stati?: InputMaybe>>; + /** Show posts with a specific status. */ + status?: InputMaybe; + /** Title of the object */ + title?: InputMaybe; +}; + +/** Connection between the Tag type and the post type */ +export type TagToPostConnection = Connection & PostConnection & { + __typename?: 'TagToPostConnection'; + /** Edges for the TagToPostConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: TagToPostConnectionPageInfo; +}; + +/** An edge in a connection */ +export type TagToPostConnectionEdge = Edge & PostConnectionEdge & { + __typename?: 'TagToPostConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: Post; +}; + +/** Page Info on the "TagToPostConnection" */ +export type TagToPostConnectionPageInfo = PageInfo & PostConnectionPageInfo & WpPageInfo & { + __typename?: 'TagToPostConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the TagToPostConnection connection */ +export type TagToPostConnectionWhereArgs = { + /** The user that's connected as the author of the object. Use the userId for the author object. */ + author?: InputMaybe; + /** Find objects connected to author(s) in the array of author's userIds */ + authorIn?: InputMaybe>>; + /** Find objects connected to the author by the author's nicename */ + authorName?: InputMaybe; + /** Find objects NOT connected to author(s) in the array of author's userIds */ + authorNotIn?: InputMaybe>>; + /** Category ID */ + categoryId?: InputMaybe; + /** Array of category IDs, used to display objects from one category OR another */ + categoryIn?: InputMaybe>>; + /** Use Category Slug */ + categoryName?: InputMaybe; + /** Array of category IDs, used to display objects from one category OR another */ + categoryNotIn?: InputMaybe>>; + /** Filter the connection based on dates */ + dateQuery?: InputMaybe; + /** True for objects with passwords; False for objects without passwords; null for all objects with or without passwords */ + hasPassword?: InputMaybe; + /** Specific database ID of the object */ + id?: InputMaybe; + /** Array of IDs for the objects to retrieve */ + in?: InputMaybe>>; + /** Get objects with a specific mimeType property */ + mimeType?: InputMaybe; + /** Slug / post_name of the object */ + name?: InputMaybe; + /** Specify objects to retrieve. Use slugs */ + nameIn?: InputMaybe>>; + /** Specify IDs NOT to retrieve. If this is used in the same query as "in", it will be ignored */ + notIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** Use ID to return only children. Use 0 to return only top-level items */ + parent?: InputMaybe; + /** Specify objects whose parent is in an array */ + parentIn?: InputMaybe>>; + /** Specify posts whose parent is not in an array */ + parentNotIn?: InputMaybe>>; + /** Show posts with a specific password. */ + password?: InputMaybe; + /** Show Posts based on a keyword search */ + search?: InputMaybe; + /** Retrieve posts where post status is in an array. */ + stati?: InputMaybe>>; + /** Show posts with a specific status. */ + status?: InputMaybe; + /** Tag Slug */ + tag?: InputMaybe; + /** Use Tag ID */ + tagId?: InputMaybe; + /** Array of tag IDs, used to display objects from one tag OR another */ + tagIn?: InputMaybe>>; + /** Array of tag IDs, used to display objects from one tag OR another */ + tagNotIn?: InputMaybe>>; + /** Array of tag slugs, used to display objects from one tag AND another */ + tagSlugAnd?: InputMaybe>>; + /** Array of tag slugs, used to include objects in ANY specified tags */ + tagSlugIn?: InputMaybe>>; + /** Title of the object */ + title?: InputMaybe; +}; + +/** Connection between the Tag type and the Taxonomy type */ +export type TagToTaxonomyConnectionEdge = Edge & OneToOneConnection & TaxonomyConnectionEdge & { + __typename?: 'TagToTaxonomyConnectionEdge'; + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The node of the connection, without the edges */ + node: Taxonomy; +}; + +/** A taxonomy object */ +export type Taxonomy = Node & { + __typename?: 'Taxonomy'; + /** List of Content Types associated with the Taxonomy */ + connectedContentTypes?: Maybe; + /** List of Term Nodes associated with the Taxonomy */ + connectedTerms?: Maybe; + /** Description of the taxonomy. This field is equivalent to WP_Taxonomy->description */ + description?: Maybe; + /** The plural name of the post type within the GraphQL Schema. */ + graphqlPluralName?: Maybe; + /** The singular name of the post type within the GraphQL Schema. */ + graphqlSingleName?: Maybe; + /** Whether the taxonomy is hierarchical */ + hierarchical?: Maybe; + /** The globally unique identifier of the taxonomy object. */ + id: Scalars['ID']['output']; + /** Whether the object is restricted from the current viewer */ + isRestricted?: Maybe; + /** Name of the taxonomy shown in the menu. Usually plural. */ + label?: Maybe; + /** The display name of the taxonomy. This field is equivalent to WP_Taxonomy->label */ + name?: Maybe; + /** Whether the taxonomy is publicly queryable */ + public?: Maybe; + /** Name of content type to display in REST API "wp/v2" namespace. */ + restBase?: Maybe; + /** The REST Controller class assigned to handling this content type. */ + restControllerClass?: Maybe; + /** Whether to show the taxonomy as part of a tag cloud widget. This field is equivalent to WP_Taxonomy->show_tagcloud */ + showCloud?: Maybe; + /** Whether to display a column for the taxonomy on its post type listing screens. */ + showInAdminColumn?: Maybe; + /** Whether to add the post type to the GraphQL Schema. */ + showInGraphql?: Maybe; + /** Whether to show the taxonomy in the admin menu */ + showInMenu?: Maybe; + /** Whether the taxonomy is available for selection in navigation menus. */ + showInNavMenus?: Maybe; + /** Whether to show the taxonomy in the quick/bulk edit panel. */ + showInQuickEdit?: Maybe; + /** Whether to add the post type route in the REST API "wp/v2" namespace. */ + showInRest?: Maybe; + /** Whether to generate and allow a UI for managing terms in this taxonomy in the admin */ + showUi?: Maybe; +}; + + +/** A taxonomy object */ +export type TaxonomyConnectedContentTypesArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** A taxonomy object */ +export type TaxonomyConnectedTermsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + +/** Connection to Taxonomy Nodes */ +export type TaxonomyConnection = { + /** A list of edges (relational context) between RootQuery and connected Taxonomy Nodes */ + edges: Array; + /** A list of connected Taxonomy Nodes */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: TaxonomyConnectionPageInfo; +}; + +/** Edge between a Node and a connected Taxonomy */ +export type TaxonomyConnectionEdge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected Taxonomy Node */ + node: Taxonomy; +}; + +/** Page Info on the connected TaxonomyConnectionEdge */ +export type TaxonomyConnectionPageInfo = { + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Allowed taxonomies */ +export enum TaxonomyEnum { + /** Taxonomy enum category */ + Category = 'CATEGORY', + /** Taxonomy enum graphql_document_group */ + Graphqldocumentgroup = 'GRAPHQLDOCUMENTGROUP', + /** Taxonomy enum post_format */ + Postformat = 'POSTFORMAT', + /** Taxonomy enum post_tag */ + Tag = 'TAG' +} + +/** The Type of Identifier used to fetch a single Taxonomy node. To be used along with the "id" field. Default is "ID". */ +export enum TaxonomyIdTypeEnum { + /** The globally unique ID */ + Id = 'ID', + /** The name of the taxonomy */ + Name = 'NAME' +} + +export type TaxonomySeo = { + __typename?: 'TaxonomySEO'; + breadcrumbs?: Maybe>>; + canonical?: Maybe; + cornerstone?: Maybe; + focuskw?: Maybe; + fullHead?: Maybe; + metaDesc?: Maybe; + metaKeywords?: Maybe; + metaRobotsNofollow?: Maybe; + metaRobotsNoindex?: Maybe; + opengraphAuthor?: Maybe; + opengraphDescription?: Maybe; + opengraphImage?: Maybe; + opengraphModifiedTime?: Maybe; + opengraphPublishedTime?: Maybe; + opengraphPublisher?: Maybe; + opengraphSiteName?: Maybe; + opengraphTitle?: Maybe; + opengraphType?: Maybe; + opengraphUrl?: Maybe; + schema?: Maybe; + title?: Maybe; + twitterDescription?: Maybe; + twitterImage?: Maybe; + twitterTitle?: Maybe; +}; + +/** Connection between the Taxonomy type and the ContentType type */ +export type TaxonomyToContentTypeConnection = Connection & ContentTypeConnection & { + __typename?: 'TaxonomyToContentTypeConnection'; + /** Edges for the TaxonomyToContentTypeConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: TaxonomyToContentTypeConnectionPageInfo; +}; + +/** An edge in a connection */ +export type TaxonomyToContentTypeConnectionEdge = ContentTypeConnectionEdge & Edge & { + __typename?: 'TaxonomyToContentTypeConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: ContentType; +}; + +/** Page Info on the "TaxonomyToContentTypeConnection" */ +export type TaxonomyToContentTypeConnectionPageInfo = ContentTypeConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'TaxonomyToContentTypeConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Connection between the Taxonomy type and the TermNode type */ +export type TaxonomyToTermNodeConnection = Connection & TermNodeConnection & { + __typename?: 'TaxonomyToTermNodeConnection'; + /** Edges for the TaxonomyToTermNodeConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: TaxonomyToTermNodeConnectionPageInfo; +}; + +/** An edge in a connection */ +export type TaxonomyToTermNodeConnectionEdge = Edge & TermNodeConnectionEdge & { + __typename?: 'TaxonomyToTermNodeConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: TermNode; +}; + +/** Page Info on the "TaxonomyToTermNodeConnection" */ +export type TaxonomyToTermNodeConnectionPageInfo = PageInfo & TermNodeConnectionPageInfo & WpPageInfo & { + __typename?: 'TaxonomyToTermNodeConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Terms are nodes within a Taxonomy, used to group and relate other nodes. */ +export type TermNode = { + /** The number of objects connected to the object */ + count?: Maybe; + /** Identifies the primary key from the database. */ + databaseId: Scalars['Int']['output']; + /** The description of the object */ + description?: Maybe; + /** Connection between the TermNode type and the EnqueuedScript type */ + enqueuedScripts?: Maybe; + /** Connection between the TermNode type and the EnqueuedStylesheet type */ + enqueuedStylesheets?: Maybe; + /** The unique resource identifier path */ + id: Scalars['ID']['output']; + /** Whether the node is a Content Node */ + isContentNode: Scalars['Boolean']['output']; + /** Whether the object is restricted from the current viewer */ + isRestricted?: Maybe; + /** Whether the node is a Term */ + isTermNode: Scalars['Boolean']['output']; + /** The link to the term */ + link?: Maybe; + /** The human friendly name of the object. */ + name?: Maybe; + /** An alphanumeric identifier for the object unique to its type. */ + slug?: Maybe; + /** The name of the taxonomy that the object is associated with */ + taxonomyName?: Maybe; + /** The ID of the term group that this term object belongs to */ + termGroupId?: Maybe; + /** The taxonomy ID that the object is associated with */ + termTaxonomyId?: Maybe; + /** The unique resource identifier path */ + uri?: Maybe; +}; + + +/** Terms are nodes within a Taxonomy, used to group and relate other nodes. */ +export type TermNodeEnqueuedScriptsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** Terms are nodes within a Taxonomy, used to group and relate other nodes. */ +export type TermNodeEnqueuedStylesheetsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + +/** Connection to TermNode Nodes */ +export type TermNodeConnection = { + /** A list of edges (relational context) between RootQuery and connected TermNode Nodes */ + edges: Array; + /** A list of connected TermNode Nodes */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: TermNodeConnectionPageInfo; +}; + +/** Edge between a Node and a connected TermNode */ +export type TermNodeConnectionEdge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected TermNode Node */ + node: TermNode; +}; + +/** Page Info on the connected TermNodeConnectionEdge */ +export type TermNodeConnectionPageInfo = { + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** The Type of Identifier used to fetch a single resource. Default is "ID". To be used along with the "id" field. */ +export enum TermNodeIdTypeEnum { + /** The Database ID for the node */ + DatabaseId = 'DATABASE_ID', + /** The hashed Global ID */ + Id = 'ID', + /** The name of the node */ + Name = 'NAME', + /** Url friendly name of the node */ + Slug = 'SLUG', + /** The URI for the node */ + Uri = 'URI' +} + +/** Connection between the TermNode type and the EnqueuedScript type */ +export type TermNodeToEnqueuedScriptConnection = Connection & EnqueuedScriptConnection & { + __typename?: 'TermNodeToEnqueuedScriptConnection'; + /** Edges for the TermNodeToEnqueuedScriptConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: TermNodeToEnqueuedScriptConnectionPageInfo; +}; + +/** An edge in a connection */ +export type TermNodeToEnqueuedScriptConnectionEdge = Edge & EnqueuedScriptConnectionEdge & { + __typename?: 'TermNodeToEnqueuedScriptConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: EnqueuedScript; +}; + +/** Page Info on the "TermNodeToEnqueuedScriptConnection" */ +export type TermNodeToEnqueuedScriptConnectionPageInfo = EnqueuedScriptConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'TermNodeToEnqueuedScriptConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Connection between the TermNode type and the EnqueuedStylesheet type */ +export type TermNodeToEnqueuedStylesheetConnection = Connection & EnqueuedStylesheetConnection & { + __typename?: 'TermNodeToEnqueuedStylesheetConnection'; + /** Edges for the TermNodeToEnqueuedStylesheetConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: TermNodeToEnqueuedStylesheetConnectionPageInfo; +}; + +/** An edge in a connection */ +export type TermNodeToEnqueuedStylesheetConnectionEdge = Edge & EnqueuedStylesheetConnectionEdge & { + __typename?: 'TermNodeToEnqueuedStylesheetConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: EnqueuedStylesheet; +}; + +/** Page Info on the "TermNodeToEnqueuedStylesheetConnection" */ +export type TermNodeToEnqueuedStylesheetConnectionPageInfo = EnqueuedStylesheetConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'TermNodeToEnqueuedStylesheetConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Options for ordering the connection by */ +export enum TermObjectsConnectionOrderbyEnum { + /** Order the connection by item count. */ + Count = 'COUNT', + /** Order the connection by description. */ + Description = 'DESCRIPTION', + /** Order the connection by name. */ + Name = 'NAME', + /** Order the connection by slug. */ + Slug = 'SLUG', + /** Order the connection by term group. */ + TermGroup = 'TERM_GROUP', + /** Order the connection by term id. */ + TermId = 'TERM_ID', + /** Order the connection by term order. */ + TermOrder = 'TERM_ORDER' +} + +/** A theme object */ +export type Theme = Node & { + __typename?: 'Theme'; + /** Name of the theme author(s), could also be a company name. This field is equivalent to WP_Theme->get( "Author" ). */ + author?: Maybe; + /** URI for the author/company website. This field is equivalent to WP_Theme->get( "AuthorURI" ). */ + authorUri?: Maybe; + /** The description of the theme. This field is equivalent to WP_Theme->get( "Description" ). */ + description?: Maybe; + /** The globally unique identifier of the theme object. */ + id: Scalars['ID']['output']; + /** Whether the object is restricted from the current viewer */ + isRestricted?: Maybe; + /** Display name of the theme. This field is equivalent to WP_Theme->get( "Name" ). */ + name?: Maybe; + /** The URL of the screenshot for the theme. The screenshot is intended to give an overview of what the theme looks like. This field is equivalent to WP_Theme->get_screenshot(). */ + screenshot?: Maybe; + /** The theme slug is used to internally match themes. Theme slugs can have subdirectories like: my-theme/sub-theme. This field is equivalent to WP_Theme->get_stylesheet(). */ + slug?: Maybe; + /** URI for the author/company website. This field is equivalent to WP_Theme->get( "Tags" ). */ + tags?: Maybe>>; + /** A URI if the theme has a website associated with it. The Theme URI is handy for directing users to a theme site for support etc. This field is equivalent to WP_Theme->get( "ThemeURI" ). */ + themeUri?: Maybe; + /** The current version of the theme. This field is equivalent to WP_Theme->get( "Version" ). */ + version?: Maybe; +}; + +/** Connection to Theme Nodes */ +export type ThemeConnection = { + /** A list of edges (relational context) between RootQuery and connected Theme Nodes */ + edges: Array; + /** A list of connected Theme Nodes */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: ThemeConnectionPageInfo; +}; + +/** Edge between a Node and a connected Theme */ +export type ThemeConnectionEdge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected Theme Node */ + node: Theme; +}; + +/** Page Info on the connected ThemeConnectionEdge */ +export type ThemeConnectionPageInfo = { + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** The ubSettings setting type */ +export type UbSettingsSettings = { + __typename?: 'UbSettingsSettings'; + /** The string Settings Group */ + ubIconChoices?: Maybe; +}; + +/** Any node that has a URI */ +export type UniformResourceIdentifiable = { + /** The unique resource identifier path */ + id: Scalars['ID']['output']; + /** Whether the node is a Content Node */ + isContentNode: Scalars['Boolean']['output']; + /** Whether the node is a Term */ + isTermNode: Scalars['Boolean']['output']; + /** The unique resource identifier path */ + uri?: Maybe; +}; + +/** Input for the updateCategory mutation. */ +export type UpdateCategoryInput = { + /** The slug that the category will be an alias of */ + aliasOf?: InputMaybe; + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The description of the category object */ + description?: InputMaybe; + /** The ID of the category object to update */ + id: Scalars['ID']['input']; + /** The name of the category object to mutate */ + name?: InputMaybe; + /** The ID of the category that should be set as the parent */ + parentId?: InputMaybe; + /** If this argument exists then the slug will be checked to see if it is not an existing valid term. If that check succeeds (it is not a valid term), then it is added and the term id is given. If it fails, then a check is made to whether the taxonomy is hierarchical and the parent argument is not empty. If the second check succeeds, the term will be inserted and the term id will be given. If the slug argument is empty, then it will be calculated from the term name. */ + slug?: InputMaybe; +}; + +/** The payload for the updateCategory mutation. */ +export type UpdateCategoryPayload = { + __typename?: 'UpdateCategoryPayload'; + /** The created category */ + category?: Maybe; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; +}; + +/** Input for the updateComment mutation. */ +export type UpdateCommentInput = { + /** The approval status of the comment. */ + approved?: InputMaybe; + /** The name of the comment's author. */ + author?: InputMaybe; + /** The email of the comment's author. */ + authorEmail?: InputMaybe; + /** The url of the comment's author. */ + authorUrl?: InputMaybe; + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The database ID of the post object the comment belongs to. */ + commentOn?: InputMaybe; + /** Content of the comment. */ + content?: InputMaybe; + /** The date of the object. Preferable to enter as year/month/day ( e.g. 01/31/2017 ) as it will rearrange date as fit if it is not specified. Incomplete dates may have unintended results for example, "2017" as the input will use current date with timestamp 20:17 */ + date?: InputMaybe; + /** The ID of the comment being updated. */ + id: Scalars['ID']['input']; + /** Parent comment ID of current comment. */ + parent?: InputMaybe; + /** The approval status of the comment */ + status?: InputMaybe; + /** Type of comment. */ + type?: InputMaybe; +}; + +/** The payload for the updateComment mutation. */ +export type UpdateCommentPayload = { + __typename?: 'UpdateCommentPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The comment that was created */ + comment?: Maybe; + /** Whether the mutation succeeded. If the comment is not approved, the server will not return the comment to a non authenticated user, but a success message can be returned if the create succeeded, and the client can optimistically add the comment to the client cache */ + success?: Maybe; +}; + +/** Input for the updateGraphqlDocumentGroup mutation. */ +export type UpdateGraphqlDocumentGroupInput = { + /** The slug that the graphql_document_group will be an alias of */ + aliasOf?: InputMaybe; + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The description of the graphql_document_group object */ + description?: InputMaybe; + /** The ID of the graphqlDocumentGroup object to update */ + id: Scalars['ID']['input']; + /** The name of the graphql_document_group object to mutate */ + name?: InputMaybe; + /** If this argument exists then the slug will be checked to see if it is not an existing valid term. If that check succeeds (it is not a valid term), then it is added and the term id is given. If it fails, then a check is made to whether the taxonomy is hierarchical and the parent argument is not empty. If the second check succeeds, the term will be inserted and the term id will be given. If the slug argument is empty, then it will be calculated from the term name. */ + slug?: InputMaybe; +}; + +/** The payload for the updateGraphqlDocumentGroup mutation. */ +export type UpdateGraphqlDocumentGroupPayload = { + __typename?: 'UpdateGraphqlDocumentGroupPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The created graphql_document_group */ + graphqlDocumentGroup?: Maybe; +}; + +/** Input for the updateGraphqlDocument mutation. */ +export type UpdateGraphqlDocumentInput = { + /** Alias names for saved GraphQL query documents */ + alias?: InputMaybe>; + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The content of the object */ + content?: InputMaybe; + /** The date of the object. Preferable to enter as year/month/day (e.g. 01/31/2017) as it will rearrange date as fit if it is not specified. Incomplete dates may have unintended results for example, "2017" as the input will use current date with timestamp 20:17 */ + date?: InputMaybe; + /** Description for the saved GraphQL document */ + description?: InputMaybe; + /** Allow, deny or default access grant for specific query */ + grant?: InputMaybe; + /** Set connections between the graphqlDocument and graphqlDocumentGroups */ + graphqlDocumentGroups?: InputMaybe; + /** The ID of the graphqlDocument object */ + id: Scalars['ID']['input']; + /** Override the edit lock when another user is editing the post */ + ignoreEditLock?: InputMaybe; + /** HTTP Cache-Control max-age directive for a saved GraphQL document */ + maxAgeHeader?: InputMaybe; + /** A field used for ordering posts. This is typically used with nav menu items or for special ordering of hierarchical content types. */ + menuOrder?: InputMaybe; + /** The password used to protect the content of the object */ + password?: InputMaybe; + /** The slug of the object */ + slug?: InputMaybe; + /** The status of the object */ + status?: InputMaybe; + /** The title of the object */ + title?: InputMaybe; +}; + +/** The payload for the updateGraphqlDocument mutation. */ +export type UpdateGraphqlDocumentPayload = { + __typename?: 'UpdateGraphqlDocumentPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The Post object mutation type. */ + graphqlDocument?: Maybe; +}; + +/** Input for the updateMediaItem mutation. */ +export type UpdateMediaItemInput = { + /** Alternative text to display when mediaItem is not displayed */ + altText?: InputMaybe; + /** The userId to assign as the author of the mediaItem */ + authorId?: InputMaybe; + /** The caption for the mediaItem */ + caption?: InputMaybe; + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The comment status for the mediaItem */ + commentStatus?: InputMaybe; + /** The date of the mediaItem */ + date?: InputMaybe; + /** The date (in GMT zone) of the mediaItem */ + dateGmt?: InputMaybe; + /** Description of the mediaItem */ + description?: InputMaybe; + /** The file name of the mediaItem */ + filePath?: InputMaybe; + /** The file type of the mediaItem */ + fileType?: InputMaybe; + /** The ID of the mediaItem object */ + id: Scalars['ID']['input']; + /** The ID of the parent object */ + parentId?: InputMaybe; + /** The ping status for the mediaItem */ + pingStatus?: InputMaybe; + /** The slug of the mediaItem */ + slug?: InputMaybe; + /** The status of the mediaItem */ + status?: InputMaybe; + /** The title of the mediaItem */ + title?: InputMaybe; +}; + +/** The payload for the updateMediaItem mutation. */ +export type UpdateMediaItemPayload = { + __typename?: 'UpdateMediaItemPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The MediaItem object mutation type. */ + mediaItem?: Maybe; +}; + +/** Input for the updatePage mutation. */ +export type UpdatePageInput = { + /** The userId to assign as the author of the object */ + authorId?: InputMaybe; + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The content of the object */ + content?: InputMaybe; + /** The date of the object. Preferable to enter as year/month/day (e.g. 01/31/2017) as it will rearrange date as fit if it is not specified. Incomplete dates may have unintended results for example, "2017" as the input will use current date with timestamp 20:17 */ + date?: InputMaybe; + /** The ID of the page object */ + id: Scalars['ID']['input']; + /** Override the edit lock when another user is editing the post */ + ignoreEditLock?: InputMaybe; + /** A field used for ordering posts. This is typically used with nav menu items or for special ordering of hierarchical content types. */ + menuOrder?: InputMaybe; + /** The ID of the parent object */ + parentId?: InputMaybe; + /** The password used to protect the content of the object */ + password?: InputMaybe; + /** The slug of the object */ + slug?: InputMaybe; + /** The status of the object */ + status?: InputMaybe; + /** The title of the object */ + title?: InputMaybe; +}; + +/** The payload for the updatePage mutation. */ +export type UpdatePagePayload = { + __typename?: 'UpdatePagePayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The Post object mutation type. */ + page?: Maybe; +}; + +/** Input for the updatePostFormat mutation. */ +export type UpdatePostFormatInput = { + /** The slug that the post_format will be an alias of */ + aliasOf?: InputMaybe; + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The description of the post_format object */ + description?: InputMaybe; + /** The ID of the postFormat object to update */ + id: Scalars['ID']['input']; + /** The name of the post_format object to mutate */ + name?: InputMaybe; + /** If this argument exists then the slug will be checked to see if it is not an existing valid term. If that check succeeds (it is not a valid term), then it is added and the term id is given. If it fails, then a check is made to whether the taxonomy is hierarchical and the parent argument is not empty. If the second check succeeds, the term will be inserted and the term id will be given. If the slug argument is empty, then it will be calculated from the term name. */ + slug?: InputMaybe; +}; + +/** The payload for the updatePostFormat mutation. */ +export type UpdatePostFormatPayload = { + __typename?: 'UpdatePostFormatPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The created post_format */ + postFormat?: Maybe; +}; + +/** Input for the updatePost mutation. */ +export type UpdatePostInput = { + /** The userId to assign as the author of the object */ + authorId?: InputMaybe; + /** Set connections between the post and categories */ + categories?: InputMaybe; + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The content of the object */ + content?: InputMaybe; + /** The date of the object. Preferable to enter as year/month/day (e.g. 01/31/2017) as it will rearrange date as fit if it is not specified. Incomplete dates may have unintended results for example, "2017" as the input will use current date with timestamp 20:17 */ + date?: InputMaybe; + /** The excerpt of the object */ + excerpt?: InputMaybe; + /** The ID of the post object */ + id: Scalars['ID']['input']; + /** Override the edit lock when another user is editing the post */ + ignoreEditLock?: InputMaybe; + /** A field used for ordering posts. This is typically used with nav menu items or for special ordering of hierarchical content types. */ + menuOrder?: InputMaybe; + /** The password used to protect the content of the object */ + password?: InputMaybe; + /** Set connections between the post and postFormats */ + postFormats?: InputMaybe; + /** The slug of the object */ + slug?: InputMaybe; + /** The status of the object */ + status?: InputMaybe; + /** Set connections between the post and tags */ + tags?: InputMaybe; + /** The title of the object */ + title?: InputMaybe; +}; + +/** The payload for the updatePost mutation. */ +export type UpdatePostPayload = { + __typename?: 'UpdatePostPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The Post object mutation type. */ + post?: Maybe; +}; + +/** Input for the updateSettings mutation. */ +export type UpdateSettingsInput = { + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** 開放使用者在新文章中發佈留言 */ + discussionSettingsDefaultCommentStatus?: InputMaybe; + /** 開放其他網站對新文章傳送連結通知 (即自動引用通知及引用通知)。 */ + discussionSettingsDefaultPingStatus?: InputMaybe; + /** 全部日期字串的日期格式。 */ + generalSettingsDateFormat?: InputMaybe; + /** 網站說明。 */ + generalSettingsDescription?: InputMaybe; + /** 這個電子郵件地址用於管理目的。例如接收新使用者註冊通知。 */ + generalSettingsEmail?: InputMaybe; + /** WordPress 地區語言代碼。 */ + generalSettingsLanguage?: InputMaybe; + /** 每週的開始日期。 */ + generalSettingsStartOfWeek?: InputMaybe; + /** 全部時間字串的時間格式。 */ + generalSettingsTimeFormat?: InputMaybe; + /** 與居地相同時區的城市。 */ + generalSettingsTimezone?: InputMaybe; + /** 網站標題。 */ + generalSettingsTitle?: InputMaybe; + /** 網站網址。 */ + generalSettingsUrl?: InputMaybe; + /** 要顯示最新文章頁面的頁面 ID */ + readingSettingsPageForPosts?: InputMaybe; + /** 要顯示為靜態首頁頁面的頁面 ID */ + readingSettingsPageOnFront?: InputMaybe; + /** 網站文章頁面每頁文章顯示數量。 */ + readingSettingsPostsPerPage?: InputMaybe; + /** 要顯示於靜態首頁的項目 */ + readingSettingsShowOnFront?: InputMaybe; + ubSettingsSettingsUbIconChoices?: InputMaybe; + /** 預設文章分類。 */ + writingSettingsDefaultCategory?: InputMaybe; + /** 預設文章格式。 */ + writingSettingsDefaultPostFormat?: InputMaybe; + /** 自動在顯示時將 :-) 及 :-P 這類表情符號轉換成圖片。 */ + writingSettingsUseSmilies?: InputMaybe; +}; + +/** The payload for the updateSettings mutation. */ +export type UpdateSettingsPayload = { + __typename?: 'UpdateSettingsPayload'; + /** Update all settings. */ + allSettings?: Maybe; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** Update the DiscussionSettings setting. */ + discussionSettings?: Maybe; + /** Update the GeneralSettings setting. */ + generalSettings?: Maybe; + /** Update the ReadingSettings setting. */ + readingSettings?: Maybe; + /** Update the UbSettingsSettings setting. */ + ubSettingsSettings?: Maybe; + /** Update the WritingSettings setting. */ + writingSettings?: Maybe; +}; + +/** Input for the updateTag mutation. */ +export type UpdateTagInput = { + /** The slug that the post_tag will be an alias of */ + aliasOf?: InputMaybe; + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** The description of the post_tag object */ + description?: InputMaybe; + /** The ID of the tag object to update */ + id: Scalars['ID']['input']; + /** The name of the post_tag object to mutate */ + name?: InputMaybe; + /** If this argument exists then the slug will be checked to see if it is not an existing valid term. If that check succeeds (it is not a valid term), then it is added and the term id is given. If it fails, then a check is made to whether the taxonomy is hierarchical and the parent argument is not empty. If the second check succeeds, the term will be inserted and the term id will be given. If the slug argument is empty, then it will be calculated from the term name. */ + slug?: InputMaybe; +}; + +/** The payload for the updateTag mutation. */ +export type UpdateTagPayload = { + __typename?: 'UpdateTagPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The created post_tag */ + tag?: Maybe; +}; + +/** Input for the updateUser mutation. */ +export type UpdateUserInput = { + /** User's AOL IM account. */ + aim?: InputMaybe; + /** This is an ID that can be passed to a mutation by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: InputMaybe; + /** A string containing content about the user. */ + description?: InputMaybe; + /** A string that will be shown on the site. Defaults to user's username. It is likely that you will want to change this, for both appearance and security through obscurity (that is if you dont use and delete the default admin user). */ + displayName?: InputMaybe; + /** A string containing the user's email address. */ + email?: InputMaybe; + /** The user's first name. */ + firstName?: InputMaybe; + /** The ID of the user */ + id: Scalars['ID']['input']; + /** User's Jabber account. */ + jabber?: InputMaybe; + /** The user's last name. */ + lastName?: InputMaybe; + /** User's locale. */ + locale?: InputMaybe; + /** A string that contains a URL-friendly name for the user. The default is the user's username. */ + nicename?: InputMaybe; + /** The user's nickname, defaults to the user's username. */ + nickname?: InputMaybe; + /** A string that contains the plain text password for the user. */ + password?: InputMaybe; + /** If true, this will refresh the users JWT secret. */ + refreshJwtUserSecret?: InputMaybe; + /** The date the user registered. Format is Y-m-d H:i:s. */ + registered?: InputMaybe; + /** If true, this will revoke the users JWT secret. If false, this will unrevoke the JWT secret AND issue a new one. To revoke, the user must have proper capabilities to edit users JWT secrets. */ + revokeJwtUserSecret?: InputMaybe; + /** A string for whether to enable the rich editor or not. False if not empty. */ + richEditing?: InputMaybe; + /** An array of roles to be assigned to the user. */ + roles?: InputMaybe>>; + /** A string containing the user's URL for the user's web site. */ + websiteUrl?: InputMaybe; + /** User's Yahoo IM account. */ + yim?: InputMaybe; +}; + +/** The payload for the updateUser mutation. */ +export type UpdateUserPayload = { + __typename?: 'UpdateUserPayload'; + /** If a 'clientMutationId' input is provided to the mutation, it will be returned as output on the mutation. This ID can be used by the client to track the progress of mutations and catch possible duplicate mutation submissions. */ + clientMutationId?: Maybe; + /** The User object mutation type. */ + user?: Maybe; +}; + +/** A User object */ +export type User = Commenter & DatabaseIdentifier & Node & UniformResourceIdentifiable & { + __typename?: 'User'; + /** Avatar object for user. The avatar object can be retrieved in different sizes by specifying the size argument. */ + avatar?: Maybe; + /** User metadata option name. Usually it will be "wp_capabilities". */ + capKey?: Maybe; + /** A list of capabilities (permissions) granted to the user */ + capabilities?: Maybe>>; + /** Connection between the User type and the Comment type */ + comments?: Maybe; + /** Identifies the primary key from the database. */ + databaseId: Scalars['Int']['output']; + /** Description of the user. */ + description?: Maybe; + /** Email address of the user. This is equivalent to the WP_User->user_email property. */ + email?: Maybe; + /** Connection between the User type and the EnqueuedScript type */ + enqueuedScripts?: Maybe; + /** Connection between the User type and the EnqueuedStylesheet type */ + enqueuedStylesheets?: Maybe; + /** A complete list of capabilities including capabilities inherited from a role. This is equivalent to the array keys of WP_User->allcaps. */ + extraCapabilities?: Maybe>>; + facebook?: Maybe; + /** First name of the user. This is equivalent to the WP_User->user_first_name property. */ + firstName?: Maybe; + /** The globally unique identifier for the user object. */ + id: Scalars['ID']['output']; + instagram?: Maybe; + /** Whether the node is a Content Node */ + isContentNode: Scalars['Boolean']['output']; + /** Whether the JWT User secret has been revoked. If the secret has been revoked, auth tokens will not be issued until an admin, or user with proper capabilities re-issues a secret for the user. */ + isJwtAuthSecretRevoked: Scalars['Boolean']['output']; + /** Whether the object is restricted from the current viewer */ + isRestricted?: Maybe; + /** Whether the node is a Term */ + isTermNode: Scalars['Boolean']['output']; + /** The expiration for the JWT Token for the user. If not set custom for the user, it will use the default sitewide expiration setting */ + jwtAuthExpiration?: Maybe; + /** A JWT token that can be used in future requests for authentication/authorization */ + jwtAuthToken?: Maybe; + /** A JWT token that can be used in future requests to get a refreshed jwtAuthToken. If the refresh token used in a request is revoked or otherwise invalid, a valid Auth token will NOT be issued in the response headers. */ + jwtRefreshToken?: Maybe; + /** A unique secret tied to the users JWT token that can be revoked or refreshed. Revoking the secret prevents JWT tokens from being issued to the user. Refreshing the token invalidates previously issued tokens, but allows new tokens to be issued. */ + jwtUserSecret?: Maybe; + /** Last name of the user. This is equivalent to the WP_User->user_last_name property. */ + lastName?: Maybe; + /** The preferred language locale set for the user. Value derived from get_user_locale(). */ + locale?: Maybe; + /** Connection between the User type and the mediaItem type */ + mediaItems?: Maybe; + /** Display name of the user. This is equivalent to the WP_User->display_name property. */ + name?: Maybe; + /** The nicename for the user. This field is equivalent to WP_User->user_nicename */ + nicename?: Maybe; + /** Nickname of the user. */ + nickname?: Maybe; + /** Connection between the User type and the page type */ + pages?: Maybe; + /** Connection between the User type and the post type */ + posts?: Maybe; + /** The date the user registered or was created. The field follows a full ISO8601 date string format. */ + registeredDate?: Maybe; + /** Connection between the User and Revisions authored by the user */ + revisions?: Maybe; + /** Connection between the User type and the UserRole type */ + roles?: Maybe; + /** The Yoast SEO data of a user */ + seo?: Maybe; + /** Whether the Toolbar should be displayed when the user is viewing the site. */ + shouldShowAdminToolbar?: Maybe; + /** The slug for the user. This field is equivalent to WP_User->user_nicename */ + slug?: Maybe; + /** The unique resource identifier path */ + uri?: Maybe; + /** A website url that is associated with the user. */ + url?: Maybe; + /** + * The Id of the user. Equivalent to WP_User->ID + * @deprecated Deprecated in favor of the databaseId field + */ + userId?: Maybe; + /** Username for the user. This field is equivalent to WP_User->user_login. */ + username?: Maybe; +}; + + +/** A User object */ +export type UserAvatarArgs = { + forceDefault?: InputMaybe; + rating?: InputMaybe; + size?: InputMaybe; +}; + + +/** A User object */ +export type UserCommentsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** A User object */ +export type UserEnqueuedScriptsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** A User object */ +export type UserEnqueuedStylesheetsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + + +/** A User object */ +export type UserMediaItemsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** A User object */ +export type UserPagesArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** A User object */ +export type UserPostsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** A User object */ +export type UserRevisionsArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; + where?: InputMaybe; +}; + + +/** A User object */ +export type UserRolesArgs = { + after?: InputMaybe; + before?: InputMaybe; + first?: InputMaybe; + last?: InputMaybe; +}; + +/** Connection to User Nodes */ +export type UserConnection = { + /** A list of edges (relational context) between RootQuery and connected User Nodes */ + edges: Array; + /** A list of connected User Nodes */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: UserConnectionPageInfo; +}; + +/** Edge between a Node and a connected User */ +export type UserConnectionEdge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected User Node */ + node: User; +}; + +/** Page Info on the connected UserConnectionEdge */ +export type UserConnectionPageInfo = { + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** The Type of Identifier used to fetch a single User node. To be used along with the "id" field. Default is "ID". */ +export enum UserNodeIdTypeEnum { + /** The Database ID for the node */ + DatabaseId = 'DATABASE_ID', + /** The Email of the User */ + Email = 'EMAIL', + /** The hashed Global ID */ + Id = 'ID', + /** The slug of the User */ + Slug = 'SLUG', + /** The URI for the node */ + Uri = 'URI', + /** The username the User uses to login with */ + Username = 'USERNAME' +} + +/** A user role object */ +export type UserRole = Node & { + __typename?: 'UserRole'; + /** The capabilities that belong to this role */ + capabilities?: Maybe>>; + /** The display name of the role */ + displayName?: Maybe; + /** The globally unique identifier for the user role object. */ + id: Scalars['ID']['output']; + /** Whether the object is restricted from the current viewer */ + isRestricted?: Maybe; + /** The registered name of the role */ + name?: Maybe; +}; + +/** Connection to UserRole Nodes */ +export type UserRoleConnection = { + /** A list of edges (relational context) between RootQuery and connected UserRole Nodes */ + edges: Array; + /** A list of connected UserRole Nodes */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: UserRoleConnectionPageInfo; +}; + +/** Edge between a Node and a connected UserRole */ +export type UserRoleConnectionEdge = { + /** Opaque reference to the nodes position in the connection. Value can be used with pagination args. */ + cursor?: Maybe; + /** The connected UserRole Node */ + node: UserRole; +}; + +/** Page Info on the connected UserRoleConnectionEdge */ +export type UserRoleConnectionPageInfo = { + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Names of available user roles */ +export enum UserRoleEnum { + /** User role with specific capabilities */ + Administrator = 'ADMINISTRATOR', + /** User role with specific capabilities */ + Author = 'AUTHOR', + /** User role with specific capabilities */ + Contributor = 'CONTRIBUTOR', + /** User role with specific capabilities */ + Editor = 'EDITOR', + /** User role with specific capabilities */ + SeoEditor = 'SEO_EDITOR', + /** User role with specific capabilities */ + SeoManager = 'SEO_MANAGER', + /** User role with specific capabilities */ + Subscriber = 'SUBSCRIBER' +} + +/** Connection between the User type and the Comment type */ +export type UserToCommentConnection = CommentConnection & Connection & { + __typename?: 'UserToCommentConnection'; + /** Edges for the UserToCommentConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: UserToCommentConnectionPageInfo; +}; + +/** An edge in a connection */ +export type UserToCommentConnectionEdge = CommentConnectionEdge & Edge & { + __typename?: 'UserToCommentConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: Comment; +}; + +/** Page Info on the "UserToCommentConnection" */ +export type UserToCommentConnectionPageInfo = CommentConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'UserToCommentConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the UserToCommentConnection connection */ +export type UserToCommentConnectionWhereArgs = { + /** Comment author email address. */ + authorEmail?: InputMaybe; + /** Array of author IDs to include comments for. */ + authorIn?: InputMaybe>>; + /** Array of author IDs to exclude comments for. */ + authorNotIn?: InputMaybe>>; + /** Comment author URL. */ + authorUrl?: InputMaybe; + /** Array of comment IDs to include. */ + commentIn?: InputMaybe>>; + /** Array of IDs of users whose unapproved comments will be returned by the query regardless of status. */ + commentNotIn?: InputMaybe>>; + /** Include comments of a given type. */ + commentType?: InputMaybe; + /** Include comments from a given array of comment types. */ + commentTypeIn?: InputMaybe>>; + /** Exclude comments from a given array of comment types. */ + commentTypeNotIn?: InputMaybe; + /** Content object author ID to limit results by. */ + contentAuthor?: InputMaybe>>; + /** Array of author IDs to retrieve comments for. */ + contentAuthorIn?: InputMaybe>>; + /** Array of author IDs *not* to retrieve comments for. */ + contentAuthorNotIn?: InputMaybe>>; + /** Limit results to those affiliated with a given content object ID. */ + contentId?: InputMaybe; + /** Array of content object IDs to include affiliated comments for. */ + contentIdIn?: InputMaybe>>; + /** Array of content object IDs to exclude affiliated comments for. */ + contentIdNotIn?: InputMaybe>>; + /** Content object name (i.e. slug ) to retrieve affiliated comments for. */ + contentName?: InputMaybe; + /** Content Object parent ID to retrieve affiliated comments for. */ + contentParent?: InputMaybe; + /** Array of content object statuses to retrieve affiliated comments for. Pass 'any' to match any value. */ + contentStatus?: InputMaybe>>; + /** Content object type or array of types to retrieve affiliated comments for. Pass 'any' to match any value. */ + contentType?: InputMaybe>>; + /** Array of IDs or email addresses of users whose unapproved comments will be returned by the query regardless of $status. Default empty */ + includeUnapproved?: InputMaybe>>; + /** Karma score to retrieve matching comments for. */ + karma?: InputMaybe; + /** The cardinality of the order of the connection */ + order?: InputMaybe; + /** Field to order the comments by. */ + orderby?: InputMaybe; + /** Parent ID of comment to retrieve children of. */ + parent?: InputMaybe; + /** Array of parent IDs of comments to retrieve children for. */ + parentIn?: InputMaybe>>; + /** Array of parent IDs of comments *not* to retrieve children for. */ + parentNotIn?: InputMaybe>>; + /** Search term(s) to retrieve matching comments for. */ + search?: InputMaybe; + /** Comment status to limit results by. */ + status?: InputMaybe; + /** Include comments for a specific user ID. */ + userId?: InputMaybe; +}; + +/** Connection between the User type and the EnqueuedScript type */ +export type UserToEnqueuedScriptConnection = Connection & EnqueuedScriptConnection & { + __typename?: 'UserToEnqueuedScriptConnection'; + /** Edges for the UserToEnqueuedScriptConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: UserToEnqueuedScriptConnectionPageInfo; +}; + +/** An edge in a connection */ +export type UserToEnqueuedScriptConnectionEdge = Edge & EnqueuedScriptConnectionEdge & { + __typename?: 'UserToEnqueuedScriptConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: EnqueuedScript; +}; + +/** Page Info on the "UserToEnqueuedScriptConnection" */ +export type UserToEnqueuedScriptConnectionPageInfo = EnqueuedScriptConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'UserToEnqueuedScriptConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Connection between the User type and the EnqueuedStylesheet type */ +export type UserToEnqueuedStylesheetConnection = Connection & EnqueuedStylesheetConnection & { + __typename?: 'UserToEnqueuedStylesheetConnection'; + /** Edges for the UserToEnqueuedStylesheetConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: UserToEnqueuedStylesheetConnectionPageInfo; +}; + +/** An edge in a connection */ +export type UserToEnqueuedStylesheetConnectionEdge = Edge & EnqueuedStylesheetConnectionEdge & { + __typename?: 'UserToEnqueuedStylesheetConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: EnqueuedStylesheet; +}; + +/** Page Info on the "UserToEnqueuedStylesheetConnection" */ +export type UserToEnqueuedStylesheetConnectionPageInfo = EnqueuedStylesheetConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'UserToEnqueuedStylesheetConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Connection between the User type and the mediaItem type */ +export type UserToMediaItemConnection = Connection & MediaItemConnection & { + __typename?: 'UserToMediaItemConnection'; + /** Edges for the UserToMediaItemConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: UserToMediaItemConnectionPageInfo; +}; + +/** An edge in a connection */ +export type UserToMediaItemConnectionEdge = Edge & MediaItemConnectionEdge & { + __typename?: 'UserToMediaItemConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: MediaItem; +}; + +/** Page Info on the "UserToMediaItemConnection" */ +export type UserToMediaItemConnectionPageInfo = MediaItemConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'UserToMediaItemConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the UserToMediaItemConnection connection */ +export type UserToMediaItemConnectionWhereArgs = { + /** The user that's connected as the author of the object. Use the userId for the author object. */ + author?: InputMaybe; + /** Find objects connected to author(s) in the array of author's userIds */ + authorIn?: InputMaybe>>; + /** Find objects connected to the author by the author's nicename */ + authorName?: InputMaybe; + /** Find objects NOT connected to author(s) in the array of author's userIds */ + authorNotIn?: InputMaybe>>; + /** Filter the connection based on dates */ + dateQuery?: InputMaybe; + /** True for objects with passwords; False for objects without passwords; null for all objects with or without passwords */ + hasPassword?: InputMaybe; + /** Specific database ID of the object */ + id?: InputMaybe; + /** Array of IDs for the objects to retrieve */ + in?: InputMaybe>>; + /** Get objects with a specific mimeType property */ + mimeType?: InputMaybe; + /** Slug / post_name of the object */ + name?: InputMaybe; + /** Specify objects to retrieve. Use slugs */ + nameIn?: InputMaybe>>; + /** Specify IDs NOT to retrieve. If this is used in the same query as "in", it will be ignored */ + notIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** Use ID to return only children. Use 0 to return only top-level items */ + parent?: InputMaybe; + /** Specify objects whose parent is in an array */ + parentIn?: InputMaybe>>; + /** Specify posts whose parent is not in an array */ + parentNotIn?: InputMaybe>>; + /** Show posts with a specific password. */ + password?: InputMaybe; + /** Show Posts based on a keyword search */ + search?: InputMaybe; + /** Retrieve posts where post status is in an array. */ + stati?: InputMaybe>>; + /** Show posts with a specific status. */ + status?: InputMaybe; + /** Title of the object */ + title?: InputMaybe; +}; + +/** Connection between the User type and the page type */ +export type UserToPageConnection = Connection & PageConnection & { + __typename?: 'UserToPageConnection'; + /** Edges for the UserToPageConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: UserToPageConnectionPageInfo; +}; + +/** An edge in a connection */ +export type UserToPageConnectionEdge = Edge & PageConnectionEdge & { + __typename?: 'UserToPageConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: Page; +}; + +/** Page Info on the "UserToPageConnection" */ +export type UserToPageConnectionPageInfo = PageConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'UserToPageConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the UserToPageConnection connection */ +export type UserToPageConnectionWhereArgs = { + /** The user that's connected as the author of the object. Use the userId for the author object. */ + author?: InputMaybe; + /** Find objects connected to author(s) in the array of author's userIds */ + authorIn?: InputMaybe>>; + /** Find objects connected to the author by the author's nicename */ + authorName?: InputMaybe; + /** Find objects NOT connected to author(s) in the array of author's userIds */ + authorNotIn?: InputMaybe>>; + /** Filter the connection based on dates */ + dateQuery?: InputMaybe; + /** True for objects with passwords; False for objects without passwords; null for all objects with or without passwords */ + hasPassword?: InputMaybe; + /** Specific database ID of the object */ + id?: InputMaybe; + /** Array of IDs for the objects to retrieve */ + in?: InputMaybe>>; + /** Get objects with a specific mimeType property */ + mimeType?: InputMaybe; + /** Slug / post_name of the object */ + name?: InputMaybe; + /** Specify objects to retrieve. Use slugs */ + nameIn?: InputMaybe>>; + /** Specify IDs NOT to retrieve. If this is used in the same query as "in", it will be ignored */ + notIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** Use ID to return only children. Use 0 to return only top-level items */ + parent?: InputMaybe; + /** Specify objects whose parent is in an array */ + parentIn?: InputMaybe>>; + /** Specify posts whose parent is not in an array */ + parentNotIn?: InputMaybe>>; + /** Show posts with a specific password. */ + password?: InputMaybe; + /** Show Posts based on a keyword search */ + search?: InputMaybe; + /** Retrieve posts where post status is in an array. */ + stati?: InputMaybe>>; + /** Show posts with a specific status. */ + status?: InputMaybe; + /** Title of the object */ + title?: InputMaybe; +}; + +/** Connection between the User type and the post type */ +export type UserToPostConnection = Connection & PostConnection & { + __typename?: 'UserToPostConnection'; + /** Edges for the UserToPostConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: UserToPostConnectionPageInfo; +}; + +/** An edge in a connection */ +export type UserToPostConnectionEdge = Edge & PostConnectionEdge & { + __typename?: 'UserToPostConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: Post; +}; + +/** Page Info on the "UserToPostConnection" */ +export type UserToPostConnectionPageInfo = PageInfo & PostConnectionPageInfo & WpPageInfo & { + __typename?: 'UserToPostConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the UserToPostConnection connection */ +export type UserToPostConnectionWhereArgs = { + /** The user that's connected as the author of the object. Use the userId for the author object. */ + author?: InputMaybe; + /** Find objects connected to author(s) in the array of author's userIds */ + authorIn?: InputMaybe>>; + /** Find objects connected to the author by the author's nicename */ + authorName?: InputMaybe; + /** Find objects NOT connected to author(s) in the array of author's userIds */ + authorNotIn?: InputMaybe>>; + /** Category ID */ + categoryId?: InputMaybe; + /** Array of category IDs, used to display objects from one category OR another */ + categoryIn?: InputMaybe>>; + /** Use Category Slug */ + categoryName?: InputMaybe; + /** Array of category IDs, used to display objects from one category OR another */ + categoryNotIn?: InputMaybe>>; + /** Filter the connection based on dates */ + dateQuery?: InputMaybe; + /** True for objects with passwords; False for objects without passwords; null for all objects with or without passwords */ + hasPassword?: InputMaybe; + /** Specific database ID of the object */ + id?: InputMaybe; + /** Array of IDs for the objects to retrieve */ + in?: InputMaybe>>; + /** Get objects with a specific mimeType property */ + mimeType?: InputMaybe; + /** Slug / post_name of the object */ + name?: InputMaybe; + /** Specify objects to retrieve. Use slugs */ + nameIn?: InputMaybe>>; + /** Specify IDs NOT to retrieve. If this is used in the same query as "in", it will be ignored */ + notIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** Use ID to return only children. Use 0 to return only top-level items */ + parent?: InputMaybe; + /** Specify objects whose parent is in an array */ + parentIn?: InputMaybe>>; + /** Specify posts whose parent is not in an array */ + parentNotIn?: InputMaybe>>; + /** Show posts with a specific password. */ + password?: InputMaybe; + /** Show Posts based on a keyword search */ + search?: InputMaybe; + /** Retrieve posts where post status is in an array. */ + stati?: InputMaybe>>; + /** Show posts with a specific status. */ + status?: InputMaybe; + /** Tag Slug */ + tag?: InputMaybe; + /** Use Tag ID */ + tagId?: InputMaybe; + /** Array of tag IDs, used to display objects from one tag OR another */ + tagIn?: InputMaybe>>; + /** Array of tag IDs, used to display objects from one tag OR another */ + tagNotIn?: InputMaybe>>; + /** Array of tag slugs, used to display objects from one tag AND another */ + tagSlugAnd?: InputMaybe>>; + /** Array of tag slugs, used to include objects in ANY specified tags */ + tagSlugIn?: InputMaybe>>; + /** Title of the object */ + title?: InputMaybe; +}; + +/** Connection between the User type and the ContentNode type */ +export type UserToRevisionsConnection = Connection & ContentNodeConnection & { + __typename?: 'UserToRevisionsConnection'; + /** Edges for the UserToRevisionsConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: UserToRevisionsConnectionPageInfo; +}; + +/** An edge in a connection */ +export type UserToRevisionsConnectionEdge = ContentNodeConnectionEdge & Edge & { + __typename?: 'UserToRevisionsConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: ContentNode; +}; + +/** Page Info on the "UserToRevisionsConnection" */ +export type UserToRevisionsConnectionPageInfo = ContentNodeConnectionPageInfo & PageInfo & WpPageInfo & { + __typename?: 'UserToRevisionsConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Arguments for filtering the UserToRevisionsConnection connection */ +export type UserToRevisionsConnectionWhereArgs = { + /** The Types of content to filter */ + contentTypes?: InputMaybe>>; + /** Filter the connection based on dates */ + dateQuery?: InputMaybe; + /** True for objects with passwords; False for objects without passwords; null for all objects with or without passwords */ + hasPassword?: InputMaybe; + /** Specific database ID of the object */ + id?: InputMaybe; + /** Array of IDs for the objects to retrieve */ + in?: InputMaybe>>; + /** Get objects with a specific mimeType property */ + mimeType?: InputMaybe; + /** Slug / post_name of the object */ + name?: InputMaybe; + /** Specify objects to retrieve. Use slugs */ + nameIn?: InputMaybe>>; + /** Specify IDs NOT to retrieve. If this is used in the same query as "in", it will be ignored */ + notIn?: InputMaybe>>; + /** What parameter to use to order the objects by. */ + orderby?: InputMaybe>>; + /** Use ID to return only children. Use 0 to return only top-level items */ + parent?: InputMaybe; + /** Specify objects whose parent is in an array */ + parentIn?: InputMaybe>>; + /** Specify posts whose parent is not in an array */ + parentNotIn?: InputMaybe>>; + /** Show posts with a specific password. */ + password?: InputMaybe; + /** Show Posts based on a keyword search */ + search?: InputMaybe; + /** Retrieve posts where post status is in an array. */ + stati?: InputMaybe>>; + /** Show posts with a specific status. */ + status?: InputMaybe; + /** Title of the object */ + title?: InputMaybe; +}; + +/** Connection between the User type and the UserRole type */ +export type UserToUserRoleConnection = Connection & UserRoleConnection & { + __typename?: 'UserToUserRoleConnection'; + /** Edges for the UserToUserRoleConnection connection */ + edges: Array; + /** The nodes of the connection, without the edges */ + nodes: Array; + /** Information about pagination in a connection. */ + pageInfo: UserToUserRoleConnectionPageInfo; +}; + +/** An edge in a connection */ +export type UserToUserRoleConnectionEdge = Edge & UserRoleConnectionEdge & { + __typename?: 'UserToUserRoleConnectionEdge'; + /** A cursor for use in pagination */ + cursor?: Maybe; + /** The item at the end of the edge */ + node: UserRole; +}; + +/** Page Info on the "UserToUserRoleConnection" */ +export type UserToUserRoleConnectionPageInfo = PageInfo & UserRoleConnectionPageInfo & WpPageInfo & { + __typename?: 'UserToUserRoleConnectionPageInfo'; + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** Field to order the connection by */ +export enum UsersConnectionOrderbyEnum { + /** Order by display name */ + DisplayName = 'DISPLAY_NAME', + /** Order by email address */ + Email = 'EMAIL', + /** Order by login */ + Login = 'LOGIN', + /** Preserve the login order given in the LOGIN_IN array */ + LoginIn = 'LOGIN_IN', + /** Order by nice name */ + NiceName = 'NICE_NAME', + /** Preserve the nice name order given in the NICE_NAME_IN array */ + NiceNameIn = 'NICE_NAME_IN', + /** Order by registration date */ + Registered = 'REGISTERED', + /** Order by URL */ + Url = 'URL' +} + +/** Options for ordering the connection */ +export type UsersConnectionOrderbyInput = { + /** The field name used to sort the results. */ + field: UsersConnectionOrderbyEnum; + /** The cardinality of the order of the connection */ + order?: InputMaybe; +}; + +/** Column used for searching for users. */ +export enum UsersConnectionSearchColumnEnum { + /** The user's email address. */ + Email = 'EMAIL', + /** The globally unique ID. */ + Id = 'ID', + /** The username the User uses to login with. */ + Login = 'LOGIN', + /** A URL-friendly name for the user. The default is the user's username. */ + Nicename = 'NICENAME', + /** The URL of the user's website. */ + Url = 'URL' +} + +/** Information about pagination in a connection. */ +export type WpPageInfo = { + /** When paginating forwards, the cursor to continue. */ + endCursor?: Maybe; + /** When paginating forwards, are there more items? */ + hasNextPage: Scalars['Boolean']['output']; + /** When paginating backwards, are there more items? */ + hasPreviousPage: Scalars['Boolean']['output']; + /** Raw schema for page */ + seo?: Maybe; + /** When paginating backwards, the cursor to continue. */ + startCursor?: Maybe; +}; + +/** The writing setting type */ +export type WritingSettings = { + __typename?: 'WritingSettings'; + /** 預設文章分類。 */ + defaultCategory?: Maybe; + /** 預設文章格式。 */ + defaultPostFormat?: Maybe; + /** 自動在顯示時將 :-) 及 :-P 這類表情符號轉換成圖片。 */ + useSmilies?: Maybe; +}; + +export type CategoryQueryVariables = Exact<{ + categoryName: Scalars['ID']['input']; +}>; + + +export type CategoryQuery = { __typename?: 'RootQuery', category?: { __typename?: 'Category', name?: string | null, description?: string | null, slug?: string | null } | null }; + +export type PageQueryVariables = Exact<{ + pageId: Scalars['ID']['input']; +}>; + + +export type PageQuery = { __typename?: 'RootQuery', page?: { __typename?: 'Page', title?: string | null, content?: string | null } | null }; + +export type PostQueryVariables = Exact<{ + postId: Scalars['ID']['input']; +}>; + + +export type PostQuery = { __typename?: 'RootQuery', post?: { __typename?: 'Post', date?: string | null, modified?: string | null, title?: string | null, status?: string | null, content?: string | null, databaseId: number, excerpt?: string | null, featuredImage?: { __typename?: 'NodeWithFeaturedImageToMediaItemConnectionEdge', node: { __typename?: 'MediaItem', mediaItemUrl?: string | null } } | null, author?: { __typename?: 'NodeWithAuthorToUserConnectionEdge', node: { __typename?: 'User', description?: string | null, name?: string | null, nickname?: string | null, slug?: string | null, facebook?: string | null, instagram?: string | null, avatar?: { __typename?: 'Avatar', url?: string | null } | null } } | null, categories?: { __typename?: 'PostToCategoryConnection', nodes: Array<{ __typename?: 'Category', name?: string | null, slug?: string | null }> } | null, tags?: { __typename?: 'PostToTagConnection', nodes: Array<{ __typename?: 'Tag', name?: string | null, slug?: string | null }> } | null } | null }; + +export type PostsQueryVariables = Exact<{ + first?: InputMaybe; + categoryName?: InputMaybe; + authorName?: InputMaybe; + includeExcerpt?: InputMaybe; + includePageInfo?: InputMaybe; + in?: InputMaybe> | InputMaybe>; + notIn?: InputMaybe> | InputMaybe>; + tagSlug?: InputMaybe> | InputMaybe>; + searchKeyword?: InputMaybe; + after?: InputMaybe; + includeDetails?: InputMaybe; + orderBy?: InputMaybe; +}>; + + +export type PostsQuery = { __typename?: 'RootQuery', posts?: { __typename?: 'RootQueryToPostConnection', nodes: Array<{ __typename?: 'Post', excerpt?: string | null, content?: string | null, date?: string | null, modified?: string | null, databaseId: number, title?: string | null, author?: { __typename?: 'NodeWithAuthorToUserConnectionEdge', node: { __typename?: 'User', name?: string | null, nickname?: string | null, slug?: string | null, description?: string | null, avatar?: { __typename?: 'Avatar', url?: string | null } | null } } | null, tags?: { __typename?: 'PostToTagConnection', nodes: Array<{ __typename?: 'Tag', id: string, name?: string | null, slug?: string | null }> } | null, categories?: { __typename?: 'PostToCategoryConnection', nodes: Array<{ __typename?: 'Category', id: string, slug?: string | null, name?: string | null }> } | null, featuredImage?: { __typename?: 'NodeWithFeaturedImageToMediaItemConnectionEdge', node: { __typename?: 'MediaItem', mediaItemUrl?: string | null } } | null }>, pageInfo?: { __typename?: 'RootQueryToPostConnectionPageInfo', endCursor?: string | null, hasNextPage: boolean } } | null }; + +export type TagQueryVariables = Exact<{ + tagSlug: Scalars['ID']['input']; +}>; + + +export type TagQuery = { __typename?: 'RootQuery', tag?: { __typename?: 'Tag', name?: string | null, slug?: string | null, description?: string | null } | null }; + +export type PopularTagsQueryVariables = Exact<{ + first?: InputMaybe; +}>; + + +export type PopularTagsQuery = { __typename?: 'RootQuery', tags?: { __typename?: 'RootQueryToTagConnection', nodes: Array<{ __typename?: 'Tag', id: string, slug?: string | null, name?: string | null }> } | null }; + +export type UserQueryVariables = Exact<{ + authorName: Scalars['ID']['input']; +}>; + + +export type UserQuery = { __typename?: 'RootQuery', user?: { __typename?: 'User', nickname?: string | null, name?: string | null, slug?: string | null, description?: string | null, facebook?: string | null, instagram?: string | null, avatar?: { __typename?: 'Avatar', url?: string | null } | null } | null }; + +export type UsersQueryVariables = Exact<{ [key: string]: never; }>; + + +export type UsersQuery = { __typename?: 'RootQuery', users?: { __typename?: 'RootQueryToUserConnection', nodes: Array<{ __typename?: 'User', id: string, nickname?: string | null, name?: string | null, slug?: string | null, description?: string | null, facebook?: string | null, instagram?: string | null, avatar?: { __typename?: 'Avatar', url?: string | null } | null }> } | null }; + + +export const CategoryDocument = gql` + query Category($categoryName: ID!) { + category(id: $categoryName, idType: SLUG) { + name + description + slug + } +} + `; + +/** + * __useCategoryQuery__ + * + * To run a query within a React component, call `useCategoryQuery` and pass it any options that fit your needs. + * When your component renders, `useCategoryQuery` returns an object from Apollo Client that contains loading, error, and data properties + * you can use to render your UI. + * + * @param baseOptions options that will be passed into the query, supported options are listed on: https://www.apollographql.com/docs/react/api/react-hooks/#options; + * + * @example + * const { data, loading, error } = useCategoryQuery({ + * variables: { + * categoryName: // value for 'categoryName' + * }, + * }); + */ +export function useCategoryQuery(baseOptions: Apollo.QueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useQuery(CategoryDocument, options); + } +export function useCategoryLazyQuery(baseOptions?: Apollo.LazyQueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useLazyQuery(CategoryDocument, options); + } +export function useCategorySuspenseQuery(baseOptions?: Apollo.SuspenseQueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useSuspenseQuery(CategoryDocument, options); + } +export type CategoryQueryHookResult = ReturnType; +export type CategoryLazyQueryHookResult = ReturnType; +export type CategorySuspenseQueryHookResult = ReturnType; +export type CategoryQueryResult = Apollo.QueryResult; +export const PageDocument = gql` + query Page($pageId: ID!) { + page(id: $pageId, idType: DATABASE_ID) { + title + content + } +} + `; + +/** + * __usePageQuery__ + * + * To run a query within a React component, call `usePageQuery` and pass it any options that fit your needs. + * When your component renders, `usePageQuery` returns an object from Apollo Client that contains loading, error, and data properties + * you can use to render your UI. + * + * @param baseOptions options that will be passed into the query, supported options are listed on: https://www.apollographql.com/docs/react/api/react-hooks/#options; + * + * @example + * const { data, loading, error } = usePageQuery({ + * variables: { + * pageId: // value for 'pageId' + * }, + * }); + */ +export function usePageQuery(baseOptions: Apollo.QueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useQuery(PageDocument, options); + } +export function usePageLazyQuery(baseOptions?: Apollo.LazyQueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useLazyQuery(PageDocument, options); + } +export function usePageSuspenseQuery(baseOptions?: Apollo.SuspenseQueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useSuspenseQuery(PageDocument, options); + } +export type PageQueryHookResult = ReturnType; +export type PageLazyQueryHookResult = ReturnType; +export type PageSuspenseQueryHookResult = ReturnType; +export type PageQueryResult = Apollo.QueryResult; +export const PostDocument = gql` + query Post($postId: ID!) { + post(id: $postId, idType: DATABASE_ID) { + date + modified + title + status + content + databaseId + excerpt + featuredImage { + node { + mediaItemUrl + } + } + author { + node { + description + name + nickname + slug + facebook + instagram + avatar { + url + } + } + } + categories { + nodes { + name + slug + } + } + tags { + nodes { + name + slug + } + } + } +} + `; + +/** + * __usePostQuery__ + * + * To run a query within a React component, call `usePostQuery` and pass it any options that fit your needs. + * When your component renders, `usePostQuery` returns an object from Apollo Client that contains loading, error, and data properties + * you can use to render your UI. + * + * @param baseOptions options that will be passed into the query, supported options are listed on: https://www.apollographql.com/docs/react/api/react-hooks/#options; + * + * @example + * const { data, loading, error } = usePostQuery({ + * variables: { + * postId: // value for 'postId' + * }, + * }); + */ +export function usePostQuery(baseOptions: Apollo.QueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useQuery(PostDocument, options); + } +export function usePostLazyQuery(baseOptions?: Apollo.LazyQueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useLazyQuery(PostDocument, options); + } +export function usePostSuspenseQuery(baseOptions?: Apollo.SuspenseQueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useSuspenseQuery(PostDocument, options); + } +export type PostQueryHookResult = ReturnType; +export type PostLazyQueryHookResult = ReturnType; +export type PostSuspenseQueryHookResult = ReturnType; +export type PostQueryResult = Apollo.QueryResult; +export const PostsDocument = gql` + query Posts($first: Int, $categoryName: String, $authorName: String, $includeExcerpt: Boolean = false, $includePageInfo: Boolean = false, $in: [ID], $notIn: [ID], $tagSlug: [String], $searchKeyword: String, $after: String, $includeDetails: Boolean = false, $orderBy: PostObjectsConnectionOrderbyEnum = DATE) { + posts( + where: {orderby: {field: $orderBy, order: DESC}, categoryName: $categoryName, authorName: $authorName, in: $in, notIn: $notIn, tagSlugIn: $tagSlug, search: $searchKeyword} + first: $first + after: $after + ) { + nodes { + excerpt @include(if: $includeExcerpt) + content @include(if: $includeDetails) + author @include(if: $includeDetails) { + node { + name + nickname + slug + description + avatar { + url + } + } + } + date @include(if: $includeDetails) + modified @include(if: $includeDetails) + tags { + nodes { + id + name + slug + } + } + categories { + nodes { + id + slug + name + } + } + databaseId + title + featuredImage { + node { + mediaItemUrl + } + } + } + pageInfo @include(if: $includePageInfo) { + endCursor + hasNextPage + } + } +} + `; + +/** + * __usePostsQuery__ + * + * To run a query within a React component, call `usePostsQuery` and pass it any options that fit your needs. + * When your component renders, `usePostsQuery` returns an object from Apollo Client that contains loading, error, and data properties + * you can use to render your UI. + * + * @param baseOptions options that will be passed into the query, supported options are listed on: https://www.apollographql.com/docs/react/api/react-hooks/#options; + * + * @example + * const { data, loading, error } = usePostsQuery({ + * variables: { + * first: // value for 'first' + * categoryName: // value for 'categoryName' + * authorName: // value for 'authorName' + * includeExcerpt: // value for 'includeExcerpt' + * includePageInfo: // value for 'includePageInfo' + * in: // value for 'in' + * notIn: // value for 'notIn' + * tagSlug: // value for 'tagSlug' + * searchKeyword: // value for 'searchKeyword' + * after: // value for 'after' + * includeDetails: // value for 'includeDetails' + * orderBy: // value for 'orderBy' + * }, + * }); + */ +export function usePostsQuery(baseOptions?: Apollo.QueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useQuery(PostsDocument, options); + } +export function usePostsLazyQuery(baseOptions?: Apollo.LazyQueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useLazyQuery(PostsDocument, options); + } +export function usePostsSuspenseQuery(baseOptions?: Apollo.SuspenseQueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useSuspenseQuery(PostsDocument, options); + } +export type PostsQueryHookResult = ReturnType; +export type PostsLazyQueryHookResult = ReturnType; +export type PostsSuspenseQueryHookResult = ReturnType; +export type PostsQueryResult = Apollo.QueryResult; +export const TagDocument = gql` + query Tag($tagSlug: ID!) { + tag(id: $tagSlug, idType: SLUG) { + name + slug + description + } +} + `; + +/** + * __useTagQuery__ + * + * To run a query within a React component, call `useTagQuery` and pass it any options that fit your needs. + * When your component renders, `useTagQuery` returns an object from Apollo Client that contains loading, error, and data properties + * you can use to render your UI. + * + * @param baseOptions options that will be passed into the query, supported options are listed on: https://www.apollographql.com/docs/react/api/react-hooks/#options; + * + * @example + * const { data, loading, error } = useTagQuery({ + * variables: { + * tagSlug: // value for 'tagSlug' + * }, + * }); + */ +export function useTagQuery(baseOptions: Apollo.QueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useQuery(TagDocument, options); + } +export function useTagLazyQuery(baseOptions?: Apollo.LazyQueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useLazyQuery(TagDocument, options); + } +export function useTagSuspenseQuery(baseOptions?: Apollo.SuspenseQueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useSuspenseQuery(TagDocument, options); + } +export type TagQueryHookResult = ReturnType; +export type TagLazyQueryHookResult = ReturnType; +export type TagSuspenseQueryHookResult = ReturnType; +export type TagQueryResult = Apollo.QueryResult; +export const PopularTagsDocument = gql` + query PopularTags($first: Int = 15) { + tags(where: {order: DESC, orderby: COUNT}, first: $first) { + nodes { + id + slug + name + } + } +} + `; + +/** + * __usePopularTagsQuery__ + * + * To run a query within a React component, call `usePopularTagsQuery` and pass it any options that fit your needs. + * When your component renders, `usePopularTagsQuery` returns an object from Apollo Client that contains loading, error, and data properties + * you can use to render your UI. + * + * @param baseOptions options that will be passed into the query, supported options are listed on: https://www.apollographql.com/docs/react/api/react-hooks/#options; + * + * @example + * const { data, loading, error } = usePopularTagsQuery({ + * variables: { + * first: // value for 'first' + * }, + * }); + */ +export function usePopularTagsQuery(baseOptions?: Apollo.QueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useQuery(PopularTagsDocument, options); + } +export function usePopularTagsLazyQuery(baseOptions?: Apollo.LazyQueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useLazyQuery(PopularTagsDocument, options); + } +export function usePopularTagsSuspenseQuery(baseOptions?: Apollo.SuspenseQueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useSuspenseQuery(PopularTagsDocument, options); + } +export type PopularTagsQueryHookResult = ReturnType; +export type PopularTagsLazyQueryHookResult = ReturnType; +export type PopularTagsSuspenseQueryHookResult = ReturnType; +export type PopularTagsQueryResult = Apollo.QueryResult; +export const UserDocument = gql` + query User($authorName: ID!) { + user(id: $authorName, idType: SLUG) { + nickname + name + slug + description + facebook + instagram + avatar { + url + } + } +} + `; + +/** + * __useUserQuery__ + * + * To run a query within a React component, call `useUserQuery` and pass it any options that fit your needs. + * When your component renders, `useUserQuery` returns an object from Apollo Client that contains loading, error, and data properties + * you can use to render your UI. + * + * @param baseOptions options that will be passed into the query, supported options are listed on: https://www.apollographql.com/docs/react/api/react-hooks/#options; + * + * @example + * const { data, loading, error } = useUserQuery({ + * variables: { + * authorName: // value for 'authorName' + * }, + * }); + */ +export function useUserQuery(baseOptions: Apollo.QueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useQuery(UserDocument, options); + } +export function useUserLazyQuery(baseOptions?: Apollo.LazyQueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useLazyQuery(UserDocument, options); + } +export function useUserSuspenseQuery(baseOptions?: Apollo.SuspenseQueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useSuspenseQuery(UserDocument, options); + } +export type UserQueryHookResult = ReturnType; +export type UserLazyQueryHookResult = ReturnType; +export type UserSuspenseQueryHookResult = ReturnType; +export type UserQueryResult = Apollo.QueryResult; +export const UsersDocument = gql` + query Users { + users(first: 50) { + nodes { + id + nickname + name + slug + description + facebook + instagram + avatar { + url + } + } + } +} + `; + +/** + * __useUsersQuery__ + * + * To run a query within a React component, call `useUsersQuery` and pass it any options that fit your needs. + * When your component renders, `useUsersQuery` returns an object from Apollo Client that contains loading, error, and data properties + * you can use to render your UI. + * + * @param baseOptions options that will be passed into the query, supported options are listed on: https://www.apollographql.com/docs/react/api/react-hooks/#options; + * + * @example + * const { data, loading, error } = useUsersQuery({ + * variables: { + * }, + * }); + */ +export function useUsersQuery(baseOptions?: Apollo.QueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useQuery(UsersDocument, options); + } +export function useUsersLazyQuery(baseOptions?: Apollo.LazyQueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useLazyQuery(UsersDocument, options); + } +export function useUsersSuspenseQuery(baseOptions?: Apollo.SuspenseQueryHookOptions) { + const options = {...defaultOptions, ...baseOptions} + return Apollo.useSuspenseQuery(UsersDocument, options); + } +export type UsersQueryHookResult = ReturnType; +export type UsersLazyQueryHookResult = ReturnType; +export type UsersSuspenseQueryHookResult = ReturnType; +export type UsersQueryResult = Apollo.QueryResult; diff --git a/package.json b/package.json index 900f4cd..748e927 100644 --- a/package.json +++ b/package.json @@ -6,14 +6,23 @@ "dev": "next dev", "build": "next build", "start": "next start", - "lint": "next lint" + "lint": "next lint", + "codegen": "graphql-codegen --config codegen.yml" }, "dependencies": { "react": "^18", "react-dom": "^18", - "next": "14.1.1" + "next": "14.1.1", + "@apollo/client": "3.9.5", + "@apollo/experimental-nextjs-app-support": "^0.8.0", + "graphql": "^16.8.1" }, "devDependencies": { + "@graphql-codegen/cli": "5.0.2", + "@graphql-codegen/client-preset": "4.2.2", + "@graphql-codegen/typescript-operations": "^4.1.2", + "@graphql-codegen/typescript-react-apollo": "^4.3.0", + "@ianvs/prettier-plugin-sort-imports": "^4.1.1", "typescript": "^5", "@types/node": "^20", "@types/react": "^18", diff --git a/pnpm-lock.yaml b/pnpm-lock.yaml new file mode 100644 index 0000000..c3a0b0b --- /dev/null +++ b/pnpm-lock.yaml @@ -0,0 +1,5750 @@ +lockfileVersion: '6.0' + +settings: + autoInstallPeers: true + excludeLinksFromLockfile: false + +dependencies: + '@apollo/client': + specifier: 3.9.5 + version: 3.9.5(@types/react@18.2.61)(graphql@16.8.1)(react-dom@18.2.0)(react@18.2.0) + '@apollo/experimental-nextjs-app-support': + specifier: ^0.8.0 + version: 0.8.0(@apollo/client@3.9.5)(next@14.1.1)(react@18.2.0) + graphql: + specifier: ^16.8.1 + version: 16.8.1 + next: + specifier: 14.1.1 + version: 14.1.1(@babel/core@7.24.0)(react-dom@18.2.0)(react@18.2.0) + react: + specifier: ^18 + version: 18.2.0 + react-dom: + specifier: ^18 + version: 18.2.0(react@18.2.0) + +devDependencies: + '@graphql-codegen/cli': + specifier: 5.0.2 + version: 5.0.2(@types/node@20.11.24)(graphql@16.8.1)(typescript@5.3.3) + '@graphql-codegen/client-preset': + specifier: 4.2.2 + version: 4.2.2(graphql@16.8.1) + '@graphql-codegen/typescript-operations': + specifier: ^4.1.2 + version: 4.2.0(graphql@16.8.1) + '@graphql-codegen/typescript-react-apollo': + specifier: ^4.3.0 + version: 4.3.0(graphql-tag@2.12.6)(graphql@16.8.1) + '@ianvs/prettier-plugin-sort-imports': + specifier: ^4.1.1 + version: 4.1.1(prettier@3.2.5) + '@types/node': + specifier: ^20 + version: 20.11.24 + '@types/react': + specifier: ^18 + version: 18.2.61 + '@types/react-dom': + specifier: ^18 + version: 18.2.19 + autoprefixer: + specifier: ^10.0.1 + version: 10.4.18(postcss@8.4.35) + eslint: + specifier: ^8 + version: 8.57.0 + eslint-config-next: + specifier: 14.1.1 + version: 14.1.1(eslint@8.57.0)(typescript@5.3.3) + postcss: + specifier: ^8 + version: 8.4.35 + tailwindcss: + specifier: ^3.3.0 + version: 3.4.1 + typescript: + specifier: ^5 + version: 5.3.3 + +packages: + + /@aashutoshrathi/word-wrap@1.2.6: + resolution: {integrity: sha512-1Yjs2SvM8TflER/OD3cOjhWWOZb58A2t7wpE2S9XfBYTiIl+XFhQG2bjy4Pu1I+EAlCNUzRDYDdFwFYUKvXcIA==} + engines: {node: '>=0.10.0'} + dev: true + + /@alloc/quick-lru@5.2.0: + resolution: {integrity: sha512-UrcABB+4bUrFABwbluTIBErXwvbsU/V7TZWfmbgJfbkwiBuziS9gxdODUyuiecfdGQ85jglMW6juS3+z5TsKLw==} + engines: {node: '>=10'} + dev: true + + /@ampproject/remapping@2.3.0: + resolution: {integrity: sha512-30iZtAPgz+LTIYoeivqYo853f02jBYSd5uGnGpkFV0M3xOt9aN73erkgYAmZU43x4VfqcnLxW9Kpg3R5LC4YYw==} + engines: {node: '>=6.0.0'} + dependencies: + '@jridgewell/gen-mapping': 0.3.5 + '@jridgewell/trace-mapping': 0.3.25 + + /@apollo/client@3.9.5(@types/react@18.2.61)(graphql@16.8.1)(react-dom@18.2.0)(react@18.2.0): + resolution: {integrity: sha512-7y+c8MTPU+hhTwvcGVtMMGIgWduzrvG1mz5yJMRyqYbheBkkky3Lki6ADWVSBXG1lZoOtPYvB2zDgVfKb2HSsw==} + peerDependencies: + graphql: ^15.0.0 || ^16.0.0 + graphql-ws: ^5.5.5 + react: ^16.8.0 || ^17.0.0 || ^18.0.0 + react-dom: ^16.8.0 || ^17.0.0 || ^18.0.0 + subscriptions-transport-ws: ^0.9.0 || ^0.11.0 + peerDependenciesMeta: + graphql-ws: + optional: true + react: + optional: true + react-dom: + optional: true + subscriptions-transport-ws: + optional: true + dependencies: + '@graphql-typed-document-node/core': 3.2.0(graphql@16.8.1) + '@wry/caches': 1.0.1 + '@wry/equality': 0.5.7 + '@wry/trie': 0.5.0 + graphql: 16.8.1 + graphql-tag: 2.12.6(graphql@16.8.1) + hoist-non-react-statics: 3.3.2 + optimism: 0.18.0 + prop-types: 15.8.1 + react: 18.2.0 + react-dom: 18.2.0(react@18.2.0) + rehackt: 0.0.5(@types/react@18.2.61)(react@18.2.0) + response-iterator: 0.2.6 + symbol-observable: 4.0.0 + ts-invariant: 0.10.3 + tslib: 2.6.2 + zen-observable-ts: 1.2.5 + transitivePeerDependencies: + - '@types/react' + dev: false + + /@apollo/experimental-nextjs-app-support@0.8.0(@apollo/client@3.9.5)(next@14.1.1)(react@18.2.0): + resolution: {integrity: sha512-uyNIkOkew0T6ukC8ycbWBeTu8gtDSD5i+NVGEHU0DIEQaToFHObYcvIxaQ/8hvWzgvnpNU/KMsApfGXA9Xkpyw==} + peerDependencies: + '@apollo/client': ^3.9.0 + next: ^13.4.1 || ^14.0.0 + react: ^18 + dependencies: + '@apollo/client': 3.9.5(@types/react@18.2.61)(graphql@16.8.1)(react-dom@18.2.0)(react@18.2.0) + next: 14.1.1(@babel/core@7.24.0)(react-dom@18.2.0)(react@18.2.0) + react: 18.2.0 + server-only: 0.0.1 + superjson: 2.2.1 + ts-invariant: 0.10.3 + dev: false + + /@ardatan/relay-compiler@12.0.0(graphql@16.8.1): + resolution: {integrity: sha512-9anThAaj1dQr6IGmzBMcfzOQKTa5artjuPmw8NYK/fiGEMjADbSguBY2FMDykt+QhilR3wc9VA/3yVju7JHg7Q==} + hasBin: true + peerDependencies: + graphql: '*' + dependencies: + '@babel/core': 7.24.0 + '@babel/generator': 7.23.6 + '@babel/parser': 7.24.0 + '@babel/runtime': 7.24.0 + '@babel/traverse': 7.24.0 + '@babel/types': 7.24.0 + babel-preset-fbjs: 3.4.0(@babel/core@7.24.0) + chalk: 4.1.2 + fb-watchman: 2.0.2 + fbjs: 3.0.5 + glob: 7.2.3 + graphql: 16.8.1 + immutable: 3.7.6 + invariant: 2.2.4 + nullthrows: 1.1.1 + relay-runtime: 12.0.0 + signedsource: 1.0.0 + yargs: 15.4.1 + transitivePeerDependencies: + - encoding + - supports-color + dev: true + + /@ardatan/sync-fetch@0.0.1: + resolution: {integrity: sha512-xhlTqH0m31mnsG0tIP4ETgfSB6gXDaYYsUWTrlUV93fFQPI9dd8hE0Ot6MHLCtqgB32hwJAC3YZMWlXZw7AleA==} + engines: {node: '>=14'} + dependencies: + node-fetch: 2.7.0 + transitivePeerDependencies: + - encoding + dev: true + + /@babel/code-frame@7.23.5: + resolution: {integrity: sha512-CgH3s1a96LipHCmSUmYFPwY7MNx8C3avkq7i4Wl3cfa662ldtUe4VM1TPXX70pfmrlWTb6jLqTYrZyT2ZTJBgA==} + engines: {node: '>=6.9.0'} + dependencies: + '@babel/highlight': 7.23.4 + chalk: 2.4.2 + + /@babel/compat-data@7.23.5: + resolution: {integrity: sha512-uU27kfDRlhfKl+w1U6vp16IuvSLtjAxdArVXPa9BvLkrr7CYIsxH5adpHObeAGY/41+syctUWOZ140a2Rvkgjw==} + engines: {node: '>=6.9.0'} + + /@babel/core@7.24.0: + resolution: {integrity: sha512-fQfkg0Gjkza3nf0c7/w6Xf34BW4YvzNfACRLmmb7XRLa6XHdR+K9AlJlxneFfWYf6uhOzuzZVTjF/8KfndZANw==} + engines: {node: '>=6.9.0'} + dependencies: + '@ampproject/remapping': 2.3.0 + '@babel/code-frame': 7.23.5 + '@babel/generator': 7.23.6 + '@babel/helper-compilation-targets': 7.23.6 + '@babel/helper-module-transforms': 7.23.3(@babel/core@7.24.0) + '@babel/helpers': 7.24.0 + '@babel/parser': 7.24.0 + '@babel/template': 7.24.0 + '@babel/traverse': 7.24.0 + '@babel/types': 7.24.0 + convert-source-map: 2.0.0 + debug: 4.3.4 + gensync: 1.0.0-beta.2 + json5: 2.2.3 + semver: 6.3.1 + transitivePeerDependencies: + - supports-color + + /@babel/generator@7.23.6: + resolution: {integrity: sha512-qrSfCYxYQB5owCmGLbl8XRpX1ytXlpueOb0N0UmQwA073KZxejgQTzAmJezxvpwQD9uGtK2shHdi55QT+MbjIw==} + engines: {node: '>=6.9.0'} + dependencies: + '@babel/types': 7.24.0 + '@jridgewell/gen-mapping': 0.3.5 + '@jridgewell/trace-mapping': 0.3.25 + jsesc: 2.5.2 + + /@babel/helper-annotate-as-pure@7.22.5: + resolution: {integrity: sha512-LvBTxu8bQSQkcyKOU+a1btnNFQ1dMAd0R6PyW3arXes06F6QLWLIrd681bxRPIXlrMGR3XYnW9JyML7dP3qgxg==} + engines: {node: '>=6.9.0'} + dependencies: + '@babel/types': 7.24.0 + dev: true + + /@babel/helper-compilation-targets@7.23.6: + resolution: {integrity: sha512-9JB548GZoQVmzrFgp8o7KxdgkTGm6xs9DW0o/Pim72UDjzr5ObUQ6ZzYPqA+g9OTS2bBQoctLJrky0RDCAWRgQ==} + engines: {node: '>=6.9.0'} + dependencies: + '@babel/compat-data': 7.23.5 + '@babel/helper-validator-option': 7.23.5 + browserslist: 4.23.0 + lru-cache: 5.1.1 + semver: 6.3.1 + + /@babel/helper-create-class-features-plugin@7.24.0(@babel/core@7.24.0): + resolution: {integrity: sha512-QAH+vfvts51BCsNZ2PhY6HAggnlS6omLLFTsIpeqZk/MmJ6cW7tgz5yRv0fMJThcr6FmbMrENh1RgrWPTYA76g==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-annotate-as-pure': 7.22.5 + '@babel/helper-environment-visitor': 7.22.20 + '@babel/helper-function-name': 7.23.0 + '@babel/helper-member-expression-to-functions': 7.23.0 + '@babel/helper-optimise-call-expression': 7.22.5 + '@babel/helper-replace-supers': 7.22.20(@babel/core@7.24.0) + '@babel/helper-skip-transparent-expression-wrappers': 7.22.5 + '@babel/helper-split-export-declaration': 7.22.6 + semver: 6.3.1 + dev: true + + /@babel/helper-environment-visitor@7.22.20: + resolution: {integrity: sha512-zfedSIzFhat/gFhWfHtgWvlec0nqB9YEIVrpuwjruLlXfUSnA8cJB0miHKwqDnQ7d32aKo2xt88/xZptwxbfhA==} + engines: {node: '>=6.9.0'} + + /@babel/helper-function-name@7.23.0: + resolution: {integrity: sha512-OErEqsrxjZTJciZ4Oo+eoZqeW9UIiOcuYKRJA4ZAgV9myA+pOXhhmpfNCKjEH/auVfEYVFJ6y1Tc4r0eIApqiw==} + engines: {node: '>=6.9.0'} + dependencies: + '@babel/template': 7.24.0 + '@babel/types': 7.24.0 + + /@babel/helper-hoist-variables@7.22.5: + resolution: {integrity: sha512-wGjk9QZVzvknA6yKIUURb8zY3grXCcOZt+/7Wcy8O2uctxhplmUPkOdlgoNhmdVee2c92JXbf1xpMtVNbfoxRw==} + engines: {node: '>=6.9.0'} + dependencies: + '@babel/types': 7.24.0 + + /@babel/helper-member-expression-to-functions@7.23.0: + resolution: {integrity: sha512-6gfrPwh7OuT6gZyJZvd6WbTfrqAo7vm4xCzAXOusKqq/vWdKXphTpj5klHKNmRUU6/QRGlBsyU9mAIPaWHlqJA==} + engines: {node: '>=6.9.0'} + dependencies: + '@babel/types': 7.24.0 + dev: true + + /@babel/helper-module-imports@7.22.15: + resolution: {integrity: sha512-0pYVBnDKZO2fnSPCrgM/6WMc7eS20Fbok+0r88fp+YtWVLZrp4CkafFGIp+W0VKw4a22sgebPT99y+FDNMdP4w==} + engines: {node: '>=6.9.0'} + dependencies: + '@babel/types': 7.24.0 + + /@babel/helper-module-transforms@7.23.3(@babel/core@7.24.0): + resolution: {integrity: sha512-7bBs4ED9OmswdfDzpz4MpWgSrV7FXlc3zIagvLFjS5H+Mk7Snr21vQ6QwrsoCGMfNC4e4LQPdoULEt4ykz0SRQ==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-environment-visitor': 7.22.20 + '@babel/helper-module-imports': 7.22.15 + '@babel/helper-simple-access': 7.22.5 + '@babel/helper-split-export-declaration': 7.22.6 + '@babel/helper-validator-identifier': 7.22.20 + + /@babel/helper-optimise-call-expression@7.22.5: + resolution: {integrity: sha512-HBwaojN0xFRx4yIvpwGqxiV2tUfl7401jlok564NgB9EHS1y6QT17FmKWm4ztqjeVdXLuC4fSvHc5ePpQjoTbw==} + engines: {node: '>=6.9.0'} + dependencies: + '@babel/types': 7.24.0 + dev: true + + /@babel/helper-plugin-utils@7.24.0: + resolution: {integrity: sha512-9cUznXMG0+FxRuJfvL82QlTqIzhVW9sL0KjMPHhAOOvpQGL8QtdxnBKILjBqxlHyliz0yCa1G903ZXI/FuHy2w==} + engines: {node: '>=6.9.0'} + dev: true + + /@babel/helper-replace-supers@7.22.20(@babel/core@7.24.0): + resolution: {integrity: sha512-qsW0In3dbwQUbK8kejJ4R7IHVGwHJlV6lpG6UA7a9hSa2YEiAib+N1T2kr6PEeUT+Fl7najmSOS6SmAwCHK6Tw==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-environment-visitor': 7.22.20 + '@babel/helper-member-expression-to-functions': 7.23.0 + '@babel/helper-optimise-call-expression': 7.22.5 + dev: true + + /@babel/helper-simple-access@7.22.5: + resolution: {integrity: sha512-n0H99E/K+Bika3++WNL17POvo4rKWZ7lZEp1Q+fStVbUi8nxPQEBOlTmCOxW/0JsS56SKKQ+ojAe2pHKJHN35w==} + engines: {node: '>=6.9.0'} + dependencies: + '@babel/types': 7.24.0 + + /@babel/helper-skip-transparent-expression-wrappers@7.22.5: + resolution: {integrity: sha512-tK14r66JZKiC43p8Ki33yLBVJKlQDFoA8GYN67lWCDCqoL6EMMSuM9b+Iff2jHaM/RRFYl7K+iiru7hbRqNx8Q==} + engines: {node: '>=6.9.0'} + dependencies: + '@babel/types': 7.24.0 + dev: true + + /@babel/helper-split-export-declaration@7.22.6: + resolution: {integrity: sha512-AsUnxuLhRYsisFiaJwvp1QF+I3KjD5FOxut14q/GzovUe6orHLesW2C7d754kRm53h5gqrz6sFl6sxc4BVtE/g==} + engines: {node: '>=6.9.0'} + dependencies: + '@babel/types': 7.24.0 + + /@babel/helper-string-parser@7.23.4: + resolution: {integrity: sha512-803gmbQdqwdf4olxrX4AJyFBV/RTr3rSmOj0rKwesmzlfhYNDEs+/iOcznzpNWlJlIlTJC2QfPFcHB6DlzdVLQ==} + engines: {node: '>=6.9.0'} + + /@babel/helper-validator-identifier@7.22.20: + resolution: {integrity: sha512-Y4OZ+ytlatR8AI+8KZfKuL5urKp7qey08ha31L8b3BwewJAoJamTzyvxPR/5D+KkdJCGPq/+8TukHBlY10FX9A==} + engines: {node: '>=6.9.0'} + + /@babel/helper-validator-option@7.23.5: + resolution: {integrity: sha512-85ttAOMLsr53VgXkTbkx8oA6YTfT4q7/HzXSLEYmjcSTJPMPQtvq1BD79Byep5xMUYbGRzEpDsjUf3dyp54IKw==} + engines: {node: '>=6.9.0'} + + /@babel/helpers@7.24.0: + resolution: {integrity: sha512-ulDZdc0Aj5uLc5nETsa7EPx2L7rM0YJM8r7ck7U73AXi7qOV44IHHRAYZHY6iU1rr3C5N4NtTmMRUJP6kwCWeA==} + engines: {node: '>=6.9.0'} + dependencies: + '@babel/template': 7.24.0 + '@babel/traverse': 7.24.0 + '@babel/types': 7.24.0 + transitivePeerDependencies: + - supports-color + + /@babel/highlight@7.23.4: + resolution: {integrity: sha512-acGdbYSfp2WheJoJm/EBBBLh/ID8KDc64ISZ9DYtBmC8/Q204PZJLHyzeB5qMzJ5trcOkybd78M4x2KWsUq++A==} + engines: {node: '>=6.9.0'} + dependencies: + '@babel/helper-validator-identifier': 7.22.20 + chalk: 2.4.2 + js-tokens: 4.0.0 + + /@babel/parser@7.24.0: + resolution: {integrity: sha512-QuP/FxEAzMSjXygs8v4N9dvdXzEHN4W1oF3PxuWAtPo08UdM17u89RDMgjLn/mlc56iM0HlLmVkO/wgR+rDgHg==} + engines: {node: '>=6.0.0'} + hasBin: true + dependencies: + '@babel/types': 7.24.0 + + /@babel/plugin-proposal-class-properties@7.18.6(@babel/core@7.24.0): + resolution: {integrity: sha512-cumfXOF0+nzZrrN8Rf0t7M+tF6sZc7vhQwYQck9q1/5w2OExlD+b4v4RpMJFaV1Z7WcDRgO6FqvxqxGlwo+RHQ==} + engines: {node: '>=6.9.0'} + deprecated: This proposal has been merged to the ECMAScript standard and thus this plugin is no longer maintained. Please use @babel/plugin-transform-class-properties instead. + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-create-class-features-plugin': 7.24.0(@babel/core@7.24.0) + '@babel/helper-plugin-utils': 7.24.0 + dev: true + + /@babel/plugin-proposal-object-rest-spread@7.20.7(@babel/core@7.24.0): + resolution: {integrity: sha512-d2S98yCiLxDVmBmE8UjGcfPvNEUbA1U5q5WxaWFUGRzJSVAZqm5W6MbPct0jxnegUZ0niLeNX+IOzEs7wYg9Dg==} + engines: {node: '>=6.9.0'} + deprecated: This proposal has been merged to the ECMAScript standard and thus this plugin is no longer maintained. Please use @babel/plugin-transform-object-rest-spread instead. + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/compat-data': 7.23.5 + '@babel/core': 7.24.0 + '@babel/helper-compilation-targets': 7.23.6 + '@babel/helper-plugin-utils': 7.24.0 + '@babel/plugin-syntax-object-rest-spread': 7.8.3(@babel/core@7.24.0) + '@babel/plugin-transform-parameters': 7.23.3(@babel/core@7.24.0) + dev: true + + /@babel/plugin-syntax-class-properties@7.12.13(@babel/core@7.24.0): + resolution: {integrity: sha512-fm4idjKla0YahUNgFNLCB0qySdsoPiZP3iQE3rky0mBUtMZ23yDJ9SJdg6dXTSDnulOVqiF3Hgr9nbXvXTQZYA==} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-plugin-utils': 7.24.0 + dev: true + + /@babel/plugin-syntax-flow@7.23.3(@babel/core@7.24.0): + resolution: {integrity: sha512-YZiAIpkJAwQXBJLIQbRFayR5c+gJ35Vcz3bg954k7cd73zqjvhacJuL9RbrzPz8qPmZdgqP6EUKwy0PCNhaaPA==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-plugin-utils': 7.24.0 + dev: true + + /@babel/plugin-syntax-import-assertions@7.23.3(@babel/core@7.24.0): + resolution: {integrity: sha512-lPgDSU+SJLK3xmFDTV2ZRQAiM7UuUjGidwBywFavObCiZc1BeAAcMtHJKUya92hPHO+at63JJPLygilZard8jw==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-plugin-utils': 7.24.0 + dev: true + + /@babel/plugin-syntax-jsx@7.23.3(@babel/core@7.24.0): + resolution: {integrity: sha512-EB2MELswq55OHUoRZLGg/zC7QWUKfNLpE57m/S2yr1uEneIgsTgrSzXP3NXEsMkVn76OlaVVnzN+ugObuYGwhg==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-plugin-utils': 7.24.0 + dev: true + + /@babel/plugin-syntax-object-rest-spread@7.8.3(@babel/core@7.24.0): + resolution: {integrity: sha512-XoqMijGZb9y3y2XskN+P1wUGiVwWZ5JmoDRwx5+3GmEplNyVM2s2Dg8ILFQm8rWM48orGy5YpI5Bl8U1y7ydlA==} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-plugin-utils': 7.24.0 + dev: true + + /@babel/plugin-transform-arrow-functions@7.23.3(@babel/core@7.24.0): + resolution: {integrity: sha512-NzQcQrzaQPkaEwoTm4Mhyl8jI1huEL/WWIEvudjTCMJ9aBZNpsJbMASx7EQECtQQPS/DcnFpo0FIh3LvEO9cxQ==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-plugin-utils': 7.24.0 + dev: true + + /@babel/plugin-transform-block-scoped-functions@7.23.3(@babel/core@7.24.0): + resolution: {integrity: sha512-vI+0sIaPIO6CNuM9Kk5VmXcMVRiOpDh7w2zZt9GXzmE/9KD70CUEVhvPR/etAeNK/FAEkhxQtXOzVF3EuRL41A==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-plugin-utils': 7.24.0 + dev: true + + /@babel/plugin-transform-block-scoping@7.23.4(@babel/core@7.24.0): + resolution: {integrity: sha512-0QqbP6B6HOh7/8iNR4CQU2Th/bbRtBp4KS9vcaZd1fZ0wSh5Fyssg0UCIHwxh+ka+pNDREbVLQnHCMHKZfPwfw==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-plugin-utils': 7.24.0 + dev: true + + /@babel/plugin-transform-classes@7.23.8(@babel/core@7.24.0): + resolution: {integrity: sha512-yAYslGsY1bX6Knmg46RjiCiNSwJKv2IUC8qOdYKqMMr0491SXFhcHqOdRDeCRohOOIzwN/90C6mQ9qAKgrP7dg==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-annotate-as-pure': 7.22.5 + '@babel/helper-compilation-targets': 7.23.6 + '@babel/helper-environment-visitor': 7.22.20 + '@babel/helper-function-name': 7.23.0 + '@babel/helper-plugin-utils': 7.24.0 + '@babel/helper-replace-supers': 7.22.20(@babel/core@7.24.0) + '@babel/helper-split-export-declaration': 7.22.6 + globals: 11.12.0 + dev: true + + /@babel/plugin-transform-computed-properties@7.23.3(@babel/core@7.24.0): + resolution: {integrity: sha512-dTj83UVTLw/+nbiHqQSFdwO9CbTtwq1DsDqm3CUEtDrZNET5rT5E6bIdTlOftDTDLMYxvxHNEYO4B9SLl8SLZw==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-plugin-utils': 7.24.0 + '@babel/template': 7.24.0 + dev: true + + /@babel/plugin-transform-destructuring@7.23.3(@babel/core@7.24.0): + resolution: {integrity: sha512-n225npDqjDIr967cMScVKHXJs7rout1q+tt50inyBCPkyZ8KxeI6d+GIbSBTT/w/9WdlWDOej3V9HE5Lgk57gw==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-plugin-utils': 7.24.0 + dev: true + + /@babel/plugin-transform-flow-strip-types@7.23.3(@babel/core@7.24.0): + resolution: {integrity: sha512-26/pQTf9nQSNVJCrLB1IkHUKyPxR+lMrH2QDPG89+Znu9rAMbtrybdbWeE9bb7gzjmE5iXHEY+e0HUwM6Co93Q==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-plugin-utils': 7.24.0 + '@babel/plugin-syntax-flow': 7.23.3(@babel/core@7.24.0) + dev: true + + /@babel/plugin-transform-for-of@7.23.6(@babel/core@7.24.0): + resolution: {integrity: sha512-aYH4ytZ0qSuBbpfhuofbg/e96oQ7U2w1Aw/UQmKT+1l39uEhUPoFS3fHevDc1G0OvewyDudfMKY1OulczHzWIw==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-plugin-utils': 7.24.0 + '@babel/helper-skip-transparent-expression-wrappers': 7.22.5 + dev: true + + /@babel/plugin-transform-function-name@7.23.3(@babel/core@7.24.0): + resolution: {integrity: sha512-I1QXp1LxIvt8yLaib49dRW5Okt7Q4oaxao6tFVKS/anCdEOMtYwWVKoiOA1p34GOWIZjUK0E+zCp7+l1pfQyiw==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-compilation-targets': 7.23.6 + '@babel/helper-function-name': 7.23.0 + '@babel/helper-plugin-utils': 7.24.0 + dev: true + + /@babel/plugin-transform-literals@7.23.3(@babel/core@7.24.0): + resolution: {integrity: sha512-wZ0PIXRxnwZvl9AYpqNUxpZ5BiTGrYt7kueGQ+N5FiQ7RCOD4cm8iShd6S6ggfVIWaJf2EMk8eRzAh52RfP4rQ==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-plugin-utils': 7.24.0 + dev: true + + /@babel/plugin-transform-member-expression-literals@7.23.3(@babel/core@7.24.0): + resolution: {integrity: sha512-sC3LdDBDi5x96LA+Ytekz2ZPk8i/Ck+DEuDbRAll5rknJ5XRTSaPKEYwomLcs1AA8wg9b3KjIQRsnApj+q51Ag==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-plugin-utils': 7.24.0 + dev: true + + /@babel/plugin-transform-modules-commonjs@7.23.3(@babel/core@7.24.0): + resolution: {integrity: sha512-aVS0F65LKsdNOtcz6FRCpE4OgsP2OFnW46qNxNIX9h3wuzaNcSQsJysuMwqSibC98HPrf2vCgtxKNwS0DAlgcA==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-module-transforms': 7.23.3(@babel/core@7.24.0) + '@babel/helper-plugin-utils': 7.24.0 + '@babel/helper-simple-access': 7.22.5 + dev: true + + /@babel/plugin-transform-object-super@7.23.3(@babel/core@7.24.0): + resolution: {integrity: sha512-BwQ8q0x2JG+3lxCVFohg+KbQM7plfpBwThdW9A6TMtWwLsbDA01Ek2Zb/AgDN39BiZsExm4qrXxjk+P1/fzGrA==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-plugin-utils': 7.24.0 + '@babel/helper-replace-supers': 7.22.20(@babel/core@7.24.0) + dev: true + + /@babel/plugin-transform-parameters@7.23.3(@babel/core@7.24.0): + resolution: {integrity: sha512-09lMt6UsUb3/34BbECKVbVwrT9bO6lILWln237z7sLaWnMsTi7Yc9fhX5DLpkJzAGfaReXI22wP41SZmnAA3Vw==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-plugin-utils': 7.24.0 + dev: true + + /@babel/plugin-transform-property-literals@7.23.3(@babel/core@7.24.0): + resolution: {integrity: sha512-jR3Jn3y7cZp4oEWPFAlRsSWjxKe4PZILGBSd4nis1TsC5qeSpb+nrtihJuDhNI7QHiVbUaiXa0X2RZY3/TI6Nw==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-plugin-utils': 7.24.0 + dev: true + + /@babel/plugin-transform-react-display-name@7.23.3(@babel/core@7.24.0): + resolution: {integrity: sha512-GnvhtVfA2OAtzdX58FJxU19rhoGeQzyVndw3GgtdECQvQFXPEZIOVULHVZGAYmOgmqjXpVpfocAbSjh99V/Fqw==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-plugin-utils': 7.24.0 + dev: true + + /@babel/plugin-transform-react-jsx@7.23.4(@babel/core@7.24.0): + resolution: {integrity: sha512-5xOpoPguCZCRbo/JeHlloSkTA8Bld1J/E1/kLfD1nsuiW1m8tduTA1ERCgIZokDflX/IBzKcqR3l7VlRgiIfHA==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-annotate-as-pure': 7.22.5 + '@babel/helper-module-imports': 7.22.15 + '@babel/helper-plugin-utils': 7.24.0 + '@babel/plugin-syntax-jsx': 7.23.3(@babel/core@7.24.0) + '@babel/types': 7.24.0 + dev: true + + /@babel/plugin-transform-shorthand-properties@7.23.3(@babel/core@7.24.0): + resolution: {integrity: sha512-ED2fgqZLmexWiN+YNFX26fx4gh5qHDhn1O2gvEhreLW2iI63Sqm4llRLCXALKrCnbN4Jy0VcMQZl/SAzqug/jg==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-plugin-utils': 7.24.0 + dev: true + + /@babel/plugin-transform-spread@7.23.3(@babel/core@7.24.0): + resolution: {integrity: sha512-VvfVYlrlBVu+77xVTOAoxQ6mZbnIq5FM0aGBSFEcIh03qHf+zNqA4DC/3XMUozTg7bZV3e3mZQ0i13VB6v5yUg==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-plugin-utils': 7.24.0 + '@babel/helper-skip-transparent-expression-wrappers': 7.22.5 + dev: true + + /@babel/plugin-transform-template-literals@7.23.3(@babel/core@7.24.0): + resolution: {integrity: sha512-Flok06AYNp7GV2oJPZZcP9vZdszev6vPBkHLwxwSpaIqx75wn6mUd3UFWsSsA0l8nXAKkyCmL/sR02m8RYGeHg==} + engines: {node: '>=6.9.0'} + peerDependencies: + '@babel/core': ^7.0.0-0 + dependencies: + '@babel/core': 7.24.0 + '@babel/helper-plugin-utils': 7.24.0 + dev: true + + /@babel/runtime@7.24.0: + resolution: {integrity: sha512-Chk32uHMg6TnQdvw2e9IlqPpFX/6NLuK0Ys2PqLb7/gL5uFn9mXvK715FGLlOLQrcO4qIkNHkvPGktzzXexsFw==} + engines: {node: '>=6.9.0'} + dependencies: + regenerator-runtime: 0.14.1 + dev: true + + /@babel/template@7.24.0: + resolution: {integrity: sha512-Bkf2q8lMB0AFpX0NFEqSbx1OkTHf0f+0j82mkw+ZpzBnkk7e9Ql0891vlfgi+kHwOk8tQjiQHpqh4LaSa0fKEA==} + engines: {node: '>=6.9.0'} + dependencies: + '@babel/code-frame': 7.23.5 + '@babel/parser': 7.24.0 + '@babel/types': 7.24.0 + + /@babel/traverse@7.24.0: + resolution: {integrity: sha512-HfuJlI8qq3dEDmNU5ChzzpZRWq+oxCZQyMzIMEqLho+AQnhMnKQUzH6ydo3RBl/YjPCuk68Y6s0Gx0AeyULiWw==} + engines: {node: '>=6.9.0'} + dependencies: + '@babel/code-frame': 7.23.5 + '@babel/generator': 7.23.6 + '@babel/helper-environment-visitor': 7.22.20 + '@babel/helper-function-name': 7.23.0 + '@babel/helper-hoist-variables': 7.22.5 + '@babel/helper-split-export-declaration': 7.22.6 + '@babel/parser': 7.24.0 + '@babel/types': 7.24.0 + debug: 4.3.4 + globals: 11.12.0 + transitivePeerDependencies: + - supports-color + + /@babel/types@7.24.0: + resolution: {integrity: sha512-+j7a5c253RfKh8iABBhywc8NSfP5LURe7Uh4qpsh6jc+aLJguvmIUBdjSdEMQv2bENrCR5MfRdjGo7vzS/ob7w==} + engines: {node: '>=6.9.0'} + dependencies: + '@babel/helper-string-parser': 7.23.4 + '@babel/helper-validator-identifier': 7.22.20 + to-fast-properties: 2.0.0 + + /@eslint-community/eslint-utils@4.4.0(eslint@8.57.0): + resolution: {integrity: sha512-1/sA4dwrzBAyeUoQ6oxahHKmrZvsnLCg4RfxW3ZFGGmQkSNQPFNLV9CUEFQP1x9EYXHTo5p6xdhZM1Ne9p/AfA==} + engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} + peerDependencies: + eslint: ^6.0.0 || ^7.0.0 || >=8.0.0 + dependencies: + eslint: 8.57.0 + eslint-visitor-keys: 3.4.3 + dev: true + + /@eslint-community/regexpp@4.10.0: + resolution: {integrity: sha512-Cu96Sd2By9mCNTx2iyKOmq10v22jUVQv0lQnlGNy16oE9589yE+QADPbrMGCkA51cKZSg3Pu/aTJVTGfL/qjUA==} + engines: {node: ^12.0.0 || ^14.0.0 || >=16.0.0} + dev: true + + /@eslint/eslintrc@2.1.4: + resolution: {integrity: sha512-269Z39MS6wVJtsoUl10L60WdkhJVdPG24Q4eZTH3nnF6lpvSShEK3wQjDX9JRWAUPvPh7COouPpU9IrqaZFvtQ==} + engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} + dependencies: + ajv: 6.12.6 + debug: 4.3.4 + espree: 9.6.1 + globals: 13.24.0 + ignore: 5.3.1 + import-fresh: 3.3.0 + js-yaml: 4.1.0 + minimatch: 3.1.2 + strip-json-comments: 3.1.1 + transitivePeerDependencies: + - supports-color + dev: true + + /@eslint/js@8.57.0: + resolution: {integrity: sha512-Ys+3g2TaW7gADOJzPt83SJtCDhMjndcDMFVQ/Tj9iA1BfJzFKD9mAUXT3OenpuPHbI6P/myECxRJrofUsDx/5g==} + engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} + dev: true + + /@graphql-codegen/add@5.0.2(graphql@16.8.1): + resolution: {integrity: sha512-ouBkSvMFUhda5VoKumo/ZvsZM9P5ZTyDsI8LW18VxSNWOjrTeLXBWHG8Gfaai0HwhflPtCYVABbriEcOmrRShQ==} + peerDependencies: + graphql: ^0.8.0 || ^0.9.0 || ^0.10.0 || ^0.11.0 || ^0.12.0 || ^0.13.0 || ^14.0.0 || ^15.0.0 || ^16.0.0 + dependencies: + '@graphql-codegen/plugin-helpers': 5.0.3(graphql@16.8.1) + graphql: 16.8.1 + tslib: 2.6.2 + dev: true + + /@graphql-codegen/cli@5.0.2(@types/node@20.11.24)(graphql@16.8.1)(typescript@5.3.3): + resolution: {integrity: sha512-MBIaFqDiLKuO4ojN6xxG9/xL9wmfD3ZjZ7RsPjwQnSHBCUXnEkdKvX+JVpx87Pq29Ycn8wTJUguXnTZ7Di0Mlw==} + hasBin: true + peerDependencies: + '@parcel/watcher': ^2.1.0 + graphql: ^0.8.0 || ^0.9.0 || ^0.10.0 || ^0.11.0 || ^0.12.0 || ^0.13.0 || ^14.0.0 || ^15.0.0 || ^16.0.0 + peerDependenciesMeta: + '@parcel/watcher': + optional: true + dependencies: + '@babel/generator': 7.23.6 + '@babel/template': 7.24.0 + '@babel/types': 7.24.0 + '@graphql-codegen/client-preset': 4.2.2(graphql@16.8.1) + '@graphql-codegen/core': 4.0.2(graphql@16.8.1) + '@graphql-codegen/plugin-helpers': 5.0.3(graphql@16.8.1) + '@graphql-tools/apollo-engine-loader': 8.0.1(graphql@16.8.1) + '@graphql-tools/code-file-loader': 8.1.1(graphql@16.8.1) + '@graphql-tools/git-loader': 8.0.5(graphql@16.8.1) + '@graphql-tools/github-loader': 8.0.1(@types/node@20.11.24)(graphql@16.8.1) + '@graphql-tools/graphql-file-loader': 8.0.1(graphql@16.8.1) + '@graphql-tools/json-file-loader': 8.0.1(graphql@16.8.1) + '@graphql-tools/load': 8.0.2(graphql@16.8.1) + '@graphql-tools/prisma-loader': 8.0.3(@types/node@20.11.24)(graphql@16.8.1) + '@graphql-tools/url-loader': 8.0.2(@types/node@20.11.24)(graphql@16.8.1) + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + '@whatwg-node/fetch': 0.8.8 + chalk: 4.1.2 + cosmiconfig: 8.3.6(typescript@5.3.3) + debounce: 1.2.1 + detect-indent: 6.1.0 + graphql: 16.8.1 + graphql-config: 5.0.3(@types/node@20.11.24)(graphql@16.8.1)(typescript@5.3.3) + inquirer: 8.2.6 + is-glob: 4.0.3 + jiti: 1.21.0 + json-to-pretty-yaml: 1.2.2 + listr2: 4.0.5 + log-symbols: 4.1.0 + micromatch: 4.0.5 + shell-quote: 1.8.1 + string-env-interpolation: 1.0.1 + ts-log: 2.2.5 + tslib: 2.6.2 + yaml: 2.4.0 + yargs: 17.7.2 + transitivePeerDependencies: + - '@types/node' + - bufferutil + - cosmiconfig-toml-loader + - encoding + - enquirer + - supports-color + - typescript + - utf-8-validate + dev: true + + /@graphql-codegen/client-preset@4.2.2(graphql@16.8.1): + resolution: {integrity: sha512-DF9pNWj3TEdA90E9FH5SsUIqiZfr872vqaQOspLVuVXGsaDx8F/JLLzaN+7ucmoo0ff/bLW8munVXYXTmgwwEA==} + peerDependencies: + graphql: ^0.8.0 || ^0.9.0 || ^0.10.0 || ^0.11.0 || ^0.12.0 || ^0.13.0 || ^14.0.0 || ^15.0.0 || ^16.0.0 + dependencies: + '@babel/helper-plugin-utils': 7.24.0 + '@babel/template': 7.24.0 + '@graphql-codegen/add': 5.0.2(graphql@16.8.1) + '@graphql-codegen/gql-tag-operations': 4.0.4(graphql@16.8.1) + '@graphql-codegen/plugin-helpers': 5.0.3(graphql@16.8.1) + '@graphql-codegen/typed-document-node': 5.0.6(graphql@16.8.1) + '@graphql-codegen/typescript': 4.0.6(graphql@16.8.1) + '@graphql-codegen/typescript-operations': 4.2.0(graphql@16.8.1) + '@graphql-codegen/visitor-plugin-common': 4.1.2(graphql@16.8.1) + '@graphql-tools/documents': 1.0.0(graphql@16.8.1) + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + '@graphql-typed-document-node/core': 3.2.0(graphql@16.8.1) + graphql: 16.8.1 + tslib: 2.6.2 + transitivePeerDependencies: + - encoding + - supports-color + dev: true + + /@graphql-codegen/core@4.0.2(graphql@16.8.1): + resolution: {integrity: sha512-IZbpkhwVqgizcjNiaVzNAzm/xbWT6YnGgeOLwVjm4KbJn3V2jchVtuzHH09G5/WkkLSk2wgbXNdwjM41JxO6Eg==} + peerDependencies: + graphql: ^0.8.0 || ^0.9.0 || ^0.10.0 || ^0.11.0 || ^0.12.0 || ^0.13.0 || ^14.0.0 || ^15.0.0 || ^16.0.0 + dependencies: + '@graphql-codegen/plugin-helpers': 5.0.3(graphql@16.8.1) + '@graphql-tools/schema': 10.0.3(graphql@16.8.1) + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + graphql: 16.8.1 + tslib: 2.6.2 + dev: true + + /@graphql-codegen/gql-tag-operations@4.0.4(graphql@16.8.1): + resolution: {integrity: sha512-dypul0iDLjb07yv+/cRb6qPbn42cFPcwlsJertVl9G6qkS4+3V4806WwSfUht4QVMWnvGfgDkJJqG0yUVKOHwA==} + peerDependencies: + graphql: ^0.8.0 || ^0.9.0 || ^0.10.0 || ^0.11.0 || ^0.12.0 || ^0.13.0 || ^14.0.0 || ^15.0.0 || ^16.0.0 + dependencies: + '@graphql-codegen/plugin-helpers': 5.0.3(graphql@16.8.1) + '@graphql-codegen/visitor-plugin-common': 4.1.2(graphql@16.8.1) + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + auto-bind: 4.0.0 + graphql: 16.8.1 + tslib: 2.6.2 + transitivePeerDependencies: + - encoding + - supports-color + dev: true + + /@graphql-codegen/plugin-helpers@2.7.2(graphql@16.8.1): + resolution: {integrity: sha512-kln2AZ12uii6U59OQXdjLk5nOlh1pHis1R98cDZGFnfaiAbX9V3fxcZ1MMJkB7qFUymTALzyjZoXXdyVmPMfRg==} + peerDependencies: + graphql: ^0.8.0 || ^0.9.0 || ^0.10.0 || ^0.11.0 || ^0.12.0 || ^0.13.0 || ^14.0.0 || ^15.0.0 || ^16.0.0 + dependencies: + '@graphql-tools/utils': 8.13.1(graphql@16.8.1) + change-case-all: 1.0.14 + common-tags: 1.8.2 + graphql: 16.8.1 + import-from: 4.0.0 + lodash: 4.17.21 + tslib: 2.4.1 + dev: true + + /@graphql-codegen/plugin-helpers@3.1.2(graphql@16.8.1): + resolution: {integrity: sha512-emOQiHyIliVOIjKVKdsI5MXj312zmRDwmHpyUTZMjfpvxq/UVAHUJIVdVf+lnjjrI+LXBTgMlTWTgHQfmICxjg==} + peerDependencies: + graphql: ^0.8.0 || ^0.9.0 || ^0.10.0 || ^0.11.0 || ^0.12.0 || ^0.13.0 || ^14.0.0 || ^15.0.0 || ^16.0.0 + dependencies: + '@graphql-tools/utils': 9.2.1(graphql@16.8.1) + change-case-all: 1.0.15 + common-tags: 1.8.2 + graphql: 16.8.1 + import-from: 4.0.0 + lodash: 4.17.21 + tslib: 2.4.1 + dev: true + + /@graphql-codegen/plugin-helpers@5.0.3(graphql@16.8.1): + resolution: {integrity: sha512-yZ1rpULIWKBZqCDlvGIJRSyj1B2utkEdGmXZTBT/GVayP4hyRYlkd36AJV/LfEsVD8dnsKL5rLz2VTYmRNlJ5Q==} + peerDependencies: + graphql: ^0.8.0 || ^0.9.0 || ^0.10.0 || ^0.11.0 || ^0.12.0 || ^0.13.0 || ^14.0.0 || ^15.0.0 || ^16.0.0 + dependencies: + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + change-case-all: 1.0.15 + common-tags: 1.8.2 + graphql: 16.8.1 + import-from: 4.0.0 + lodash: 4.17.21 + tslib: 2.6.2 + dev: true + + /@graphql-codegen/schema-ast@4.0.2(graphql@16.8.1): + resolution: {integrity: sha512-5mVAOQQK3Oz7EtMl/l3vOQdc2aYClUzVDHHkMvZlunc+KlGgl81j8TLa+X7ANIllqU4fUEsQU3lJmk4hXP6K7Q==} + peerDependencies: + graphql: ^0.8.0 || ^0.9.0 || ^0.10.0 || ^0.11.0 || ^0.12.0 || ^0.13.0 || ^14.0.0 || ^15.0.0 || ^16.0.0 + dependencies: + '@graphql-codegen/plugin-helpers': 5.0.3(graphql@16.8.1) + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + graphql: 16.8.1 + tslib: 2.6.2 + dev: true + + /@graphql-codegen/typed-document-node@5.0.6(graphql@16.8.1): + resolution: {integrity: sha512-US0J95hOE2/W/h42w4oiY+DFKG7IetEN1mQMgXXeat1w6FAR5PlIz4JrRrEkiVfVetZ1g7K78SOwBD8/IJnDiA==} + peerDependencies: + graphql: ^0.8.0 || ^0.9.0 || ^0.10.0 || ^0.11.0 || ^0.12.0 || ^0.13.0 || ^14.0.0 || ^15.0.0 || ^16.0.0 + dependencies: + '@graphql-codegen/plugin-helpers': 5.0.3(graphql@16.8.1) + '@graphql-codegen/visitor-plugin-common': 5.1.0(graphql@16.8.1) + auto-bind: 4.0.0 + change-case-all: 1.0.15 + graphql: 16.8.1 + tslib: 2.6.2 + transitivePeerDependencies: + - encoding + - supports-color + dev: true + + /@graphql-codegen/typescript-operations@4.2.0(graphql@16.8.1): + resolution: {integrity: sha512-lmuwYb03XC7LNRS8oo9M4/vlOrq/wOKmTLBHlltK2YJ1BO/4K/Q9Jdv/jDmJpNydHVR1fmeF4wAfsIp1f9JibA==} + peerDependencies: + graphql: ^0.8.0 || ^0.9.0 || ^0.10.0 || ^0.11.0 || ^0.12.0 || ^0.13.0 || ^14.0.0 || ^15.0.0 || ^16.0.0 + dependencies: + '@graphql-codegen/plugin-helpers': 5.0.3(graphql@16.8.1) + '@graphql-codegen/typescript': 4.0.6(graphql@16.8.1) + '@graphql-codegen/visitor-plugin-common': 5.1.0(graphql@16.8.1) + auto-bind: 4.0.0 + graphql: 16.8.1 + tslib: 2.6.2 + transitivePeerDependencies: + - encoding + - supports-color + dev: true + + /@graphql-codegen/typescript-react-apollo@4.3.0(graphql-tag@2.12.6)(graphql@16.8.1): + resolution: {integrity: sha512-h+IxCGrOTDD60/6ztYDQs81yKDZZq/8aHqM9HHrZ9FiZn145O48VnQNCmGm88I619G9rEET8cCOrtYkCt+ZSzA==} + engines: {node: '>= 16.0.0'} + peerDependencies: + graphql: ^0.8.0 || ^0.9.0 || ^0.10.0 || ^0.11.0 || ^0.12.0 || ^0.13.0 || ^14.0.0 || ^15.0.0 || ^16.0.0 + graphql-tag: ^2.0.0 + dependencies: + '@graphql-codegen/plugin-helpers': 3.1.2(graphql@16.8.1) + '@graphql-codegen/visitor-plugin-common': 2.13.1(graphql@16.8.1) + auto-bind: 4.0.0 + change-case-all: 1.0.15 + graphql: 16.8.1 + graphql-tag: 2.12.6(graphql@16.8.1) + tslib: 2.6.2 + transitivePeerDependencies: + - encoding + - supports-color + dev: true + + /@graphql-codegen/typescript@4.0.6(graphql@16.8.1): + resolution: {integrity: sha512-IBG4N+Blv7KAL27bseruIoLTjORFCT3r+QYyMC3g11uY3/9TPpaUyjSdF70yBe5GIQ6dAgDU+ENUC1v7EPi0rw==} + peerDependencies: + graphql: ^0.12.0 || ^0.13.0 || ^14.0.0 || ^15.0.0 || ^16.0.0 + dependencies: + '@graphql-codegen/plugin-helpers': 5.0.3(graphql@16.8.1) + '@graphql-codegen/schema-ast': 4.0.2(graphql@16.8.1) + '@graphql-codegen/visitor-plugin-common': 5.1.0(graphql@16.8.1) + auto-bind: 4.0.0 + graphql: 16.8.1 + tslib: 2.6.2 + transitivePeerDependencies: + - encoding + - supports-color + dev: true + + /@graphql-codegen/visitor-plugin-common@2.13.1(graphql@16.8.1): + resolution: {integrity: sha512-mD9ufZhDGhyrSaWQGrU1Q1c5f01TeWtSWy/cDwXYjJcHIj1Y/DG2x0tOflEfCvh5WcnmHNIw4lzDsg1W7iFJEg==} + peerDependencies: + graphql: ^0.8.0 || ^0.9.0 || ^0.10.0 || ^0.11.0 || ^0.12.0 || ^0.13.0 || ^14.0.0 || ^15.0.0 || ^16.0.0 + dependencies: + '@graphql-codegen/plugin-helpers': 2.7.2(graphql@16.8.1) + '@graphql-tools/optimize': 1.4.0(graphql@16.8.1) + '@graphql-tools/relay-operation-optimizer': 6.5.18(graphql@16.8.1) + '@graphql-tools/utils': 8.13.1(graphql@16.8.1) + auto-bind: 4.0.0 + change-case-all: 1.0.14 + dependency-graph: 0.11.0 + graphql: 16.8.1 + graphql-tag: 2.12.6(graphql@16.8.1) + parse-filepath: 1.0.2 + tslib: 2.4.1 + transitivePeerDependencies: + - encoding + - supports-color + dev: true + + /@graphql-codegen/visitor-plugin-common@4.1.2(graphql@16.8.1): + resolution: {integrity: sha512-yk7iEAL1kYZ2Gi/pvVjdsZhul5WsYEM4Zcgh2Ev15VicMdJmPHsMhNUsZWyVJV0CaQCYpNOFlGD/11Ea3pn4GA==} + peerDependencies: + graphql: ^0.8.0 || ^0.9.0 || ^0.10.0 || ^0.11.0 || ^0.12.0 || ^0.13.0 || ^14.0.0 || ^15.0.0 || ^16.0.0 + dependencies: + '@graphql-codegen/plugin-helpers': 5.0.3(graphql@16.8.1) + '@graphql-tools/optimize': 2.0.0(graphql@16.8.1) + '@graphql-tools/relay-operation-optimizer': 7.0.1(graphql@16.8.1) + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + auto-bind: 4.0.0 + change-case-all: 1.0.15 + dependency-graph: 0.11.0 + graphql: 16.8.1 + graphql-tag: 2.12.6(graphql@16.8.1) + parse-filepath: 1.0.2 + tslib: 2.6.2 + transitivePeerDependencies: + - encoding + - supports-color + dev: true + + /@graphql-codegen/visitor-plugin-common@5.1.0(graphql@16.8.1): + resolution: {integrity: sha512-eamQxtA9bjJqI2lU5eYoA1GbdMIRT2X8m8vhWYsVQVWD3qM7sx/IqJU0kx0J3Vd4/CSd36BzL6RKwksibytDIg==} + peerDependencies: + graphql: ^0.8.0 || ^0.9.0 || ^0.10.0 || ^0.11.0 || ^0.12.0 || ^0.13.0 || ^14.0.0 || ^15.0.0 || ^16.0.0 + dependencies: + '@graphql-codegen/plugin-helpers': 5.0.3(graphql@16.8.1) + '@graphql-tools/optimize': 2.0.0(graphql@16.8.1) + '@graphql-tools/relay-operation-optimizer': 7.0.1(graphql@16.8.1) + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + auto-bind: 4.0.0 + change-case-all: 1.0.15 + dependency-graph: 0.11.0 + graphql: 16.8.1 + graphql-tag: 2.12.6(graphql@16.8.1) + parse-filepath: 1.0.2 + tslib: 2.6.2 + transitivePeerDependencies: + - encoding + - supports-color + dev: true + + /@graphql-tools/apollo-engine-loader@8.0.1(graphql@16.8.1): + resolution: {integrity: sha512-NaPeVjtrfbPXcl+MLQCJLWtqe2/E4bbAqcauEOQ+3sizw1Fc2CNmhHRF8a6W4D0ekvTRRXAMptXYgA2uConbrA==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@ardatan/sync-fetch': 0.0.1 + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + '@whatwg-node/fetch': 0.9.17 + graphql: 16.8.1 + tslib: 2.6.2 + transitivePeerDependencies: + - encoding + dev: true + + /@graphql-tools/batch-execute@9.0.4(graphql@16.8.1): + resolution: {integrity: sha512-kkebDLXgDrep5Y0gK1RN3DMUlLqNhg60OAz0lTCqrYeja6DshxLtLkj+zV4mVbBA4mQOEoBmw6g1LZs3dA84/w==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + dataloader: 2.2.2 + graphql: 16.8.1 + tslib: 2.6.2 + value-or-promise: 1.0.12 + dev: true + + /@graphql-tools/code-file-loader@8.1.1(graphql@16.8.1): + resolution: {integrity: sha512-q4KN25EPSUztc8rA8YUU3ufh721Yk12xXDbtUA+YstczWS7a1RJlghYMFEfR1HsHSYbF7cUqkbnTKSGM3o52bQ==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@graphql-tools/graphql-tag-pluck': 8.3.0(graphql@16.8.1) + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + globby: 11.1.0 + graphql: 16.8.1 + tslib: 2.6.2 + unixify: 1.0.0 + transitivePeerDependencies: + - supports-color + dev: true + + /@graphql-tools/delegate@10.0.4(graphql@16.8.1): + resolution: {integrity: sha512-WswZRbQZMh/ebhc8zSomK9DIh6Pd5KbuiMsyiKkKz37TWTrlCOe+4C/fyrBFez30ksq6oFyCeSKMwfrCbeGo0Q==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@graphql-tools/batch-execute': 9.0.4(graphql@16.8.1) + '@graphql-tools/executor': 1.2.1(graphql@16.8.1) + '@graphql-tools/schema': 10.0.3(graphql@16.8.1) + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + dataloader: 2.2.2 + graphql: 16.8.1 + tslib: 2.6.2 + dev: true + + /@graphql-tools/documents@1.0.0(graphql@16.8.1): + resolution: {integrity: sha512-rHGjX1vg/nZ2DKqRGfDPNC55CWZBMldEVcH+91BThRa6JeT80NqXknffLLEZLRUxyikCfkwMsk6xR3UNMqG0Rg==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + graphql: 16.8.1 + lodash.sortby: 4.7.0 + tslib: 2.6.2 + dev: true + + /@graphql-tools/executor-graphql-ws@1.1.2(graphql@16.8.1): + resolution: {integrity: sha512-+9ZK0rychTH1LUv4iZqJ4ESbmULJMTsv3XlFooPUngpxZkk00q6LqHKJRrsLErmQrVaC7cwQCaRBJa0teK17Lg==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + '@types/ws': 8.5.10 + graphql: 16.8.1 + graphql-ws: 5.15.0(graphql@16.8.1) + isomorphic-ws: 5.0.0(ws@8.16.0) + tslib: 2.6.2 + ws: 8.16.0 + transitivePeerDependencies: + - bufferutil + - utf-8-validate + dev: true + + /@graphql-tools/executor-http@1.0.9(@types/node@20.11.24)(graphql@16.8.1): + resolution: {integrity: sha512-+NXaZd2MWbbrWHqU4EhXcrDbogeiCDmEbrAN+rMn4Nu2okDjn2MTFDbTIab87oEubQCH4Te1wDkWPKrzXup7+Q==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + '@repeaterjs/repeater': 3.0.5 + '@whatwg-node/fetch': 0.9.17 + extract-files: 11.0.0 + graphql: 16.8.1 + meros: 1.3.0(@types/node@20.11.24) + tslib: 2.6.2 + value-or-promise: 1.0.12 + transitivePeerDependencies: + - '@types/node' + dev: true + + /@graphql-tools/executor-legacy-ws@1.0.6(graphql@16.8.1): + resolution: {integrity: sha512-lDSxz9VyyquOrvSuCCnld3256Hmd+QI2lkmkEv7d4mdzkxkK4ddAWW1geQiWrQvWmdsmcnGGlZ7gDGbhEExwqg==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + '@types/ws': 8.5.10 + graphql: 16.8.1 + isomorphic-ws: 5.0.0(ws@8.16.0) + tslib: 2.6.2 + ws: 8.16.0 + transitivePeerDependencies: + - bufferutil + - utf-8-validate + dev: true + + /@graphql-tools/executor@1.2.1(graphql@16.8.1): + resolution: {integrity: sha512-BP5UI1etbNOXmTSt7q4NL1+zsURFgh2pG+Hyt9K/xO0LlsfbSx59L5dHLerqZP7Js0xI6GYqrUQ4m29rUwUHJg==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + '@graphql-typed-document-node/core': 3.2.0(graphql@16.8.1) + '@repeaterjs/repeater': 3.0.5 + graphql: 16.8.1 + tslib: 2.6.2 + value-or-promise: 1.0.12 + dev: true + + /@graphql-tools/git-loader@8.0.5(graphql@16.8.1): + resolution: {integrity: sha512-P97/1mhruDiA6D5WUmx3n/aeGPLWj2+4dpzDOxFGGU+z9NcI/JdygMkeFpGZNHeJfw+kHfxgPcMPnxHcyhAoVA==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@graphql-tools/graphql-tag-pluck': 8.3.0(graphql@16.8.1) + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + graphql: 16.8.1 + is-glob: 4.0.3 + micromatch: 4.0.5 + tslib: 2.6.2 + unixify: 1.0.0 + transitivePeerDependencies: + - supports-color + dev: true + + /@graphql-tools/github-loader@8.0.1(@types/node@20.11.24)(graphql@16.8.1): + resolution: {integrity: sha512-W4dFLQJ5GtKGltvh/u1apWRFKBQOsDzFxO9cJkOYZj1VzHCpRF43uLST4VbCfWve+AwBqOuKr7YgkHoxpRMkcg==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@ardatan/sync-fetch': 0.0.1 + '@graphql-tools/executor-http': 1.0.9(@types/node@20.11.24)(graphql@16.8.1) + '@graphql-tools/graphql-tag-pluck': 8.3.0(graphql@16.8.1) + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + '@whatwg-node/fetch': 0.9.17 + graphql: 16.8.1 + tslib: 2.6.2 + value-or-promise: 1.0.12 + transitivePeerDependencies: + - '@types/node' + - encoding + - supports-color + dev: true + + /@graphql-tools/graphql-file-loader@8.0.1(graphql@16.8.1): + resolution: {integrity: sha512-7gswMqWBabTSmqbaNyWSmRRpStWlcCkBc73E6NZNlh4YNuiyKOwbvSkOUYFOqFMfEL+cFsXgAvr87Vz4XrYSbA==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@graphql-tools/import': 7.0.1(graphql@16.8.1) + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + globby: 11.1.0 + graphql: 16.8.1 + tslib: 2.6.2 + unixify: 1.0.0 + dev: true + + /@graphql-tools/graphql-tag-pluck@8.3.0(graphql@16.8.1): + resolution: {integrity: sha512-gNqukC+s7iHC7vQZmx1SEJQmLnOguBq+aqE2zV2+o1hxkExvKqyFli1SY/9gmukFIKpKutCIj+8yLOM+jARutw==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@babel/core': 7.24.0 + '@babel/parser': 7.24.0 + '@babel/plugin-syntax-import-assertions': 7.23.3(@babel/core@7.24.0) + '@babel/traverse': 7.24.0 + '@babel/types': 7.24.0 + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + graphql: 16.8.1 + tslib: 2.6.2 + transitivePeerDependencies: + - supports-color + dev: true + + /@graphql-tools/import@7.0.1(graphql@16.8.1): + resolution: {integrity: sha512-935uAjAS8UAeXThqHfYVr4HEAp6nHJ2sximZKO1RzUTq5WoALMAhhGARl0+ecm6X+cqNUwIChJbjtaa6P/ML0w==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + graphql: 16.8.1 + resolve-from: 5.0.0 + tslib: 2.6.2 + dev: true + + /@graphql-tools/json-file-loader@8.0.1(graphql@16.8.1): + resolution: {integrity: sha512-lAy2VqxDAHjVyqeJonCP6TUemrpYdDuKt25a10X6zY2Yn3iFYGnuIDQ64cv3ytyGY6KPyPB+Kp+ZfOkNDG3FQA==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + globby: 11.1.0 + graphql: 16.8.1 + tslib: 2.6.2 + unixify: 1.0.0 + dev: true + + /@graphql-tools/load@8.0.2(graphql@16.8.1): + resolution: {integrity: sha512-S+E/cmyVmJ3CuCNfDuNF2EyovTwdWfQScXv/2gmvJOti2rGD8jTt9GYVzXaxhblLivQR9sBUCNZu/w7j7aXUCA==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@graphql-tools/schema': 10.0.3(graphql@16.8.1) + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + graphql: 16.8.1 + p-limit: 3.1.0 + tslib: 2.6.2 + dev: true + + /@graphql-tools/merge@9.0.3(graphql@16.8.1): + resolution: {integrity: sha512-FeKv9lKLMwqDu0pQjPpF59GY3HReUkWXKsMIuMuJQOKh9BETu7zPEFUELvcw8w+lwZkl4ileJsHXC9+AnsT2Lw==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + graphql: 16.8.1 + tslib: 2.6.2 + dev: true + + /@graphql-tools/optimize@1.4.0(graphql@16.8.1): + resolution: {integrity: sha512-dJs/2XvZp+wgHH8T5J2TqptT9/6uVzIYvA6uFACha+ufvdMBedkfR4b4GbT8jAKLRARiqRTxy3dctnwkTM2tdw==} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + graphql: 16.8.1 + tslib: 2.6.2 + dev: true + + /@graphql-tools/optimize@2.0.0(graphql@16.8.1): + resolution: {integrity: sha512-nhdT+CRGDZ+bk68ic+Jw1OZ99YCDIKYA5AlVAnBHJvMawSx9YQqQAIj4refNc1/LRieGiuWvhbG3jvPVYho0Dg==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + graphql: 16.8.1 + tslib: 2.6.2 + dev: true + + /@graphql-tools/prisma-loader@8.0.3(@types/node@20.11.24)(graphql@16.8.1): + resolution: {integrity: sha512-oZhxnMr3Jw2WAW1h9FIhF27xWzIB7bXWM8olz4W12oII4NiZl7VRkFw9IT50zME2Bqi9LGh9pkmMWkjvbOpl+Q==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@graphql-tools/url-loader': 8.0.2(@types/node@20.11.24)(graphql@16.8.1) + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + '@types/js-yaml': 4.0.9 + '@types/json-stable-stringify': 1.0.36 + '@whatwg-node/fetch': 0.9.17 + chalk: 4.1.2 + debug: 4.3.4 + dotenv: 16.4.5 + graphql: 16.8.1 + graphql-request: 6.1.0(graphql@16.8.1) + http-proxy-agent: 7.0.2 + https-proxy-agent: 7.0.4 + jose: 5.2.2 + js-yaml: 4.1.0 + json-stable-stringify: 1.1.1 + lodash: 4.17.21 + scuid: 1.1.0 + tslib: 2.6.2 + yaml-ast-parser: 0.0.43 + transitivePeerDependencies: + - '@types/node' + - bufferutil + - encoding + - supports-color + - utf-8-validate + dev: true + + /@graphql-tools/relay-operation-optimizer@6.5.18(graphql@16.8.1): + resolution: {integrity: sha512-mc5VPyTeV+LwiM+DNvoDQfPqwQYhPV/cl5jOBjTgSniyaq8/86aODfMkrE2OduhQ5E00hqrkuL2Fdrgk0w1QJg==} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@ardatan/relay-compiler': 12.0.0(graphql@16.8.1) + '@graphql-tools/utils': 9.2.1(graphql@16.8.1) + graphql: 16.8.1 + tslib: 2.6.2 + transitivePeerDependencies: + - encoding + - supports-color + dev: true + + /@graphql-tools/relay-operation-optimizer@7.0.1(graphql@16.8.1): + resolution: {integrity: sha512-y0ZrQ/iyqWZlsS/xrJfSir3TbVYJTYmMOu4TaSz6F4FRDTQ3ie43BlKkhf04rC28pnUOS4BO9pDcAo1D30l5+A==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@ardatan/relay-compiler': 12.0.0(graphql@16.8.1) + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + graphql: 16.8.1 + tslib: 2.6.2 + transitivePeerDependencies: + - encoding + - supports-color + dev: true + + /@graphql-tools/schema@10.0.3(graphql@16.8.1): + resolution: {integrity: sha512-p28Oh9EcOna6i0yLaCFOnkcBDQECVf3SCexT6ktb86QNj9idnkhI+tCxnwZDh58Qvjd2nURdkbevvoZkvxzCog==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@graphql-tools/merge': 9.0.3(graphql@16.8.1) + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + graphql: 16.8.1 + tslib: 2.6.2 + value-or-promise: 1.0.12 + dev: true + + /@graphql-tools/url-loader@8.0.2(@types/node@20.11.24)(graphql@16.8.1): + resolution: {integrity: sha512-1dKp2K8UuFn7DFo1qX5c1cyazQv2h2ICwA9esHblEqCYrgf69Nk8N7SODmsfWg94OEaI74IqMoM12t7eIGwFzQ==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@ardatan/sync-fetch': 0.0.1 + '@graphql-tools/delegate': 10.0.4(graphql@16.8.1) + '@graphql-tools/executor-graphql-ws': 1.1.2(graphql@16.8.1) + '@graphql-tools/executor-http': 1.0.9(@types/node@20.11.24)(graphql@16.8.1) + '@graphql-tools/executor-legacy-ws': 1.0.6(graphql@16.8.1) + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + '@graphql-tools/wrap': 10.0.2(graphql@16.8.1) + '@types/ws': 8.5.10 + '@whatwg-node/fetch': 0.9.17 + graphql: 16.8.1 + isomorphic-ws: 5.0.0(ws@8.16.0) + tslib: 2.6.2 + value-or-promise: 1.0.12 + ws: 8.16.0 + transitivePeerDependencies: + - '@types/node' + - bufferutil + - encoding + - utf-8-validate + dev: true + + /@graphql-tools/utils@10.1.0(graphql@16.8.1): + resolution: {integrity: sha512-wLPqhgeZ9BZJPRoaQbsDN/CtJDPd/L4qmmtPkjI3NuYJ39x+Eqz1Sh34EAGMuDh+xlOHqBwHczkZUpoK9tvzjw==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@graphql-typed-document-node/core': 3.2.0(graphql@16.8.1) + cross-inspect: 1.0.0 + dset: 3.1.3 + graphql: 16.8.1 + tslib: 2.6.2 + dev: true + + /@graphql-tools/utils@8.13.1(graphql@16.8.1): + resolution: {integrity: sha512-qIh9yYpdUFmctVqovwMdheVNJqFh+DQNWIhX87FJStfXYnmweBUDATok9fWPleKeFwxnW8IapKmY8m8toJEkAw==} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + graphql: 16.8.1 + tslib: 2.6.2 + dev: true + + /@graphql-tools/utils@9.2.1(graphql@16.8.1): + resolution: {integrity: sha512-WUw506Ql6xzmOORlriNrD6Ugx+HjVgYxt9KCXD9mHAak+eaXSwuGGPyE60hy9xaDEoXKBsG7SkG69ybitaVl6A==} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@graphql-typed-document-node/core': 3.2.0(graphql@16.8.1) + graphql: 16.8.1 + tslib: 2.6.2 + dev: true + + /@graphql-tools/wrap@10.0.2(graphql@16.8.1): + resolution: {integrity: sha512-nb/YjBcyF02KBCy3hiyw0nBKIC+qkiDY/tGMCcIe4pM6BPEcnreaPhXA28Rdge7lKtySF4Mhbc86XafFH5bIkQ==} + engines: {node: '>=16.0.0'} + peerDependencies: + graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + '@graphql-tools/delegate': 10.0.4(graphql@16.8.1) + '@graphql-tools/schema': 10.0.3(graphql@16.8.1) + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + graphql: 16.8.1 + tslib: 2.6.2 + value-or-promise: 1.0.12 + dev: true + + /@graphql-typed-document-node/core@3.2.0(graphql@16.8.1): + resolution: {integrity: sha512-mB9oAsNCm9aM3/SOv4YtBMqZbYj10R7dkq8byBqxGY/ncFwhf2oQzMV+LCRlWoDSEBJ3COiR1yeDvMtsoOsuFQ==} + peerDependencies: + graphql: ^0.8.0 || ^0.9.0 || ^0.10.0 || ^0.11.0 || ^0.12.0 || ^0.13.0 || ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 + dependencies: + graphql: 16.8.1 + + /@humanwhocodes/config-array@0.11.14: + resolution: {integrity: sha512-3T8LkOmg45BV5FICb15QQMsyUSWrQ8AygVfC7ZG32zOalnqrilm018ZVCw0eapXux8FtA33q8PSRSstjee3jSg==} + engines: {node: '>=10.10.0'} + dependencies: + '@humanwhocodes/object-schema': 2.0.2 + debug: 4.3.4 + minimatch: 3.1.2 + transitivePeerDependencies: + - supports-color + dev: true + + /@humanwhocodes/module-importer@1.0.1: + resolution: {integrity: sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA==} + engines: {node: '>=12.22'} + dev: true + + /@humanwhocodes/object-schema@2.0.2: + resolution: {integrity: sha512-6EwiSjwWYP7pTckG6I5eyFANjPhmPjUX9JRLUSfNPC7FX7zK9gyZAfUEaECL6ALTpGX5AjnBq3C9XmVWPitNpw==} + dev: true + + /@ianvs/prettier-plugin-sort-imports@4.1.1(prettier@3.2.5): + resolution: {integrity: sha512-kJhXq63ngpTQ2dxgf5GasbPJWsJA3LgoOdd7WGhpUSzLgLgI4IsIzYkbJf9kmpOHe7Vdm/o3PcRA3jmizXUuAQ==} + peerDependencies: + '@vue/compiler-sfc': '>=3.0.0' + prettier: 2 || 3 + peerDependenciesMeta: + '@vue/compiler-sfc': + optional: true + dependencies: + '@babel/core': 7.24.0 + '@babel/generator': 7.23.6 + '@babel/parser': 7.24.0 + '@babel/traverse': 7.24.0 + '@babel/types': 7.24.0 + prettier: 3.2.5 + semver: 7.6.0 + transitivePeerDependencies: + - supports-color + dev: true + + /@isaacs/cliui@8.0.2: + resolution: {integrity: sha512-O8jcjabXaleOG9DQ0+ARXWZBTfnP4WNAqzuiJK7ll44AmxGKv/J2M4TPjxjY3znBCfvBXFzucm1twdyFybFqEA==} + engines: {node: '>=12'} + dependencies: + string-width: 5.1.2 + string-width-cjs: /string-width@4.2.3 + strip-ansi: 7.1.0 + strip-ansi-cjs: /strip-ansi@6.0.1 + wrap-ansi: 8.1.0 + wrap-ansi-cjs: /wrap-ansi@7.0.0 + dev: true + + /@jridgewell/gen-mapping@0.3.5: + resolution: {integrity: sha512-IzL8ZoEDIBRWEzlCcRhOaCupYyN5gdIK+Q6fbFdPDg6HqX6jpkItn7DFIpW9LQzXG6Df9sA7+OKnq0qlz/GaQg==} + engines: {node: '>=6.0.0'} + dependencies: + '@jridgewell/set-array': 1.2.1 + '@jridgewell/sourcemap-codec': 1.4.15 + '@jridgewell/trace-mapping': 0.3.25 + + /@jridgewell/resolve-uri@3.1.2: + resolution: {integrity: sha512-bRISgCIjP20/tbWSPWMEi54QVPRZExkuD9lJL+UIxUKtwVJA8wW1Trb1jMs1RFXo1CBTNZ/5hpC9QvmKWdopKw==} + engines: {node: '>=6.0.0'} + + /@jridgewell/set-array@1.2.1: + resolution: {integrity: sha512-R8gLRTZeyp03ymzP/6Lil/28tGeGEzhx1q2k703KGWRAI1VdvPIXdG70VJc2pAMw3NA6JKL5hhFu1sJX0Mnn/A==} + engines: {node: '>=6.0.0'} + + /@jridgewell/sourcemap-codec@1.4.15: + resolution: {integrity: sha512-eF2rxCRulEKXHTRiDrDy6erMYWqNw4LPdQ8UQA4huuxaQsVeRPFl2oM8oDGxMFhJUWZf9McpLtJasDDZb/Bpeg==} + + /@jridgewell/trace-mapping@0.3.25: + resolution: {integrity: sha512-vNk6aEwybGtawWmy/PzwnGDOjCkLWSD2wqvjGGAgOAwCGWySYXfYoxt00IJkTF+8Lb57DwOb3Aa0o9CApepiYQ==} + dependencies: + '@jridgewell/resolve-uri': 3.1.2 + '@jridgewell/sourcemap-codec': 1.4.15 + + /@kamilkisiela/fast-url-parser@1.1.4: + resolution: {integrity: sha512-gbkePEBupNydxCelHCESvFSFM8XPh1Zs/OAVRW/rKpEqPAl5PbOM90Si8mv9bvnR53uPD2s/FiRxdvSejpRJew==} + dev: true + + /@next/env@14.1.1: + resolution: {integrity: sha512-7CnQyD5G8shHxQIIg3c7/pSeYFeMhsNbpU/bmvH7ZnDql7mNRgg8O2JZrhrc/soFnfBnKP4/xXNiiSIPn2w8gA==} + dev: false + + /@next/eslint-plugin-next@14.1.1: + resolution: {integrity: sha512-NP1WoGFnFLpqqCWgGFjnn/sTwUExdPyjeFKRdQP1X/bL/tjAQ/TXDmYqw6vzGaP5NaZ2u6xzg+N/0nd7fOPOGQ==} + dependencies: + glob: 10.3.10 + dev: true + + /@next/swc-darwin-arm64@14.1.1: + resolution: {integrity: sha512-yDjSFKQKTIjyT7cFv+DqQfW5jsD+tVxXTckSe1KIouKk75t1qZmj/mV3wzdmFb0XHVGtyRjDMulfVG8uCKemOQ==} + engines: {node: '>= 10'} + cpu: [arm64] + os: [darwin] + requiresBuild: true + dev: false + optional: true + + /@next/swc-darwin-x64@14.1.1: + resolution: {integrity: sha512-KCQmBL0CmFmN8D64FHIZVD9I4ugQsDBBEJKiblXGgwn7wBCSe8N4Dx47sdzl4JAg39IkSN5NNrr8AniXLMb3aw==} + engines: {node: '>= 10'} + cpu: [x64] + os: [darwin] + requiresBuild: true + dev: false + optional: true + + /@next/swc-linux-arm64-gnu@14.1.1: + resolution: {integrity: sha512-YDQfbWyW0JMKhJf/T4eyFr4b3tceTorQ5w2n7I0mNVTFOvu6CGEzfwT3RSAQGTi/FFMTFcuspPec/7dFHuP7Eg==} + engines: {node: '>= 10'} + cpu: [arm64] + os: [linux] + requiresBuild: true + dev: false + optional: true + + /@next/swc-linux-arm64-musl@14.1.1: + resolution: {integrity: sha512-fiuN/OG6sNGRN/bRFxRvV5LyzLB8gaL8cbDH5o3mEiVwfcMzyE5T//ilMmaTrnA8HLMS6hoz4cHOu6Qcp9vxgQ==} + engines: {node: '>= 10'} + cpu: [arm64] + os: [linux] + requiresBuild: true + dev: false + optional: true + + /@next/swc-linux-x64-gnu@14.1.1: + resolution: {integrity: sha512-rv6AAdEXoezjbdfp3ouMuVqeLjE1Bin0AuE6qxE6V9g3Giz5/R3xpocHoAi7CufRR+lnkuUjRBn05SYJ83oKNQ==} + engines: {node: '>= 10'} + cpu: [x64] + os: [linux] + requiresBuild: true + dev: false + optional: true + + /@next/swc-linux-x64-musl@14.1.1: + resolution: {integrity: sha512-YAZLGsaNeChSrpz/G7MxO3TIBLaMN8QWMr3X8bt6rCvKovwU7GqQlDu99WdvF33kI8ZahvcdbFsy4jAFzFX7og==} + engines: {node: '>= 10'} + cpu: [x64] + os: [linux] + requiresBuild: true + dev: false + optional: true + + /@next/swc-win32-arm64-msvc@14.1.1: + resolution: {integrity: sha512-1L4mUYPBMvVDMZg1inUYyPvFSduot0g73hgfD9CODgbr4xiTYe0VOMTZzaRqYJYBA9mana0x4eaAaypmWo1r5A==} + engines: {node: '>= 10'} + cpu: [arm64] + os: [win32] + requiresBuild: true + dev: false + optional: true + + /@next/swc-win32-ia32-msvc@14.1.1: + resolution: {integrity: sha512-jvIE9tsuj9vpbbXlR5YxrghRfMuG0Qm/nZ/1KDHc+y6FpnZ/apsgh+G6t15vefU0zp3WSpTMIdXRUsNl/7RSuw==} + engines: {node: '>= 10'} + cpu: [ia32] + os: [win32] + requiresBuild: true + dev: false + optional: true + + /@next/swc-win32-x64-msvc@14.1.1: + resolution: {integrity: sha512-S6K6EHDU5+1KrBDLko7/c1MNy/Ya73pIAmvKeFwsF4RmBFJSO7/7YeD4FnZ4iBdzE69PpQ4sOMU9ORKeNuxe8A==} + engines: {node: '>= 10'} + cpu: [x64] + os: [win32] + requiresBuild: true + dev: false + optional: true + + /@nodelib/fs.scandir@2.1.5: + resolution: {integrity: sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==} + engines: {node: '>= 8'} + dependencies: + '@nodelib/fs.stat': 2.0.5 + run-parallel: 1.2.0 + dev: true + + /@nodelib/fs.stat@2.0.5: + resolution: {integrity: sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==} + engines: {node: '>= 8'} + dev: true + + /@nodelib/fs.walk@1.2.8: + resolution: {integrity: sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==} + engines: {node: '>= 8'} + dependencies: + '@nodelib/fs.scandir': 2.1.5 + fastq: 1.17.1 + dev: true + + /@peculiar/asn1-schema@2.3.8: + resolution: {integrity: sha512-ULB1XqHKx1WBU/tTFIA+uARuRoBVZ4pNdOA878RDrRbBfBGcSzi5HBkdScC6ZbHn8z7L8gmKCgPC1LHRrP46tA==} + dependencies: + asn1js: 3.0.5 + pvtsutils: 1.3.5 + tslib: 2.6.2 + dev: true + + /@peculiar/json-schema@1.1.12: + resolution: {integrity: sha512-coUfuoMeIB7B8/NMekxaDzLhaYmp0HZNPEjYRm9goRou8UZIC3z21s0sL9AWoCw4EG876QyO3kYrc61WNF9B/w==} + engines: {node: '>=8.0.0'} + dependencies: + tslib: 2.6.2 + dev: true + + /@peculiar/webcrypto@1.4.5: + resolution: {integrity: sha512-oDk93QCDGdxFRM8382Zdminzs44dg3M2+E5Np+JWkpqLDyJC9DviMh8F8mEJkYuUcUOGA5jHO5AJJ10MFWdbZw==} + engines: {node: '>=10.12.0'} + dependencies: + '@peculiar/asn1-schema': 2.3.8 + '@peculiar/json-schema': 1.1.12 + pvtsutils: 1.3.5 + tslib: 2.6.2 + webcrypto-core: 1.7.8 + dev: true + + /@pkgjs/parseargs@0.11.0: + resolution: {integrity: sha512-+1VkjdD0QBLPodGrJUeqarH8VAIvQODIbwh9XpP5Syisf7YoQgsJKPNFoqqLQlu+VQ/tVSshMR6loPMn8U+dPg==} + engines: {node: '>=14'} + requiresBuild: true + dev: true + optional: true + + /@repeaterjs/repeater@3.0.5: + resolution: {integrity: sha512-l3YHBLAol6d/IKnB9LhpD0cEZWAoe3eFKUyTYWmFmCO2Q/WOckxLQAUyMZWwZV2M/m3+4vgRoaolFqaII82/TA==} + dev: true + + /@rushstack/eslint-patch@1.7.2: + resolution: {integrity: sha512-RbhOOTCNoCrbfkRyoXODZp75MlpiHMgbE5MEBZAnnnLyQNgrigEj4p0lzsMDyc1zVsJDLrivB58tgg3emX0eEA==} + dev: true + + /@swc/helpers@0.5.2: + resolution: {integrity: sha512-E4KcWTpoLHqwPHLxidpOqQbcrZVgi0rsmmZXUle1jXmJfuIf/UWpczUJ7MZZ5tlxytgJXyp0w4PGkkeLiuIdZw==} + dependencies: + tslib: 2.6.2 + dev: false + + /@types/js-yaml@4.0.9: + resolution: {integrity: sha512-k4MGaQl5TGo/iipqb2UDG2UwjXziSWkh0uysQelTlJpX1qGlpUZYm8PnO4DxG1qBomtJUdYJ6qR6xdIah10JLg==} + dev: true + + /@types/json-stable-stringify@1.0.36: + resolution: {integrity: sha512-b7bq23s4fgBB76n34m2b3RBf6M369B0Z9uRR8aHTMd8kZISRkmDEpPD8hhpYvDFzr3bJCPES96cm3Q6qRNDbQw==} + dev: true + + /@types/json5@0.0.29: + resolution: {integrity: sha512-dRLjCWHYg4oaA77cxO64oO+7JwCwnIzkZPdrrC71jQmQtlhM556pwKo5bUzqvZndkVbeFLIIi+9TC40JNF5hNQ==} + dev: true + + /@types/node@20.11.24: + resolution: {integrity: sha512-Kza43ewS3xoLgCEpQrsT+xRo/EJej1y0kVYGiLFE1NEODXGzTfwiC6tXTLMQskn1X4/Rjlh0MQUvx9W+L9long==} + dependencies: + undici-types: 5.26.5 + dev: true + + /@types/prop-types@15.7.11: + resolution: {integrity: sha512-ga8y9v9uyeiLdpKddhxYQkxNDrfvuPrlFb0N1qnZZByvcElJaXthF1UhvCh9TLWJBEHeNtdnbysW7Y6Uq8CVng==} + + /@types/react-dom@18.2.19: + resolution: {integrity: sha512-aZvQL6uUbIJpjZk4U8JZGbau9KDeAwMfmhyWorxgBkqDIEf6ROjRozcmPIicqsUwPUjbkDfHKgGee1Lq65APcA==} + dependencies: + '@types/react': 18.2.61 + dev: true + + /@types/react@18.2.61: + resolution: {integrity: sha512-NURTN0qNnJa7O/k4XUkEW2yfygA+NxS0V5h1+kp9jPwhzZy95q3ADoGMP0+JypMhrZBTTgjKAUlTctde1zzeQA==} + dependencies: + '@types/prop-types': 15.7.11 + '@types/scheduler': 0.16.8 + csstype: 3.1.3 + + /@types/scheduler@0.16.8: + resolution: {integrity: sha512-WZLiwShhwLRmeV6zH+GkbOFT6Z6VklCItrDioxUnv+u4Ll+8vKeFySoFyK/0ctcRpOmwAicELfmys1sDc/Rw+A==} + + /@types/ws@8.5.10: + resolution: {integrity: sha512-vmQSUcfalpIq0R9q7uTo2lXs6eGIpt9wtnLdMv9LVpIjCA/+ufZRozlVoVelIYixx1ugCBKDhn89vnsEGOCx9A==} + dependencies: + '@types/node': 20.11.24 + dev: true + + /@typescript-eslint/parser@6.21.0(eslint@8.57.0)(typescript@5.3.3): + resolution: {integrity: sha512-tbsV1jPne5CkFQCgPBcDOt30ItF7aJoZL997JSF7MhGQqOeT3svWRYxiqlfA5RUdlHN6Fi+EI9bxqbdyAUZjYQ==} + engines: {node: ^16.0.0 || >=18.0.0} + peerDependencies: + eslint: ^7.0.0 || ^8.0.0 + typescript: '*' + peerDependenciesMeta: + typescript: + optional: true + dependencies: + '@typescript-eslint/scope-manager': 6.21.0 + '@typescript-eslint/types': 6.21.0 + '@typescript-eslint/typescript-estree': 6.21.0(typescript@5.3.3) + '@typescript-eslint/visitor-keys': 6.21.0 + debug: 4.3.4 + eslint: 8.57.0 + typescript: 5.3.3 + transitivePeerDependencies: + - supports-color + dev: true + + /@typescript-eslint/scope-manager@6.21.0: + resolution: {integrity: sha512-OwLUIWZJry80O99zvqXVEioyniJMa+d2GrqpUTqi5/v5D5rOrppJVBPa0yKCblcigC0/aYAzxxqQ1B+DS2RYsg==} + engines: {node: ^16.0.0 || >=18.0.0} + dependencies: + '@typescript-eslint/types': 6.21.0 + '@typescript-eslint/visitor-keys': 6.21.0 + dev: true + + /@typescript-eslint/types@6.21.0: + resolution: {integrity: sha512-1kFmZ1rOm5epu9NZEZm1kckCDGj5UJEf7P1kliH4LKu/RkwpsfqqGmY2OOcUs18lSlQBKLDYBOGxRVtrMN5lpg==} + engines: {node: ^16.0.0 || >=18.0.0} + dev: true + + /@typescript-eslint/typescript-estree@6.21.0(typescript@5.3.3): + resolution: {integrity: sha512-6npJTkZcO+y2/kr+z0hc4HwNfrrP4kNYh57ek7yCNlrBjWQ1Y0OS7jiZTkgumrvkX5HkEKXFZkkdFNkaW2wmUQ==} + engines: {node: ^16.0.0 || >=18.0.0} + peerDependencies: + typescript: '*' + peerDependenciesMeta: + typescript: + optional: true + dependencies: + '@typescript-eslint/types': 6.21.0 + '@typescript-eslint/visitor-keys': 6.21.0 + debug: 4.3.4 + globby: 11.1.0 + is-glob: 4.0.3 + minimatch: 9.0.3 + semver: 7.6.0 + ts-api-utils: 1.2.1(typescript@5.3.3) + typescript: 5.3.3 + transitivePeerDependencies: + - supports-color + dev: true + + /@typescript-eslint/visitor-keys@6.21.0: + resolution: {integrity: sha512-JJtkDduxLi9bivAB+cYOVMtbkqdPOhZ+ZI5LC47MIRrDV4Yn2o+ZnW10Nkmr28xRpSpdJ6Sm42Hjf2+REYXm0A==} + engines: {node: ^16.0.0 || >=18.0.0} + dependencies: + '@typescript-eslint/types': 6.21.0 + eslint-visitor-keys: 3.4.3 + dev: true + + /@ungap/structured-clone@1.2.0: + resolution: {integrity: sha512-zuVdFrMJiuCDQUMCzQaD6KL28MjnqqN8XnAqiEq9PNm/hCPTSGfrXCOfwj1ow4LFb/tNymJPwsNbVePc1xFqrQ==} + dev: true + + /@whatwg-node/events@0.0.3: + resolution: {integrity: sha512-IqnKIDWfXBJkvy/k6tzskWTc2NK3LcqHlb+KHGCrjOCH4jfQckRX0NAiIcC/vIqQkzLYw2r2CTSwAxcrtcD6lA==} + dev: true + + /@whatwg-node/events@0.1.1: + resolution: {integrity: sha512-AyQEn5hIPV7Ze+xFoXVU3QTHXVbWPrzaOkxtENMPMuNL6VVHrp4hHfDt9nrQpjO7BgvuM95dMtkycX5M/DZR3w==} + engines: {node: '>=16.0.0'} + dev: true + + /@whatwg-node/fetch@0.8.8: + resolution: {integrity: sha512-CdcjGC2vdKhc13KKxgsc6/616BQ7ooDIgPeTuAiE8qfCnS0mGzcfCOoZXypQSz73nxI+GWc7ZReIAVhxoE1KCg==} + dependencies: + '@peculiar/webcrypto': 1.4.5 + '@whatwg-node/node-fetch': 0.3.6 + busboy: 1.6.0 + urlpattern-polyfill: 8.0.2 + web-streams-polyfill: 3.3.3 + dev: true + + /@whatwg-node/fetch@0.9.17: + resolution: {integrity: sha512-TDYP3CpCrxwxpiNY0UMNf096H5Ihf67BK1iKGegQl5u9SlpEDYrvnV71gWBGJm+Xm31qOy8ATgma9rm8Pe7/5Q==} + engines: {node: '>=16.0.0'} + dependencies: + '@whatwg-node/node-fetch': 0.5.7 + urlpattern-polyfill: 10.0.0 + dev: true + + /@whatwg-node/node-fetch@0.3.6: + resolution: {integrity: sha512-w9wKgDO4C95qnXZRwZTfCmLWqyRnooGjcIwG0wADWjw9/HN0p7dtvtgSvItZtUyNteEvgTrd8QojNEqV6DAGTA==} + dependencies: + '@whatwg-node/events': 0.0.3 + busboy: 1.6.0 + fast-querystring: 1.1.2 + fast-url-parser: 1.1.3 + tslib: 2.6.2 + dev: true + + /@whatwg-node/node-fetch@0.5.7: + resolution: {integrity: sha512-YZA+N3JcW1eh2QRi7o/ij+M07M0dqID73ltgsOEMRyEc2UYVDbyomaih+CWCEZqBIDHw4KMDveXvv4SBZ4TLIw==} + engines: {node: '>=16.0.0'} + dependencies: + '@kamilkisiela/fast-url-parser': 1.1.4 + '@whatwg-node/events': 0.1.1 + busboy: 1.6.0 + fast-querystring: 1.1.2 + tslib: 2.6.2 + dev: true + + /@wry/caches@1.0.1: + resolution: {integrity: sha512-bXuaUNLVVkD20wcGBWRyo7j9N3TxePEWFZj2Y+r9OoUzfqmavM84+mFykRicNsBqatba5JLay1t48wxaXaWnlA==} + engines: {node: '>=8'} + dependencies: + tslib: 2.6.2 + dev: false + + /@wry/context@0.7.4: + resolution: {integrity: sha512-jmT7Sb4ZQWI5iyu3lobQxICu2nC/vbUhP0vIdd6tHC9PTfenmRmuIFqktc6GH9cgi+ZHnsLWPvfSvc4DrYmKiQ==} + engines: {node: '>=8'} + dependencies: + tslib: 2.6.2 + dev: false + + /@wry/equality@0.5.7: + resolution: {integrity: sha512-BRFORjsTuQv5gxcXsuDXx6oGRhuVsEGwZy6LOzRRfgu+eSfxbhUQ9L9YtSEIuIjY/o7g3iWFjrc5eSY1GXP2Dw==} + engines: {node: '>=8'} + dependencies: + tslib: 2.6.2 + dev: false + + /@wry/trie@0.4.3: + resolution: {integrity: sha512-I6bHwH0fSf6RqQcnnXLJKhkSXG45MFral3GxPaY4uAl0LYDZM+YDVDAiU9bYwjTuysy1S0IeecWtmq1SZA3M1w==} + engines: {node: '>=8'} + dependencies: + tslib: 2.6.2 + dev: false + + /@wry/trie@0.5.0: + resolution: {integrity: sha512-FNoYzHawTMk/6KMQoEG5O4PuioX19UbwdQKF44yw0nLfOypfQdjtfZzo/UIJWAJ23sNIFbD1Ug9lbaDGMwbqQA==} + engines: {node: '>=8'} + dependencies: + tslib: 2.6.2 + dev: false + + /acorn-jsx@5.3.2(acorn@8.11.3): + resolution: {integrity: sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==} + peerDependencies: + acorn: ^6.0.0 || ^7.0.0 || ^8.0.0 + dependencies: + acorn: 8.11.3 + dev: true + + /acorn@8.11.3: + resolution: {integrity: sha512-Y9rRfJG5jcKOE0CLisYbojUjIrIEE7AGMzA/Sm4BslANhbS+cDMpgBdcPT91oJ7OuJ9hYJBx59RjbhxVnrF8Xg==} + engines: {node: '>=0.4.0'} + hasBin: true + dev: true + + /agent-base@7.1.0: + resolution: {integrity: sha512-o/zjMZRhJxny7OyEF+Op8X+efiELC7k7yOjMzgfzVqOzXqkBkWI79YoTdOtsuWd5BWhAGAuOY/Xa6xpiaWXiNg==} + engines: {node: '>= 14'} + dependencies: + debug: 4.3.4 + transitivePeerDependencies: + - supports-color + dev: true + + /aggregate-error@3.1.0: + resolution: {integrity: sha512-4I7Td01quW/RpocfNayFdFVk1qSuoh0E7JrbRJ16nH01HhKFQ88INq9Sd+nd72zqRySlr9BmDA8xlEJ6vJMrYA==} + engines: {node: '>=8'} + dependencies: + clean-stack: 2.2.0 + indent-string: 4.0.0 + dev: true + + /ajv@6.12.6: + resolution: {integrity: sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==} + dependencies: + fast-deep-equal: 3.1.3 + fast-json-stable-stringify: 2.1.0 + json-schema-traverse: 0.4.1 + uri-js: 4.4.1 + dev: true + + /ansi-escapes@4.3.2: + resolution: {integrity: sha512-gKXj5ALrKWQLsYG9jlTRmR/xKluxHV+Z9QEwNIgCfM1/uwPMCuzVVnh5mwTd+OuBZcwSIMbqssNWRm1lE51QaQ==} + engines: {node: '>=8'} + dependencies: + type-fest: 0.21.3 + dev: true + + /ansi-regex@5.0.1: + resolution: {integrity: sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==} + engines: {node: '>=8'} + dev: true + + /ansi-regex@6.0.1: + resolution: {integrity: sha512-n5M855fKb2SsfMIiFFoVrABHJC8QtHwVx+mHWP3QcEqBHYienj5dHSgjbxtC0WEZXYt4wcD6zrQElDPhFuZgfA==} + engines: {node: '>=12'} + dev: true + + /ansi-styles@3.2.1: + resolution: {integrity: sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA==} + engines: {node: '>=4'} + dependencies: + color-convert: 1.9.3 + + /ansi-styles@4.3.0: + resolution: {integrity: sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==} + engines: {node: '>=8'} + dependencies: + color-convert: 2.0.1 + dev: true + + /ansi-styles@6.2.1: + resolution: {integrity: sha512-bN798gFfQX+viw3R7yrGWRqnrN2oRkEkUjjl4JNn4E8GxxbjtG3FbrEIIY3l8/hrwUwIeCZvi4QuOTP4MErVug==} + engines: {node: '>=12'} + dev: true + + /any-promise@1.3.0: + resolution: {integrity: sha512-7UvmKalWRt1wgjL1RrGxoSJW/0QZFIegpeGvZG9kjp8vrRu55XTHbwnqq2GpXm9uLbcuhxm3IqX9OB4MZR1b2A==} + dev: true + + /anymatch@3.1.3: + resolution: {integrity: sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==} + engines: {node: '>= 8'} + dependencies: + normalize-path: 3.0.0 + picomatch: 2.3.1 + dev: true + + /arg@5.0.2: + resolution: {integrity: sha512-PYjyFOLKQ9y57JvQ6QLo8dAgNqswh8M1RMJYdQduT6xbWSgK36P/Z/v+p888pM69jMMfS8Xd8F6I1kQ/I9HUGg==} + dev: true + + /argparse@2.0.1: + resolution: {integrity: sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==} + dev: true + + /aria-query@5.3.0: + resolution: {integrity: sha512-b0P0sZPKtyu8HkeRAfCq0IfURZK+SuwMjY1UXGBU27wpAiTwQAIlq56IbIO+ytk/JjS1fMR14ee5WBBfKi5J6A==} + dependencies: + dequal: 2.0.3 + dev: true + + /array-buffer-byte-length@1.0.1: + resolution: {integrity: sha512-ahC5W1xgou+KTXix4sAO8Ki12Q+jf4i0+tmk3sC+zgcynshkHxzpXdImBehiUYKKKDwvfFiJl1tZt6ewscS1Mg==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + is-array-buffer: 3.0.4 + dev: true + + /array-includes@3.1.7: + resolution: {integrity: sha512-dlcsNBIiWhPkHdOEEKnehA+RNUWDc4UqFtnIXU4uuYDPtA4LDkr7qip2p0VvFAEXNDr0yWZ9PJyIRiGjRLQzwQ==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + define-properties: 1.2.1 + es-abstract: 1.22.5 + get-intrinsic: 1.2.4 + is-string: 1.0.7 + dev: true + + /array-union@2.1.0: + resolution: {integrity: sha512-HGyxoOTYUyCM6stUe6EJgnd4EoewAI7zMdfqO+kGjnlZmBDz/cR5pf8r/cR4Wq60sL/p0IkcjUEEPwS3GFrIyw==} + engines: {node: '>=8'} + dev: true + + /array.prototype.filter@1.0.3: + resolution: {integrity: sha512-VizNcj/RGJiUyQBgzwxzE5oHdeuXY5hSbbmKMlphj1cy1Vl7Pn2asCGbSrru6hSQjmCzqTBPVWAF/whmEOVHbw==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + define-properties: 1.2.1 + es-abstract: 1.22.5 + es-array-method-boxes-properly: 1.0.0 + is-string: 1.0.7 + dev: true + + /array.prototype.findlast@1.2.4: + resolution: {integrity: sha512-BMtLxpV+8BD+6ZPFIWmnUBpQoy+A+ujcg4rhp2iwCRJYA7PEh2MS4NL3lz8EiDlLrJPp2hg9qWihr5pd//jcGw==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + define-properties: 1.2.1 + es-abstract: 1.22.5 + es-errors: 1.3.0 + es-shim-unscopables: 1.0.2 + dev: true + + /array.prototype.findlastindex@1.2.4: + resolution: {integrity: sha512-hzvSHUshSpCflDR1QMUBLHGHP1VIEBegT4pix9H/Z92Xw3ySoy6c2qh7lJWTJnRJ8JCZ9bJNCgTyYaJGcJu6xQ==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + define-properties: 1.2.1 + es-abstract: 1.22.5 + es-errors: 1.3.0 + es-shim-unscopables: 1.0.2 + dev: true + + /array.prototype.flat@1.3.2: + resolution: {integrity: sha512-djYB+Zx2vLewY8RWlNCUdHjDXs2XOgm602S9E7P/UpHgfeHL00cRiIF+IN/G/aUJ7kGPb6yO/ErDI5V2s8iycA==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + define-properties: 1.2.1 + es-abstract: 1.22.5 + es-shim-unscopables: 1.0.2 + dev: true + + /array.prototype.flatmap@1.3.2: + resolution: {integrity: sha512-Ewyx0c9PmpcsByhSW4r+9zDU7sGjFc86qf/kKtuSCRdhfbk0SNLLkaT5qvcHnRGgc5NP/ly/y+qkXkqONX54CQ==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + define-properties: 1.2.1 + es-abstract: 1.22.5 + es-shim-unscopables: 1.0.2 + dev: true + + /array.prototype.toreversed@1.1.2: + resolution: {integrity: sha512-wwDCoT4Ck4Cz7sLtgUmzR5UV3YF5mFHUlbChCzZBQZ+0m2cl/DH3tKgvphv1nKgFsJ48oCSg6p91q2Vm0I/ZMA==} + dependencies: + call-bind: 1.0.7 + define-properties: 1.2.1 + es-abstract: 1.22.5 + es-shim-unscopables: 1.0.2 + dev: true + + /array.prototype.tosorted@1.1.3: + resolution: {integrity: sha512-/DdH4TiTmOKzyQbp/eadcCVexiCb36xJg7HshYOYJnNZFDj33GEv0P7GxsynpShhq4OLYJzbGcBDkLsDt7MnNg==} + dependencies: + call-bind: 1.0.7 + define-properties: 1.2.1 + es-abstract: 1.22.5 + es-errors: 1.3.0 + es-shim-unscopables: 1.0.2 + dev: true + + /arraybuffer.prototype.slice@1.0.3: + resolution: {integrity: sha512-bMxMKAjg13EBSVscxTaYA4mRc5t1UAXa2kXiGTNfZ079HIWXEkKmkgFrh/nJqamaLSrXO5H4WFFkPEaLJWbs3A==} + engines: {node: '>= 0.4'} + dependencies: + array-buffer-byte-length: 1.0.1 + call-bind: 1.0.7 + define-properties: 1.2.1 + es-abstract: 1.22.5 + es-errors: 1.3.0 + get-intrinsic: 1.2.4 + is-array-buffer: 3.0.4 + is-shared-array-buffer: 1.0.3 + dev: true + + /asap@2.0.6: + resolution: {integrity: sha512-BSHWgDSAiKs50o2Re8ppvp3seVHXSRM44cdSsT9FfNEUUZLOGWVCsiWaRPWM1Znn+mqZ1OfVZ3z3DWEzSp7hRA==} + dev: true + + /asn1js@3.0.5: + resolution: {integrity: sha512-FVnvrKJwpt9LP2lAMl8qZswRNm3T4q9CON+bxldk2iwk3FFpuwhx2FfinyitizWHsVYyaY+y5JzDR0rCMV5yTQ==} + engines: {node: '>=12.0.0'} + dependencies: + pvtsutils: 1.3.5 + pvutils: 1.1.3 + tslib: 2.6.2 + dev: true + + /ast-types-flow@0.0.8: + resolution: {integrity: sha512-OH/2E5Fg20h2aPrbe+QL8JZQFko0YZaF+j4mnQ7BGhfavO7OpSLa8a0y9sBwomHdSbkhTS8TQNayBfnW5DwbvQ==} + dev: true + + /astral-regex@2.0.0: + resolution: {integrity: sha512-Z7tMw1ytTXt5jqMcOP+OQteU1VuNK9Y02uuJtKQ1Sv69jXQKKg5cibLwGJow8yzZP+eAc18EmLGPal0bp36rvQ==} + engines: {node: '>=8'} + dev: true + + /asynciterator.prototype@1.0.0: + resolution: {integrity: sha512-wwHYEIS0Q80f5mosx3L/dfG5t5rjEa9Ft51GTaNt862EnpyGHpgz2RkZvLPp1oF5TnAiTohkEKVEu8pQPJI7Vg==} + dependencies: + has-symbols: 1.0.3 + dev: true + + /auto-bind@4.0.0: + resolution: {integrity: sha512-Hdw8qdNiqdJ8LqT0iK0sVzkFbzg6fhnQqqfWhBDxcHZvU75+B+ayzTy8x+k5Ix0Y92XOhOUlx74ps+bA6BeYMQ==} + engines: {node: '>=8'} + dev: true + + /autoprefixer@10.4.18(postcss@8.4.35): + resolution: {integrity: sha512-1DKbDfsr6KUElM6wg+0zRNkB/Q7WcKYAaK+pzXn+Xqmszm/5Xa9coeNdtP88Vi+dPzZnMjhge8GIV49ZQkDa+g==} + engines: {node: ^10 || ^12 || >=14} + hasBin: true + peerDependencies: + postcss: ^8.1.0 + dependencies: + browserslist: 4.23.0 + caniuse-lite: 1.0.30001593 + fraction.js: 4.3.7 + normalize-range: 0.1.2 + picocolors: 1.0.0 + postcss: 8.4.35 + postcss-value-parser: 4.2.0 + dev: true + + /available-typed-arrays@1.0.7: + resolution: {integrity: sha512-wvUjBtSGN7+7SjNpq/9M2Tg350UZD3q62IFZLbRAR1bSMlCo1ZaeW+BJ+D090e4hIIZLBcTDWe4Mh4jvUDajzQ==} + engines: {node: '>= 0.4'} + dependencies: + possible-typed-array-names: 1.0.0 + dev: true + + /axe-core@4.7.0: + resolution: {integrity: sha512-M0JtH+hlOL5pLQwHOLNYZaXuhqmvS8oExsqB1SBYgA4Dk7u/xx+YdGHXaK5pyUfed5mYXdlYiphWq3G8cRi5JQ==} + engines: {node: '>=4'} + dev: true + + /axobject-query@3.2.1: + resolution: {integrity: sha512-jsyHu61e6N4Vbz/v18DHwWYKK0bSWLqn47eeDSKPB7m8tqMHF9YJ+mhIk2lVteyZrY8tnSj/jHOv4YiTCuCJgg==} + dependencies: + dequal: 2.0.3 + dev: true + + /babel-plugin-syntax-trailing-function-commas@7.0.0-beta.0: + resolution: {integrity: sha512-Xj9XuRuz3nTSbaTXWv3itLOcxyF4oPD8douBBmj7U9BBC6nEBYfyOJYQMf/8PJAFotC62UY5dFfIGEPr7WswzQ==} + dev: true + + /babel-preset-fbjs@3.4.0(@babel/core@7.24.0): + resolution: {integrity: sha512-9ywCsCvo1ojrw0b+XYk7aFvTH6D9064t0RIL1rtMf3nsa02Xw41MS7sZw216Im35xj/UY0PDBQsa1brUDDF1Ow==} + peerDependencies: + '@babel/core': ^7.0.0 + dependencies: + '@babel/core': 7.24.0 + '@babel/plugin-proposal-class-properties': 7.18.6(@babel/core@7.24.0) + '@babel/plugin-proposal-object-rest-spread': 7.20.7(@babel/core@7.24.0) + '@babel/plugin-syntax-class-properties': 7.12.13(@babel/core@7.24.0) + '@babel/plugin-syntax-flow': 7.23.3(@babel/core@7.24.0) + '@babel/plugin-syntax-jsx': 7.23.3(@babel/core@7.24.0) + '@babel/plugin-syntax-object-rest-spread': 7.8.3(@babel/core@7.24.0) + '@babel/plugin-transform-arrow-functions': 7.23.3(@babel/core@7.24.0) + '@babel/plugin-transform-block-scoped-functions': 7.23.3(@babel/core@7.24.0) + '@babel/plugin-transform-block-scoping': 7.23.4(@babel/core@7.24.0) + '@babel/plugin-transform-classes': 7.23.8(@babel/core@7.24.0) + '@babel/plugin-transform-computed-properties': 7.23.3(@babel/core@7.24.0) + '@babel/plugin-transform-destructuring': 7.23.3(@babel/core@7.24.0) + '@babel/plugin-transform-flow-strip-types': 7.23.3(@babel/core@7.24.0) + '@babel/plugin-transform-for-of': 7.23.6(@babel/core@7.24.0) + '@babel/plugin-transform-function-name': 7.23.3(@babel/core@7.24.0) + '@babel/plugin-transform-literals': 7.23.3(@babel/core@7.24.0) + '@babel/plugin-transform-member-expression-literals': 7.23.3(@babel/core@7.24.0) + '@babel/plugin-transform-modules-commonjs': 7.23.3(@babel/core@7.24.0) + '@babel/plugin-transform-object-super': 7.23.3(@babel/core@7.24.0) + '@babel/plugin-transform-parameters': 7.23.3(@babel/core@7.24.0) + '@babel/plugin-transform-property-literals': 7.23.3(@babel/core@7.24.0) + '@babel/plugin-transform-react-display-name': 7.23.3(@babel/core@7.24.0) + '@babel/plugin-transform-react-jsx': 7.23.4(@babel/core@7.24.0) + '@babel/plugin-transform-shorthand-properties': 7.23.3(@babel/core@7.24.0) + '@babel/plugin-transform-spread': 7.23.3(@babel/core@7.24.0) + '@babel/plugin-transform-template-literals': 7.23.3(@babel/core@7.24.0) + babel-plugin-syntax-trailing-function-commas: 7.0.0-beta.0 + dev: true + + /balanced-match@1.0.2: + resolution: {integrity: sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==} + dev: true + + /base64-js@1.5.1: + resolution: {integrity: sha512-AKpaYlHn8t4SVbOHCy+b5+KKgvR4vrsD8vbvrbiQJps7fKDTkjkDry6ji0rUJjC0kzbNePLwzxq8iypo41qeWA==} + dev: true + + /binary-extensions@2.2.0: + resolution: {integrity: sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA==} + engines: {node: '>=8'} + dev: true + + /bl@4.1.0: + resolution: {integrity: sha512-1W07cM9gS6DcLperZfFSj+bWLtaPGSOHWhPiGzXmvVJbRLdG82sH/Kn8EtW1VqWVA54AKf2h5k5BbnIbwF3h6w==} + dependencies: + buffer: 5.7.1 + inherits: 2.0.4 + readable-stream: 3.6.2 + dev: true + + /brace-expansion@1.1.11: + resolution: {integrity: sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==} + dependencies: + balanced-match: 1.0.2 + concat-map: 0.0.1 + dev: true + + /brace-expansion@2.0.1: + resolution: {integrity: sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==} + dependencies: + balanced-match: 1.0.2 + dev: true + + /braces@3.0.2: + resolution: {integrity: sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==} + engines: {node: '>=8'} + dependencies: + fill-range: 7.0.1 + dev: true + + /browserslist@4.23.0: + resolution: {integrity: sha512-QW8HiM1shhT2GuzkvklfjcKDiWFXHOeFCIA/huJPwHsslwcydgk7X+z2zXpEijP98UCY7HbubZt5J2Zgvf0CaQ==} + engines: {node: ^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7} + hasBin: true + dependencies: + caniuse-lite: 1.0.30001593 + electron-to-chromium: 1.4.690 + node-releases: 2.0.14 + update-browserslist-db: 1.0.13(browserslist@4.23.0) + + /bser@2.1.1: + resolution: {integrity: sha512-gQxTNE/GAfIIrmHLUE3oJyp5FO6HRBfhjnw4/wMmA63ZGDJnWBmgY/lyQBpnDUkGmAhbSe39tx2d/iTOAfglwQ==} + dependencies: + node-int64: 0.4.0 + dev: true + + /buffer@5.7.1: + resolution: {integrity: sha512-EHcyIPBQ4BSGlvjB16k5KgAJ27CIsHY/2JBmCRReo48y9rQ3MaUzWX3KVlBa4U7MyX02HdVj0K7C3WaB3ju7FQ==} + dependencies: + base64-js: 1.5.1 + ieee754: 1.2.1 + dev: true + + /busboy@1.6.0: + resolution: {integrity: sha512-8SFQbg/0hQ9xy3UNTB0YEnsNBbWfhf7RtnzpL7TkBiTBRfrQ9Fxcnz7VJsleJpyp6rVLvXiuORqjlHi5q+PYuA==} + engines: {node: '>=10.16.0'} + dependencies: + streamsearch: 1.1.0 + + /call-bind@1.0.7: + resolution: {integrity: sha512-GHTSNSYICQ7scH7sZ+M2rFopRoLh8t2bLSW6BbgrtLsahOIB5iyAVJf9GjWK3cYTDaMj4XdBpM1cA6pIS0Kv2w==} + engines: {node: '>= 0.4'} + dependencies: + es-define-property: 1.0.0 + es-errors: 1.3.0 + function-bind: 1.1.2 + get-intrinsic: 1.2.4 + set-function-length: 1.2.1 + dev: true + + /callsites@3.1.0: + resolution: {integrity: sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==} + engines: {node: '>=6'} + dev: true + + /camel-case@4.1.2: + resolution: {integrity: sha512-gxGWBrTT1JuMx6R+o5PTXMmUnhnVzLQ9SNutD4YqKtI6ap897t3tKECYla6gCWEkplXnlNybEkZg9GEGxKFCgw==} + dependencies: + pascal-case: 3.1.2 + tslib: 2.6.2 + dev: true + + /camelcase-css@2.0.1: + resolution: {integrity: sha512-QOSvevhslijgYwRx6Rv7zKdMF8lbRmx+uQGx2+vDc+KI/eBnsy9kit5aj23AgGu3pa4t9AgwbnXWqS+iOY+2aA==} + engines: {node: '>= 6'} + dev: true + + /camelcase@5.3.1: + resolution: {integrity: sha512-L28STB170nwWS63UjtlEOE3dldQApaJXZkOI1uMFfzf3rRuPegHaHesyee+YxQ+W6SvRDQV6UrdOdRiR153wJg==} + engines: {node: '>=6'} + dev: true + + /caniuse-lite@1.0.30001593: + resolution: {integrity: sha512-UWM1zlo3cZfkpBysd7AS+z+v007q9G1+fLTUU42rQnY6t2axoogPW/xol6T7juU5EUoOhML4WgBIdG+9yYqAjQ==} + + /capital-case@1.0.4: + resolution: {integrity: sha512-ds37W8CytHgwnhGGTi88pcPyR15qoNkOpYwmMMfnWqqWgESapLqvDx6huFjQ5vqWSn2Z06173XNA7LtMOeUh1A==} + dependencies: + no-case: 3.0.4 + tslib: 2.6.2 + upper-case-first: 2.0.2 + dev: true + + /chalk@2.4.2: + resolution: {integrity: sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==} + engines: {node: '>=4'} + dependencies: + ansi-styles: 3.2.1 + escape-string-regexp: 1.0.5 + supports-color: 5.5.0 + + /chalk@4.1.2: + resolution: {integrity: sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==} + engines: {node: '>=10'} + dependencies: + ansi-styles: 4.3.0 + supports-color: 7.2.0 + dev: true + + /change-case-all@1.0.14: + resolution: {integrity: sha512-CWVm2uT7dmSHdO/z1CXT/n47mWonyypzBbuCy5tN7uMg22BsfkhwT6oHmFCAk+gL1LOOxhdbB9SZz3J1KTY3gA==} + dependencies: + change-case: 4.1.2 + is-lower-case: 2.0.2 + is-upper-case: 2.0.2 + lower-case: 2.0.2 + lower-case-first: 2.0.2 + sponge-case: 1.0.1 + swap-case: 2.0.2 + title-case: 3.0.3 + upper-case: 2.0.2 + upper-case-first: 2.0.2 + dev: true + + /change-case-all@1.0.15: + resolution: {integrity: sha512-3+GIFhk3sNuvFAJKU46o26OdzudQlPNBCu1ZQi3cMeMHhty1bhDxu2WrEilVNYaGvqUtR1VSigFcJOiS13dRhQ==} + dependencies: + change-case: 4.1.2 + is-lower-case: 2.0.2 + is-upper-case: 2.0.2 + lower-case: 2.0.2 + lower-case-first: 2.0.2 + sponge-case: 1.0.1 + swap-case: 2.0.2 + title-case: 3.0.3 + upper-case: 2.0.2 + upper-case-first: 2.0.2 + dev: true + + /change-case@4.1.2: + resolution: {integrity: sha512-bSxY2ws9OtviILG1EiY5K7NNxkqg/JnRnFxLtKQ96JaviiIxi7djMrSd0ECT9AC+lttClmYwKw53BWpOMblo7A==} + dependencies: + camel-case: 4.1.2 + capital-case: 1.0.4 + constant-case: 3.0.4 + dot-case: 3.0.4 + header-case: 2.0.4 + no-case: 3.0.4 + param-case: 3.0.4 + pascal-case: 3.1.2 + path-case: 3.0.4 + sentence-case: 3.0.4 + snake-case: 3.0.4 + tslib: 2.6.2 + dev: true + + /chardet@0.7.0: + resolution: {integrity: sha512-mT8iDcrh03qDGRRmoA2hmBJnxpllMR+0/0qlzjqZES6NdiWDcZkCNAk4rPFZ9Q85r27unkiNNg8ZOiwZXBHwcA==} + dev: true + + /chokidar@3.6.0: + resolution: {integrity: sha512-7VT13fmjotKpGipCW9JEQAusEPE+Ei8nl6/g4FBAmIm0GOOLMua9NDDo/DWp0ZAxCr3cPq5ZpBqmPAQgDda2Pw==} + engines: {node: '>= 8.10.0'} + dependencies: + anymatch: 3.1.3 + braces: 3.0.2 + glob-parent: 5.1.2 + is-binary-path: 2.1.0 + is-glob: 4.0.3 + normalize-path: 3.0.0 + readdirp: 3.6.0 + optionalDependencies: + fsevents: 2.3.3 + dev: true + + /clean-stack@2.2.0: + resolution: {integrity: sha512-4diC9HaTE+KRAMWhDhrGOECgWZxoevMc5TlkObMqNSsVU62PYzXZ/SMTjzyGAFF1YusgxGcSWTEXBhp0CPwQ1A==} + engines: {node: '>=6'} + dev: true + + /cli-cursor@3.1.0: + resolution: {integrity: sha512-I/zHAwsKf9FqGoXM4WWRACob9+SNukZTd94DWF57E4toouRulbCxcUh6RKUEOQlYTHJnzkPMySvPNaaSLNfLZw==} + engines: {node: '>=8'} + dependencies: + restore-cursor: 3.1.0 + dev: true + + /cli-spinners@2.9.2: + resolution: {integrity: sha512-ywqV+5MmyL4E7ybXgKys4DugZbX0FC6LnwrhjuykIjnK9k8OQacQ7axGKnjDXWNhns0xot3bZI5h55H8yo9cJg==} + engines: {node: '>=6'} + dev: true + + /cli-truncate@2.1.0: + resolution: {integrity: sha512-n8fOixwDD6b/ObinzTrp1ZKFzbgvKZvuz/TvejnLn1aQfC6r52XEx85FmuC+3HI+JM7coBRXUvNqEU2PHVrHpg==} + engines: {node: '>=8'} + dependencies: + slice-ansi: 3.0.0 + string-width: 4.2.3 + dev: true + + /cli-width@3.0.0: + resolution: {integrity: sha512-FxqpkPPwu1HjuN93Omfm4h8uIanXofW0RxVEW3k5RKx+mJJYSthzNhp32Kzxxy3YAEZ/Dc/EWN1vZRY0+kOhbw==} + engines: {node: '>= 10'} + dev: true + + /client-only@0.0.1: + resolution: {integrity: sha512-IV3Ou0jSMzZrd3pZ48nLkT9DA7Ag1pnPzaiQhpW7c3RbcqqzvzzVu+L8gfqMp/8IM2MQtSiqaCxrrcfu8I8rMA==} + dev: false + + /cliui@6.0.0: + resolution: {integrity: sha512-t6wbgtoCXvAzst7QgXxJYqPt0usEfbgQdftEPbLL/cvv6HPE5VgvqCuAIDR0NgU52ds6rFwqrgakNLrHEjCbrQ==} + dependencies: + string-width: 4.2.3 + strip-ansi: 6.0.1 + wrap-ansi: 6.2.0 + dev: true + + /cliui@8.0.1: + resolution: {integrity: sha512-BSeNnyus75C4//NQ9gQt1/csTXyo/8Sb+afLAkzAptFuMsod9HFokGNudZpi/oQV73hnVK+sR+5PVRMd+Dr7YQ==} + engines: {node: '>=12'} + dependencies: + string-width: 4.2.3 + strip-ansi: 6.0.1 + wrap-ansi: 7.0.0 + dev: true + + /clone@1.0.4: + resolution: {integrity: sha512-JQHZ2QMW6l3aH/j6xCqQThY/9OH4D/9ls34cgkUBiEeocRTU04tHfKPBsUK1PqZCUQM7GiA0IIXJSuXHI64Kbg==} + engines: {node: '>=0.8'} + dev: true + + /color-convert@1.9.3: + resolution: {integrity: sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==} + dependencies: + color-name: 1.1.3 + + /color-convert@2.0.1: + resolution: {integrity: sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==} + engines: {node: '>=7.0.0'} + dependencies: + color-name: 1.1.4 + dev: true + + /color-name@1.1.3: + resolution: {integrity: sha512-72fSenhMw2HZMTVHeCA9KCmpEIbzWiQsjN+BHcBbS9vr1mtt+vJjPdksIBNUmKAW8TFUDPJK5SUU3QhE9NEXDw==} + + /color-name@1.1.4: + resolution: {integrity: sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==} + dev: true + + /colorette@2.0.20: + resolution: {integrity: sha512-IfEDxwoWIjkeXL1eXcDiow4UbKjhLdq6/EuSVR9GMN7KVH3r9gQ83e73hsz1Nd1T3ijd5xv1wcWRYO+D6kCI2w==} + dev: true + + /commander@4.1.1: + resolution: {integrity: sha512-NOKm8xhkzAjzFx8B2v5OAHT+u5pRQc2UCa2Vq9jYL/31o2wi9mxBA7LIFs3sV5VSC49z6pEhfbMULvShKj26WA==} + engines: {node: '>= 6'} + dev: true + + /common-tags@1.8.2: + resolution: {integrity: sha512-gk/Z852D2Wtb//0I+kRFNKKE9dIIVirjoqPoA1wJU+XePVXZfGeBpk45+A1rKO4Q43prqWBNY/MiIeRLbPWUaA==} + engines: {node: '>=4.0.0'} + dev: true + + /concat-map@0.0.1: + resolution: {integrity: sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==} + dev: true + + /constant-case@3.0.4: + resolution: {integrity: sha512-I2hSBi7Vvs7BEuJDr5dDHfzb/Ruj3FyvFyh7KLilAjNQw3Be+xgqUBA2W6scVEcL0hL1dwPRtIqEPVUCKkSsyQ==} + dependencies: + no-case: 3.0.4 + tslib: 2.6.2 + upper-case: 2.0.2 + dev: true + + /convert-source-map@2.0.0: + resolution: {integrity: sha512-Kvp459HrV2FEJ1CAsi1Ku+MY3kasH19TFykTz2xWmMeq6bk2NU3XXvfJ+Q61m0xktWwt+1HSYf3JZsTms3aRJg==} + + /copy-anything@3.0.5: + resolution: {integrity: sha512-yCEafptTtb4bk7GLEQoM8KVJpxAfdBJYaXyzQEgQQQgYrZiDp8SJmGKlYza6CYjEDNstAdNdKA3UuoULlEbS6w==} + engines: {node: '>=12.13'} + dependencies: + is-what: 4.1.16 + dev: false + + /cosmiconfig@8.3.6(typescript@5.3.3): + resolution: {integrity: sha512-kcZ6+W5QzcJ3P1Mt+83OUv/oHFqZHIx8DuxG6eZ5RGMERoLqp4BuGjhHLYGK+Kf5XVkQvqBSmAy/nGWN3qDgEA==} + engines: {node: '>=14'} + peerDependencies: + typescript: '>=4.9.5' + peerDependenciesMeta: + typescript: + optional: true + dependencies: + import-fresh: 3.3.0 + js-yaml: 4.1.0 + parse-json: 5.2.0 + path-type: 4.0.0 + typescript: 5.3.3 + dev: true + + /cross-fetch@3.1.8: + resolution: {integrity: sha512-cvA+JwZoU0Xq+h6WkMvAUqPEYy92Obet6UdKLfW60qn99ftItKjB5T+BkyWOFWe2pUyfQ+IJHmpOTznqk1M6Kg==} + dependencies: + node-fetch: 2.7.0 + transitivePeerDependencies: + - encoding + dev: true + + /cross-inspect@1.0.0: + resolution: {integrity: sha512-4PFfn4b5ZN6FMNGSZlyb7wUhuN8wvj8t/VQHZdM4JsDcruGJ8L2kf9zao98QIrBPFCpdk27qst/AGTl7pL3ypQ==} + engines: {node: '>=16.0.0'} + dependencies: + tslib: 2.6.2 + dev: true + + /cross-spawn@7.0.3: + resolution: {integrity: sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==} + engines: {node: '>= 8'} + dependencies: + path-key: 3.1.1 + shebang-command: 2.0.0 + which: 2.0.2 + dev: true + + /cssesc@3.0.0: + resolution: {integrity: sha512-/Tb/JcjK111nNScGob5MNtsntNM1aCNUDipB/TkwZFhyDrrE47SOx/18wF2bbjgc3ZzCSKW1T5nt5EbFoAz/Vg==} + engines: {node: '>=4'} + hasBin: true + dev: true + + /csstype@3.1.3: + resolution: {integrity: sha512-M1uQkMl8rQK/szD0LNhtqxIPLpimGm8sOBwU7lLnCpSbTyY3yeU1Vc7l4KT5zT4s/yOxHH5O7tIuuLOCnLADRw==} + + /damerau-levenshtein@1.0.8: + resolution: {integrity: sha512-sdQSFB7+llfUcQHUQO3+B8ERRj0Oa4w9POWMI/puGtuf7gFywGmkaLCElnudfTiKZV+NvHqL0ifzdrI8Ro7ESA==} + dev: true + + /dataloader@2.2.2: + resolution: {integrity: sha512-8YnDaaf7N3k/q5HnTJVuzSyLETjoZjVmHc4AeKAzOvKHEFQKcn64OKBfzHYtE9zGjctNM7V9I0MfnUVLpi7M5g==} + dev: true + + /debounce@1.2.1: + resolution: {integrity: sha512-XRRe6Glud4rd/ZGQfiV1ruXSfbvfJedlV9Y6zOlP+2K04vBYiJEte6stfFkCP03aMnY5tsipamumUjL14fofug==} + dev: true + + /debug@3.2.7: + resolution: {integrity: sha512-CFjzYYAi4ThfiQvizrFQevTTXHtnCqWfe7x1AhgEscTz6ZbLbfoLRLPugTQyBth6f8ZERVUSyWHFD/7Wu4t1XQ==} + peerDependencies: + supports-color: '*' + peerDependenciesMeta: + supports-color: + optional: true + dependencies: + ms: 2.1.3 + dev: true + + /debug@4.3.4: + resolution: {integrity: sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==} + engines: {node: '>=6.0'} + peerDependencies: + supports-color: '*' + peerDependenciesMeta: + supports-color: + optional: true + dependencies: + ms: 2.1.2 + + /decamelize@1.2.0: + resolution: {integrity: sha512-z2S+W9X73hAUUki+N+9Za2lBlun89zigOyGrsax+KUQ6wKW4ZoWpEYBkGhQjwAjjDCkWxhY0VKEhk8wzY7F5cA==} + engines: {node: '>=0.10.0'} + dev: true + + /deep-is@0.1.4: + resolution: {integrity: sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==} + dev: true + + /defaults@1.0.4: + resolution: {integrity: sha512-eFuaLoy/Rxalv2kr+lqMlUnrDWV+3j4pljOIJgLIhI058IQfWJ7vXhyEIHu+HtC738klGALYxOKDO0bQP3tg8A==} + dependencies: + clone: 1.0.4 + dev: true + + /define-data-property@1.1.4: + resolution: {integrity: sha512-rBMvIzlpA8v6E+SJZoo++HAYqsLrkg7MSfIinMPFhmkorw7X+dOXVJQs+QT69zGkzMyfDnIMN2Wid1+NbL3T+A==} + engines: {node: '>= 0.4'} + dependencies: + es-define-property: 1.0.0 + es-errors: 1.3.0 + gopd: 1.0.1 + dev: true + + /define-properties@1.2.1: + resolution: {integrity: sha512-8QmQKqEASLd5nx0U1B1okLElbUuuttJ/AnYmRXbbbGDWh6uS208EjD4Xqq/I9wK7u0v6O08XhTWnt5XtEbR6Dg==} + engines: {node: '>= 0.4'} + dependencies: + define-data-property: 1.1.4 + has-property-descriptors: 1.0.2 + object-keys: 1.1.1 + dev: true + + /dependency-graph@0.11.0: + resolution: {integrity: sha512-JeMq7fEshyepOWDfcfHK06N3MhyPhz++vtqWhMT5O9A3K42rdsEDpfdVqjaqaAhsw6a+ZqeDvQVtD0hFHQWrzg==} + engines: {node: '>= 0.6.0'} + dev: true + + /dequal@2.0.3: + resolution: {integrity: sha512-0je+qPKHEMohvfRTCEo3CrPG6cAzAYgmzKyxRiYSSDkS6eGJdyVJm7WaYA5ECaAD9wLB2T4EEeymA5aFVcYXCA==} + engines: {node: '>=6'} + dev: true + + /detect-indent@6.1.0: + resolution: {integrity: sha512-reYkTUJAZb9gUuZ2RvVCNhVHdg62RHnJ7WJl8ftMi4diZ6NWlciOzQN88pUhSELEwflJht4oQDv0F0BMlwaYtA==} + engines: {node: '>=8'} + dev: true + + /didyoumean@1.2.2: + resolution: {integrity: sha512-gxtyfqMg7GKyhQmb056K7M3xszy/myH8w+B4RT+QXBQsvAOdc3XymqDDPHx1BgPgsdAA5SIifona89YtRATDzw==} + dev: true + + /dir-glob@3.0.1: + resolution: {integrity: sha512-WkrWp9GR4KXfKGYzOLmTuGVi1UWFfws377n9cc55/tb6DuqyF6pcQ5AbiHEshaDpY9v6oaSr2XCDidGmMwdzIA==} + engines: {node: '>=8'} + dependencies: + path-type: 4.0.0 + dev: true + + /dlv@1.1.3: + resolution: {integrity: sha512-+HlytyjlPKnIG8XuRG8WvmBP8xs8P71y+SKKS6ZXWoEgLuePxtDoUEiH7WkdePWrQ5JBpE6aoVqfZfJUQkjXwA==} + dev: true + + /doctrine@2.1.0: + resolution: {integrity: sha512-35mSku4ZXK0vfCuHEDAwt55dg2jNajHZ1odvF+8SSr82EsZY4QmXfuWso8oEd8zRhVObSN18aM0CjSdoBX7zIw==} + engines: {node: '>=0.10.0'} + dependencies: + esutils: 2.0.3 + dev: true + + /doctrine@3.0.0: + resolution: {integrity: sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==} + engines: {node: '>=6.0.0'} + dependencies: + esutils: 2.0.3 + dev: true + + /dot-case@3.0.4: + resolution: {integrity: sha512-Kv5nKlh6yRrdrGvxeJ2e5y2eRUpkUosIW4A2AS38zwSz27zu7ufDwQPi5Jhs3XAlGNetl3bmnGhQsMtkKJnj3w==} + dependencies: + no-case: 3.0.4 + tslib: 2.6.2 + dev: true + + /dotenv@16.4.5: + resolution: {integrity: sha512-ZmdL2rui+eB2YwhsWzjInR8LldtZHGDoQ1ugH85ppHKwpUHL7j7rN0Ti9NCnGiQbhaZ11FpR+7ao1dNsmduNUg==} + engines: {node: '>=12'} + dev: true + + /dset@3.1.3: + resolution: {integrity: sha512-20TuZZHCEZ2O71q9/+8BwKwZ0QtD9D8ObhrihJPr+vLLYlSuAU3/zL4cSlgbfeoGHTjCSJBa7NGcrF9/Bx/WJQ==} + engines: {node: '>=4'} + dev: true + + /eastasianwidth@0.2.0: + resolution: {integrity: sha512-I88TYZWc9XiYHRQ4/3c5rjjfgkjhLyW2luGIheGERbNQ6OY7yTybanSpDXZa8y7VUP9YmDcYa+eyq4ca7iLqWA==} + dev: true + + /electron-to-chromium@1.4.690: + resolution: {integrity: sha512-+2OAGjUx68xElQhydpcbqH50hE8Vs2K6TkAeLhICYfndb67CVH0UsZaijmRUE3rHlIxU1u0jxwhgVe6fK3YANA==} + + /emoji-regex@8.0.0: + resolution: {integrity: sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==} + dev: true + + /emoji-regex@9.2.2: + resolution: {integrity: sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg==} + dev: true + + /enhanced-resolve@5.15.1: + resolution: {integrity: sha512-3d3JRbwsCLJsYgvb6NuWEG44jjPSOMuS73L/6+7BZuoKm3W+qXnSoIYVHi8dG7Qcg4inAY4jbzkZ7MnskePeDg==} + engines: {node: '>=10.13.0'} + dependencies: + graceful-fs: 4.2.11 + tapable: 2.2.1 + dev: true + + /error-ex@1.3.2: + resolution: {integrity: sha512-7dFHNmqeFSEt2ZBsCriorKnn3Z2pj+fd9kmI6QoWw4//DL+icEBfc0U7qJCisqrTsKTjw4fNFy2pW9OqStD84g==} + dependencies: + is-arrayish: 0.2.1 + dev: true + + /es-abstract@1.22.5: + resolution: {integrity: sha512-oW69R+4q2wG+Hc3KZePPZxOiisRIqfKBVo/HLx94QcJeWGU/8sZhCvc829rd1kS366vlJbzBfXf9yWwf0+Ko7w==} + engines: {node: '>= 0.4'} + dependencies: + array-buffer-byte-length: 1.0.1 + arraybuffer.prototype.slice: 1.0.3 + available-typed-arrays: 1.0.7 + call-bind: 1.0.7 + es-define-property: 1.0.0 + es-errors: 1.3.0 + es-set-tostringtag: 2.0.3 + es-to-primitive: 1.2.1 + function.prototype.name: 1.1.6 + get-intrinsic: 1.2.4 + get-symbol-description: 1.0.2 + globalthis: 1.0.3 + gopd: 1.0.1 + has-property-descriptors: 1.0.2 + has-proto: 1.0.3 + has-symbols: 1.0.3 + hasown: 2.0.1 + internal-slot: 1.0.7 + is-array-buffer: 3.0.4 + is-callable: 1.2.7 + is-negative-zero: 2.0.3 + is-regex: 1.1.4 + is-shared-array-buffer: 1.0.3 + is-string: 1.0.7 + is-typed-array: 1.1.13 + is-weakref: 1.0.2 + object-inspect: 1.13.1 + object-keys: 1.1.1 + object.assign: 4.1.5 + regexp.prototype.flags: 1.5.2 + safe-array-concat: 1.1.0 + safe-regex-test: 1.0.3 + string.prototype.trim: 1.2.8 + string.prototype.trimend: 1.0.7 + string.prototype.trimstart: 1.0.7 + typed-array-buffer: 1.0.2 + typed-array-byte-length: 1.0.1 + typed-array-byte-offset: 1.0.2 + typed-array-length: 1.0.5 + unbox-primitive: 1.0.2 + which-typed-array: 1.1.14 + dev: true + + /es-array-method-boxes-properly@1.0.0: + resolution: {integrity: sha512-wd6JXUmyHmt8T5a2xreUwKcGPq6f1f+WwIJkijUqiGcJz1qqnZgP6XIK+QyIWU5lT7imeNxUll48bziG+TSYcA==} + dev: true + + /es-define-property@1.0.0: + resolution: {integrity: sha512-jxayLKShrEqqzJ0eumQbVhTYQM27CfT1T35+gCgDFoL82JLsXqTJ76zv6A0YLOgEnLUMvLzsDsGIrl8NFpT2gQ==} + engines: {node: '>= 0.4'} + dependencies: + get-intrinsic: 1.2.4 + dev: true + + /es-errors@1.3.0: + resolution: {integrity: sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==} + engines: {node: '>= 0.4'} + dev: true + + /es-iterator-helpers@1.0.17: + resolution: {integrity: sha512-lh7BsUqelv4KUbR5a/ZTaGGIMLCjPGPqJ6q+Oq24YP0RdyptX1uzm4vvaqzk7Zx3bpl/76YLTTDj9L7uYQ92oQ==} + engines: {node: '>= 0.4'} + dependencies: + asynciterator.prototype: 1.0.0 + call-bind: 1.0.7 + define-properties: 1.2.1 + es-abstract: 1.22.5 + es-errors: 1.3.0 + es-set-tostringtag: 2.0.3 + function-bind: 1.1.2 + get-intrinsic: 1.2.4 + globalthis: 1.0.3 + has-property-descriptors: 1.0.2 + has-proto: 1.0.3 + has-symbols: 1.0.3 + internal-slot: 1.0.7 + iterator.prototype: 1.1.2 + safe-array-concat: 1.1.0 + dev: true + + /es-set-tostringtag@2.0.3: + resolution: {integrity: sha512-3T8uNMC3OQTHkFUsFq8r/BwAXLHvU/9O9mE0fBc/MY5iq/8H7ncvO947LmYA6ldWw9Uh8Yhf25zu6n7nML5QWQ==} + engines: {node: '>= 0.4'} + dependencies: + get-intrinsic: 1.2.4 + has-tostringtag: 1.0.2 + hasown: 2.0.1 + dev: true + + /es-shim-unscopables@1.0.2: + resolution: {integrity: sha512-J3yBRXCzDu4ULnQwxyToo/OjdMx6akgVC7K6few0a7F/0wLtmKKN7I73AH5T2836UuXRqN7Qg+IIUw/+YJksRw==} + dependencies: + hasown: 2.0.1 + dev: true + + /es-to-primitive@1.2.1: + resolution: {integrity: sha512-QCOllgZJtaUo9miYBcLChTUaHNjJF3PYs1VidD7AwiEj1kYxKeQTctLAezAOH5ZKRH0g2IgPn6KwB4IT8iRpvA==} + engines: {node: '>= 0.4'} + dependencies: + is-callable: 1.2.7 + is-date-object: 1.0.5 + is-symbol: 1.0.4 + dev: true + + /escalade@3.1.2: + resolution: {integrity: sha512-ErCHMCae19vR8vQGe50xIsVomy19rg6gFu3+r3jkEO46suLMWBksvVyoGgQV+jOfl84ZSOSlmv6Gxa89PmTGmA==} + engines: {node: '>=6'} + + /escape-string-regexp@1.0.5: + resolution: {integrity: sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==} + engines: {node: '>=0.8.0'} + + /escape-string-regexp@4.0.0: + resolution: {integrity: sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==} + engines: {node: '>=10'} + dev: true + + /eslint-config-next@14.1.1(eslint@8.57.0)(typescript@5.3.3): + resolution: {integrity: sha512-OLyw2oHzwE0M0EODGYMbjksDQKSshQWBzYY+Nkoxoe3+Q5G0lpb9EkekyDk7Foz9BMfotbYShJrgYoBEAVqU4Q==} + peerDependencies: + eslint: ^7.23.0 || ^8.0.0 + typescript: '>=3.3.1' + peerDependenciesMeta: + typescript: + optional: true + dependencies: + '@next/eslint-plugin-next': 14.1.1 + '@rushstack/eslint-patch': 1.7.2 + '@typescript-eslint/parser': 6.21.0(eslint@8.57.0)(typescript@5.3.3) + eslint: 8.57.0 + eslint-import-resolver-node: 0.3.9 + eslint-import-resolver-typescript: 3.6.1(@typescript-eslint/parser@6.21.0)(eslint-import-resolver-node@0.3.9)(eslint-plugin-import@2.29.1)(eslint@8.57.0) + eslint-plugin-import: 2.29.1(@typescript-eslint/parser@6.21.0)(eslint-import-resolver-typescript@3.6.1)(eslint@8.57.0) + eslint-plugin-jsx-a11y: 6.8.0(eslint@8.57.0) + eslint-plugin-react: 7.34.0(eslint@8.57.0) + eslint-plugin-react-hooks: 4.6.0(eslint@8.57.0) + typescript: 5.3.3 + transitivePeerDependencies: + - eslint-import-resolver-webpack + - supports-color + dev: true + + /eslint-import-resolver-node@0.3.9: + resolution: {integrity: sha512-WFj2isz22JahUv+B788TlO3N6zL3nNJGU8CcZbPZvVEkBPaJdCV4vy5wyghty5ROFbCRnm132v8BScu5/1BQ8g==} + dependencies: + debug: 3.2.7 + is-core-module: 2.13.1 + resolve: 1.22.8 + transitivePeerDependencies: + - supports-color + dev: true + + /eslint-import-resolver-typescript@3.6.1(@typescript-eslint/parser@6.21.0)(eslint-import-resolver-node@0.3.9)(eslint-plugin-import@2.29.1)(eslint@8.57.0): + resolution: {integrity: sha512-xgdptdoi5W3niYeuQxKmzVDTATvLYqhpwmykwsh7f6HIOStGWEIL9iqZgQDF9u9OEzrRwR8no5q2VT+bjAujTg==} + engines: {node: ^14.18.0 || >=16.0.0} + peerDependencies: + eslint: '*' + eslint-plugin-import: '*' + dependencies: + debug: 4.3.4 + enhanced-resolve: 5.15.1 + eslint: 8.57.0 + eslint-module-utils: 2.8.1(@typescript-eslint/parser@6.21.0)(eslint-import-resolver-node@0.3.9)(eslint-import-resolver-typescript@3.6.1)(eslint@8.57.0) + eslint-plugin-import: 2.29.1(@typescript-eslint/parser@6.21.0)(eslint-import-resolver-typescript@3.6.1)(eslint@8.57.0) + fast-glob: 3.3.2 + get-tsconfig: 4.7.2 + is-core-module: 2.13.1 + is-glob: 4.0.3 + transitivePeerDependencies: + - '@typescript-eslint/parser' + - eslint-import-resolver-node + - eslint-import-resolver-webpack + - supports-color + dev: true + + /eslint-module-utils@2.8.1(@typescript-eslint/parser@6.21.0)(eslint-import-resolver-node@0.3.9)(eslint-import-resolver-typescript@3.6.1)(eslint@8.57.0): + resolution: {integrity: sha512-rXDXR3h7cs7dy9RNpUlQf80nX31XWJEyGq1tRMo+6GsO5VmTe4UTwtmonAD4ZkAsrfMVDA2wlGJ3790Ys+D49Q==} + engines: {node: '>=4'} + peerDependencies: + '@typescript-eslint/parser': '*' + eslint: '*' + eslint-import-resolver-node: '*' + eslint-import-resolver-typescript: '*' + eslint-import-resolver-webpack: '*' + peerDependenciesMeta: + '@typescript-eslint/parser': + optional: true + eslint: + optional: true + eslint-import-resolver-node: + optional: true + eslint-import-resolver-typescript: + optional: true + eslint-import-resolver-webpack: + optional: true + dependencies: + '@typescript-eslint/parser': 6.21.0(eslint@8.57.0)(typescript@5.3.3) + debug: 3.2.7 + eslint: 8.57.0 + eslint-import-resolver-node: 0.3.9 + eslint-import-resolver-typescript: 3.6.1(@typescript-eslint/parser@6.21.0)(eslint-import-resolver-node@0.3.9)(eslint-plugin-import@2.29.1)(eslint@8.57.0) + transitivePeerDependencies: + - supports-color + dev: true + + /eslint-plugin-import@2.29.1(@typescript-eslint/parser@6.21.0)(eslint-import-resolver-typescript@3.6.1)(eslint@8.57.0): + resolution: {integrity: sha512-BbPC0cuExzhiMo4Ff1BTVwHpjjv28C5R+btTOGaCRC7UEz801up0JadwkeSk5Ued6TG34uaczuVuH6qyy5YUxw==} + engines: {node: '>=4'} + peerDependencies: + '@typescript-eslint/parser': '*' + eslint: ^2 || ^3 || ^4 || ^5 || ^6 || ^7.2.0 || ^8 + peerDependenciesMeta: + '@typescript-eslint/parser': + optional: true + dependencies: + '@typescript-eslint/parser': 6.21.0(eslint@8.57.0)(typescript@5.3.3) + array-includes: 3.1.7 + array.prototype.findlastindex: 1.2.4 + array.prototype.flat: 1.3.2 + array.prototype.flatmap: 1.3.2 + debug: 3.2.7 + doctrine: 2.1.0 + eslint: 8.57.0 + eslint-import-resolver-node: 0.3.9 + eslint-module-utils: 2.8.1(@typescript-eslint/parser@6.21.0)(eslint-import-resolver-node@0.3.9)(eslint-import-resolver-typescript@3.6.1)(eslint@8.57.0) + hasown: 2.0.1 + is-core-module: 2.13.1 + is-glob: 4.0.3 + minimatch: 3.1.2 + object.fromentries: 2.0.7 + object.groupby: 1.0.2 + object.values: 1.1.7 + semver: 6.3.1 + tsconfig-paths: 3.15.0 + transitivePeerDependencies: + - eslint-import-resolver-typescript + - eslint-import-resolver-webpack + - supports-color + dev: true + + /eslint-plugin-jsx-a11y@6.8.0(eslint@8.57.0): + resolution: {integrity: sha512-Hdh937BS3KdwwbBaKd5+PLCOmYY6U4f2h9Z2ktwtNKvIdIEu137rjYbcb9ApSbVJfWxANNuiKTD/9tOKjK9qOA==} + engines: {node: '>=4.0'} + peerDependencies: + eslint: ^3 || ^4 || ^5 || ^6 || ^7 || ^8 + dependencies: + '@babel/runtime': 7.24.0 + aria-query: 5.3.0 + array-includes: 3.1.7 + array.prototype.flatmap: 1.3.2 + ast-types-flow: 0.0.8 + axe-core: 4.7.0 + axobject-query: 3.2.1 + damerau-levenshtein: 1.0.8 + emoji-regex: 9.2.2 + es-iterator-helpers: 1.0.17 + eslint: 8.57.0 + hasown: 2.0.1 + jsx-ast-utils: 3.3.5 + language-tags: 1.0.9 + minimatch: 3.1.2 + object.entries: 1.1.7 + object.fromentries: 2.0.7 + dev: true + + /eslint-plugin-react-hooks@4.6.0(eslint@8.57.0): + resolution: {integrity: sha512-oFc7Itz9Qxh2x4gNHStv3BqJq54ExXmfC+a1NjAta66IAN87Wu0R/QArgIS9qKzX3dXKPI9H5crl9QchNMY9+g==} + engines: {node: '>=10'} + peerDependencies: + eslint: ^3.0.0 || ^4.0.0 || ^5.0.0 || ^6.0.0 || ^7.0.0 || ^8.0.0-0 + dependencies: + eslint: 8.57.0 + dev: true + + /eslint-plugin-react@7.34.0(eslint@8.57.0): + resolution: {integrity: sha512-MeVXdReleBTdkz/bvcQMSnCXGi+c9kvy51IpinjnJgutl3YTHWsDdke7Z1ufZpGfDG8xduBDKyjtB9JH1eBKIQ==} + engines: {node: '>=4'} + peerDependencies: + eslint: ^3 || ^4 || ^5 || ^6 || ^7 || ^8 + dependencies: + array-includes: 3.1.7 + array.prototype.findlast: 1.2.4 + array.prototype.flatmap: 1.3.2 + array.prototype.toreversed: 1.1.2 + array.prototype.tosorted: 1.1.3 + doctrine: 2.1.0 + es-iterator-helpers: 1.0.17 + eslint: 8.57.0 + estraverse: 5.3.0 + jsx-ast-utils: 3.3.5 + minimatch: 3.1.2 + object.entries: 1.1.7 + object.fromentries: 2.0.7 + object.hasown: 1.1.3 + object.values: 1.1.7 + prop-types: 15.8.1 + resolve: 2.0.0-next.5 + semver: 6.3.1 + string.prototype.matchall: 4.0.10 + dev: true + + /eslint-scope@7.2.2: + resolution: {integrity: sha512-dOt21O7lTMhDM+X9mB4GX+DZrZtCUJPL/wlcTqxyrx5IvO0IYtILdtrQGQp+8n5S0gwSVmOf9NQrjMOgfQZlIg==} + engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} + dependencies: + esrecurse: 4.3.0 + estraverse: 5.3.0 + dev: true + + /eslint-visitor-keys@3.4.3: + resolution: {integrity: sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag==} + engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} + dev: true + + /eslint@8.57.0: + resolution: {integrity: sha512-dZ6+mexnaTIbSBZWgou51U6OmzIhYM2VcNdtiTtI7qPNZm35Akpr0f6vtw3w1Kmn5PYo+tZVfh13WrhpS6oLqQ==} + engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} + hasBin: true + dependencies: + '@eslint-community/eslint-utils': 4.4.0(eslint@8.57.0) + '@eslint-community/regexpp': 4.10.0 + '@eslint/eslintrc': 2.1.4 + '@eslint/js': 8.57.0 + '@humanwhocodes/config-array': 0.11.14 + '@humanwhocodes/module-importer': 1.0.1 + '@nodelib/fs.walk': 1.2.8 + '@ungap/structured-clone': 1.2.0 + ajv: 6.12.6 + chalk: 4.1.2 + cross-spawn: 7.0.3 + debug: 4.3.4 + doctrine: 3.0.0 + escape-string-regexp: 4.0.0 + eslint-scope: 7.2.2 + eslint-visitor-keys: 3.4.3 + espree: 9.6.1 + esquery: 1.5.0 + esutils: 2.0.3 + fast-deep-equal: 3.1.3 + file-entry-cache: 6.0.1 + find-up: 5.0.0 + glob-parent: 6.0.2 + globals: 13.24.0 + graphemer: 1.4.0 + ignore: 5.3.1 + imurmurhash: 0.1.4 + is-glob: 4.0.3 + is-path-inside: 3.0.3 + js-yaml: 4.1.0 + json-stable-stringify-without-jsonify: 1.0.1 + levn: 0.4.1 + lodash.merge: 4.6.2 + minimatch: 3.1.2 + natural-compare: 1.4.0 + optionator: 0.9.3 + strip-ansi: 6.0.1 + text-table: 0.2.0 + transitivePeerDependencies: + - supports-color + dev: true + + /espree@9.6.1: + resolution: {integrity: sha512-oruZaFkjorTpF32kDSI5/75ViwGeZginGGy2NoOSg3Q9bnwlnmDm4HLnkl0RE3n+njDXR037aY1+x58Z/zFdwQ==} + engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} + dependencies: + acorn: 8.11.3 + acorn-jsx: 5.3.2(acorn@8.11.3) + eslint-visitor-keys: 3.4.3 + dev: true + + /esquery@1.5.0: + resolution: {integrity: sha512-YQLXUplAwJgCydQ78IMJywZCceoqk1oH01OERdSAJc/7U2AylwjhSCLDEtqwg811idIS/9fIU5GjG73IgjKMVg==} + engines: {node: '>=0.10'} + dependencies: + estraverse: 5.3.0 + dev: true + + /esrecurse@4.3.0: + resolution: {integrity: sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==} + engines: {node: '>=4.0'} + dependencies: + estraverse: 5.3.0 + dev: true + + /estraverse@5.3.0: + resolution: {integrity: sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==} + engines: {node: '>=4.0'} + dev: true + + /esutils@2.0.3: + resolution: {integrity: sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==} + engines: {node: '>=0.10.0'} + dev: true + + /external-editor@3.1.0: + resolution: {integrity: sha512-hMQ4CX1p1izmuLYyZqLMO/qGNw10wSv9QDCPfzXfyFrOaCSSoRfqE1Kf1s5an66J5JZC62NewG+mK49jOCtQew==} + engines: {node: '>=4'} + dependencies: + chardet: 0.7.0 + iconv-lite: 0.4.24 + tmp: 0.0.33 + dev: true + + /extract-files@11.0.0: + resolution: {integrity: sha512-FuoE1qtbJ4bBVvv94CC7s0oTnKUGvQs+Rjf1L2SJFfS+HTVVjhPFtehPdQ0JiGPqVNfSSZvL5yzHHQq2Z4WNhQ==} + engines: {node: ^12.20 || >= 14.13} + dev: true + + /fast-decode-uri-component@1.0.1: + resolution: {integrity: sha512-WKgKWg5eUxvRZGwW8FvfbaH7AXSh2cL+3j5fMGzUMCxWBJ3dV3a7Wz8y2f/uQ0e3B6WmodD3oS54jTQ9HVTIIg==} + dev: true + + /fast-deep-equal@3.1.3: + resolution: {integrity: sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==} + dev: true + + /fast-glob@3.3.2: + resolution: {integrity: sha512-oX2ruAFQwf/Orj8m737Y5adxDQO0LAB7/S5MnxCdTNDd4p6BsyIVsv9JQsATbTSq8KHRpLwIHbVlUNatxd+1Ow==} + engines: {node: '>=8.6.0'} + dependencies: + '@nodelib/fs.stat': 2.0.5 + '@nodelib/fs.walk': 1.2.8 + glob-parent: 5.1.2 + merge2: 1.4.1 + micromatch: 4.0.5 + dev: true + + /fast-json-stable-stringify@2.1.0: + resolution: {integrity: sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==} + dev: true + + /fast-levenshtein@2.0.6: + resolution: {integrity: sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==} + dev: true + + /fast-querystring@1.1.2: + resolution: {integrity: sha512-g6KuKWmFXc0fID8WWH0jit4g0AGBoJhCkJMb1RmbsSEUNvQ+ZC8D6CUZ+GtF8nMzSPXnhiePyyqqipzNNEnHjg==} + dependencies: + fast-decode-uri-component: 1.0.1 + dev: true + + /fast-url-parser@1.1.3: + resolution: {integrity: sha512-5jOCVXADYNuRkKFzNJ0dCCewsZiYo0dz8QNYljkOpFC6r2U4OBmKtvm/Tsuh4w1YYdDqDb31a8TVhBJ2OJKdqQ==} + dependencies: + punycode: 1.4.1 + dev: true + + /fastq@1.17.1: + resolution: {integrity: sha512-sRVD3lWVIXWg6By68ZN7vho9a1pQcN/WBFaAAsDDFzlJjvoGx0P8z7V1t72grFJfJhu3YPZBuu25f7Kaw2jN1w==} + dependencies: + reusify: 1.0.4 + dev: true + + /fb-watchman@2.0.2: + resolution: {integrity: sha512-p5161BqbuCaSnB8jIbzQHOlpgsPmK5rJVDfDKO91Axs5NC1uu3HRQm6wt9cd9/+GtQQIO53JdGXXoyDpTAsgYA==} + dependencies: + bser: 2.1.1 + dev: true + + /fbjs-css-vars@1.0.2: + resolution: {integrity: sha512-b2XGFAFdWZWg0phtAWLHCk836A1Xann+I+Dgd3Gk64MHKZO44FfoD1KxyvbSh0qZsIoXQGGlVztIY+oitJPpRQ==} + dev: true + + /fbjs@3.0.5: + resolution: {integrity: sha512-ztsSx77JBtkuMrEypfhgc3cI0+0h+svqeie7xHbh1k/IKdcydnvadp/mUaGgjAOXQmQSxsqgaRhS3q9fy+1kxg==} + dependencies: + cross-fetch: 3.1.8 + fbjs-css-vars: 1.0.2 + loose-envify: 1.4.0 + object-assign: 4.1.1 + promise: 7.3.1 + setimmediate: 1.0.5 + ua-parser-js: 1.0.37 + transitivePeerDependencies: + - encoding + dev: true + + /figures@3.2.0: + resolution: {integrity: sha512-yaduQFRKLXYOGgEn6AZau90j3ggSOyiqXU0F9JZfeXYhNa+Jk4X+s45A2zg5jns87GAFa34BBm2kXw4XpNcbdg==} + engines: {node: '>=8'} + dependencies: + escape-string-regexp: 1.0.5 + dev: true + + /file-entry-cache@6.0.1: + resolution: {integrity: sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==} + engines: {node: ^10.12.0 || >=12.0.0} + dependencies: + flat-cache: 3.2.0 + dev: true + + /fill-range@7.0.1: + resolution: {integrity: sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==} + engines: {node: '>=8'} + dependencies: + to-regex-range: 5.0.1 + dev: true + + /find-up@4.1.0: + resolution: {integrity: sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==} + engines: {node: '>=8'} + dependencies: + locate-path: 5.0.0 + path-exists: 4.0.0 + dev: true + + /find-up@5.0.0: + resolution: {integrity: sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==} + engines: {node: '>=10'} + dependencies: + locate-path: 6.0.0 + path-exists: 4.0.0 + dev: true + + /flat-cache@3.2.0: + resolution: {integrity: sha512-CYcENa+FtcUKLmhhqyctpclsq7QF38pKjZHsGNiSQF5r4FtoKDWabFDl3hzaEQMvT1LHEysw5twgLvpYYb4vbw==} + engines: {node: ^10.12.0 || >=12.0.0} + dependencies: + flatted: 3.3.1 + keyv: 4.5.4 + rimraf: 3.0.2 + dev: true + + /flatted@3.3.1: + resolution: {integrity: sha512-X8cqMLLie7KsNUDSdzeN8FYK9rEt4Dt67OsG/DNGnYTSDBG4uFAJFBnUeiV+zCVAvwFy56IjM9sH51jVaEhNxw==} + dev: true + + /for-each@0.3.3: + resolution: {integrity: sha512-jqYfLp7mo9vIyQf8ykW2v7A+2N4QjeCeI5+Dz9XraiO1ign81wjiH7Fb9vSOWvQfNtmSa4H2RoQTrrXivdUZmw==} + dependencies: + is-callable: 1.2.7 + dev: true + + /foreground-child@3.1.1: + resolution: {integrity: sha512-TMKDUnIte6bfb5nWv7V/caI169OHgvwjb7V4WkeUvbQQdjr5rWKqHFiKWb/fcOwB+CzBT+qbWjvj+DVwRskpIg==} + engines: {node: '>=14'} + dependencies: + cross-spawn: 7.0.3 + signal-exit: 4.1.0 + dev: true + + /fraction.js@4.3.7: + resolution: {integrity: sha512-ZsDfxO51wGAXREY55a7la9LScWpwv9RxIrYABrlvOFBlH/ShPnrtsXeuUIfXKKOVicNxQ+o8JTbJvjS4M89yew==} + dev: true + + /fs.realpath@1.0.0: + resolution: {integrity: sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==} + dev: true + + /fsevents@2.3.3: + resolution: {integrity: sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==} + engines: {node: ^8.16.0 || ^10.6.0 || >=11.0.0} + os: [darwin] + requiresBuild: true + dev: true + optional: true + + /function-bind@1.1.2: + resolution: {integrity: sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==} + dev: true + + /function.prototype.name@1.1.6: + resolution: {integrity: sha512-Z5kx79swU5P27WEayXM1tBi5Ze/lbIyiNgU3qyXUOf9b2rgXYyF9Dy9Cx+IQv/Lc8WCG6L82zwUPpSS9hGehIg==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + define-properties: 1.2.1 + es-abstract: 1.22.5 + functions-have-names: 1.2.3 + dev: true + + /functions-have-names@1.2.3: + resolution: {integrity: sha512-xckBUXyTIqT97tq2x2AMb+g163b5JFysYk0x4qxNFwbfQkmNZoiRHb6sPzI9/QV33WeuvVYBUIiD4NzNIyqaRQ==} + dev: true + + /gensync@1.0.0-beta.2: + resolution: {integrity: sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg==} + engines: {node: '>=6.9.0'} + + /get-caller-file@2.0.5: + resolution: {integrity: sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==} + engines: {node: 6.* || 8.* || >= 10.*} + dev: true + + /get-intrinsic@1.2.4: + resolution: {integrity: sha512-5uYhsJH8VJBTv7oslg4BznJYhDoRI6waYCxMmCdnTrcCrHA/fCFKoTFz2JKKE0HdDFUF7/oQuhzumXJK7paBRQ==} + engines: {node: '>= 0.4'} + dependencies: + es-errors: 1.3.0 + function-bind: 1.1.2 + has-proto: 1.0.3 + has-symbols: 1.0.3 + hasown: 2.0.1 + dev: true + + /get-symbol-description@1.0.2: + resolution: {integrity: sha512-g0QYk1dZBxGwk+Ngc+ltRH2IBp2f7zBkBMBJZCDerh6EhlhSR6+9irMCuT/09zD6qkarHUSn529sK/yL4S27mg==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + es-errors: 1.3.0 + get-intrinsic: 1.2.4 + dev: true + + /get-tsconfig@4.7.2: + resolution: {integrity: sha512-wuMsz4leaj5hbGgg4IvDU0bqJagpftG5l5cXIAvo8uZrqn0NJqwtfupTN00VnkQJPcIRrxYrm1Ue24btpCha2A==} + dependencies: + resolve-pkg-maps: 1.0.0 + dev: true + + /glob-parent@5.1.2: + resolution: {integrity: sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==} + engines: {node: '>= 6'} + dependencies: + is-glob: 4.0.3 + dev: true + + /glob-parent@6.0.2: + resolution: {integrity: sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==} + engines: {node: '>=10.13.0'} + dependencies: + is-glob: 4.0.3 + dev: true + + /glob@10.3.10: + resolution: {integrity: sha512-fa46+tv1Ak0UPK1TOy/pZrIybNNt4HCv7SDzwyfiOZkvZLEbjsZkJBPtDHVshZjbecAoAGSC20MjLDG/qr679g==} + engines: {node: '>=16 || 14 >=14.17'} + hasBin: true + dependencies: + foreground-child: 3.1.1 + jackspeak: 2.3.6 + minimatch: 9.0.3 + minipass: 7.0.4 + path-scurry: 1.10.1 + dev: true + + /glob@7.2.3: + resolution: {integrity: sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==} + dependencies: + fs.realpath: 1.0.0 + inflight: 1.0.6 + inherits: 2.0.4 + minimatch: 3.1.2 + once: 1.4.0 + path-is-absolute: 1.0.1 + dev: true + + /globals@11.12.0: + resolution: {integrity: sha512-WOBp/EEGUiIsJSp7wcv/y6MO+lV9UoncWqxuFfm8eBwzWNgyfBd6Gz+IeKQ9jCmyhoH99g15M3T+QaVHFjizVA==} + engines: {node: '>=4'} + + /globals@13.24.0: + resolution: {integrity: sha512-AhO5QUcj8llrbG09iWhPU2B204J1xnPeL8kQmVorSsy+Sjj1sk8gIyh6cUocGmH4L0UuhAJy+hJMRA4mgA4mFQ==} + engines: {node: '>=8'} + dependencies: + type-fest: 0.20.2 + dev: true + + /globalthis@1.0.3: + resolution: {integrity: sha512-sFdI5LyBiNTHjRd7cGPWapiHWMOXKyuBNX/cWJ3NfzrZQVa8GI/8cofCl74AOVqq9W5kNmguTIzJ/1s2gyI9wA==} + engines: {node: '>= 0.4'} + dependencies: + define-properties: 1.2.1 + dev: true + + /globby@11.1.0: + resolution: {integrity: sha512-jhIXaOzy1sb8IyocaruWSn1TjmnBVs8Ayhcy83rmxNJ8q2uWKCAj3CnJY+KpGSXCueAPc0i05kVvVKtP1t9S3g==} + engines: {node: '>=10'} + dependencies: + array-union: 2.1.0 + dir-glob: 3.0.1 + fast-glob: 3.3.2 + ignore: 5.3.1 + merge2: 1.4.1 + slash: 3.0.0 + dev: true + + /gopd@1.0.1: + resolution: {integrity: sha512-d65bNlIadxvpb/A2abVdlqKqV563juRnZ1Wtk6s1sIR8uNsXR70xqIzVqxVf1eTqDunwT2MkczEeaezCKTZhwA==} + dependencies: + get-intrinsic: 1.2.4 + dev: true + + /graceful-fs@4.2.11: + resolution: {integrity: sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ==} + + /graphemer@1.4.0: + resolution: {integrity: sha512-EtKwoO6kxCL9WO5xipiHTZlSzBm7WLT627TqC/uVRd0HKmq8NXyebnNYxDoBi7wt8eTWrUrKXCOVaFq9x1kgag==} + dev: true + + /graphql-config@5.0.3(@types/node@20.11.24)(graphql@16.8.1)(typescript@5.3.3): + resolution: {integrity: sha512-BNGZaoxIBkv9yy6Y7omvsaBUHOzfFcII3UN++tpH8MGOKFPFkCPZuwx09ggANMt8FgyWP1Od8SWPmrUEZca4NQ==} + engines: {node: '>= 16.0.0'} + peerDependencies: + cosmiconfig-toml-loader: ^1.0.0 + graphql: ^0.11.0 || ^0.12.0 || ^0.13.0 || ^14.0.0 || ^15.0.0 || ^16.0.0 + peerDependenciesMeta: + cosmiconfig-toml-loader: + optional: true + dependencies: + '@graphql-tools/graphql-file-loader': 8.0.1(graphql@16.8.1) + '@graphql-tools/json-file-loader': 8.0.1(graphql@16.8.1) + '@graphql-tools/load': 8.0.2(graphql@16.8.1) + '@graphql-tools/merge': 9.0.3(graphql@16.8.1) + '@graphql-tools/url-loader': 8.0.2(@types/node@20.11.24)(graphql@16.8.1) + '@graphql-tools/utils': 10.1.0(graphql@16.8.1) + cosmiconfig: 8.3.6(typescript@5.3.3) + graphql: 16.8.1 + jiti: 1.21.0 + minimatch: 4.2.3 + string-env-interpolation: 1.0.1 + tslib: 2.6.2 + transitivePeerDependencies: + - '@types/node' + - bufferutil + - encoding + - typescript + - utf-8-validate + dev: true + + /graphql-request@6.1.0(graphql@16.8.1): + resolution: {integrity: sha512-p+XPfS4q7aIpKVcgmnZKhMNqhltk20hfXtkaIkTfjjmiKMJ5xrt5c743cL03y/K7y1rg3WrIC49xGiEQ4mxdNw==} + peerDependencies: + graphql: 14 - 16 + dependencies: + '@graphql-typed-document-node/core': 3.2.0(graphql@16.8.1) + cross-fetch: 3.1.8 + graphql: 16.8.1 + transitivePeerDependencies: + - encoding + dev: true + + /graphql-tag@2.12.6(graphql@16.8.1): + resolution: {integrity: sha512-FdSNcu2QQcWnM2VNvSCCDCVS5PpPqpzgFT8+GXzqJuoDd0CBncxCY278u4mhRO7tMgo2JjgJA5aZ+nWSQ/Z+xg==} + engines: {node: '>=10'} + peerDependencies: + graphql: ^0.9.0 || ^0.10.0 || ^0.11.0 || ^0.12.0 || ^0.13.0 || ^14.0.0 || ^15.0.0 || ^16.0.0 + dependencies: + graphql: 16.8.1 + tslib: 2.6.2 + + /graphql-ws@5.15.0(graphql@16.8.1): + resolution: {integrity: sha512-xWGAtm3fig9TIhSaNsg0FaDZ8Pyn/3re3RFlP4rhQcmjRDIPpk1EhRuNB+YSJtLzttyuToaDiNhwT1OMoGnJnw==} + engines: {node: '>=10'} + peerDependencies: + graphql: '>=0.11 <=16' + dependencies: + graphql: 16.8.1 + dev: true + + /graphql@16.8.1: + resolution: {integrity: sha512-59LZHPdGZVh695Ud9lRzPBVTtlX9ZCV150Er2W43ro37wVof0ctenSaskPPjN7lVTIN8mSZt8PHUNKZuNQUuxw==} + engines: {node: ^12.22.0 || ^14.16.0 || ^16.0.0 || >=17.0.0} + + /has-bigints@1.0.2: + resolution: {integrity: sha512-tSvCKtBr9lkF0Ex0aQiP9N+OpV4zi2r/Nee5VkRDbaqv35RLYMzbwQfFSZZH0kR+Rd6302UJZ2p/bJCEoR3VoQ==} + dev: true + + /has-flag@3.0.0: + resolution: {integrity: sha512-sKJf1+ceQBr4SMkvQnBDNDtf4TXpVhVGateu0t918bl30FnbE2m4vNLX+VWe/dpjlb+HugGYzW7uQXH98HPEYw==} + engines: {node: '>=4'} + + /has-flag@4.0.0: + resolution: {integrity: sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==} + engines: {node: '>=8'} + dev: true + + /has-property-descriptors@1.0.2: + resolution: {integrity: sha512-55JNKuIW+vq4Ke1BjOTjM2YctQIvCT7GFzHwmfZPGo5wnrgkid0YQtnAleFSqumZm4az3n2BS+erby5ipJdgrg==} + dependencies: + es-define-property: 1.0.0 + dev: true + + /has-proto@1.0.3: + resolution: {integrity: sha512-SJ1amZAJUiZS+PhsVLf5tGydlaVB8EdFpaSO4gmiUKUOxk8qzn5AIy4ZeJUmh22znIdk/uMAUT2pl3FxzVUH+Q==} + engines: {node: '>= 0.4'} + dev: true + + /has-symbols@1.0.3: + resolution: {integrity: sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==} + engines: {node: '>= 0.4'} + dev: true + + /has-tostringtag@1.0.2: + resolution: {integrity: sha512-NqADB8VjPFLM2V0VvHUewwwsw0ZWBaIdgo+ieHtK3hasLz4qeCRjYcqfB6AQrBggRKppKF8L52/VqdVsO47Dlw==} + engines: {node: '>= 0.4'} + dependencies: + has-symbols: 1.0.3 + dev: true + + /hasown@2.0.1: + resolution: {integrity: sha512-1/th4MHjnwncwXsIW6QMzlvYL9kG5e/CpVvLRZe4XPa8TOUNbCELqmvhDmnkNsAjwaG4+I8gJJL0JBvTTLO9qA==} + engines: {node: '>= 0.4'} + dependencies: + function-bind: 1.1.2 + dev: true + + /header-case@2.0.4: + resolution: {integrity: sha512-H/vuk5TEEVZwrR0lp2zed9OCo1uAILMlx0JEMgC26rzyJJ3N1v6XkwHHXJQdR2doSjcGPM6OKPYoJgf0plJ11Q==} + dependencies: + capital-case: 1.0.4 + tslib: 2.6.2 + dev: true + + /hoist-non-react-statics@3.3.2: + resolution: {integrity: sha512-/gGivxi8JPKWNm/W0jSmzcMPpfpPLc3dY/6GxhX2hQ9iGj3aDfklV4ET7NjKpSinLpJ5vafa9iiGIEZg10SfBw==} + dependencies: + react-is: 16.13.1 + dev: false + + /http-proxy-agent@7.0.2: + resolution: {integrity: sha512-T1gkAiYYDWYx3V5Bmyu7HcfcvL7mUrTWiM6yOfa3PIphViJ/gFPbvidQ+veqSOHci/PxBcDabeUNCzpOODJZig==} + engines: {node: '>= 14'} + dependencies: + agent-base: 7.1.0 + debug: 4.3.4 + transitivePeerDependencies: + - supports-color + dev: true + + /https-proxy-agent@7.0.4: + resolution: {integrity: sha512-wlwpilI7YdjSkWaQ/7omYBMTliDcmCN8OLihO6I9B86g06lMyAoqgoDpV0XqoaPOKj+0DIdAvnsWfyAAhmimcg==} + engines: {node: '>= 14'} + dependencies: + agent-base: 7.1.0 + debug: 4.3.4 + transitivePeerDependencies: + - supports-color + dev: true + + /iconv-lite@0.4.24: + resolution: {integrity: sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA==} + engines: {node: '>=0.10.0'} + dependencies: + safer-buffer: 2.1.2 + dev: true + + /ieee754@1.2.1: + resolution: {integrity: sha512-dcyqhDvX1C46lXZcVqCpK+FtMRQVdIMN6/Df5js2zouUsqG7I6sFxitIC+7KYK29KdXOLHdu9zL4sFnoVQnqaA==} + dev: true + + /ignore@5.3.1: + resolution: {integrity: sha512-5Fytz/IraMjqpwfd34ke28PTVMjZjJG2MPn5t7OE4eUCUNf8BAa7b5WUS9/Qvr6mwOQS7Mk6vdsMno5he+T8Xw==} + engines: {node: '>= 4'} + dev: true + + /immutable@3.7.6: + resolution: {integrity: sha512-AizQPcaofEtO11RZhPPHBOJRdo/20MKQF9mBLnVkBoyHi1/zXK8fzVdnEpSV9gxqtnh6Qomfp3F0xT5qP/vThw==} + engines: {node: '>=0.8.0'} + dev: true + + /import-fresh@3.3.0: + resolution: {integrity: sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==} + engines: {node: '>=6'} + dependencies: + parent-module: 1.0.1 + resolve-from: 4.0.0 + dev: true + + /import-from@4.0.0: + resolution: {integrity: sha512-P9J71vT5nLlDeV8FHs5nNxaLbrpfAV5cF5srvbZfpwpcJoM/xZR3hiv+q+SAnuSmuGbXMWud063iIMx/V/EWZQ==} + engines: {node: '>=12.2'} + dev: true + + /imurmurhash@0.1.4: + resolution: {integrity: sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==} + engines: {node: '>=0.8.19'} + dev: true + + /indent-string@4.0.0: + resolution: {integrity: sha512-EdDDZu4A2OyIK7Lr/2zG+w5jmbuk1DVBnEwREQvBzspBJkCEbRa8GxU1lghYcaGJCnRWibjDXlq779X1/y5xwg==} + engines: {node: '>=8'} + dev: true + + /inflight@1.0.6: + resolution: {integrity: sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==} + dependencies: + once: 1.4.0 + wrappy: 1.0.2 + dev: true + + /inherits@2.0.4: + resolution: {integrity: sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==} + dev: true + + /inquirer@8.2.6: + resolution: {integrity: sha512-M1WuAmb7pn9zdFRtQYk26ZBoY043Sse0wVDdk4Bppr+JOXyQYybdtvK+l9wUibhtjdjvtoiNy8tk+EgsYIUqKg==} + engines: {node: '>=12.0.0'} + dependencies: + ansi-escapes: 4.3.2 + chalk: 4.1.2 + cli-cursor: 3.1.0 + cli-width: 3.0.0 + external-editor: 3.1.0 + figures: 3.2.0 + lodash: 4.17.21 + mute-stream: 0.0.8 + ora: 5.4.1 + run-async: 2.4.1 + rxjs: 7.8.1 + string-width: 4.2.3 + strip-ansi: 6.0.1 + through: 2.3.8 + wrap-ansi: 6.2.0 + dev: true + + /internal-slot@1.0.7: + resolution: {integrity: sha512-NGnrKwXzSms2qUUih/ILZ5JBqNTSa1+ZmP6flaIp6KmSElgE9qdndzS3cqjrDovwFdmwsGsLdeFgB6suw+1e9g==} + engines: {node: '>= 0.4'} + dependencies: + es-errors: 1.3.0 + hasown: 2.0.1 + side-channel: 1.0.6 + dev: true + + /invariant@2.2.4: + resolution: {integrity: sha512-phJfQVBuaJM5raOpJjSfkiD6BpbCE4Ns//LaXl6wGYtUBY83nWS6Rf9tXm2e8VaK60JEjYldbPif/A2B1C2gNA==} + dependencies: + loose-envify: 1.4.0 + dev: true + + /is-absolute@1.0.0: + resolution: {integrity: sha512-dOWoqflvcydARa360Gvv18DZ/gRuHKi2NU/wU5X1ZFzdYfH29nkiNZsF3mp4OJ3H4yo9Mx8A/uAGNzpzPN3yBA==} + engines: {node: '>=0.10.0'} + dependencies: + is-relative: 1.0.0 + is-windows: 1.0.2 + dev: true + + /is-array-buffer@3.0.4: + resolution: {integrity: sha512-wcjaerHw0ydZwfhiKbXJWLDY8A7yV7KhjQOpb83hGgGfId/aQa4TOvwyzn2PuswW2gPCYEL/nEAiSVpdOj1lXw==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + get-intrinsic: 1.2.4 + dev: true + + /is-arrayish@0.2.1: + resolution: {integrity: sha512-zz06S8t0ozoDXMG+ube26zeCTNXcKIPJZJi8hBrF4idCLms4CG9QtK7qBl1boi5ODzFpjswb5JPmHCbMpjaYzg==} + dev: true + + /is-async-function@2.0.0: + resolution: {integrity: sha512-Y1JXKrfykRJGdlDwdKlLpLyMIiWqWvuSd17TvZk68PLAOGOoF4Xyav1z0Xhoi+gCYjZVeC5SI+hYFOfvXmGRCA==} + engines: {node: '>= 0.4'} + dependencies: + has-tostringtag: 1.0.2 + dev: true + + /is-bigint@1.0.4: + resolution: {integrity: sha512-zB9CruMamjym81i2JZ3UMn54PKGsQzsJeo6xvN3HJJ4CAsQNB6iRutp2To77OfCNuoxspsIhzaPoO1zyCEhFOg==} + dependencies: + has-bigints: 1.0.2 + dev: true + + /is-binary-path@2.1.0: + resolution: {integrity: sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==} + engines: {node: '>=8'} + dependencies: + binary-extensions: 2.2.0 + dev: true + + /is-boolean-object@1.1.2: + resolution: {integrity: sha512-gDYaKHJmnj4aWxyj6YHyXVpdQawtVLHU5cb+eztPGczf6cjuTdwve5ZIEfgXqH4e57An1D1AKf8CZ3kYrQRqYA==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + has-tostringtag: 1.0.2 + dev: true + + /is-callable@1.2.7: + resolution: {integrity: sha512-1BC0BVFhS/p0qtw6enp8e+8OD0UrK0oFLztSjNzhcKA3WDuJxxAPXzPuPtKkjEY9UUoEWlX/8fgKeu2S8i9JTA==} + engines: {node: '>= 0.4'} + dev: true + + /is-core-module@2.13.1: + resolution: {integrity: sha512-hHrIjvZsftOsvKSn2TRYl63zvxsgE0K+0mYMoH6gD4omR5IWB2KynivBQczo3+wF1cCkjzvptnI9Q0sPU66ilw==} + dependencies: + hasown: 2.0.1 + dev: true + + /is-date-object@1.0.5: + resolution: {integrity: sha512-9YQaSxsAiSwcvS33MBk3wTCVnWK+HhF8VZR2jRxehM16QcVOdHqPn4VPHmRK4lSr38n9JriurInLcP90xsYNfQ==} + engines: {node: '>= 0.4'} + dependencies: + has-tostringtag: 1.0.2 + dev: true + + /is-extglob@2.1.1: + resolution: {integrity: sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==} + engines: {node: '>=0.10.0'} + dev: true + + /is-finalizationregistry@1.0.2: + resolution: {integrity: sha512-0by5vtUJs8iFQb5TYUHHPudOR+qXYIMKtiUzvLIZITZUjknFmziyBJuLhVRc+Ds0dREFlskDNJKYIdIzu/9pfw==} + dependencies: + call-bind: 1.0.7 + dev: true + + /is-fullwidth-code-point@3.0.0: + resolution: {integrity: sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==} + engines: {node: '>=8'} + dev: true + + /is-generator-function@1.0.10: + resolution: {integrity: sha512-jsEjy9l3yiXEQ+PsXdmBwEPcOxaXWLspKdplFUVI9vq1iZgIekeC0L167qeu86czQaxed3q/Uzuw0swL0irL8A==} + engines: {node: '>= 0.4'} + dependencies: + has-tostringtag: 1.0.2 + dev: true + + /is-glob@4.0.3: + resolution: {integrity: sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==} + engines: {node: '>=0.10.0'} + dependencies: + is-extglob: 2.1.1 + dev: true + + /is-interactive@1.0.0: + resolution: {integrity: sha512-2HvIEKRoqS62guEC+qBjpvRubdX910WCMuJTZ+I9yvqKU2/12eSL549HMwtabb4oupdj2sMP50k+XJfB/8JE6w==} + engines: {node: '>=8'} + dev: true + + /is-lower-case@2.0.2: + resolution: {integrity: sha512-bVcMJy4X5Og6VZfdOZstSexlEy20Sr0k/p/b2IlQJlfdKAQuMpiv5w2Ccxb8sKdRUNAG1PnHVHjFSdRDVS6NlQ==} + dependencies: + tslib: 2.6.2 + dev: true + + /is-map@2.0.2: + resolution: {integrity: sha512-cOZFQQozTha1f4MxLFzlgKYPTyj26picdZTx82hbc/Xf4K/tZOOXSCkMvU4pKioRXGDLJRn0GM7Upe7kR721yg==} + dev: true + + /is-negative-zero@2.0.3: + resolution: {integrity: sha512-5KoIu2Ngpyek75jXodFvnafB6DJgr3u8uuK0LEZJjrU19DrMD3EVERaR8sjz8CCGgpZvxPl9SuE1GMVPFHx1mw==} + engines: {node: '>= 0.4'} + dev: true + + /is-number-object@1.0.7: + resolution: {integrity: sha512-k1U0IRzLMo7ZlYIfzRu23Oh6MiIFasgpb9X76eqfFZAqwH44UI4KTBvBYIZ1dSL9ZzChTB9ShHfLkR4pdW5krQ==} + engines: {node: '>= 0.4'} + dependencies: + has-tostringtag: 1.0.2 + dev: true + + /is-number@7.0.0: + resolution: {integrity: sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==} + engines: {node: '>=0.12.0'} + dev: true + + /is-path-inside@3.0.3: + resolution: {integrity: sha512-Fd4gABb+ycGAmKou8eMftCupSir5lRxqf4aD/vd0cD2qc4HL07OjCeuHMr8Ro4CoMaeCKDB0/ECBOVWjTwUvPQ==} + engines: {node: '>=8'} + dev: true + + /is-regex@1.1.4: + resolution: {integrity: sha512-kvRdxDsxZjhzUX07ZnLydzS1TU/TJlTUHHY4YLL87e37oUA49DfkLqgy+VjFocowy29cKvcSiu+kIv728jTTVg==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + has-tostringtag: 1.0.2 + dev: true + + /is-relative@1.0.0: + resolution: {integrity: sha512-Kw/ReK0iqwKeu0MITLFuj0jbPAmEiOsIwyIXvvbfa6QfmN9pkD1M+8pdk7Rl/dTKbH34/XBFMbgD4iMJhLQbGA==} + engines: {node: '>=0.10.0'} + dependencies: + is-unc-path: 1.0.0 + dev: true + + /is-set@2.0.2: + resolution: {integrity: sha512-+2cnTEZeY5z/iXGbLhPrOAaK/Mau5k5eXq9j14CpRTftq0pAJu2MwVRSZhyZWBzx3o6X795Lz6Bpb6R0GKf37g==} + dev: true + + /is-shared-array-buffer@1.0.3: + resolution: {integrity: sha512-nA2hv5XIhLR3uVzDDfCIknerhx8XUKnstuOERPNNIinXG7v9u+ohXF67vxm4TPTEPU6lm61ZkwP3c9PCB97rhg==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + dev: true + + /is-string@1.0.7: + resolution: {integrity: sha512-tE2UXzivje6ofPW7l23cjDOMa09gb7xlAqG6jG5ej6uPV32TlWP3NKPigtaGeHNu9fohccRYvIiZMfOOnOYUtg==} + engines: {node: '>= 0.4'} + dependencies: + has-tostringtag: 1.0.2 + dev: true + + /is-symbol@1.0.4: + resolution: {integrity: sha512-C/CPBqKWnvdcxqIARxyOh4v1UUEOCHpgDa0WYgpKDFMszcrPcffg5uhwSgPCLD2WWxmq6isisz87tzT01tuGhg==} + engines: {node: '>= 0.4'} + dependencies: + has-symbols: 1.0.3 + dev: true + + /is-typed-array@1.1.13: + resolution: {integrity: sha512-uZ25/bUAlUY5fR4OKT4rZQEBrzQWYV9ZJYGGsUmEJ6thodVJ1HX64ePQ6Z0qPWP+m+Uq6e9UugrE38jeYsDSMw==} + engines: {node: '>= 0.4'} + dependencies: + which-typed-array: 1.1.14 + dev: true + + /is-unc-path@1.0.0: + resolution: {integrity: sha512-mrGpVd0fs7WWLfVsStvgF6iEJnbjDFZh9/emhRDcGWTduTfNHd9CHeUwH3gYIjdbwo4On6hunkztwOaAw0yllQ==} + engines: {node: '>=0.10.0'} + dependencies: + unc-path-regex: 0.1.2 + dev: true + + /is-unicode-supported@0.1.0: + resolution: {integrity: sha512-knxG2q4UC3u8stRGyAVJCOdxFmv5DZiRcdlIaAQXAbSfJya+OhopNotLQrstBhququ4ZpuKbDc/8S6mgXgPFPw==} + engines: {node: '>=10'} + dev: true + + /is-upper-case@2.0.2: + resolution: {integrity: sha512-44pxmxAvnnAOwBg4tHPnkfvgjPwbc5QIsSstNU+YcJ1ovxVzCWpSGosPJOZh/a1tdl81fbgnLc9LLv+x2ywbPQ==} + dependencies: + tslib: 2.6.2 + dev: true + + /is-weakmap@2.0.1: + resolution: {integrity: sha512-NSBR4kH5oVj1Uwvv970ruUkCV7O1mzgVFO4/rev2cLRda9Tm9HrL70ZPut4rOHgY0FNrUu9BCbXA2sdQ+x0chA==} + dev: true + + /is-weakref@1.0.2: + resolution: {integrity: sha512-qctsuLZmIQ0+vSSMfoVvyFe2+GSEvnmZ2ezTup1SBse9+twCCeial6EEi3Nc2KFcf6+qz2FBPnjXsk8xhKSaPQ==} + dependencies: + call-bind: 1.0.7 + dev: true + + /is-weakset@2.0.2: + resolution: {integrity: sha512-t2yVvttHkQktwnNNmBQ98AhENLdPUTDTE21uPqAQ0ARwQfGeQKRVS0NNurH7bTf7RrvcVn1OOge45CnBeHCSmg==} + dependencies: + call-bind: 1.0.7 + get-intrinsic: 1.2.4 + dev: true + + /is-what@4.1.16: + resolution: {integrity: sha512-ZhMwEosbFJkA0YhFnNDgTM4ZxDRsS6HqTo7qsZM08fehyRYIYa0yHu5R6mgo1n/8MgaPBXiPimPD77baVFYg+A==} + engines: {node: '>=12.13'} + dev: false + + /is-windows@1.0.2: + resolution: {integrity: sha512-eXK1UInq2bPmjyX6e3VHIzMLobc4J94i4AWn+Hpq3OU5KkrRC96OAcR3PRJ/pGu6m8TRnBHP9dkXQVsT/COVIA==} + engines: {node: '>=0.10.0'} + dev: true + + /isarray@2.0.5: + resolution: {integrity: sha512-xHjhDr3cNBK0BzdUJSPXZntQUx/mwMS5Rw4A7lPJ90XGAO6ISP/ePDNuo0vhqOZU+UD5JoodwCAAoZQd3FeAKw==} + dev: true + + /isexe@2.0.0: + resolution: {integrity: sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==} + dev: true + + /isomorphic-ws@5.0.0(ws@8.16.0): + resolution: {integrity: sha512-muId7Zzn9ywDsyXgTIafTry2sV3nySZeUDe6YedVd1Hvuuep5AsIlqK+XefWpYTyJG5e503F2xIuT2lcU6rCSw==} + peerDependencies: + ws: '*' + dependencies: + ws: 8.16.0 + dev: true + + /iterator.prototype@1.1.2: + resolution: {integrity: sha512-DR33HMMr8EzwuRL8Y9D3u2BMj8+RqSE850jfGu59kS7tbmPLzGkZmVSfyCFSDxuZiEY6Rzt3T2NA/qU+NwVj1w==} + dependencies: + define-properties: 1.2.1 + get-intrinsic: 1.2.4 + has-symbols: 1.0.3 + reflect.getprototypeof: 1.0.5 + set-function-name: 2.0.2 + dev: true + + /jackspeak@2.3.6: + resolution: {integrity: sha512-N3yCS/NegsOBokc8GAdM8UcmfsKiSS8cipheD/nivzr700H+nsMOxJjQnvwOcRYVuFkdH0wGUvW2WbXGmrZGbQ==} + engines: {node: '>=14'} + dependencies: + '@isaacs/cliui': 8.0.2 + optionalDependencies: + '@pkgjs/parseargs': 0.11.0 + dev: true + + /jiti@1.21.0: + resolution: {integrity: sha512-gFqAIbuKyyso/3G2qhiO2OM6shY6EPP/R0+mkDbyspxKazh8BXDC5FiFsUjlczgdNz/vfra0da2y+aHrusLG/Q==} + hasBin: true + dev: true + + /jose@5.2.2: + resolution: {integrity: sha512-/WByRr4jDcsKlvMd1dRJnPfS1GVO3WuKyaurJ/vvXcOaUQO8rnNObCQMlv/5uCceVQIq5Q4WLF44ohsdiTohdg==} + dev: true + + /js-tokens@4.0.0: + resolution: {integrity: sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==} + + /js-yaml@4.1.0: + resolution: {integrity: sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==} + hasBin: true + dependencies: + argparse: 2.0.1 + dev: true + + /jsesc@2.5.2: + resolution: {integrity: sha512-OYu7XEzjkCQ3C5Ps3QIZsQfNpqoJyZZA99wd9aWd05NCtC5pWOkShK2mkL6HXQR6/Cy2lbNdPlZBpuQHXE63gA==} + engines: {node: '>=4'} + hasBin: true + + /json-buffer@3.0.1: + resolution: {integrity: sha512-4bV5BfR2mqfQTJm+V5tPPdf+ZpuhiIvTuAB5g8kcrXOZpTT/QwwVRWBywX1ozr6lEuPdbHxwaJlm9G6mI2sfSQ==} + dev: true + + /json-parse-even-better-errors@2.3.1: + resolution: {integrity: sha512-xyFwyhro/JEof6Ghe2iz2NcXoj2sloNsWr/XsERDK/oiPCfaNhl5ONfp+jQdAZRQQ0IJWNzH9zIZF7li91kh2w==} + dev: true + + /json-schema-traverse@0.4.1: + resolution: {integrity: sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==} + dev: true + + /json-stable-stringify-without-jsonify@1.0.1: + resolution: {integrity: sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==} + dev: true + + /json-stable-stringify@1.1.1: + resolution: {integrity: sha512-SU/971Kt5qVQfJpyDveVhQ/vya+5hvrjClFOcr8c0Fq5aODJjMwutrOfCU+eCnVD5gpx1Q3fEqkyom77zH1iIg==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + isarray: 2.0.5 + jsonify: 0.0.1 + object-keys: 1.1.1 + dev: true + + /json-to-pretty-yaml@1.2.2: + resolution: {integrity: sha512-rvm6hunfCcqegwYaG5T4yKJWxc9FXFgBVrcTZ4XfSVRwa5HA/Xs+vB/Eo9treYYHCeNM0nrSUr82V/M31Urc7A==} + engines: {node: '>= 0.2.0'} + dependencies: + remedial: 1.0.8 + remove-trailing-spaces: 1.0.8 + dev: true + + /json5@1.0.2: + resolution: {integrity: sha512-g1MWMLBiz8FKi1e4w0UyVL3w+iJceWAFBAaBnnGKOpNa5f8TLktkbre1+s6oICydWAm+HRUGTmI+//xv2hvXYA==} + hasBin: true + dependencies: + minimist: 1.2.8 + dev: true + + /json5@2.2.3: + resolution: {integrity: sha512-XmOWe7eyHYH14cLdVPoyg+GOH3rYX++KpzrylJwSW98t3Nk+U8XOl8FWKOgwtzdb8lXGf6zYwDUzeHMWfxasyg==} + engines: {node: '>=6'} + hasBin: true + + /jsonify@0.0.1: + resolution: {integrity: sha512-2/Ki0GcmuqSrgFyelQq9M05y7PS0mEwuIzrf3f1fPqkVDVRvZrPZtVSMHxdgo8Aq0sxAOb/cr2aqqA3LeWHVPg==} + dev: true + + /jsx-ast-utils@3.3.5: + resolution: {integrity: sha512-ZZow9HBI5O6EPgSJLUb8n2NKgmVWTwCvHGwFuJlMjvLFqlGG6pjirPhtdsseaLZjSibD8eegzmYpUZwoIlj2cQ==} + engines: {node: '>=4.0'} + dependencies: + array-includes: 3.1.7 + array.prototype.flat: 1.3.2 + object.assign: 4.1.5 + object.values: 1.1.7 + dev: true + + /keyv@4.5.4: + resolution: {integrity: sha512-oxVHkHR/EJf2CNXnWxRLW6mg7JyCCUcG0DtEGmL2ctUo1PNTin1PUil+r/+4r5MpVgC/fn1kjsx7mjSujKqIpw==} + dependencies: + json-buffer: 3.0.1 + dev: true + + /language-subtag-registry@0.3.22: + resolution: {integrity: sha512-tN0MCzyWnoz/4nHS6uxdlFWoUZT7ABptwKPQ52Ea7URk6vll88bWBVhodtnlfEuCcKWNGoc+uGbw1cwa9IKh/w==} + dev: true + + /language-tags@1.0.9: + resolution: {integrity: sha512-MbjN408fEndfiQXbFQ1vnd+1NoLDsnQW41410oQBXiyXDMYH5z505juWa4KUE1LqxRC7DgOgZDbKLxHIwm27hA==} + engines: {node: '>=0.10'} + dependencies: + language-subtag-registry: 0.3.22 + dev: true + + /levn@0.4.1: + resolution: {integrity: sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==} + engines: {node: '>= 0.8.0'} + dependencies: + prelude-ls: 1.2.1 + type-check: 0.4.0 + dev: true + + /lilconfig@2.1.0: + resolution: {integrity: sha512-utWOt/GHzuUxnLKxB6dk81RoOeoNeHgbrXiuGk4yyF5qlRz+iIVWu56E2fqGHFrXz0QNUhLB/8nKqvRH66JKGQ==} + engines: {node: '>=10'} + dev: true + + /lilconfig@3.1.1: + resolution: {integrity: sha512-O18pf7nyvHTckunPWCV1XUNXU1piu01y2b7ATJ0ppkUkk8ocqVWBrYjJBCwHDjD/ZWcfyrA0P4gKhzWGi5EINQ==} + engines: {node: '>=14'} + dev: true + + /lines-and-columns@1.2.4: + resolution: {integrity: sha512-7ylylesZQ/PV29jhEDl3Ufjo6ZX7gCqJr5F7PKrqc93v7fzSymt1BpwEU8nAUXs8qzzvqhbjhK5QZg6Mt/HkBg==} + dev: true + + /listr2@4.0.5: + resolution: {integrity: sha512-juGHV1doQdpNT3GSTs9IUN43QJb7KHdF9uqg7Vufs/tG9VTzpFphqF4pm/ICdAABGQxsyNn9CiYA3StkI6jpwA==} + engines: {node: '>=12'} + peerDependencies: + enquirer: '>= 2.3.0 < 3' + peerDependenciesMeta: + enquirer: + optional: true + dependencies: + cli-truncate: 2.1.0 + colorette: 2.0.20 + log-update: 4.0.0 + p-map: 4.0.0 + rfdc: 1.3.1 + rxjs: 7.8.1 + through: 2.3.8 + wrap-ansi: 7.0.0 + dev: true + + /locate-path@5.0.0: + resolution: {integrity: sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==} + engines: {node: '>=8'} + dependencies: + p-locate: 4.1.0 + dev: true + + /locate-path@6.0.0: + resolution: {integrity: sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==} + engines: {node: '>=10'} + dependencies: + p-locate: 5.0.0 + dev: true + + /lodash.merge@4.6.2: + resolution: {integrity: sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==} + dev: true + + /lodash.sortby@4.7.0: + resolution: {integrity: sha512-HDWXG8isMntAyRF5vZ7xKuEvOhT4AhlRt/3czTSjvGUxjYCBVRQY48ViDHyfYz9VIoBkW4TMGQNapx+l3RUwdA==} + dev: true + + /lodash@4.17.21: + resolution: {integrity: sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg==} + dev: true + + /log-symbols@4.1.0: + resolution: {integrity: sha512-8XPvpAA8uyhfteu8pIvQxpJZ7SYYdpUivZpGy6sFsBuKRY/7rQGavedeB8aK+Zkyq6upMFVL/9AW6vOYzfRyLg==} + engines: {node: '>=10'} + dependencies: + chalk: 4.1.2 + is-unicode-supported: 0.1.0 + dev: true + + /log-update@4.0.0: + resolution: {integrity: sha512-9fkkDevMefjg0mmzWFBW8YkFP91OrizzkW3diF7CpG+S2EYdy4+TVfGwz1zeF8x7hCx1ovSPTOE9Ngib74qqUg==} + engines: {node: '>=10'} + dependencies: + ansi-escapes: 4.3.2 + cli-cursor: 3.1.0 + slice-ansi: 4.0.0 + wrap-ansi: 6.2.0 + dev: true + + /loose-envify@1.4.0: + resolution: {integrity: sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q==} + hasBin: true + dependencies: + js-tokens: 4.0.0 + + /lower-case-first@2.0.2: + resolution: {integrity: sha512-EVm/rR94FJTZi3zefZ82fLWab+GX14LJN4HrWBcuo6Evmsl9hEfnqxgcHCKb9q+mNf6EVdsjx/qucYFIIB84pg==} + dependencies: + tslib: 2.6.2 + dev: true + + /lower-case@2.0.2: + resolution: {integrity: sha512-7fm3l3NAF9WfN6W3JOmf5drwpVqX78JtoGJ3A6W0a6ZnldM41w2fV5D490psKFTpMds8TJse/eHLFFsNHHjHgg==} + dependencies: + tslib: 2.6.2 + dev: true + + /lru-cache@10.2.0: + resolution: {integrity: sha512-2bIM8x+VAf6JT4bKAljS1qUWgMsqZRPGJS6FSahIMPVvctcNhyVp7AJu7quxOW9jwkryBReKZY5tY5JYv2n/7Q==} + engines: {node: 14 || >=16.14} + dev: true + + /lru-cache@5.1.1: + resolution: {integrity: sha512-KpNARQA3Iwv+jTA0utUVVbrh+Jlrr1Fv0e56GGzAFOXN7dk/FviaDW8LHmK52DlcH4WP2n6gI8vN1aesBFgo9w==} + dependencies: + yallist: 3.1.1 + + /lru-cache@6.0.0: + resolution: {integrity: sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==} + engines: {node: '>=10'} + dependencies: + yallist: 4.0.0 + dev: true + + /map-cache@0.2.2: + resolution: {integrity: sha512-8y/eV9QQZCiyn1SprXSrCmqJN0yNRATe+PO8ztwqrvrbdRLA3eYJF0yaR0YayLWkMbsQSKWS9N2gPcGEc4UsZg==} + engines: {node: '>=0.10.0'} + dev: true + + /merge2@1.4.1: + resolution: {integrity: sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==} + engines: {node: '>= 8'} + dev: true + + /meros@1.3.0(@types/node@20.11.24): + resolution: {integrity: sha512-2BNGOimxEz5hmjUG2FwoxCt5HN7BXdaWyFqEwxPTrJzVdABtrL4TiHTcsWSFAxPQ/tOnEaQEJh3qWq71QRMY+w==} + engines: {node: '>=13'} + peerDependencies: + '@types/node': '>=13' + peerDependenciesMeta: + '@types/node': + optional: true + dependencies: + '@types/node': 20.11.24 + dev: true + + /micromatch@4.0.5: + resolution: {integrity: sha512-DMy+ERcEW2q8Z2Po+WNXuw3c5YaUSFjAO5GsJqfEl7UjvtIuFKO6ZrKvcItdy98dwFI2N1tg3zNIdKaQT+aNdA==} + engines: {node: '>=8.6'} + dependencies: + braces: 3.0.2 + picomatch: 2.3.1 + dev: true + + /mimic-fn@2.1.0: + resolution: {integrity: sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg==} + engines: {node: '>=6'} + dev: true + + /minimatch@3.1.2: + resolution: {integrity: sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==} + dependencies: + brace-expansion: 1.1.11 + dev: true + + /minimatch@4.2.3: + resolution: {integrity: sha512-lIUdtK5hdofgCTu3aT0sOaHsYR37viUuIc0rwnnDXImbwFRcumyLMeZaM0t0I/fgxS6s6JMfu0rLD1Wz9pv1ng==} + engines: {node: '>=10'} + dependencies: + brace-expansion: 1.1.11 + dev: true + + /minimatch@9.0.3: + resolution: {integrity: sha512-RHiac9mvaRw0x3AYRgDC1CxAP7HTcNrrECeA8YYJeWnpo+2Q5CegtZjaotWTWxDG3UeGA1coE05iH1mPjT/2mg==} + engines: {node: '>=16 || 14 >=14.17'} + dependencies: + brace-expansion: 2.0.1 + dev: true + + /minimist@1.2.8: + resolution: {integrity: sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==} + dev: true + + /minipass@7.0.4: + resolution: {integrity: sha512-jYofLM5Dam9279rdkWzqHozUo4ybjdZmCsDHePy5V/PbBcVMiSZR97gmAy45aqi8CK1lG2ECd356FU86avfwUQ==} + engines: {node: '>=16 || 14 >=14.17'} + dev: true + + /ms@2.1.2: + resolution: {integrity: sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==} + + /ms@2.1.3: + resolution: {integrity: sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==} + dev: true + + /mute-stream@0.0.8: + resolution: {integrity: sha512-nnbWWOkoWyUsTjKrhgD0dcz22mdkSnpYqbEjIm2nhwhuxlSkpywJmBo8h0ZqJdkp73mb90SssHkN4rsRaBAfAA==} + dev: true + + /mz@2.7.0: + resolution: {integrity: sha512-z81GNO7nnYMEhrGh9LeymoE4+Yr0Wn5McHIZMK5cfQCl+NDX08sCZgUc9/6MHni9IWuFLm1Z3HTCXu2z9fN62Q==} + dependencies: + any-promise: 1.3.0 + object-assign: 4.1.1 + thenify-all: 1.6.0 + dev: true + + /nanoid@3.3.7: + resolution: {integrity: sha512-eSRppjcPIatRIMC1U6UngP8XFcz8MQWGQdt1MTBQ7NaAmvXDfvNxbvWV3x2y6CdEUciCSsDHDQZbhYaB8QEo2g==} + engines: {node: ^10 || ^12 || ^13.7 || ^14 || >=15.0.1} + hasBin: true + + /natural-compare@1.4.0: + resolution: {integrity: sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==} + dev: true + + /next@14.1.1(@babel/core@7.24.0)(react-dom@18.2.0)(react@18.2.0): + resolution: {integrity: sha512-McrGJqlGSHeaz2yTRPkEucxQKe5Zq7uPwyeHNmJaZNY4wx9E9QdxmTp310agFRoMuIYgQrCrT3petg13fSVOww==} + engines: {node: '>=18.17.0'} + hasBin: true + peerDependencies: + '@opentelemetry/api': ^1.1.0 + react: ^18.2.0 + react-dom: ^18.2.0 + sass: ^1.3.0 + peerDependenciesMeta: + '@opentelemetry/api': + optional: true + sass: + optional: true + dependencies: + '@next/env': 14.1.1 + '@swc/helpers': 0.5.2 + busboy: 1.6.0 + caniuse-lite: 1.0.30001593 + graceful-fs: 4.2.11 + postcss: 8.4.31 + react: 18.2.0 + react-dom: 18.2.0(react@18.2.0) + styled-jsx: 5.1.1(@babel/core@7.24.0)(react@18.2.0) + optionalDependencies: + '@next/swc-darwin-arm64': 14.1.1 + '@next/swc-darwin-x64': 14.1.1 + '@next/swc-linux-arm64-gnu': 14.1.1 + '@next/swc-linux-arm64-musl': 14.1.1 + '@next/swc-linux-x64-gnu': 14.1.1 + '@next/swc-linux-x64-musl': 14.1.1 + '@next/swc-win32-arm64-msvc': 14.1.1 + '@next/swc-win32-ia32-msvc': 14.1.1 + '@next/swc-win32-x64-msvc': 14.1.1 + transitivePeerDependencies: + - '@babel/core' + - babel-plugin-macros + dev: false + + /no-case@3.0.4: + resolution: {integrity: sha512-fgAN3jGAh+RoxUGZHTSOLJIqUc2wmoBwGR4tbpNAKmmovFoWq0OdRkb0VkldReO2a2iBT/OEulG9XSUc10r3zg==} + dependencies: + lower-case: 2.0.2 + tslib: 2.6.2 + dev: true + + /node-fetch@2.7.0: + resolution: {integrity: sha512-c4FRfUm/dbcWZ7U+1Wq0AwCyFL+3nt2bEw05wfxSz+DWpWsitgmSgYmy2dQdWyKC1694ELPqMs/YzUSNozLt8A==} + engines: {node: 4.x || >=6.0.0} + peerDependencies: + encoding: ^0.1.0 + peerDependenciesMeta: + encoding: + optional: true + dependencies: + whatwg-url: 5.0.0 + dev: true + + /node-int64@0.4.0: + resolution: {integrity: sha512-O5lz91xSOeoXP6DulyHfllpq+Eg00MWitZIbtPfoSEvqIHdl5gfcY6hYzDWnj0qD5tz52PI08u9qUvSVeUBeHw==} + dev: true + + /node-releases@2.0.14: + resolution: {integrity: sha512-y10wOWt8yZpqXmOgRo77WaHEmhYQYGNA6y421PKsKYWEK8aW+cqAphborZDhqfyKrbZEN92CN1X2KbafY2s7Yw==} + + /normalize-path@2.1.1: + resolution: {integrity: sha512-3pKJwH184Xo/lnH6oyP1q2pMd7HcypqqmRs91/6/i2CGtWwIKGCkOOMTm/zXbgTEWHw1uNpNi/igc3ePOYHb6w==} + engines: {node: '>=0.10.0'} + dependencies: + remove-trailing-separator: 1.1.0 + dev: true + + /normalize-path@3.0.0: + resolution: {integrity: sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==} + engines: {node: '>=0.10.0'} + dev: true + + /normalize-range@0.1.2: + resolution: {integrity: sha512-bdok/XvKII3nUpklnV6P2hxtMNrCboOjAcyBuQnWEhO665FwrSNRxU+AqpsyvO6LgGYPspN+lu5CLtw4jPRKNA==} + engines: {node: '>=0.10.0'} + dev: true + + /nullthrows@1.1.1: + resolution: {integrity: sha512-2vPPEi+Z7WqML2jZYddDIfy5Dqb0r2fze2zTxNNknZaFpVHU3mFB3R+DWeJWGVx0ecvttSGlJTI+WG+8Z4cDWw==} + dev: true + + /object-assign@4.1.1: + resolution: {integrity: sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==} + engines: {node: '>=0.10.0'} + + /object-hash@3.0.0: + resolution: {integrity: sha512-RSn9F68PjH9HqtltsSnqYC1XXoWe9Bju5+213R98cNGttag9q9yAOTzdbsqvIa7aNm5WffBZFpWYr2aWrklWAw==} + engines: {node: '>= 6'} + dev: true + + /object-inspect@1.13.1: + resolution: {integrity: sha512-5qoj1RUiKOMsCCNLV1CBiPYE10sziTsnmNxkAI/rZhiD63CF7IqdFGC/XzjWjpSgLf0LxXX3bDFIh0E18f6UhQ==} + dev: true + + /object-keys@1.1.1: + resolution: {integrity: sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==} + engines: {node: '>= 0.4'} + dev: true + + /object.assign@4.1.5: + resolution: {integrity: sha512-byy+U7gp+FVwmyzKPYhW2h5l3crpmGsxl7X2s8y43IgxvG4g3QZ6CffDtsNQy1WsmZpQbO+ybo0AlW7TY6DcBQ==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + define-properties: 1.2.1 + has-symbols: 1.0.3 + object-keys: 1.1.1 + dev: true + + /object.entries@1.1.7: + resolution: {integrity: sha512-jCBs/0plmPsOnrKAfFQXRG2NFjlhZgjjcBLSmTnEhU8U6vVTsVe8ANeQJCHTl3gSsI4J+0emOoCgoKlmQPMgmA==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + define-properties: 1.2.1 + es-abstract: 1.22.5 + dev: true + + /object.fromentries@2.0.7: + resolution: {integrity: sha512-UPbPHML6sL8PI/mOqPwsH4G6iyXcCGzLin8KvEPenOZN5lpCNBZZQ+V62vdjB1mQHrmqGQt5/OJzemUA+KJmEA==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + define-properties: 1.2.1 + es-abstract: 1.22.5 + dev: true + + /object.groupby@1.0.2: + resolution: {integrity: sha512-bzBq58S+x+uo0VjurFT0UktpKHOZmv4/xePiOA1nbB9pMqpGK7rUPNgf+1YC+7mE+0HzhTMqNUuCqvKhj6FnBw==} + dependencies: + array.prototype.filter: 1.0.3 + call-bind: 1.0.7 + define-properties: 1.2.1 + es-abstract: 1.22.5 + es-errors: 1.3.0 + dev: true + + /object.hasown@1.1.3: + resolution: {integrity: sha512-fFI4VcYpRHvSLXxP7yiZOMAd331cPfd2p7PFDVbgUsYOfCT3tICVqXWngbjr4m49OvsBwUBQ6O2uQoJvy3RexA==} + dependencies: + define-properties: 1.2.1 + es-abstract: 1.22.5 + dev: true + + /object.values@1.1.7: + resolution: {integrity: sha512-aU6xnDFYT3x17e/f0IiiwlGPTy2jzMySGfUB4fq6z7CV8l85CWHDk5ErhyhpfDHhrOMwGFhSQkhMGHaIotA6Ng==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + define-properties: 1.2.1 + es-abstract: 1.22.5 + dev: true + + /once@1.4.0: + resolution: {integrity: sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==} + dependencies: + wrappy: 1.0.2 + dev: true + + /onetime@5.1.2: + resolution: {integrity: sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg==} + engines: {node: '>=6'} + dependencies: + mimic-fn: 2.1.0 + dev: true + + /optimism@0.18.0: + resolution: {integrity: sha512-tGn8+REwLRNFnb9WmcY5IfpOqeX2kpaYJ1s6Ae3mn12AeydLkR3j+jSCmVQFoXqU8D41PAJ1RG1rCRNWmNZVmQ==} + dependencies: + '@wry/caches': 1.0.1 + '@wry/context': 0.7.4 + '@wry/trie': 0.4.3 + tslib: 2.6.2 + dev: false + + /optionator@0.9.3: + resolution: {integrity: sha512-JjCoypp+jKn1ttEFExxhetCKeJt9zhAgAve5FXHixTvFDW/5aEktX9bufBKLRRMdU7bNtpLfcGu94B3cdEJgjg==} + engines: {node: '>= 0.8.0'} + dependencies: + '@aashutoshrathi/word-wrap': 1.2.6 + deep-is: 0.1.4 + fast-levenshtein: 2.0.6 + levn: 0.4.1 + prelude-ls: 1.2.1 + type-check: 0.4.0 + dev: true + + /ora@5.4.1: + resolution: {integrity: sha512-5b6Y85tPxZZ7QytO+BQzysW31HJku27cRIlkbAXaNx+BdcVi+LlRFmVXzeF6a7JCwJpyw5c4b+YSVImQIrBpuQ==} + engines: {node: '>=10'} + dependencies: + bl: 4.1.0 + chalk: 4.1.2 + cli-cursor: 3.1.0 + cli-spinners: 2.9.2 + is-interactive: 1.0.0 + is-unicode-supported: 0.1.0 + log-symbols: 4.1.0 + strip-ansi: 6.0.1 + wcwidth: 1.0.1 + dev: true + + /os-tmpdir@1.0.2: + resolution: {integrity: sha512-D2FR03Vir7FIu45XBY20mTb+/ZSWB00sjU9jdQXt83gDrI4Ztz5Fs7/yy74g2N5SVQY4xY1qDr4rNddwYRVX0g==} + engines: {node: '>=0.10.0'} + dev: true + + /p-limit@2.3.0: + resolution: {integrity: sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==} + engines: {node: '>=6'} + dependencies: + p-try: 2.2.0 + dev: true + + /p-limit@3.1.0: + resolution: {integrity: sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==} + engines: {node: '>=10'} + dependencies: + yocto-queue: 0.1.0 + dev: true + + /p-locate@4.1.0: + resolution: {integrity: sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==} + engines: {node: '>=8'} + dependencies: + p-limit: 2.3.0 + dev: true + + /p-locate@5.0.0: + resolution: {integrity: sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==} + engines: {node: '>=10'} + dependencies: + p-limit: 3.1.0 + dev: true + + /p-map@4.0.0: + resolution: {integrity: sha512-/bjOqmgETBYB5BoEeGVea8dmvHb2m9GLy1E9W43yeyfP6QQCZGFNa+XRceJEuDB6zqr+gKpIAmlLebMpykw/MQ==} + engines: {node: '>=10'} + dependencies: + aggregate-error: 3.1.0 + dev: true + + /p-try@2.2.0: + resolution: {integrity: sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==} + engines: {node: '>=6'} + dev: true + + /param-case@3.0.4: + resolution: {integrity: sha512-RXlj7zCYokReqWpOPH9oYivUzLYZ5vAPIfEmCTNViosC78F8F0H9y7T7gG2M39ymgutxF5gcFEsyZQSph9Bp3A==} + dependencies: + dot-case: 3.0.4 + tslib: 2.6.2 + dev: true + + /parent-module@1.0.1: + resolution: {integrity: sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==} + engines: {node: '>=6'} + dependencies: + callsites: 3.1.0 + dev: true + + /parse-filepath@1.0.2: + resolution: {integrity: sha512-FwdRXKCohSVeXqwtYonZTXtbGJKrn+HNyWDYVcp5yuJlesTwNH4rsmRZ+GrKAPJ5bLpRxESMeS+Rl0VCHRvB2Q==} + engines: {node: '>=0.8'} + dependencies: + is-absolute: 1.0.0 + map-cache: 0.2.2 + path-root: 0.1.1 + dev: true + + /parse-json@5.2.0: + resolution: {integrity: sha512-ayCKvm/phCGxOkYRSCM82iDwct8/EonSEgCSxWxD7ve6jHggsFl4fZVQBPRNgQoKiuV/odhFrGzQXZwbifC8Rg==} + engines: {node: '>=8'} + dependencies: + '@babel/code-frame': 7.23.5 + error-ex: 1.3.2 + json-parse-even-better-errors: 2.3.1 + lines-and-columns: 1.2.4 + dev: true + + /pascal-case@3.1.2: + resolution: {integrity: sha512-uWlGT3YSnK9x3BQJaOdcZwrnV6hPpd8jFH1/ucpiLRPh/2zCVJKS19E4GvYHvaCcACn3foXZ0cLB9Wrx1KGe5g==} + dependencies: + no-case: 3.0.4 + tslib: 2.6.2 + dev: true + + /path-case@3.0.4: + resolution: {integrity: sha512-qO4qCFjXqVTrcbPt/hQfhTQ+VhFsqNKOPtytgNKkKxSoEp3XPUQ8ObFuePylOIok5gjn69ry8XiULxCwot3Wfg==} + dependencies: + dot-case: 3.0.4 + tslib: 2.6.2 + dev: true + + /path-exists@4.0.0: + resolution: {integrity: sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==} + engines: {node: '>=8'} + dev: true + + /path-is-absolute@1.0.1: + resolution: {integrity: sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==} + engines: {node: '>=0.10.0'} + dev: true + + /path-key@3.1.1: + resolution: {integrity: sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==} + engines: {node: '>=8'} + dev: true + + /path-parse@1.0.7: + resolution: {integrity: sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==} + dev: true + + /path-root-regex@0.1.2: + resolution: {integrity: sha512-4GlJ6rZDhQZFE0DPVKh0e9jmZ5egZfxTkp7bcRDuPlJXbAwhxcl2dINPUAsjLdejqaLsCeg8axcLjIbvBjN4pQ==} + engines: {node: '>=0.10.0'} + dev: true + + /path-root@0.1.1: + resolution: {integrity: sha512-QLcPegTHF11axjfojBIoDygmS2E3Lf+8+jI6wOVmNVenrKSo3mFdSGiIgdSHenczw3wPtlVMQaFVwGmM7BJdtg==} + engines: {node: '>=0.10.0'} + dependencies: + path-root-regex: 0.1.2 + dev: true + + /path-scurry@1.10.1: + resolution: {integrity: sha512-MkhCqzzBEpPvxxQ71Md0b1Kk51W01lrYvlMzSUaIzNsODdd7mqhiimSZlr+VegAz5Z6Vzt9Xg2ttE//XBhH3EQ==} + engines: {node: '>=16 || 14 >=14.17'} + dependencies: + lru-cache: 10.2.0 + minipass: 7.0.4 + dev: true + + /path-type@4.0.0: + resolution: {integrity: sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==} + engines: {node: '>=8'} + dev: true + + /picocolors@1.0.0: + resolution: {integrity: sha512-1fygroTLlHu66zi26VoTDv8yRgm0Fccecssto+MhsZ0D/DGW2sm8E8AjW7NU5VVTRt5GxbeZ5qBuJr+HyLYkjQ==} + + /picomatch@2.3.1: + resolution: {integrity: sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==} + engines: {node: '>=8.6'} + dev: true + + /pify@2.3.0: + resolution: {integrity: sha512-udgsAY+fTnvv7kI7aaxbqwWNb0AHiB0qBO89PZKPkoTmGOgdbrHDKD+0B2X4uTfJ/FT1R09r9gTsjUjNJotuog==} + engines: {node: '>=0.10.0'} + dev: true + + /pirates@4.0.6: + resolution: {integrity: sha512-saLsH7WeYYPiD25LDuLRRY/i+6HaPYr6G1OUlN39otzkSTxKnubR9RTxS3/Kk50s1g2JTgFwWQDQyplC5/SHZg==} + engines: {node: '>= 6'} + dev: true + + /possible-typed-array-names@1.0.0: + resolution: {integrity: sha512-d7Uw+eZoloe0EHDIYoe+bQ5WXnGMOpmiZFTuMWCwpjzzkL2nTjcKiAk4hh8TjnGye2TwWOk3UXucZ+3rbmBa8Q==} + engines: {node: '>= 0.4'} + dev: true + + /postcss-import@15.1.0(postcss@8.4.35): + resolution: {integrity: sha512-hpr+J05B2FVYUAXHeK1YyI267J/dDDhMU6B6civm8hSY1jYJnBXxzKDKDswzJmtLHryrjhnDjqqp/49t8FALew==} + engines: {node: '>=14.0.0'} + peerDependencies: + postcss: ^8.0.0 + dependencies: + postcss: 8.4.35 + postcss-value-parser: 4.2.0 + read-cache: 1.0.0 + resolve: 1.22.8 + dev: true + + /postcss-js@4.0.1(postcss@8.4.35): + resolution: {integrity: sha512-dDLF8pEO191hJMtlHFPRa8xsizHaM82MLfNkUHdUtVEV3tgTp5oj+8qbEqYM57SLfc74KSbw//4SeJma2LRVIw==} + engines: {node: ^12 || ^14 || >= 16} + peerDependencies: + postcss: ^8.4.21 + dependencies: + camelcase-css: 2.0.1 + postcss: 8.4.35 + dev: true + + /postcss-load-config@4.0.2(postcss@8.4.35): + resolution: {integrity: sha512-bSVhyJGL00wMVoPUzAVAnbEoWyqRxkjv64tUl427SKnPrENtq6hJwUojroMz2VB+Q1edmi4IfrAPpami5VVgMQ==} + engines: {node: '>= 14'} + peerDependencies: + postcss: '>=8.0.9' + ts-node: '>=9.0.0' + peerDependenciesMeta: + postcss: + optional: true + ts-node: + optional: true + dependencies: + lilconfig: 3.1.1 + postcss: 8.4.35 + yaml: 2.4.0 + dev: true + + /postcss-nested@6.0.1(postcss@8.4.35): + resolution: {integrity: sha512-mEp4xPMi5bSWiMbsgoPfcP74lsWLHkQbZc3sY+jWYd65CUwXrUaTp0fmNpa01ZcETKlIgUdFN/MpS2xZtqL9dQ==} + engines: {node: '>=12.0'} + peerDependencies: + postcss: ^8.2.14 + dependencies: + postcss: 8.4.35 + postcss-selector-parser: 6.0.15 + dev: true + + /postcss-selector-parser@6.0.15: + resolution: {integrity: sha512-rEYkQOMUCEMhsKbK66tbEU9QVIxbhN18YiniAwA7XQYTVBqrBy+P2p5JcdqsHgKM2zWylp8d7J6eszocfds5Sw==} + engines: {node: '>=4'} + dependencies: + cssesc: 3.0.0 + util-deprecate: 1.0.2 + dev: true + + /postcss-value-parser@4.2.0: + resolution: {integrity: sha512-1NNCs6uurfkVbeXG4S8JFT9t19m45ICnif8zWLd5oPSZ50QnwMfK+H3jv408d4jw/7Bttv5axS5IiHoLaVNHeQ==} + dev: true + + /postcss@8.4.31: + resolution: {integrity: sha512-PS08Iboia9mts/2ygV3eLpY5ghnUcfLV/EXTOW1E2qYxJKGGBUtNjN76FYHnMs36RmARn41bC0AZmn+rR0OVpQ==} + engines: {node: ^10 || ^12 || >=14} + dependencies: + nanoid: 3.3.7 + picocolors: 1.0.0 + source-map-js: 1.0.2 + dev: false + + /postcss@8.4.35: + resolution: {integrity: sha512-u5U8qYpBCpN13BsiEB0CbR1Hhh4Gc0zLFuedrHJKMctHCHAGrMdG0PRM/KErzAL3CU6/eckEtmHNB3x6e3c0vA==} + engines: {node: ^10 || ^12 || >=14} + dependencies: + nanoid: 3.3.7 + picocolors: 1.0.0 + source-map-js: 1.0.2 + dev: true + + /prelude-ls@1.2.1: + resolution: {integrity: sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==} + engines: {node: '>= 0.8.0'} + dev: true + + /prettier@3.2.5: + resolution: {integrity: sha512-3/GWa9aOC0YeD7LUfvOG2NiDyhOWRvt1k+rcKhOuYnMY24iiCphgneUfJDyFXd6rZCAnuLBv6UeAULtrhT/F4A==} + engines: {node: '>=14'} + hasBin: true + dev: true + + /promise@7.3.1: + resolution: {integrity: sha512-nolQXZ/4L+bP/UGlkfaIujX9BKxGwmQ9OT4mOt5yvy8iK1h3wqTEJCijzGANTCCl9nWjY41juyAn2K3Q1hLLTg==} + dependencies: + asap: 2.0.6 + dev: true + + /prop-types@15.8.1: + resolution: {integrity: sha512-oj87CgZICdulUohogVAR7AjlC0327U4el4L6eAvOqCeudMDVU0NThNaV+b9Df4dXgSP1gXMTnPdhfe/2qDH5cg==} + dependencies: + loose-envify: 1.4.0 + object-assign: 4.1.1 + react-is: 16.13.1 + + /punycode@1.4.1: + resolution: {integrity: sha512-jmYNElW7yvO7TV33CjSmvSiE2yco3bV2czu/OzDKdMNVZQWfxCblURLhf+47syQRBntjfLdd/H0egrzIG+oaFQ==} + dev: true + + /punycode@2.3.1: + resolution: {integrity: sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg==} + engines: {node: '>=6'} + dev: true + + /pvtsutils@1.3.5: + resolution: {integrity: sha512-ARvb14YB9Nm2Xi6nBq1ZX6dAM0FsJnuk+31aUp4TrcZEdKUlSqOqsxJHUPJDNE3qiIp+iUPEIeR6Je/tgV7zsA==} + dependencies: + tslib: 2.6.2 + dev: true + + /pvutils@1.1.3: + resolution: {integrity: sha512-pMpnA0qRdFp32b1sJl1wOJNxZLQ2cbQx+k6tjNtZ8CpvVhNqEPRgivZ2WOUev2YMajecdH7ctUPDvEe87nariQ==} + engines: {node: '>=6.0.0'} + dev: true + + /queue-microtask@1.2.3: + resolution: {integrity: sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==} + dev: true + + /react-dom@18.2.0(react@18.2.0): + resolution: {integrity: sha512-6IMTriUmvsjHUjNtEDudZfuDQUoWXVxKHhlEGSk81n4YFS+r/Kl99wXiwlVXtPBtJenozv2P+hxDsw9eA7Xo6g==} + peerDependencies: + react: ^18.2.0 + dependencies: + loose-envify: 1.4.0 + react: 18.2.0 + scheduler: 0.23.0 + dev: false + + /react-is@16.13.1: + resolution: {integrity: sha512-24e6ynE2H+OKt4kqsOvNd8kBpV65zoxbA4BVsEOB3ARVWQki/DHzaUoC5KuON/BiccDaCCTZBuOcfZs70kR8bQ==} + + /react@18.2.0: + resolution: {integrity: sha512-/3IjMdb2L9QbBdWiW5e3P2/npwMBaU9mHCSCUzNln0ZCYbcfTsGbTJrU/kGemdH2IWmB2ioZ+zkxtmq6g09fGQ==} + engines: {node: '>=0.10.0'} + dependencies: + loose-envify: 1.4.0 + dev: false + + /read-cache@1.0.0: + resolution: {integrity: sha512-Owdv/Ft7IjOgm/i0xvNDZ1LrRANRfew4b2prF3OWMQLxLfu3bS8FVhCsrSCMK4lR56Y9ya+AThoTpDCTxCmpRA==} + dependencies: + pify: 2.3.0 + dev: true + + /readable-stream@3.6.2: + resolution: {integrity: sha512-9u/sniCrY3D5WdsERHzHE4G2YCXqoG5FTHUiCC4SIbr6XcLZBY05ya9EKjYek9O5xOAwjGq+1JdGBAS7Q9ScoA==} + engines: {node: '>= 6'} + dependencies: + inherits: 2.0.4 + string_decoder: 1.3.0 + util-deprecate: 1.0.2 + dev: true + + /readdirp@3.6.0: + resolution: {integrity: sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==} + engines: {node: '>=8.10.0'} + dependencies: + picomatch: 2.3.1 + dev: true + + /reflect.getprototypeof@1.0.5: + resolution: {integrity: sha512-62wgfC8dJWrmxv44CA36pLDnP6KKl3Vhxb7PL+8+qrrFMMoJij4vgiMP8zV4O8+CBMXY1mHxI5fITGHXFHVmQQ==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + define-properties: 1.2.1 + es-abstract: 1.22.5 + es-errors: 1.3.0 + get-intrinsic: 1.2.4 + globalthis: 1.0.3 + which-builtin-type: 1.1.3 + dev: true + + /regenerator-runtime@0.14.1: + resolution: {integrity: sha512-dYnhHh0nJoMfnkZs6GmmhFknAGRrLznOu5nc9ML+EJxGvrx6H7teuevqVqCuPcPK//3eDrrjQhehXVx9cnkGdw==} + dev: true + + /regexp.prototype.flags@1.5.2: + resolution: {integrity: sha512-NcDiDkTLuPR+++OCKB0nWafEmhg/Da8aUPLPMQbK+bxKKCm1/S5he+AqYa4PlMCVBalb4/yxIRub6qkEx5yJbw==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + define-properties: 1.2.1 + es-errors: 1.3.0 + set-function-name: 2.0.2 + dev: true + + /rehackt@0.0.5(@types/react@18.2.61)(react@18.2.0): + resolution: {integrity: sha512-BI1rV+miEkaHj8zd2n+gaMgzu/fKz7BGlb4zZ6HAiY9adDmJMkaDcmuXlJFv0eyKUob+oszs3/2gdnXUrzx2Tg==} + peerDependencies: + '@types/react': '*' + react: '*' + peerDependenciesMeta: + '@types/react': + optional: true + react: + optional: true + dependencies: + '@types/react': 18.2.61 + react: 18.2.0 + dev: false + + /relay-runtime@12.0.0: + resolution: {integrity: sha512-QU6JKr1tMsry22DXNy9Whsq5rmvwr3LSZiiWV/9+DFpuTWvp+WFhobWMc8TC4OjKFfNhEZy7mOiqUAn5atQtug==} + dependencies: + '@babel/runtime': 7.24.0 + fbjs: 3.0.5 + invariant: 2.2.4 + transitivePeerDependencies: + - encoding + dev: true + + /remedial@1.0.8: + resolution: {integrity: sha512-/62tYiOe6DzS5BqVsNpH/nkGlX45C/Sp6V+NtiN6JQNS1Viay7cWkazmRkrQrdFj2eshDe96SIQNIoMxqhzBOg==} + dev: true + + /remove-trailing-separator@1.1.0: + resolution: {integrity: sha512-/hS+Y0u3aOfIETiaiirUFwDBDzmXPvO+jAfKTitUngIPzdKc6Z0LoFjM/CK5PL4C+eKwHohlHAb6H0VFfmmUsw==} + dev: true + + /remove-trailing-spaces@1.0.8: + resolution: {integrity: sha512-O3vsMYfWighyFbTd8hk8VaSj9UAGENxAtX+//ugIst2RMk5e03h6RoIS+0ylsFxY1gvmPuAY/PO4It+gPEeySA==} + dev: true + + /require-directory@2.1.1: + resolution: {integrity: sha512-fGxEI7+wsG9xrvdjsrlmL22OMTTiHRwAMroiEeMgq8gzoLC/PQr7RsRDSTLUg/bZAZtF+TVIkHc6/4RIKrui+Q==} + engines: {node: '>=0.10.0'} + dev: true + + /require-main-filename@2.0.0: + resolution: {integrity: sha512-NKN5kMDylKuldxYLSUfrbo5Tuzh4hd+2E8NPPX02mZtn1VuREQToYe/ZdlJy+J3uCpfaiGF05e7B8W0iXbQHmg==} + dev: true + + /resolve-from@4.0.0: + resolution: {integrity: sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==} + engines: {node: '>=4'} + dev: true + + /resolve-from@5.0.0: + resolution: {integrity: sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==} + engines: {node: '>=8'} + dev: true + + /resolve-pkg-maps@1.0.0: + resolution: {integrity: sha512-seS2Tj26TBVOC2NIc2rOe2y2ZO7efxITtLZcGSOnHHNOQ7CkiUBfw0Iw2ck6xkIhPwLhKNLS8BO+hEpngQlqzw==} + dev: true + + /resolve@1.22.8: + resolution: {integrity: sha512-oKWePCxqpd6FlLvGV1VU0x7bkPmmCNolxzjMf4NczoDnQcIWrAF+cPtZn5i6n+RfD2d9i0tzpKnG6Yk168yIyw==} + hasBin: true + dependencies: + is-core-module: 2.13.1 + path-parse: 1.0.7 + supports-preserve-symlinks-flag: 1.0.0 + dev: true + + /resolve@2.0.0-next.5: + resolution: {integrity: sha512-U7WjGVG9sH8tvjW5SmGbQuui75FiyjAX72HX15DwBBwF9dNiQZRQAg9nnPhYy+TUnE0+VcrttuvNI8oSxZcocA==} + hasBin: true + dependencies: + is-core-module: 2.13.1 + path-parse: 1.0.7 + supports-preserve-symlinks-flag: 1.0.0 + dev: true + + /response-iterator@0.2.6: + resolution: {integrity: sha512-pVzEEzrsg23Sh053rmDUvLSkGXluZio0qu8VT6ukrYuvtjVfCbDZH9d6PGXb8HZfzdNZt8feXv/jvUzlhRgLnw==} + engines: {node: '>=0.8'} + dev: false + + /restore-cursor@3.1.0: + resolution: {integrity: sha512-l+sSefzHpj5qimhFSE5a8nufZYAM3sBSVMAPtYkmC+4EH2anSGaEMXSD0izRQbu9nfyQ9y5JrVmp7E8oZrUjvA==} + engines: {node: '>=8'} + dependencies: + onetime: 5.1.2 + signal-exit: 3.0.7 + dev: true + + /reusify@1.0.4: + resolution: {integrity: sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==} + engines: {iojs: '>=1.0.0', node: '>=0.10.0'} + dev: true + + /rfdc@1.3.1: + resolution: {integrity: sha512-r5a3l5HzYlIC68TpmYKlxWjmOP6wiPJ1vWv2HeLhNsRZMrCkxeqxiHlQ21oXmQ4F3SiryXBHhAD7JZqvOJjFmg==} + dev: true + + /rimraf@3.0.2: + resolution: {integrity: sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==} + hasBin: true + dependencies: + glob: 7.2.3 + dev: true + + /run-async@2.4.1: + resolution: {integrity: sha512-tvVnVv01b8c1RrA6Ep7JkStj85Guv/YrMcwqYQnwjsAS2cTmmPGBBjAjpCW7RrSodNSoE2/qg9O4bceNvUuDgQ==} + engines: {node: '>=0.12.0'} + dev: true + + /run-parallel@1.2.0: + resolution: {integrity: sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==} + dependencies: + queue-microtask: 1.2.3 + dev: true + + /rxjs@7.8.1: + resolution: {integrity: sha512-AA3TVj+0A2iuIoQkWEK/tqFjBq2j+6PO6Y0zJcvzLAFhEFIO3HL0vls9hWLncZbAAbK0mar7oZ4V079I/qPMxg==} + dependencies: + tslib: 2.6.2 + dev: true + + /safe-array-concat@1.1.0: + resolution: {integrity: sha512-ZdQ0Jeb9Ofti4hbt5lX3T2JcAamT9hfzYU1MNB+z/jaEbB6wfFfPIR/zEORmZqobkCCJhSjodobH6WHNmJ97dg==} + engines: {node: '>=0.4'} + dependencies: + call-bind: 1.0.7 + get-intrinsic: 1.2.4 + has-symbols: 1.0.3 + isarray: 2.0.5 + dev: true + + /safe-buffer@5.2.1: + resolution: {integrity: sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==} + dev: true + + /safe-regex-test@1.0.3: + resolution: {integrity: sha512-CdASjNJPvRa7roO6Ra/gLYBTzYzzPyyBXxIMdGW3USQLyjWEls2RgW5UBTXaQVp+OrpeCK3bLem8smtmheoRuw==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + es-errors: 1.3.0 + is-regex: 1.1.4 + dev: true + + /safer-buffer@2.1.2: + resolution: {integrity: sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==} + dev: true + + /scheduler@0.23.0: + resolution: {integrity: sha512-CtuThmgHNg7zIZWAXi3AsyIzA3n4xx7aNyjwC2VJldO2LMVDhFK+63xGqq6CsJH4rTAt6/M+N4GhZiDYPx9eUw==} + dependencies: + loose-envify: 1.4.0 + dev: false + + /scuid@1.1.0: + resolution: {integrity: sha512-MuCAyrGZcTLfQoH2XoBlQ8C6bzwN88XT/0slOGz0pn8+gIP85BOAfYa44ZXQUTOwRwPU0QvgU+V+OSajl/59Xg==} + dev: true + + /semver@6.3.1: + resolution: {integrity: sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==} + hasBin: true + + /semver@7.6.0: + resolution: {integrity: sha512-EnwXhrlwXMk9gKu5/flx5sv/an57AkRplG3hTK68W7FRDN+k+OWBj65M7719OkA82XLBxrcX0KSHj+X5COhOVg==} + engines: {node: '>=10'} + hasBin: true + dependencies: + lru-cache: 6.0.0 + dev: true + + /sentence-case@3.0.4: + resolution: {integrity: sha512-8LS0JInaQMCRoQ7YUytAo/xUu5W2XnQxV2HI/6uM6U7CITS1RqPElr30V6uIqyMKM9lJGRVFy5/4CuzcixNYSg==} + dependencies: + no-case: 3.0.4 + tslib: 2.6.2 + upper-case-first: 2.0.2 + dev: true + + /server-only@0.0.1: + resolution: {integrity: sha512-qepMx2JxAa5jjfzxG79yPPq+8BuFToHd1hm7kI+Z4zAq1ftQiP7HcxMhDDItrbtwVeLg/cY2JnKnrcFkmiswNA==} + dev: false + + /set-blocking@2.0.0: + resolution: {integrity: sha512-KiKBS8AnWGEyLzofFfmvKwpdPzqiy16LvQfK3yv/fVH7Bj13/wl3JSR1J+rfgRE9q7xUJK4qvgS8raSOeLUehw==} + dev: true + + /set-function-length@1.2.1: + resolution: {integrity: sha512-j4t6ccc+VsKwYHso+kElc5neZpjtq9EnRICFZtWyBsLojhmeF/ZBd/elqm22WJh/BziDe/SBiOeAt0m2mfLD0g==} + engines: {node: '>= 0.4'} + dependencies: + define-data-property: 1.1.4 + es-errors: 1.3.0 + function-bind: 1.1.2 + get-intrinsic: 1.2.4 + gopd: 1.0.1 + has-property-descriptors: 1.0.2 + dev: true + + /set-function-name@2.0.2: + resolution: {integrity: sha512-7PGFlmtwsEADb0WYyvCMa1t+yke6daIG4Wirafur5kcf+MhUnPms1UeR0CKQdTZD81yESwMHbtn+TR+dMviakQ==} + engines: {node: '>= 0.4'} + dependencies: + define-data-property: 1.1.4 + es-errors: 1.3.0 + functions-have-names: 1.2.3 + has-property-descriptors: 1.0.2 + dev: true + + /setimmediate@1.0.5: + resolution: {integrity: sha512-MATJdZp8sLqDl/68LfQmbP8zKPLQNV6BIZoIgrscFDQ+RsvK/BxeDQOgyxKKoh0y/8h3BqVFnCqQ/gd+reiIXA==} + dev: true + + /shebang-command@2.0.0: + resolution: {integrity: sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==} + engines: {node: '>=8'} + dependencies: + shebang-regex: 3.0.0 + dev: true + + /shebang-regex@3.0.0: + resolution: {integrity: sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==} + engines: {node: '>=8'} + dev: true + + /shell-quote@1.8.1: + resolution: {integrity: sha512-6j1W9l1iAs/4xYBI1SYOVZyFcCis9b4KCLQ8fgAGG07QvzaRLVVRQvAy85yNmmZSjYjg4MWh4gNvlPujU/5LpA==} + dev: true + + /side-channel@1.0.6: + resolution: {integrity: sha512-fDW/EZ6Q9RiO8eFG8Hj+7u/oW+XrPTIChwCOM2+th2A6OblDtYYIpve9m+KvI9Z4C9qSEXlaGR6bTEYHReuglA==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + es-errors: 1.3.0 + get-intrinsic: 1.2.4 + object-inspect: 1.13.1 + dev: true + + /signal-exit@3.0.7: + resolution: {integrity: sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==} + dev: true + + /signal-exit@4.1.0: + resolution: {integrity: sha512-bzyZ1e88w9O1iNJbKnOlvYTrWPDl46O1bG0D3XInv+9tkPrxrN8jUUTiFlDkkmKWgn1M6CfIA13SuGqOa9Korw==} + engines: {node: '>=14'} + dev: true + + /signedsource@1.0.0: + resolution: {integrity: sha512-6+eerH9fEnNmi/hyM1DXcRK3pWdoMQtlkQ+ns0ntzunjKqp5i3sKCc80ym8Fib3iaYhdJUOPdhlJWj1tvge2Ww==} + dev: true + + /slash@3.0.0: + resolution: {integrity: sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==} + engines: {node: '>=8'} + dev: true + + /slice-ansi@3.0.0: + resolution: {integrity: sha512-pSyv7bSTC7ig9Dcgbw9AuRNUb5k5V6oDudjZoMBSr13qpLBG7tB+zgCkARjq7xIUgdz5P1Qe8u+rSGdouOOIyQ==} + engines: {node: '>=8'} + dependencies: + ansi-styles: 4.3.0 + astral-regex: 2.0.0 + is-fullwidth-code-point: 3.0.0 + dev: true + + /slice-ansi@4.0.0: + resolution: {integrity: sha512-qMCMfhY040cVHT43K9BFygqYbUPFZKHOg7K73mtTWJRb8pyP3fzf4Ixd5SzdEJQ6MRUg/WBnOLxghZtKKurENQ==} + engines: {node: '>=10'} + dependencies: + ansi-styles: 4.3.0 + astral-regex: 2.0.0 + is-fullwidth-code-point: 3.0.0 + dev: true + + /snake-case@3.0.4: + resolution: {integrity: sha512-LAOh4z89bGQvl9pFfNF8V146i7o7/CqFPbqzYgP+yYzDIDeS9HaNFtXABamRW+AQzEVODcvE79ljJ+8a9YSdMg==} + dependencies: + dot-case: 3.0.4 + tslib: 2.6.2 + dev: true + + /source-map-js@1.0.2: + resolution: {integrity: sha512-R0XvVJ9WusLiqTCEiGCmICCMplcCkIwwR11mOSD9CR5u+IXYdiseeEuXCVAjS54zqwkLcPNnmU4OeJ6tUrWhDw==} + engines: {node: '>=0.10.0'} + + /sponge-case@1.0.1: + resolution: {integrity: sha512-dblb9Et4DAtiZ5YSUZHLl4XhH4uK80GhAZrVXdN4O2P4gQ40Wa5UIOPUHlA/nFd2PLblBZWUioLMMAVrgpoYcA==} + dependencies: + tslib: 2.6.2 + dev: true + + /streamsearch@1.1.0: + resolution: {integrity: sha512-Mcc5wHehp9aXz1ax6bZUyY5afg9u2rv5cqQI3mRrYkGC8rW2hM02jWuwjtL++LS5qinSyhj2QfLyNsuc+VsExg==} + engines: {node: '>=10.0.0'} + + /string-env-interpolation@1.0.1: + resolution: {integrity: sha512-78lwMoCcn0nNu8LszbP1UA7g55OeE4v7rCeWnM5B453rnNr4aq+5it3FEYtZrSEiMvHZOZ9Jlqb0OD0M2VInqg==} + dev: true + + /string-width@4.2.3: + resolution: {integrity: sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==} + engines: {node: '>=8'} + dependencies: + emoji-regex: 8.0.0 + is-fullwidth-code-point: 3.0.0 + strip-ansi: 6.0.1 + dev: true + + /string-width@5.1.2: + resolution: {integrity: sha512-HnLOCR3vjcY8beoNLtcjZ5/nxn2afmME6lhrDrebokqMap+XbeW8n9TXpPDOqdGK5qcI3oT0GKTW6wC7EMiVqA==} + engines: {node: '>=12'} + dependencies: + eastasianwidth: 0.2.0 + emoji-regex: 9.2.2 + strip-ansi: 7.1.0 + dev: true + + /string.prototype.matchall@4.0.10: + resolution: {integrity: sha512-rGXbGmOEosIQi6Qva94HUjgPs9vKW+dkG7Y8Q5O2OYkWL6wFaTRZO8zM4mhP94uX55wgyrXzfS2aGtGzUL7EJQ==} + dependencies: + call-bind: 1.0.7 + define-properties: 1.2.1 + es-abstract: 1.22.5 + get-intrinsic: 1.2.4 + has-symbols: 1.0.3 + internal-slot: 1.0.7 + regexp.prototype.flags: 1.5.2 + set-function-name: 2.0.2 + side-channel: 1.0.6 + dev: true + + /string.prototype.trim@1.2.8: + resolution: {integrity: sha512-lfjY4HcixfQXOfaqCvcBuOIapyaroTXhbkfJN3gcB1OtyupngWK4sEET9Knd0cXd28kTUqu/kHoV4HKSJdnjiQ==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + define-properties: 1.2.1 + es-abstract: 1.22.5 + dev: true + + /string.prototype.trimend@1.0.7: + resolution: {integrity: sha512-Ni79DqeB72ZFq1uH/L6zJ+DKZTkOtPIHovb3YZHQViE+HDouuU4mBrLOLDn5Dde3RF8qw5qVETEjhu9locMLvA==} + dependencies: + call-bind: 1.0.7 + define-properties: 1.2.1 + es-abstract: 1.22.5 + dev: true + + /string.prototype.trimstart@1.0.7: + resolution: {integrity: sha512-NGhtDFu3jCEm7B4Fy0DpLewdJQOZcQ0rGbwQ/+stjnrp2i+rlKeCvos9hOIeCmqwratM47OBxY7uFZzjxHXmrg==} + dependencies: + call-bind: 1.0.7 + define-properties: 1.2.1 + es-abstract: 1.22.5 + dev: true + + /string_decoder@1.3.0: + resolution: {integrity: sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA==} + dependencies: + safe-buffer: 5.2.1 + dev: true + + /strip-ansi@6.0.1: + resolution: {integrity: sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==} + engines: {node: '>=8'} + dependencies: + ansi-regex: 5.0.1 + dev: true + + /strip-ansi@7.1.0: + resolution: {integrity: sha512-iq6eVVI64nQQTRYq2KtEg2d2uU7LElhTJwsH4YzIHZshxlgZms/wIc4VoDQTlG/IvVIrBKG06CrZnp0qv7hkcQ==} + engines: {node: '>=12'} + dependencies: + ansi-regex: 6.0.1 + dev: true + + /strip-bom@3.0.0: + resolution: {integrity: sha512-vavAMRXOgBVNF6nyEEmL3DBK19iRpDcoIwW+swQ+CbGiu7lju6t+JklA1MHweoWtadgt4ISVUsXLyDq34ddcwA==} + engines: {node: '>=4'} + dev: true + + /strip-json-comments@3.1.1: + resolution: {integrity: sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==} + engines: {node: '>=8'} + dev: true + + /styled-jsx@5.1.1(@babel/core@7.24.0)(react@18.2.0): + resolution: {integrity: sha512-pW7uC1l4mBZ8ugbiZrcIsiIvVx1UmTfw7UkC3Um2tmfUq9Bhk8IiyEIPl6F8agHgjzku6j0xQEZbfA5uSgSaCw==} + engines: {node: '>= 12.0.0'} + peerDependencies: + '@babel/core': '*' + babel-plugin-macros: '*' + react: '>= 16.8.0 || 17.x.x || ^18.0.0-0' + peerDependenciesMeta: + '@babel/core': + optional: true + babel-plugin-macros: + optional: true + dependencies: + '@babel/core': 7.24.0 + client-only: 0.0.1 + react: 18.2.0 + dev: false + + /sucrase@3.35.0: + resolution: {integrity: sha512-8EbVDiu9iN/nESwxeSxDKe0dunta1GOlHufmSSXxMD2z2/tMZpDMpvXQGsc+ajGo8y2uYUmixaSRUc/QPoQ0GA==} + engines: {node: '>=16 || 14 >=14.17'} + hasBin: true + dependencies: + '@jridgewell/gen-mapping': 0.3.5 + commander: 4.1.1 + glob: 10.3.10 + lines-and-columns: 1.2.4 + mz: 2.7.0 + pirates: 4.0.6 + ts-interface-checker: 0.1.13 + dev: true + + /superjson@2.2.1: + resolution: {integrity: sha512-8iGv75BYOa0xRJHK5vRLEjE2H/i4lulTjzpUXic3Eg8akftYjkmQDa8JARQ42rlczXyFR3IeRoeFCc7RxHsYZA==} + engines: {node: '>=16'} + dependencies: + copy-anything: 3.0.5 + dev: false + + /supports-color@5.5.0: + resolution: {integrity: sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==} + engines: {node: '>=4'} + dependencies: + has-flag: 3.0.0 + + /supports-color@7.2.0: + resolution: {integrity: sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==} + engines: {node: '>=8'} + dependencies: + has-flag: 4.0.0 + dev: true + + /supports-preserve-symlinks-flag@1.0.0: + resolution: {integrity: sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==} + engines: {node: '>= 0.4'} + dev: true + + /swap-case@2.0.2: + resolution: {integrity: sha512-kc6S2YS/2yXbtkSMunBtKdah4VFETZ8Oh6ONSmSd9bRxhqTrtARUCBUiWXH3xVPpvR7tz2CSnkuXVE42EcGnMw==} + dependencies: + tslib: 2.6.2 + dev: true + + /symbol-observable@4.0.0: + resolution: {integrity: sha512-b19dMThMV4HVFynSAM1++gBHAbk2Tc/osgLIBZMKsyqh34jb2e8Os7T6ZW/Bt3pJFdBTd2JwAnAAEQV7rSNvcQ==} + engines: {node: '>=0.10'} + dev: false + + /tailwindcss@3.4.1: + resolution: {integrity: sha512-qAYmXRfk3ENzuPBakNK0SRrUDipP8NQnEY6772uDhflcQz5EhRdD7JNZxyrFHVQNCwULPBn6FNPp9brpO7ctcA==} + engines: {node: '>=14.0.0'} + hasBin: true + dependencies: + '@alloc/quick-lru': 5.2.0 + arg: 5.0.2 + chokidar: 3.6.0 + didyoumean: 1.2.2 + dlv: 1.1.3 + fast-glob: 3.3.2 + glob-parent: 6.0.2 + is-glob: 4.0.3 + jiti: 1.21.0 + lilconfig: 2.1.0 + micromatch: 4.0.5 + normalize-path: 3.0.0 + object-hash: 3.0.0 + picocolors: 1.0.0 + postcss: 8.4.35 + postcss-import: 15.1.0(postcss@8.4.35) + postcss-js: 4.0.1(postcss@8.4.35) + postcss-load-config: 4.0.2(postcss@8.4.35) + postcss-nested: 6.0.1(postcss@8.4.35) + postcss-selector-parser: 6.0.15 + resolve: 1.22.8 + sucrase: 3.35.0 + transitivePeerDependencies: + - ts-node + dev: true + + /tapable@2.2.1: + resolution: {integrity: sha512-GNzQvQTOIP6RyTfE2Qxb8ZVlNmw0n88vp1szwWRimP02mnTsx3Wtn5qRdqY9w2XduFNUgvOwhNnQsjwCp+kqaQ==} + engines: {node: '>=6'} + dev: true + + /text-table@0.2.0: + resolution: {integrity: sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==} + dev: true + + /thenify-all@1.6.0: + resolution: {integrity: sha512-RNxQH/qI8/t3thXJDwcstUO4zeqo64+Uy/+sNVRBx4Xn2OX+OZ9oP+iJnNFqplFra2ZUVeKCSa2oVWi3T4uVmA==} + engines: {node: '>=0.8'} + dependencies: + thenify: 3.3.1 + dev: true + + /thenify@3.3.1: + resolution: {integrity: sha512-RVZSIV5IG10Hk3enotrhvz0T9em6cyHBLkH/YAZuKqd8hRkKhSfCGIcP2KUY0EPxndzANBmNllzWPwak+bheSw==} + dependencies: + any-promise: 1.3.0 + dev: true + + /through@2.3.8: + resolution: {integrity: sha512-w89qg7PI8wAdvX60bMDP+bFoD5Dvhm9oLheFp5O4a2QF0cSBGsBX4qZmadPMvVqlLJBBci+WqGGOAPvcDeNSVg==} + dev: true + + /title-case@3.0.3: + resolution: {integrity: sha512-e1zGYRvbffpcHIrnuqT0Dh+gEJtDaxDSoG4JAIpq4oDFyooziLBIiYQv0GBT4FUAnUop5uZ1hiIAj7oAF6sOCA==} + dependencies: + tslib: 2.6.2 + dev: true + + /tmp@0.0.33: + resolution: {integrity: sha512-jRCJlojKnZ3addtTOjdIqoRuPEKBvNXcGYqzO6zWZX8KfKEpnGY5jfggJQ3EjKuu8D4bJRr0y+cYJFmYbImXGw==} + engines: {node: '>=0.6.0'} + dependencies: + os-tmpdir: 1.0.2 + dev: true + + /to-fast-properties@2.0.0: + resolution: {integrity: sha512-/OaKK0xYrs3DmxRYqL/yDc+FxFUVYhDlXMhRmv3z915w2HF1tnN1omB354j8VUGO/hbRzyD6Y3sA7v7GS/ceog==} + engines: {node: '>=4'} + + /to-regex-range@5.0.1: + resolution: {integrity: sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==} + engines: {node: '>=8.0'} + dependencies: + is-number: 7.0.0 + dev: true + + /tr46@0.0.3: + resolution: {integrity: sha512-N3WMsuqV66lT30CrXNbEjx4GEwlow3v6rr4mCcv6prnfwhS01rkgyFdjPNBYd9br7LpXV1+Emh01fHnq2Gdgrw==} + dev: true + + /ts-api-utils@1.2.1(typescript@5.3.3): + resolution: {integrity: sha512-RIYA36cJn2WiH9Hy77hdF9r7oEwxAtB/TS9/S4Qd90Ap4z5FSiin5zEiTL44OII1Y3IIlEvxwxFUVgrHSZ/UpA==} + engines: {node: '>=16'} + peerDependencies: + typescript: '>=4.2.0' + dependencies: + typescript: 5.3.3 + dev: true + + /ts-interface-checker@0.1.13: + resolution: {integrity: sha512-Y/arvbn+rrz3JCKl9C4kVNfTfSm2/mEp5FSz5EsZSANGPSlQrpRI5M4PKF+mJnE52jOO90PnPSc3Ur3bTQw0gA==} + dev: true + + /ts-invariant@0.10.3: + resolution: {integrity: sha512-uivwYcQaxAucv1CzRp2n/QdYPo4ILf9VXgH19zEIjFx2EJufV16P0JtJVpYHy89DItG6Kwj2oIUjrcK5au+4tQ==} + engines: {node: '>=8'} + dependencies: + tslib: 2.6.2 + dev: false + + /ts-log@2.2.5: + resolution: {integrity: sha512-PGcnJoTBnVGy6yYNFxWVNkdcAuAMstvutN9MgDJIV6L0oG8fB+ZNNy1T+wJzah8RPGor1mZuPQkVfXNDpy9eHA==} + dev: true + + /tsconfig-paths@3.15.0: + resolution: {integrity: sha512-2Ac2RgzDe/cn48GvOe3M+o82pEFewD3UPbyoUHHdKasHwJKjds4fLXWf/Ux5kATBKN20oaFGu+jbElp1pos0mg==} + dependencies: + '@types/json5': 0.0.29 + json5: 1.0.2 + minimist: 1.2.8 + strip-bom: 3.0.0 + dev: true + + /tslib@2.4.1: + resolution: {integrity: sha512-tGyy4dAjRIEwI7BzsB0lynWgOpfqjUdq91XXAlIWD2OwKBH7oCl/GZG/HT4BOHrTlPMOASlMQ7veyTqpmRcrNA==} + dev: true + + /tslib@2.6.2: + resolution: {integrity: sha512-AEYxH93jGFPn/a2iVAwW87VuUIkR1FVUKB77NwMF7nBTDkDrrT/Hpt/IrCJ0QXhW27jTBDcf5ZY7w6RiqTMw2Q==} + + /type-check@0.4.0: + resolution: {integrity: sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==} + engines: {node: '>= 0.8.0'} + dependencies: + prelude-ls: 1.2.1 + dev: true + + /type-fest@0.20.2: + resolution: {integrity: sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==} + engines: {node: '>=10'} + dev: true + + /type-fest@0.21.3: + resolution: {integrity: sha512-t0rzBq87m3fVcduHDUFhKmyyX+9eo6WQjZvf51Ea/M0Q7+T374Jp1aUiyUl0GKxp8M/OETVHSDvmkyPgvX+X2w==} + engines: {node: '>=10'} + dev: true + + /typed-array-buffer@1.0.2: + resolution: {integrity: sha512-gEymJYKZtKXzzBzM4jqa9w6Q1Jjm7x2d+sh19AdsD4wqnMPDYyvwpsIc2Q/835kHuo3BEQ7CjelGhfTsoBb2MQ==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + es-errors: 1.3.0 + is-typed-array: 1.1.13 + dev: true + + /typed-array-byte-length@1.0.1: + resolution: {integrity: sha512-3iMJ9q0ao7WE9tWcaYKIptkNBuOIcZCCT0d4MRvuuH88fEoEH62IuQe0OtraD3ebQEoTRk8XCBoknUNc1Y67pw==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + for-each: 0.3.3 + gopd: 1.0.1 + has-proto: 1.0.3 + is-typed-array: 1.1.13 + dev: true + + /typed-array-byte-offset@1.0.2: + resolution: {integrity: sha512-Ous0vodHa56FviZucS2E63zkgtgrACj7omjwd/8lTEMEPFFyjfixMZ1ZXenpgCFBBt4EC1J2XsyVS2gkG0eTFA==} + engines: {node: '>= 0.4'} + dependencies: + available-typed-arrays: 1.0.7 + call-bind: 1.0.7 + for-each: 0.3.3 + gopd: 1.0.1 + has-proto: 1.0.3 + is-typed-array: 1.1.13 + dev: true + + /typed-array-length@1.0.5: + resolution: {integrity: sha512-yMi0PlwuznKHxKmcpoOdeLwxBoVPkqZxd7q2FgMkmD3bNwvF5VW0+UlUQ1k1vmktTu4Yu13Q0RIxEP8+B+wloA==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + for-each: 0.3.3 + gopd: 1.0.1 + has-proto: 1.0.3 + is-typed-array: 1.1.13 + possible-typed-array-names: 1.0.0 + dev: true + + /typescript@5.3.3: + resolution: {integrity: sha512-pXWcraxM0uxAS+tN0AG/BF2TyqmHO014Z070UsJ+pFvYuRSq8KH8DmWpnbXe0pEPDHXZV3FcAbJkijJ5oNEnWw==} + engines: {node: '>=14.17'} + hasBin: true + dev: true + + /ua-parser-js@1.0.37: + resolution: {integrity: sha512-bhTyI94tZofjo+Dn8SN6Zv8nBDvyXTymAdM3LDI/0IboIUwTu1rEhW7v2TfiVsoYWgkQ4kOVqnI8APUFbIQIFQ==} + dev: true + + /unbox-primitive@1.0.2: + resolution: {integrity: sha512-61pPlCD9h51VoreyJ0BReideM3MDKMKnh6+V9L08331ipq6Q8OFXZYiqP6n/tbHx4s5I9uRhcye6BrbkizkBDw==} + dependencies: + call-bind: 1.0.7 + has-bigints: 1.0.2 + has-symbols: 1.0.3 + which-boxed-primitive: 1.0.2 + dev: true + + /unc-path-regex@0.1.2: + resolution: {integrity: sha512-eXL4nmJT7oCpkZsHZUOJo8hcX3GbsiDOa0Qu9F646fi8dT3XuSVopVqAcEiVzSKKH7UoDti23wNX3qGFxcW5Qg==} + engines: {node: '>=0.10.0'} + dev: true + + /undici-types@5.26.5: + resolution: {integrity: sha512-JlCMO+ehdEIKqlFxk6IfVoAUVmgz7cU7zD/h9XZ0qzeosSHmUJVOzSQvvYSYWXkFXC+IfLKSIffhv0sVZup6pA==} + dev: true + + /unixify@1.0.0: + resolution: {integrity: sha512-6bc58dPYhCMHHuwxldQxO3RRNZ4eCogZ/st++0+fcC1nr0jiGUtAdBJ2qzmLQWSxbtz42pWt4QQMiZ9HvZf5cg==} + engines: {node: '>=0.10.0'} + dependencies: + normalize-path: 2.1.1 + dev: true + + /update-browserslist-db@1.0.13(browserslist@4.23.0): + resolution: {integrity: sha512-xebP81SNcPuNpPP3uzeW1NYXxI3rxyJzF3pD6sH4jE7o/IX+WtSpwnVU+qIsDPyk0d3hmFQ7mjqc6AtV604hbg==} + hasBin: true + peerDependencies: + browserslist: '>= 4.21.0' + dependencies: + browserslist: 4.23.0 + escalade: 3.1.2 + picocolors: 1.0.0 + + /upper-case-first@2.0.2: + resolution: {integrity: sha512-514ppYHBaKwfJRK/pNC6c/OxfGa0obSnAl106u97Ed0I625Nin96KAjttZF6ZL3e1XLtphxnqrOi9iWgm+u+bg==} + dependencies: + tslib: 2.6.2 + dev: true + + /upper-case@2.0.2: + resolution: {integrity: sha512-KgdgDGJt2TpuwBUIjgG6lzw2GWFRCW9Qkfkiv0DxqHHLYJHmtmdUIKcZd8rHgFSjopVTlw6ggzCm1b8MFQwikg==} + dependencies: + tslib: 2.6.2 + dev: true + + /uri-js@4.4.1: + resolution: {integrity: sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==} + dependencies: + punycode: 2.3.1 + dev: true + + /urlpattern-polyfill@10.0.0: + resolution: {integrity: sha512-H/A06tKD7sS1O1X2SshBVeA5FLycRpjqiBeqGKmBwBDBy28EnRjORxTNe269KSSr5un5qyWi1iL61wLxpd+ZOg==} + dev: true + + /urlpattern-polyfill@8.0.2: + resolution: {integrity: sha512-Qp95D4TPJl1kC9SKigDcqgyM2VDVO4RiJc2d4qe5GrYm+zbIQCWWKAFaJNQ4BhdFeDGwBmAxqJBwWSJDb9T3BQ==} + dev: true + + /util-deprecate@1.0.2: + resolution: {integrity: sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==} + dev: true + + /value-or-promise@1.0.12: + resolution: {integrity: sha512-Z6Uz+TYwEqE7ZN50gwn+1LCVo9ZVrpxRPOhOLnncYkY1ZzOYtrX8Fwf/rFktZ8R5mJms6EZf5TqNOMeZmnPq9Q==} + engines: {node: '>=12'} + dev: true + + /wcwidth@1.0.1: + resolution: {integrity: sha512-XHPEwS0q6TaxcvG85+8EYkbiCux2XtWG2mkc47Ng2A77BQu9+DqIOJldST4HgPkuea7dvKSj5VgX3P1d4rW8Tg==} + dependencies: + defaults: 1.0.4 + dev: true + + /web-streams-polyfill@3.3.3: + resolution: {integrity: sha512-d2JWLCivmZYTSIoge9MsgFCZrt571BikcWGYkjC1khllbTeDlGqZ2D8vD8E/lJa8WGWbb7Plm8/XJYV7IJHZZw==} + engines: {node: '>= 8'} + dev: true + + /webcrypto-core@1.7.8: + resolution: {integrity: sha512-eBR98r9nQXTqXt/yDRtInszPMjTaSAMJAFDg2AHsgrnczawT1asx9YNBX6k5p+MekbPF4+s/UJJrr88zsTqkSg==} + dependencies: + '@peculiar/asn1-schema': 2.3.8 + '@peculiar/json-schema': 1.1.12 + asn1js: 3.0.5 + pvtsutils: 1.3.5 + tslib: 2.6.2 + dev: true + + /webidl-conversions@3.0.1: + resolution: {integrity: sha512-2JAn3z8AR6rjK8Sm8orRC0h/bcl/DqL7tRPdGZ4I1CjdF+EaMLmYxBHyXuKL849eucPFhvBoxMsflfOb8kxaeQ==} + dev: true + + /whatwg-url@5.0.0: + resolution: {integrity: sha512-saE57nupxk6v3HY35+jzBwYa0rKSy0XR8JSxZPwgLr7ys0IBzhGviA1/TUGJLmSVqs8pb9AnvICXEuOHLprYTw==} + dependencies: + tr46: 0.0.3 + webidl-conversions: 3.0.1 + dev: true + + /which-boxed-primitive@1.0.2: + resolution: {integrity: sha512-bwZdv0AKLpplFY2KZRX6TvyuN7ojjr7lwkg6ml0roIy9YeuSr7JS372qlNW18UQYzgYK9ziGcerWqZOmEn9VNg==} + dependencies: + is-bigint: 1.0.4 + is-boolean-object: 1.1.2 + is-number-object: 1.0.7 + is-string: 1.0.7 + is-symbol: 1.0.4 + dev: true + + /which-builtin-type@1.1.3: + resolution: {integrity: sha512-YmjsSMDBYsM1CaFiayOVT06+KJeXf0o5M/CAd4o1lTadFAtacTUM49zoYxr/oroopFDfhvN6iEcBxUyc3gvKmw==} + engines: {node: '>= 0.4'} + dependencies: + function.prototype.name: 1.1.6 + has-tostringtag: 1.0.2 + is-async-function: 2.0.0 + is-date-object: 1.0.5 + is-finalizationregistry: 1.0.2 + is-generator-function: 1.0.10 + is-regex: 1.1.4 + is-weakref: 1.0.2 + isarray: 2.0.5 + which-boxed-primitive: 1.0.2 + which-collection: 1.0.1 + which-typed-array: 1.1.14 + dev: true + + /which-collection@1.0.1: + resolution: {integrity: sha512-W8xeTUwaln8i3K/cY1nGXzdnVZlidBcagyNFtBdD5kxnb4TvGKR7FfSIS3mYpwWS1QUCutfKz8IY8RjftB0+1A==} + dependencies: + is-map: 2.0.2 + is-set: 2.0.2 + is-weakmap: 2.0.1 + is-weakset: 2.0.2 + dev: true + + /which-module@2.0.1: + resolution: {integrity: sha512-iBdZ57RDvnOR9AGBhML2vFZf7h8vmBjhoaZqODJBFWHVtKkDmKuHai3cx5PgVMrX5YDNp27AofYbAwctSS+vhQ==} + dev: true + + /which-typed-array@1.1.14: + resolution: {integrity: sha512-VnXFiIW8yNn9kIHN88xvZ4yOWchftKDsRJ8fEPacX/wl1lOvBrhsJ/OeJCXq7B0AaijRuqgzSKalJoPk+D8MPg==} + engines: {node: '>= 0.4'} + dependencies: + available-typed-arrays: 1.0.7 + call-bind: 1.0.7 + for-each: 0.3.3 + gopd: 1.0.1 + has-tostringtag: 1.0.2 + dev: true + + /which@2.0.2: + resolution: {integrity: sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==} + engines: {node: '>= 8'} + hasBin: true + dependencies: + isexe: 2.0.0 + dev: true + + /wrap-ansi@6.2.0: + resolution: {integrity: sha512-r6lPcBGxZXlIcymEu7InxDMhdW0KDxpLgoFLcguasxCaJ/SOIZwINatK9KY/tf+ZrlywOKU0UDj3ATXUBfxJXA==} + engines: {node: '>=8'} + dependencies: + ansi-styles: 4.3.0 + string-width: 4.2.3 + strip-ansi: 6.0.1 + dev: true + + /wrap-ansi@7.0.0: + resolution: {integrity: sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==} + engines: {node: '>=10'} + dependencies: + ansi-styles: 4.3.0 + string-width: 4.2.3 + strip-ansi: 6.0.1 + dev: true + + /wrap-ansi@8.1.0: + resolution: {integrity: sha512-si7QWI6zUMq56bESFvagtmzMdGOtoxfR+Sez11Mobfc7tm+VkUckk9bW2UeffTGVUbOksxmSw0AA2gs8g71NCQ==} + engines: {node: '>=12'} + dependencies: + ansi-styles: 6.2.1 + string-width: 5.1.2 + strip-ansi: 7.1.0 + dev: true + + /wrappy@1.0.2: + resolution: {integrity: sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==} + dev: true + + /ws@8.16.0: + resolution: {integrity: sha512-HS0c//TP7Ina87TfiPUz1rQzMhHrl/SG2guqRcTOIUYD2q8uhUdNHZYJUaQ8aTGPzCh+c6oawMKW35nFl1dxyQ==} + engines: {node: '>=10.0.0'} + peerDependencies: + bufferutil: ^4.0.1 + utf-8-validate: '>=5.0.2' + peerDependenciesMeta: + bufferutil: + optional: true + utf-8-validate: + optional: true + dev: true + + /y18n@4.0.3: + resolution: {integrity: sha512-JKhqTOwSrqNA1NY5lSztJ1GrBiUodLMmIZuLiDaMRJ+itFd+ABVE8XBjOvIWL+rSqNDC74LCSFmlb/U4UZ4hJQ==} + dev: true + + /y18n@5.0.8: + resolution: {integrity: sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==} + engines: {node: '>=10'} + dev: true + + /yallist@3.1.1: + resolution: {integrity: sha512-a4UGQaWPH59mOXUYnAG2ewncQS4i4F43Tv3JoAM+s2VDAmS9NsK8GpDMLrCHPksFT7h3K6TOoUNn2pb7RoXx4g==} + + /yallist@4.0.0: + resolution: {integrity: sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==} + dev: true + + /yaml-ast-parser@0.0.43: + resolution: {integrity: sha512-2PTINUwsRqSd+s8XxKaJWQlUuEMHJQyEuh2edBbW8KNJz0SJPwUSD2zRWqezFEdN7IzAgeuYHFUCF7o8zRdZ0A==} + dev: true + + /yaml@2.4.0: + resolution: {integrity: sha512-j9iR8g+/t0lArF4V6NE/QCfT+CO7iLqrXAHZbJdo+LfjqP1vR8Fg5bSiaq6Q2lOD1AUEVrEVIgABvBFYojJVYQ==} + engines: {node: '>= 14'} + hasBin: true + dev: true + + /yargs-parser@18.1.3: + resolution: {integrity: sha512-o50j0JeToy/4K6OZcaQmW6lyXXKhq7csREXcDwk2omFPJEwUNOVtJKvmDr9EI1fAJZUyZcRF7kxGBWmRXudrCQ==} + engines: {node: '>=6'} + dependencies: + camelcase: 5.3.1 + decamelize: 1.2.0 + dev: true + + /yargs-parser@21.1.1: + resolution: {integrity: sha512-tVpsJW7DdjecAiFpbIB1e3qxIQsE6NoPc5/eTdrbbIC4h0LVsWhnoa3g+m2HclBIujHzsxZ4VJVA+GUuc2/LBw==} + engines: {node: '>=12'} + dev: true + + /yargs@15.4.1: + resolution: {integrity: sha512-aePbxDmcYW++PaqBsJ+HYUFwCdv4LVvdnhBy78E57PIor8/OVvhMrADFFEDh8DHDFRv/O9i3lPhsENjO7QX0+A==} + engines: {node: '>=8'} + dependencies: + cliui: 6.0.0 + decamelize: 1.2.0 + find-up: 4.1.0 + get-caller-file: 2.0.5 + require-directory: 2.1.1 + require-main-filename: 2.0.0 + set-blocking: 2.0.0 + string-width: 4.2.3 + which-module: 2.0.1 + y18n: 4.0.3 + yargs-parser: 18.1.3 + dev: true + + /yargs@17.7.2: + resolution: {integrity: sha512-7dSzzRQ++CKnNI/krKnYRV7JKKPUXMEh61soaHKg9mrWEhzFWhFnxPxGl+69cD1Ou63C13NUPCnmIcrvqCuM6w==} + engines: {node: '>=12'} + dependencies: + cliui: 8.0.1 + escalade: 3.1.2 + get-caller-file: 2.0.5 + require-directory: 2.1.1 + string-width: 4.2.3 + y18n: 5.0.8 + yargs-parser: 21.1.1 + dev: true + + /yocto-queue@0.1.0: + resolution: {integrity: sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==} + engines: {node: '>=10'} + dev: true + + /zen-observable-ts@1.2.5: + resolution: {integrity: sha512-QZWQekv6iB72Naeake9hS1KxHlotfRpe+WGNbNx5/ta+R3DNjVO2bswf63gXlWDcs+EMd7XY8HfVQyP1X6T4Zg==} + dependencies: + zen-observable: 0.8.15 + dev: false + + /zen-observable@0.8.15: + resolution: {integrity: sha512-PQ2PC7R9rslx84ndNBZB/Dkv8V8fZEpk83RLgXtYd0fwUgEjseMn1Dgajh2x6S8QbZAFa9p2qVCEuYZNgve0dQ==} + dev: false