hash
stringlengths 40
40
| date
stringdate 2020-04-17 22:01:00
2025-03-21 18:34:11
| author
stringclasses 90
values | commit_message
stringlengths 9
197
| is_merge
bool 1
class | masked_commit_message
stringlengths 4
170
| type
stringclasses 8
values | git_diff
stringlengths 160
5.96M
⌀ |
|---|---|---|---|---|---|---|---|
027264588b3732357ce43d3745a62097a730534f
|
2024-04-02 21:43:12
|
Alessio Gravili
|
chore: versions test improvements
| false
|
versions test improvements
|
chore
|
diff --git a/test/versions/e2e.spec.ts b/test/versions/e2e.spec.ts
index 4f186965c5e..4a11fa21bf4 100644
--- a/test/versions/e2e.spec.ts
+++ b/test/versions/e2e.spec.ts
@@ -416,7 +416,10 @@ describe('versions', () => {
// create and save first doc
await page.goto(autosaveURL.create)
// Should redirect from /create to /[collectionslug]/[new id] due to auto-save
- await page.waitForURL(`${autosaveURL.list}/**`) // TODO: Make sure this doesnt match for list view and /create view, but only for the ID edit view
+ await page.waitForURL(`${autosaveURL.list}/**`)
+ await expect(() => expect(page.url()).not.toContain(`/preview`)).toPass({
+ timeout: POLL_TOPASS_TIMEOUT,
+ }) // Make sure this doesnt match for list view and /create view, but only for the ID edit view
await page.locator('#field-title').fill('first post title')
await page.locator('#field-description').fill('first post description')
@@ -427,6 +430,9 @@ describe('versions', () => {
await page.goto(autosaveURL.create)
// Should redirect from /create to /[collectionslug]/[new id] due to auto-save
await page.waitForURL(`${autosaveURL.list}/**`)
+ await expect(() => expect(page.url()).not.toContain(`/preview`)).toPass({
+ timeout: POLL_TOPASS_TIMEOUT,
+ }) // Make sure this doesnt match for list view and /create view, but only for the ID edit view
await page.locator('#field-title').fill('second post title')
await page.locator('#field-description').fill('second post description')
// publish changes
|
339f7503a41802421bb38c8cf5da0f0f1573bdd6
|
2021-03-14 23:10:45
|
James
|
feat: provides field access control with document data
| false
|
provides field access control with document data
|
feat
|
diff --git a/demo/collections/LocalizedArray.ts b/demo/collections/LocalizedArray.ts
index 6a3a72127f7..97771890bc2 100644
--- a/demo/collections/LocalizedArray.ts
+++ b/demo/collections/LocalizedArray.ts
@@ -1,4 +1,16 @@
import { PayloadCollectionConfig } from '../../src/collections/config/types';
+import { FieldAccess } from '../../src/fields/config/types';
+import checkRole from '../access/checkRole';
+
+const PublicReadabilityAccess: FieldAccess = ({ req: { user }, siblingData }) => {
+ if (checkRole(['admin'], user)) {
+ return true;
+ }
+
+ if (siblingData.allowPublicReadability) return true;
+
+ return false;
+};
const LocalizedArrays: PayloadCollectionConfig = {
slug: 'localized-arrays',
@@ -22,17 +34,31 @@ const LocalizedArrays: PayloadCollectionConfig = {
{
type: 'row',
fields: [
+ {
+ name: 'allowPublicReadability',
+ label: 'Allow Public Readability',
+ type: 'checkbox',
+ },
{
name: 'arrayText1',
label: 'Array Text 1',
type: 'text',
required: true,
+ admin: {
+ width: '50%',
+ },
+ access: {
+ read: PublicReadabilityAccess,
+ },
},
{
name: 'arrayText2',
label: 'Array Text 2',
type: 'text',
required: true,
+ admin: {
+ width: '50%',
+ },
},
],
},
diff --git a/docs/access-control/fields.mdx b/docs/access-control/fields.mdx
index 2e2f1feb4b1..0e8f74cd948 100644
--- a/docs/access-control/fields.mdx
+++ b/docs/access-control/fields.mdx
@@ -43,9 +43,11 @@ Returns a boolean which allows or denies the ability to set a field's value when
**Available argument properties:**
-| Option | Description |
-| --------- | ----------- |
-| **`req`** | The Express `request` object containing the currently authenticated `user` |
+| Option | Description |
+| ----------------- | ----------- |
+| **`req`** | The Express `request` object containing the currently authenticated `user` |
+| **`data`** | The full data passed to create the document. |
+| **`siblingData`** | Immediately adjacent field data passed to create the document. |
### Read
@@ -53,10 +55,12 @@ Returns a boolean which allows or denies the ability to read a field's value. If
**Available argument properties:**
-| Option | Description |
-| --------- | ----------- |
-| **`req`** | The Express `request` object containing the currently authenticated `user` |
-| **`id`** | `id` of the document being read |
+| Option | Description |
+| ----------------- | ----------- |
+| **`req`** | The Express `request` object containing the currently authenticated `user` |
+| **`id`** | `id` of the document being read |
+| **`data`** | The full data of the document being read. |
+| **`siblingData`** | Immediately adjacent field data of the document being read. |
### Update
@@ -64,7 +68,9 @@ Returns a boolean which allows or denies the ability to update a field's value.
**Available argument properties:**
-| Option | Description |
-| --------- | ----------- |
-| **`req`** | The Express `request` object containing the currently authenticated `user` |
-| **`id`** | `id` of the document being updated |
+| Option | Description |
+| ----------------- | ----------- |
+| **`req`** | The Express `request` object containing the currently authenticated `user` |
+| **`id`** | `id` of the document being updated |
+| **`data`** | The full data passed to update the document. |
+| **`siblingData`** | Immediately adjacent field data passed to update the document with. |
diff --git a/src/collections/tests/collections.spec.js b/src/collections/tests/collections.spec.js
index 8e80bd7cc65..ceee276dc44 100644
--- a/src/collections/tests/collections.spec.js
+++ b/src/collections/tests/collections.spec.js
@@ -464,4 +464,60 @@ describe('Collections - REST', () => {
expect(sortedData.docs[1].id).toStrictEqual(id1);
});
});
+
+ describe('Field Access', () => {
+ it('should properly prevent / allow public users from reading a restricted field', async () => {
+ const firstArrayText1 = 'test 1';
+ const firstArrayText2 = 'test 2';
+
+ const response = await fetch(`${url}/api/localized-arrays`, {
+ body: JSON.stringify({
+ array: [
+ {
+ arrayText1: firstArrayText1,
+ arrayText2: 'test 2',
+ arrayText3: 'test 3',
+ allowPublicReadability: true,
+ },
+ {
+ arrayText1: firstArrayText2,
+ arrayText2: 'test 2',
+ arrayText3: 'test 3',
+ allowPublicReadability: false,
+ },
+ ],
+ }),
+ headers,
+ method: 'post',
+ });
+
+ const data = await response.json();
+ const docId = data.doc.id;
+ expect(response.status).toBe(201);
+ expect(data.doc.array[1].arrayText1).toStrictEqual(firstArrayText2);
+
+ const unauthenticatedResponse = await fetch(`${url}/api/localized-arrays/${docId}`, {
+ headers: {
+ 'Content-Type': 'application/json',
+ },
+ });
+ expect(unauthenticatedResponse.status).toBe(200);
+ const unauthenticatedData = await unauthenticatedResponse.json();
+
+ // This string should be allowed to come back
+ expect(unauthenticatedData.array[0].arrayText1).toBe(firstArrayText1);
+
+ // This string should be prevented from coming back
+ expect(unauthenticatedData.array[1].arrayText1).toBeUndefined();
+
+ const authenticatedResponse = await fetch(`${url}/api/localized-arrays/${docId}`, {
+ headers,
+ });
+
+ const authenticatedData = await authenticatedResponse.json();
+
+ // If logged in, we should get this field back
+ expect(authenticatedData.array[1].arrayText1).toStrictEqual(firstArrayText2);
+ });
+ });
});
diff --git a/src/fields/accessPromise.ts b/src/fields/accessPromise.ts
index 373e88b6b4a..5c197f4b6dc 100644
--- a/src/fields/accessPromise.ts
+++ b/src/fields/accessPromise.ts
@@ -6,6 +6,7 @@ import { PayloadRequest } from '../express/types';
type Arguments = {
data: Record<string, unknown>
+ fullData: Record<string, unknown>
originalDoc: Record<string, unknown>
field: Field
operation: Operation
@@ -21,6 +22,7 @@ type Arguments = {
const accessPromise = async ({
data,
+ fullData,
originalDoc,
field,
operation,
@@ -45,7 +47,7 @@ const accessPromise = async ({
}
if (field.access && field.access[accessOperation]) {
- const result = overrideAccess ? true : await field.access[accessOperation]({ req, id });
+ const result = overrideAccess ? true : await field.access[accessOperation]({ req, id, siblingData: data, data: fullData });
if (!result && accessOperation === 'update' && originalDoc[field.name] !== undefined) {
resultingData[field.name] = originalDoc[field.name];
diff --git a/src/fields/config/types.ts b/src/fields/config/types.ts
index b4fc0e12f67..20b67f6ac68 100644
--- a/src/fields/config/types.ts
+++ b/src/fields/config/types.ts
@@ -2,7 +2,6 @@
import { CSSProperties } from 'react';
import { Editor } from 'slate';
import { PayloadRequest } from '../../express/types';
-import { Access } from '../../config/types';
import { Document } from '../../types';
import { ConditionalDateProps } from '../../admin/components/elements/DatePicker/types';
@@ -16,6 +15,13 @@ export type FieldHook = (args: {
req: PayloadRequest
}) => Promise<unknown> | unknown;
+export type FieldAccess = (args: {
+ req: PayloadRequest
+ id?: string
+ data: Record<string, unknown>
+ siblingData: Record<string, unknown>
+}) => Promise<boolean> | boolean;
+
type Admin = {
position?: string;
width?: string;
@@ -60,9 +66,9 @@ export interface FieldBase {
}
admin?: Admin;
access?: {
- create?: Access;
- read?: Access;
- update?: Access;
+ create?: FieldAccess;
+ read?: FieldAccess;
+ update?: FieldAccess;
};
}
diff --git a/src/fields/traverseFields.ts b/src/fields/traverseFields.ts
index 3fa55701968..1cbafe73604 100644
--- a/src/fields/traverseFields.ts
+++ b/src/fields/traverseFields.ts
@@ -138,6 +138,7 @@ const traverseFields = (args: Arguments): void => {
accessPromises.push(accessPromise({
data,
+ fullData,
originalDoc,
field,
operation,
|
8987ce1f69717be9847dc9b5933fb1c27ccdb4e8
|
2021-11-02 08:01:32
|
James
|
chore: scaffolds relationship filter
| false
|
scaffolds relationship filter
|
chore
|
diff --git a/src/admin/components/elements/WhereBuilder/Condition/Relationship/index.scss b/src/admin/components/elements/WhereBuilder/Condition/Relationship/index.scss
new file mode 100644
index 00000000000..a8e4cbf5f7a
--- /dev/null
+++ b/src/admin/components/elements/WhereBuilder/Condition/Relationship/index.scss
@@ -0,0 +1,5 @@
+@import '../../../../../scss/styles.scss';
+
+.condition-value-relationship {
+ @include formInput;
+}
diff --git a/src/admin/components/elements/WhereBuilder/Condition/Relationship/index.tsx b/src/admin/components/elements/WhereBuilder/Condition/Relationship/index.tsx
new file mode 100644
index 00000000000..c4a6e3b50b7
--- /dev/null
+++ b/src/admin/components/elements/WhereBuilder/Condition/Relationship/index.tsx
@@ -0,0 +1,22 @@
+import React from 'react';
+import { Props } from './types';
+
+import './index.scss';
+
+const baseClass = 'condition-value-relationship';
+
+const RelationshipField: React.FC<Props> = (props) => {
+ const { onChange, value } = props;
+ console.log(props);
+ return (
+ <input
+ placeholder="Enter a value"
+ className={baseClass}
+ type="number"
+ onChange={(e) => onChange(e.target.value)}
+ value={value}
+ />
+ );
+};
+
+export default RelationshipField;
diff --git a/src/admin/components/elements/WhereBuilder/Condition/Relationship/types.ts b/src/admin/components/elements/WhereBuilder/Condition/Relationship/types.ts
new file mode 100644
index 00000000000..b2abc4c5cda
--- /dev/null
+++ b/src/admin/components/elements/WhereBuilder/Condition/Relationship/types.ts
@@ -0,0 +1,4 @@
+export type Props = {
+ onChange: (val: string) => void,
+ value: string,
+}
diff --git a/src/admin/components/elements/WhereBuilder/Condition/index.tsx b/src/admin/components/elements/WhereBuilder/Condition/index.tsx
index 4cb96043b56..8763f979ca8 100644
--- a/src/admin/components/elements/WhereBuilder/Condition/index.tsx
+++ b/src/admin/components/elements/WhereBuilder/Condition/index.tsx
@@ -6,6 +6,7 @@ import Button from '../../Button';
import Date from './Date';
import Number from './Number';
import Text from './Text';
+import Relationship from './Relationship';
import useDebounce from '../../../../hooks/useDebounce';
import { FieldCondition } from '../types';
@@ -15,6 +16,7 @@ const valueFields = {
Date,
Number,
Text,
+ Relationship,
};
const baseClass = 'condition';
@@ -93,6 +95,7 @@ const Condition: React.FC<Props> = (props) => {
DefaultComponent={ValueComponent}
componentProps={{
...activeField?.props,
+ operator: operatorValue,
value: internalValue,
onChange: setInternalValue,
}}
diff --git a/src/admin/components/elements/WhereBuilder/field-types.tsx b/src/admin/components/elements/WhereBuilder/field-types.tsx
index 6839f7829e3..92c6b6c52f5 100644
--- a/src/admin/components/elements/WhereBuilder/field-types.tsx
+++ b/src/admin/components/elements/WhereBuilder/field-types.tsx
@@ -100,7 +100,7 @@ const fieldTypeConditions = {
operators: [...base],
},
relationship: {
- component: 'Text',
+ component: 'Relationship',
operators: [...base],
},
select: {
|
15db0a801831703e2cadc8bc9b4834809971a259
|
2024-04-29 22:24:00
|
Jarrod Flesch
|
fix: conditions throwing errors break form state (#6113)
| false
|
conditions throwing errors break form state (#6113)
|
fix
|
diff --git a/packages/next/src/routes/rest/buildFormState.ts b/packages/next/src/routes/rest/buildFormState.ts
index fa026e04f4d..18c27ebea2e 100644
--- a/packages/next/src/routes/rest/buildFormState.ts
+++ b/packages/next/src/routes/rest/buildFormState.ts
@@ -9,6 +9,7 @@ import type { FieldSchemaMap } from '../../utilities/buildFieldSchemaMap/types.j
import { buildFieldSchemaMap } from '../../utilities/buildFieldSchemaMap/index.js'
import { headersWithCors } from '../../utilities/headersWithCors.js'
+import { routeError } from './routeError.js'
let cached = global._payload_fieldSchemaMap
@@ -226,14 +227,10 @@ export const buildFormState = async ({ req }: { req: PayloadRequestWithData }) =
status: httpStatus.OK,
})
} catch (err) {
- return Response.json(
- {
- message: 'There was an error building form state',
- },
- {
- headers,
- status: httpStatus.BAD_REQUEST,
- },
- )
+ return routeError({
+ config: req.payload.config,
+ err,
+ req,
+ })
}
}
|
82145f7bb0425e9bf9f71ef50468f193536d6e55
|
2024-11-26 05:56:54
|
Paul
|
fix(ui): remove overflow hidden from app-header wrappers since it breaks any popout elements (#9525)
| false
|
remove overflow hidden from app-header wrappers since it breaks any popout elements (#9525)
|
fix
|
diff --git a/packages/ui/src/elements/AppHeader/index.scss b/packages/ui/src/elements/AppHeader/index.scss
index 6a56b0c5313..f20821792d2 100644
--- a/packages/ui/src/elements/AppHeader/index.scss
+++ b/packages/ui/src/elements/AppHeader/index.scss
@@ -90,7 +90,6 @@
display: flex;
align-items: center;
flex-grow: 1;
- overflow: hidden;
width: 100%;
}
@@ -128,7 +127,6 @@
gap: calc(var(--base) / 2);
flex-shrink: 0;
max-width: 600px;
- overflow: auto;
white-space: nowrap;
&::-webkit-scrollbar {
|
0b9d5a5ae49c161739034d06f52d60358109d301
|
2024-11-16 01:20:21
|
Said Akhrarov
|
docs: fix links in operators table for within and intersects (#9232)
| false
|
fix links in operators table for within and intersects (#9232)
|
docs
|
diff --git a/docs/queries/overview.mdx b/docs/queries/overview.mdx
index be5e397f351..ae9a1729f6b 100644
--- a/docs/queries/overview.mdx
+++ b/docs/queries/overview.mdx
@@ -52,8 +52,8 @@ The following operators are available for use in queries:
| `all` | The value must contain all values provided in the comma-delimited list. |
| `exists` | Only return documents where the value either exists (`true`) or does not exist (`false`). |
| `near` | For distance related to a [Point Field](../fields/point) comma separated as `<longitude>, <latitude>, <maxDistance in meters (nullable)>, <minDistance in meters (nullable)>`. |
-| `within` | For [point fields][../fields/point] to filter documents based on whether points are inside of the given area defined in GeoJSON. [Example](../fields/point#querying---within) |
-| `intersects` | For [point fields][../fields/point] to filter documents based on whether points intersect with the given area defined in GeoJSON. [Example](../fields/point#querying---intersects) |
+| `within` | For [Point Fields](../fields/point) to filter documents based on whether points are inside of the given area defined in GeoJSON. [Example](../fields/point#querying-within) |
+| `intersects` | For [Point Fields](../fields/point) to filter documents based on whether points intersect with the given area defined in GeoJSON. [Example](../fields/point#querying-intersects) |
<Banner type="success">
<strong>Tip:</strong>
|
4983da7efa3b3e787fc438d6beb6fa2f835d603d
|
2024-03-12 22:16:47
|
Alessio Gravili
|
chore(eslint-config-payload): improve @typescript-eslint/no-unused-vars rule (#4793)
| false
|
improve @typescript-eslint/no-unused-vars rule (#4793)
|
chore
|
diff --git a/packages/eslint-config-payload/eslint-config/index.js b/packages/eslint-config-payload/eslint-config/index.js
index 1706cc87740..787d3eb6929 100644
--- a/packages/eslint-config-payload/eslint-config/index.js
+++ b/packages/eslint-config-payload/eslint-config/index.js
@@ -62,7 +62,18 @@ module.exports = {
// This rule makes no sense when overriding class methods. This is used a lot in richtext-lexical.
'class-methods-use-this': 'off',
// By default, it errors for unused variables. This is annoying, warnings are enough.
- '@typescript-eslint/no-unused-vars': 'warn',
+ '@typescript-eslint/no-unused-vars': [
+ 'warn',
+ {
+ vars: 'all',
+ args: 'after-used',
+ ignoreRestSiblings: false,
+ argsIgnorePattern: '^_',
+ varsIgnorePattern: '^_',
+ destructuredArrayIgnorePattern: '^_',
+ caughtErrorsIgnorePattern: '^ignore',
+ },
+ ],
'@typescript-eslint/no-use-before-define': 'off',
'arrow-body-style': 0,
'import/prefer-default-export': 'off',
|
8ac0906ff097c9a868c11549c4a29691498abee0
|
2023-02-18 03:37:34
|
James
|
chore(release): v1.6.12
| false
|
v1.6.12
|
chore
|
diff --git a/CHANGELOG.md b/CHANGELOG.md
index 7f1e8468983..54050a88a4b 100644
--- a/CHANGELOG.md
+++ b/CHANGELOG.md
@@ -1,5 +1,20 @@
+## [1.6.12](https://github.com/payloadcms/payload/compare/v1.6.11...v1.6.12) (2023-02-17)
+
+
+### Bug Fixes
+
+* ensures only valid fields can be queried on ([1930bc2](https://github.com/payloadcms/payload/commit/1930bc260e721c5c7a10793b5d2a7809694089f3))
+
+
+### Features
+
+* adds gql auth example ([#2115](https://github.com/payloadcms/payload/issues/2115)) ([fa32c27](https://github.com/payloadcms/payload/commit/fa32c2771637af11d7ef0fb21b2f1f3cceae1ead))
+* auth example ([c076c77](https://github.com/payloadcms/payload/commit/c076c77db4a26cf514a040b1048de25b1141f0cb))
+* separates admin root component from DOM render logic ([ff4d1f6](https://github.com/payloadcms/payload/commit/ff4d1f6ac26f5cac56b6c5b7b67b99f50067cb8d))
+* virtual fields example ([#1990](https://github.com/payloadcms/payload/issues/1990)) ([2af0c04](https://github.com/payloadcms/payload/commit/2af0c04c8ae5892b317af240c1502bc21bb65253))
+
## [1.6.11](https://github.com/payloadcms/payload/compare/v1.6.10...v1.6.11) (2023-02-15)
diff --git a/package.json b/package.json
index 619ac1439ce..1872a3eb6f0 100644
--- a/package.json
+++ b/package.json
@@ -1,6 +1,6 @@
{
"name": "payload",
- "version": "1.6.11",
+ "version": "1.6.12",
"description": "Node, React and MongoDB Headless CMS and Application Framework",
"license": "MIT",
"engines": {
|
f8bae0e7b0711bb0f057f39630293ce11834c01c
|
2024-10-10 07:39:31
|
Elliot DeNolf
|
ci: remove payload as valid scope, payload is implied if no scope
| false
|
remove payload as valid scope, payload is implied if no scope
|
ci
|
diff --git a/.github/workflows/pr-title.yml b/.github/workflows/pr-title.yml
index 30efc4bd54f..991881ce2f9 100644
--- a/.github/workflows/pr-title.yml
+++ b/.github/workflows/pr-title.yml
@@ -47,7 +47,6 @@ jobs:
live-preview
live-preview-react
next
- payload
plugin-cloud
plugin-cloud-storage
plugin-form-builder
|
03101f0f5423ae61eaaea5865d41d404219f8253
|
2023-10-25 02:11:50
|
dependabot[bot]
|
chore(deps): bump next in /examples/draft-preview/next-app (#3853)
| false
|
bump next in /examples/draft-preview/next-app (#3853)
|
chore
|
diff --git a/examples/draft-preview/next-app/package.json b/examples/draft-preview/next-app/package.json
index 6b89a38b76f..1081aaea31b 100644
--- a/examples/draft-preview/next-app/package.json
+++ b/examples/draft-preview/next-app/package.json
@@ -10,7 +10,7 @@
},
"dependencies": {
"escape-html": "^1.0.3",
- "next": "^13.4.8",
+ "next": "^13.5.0",
"payload-admin-bar": "^1.0.6",
"react": "18.2.0",
"react-dom": "18.2.0"
diff --git a/examples/draft-preview/next-app/yarn.lock b/examples/draft-preview/next-app/yarn.lock
index 00834d1b469..254a625e8e8 100644
--- a/examples/draft-preview/next-app/yarn.lock
+++ b/examples/draft-preview/next-app/yarn.lock
@@ -65,10 +65,10 @@
resolved "https://registry.yarnpkg.com/@humanwhocodes/object-schema/-/object-schema-1.2.1.tgz#b520529ec21d8e5945a1851dfd1c32e94e39ff45"
integrity sha512-ZnQMnLV4e7hDlUvw8H+U8ASL02SS2Gn6+9Ac3wGGLIe7+je2AeAOxPY+izIPJDfFDb7eDjev0Us8MO1iFRN8hA==
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/env/-/env-13.4.8.tgz#8048ef3c3d770a3f3d1dd51d159593acfbd4e517"
- integrity sha512-twuSf1klb3k9wXI7IZhbZGtFCWvGD4wXTY2rmvzIgVhXhs7ISThrbNyutBx3jWIL8Y/Hk9+woytFz5QsgtcRKQ==
+"@next/[email protected]":
+ version "13.5.0"
+ resolved "https://registry.yarnpkg.com/@next/env/-/env-13.5.0.tgz#a61dee2f29b09985847eabcc4c8a815031267a36"
+ integrity sha512-mxhf/BskjPURT+qEjNP7wBvqre2q6OXEIbydF8BrH+duSSJQnB4/vzzuJDoahYwTXiUaXpouAnMWHZdG0HU62g==
"@next/[email protected]":
version "13.4.3"
@@ -84,50 +84,50 @@
dependencies:
glob "7.1.7"
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-darwin-arm64/-/swc-darwin-arm64-13.4.8.tgz#3838d7c96750b7f427ac47b97503fc013734f6e6"
- integrity sha512-MSFplVM4dTWOuKAUv0XR9gY7AWtMSBu9os9f+kp+s5rWhM1I2CdR3obFttd6366nS/W/VZxbPM5oEIdlIa46zA==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-darwin-x64/-/swc-darwin-x64-13.4.8.tgz#3de9c26a2ee7b189f22433bf8137256a2517f258"
- integrity sha512-Reox+UXgonon9P0WNDE6w85DGtyBqGitl/ryznOvn6TvfxEaZIpTgeu3ZrJLU9dHSMhiK7YAM793mE/Zii2/Qw==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-linux-arm64-gnu/-/swc-linux-arm64-gnu-13.4.8.tgz#9536314c931b9e78f20e4a424eace9993015c6e1"
- integrity sha512-kdyzYvAYtqQVgzIKNN7e1rLU8aZv86FDSRqPlOkKZlvqudvTO0iohuTPmnEEDlECeBM6qRPShNffotDcU/R2KA==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-linux-arm64-musl/-/swc-linux-arm64-musl-13.4.8.tgz#a894ec6a078edd28f5cfab60593a61e05b6b605b"
- integrity sha512-oWxx4yRkUGcR81XwbI+T0zhZ3bDF6V1aVLpG+C7hSG50ULpV8gC39UxVO22/bv93ZlcfMY4zl8xkz9Klct6dpQ==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-linux-x64-gnu/-/swc-linux-x64-gnu-13.4.8.tgz#b8af198dc0b4a8c64deb0494ae285e3e1a465910"
- integrity sha512-anhtvuO6eE9YRhYnaEGTfbpH3L5gT/9qPFcNoi6xS432r/4DAtpJY8kNktqkTVevVIC/pVumqO8tV59PR3zbNg==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-linux-x64-musl/-/swc-linux-x64-musl-13.4.8.tgz#d2ad24001020665a78405f595995c22750ec63c4"
- integrity sha512-aR+J4wWfNgH1DwCCBNjan7Iumx0lLtn+2/rEYuhIrYLY4vnxqSVGz9u3fXcgUwo6Q9LT8NFkaqK1vPprdq+BXg==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-win32-arm64-msvc/-/swc-win32-arm64-msvc-13.4.8.tgz#e5c4bfaa105fbe2bdb21a6d01467edd39a29cf37"
- integrity sha512-OWBKIrJwQBTqrat0xhxEB/jcsjJR3+diD9nc/Y8F1mRdQzsn4bPsomgJyuqPVZs6Lz3K18qdIkvywmfSq75SsQ==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-win32-ia32-msvc/-/swc-win32-ia32-msvc-13.4.8.tgz#c49c4d9f91845855bf544d5d14e8e13311da9931"
- integrity sha512-agiPWGjUndXGTOn4ChbKipQXRA6/UPkywAWIkx7BhgGv48TiJfHTK6MGfBoL9tS6B4mtW39++uy0wFPnfD0JWg==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-win32-x64-msvc/-/swc-win32-x64-msvc-13.4.8.tgz#22c5c8fa05680f2775a29c6c5a74cf04b8cc9d90"
- integrity sha512-UIRKoByVKbuR6SnFG4JM8EMFlJrfEGuUQ1ihxzEleWcNwRMMiVaCj1KyqfTOW8VTQhJ0u8P1Ngg6q1RwnIBTtw==
+"@next/[email protected]":
+ version "13.5.0"
+ resolved "https://registry.yarnpkg.com/@next/swc-darwin-arm64/-/swc-darwin-arm64-13.5.0.tgz#45ea191e13593088572d0048d4ddfc1fcdb3c8ed"
+ integrity sha512-DavPD8oRjSoCRJana5DCAWdRZ4nbS7/pPw13DlnukFfMPJUk5hCAC3+NbqEyekS/X1IBFdZWSV2lJIdzTn4s6w==
+
+"@next/[email protected]":
+ version "13.5.0"
+ resolved "https://registry.yarnpkg.com/@next/swc-darwin-x64/-/swc-darwin-x64-13.5.0.tgz#582e8df7d563c057581bc118fff1cea79391d6e7"
+ integrity sha512-s5QSKKB0CTKFWp3CNMC5GH1YOipH1Jjr5P3w+RQTC4Aybo6xPqeWp/UyDW0fxmLRq0e1zgnOMgDQRdxAkoThrw==
+
+"@next/[email protected]":
+ version "13.5.0"
+ resolved "https://registry.yarnpkg.com/@next/swc-linux-arm64-gnu/-/swc-linux-arm64-gnu-13.5.0.tgz#7ee0a43b6635eca1e80a887304b7bfe31254a4a6"
+ integrity sha512-E0fCKA8F2vfgZWwcv4iq642No75EiACSNUBNGvc5lx/ylqAUdNwE/9+x2SHv+LPUXFhZ6hZLR0Qox/oKgZqFlg==
+
+"@next/[email protected]":
+ version "13.5.0"
+ resolved "https://registry.yarnpkg.com/@next/swc-linux-arm64-musl/-/swc-linux-arm64-musl-13.5.0.tgz#99a1efd6b68a4d0dfdc24b81f14cd8b8251425a9"
+ integrity sha512-jG/blDDLndFRUcafCQO4TOI3VuoIZh3jQriZ7JaVCgAEZe0D1EUrxKdbBarZ74isutHZ6DpNGRDi/0OHFZpJAA==
+
+"@next/[email protected]":
+ version "13.5.0"
+ resolved "https://registry.yarnpkg.com/@next/swc-linux-x64-gnu/-/swc-linux-x64-gnu-13.5.0.tgz#7c85acd45879a20d8fb102b3212e792924d02e93"
+ integrity sha512-6JWR7U41uNL6HGwNbGg3Oedt+FN4YuA126sHWKTq3ic5kkhEusIIdVo7+WcswVJl8nTMB1yT3gEPwygQbVYVUA==
+
+"@next/[email protected]":
+ version "13.5.0"
+ resolved "https://registry.yarnpkg.com/@next/swc-linux-x64-musl/-/swc-linux-x64-musl-13.5.0.tgz#23aad9ab7621f53bb947b727e659d85e74b0e31a"
+ integrity sha512-uY+wrYfD5QUossqznwidOpJYmmcBwojToZx55shihtbTl6afVYzOxsUbRXLdWmZAa36ckxXpqkvuFNS8icQuug==
+
+"@next/[email protected]":
+ version "13.5.0"
+ resolved "https://registry.yarnpkg.com/@next/swc-win32-arm64-msvc/-/swc-win32-arm64-msvc-13.5.0.tgz#5a45686335e5f54342faf9d9ed25f55a4107ce7f"
+ integrity sha512-lWZ5vJTULxTOdLcRmrllNgAdDRSDwk8oqJMyDxpqS691NG5uhle9ZwRj3g1F1/vHNkDa+B7PmWhQgG0nmlbKZg==
+
+"@next/[email protected]":
+ version "13.5.0"
+ resolved "https://registry.yarnpkg.com/@next/swc-win32-ia32-msvc/-/swc-win32-ia32-msvc-13.5.0.tgz#b9990965762aaa109bdeb7b49cbdc7e4af7f9014"
+ integrity sha512-jirQXnVCU9hi3cHzgd33d4qSBXn1/0gUT/KtXqy9Ux9OTcIcjJT3TcAzoLJLTdhRg7op3MZoSnuFeWl8kmGGNw==
+
+"@next/[email protected]":
+ version "13.5.0"
+ resolved "https://registry.yarnpkg.com/@next/swc-win32-x64-msvc/-/swc-win32-x64-msvc-13.5.0.tgz#4385c5d9c0db39c2623aed566b3ec7fedaf6f190"
+ integrity sha512-Q8QYLyWcMMUp3DohI04VyJbLNCfFMNTxYNhujvJD2lowuqnqApUBP2DxI/jCZRMFWgKi76n5u8UboLVeYXn6jA==
"@nodelib/[email protected]":
version "2.1.5"
@@ -172,10 +172,10 @@
resolved "https://registry.yarnpkg.com/@rushstack/eslint-patch/-/eslint-patch-1.3.2.tgz#31b9c510d8cada9683549e1dbb4284cca5001faf"
integrity sha512-V+MvGwaHH03hYhY+k6Ef/xKd6RYlc4q8WBx+2ANmipHJcKuktNcI/NgEsJgdSUF6Lw32njT6OnrRsKYCdgHjYw==
-"@swc/[email protected]":
- version "0.5.1"
- resolved "https://registry.yarnpkg.com/@swc/helpers/-/helpers-0.5.1.tgz#e9031491aa3f26bfcc974a67f48bd456c8a5357a"
- integrity sha512-sJ902EfIzn1Fa+qYmjdQqh8tPsoxyBz+8yBKC2HKUxyezKJFwPGOn7pv4WY6QuQW//ySQi5lJjA/ZT9sNWWNTg==
+"@swc/[email protected]":
+ version "0.5.2"
+ resolved "https://registry.yarnpkg.com/@swc/helpers/-/helpers-0.5.2.tgz#85ea0c76450b61ad7d10a37050289eded783c27d"
+ integrity sha512-E4KcWTpoLHqwPHLxidpOqQbcrZVgi0rsmmZXUle1jXmJfuIf/UWpczUJ7MZZ5tlxytgJXyp0w4PGkkeLiuIdZw==
dependencies:
tslib "^2.4.0"
@@ -1729,13 +1729,13 @@ natural-compare@^1.4.0:
resolved "https://registry.yarnpkg.com/natural-compare/-/natural-compare-1.4.0.tgz#4abebfeed7541f2c27acfb29bdbbd15c8d5ba4f7"
integrity sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==
-next@^13.4.8:
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/next/-/next-13.4.8.tgz#72245bf4fdf328970147ee30de97142c39b1cb3f"
- integrity sha512-lxUjndYKjZHGK3CWeN2RI+/6ni6EUvjiqGWXAYPxUfGIdFGQ5XoisrqAJ/dF74aP27buAfs8MKIbIMMdxjqSBg==
+next@^13.5.0:
+ version "13.5.0"
+ resolved "https://registry.yarnpkg.com/next/-/next-13.5.0.tgz#3a3ce5b8c89c4fff9c6f0b2452bcb03f63d8c84c"
+ integrity sha512-mhguN5JPZXhhrD/nNcezXgKoxN8GT8xZvvGhUQV2ETiaNm+KHRWT1rCbrF5FlbG2XCcLRKOmOe3D5YQgXmJrDQ==
dependencies:
- "@next/env" "13.4.8"
- "@swc/helpers" "0.5.1"
+ "@next/env" "13.5.0"
+ "@swc/helpers" "0.5.2"
busboy "1.6.0"
caniuse-lite "^1.0.30001406"
postcss "8.4.14"
@@ -1743,15 +1743,15 @@ next@^13.4.8:
watchpack "2.4.0"
zod "3.21.4"
optionalDependencies:
- "@next/swc-darwin-arm64" "13.4.8"
- "@next/swc-darwin-x64" "13.4.8"
- "@next/swc-linux-arm64-gnu" "13.4.8"
- "@next/swc-linux-arm64-musl" "13.4.8"
- "@next/swc-linux-x64-gnu" "13.4.8"
- "@next/swc-linux-x64-musl" "13.4.8"
- "@next/swc-win32-arm64-msvc" "13.4.8"
- "@next/swc-win32-ia32-msvc" "13.4.8"
- "@next/swc-win32-x64-msvc" "13.4.8"
+ "@next/swc-darwin-arm64" "13.5.0"
+ "@next/swc-darwin-x64" "13.5.0"
+ "@next/swc-linux-arm64-gnu" "13.5.0"
+ "@next/swc-linux-arm64-musl" "13.5.0"
+ "@next/swc-linux-x64-gnu" "13.5.0"
+ "@next/swc-linux-x64-musl" "13.5.0"
+ "@next/swc-win32-arm64-msvc" "13.5.0"
+ "@next/swc-win32-ia32-msvc" "13.5.0"
+ "@next/swc-win32-x64-msvc" "13.5.0"
normalize-path@^3.0.0, normalize-path@~3.0.0:
version "3.0.0"
|
a0d03667c5a91c81eceefc39039577eff8eea8b1
|
2022-11-24 02:51:44
|
Jarrod Flesch
|
docs: updates messsy components banner
| false
|
updates messsy components banner
|
docs
|
diff --git a/docs/admin/components.mdx b/docs/admin/components.mdx
index 97c66da1774..655736a3dec 100644
--- a/docs/admin/components.mdx
+++ b/docs/admin/components.mdx
@@ -163,11 +163,7 @@ const CustomTextField: React.FC<Props> = ({ path }) => {
<Banner type="success">
For more information regarding the hooks that are available to you while you
- build custom components, including the <strong>useField</strong> hook,{" "}
- <a href="/docs/admin/hooks" style={{ color: "black" }}>
- click here
- </a>
- .
+ build custom components, including the <strong>useField</strong> hook, <a href="/docs/admin/hooks" style={{ color: "black" }}>click here</a>.
</Banner>
## Custom routes
|
62679baa91baa4cf906d14143c282ea2f3fd5e98
|
2023-10-09 23:30:38
|
Jacob Fletcher
|
chore(examples/auth): migrates to 2.0 (#3506)
| false
|
migrates to 2.0 (#3506)
|
chore
|
diff --git a/examples/auth/next-app/.env.example b/examples/auth/next-app/.env.example
index bfc5ec98e5c..c72201c91bf 100644
--- a/examples/auth/next-app/.env.example
+++ b/examples/auth/next-app/.env.example
@@ -1 +1 @@
-NEXT_PUBLIC_CMS_URL=http://localhost:3000
+NEXT_PUBLIC_PAYLOAD_URL=http://localhost:3000
diff --git a/examples/auth/next-app/app/_providers/Auth/gql.ts b/examples/auth/next-app/app/_providers/Auth/gql.ts
index 690b49561be..a12de93c2da 100644
--- a/examples/auth/next-app/app/_providers/Auth/gql.ts
+++ b/examples/auth/next-app/app/_providers/Auth/gql.ts
@@ -8,7 +8,7 @@ export const USER = `
// eslint-disable-next-line @typescript-eslint/no-explicit-any
export const gql = async (query: string): Promise<any> => {
try {
- const res = await fetch(`${process.env.NEXT_PUBLIC_CMS_URL}/api/graphql`, {
+ const res = await fetch(`${process.env.NEXT_PUBLIC_PAYLOAD_URL}/api/graphql`, {
method: 'POST',
credentials: 'include',
headers: {
diff --git a/examples/auth/next-app/app/_providers/Auth/index.tsx b/examples/auth/next-app/app/_providers/Auth/index.tsx
index a4480f1af80..6aa9c68fd63 100644
--- a/examples/auth/next-app/app/_providers/Auth/index.tsx
+++ b/examples/auth/next-app/app/_providers/Auth/index.tsx
@@ -18,7 +18,7 @@ export const AuthProvider: React.FC<{ children: React.ReactNode; api?: 'rest' |
const create = useCallback<Create>(
async args => {
if (api === 'rest') {
- const user = await rest(`${process.env.NEXT_PUBLIC_CMS_URL}/api/users`, args)
+ const user = await rest(`${process.env.NEXT_PUBLIC_PAYLOAD_URL}/api/users`, args)
setUser(user)
return user
}
@@ -40,7 +40,7 @@ export const AuthProvider: React.FC<{ children: React.ReactNode; api?: 'rest' |
const login = useCallback<Login>(
async args => {
if (api === 'rest') {
- const user = await rest(`${process.env.NEXT_PUBLIC_CMS_URL}/api/users/login`, args)
+ const user = await rest(`${process.env.NEXT_PUBLIC_PAYLOAD_URL}/api/users/login`, args)
setUser(user)
return user
}
@@ -64,7 +64,7 @@ export const AuthProvider: React.FC<{ children: React.ReactNode; api?: 'rest' |
const logout = useCallback<Logout>(async () => {
if (api === 'rest') {
- await rest(`${process.env.NEXT_PUBLIC_CMS_URL}/api/users/logout`)
+ await rest(`${process.env.NEXT_PUBLIC_PAYLOAD_URL}/api/users/logout`)
setUser(null)
return
}
@@ -83,7 +83,7 @@ export const AuthProvider: React.FC<{ children: React.ReactNode; api?: 'rest' |
const fetchMe = async () => {
if (api === 'rest') {
const user = await rest(
- `${process.env.NEXT_PUBLIC_CMS_URL}/api/users/me`,
+ `${process.env.NEXT_PUBLIC_PAYLOAD_URL}/api/users/me`,
{},
{
method: 'GET',
@@ -113,7 +113,7 @@ export const AuthProvider: React.FC<{ children: React.ReactNode; api?: 'rest' |
async args => {
if (api === 'rest') {
const user = await rest(
- `${process.env.NEXT_PUBLIC_CMS_URL}/api/users/forgot-password`,
+ `${process.env.NEXT_PUBLIC_PAYLOAD_URL}/api/users/forgot-password`,
args,
)
setUser(user)
@@ -134,7 +134,10 @@ export const AuthProvider: React.FC<{ children: React.ReactNode; api?: 'rest' |
const resetPassword = useCallback<ResetPassword>(
async args => {
if (api === 'rest') {
- const user = await rest(`${process.env.NEXT_PUBLIC_CMS_URL}/api/users/reset-password`, args)
+ const user = await rest(
+ `${process.env.NEXT_PUBLIC_PAYLOAD_URL}/api/users/reset-password`,
+ args,
+ )
setUser(user)
return user
}
diff --git a/examples/auth/next-app/app/_utilities/getMeUser.ts b/examples/auth/next-app/app/_utilities/getMeUser.ts
index 8d361bb425b..b774f15ccc8 100644
--- a/examples/auth/next-app/app/_utilities/getMeUser.ts
+++ b/examples/auth/next-app/app/_utilities/getMeUser.ts
@@ -14,7 +14,7 @@ export const getMeUser = async (args?: {
const cookieStore = cookies()
const token = cookieStore.get('payload-token')?.value
- const meUserReq = await fetch(`${process.env.NEXT_PUBLIC_CMS_URL}/api/users/me`, {
+ const meUserReq = await fetch(`${process.env.NEXT_PUBLIC_PAYLOAD_URL}/api/users/me`, {
headers: {
Authorization: `JWT ${token}`,
},
diff --git a/examples/auth/next-app/app/account/AccountForm/index.tsx b/examples/auth/next-app/app/account/AccountForm/index.tsx
index 5fe2f8d352f..16429b3785c 100644
--- a/examples/auth/next-app/app/account/AccountForm/index.tsx
+++ b/examples/auth/next-app/app/account/AccountForm/index.tsx
@@ -39,15 +39,18 @@ export const AccountForm: React.FC = () => {
const onSubmit = useCallback(
async (data: FormData) => {
if (user) {
- const response = await fetch(`${process.env.NEXT_PUBLIC_CMS_URL}/api/users/${user.id}`, {
- // Make sure to include cookies with fetch
- credentials: 'include',
- method: 'PATCH',
- body: JSON.stringify(data),
- headers: {
- 'Content-Type': 'application/json',
+ const response = await fetch(
+ `${process.env.NEXT_PUBLIC_PAYLOAD_URL}/api/users/${user.id}`,
+ {
+ // Make sure to include cookies with fetch
+ credentials: 'include',
+ method: 'PATCH',
+ body: JSON.stringify(data),
+ headers: {
+ 'Content-Type': 'application/json',
+ },
},
- })
+ )
if (response.ok) {
const json = await response.json()
diff --git a/examples/auth/next-app/app/account/page.tsx b/examples/auth/next-app/app/account/page.tsx
index 5d563b05da0..ee2b212872b 100644
--- a/examples/auth/next-app/app/account/page.tsx
+++ b/examples/auth/next-app/app/account/page.tsx
@@ -22,7 +22,7 @@ export default async function Account() {
<h1>Account</h1>
<p>
{`This is your account dashboard. Here you can update your account information and more. To manage all users, `}
- <Link href={`${process.env.NEXT_PUBLIC_CMS_URL}/admin/collections/users`}>
+ <Link href={`${process.env.NEXT_PUBLIC_PAYLOAD_URL}/admin/collections/users`}>
login to the admin dashboard
</Link>
{'.'}
diff --git a/examples/auth/next-app/app/create-account/CreateAccountForm/index.tsx b/examples/auth/next-app/app/create-account/CreateAccountForm/index.tsx
index 36135217cd4..a0405025723 100644
--- a/examples/auth/next-app/app/create-account/CreateAccountForm/index.tsx
+++ b/examples/auth/next-app/app/create-account/CreateAccountForm/index.tsx
@@ -38,7 +38,7 @@ export const CreateAccountForm: React.FC = () => {
const onSubmit = useCallback(
async (data: FormData) => {
- const response = await fetch(`${process.env.NEXT_PUBLIC_CMS_URL}/api/users`, {
+ const response = await fetch(`${process.env.NEXT_PUBLIC_PAYLOAD_URL}/api/users`, {
method: 'POST',
body: JSON.stringify(data),
headers: {
@@ -75,7 +75,7 @@ export const CreateAccountForm: React.FC = () => {
<form onSubmit={handleSubmit(onSubmit)} className={classes.form}>
<p>
{`This is where new customers can signup and create a new account. To manage all users, `}
- <Link href={`${process.env.NEXT_PUBLIC_CMS_URL}/admin/collections/users`}>
+ <Link href={`${process.env.NEXT_PUBLIC_PAYLOAD_URL}/admin/collections/users`}>
login to the admin dashboard
</Link>
{'.'}
diff --git a/examples/auth/next-app/app/login/LoginForm/index.tsx b/examples/auth/next-app/app/login/LoginForm/index.tsx
index 865985ee85c..c941f922bb5 100644
--- a/examples/auth/next-app/app/login/LoginForm/index.tsx
+++ b/examples/auth/next-app/app/login/LoginForm/index.tsx
@@ -57,7 +57,7 @@ export const LoginForm: React.FC = () => {
{' with the password '}
<b>demo</b>
{'. To manage your users, '}
- <Link href={`${process.env.NEXT_PUBLIC_CMS_URL}/admin/collections/users`}>
+ <Link href={`${process.env.NEXT_PUBLIC_PAYLOAD_URL}/admin/collections/users`}>
login to the admin dashboard
</Link>
.
diff --git a/examples/auth/next-app/app/page.tsx b/examples/auth/next-app/app/page.tsx
index 1f4ca993dc4..d53fba8fe99 100644
--- a/examples/auth/next-app/app/page.tsx
+++ b/examples/auth/next-app/app/page.tsx
@@ -35,7 +35,7 @@ export default function Home() {
{' to start the authentication flow. Once logged in, you will be redirected to the '}
<Link href="/account">account page</Link>
{` which is restricted to users only. To manage all users, `}
- <Link href={`${process.env.NEXT_PUBLIC_CMS_URL}/admin/collections/users`}>
+ <Link href={`${process.env.NEXT_PUBLIC_PAYLOAD_URL}/admin/collections/users`}>
login to the admin dashboard
</Link>
{'.'}
diff --git a/examples/auth/next-app/app/recover-password/RecoverPasswordForm/index.tsx b/examples/auth/next-app/app/recover-password/RecoverPasswordForm/index.tsx
index 3649e593de9..eb56026b451 100644
--- a/examples/auth/next-app/app/recover-password/RecoverPasswordForm/index.tsx
+++ b/examples/auth/next-app/app/recover-password/RecoverPasswordForm/index.tsx
@@ -25,13 +25,16 @@ export const RecoverPasswordForm: React.FC = () => {
} = useForm<FormData>()
const onSubmit = useCallback(async (data: FormData) => {
- const response = await fetch(`${process.env.NEXT_PUBLIC_CMS_URL}/api/users/forgot-password`, {
- method: 'POST',
- body: JSON.stringify(data),
- headers: {
- 'Content-Type': 'application/json',
+ const response = await fetch(
+ `${process.env.NEXT_PUBLIC_PAYLOAD_URL}/api/users/forgot-password`,
+ {
+ method: 'POST',
+ body: JSON.stringify(data),
+ headers: {
+ 'Content-Type': 'application/json',
+ },
},
- })
+ )
if (response.ok) {
setSuccess(true)
@@ -52,7 +55,7 @@ export const RecoverPasswordForm: React.FC = () => {
<p>
{`Please enter your email below. You will receive an email message with instructions on
how to reset your password. To manage your all users, `}
- <Link href={`${process.env.NEXT_PUBLIC_CMS_URL}/admin/collections/users`}>
+ <Link href={`${process.env.NEXT_PUBLIC_PAYLOAD_URL}/admin/collections/users`}>
login to the admin dashboard
</Link>
{'.'}
diff --git a/examples/auth/next-app/app/reset-password/ResetPasswordForm/index.tsx b/examples/auth/next-app/app/reset-password/ResetPasswordForm/index.tsx
index 80e59f7315f..3bb5fd812f5 100644
--- a/examples/auth/next-app/app/reset-password/ResetPasswordForm/index.tsx
+++ b/examples/auth/next-app/app/reset-password/ResetPasswordForm/index.tsx
@@ -32,13 +32,16 @@ export const ResetPasswordForm: React.FC = () => {
const onSubmit = useCallback(
async (data: FormData) => {
- const response = await fetch(`${process.env.NEXT_PUBLIC_CMS_URL}/api/users/reset-password`, {
- method: 'POST',
- body: JSON.stringify(data),
- headers: {
- 'Content-Type': 'application/json',
+ const response = await fetch(
+ `${process.env.NEXT_PUBLIC_PAYLOAD_URL}/api/users/reset-password`,
+ {
+ method: 'POST',
+ body: JSON.stringify(data),
+ headers: {
+ 'Content-Type': 'application/json',
+ },
},
- })
+ )
if (response.ok) {
const json = await response.json()
diff --git a/examples/auth/next-app/yarn.lock b/examples/auth/next-app/yarn.lock
index c443f1985c9..4bd739ae235 100644
--- a/examples/auth/next-app/yarn.lock
+++ b/examples/auth/next-app/yarn.lock
@@ -1,2429 +1,70 @@
-# THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY.
-# yarn lockfile v1
-
-
-"@aashutoshrathi/word-wrap@^1.2.3":
- version "1.2.6"
- resolved "https://registry.yarnpkg.com/@aashutoshrathi/word-wrap/-/word-wrap-1.2.6.tgz#bd9154aec9983f77b3a034ecaa015c2e4201f6cf"
- integrity sha512-1Yjs2SvM8TflER/OD3cOjhWWOZb58A2t7wpE2S9XfBYTiIl+XFhQG2bjy4Pu1I+EAlCNUzRDYDdFwFYUKvXcIA==
-
-"@babel/runtime@^7.20.7":
- version "7.22.6"
- resolved "https://registry.yarnpkg.com/@babel/runtime/-/runtime-7.22.6.tgz#57d64b9ae3cff1d67eb067ae117dac087f5bd438"
- integrity sha512-wDb5pWm4WDdF6LFUde3Jl8WzPA+3ZbxYqkC6xAXuD3irdEHN1k0NfTRrJD8ZD378SJ61miMLCqIOXYhd8x+AJQ==
- dependencies:
- regenerator-runtime "^0.13.11"
-
-"@eslint-community/eslint-utils@^4.2.0":
- version "4.4.0"
- resolved "https://registry.yarnpkg.com/@eslint-community/eslint-utils/-/eslint-utils-4.4.0.tgz#a23514e8fb9af1269d5f7788aa556798d61c6b59"
- integrity sha512-1/sA4dwrzBAyeUoQ6oxahHKmrZvsnLCg4RfxW3ZFGGmQkSNQPFNLV9CUEFQP1x9EYXHTo5p6xdhZM1Ne9p/AfA==
- dependencies:
- eslint-visitor-keys "^3.3.0"
-
-"@eslint-community/regexpp@^4.4.0":
- version "4.5.1"
- resolved "https://registry.yarnpkg.com/@eslint-community/regexpp/-/regexpp-4.5.1.tgz#cdd35dce4fa1a89a4fd42b1599eb35b3af408884"
- integrity sha512-Z5ba73P98O1KUYCCJTUeVpja9RcGoMdncZ6T49FCUl2lN38JtCJ+3WgIDBv0AuY4WChU5PmtJmOCTlN6FZTFKQ==
-
-"@eslint/eslintrc@^2.0.3":
- version "2.1.0"
- resolved "https://registry.yarnpkg.com/@eslint/eslintrc/-/eslintrc-2.1.0.tgz#82256f164cc9e0b59669efc19d57f8092706841d"
- integrity sha512-Lj7DECXqIVCqnqjjHMPna4vn6GJcMgul/wuS0je9OZ9gsL0zzDpKPVtcG1HaDVc+9y+qgXneTeUMbCqXJNpH1A==
- dependencies:
- ajv "^6.12.4"
- debug "^4.3.2"
- espree "^9.6.0"
- globals "^13.19.0"
- ignore "^5.2.0"
- import-fresh "^3.2.1"
- js-yaml "^4.1.0"
- minimatch "^3.1.2"
- strip-json-comments "^3.1.1"
-
-"@eslint/[email protected]":
- version "8.41.0"
- resolved "https://registry.yarnpkg.com/@eslint/js/-/js-8.41.0.tgz#080321c3b68253522f7646b55b577dd99d2950b3"
- integrity sha512-LxcyMGxwmTh2lY9FwHPGWOHmYFCZvbrFCBZL4FzSSsxsRPuhrYUg/49/0KDfW8tnIEaEHtfmn6+NPN+1DqaNmA==
-
-"@humanwhocodes/config-array@^0.11.8":
- version "0.11.10"
- resolved "https://registry.yarnpkg.com/@humanwhocodes/config-array/-/config-array-0.11.10.tgz#5a3ffe32cc9306365fb3fd572596cd602d5e12d2"
- integrity sha512-KVVjQmNUepDVGXNuoRRdmmEjruj0KfiGSbS8LVc12LMsWDQzRXJ0qdhN8L8uUigKpfEHRhlaQFY0ib1tnUbNeQ==
- dependencies:
- "@humanwhocodes/object-schema" "^1.2.1"
- debug "^4.1.1"
- minimatch "^3.0.5"
-
-"@humanwhocodes/module-importer@^1.0.1":
- version "1.0.1"
- resolved "https://registry.yarnpkg.com/@humanwhocodes/module-importer/-/module-importer-1.0.1.tgz#af5b2691a22b44be847b0ca81641c5fb6ad0172c"
- integrity sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA==
-
-"@humanwhocodes/object-schema@^1.2.1":
- version "1.2.1"
- resolved "https://registry.yarnpkg.com/@humanwhocodes/object-schema/-/object-schema-1.2.1.tgz#b520529ec21d8e5945a1851dfd1c32e94e39ff45"
- integrity sha512-ZnQMnLV4e7hDlUvw8H+U8ASL02SS2Gn6+9Ac3wGGLIe7+je2AeAOxPY+izIPJDfFDb7eDjev0Us8MO1iFRN8hA==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/env/-/env-13.4.8.tgz#8048ef3c3d770a3f3d1dd51d159593acfbd4e517"
- integrity sha512-twuSf1klb3k9wXI7IZhbZGtFCWvGD4wXTY2rmvzIgVhXhs7ISThrbNyutBx3jWIL8Y/Hk9+woytFz5QsgtcRKQ==
-
-"@next/[email protected]":
- version "13.4.3"
- resolved "https://registry.yarnpkg.com/@next/eslint-plugin-next/-/eslint-plugin-next-13.4.3.tgz#9f3b9dedc8da57436e45d736f5fc6646e93a2656"
- integrity sha512-5B0uOnh7wyUY9vNNdIA6NUvWozhrZaTMZOzdirYAefqD0ZBK5C/h3+KMYdCKrR7JrXGvVpWnHtv54b3dCzwICA==
- dependencies:
- glob "7.1.7"
-
-"@next/eslint-plugin-next@^13.4.8":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/eslint-plugin-next/-/eslint-plugin-next-13.4.8.tgz#2aa7a0bbfc87fbed5aa0e938d0d16dca85061ee4"
- integrity sha512-cmfVHpxWjjcETFt2WHnoFU6EmY69QcPJRlRNAooQlNe53Ke90vg1Ci/dkPffryJZaxxiRziP9bQrV8lDVCn3Fw==
- dependencies:
- glob "7.1.7"
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-darwin-arm64/-/swc-darwin-arm64-13.4.8.tgz#3838d7c96750b7f427ac47b97503fc013734f6e6"
- integrity sha512-MSFplVM4dTWOuKAUv0XR9gY7AWtMSBu9os9f+kp+s5rWhM1I2CdR3obFttd6366nS/W/VZxbPM5oEIdlIa46zA==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-darwin-x64/-/swc-darwin-x64-13.4.8.tgz#3de9c26a2ee7b189f22433bf8137256a2517f258"
- integrity sha512-Reox+UXgonon9P0WNDE6w85DGtyBqGitl/ryznOvn6TvfxEaZIpTgeu3ZrJLU9dHSMhiK7YAM793mE/Zii2/Qw==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-linux-arm64-gnu/-/swc-linux-arm64-gnu-13.4.8.tgz#9536314c931b9e78f20e4a424eace9993015c6e1"
- integrity sha512-kdyzYvAYtqQVgzIKNN7e1rLU8aZv86FDSRqPlOkKZlvqudvTO0iohuTPmnEEDlECeBM6qRPShNffotDcU/R2KA==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-linux-arm64-musl/-/swc-linux-arm64-musl-13.4.8.tgz#a894ec6a078edd28f5cfab60593a61e05b6b605b"
- integrity sha512-oWxx4yRkUGcR81XwbI+T0zhZ3bDF6V1aVLpG+C7hSG50ULpV8gC39UxVO22/bv93ZlcfMY4zl8xkz9Klct6dpQ==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-linux-x64-gnu/-/swc-linux-x64-gnu-13.4.8.tgz#b8af198dc0b4a8c64deb0494ae285e3e1a465910"
- integrity sha512-anhtvuO6eE9YRhYnaEGTfbpH3L5gT/9qPFcNoi6xS432r/4DAtpJY8kNktqkTVevVIC/pVumqO8tV59PR3zbNg==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-linux-x64-musl/-/swc-linux-x64-musl-13.4.8.tgz#d2ad24001020665a78405f595995c22750ec63c4"
- integrity sha512-aR+J4wWfNgH1DwCCBNjan7Iumx0lLtn+2/rEYuhIrYLY4vnxqSVGz9u3fXcgUwo6Q9LT8NFkaqK1vPprdq+BXg==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-win32-arm64-msvc/-/swc-win32-arm64-msvc-13.4.8.tgz#e5c4bfaa105fbe2bdb21a6d01467edd39a29cf37"
- integrity sha512-OWBKIrJwQBTqrat0xhxEB/jcsjJR3+diD9nc/Y8F1mRdQzsn4bPsomgJyuqPVZs6Lz3K18qdIkvywmfSq75SsQ==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-win32-ia32-msvc/-/swc-win32-ia32-msvc-13.4.8.tgz#c49c4d9f91845855bf544d5d14e8e13311da9931"
- integrity sha512-agiPWGjUndXGTOn4ChbKipQXRA6/UPkywAWIkx7BhgGv48TiJfHTK6MGfBoL9tS6B4mtW39++uy0wFPnfD0JWg==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-win32-x64-msvc/-/swc-win32-x64-msvc-13.4.8.tgz#22c5c8fa05680f2775a29c6c5a74cf04b8cc9d90"
- integrity sha512-UIRKoByVKbuR6SnFG4JM8EMFlJrfEGuUQ1ihxzEleWcNwRMMiVaCj1KyqfTOW8VTQhJ0u8P1Ngg6q1RwnIBTtw==
-
-"@nodelib/[email protected]":
- version "2.1.5"
- resolved "https://registry.yarnpkg.com/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz#7619c2eb21b25483f6d167548b4cfd5a7488c3d5"
- integrity sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==
- dependencies:
- "@nodelib/fs.stat" "2.0.5"
- run-parallel "^1.1.9"
-
-"@nodelib/[email protected]", "@nodelib/fs.stat@^2.0.2":
- version "2.0.5"
- resolved "https://registry.yarnpkg.com/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz#5bd262af94e9d25bd1e71b05deed44876a222e8b"
- integrity sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==
-
-"@nodelib/fs.walk@^1.2.3", "@nodelib/fs.walk@^1.2.8":
- version "1.2.8"
- resolved "https://registry.yarnpkg.com/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz#e95737e8bb6746ddedf69c556953494f196fe69a"
- integrity sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==
- dependencies:
- "@nodelib/fs.scandir" "2.1.5"
- fastq "^1.6.0"
-
-"@payloadcms/eslint-config@^0.0.2":
- version "0.0.2"
- resolved "https://registry.yarnpkg.com/@payloadcms/eslint-config/-/eslint-config-0.0.2.tgz#cadb97ccd6476204a38e057b3cf57dc80efb209f"
- integrity sha512-EcS7qyX4++eBP/MS4QgrFOzzplsVMaPDfEcxWYoH9OLJCUTlGz8UmfMZPWU7DeAuyehJdij+BywSrcprqun9rA==
-
-"@pkgr/utils@^2.3.1":
- version "2.4.2"
- resolved "https://registry.yarnpkg.com/@pkgr/utils/-/utils-2.4.2.tgz#9e638bbe9a6a6f165580dc943f138fd3309a2cbc"
- integrity sha512-POgTXhjrTfbTV63DiFXav4lBHiICLKKwDeaKn9Nphwj7WH6m0hMMCaJkMyRWjgtPFyRKRVoMXXjczsTQRDEhYw==
- dependencies:
- cross-spawn "^7.0.3"
- fast-glob "^3.3.0"
- is-glob "^4.0.3"
- open "^9.1.0"
- picocolors "^1.0.0"
- tslib "^2.6.0"
-
-"@rushstack/eslint-patch@^1.1.3":
- version "1.3.2"
- resolved "https://registry.yarnpkg.com/@rushstack/eslint-patch/-/eslint-patch-1.3.2.tgz#31b9c510d8cada9683549e1dbb4284cca5001faf"
- integrity sha512-V+MvGwaHH03hYhY+k6Ef/xKd6RYlc4q8WBx+2ANmipHJcKuktNcI/NgEsJgdSUF6Lw32njT6OnrRsKYCdgHjYw==
-
-"@swc/[email protected]":
- version "0.5.1"
- resolved "https://registry.yarnpkg.com/@swc/helpers/-/helpers-0.5.1.tgz#e9031491aa3f26bfcc974a67f48bd456c8a5357a"
- integrity sha512-sJ902EfIzn1Fa+qYmjdQqh8tPsoxyBz+8yBKC2HKUxyezKJFwPGOn7pv4WY6QuQW//ySQi5lJjA/ZT9sNWWNTg==
- dependencies:
- tslib "^2.4.0"
-
-"@types/escape-html@^1.0.2":
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/@types/escape-html/-/escape-html-1.0.2.tgz#072b7b13784fb3cee9c2450c22f36405983f5e3c"
- integrity sha512-gaBLT8pdcexFztLSPRtriHeXY/Kn4907uOCZ4Q3lncFBkheAWOuNt53ypsF8szgxbEJ513UeBzcf4utN0EzEwA==
-
-"@types/json-schema@^7.0.9":
- version "7.0.12"
- resolved "https://registry.yarnpkg.com/@types/json-schema/-/json-schema-7.0.12.tgz#d70faba7039d5fca54c83c7dbab41051d2b6f6cb"
- integrity sha512-Hr5Jfhc9eYOQNPYO5WLDq/n4jqijdHNlDXjuAQkkt+mWdQR+XJToOHrsD4cPaMXpn6KO7y2+wM8AZEs8VpBLVA==
-
-"@types/json5@^0.0.29":
- version "0.0.29"
- resolved "https://registry.yarnpkg.com/@types/json5/-/json5-0.0.29.tgz#ee28707ae94e11d2b827bcbe5270bcea7f3e71ee"
- integrity sha512-dRLjCWHYg4oaA77cxO64oO+7JwCwnIzkZPdrrC71jQmQtlhM556pwKo5bUzqvZndkVbeFLIIi+9TC40JNF5hNQ==
-
-"@types/[email protected]":
- version "18.11.3"
- resolved "https://registry.yarnpkg.com/@types/node/-/node-18.11.3.tgz#78a6d7ec962b596fc2d2ec102c4dd3ef073fea6a"
- integrity sha512-fNjDQzzOsZeKZu5NATgXUPsaFaTxeRgFXoosrHivTl8RGeV733OLawXsGfEk9a8/tySyZUyiZ6E8LcjPFZ2y1A==
-
-"@types/prop-types@*":
- version "15.7.5"
- resolved "https://registry.yarnpkg.com/@types/prop-types/-/prop-types-15.7.5.tgz#5f19d2b85a98e9558036f6a3cacc8819420f05cf"
- integrity sha512-JCB8C6SnDoQf0cNycqd/35A7MjcnK+ZTqE7judS6o7utxUCg6imJg3QK2qzHKszlTjcj2cn+NwMB2i96ubpj7w==
-
-"@types/react-dom@^18.2.6":
- version "18.2.6"
- resolved "https://registry.yarnpkg.com/@types/react-dom/-/react-dom-18.2.6.tgz#ad621fa71a8db29af7c31b41b2ea3d8a6f4144d1"
- integrity sha512-2et4PDvg6PVCyS7fuTc4gPoksV58bW0RwSxWKcPRcHZf0PRUGq03TKcD/rUHe3azfV6/5/biUBJw+HhCQjaP0A==
- dependencies:
- "@types/react" "*"
-
-"@types/react@*", "@types/react@^18.2.14":
- version "18.2.14"
- resolved "https://registry.yarnpkg.com/@types/react/-/react-18.2.14.tgz#fa7a6fecf1ce35ca94e74874f70c56ce88f7a127"
- integrity sha512-A0zjq+QN/O0Kpe30hA1GidzyFjatVvrpIvWLxD+xv67Vt91TWWgco9IvrJBkeyHm1trGaFS/FSGqPlhyeZRm0g==
- dependencies:
- "@types/prop-types" "*"
- "@types/scheduler" "*"
- csstype "^3.0.2"
-
-"@types/scheduler@*":
- version "0.16.3"
- resolved "https://registry.yarnpkg.com/@types/scheduler/-/scheduler-0.16.3.tgz#cef09e3ec9af1d63d2a6cc5b383a737e24e6dcf5"
- integrity sha512-5cJ8CB4yAx7BH1oMvdU0Jh9lrEXyPkar6F9G/ERswkCuvP4KQZfZkSjcMbAICCpQTN4OuZn8tz0HiKv9TGZgrQ==
-
-"@types/semver@^7.3.12":
- version "7.5.0"
- resolved "https://registry.yarnpkg.com/@types/semver/-/semver-7.5.0.tgz#591c1ce3a702c45ee15f47a42ade72c2fd78978a"
- integrity sha512-G8hZ6XJiHnuhQKR7ZmysCeJWE08o8T0AXtk5darsCaTVsYZhhgUrq53jizaR2FvsoeCwJhlmwTjkXBY5Pn/ZHw==
-
-"@typescript-eslint/eslint-plugin@^5.51.0":
- version "5.61.0"
- resolved "https://registry.yarnpkg.com/@typescript-eslint/eslint-plugin/-/eslint-plugin-5.61.0.tgz#a1a5290cf33863b4db3fb79350b3c5275a7b1223"
- integrity sha512-A5l/eUAug103qtkwccSCxn8ZRwT+7RXWkFECdA4Cvl1dOlDUgTpAOfSEElZn2uSUxhdDpnCdetrf0jvU4qrL+g==
- dependencies:
- "@eslint-community/regexpp" "^4.4.0"
- "@typescript-eslint/scope-manager" "5.61.0"
- "@typescript-eslint/type-utils" "5.61.0"
- "@typescript-eslint/utils" "5.61.0"
- debug "^4.3.4"
- graphemer "^1.4.0"
- ignore "^5.2.0"
- natural-compare-lite "^1.4.0"
- semver "^7.3.7"
- tsutils "^3.21.0"
-
-"@typescript-eslint/parser@^5.42.0", "@typescript-eslint/parser@^5.51.0":
- version "5.61.0"
- resolved "https://registry.yarnpkg.com/@typescript-eslint/parser/-/parser-5.61.0.tgz#7fbe3e2951904bb843f8932ebedd6e0635bffb70"
- integrity sha512-yGr4Sgyh8uO6fSi9hw3jAFXNBHbCtKKFMdX2IkT3ZqpKmtAq3lHS4ixB/COFuAIJpwl9/AqF7j72ZDWYKmIfvg==
- dependencies:
- "@typescript-eslint/scope-manager" "5.61.0"
- "@typescript-eslint/types" "5.61.0"
- "@typescript-eslint/typescript-estree" "5.61.0"
- debug "^4.3.4"
-
-"@typescript-eslint/[email protected]":
- version "5.61.0"
- resolved "https://registry.yarnpkg.com/@typescript-eslint/scope-manager/-/scope-manager-5.61.0.tgz#b670006d069c9abe6415c41f754b1b5d949ef2b2"
- integrity sha512-W8VoMjoSg7f7nqAROEmTt6LoBpn81AegP7uKhhW5KzYlehs8VV0ZW0fIDVbcZRcaP3aPSW+JZFua+ysQN+m/Nw==
- dependencies:
- "@typescript-eslint/types" "5.61.0"
- "@typescript-eslint/visitor-keys" "5.61.0"
-
-"@typescript-eslint/[email protected]":
- version "5.61.0"
- resolved "https://registry.yarnpkg.com/@typescript-eslint/type-utils/-/type-utils-5.61.0.tgz#e90799eb2045c4435ea8378cb31cd8a9fddca47a"
- integrity sha512-kk8u//r+oVK2Aj3ph/26XdH0pbAkC2RiSjUYhKD+PExemG4XSjpGFeyZ/QM8lBOa7O8aGOU+/yEbMJgQv/DnCg==
- dependencies:
- "@typescript-eslint/typescript-estree" "5.61.0"
- "@typescript-eslint/utils" "5.61.0"
- debug "^4.3.4"
- tsutils "^3.21.0"
-
-"@typescript-eslint/[email protected]":
- version "5.61.0"
- resolved "https://registry.yarnpkg.com/@typescript-eslint/types/-/types-5.61.0.tgz#e99ff11b5792d791554abab0f0370936d8ca50c0"
- integrity sha512-ldyueo58KjngXpzloHUog/h9REmHl59G1b3a5Sng1GfBo14BkS3ZbMEb3693gnP1k//97lh7bKsp6/V/0v1veQ==
-
-"@typescript-eslint/[email protected]":
- version "5.61.0"
- resolved "https://registry.yarnpkg.com/@typescript-eslint/typescript-estree/-/typescript-estree-5.61.0.tgz#4c7caca84ce95bb41aa585d46a764bcc050b92f3"
- integrity sha512-Fud90PxONnnLZ36oR5ClJBLTLfU4pIWBmnvGwTbEa2cXIqj70AEDEmOmpkFComjBZ/037ueKrOdHuYmSFVD7Rw==
- dependencies:
- "@typescript-eslint/types" "5.61.0"
- "@typescript-eslint/visitor-keys" "5.61.0"
- debug "^4.3.4"
- globby "^11.1.0"
- is-glob "^4.0.3"
- semver "^7.3.7"
- tsutils "^3.21.0"
-
-"@typescript-eslint/[email protected]":
- version "5.61.0"
- resolved "https://registry.yarnpkg.com/@typescript-eslint/utils/-/utils-5.61.0.tgz#5064838a53e91c754fffbddd306adcca3fe0af36"
- integrity sha512-mV6O+6VgQmVE6+xzlA91xifndPW9ElFW8vbSF0xCT/czPXVhwDewKila1jOyRwa9AE19zKnrr7Cg5S3pJVrTWQ==
- dependencies:
- "@eslint-community/eslint-utils" "^4.2.0"
- "@types/json-schema" "^7.0.9"
- "@types/semver" "^7.3.12"
- "@typescript-eslint/scope-manager" "5.61.0"
- "@typescript-eslint/types" "5.61.0"
- "@typescript-eslint/typescript-estree" "5.61.0"
- eslint-scope "^5.1.1"
- semver "^7.3.7"
-
-"@typescript-eslint/[email protected]":
- version "5.61.0"
- resolved "https://registry.yarnpkg.com/@typescript-eslint/visitor-keys/-/visitor-keys-5.61.0.tgz#c79414fa42158fd23bd2bb70952dc5cdbb298140"
- integrity sha512-50XQ5VdbWrX06mQXhy93WywSFZZGsv3EOjq+lqp6WC2t+j3mb6A9xYVdrRxafvK88vg9k9u+CT4l6D8PEatjKg==
- dependencies:
- "@typescript-eslint/types" "5.61.0"
- eslint-visitor-keys "^3.3.0"
-
-acorn-jsx@^5.3.2:
- version "5.3.2"
- resolved "https://registry.yarnpkg.com/acorn-jsx/-/acorn-jsx-5.3.2.tgz#7ed5bb55908b3b2f1bc55c6af1653bada7f07937"
- integrity sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==
-
-acorn@^8.9.0:
- version "8.10.0"
- resolved "https://registry.yarnpkg.com/acorn/-/acorn-8.10.0.tgz#8be5b3907a67221a81ab23c7889c4c5526b62ec5"
- integrity sha512-F0SAmZ8iUtS//m8DmCTA0jlh6TDKkHQyK6xc6V4KDTyZKA9dnvX9/3sRTVQrWm79glUAZbnmmNcdYwUIHWVybw==
-
-ajv@^6.10.0, ajv@^6.12.4:
- version "6.12.6"
- resolved "https://registry.yarnpkg.com/ajv/-/ajv-6.12.6.tgz#baf5a62e802b07d977034586f8c3baf5adf26df4"
- integrity sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==
- dependencies:
- fast-deep-equal "^3.1.1"
- fast-json-stable-stringify "^2.0.0"
- json-schema-traverse "^0.4.1"
- uri-js "^4.2.2"
-
-ansi-regex@^5.0.1:
- version "5.0.1"
- resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-5.0.1.tgz#082cb2c89c9fe8659a311a53bd6a4dc5301db304"
- integrity sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==
-
-ansi-styles@^4.1.0:
- version "4.3.0"
- resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-4.3.0.tgz#edd803628ae71c04c85ae7a0906edad34b648937"
- integrity sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==
- dependencies:
- color-convert "^2.0.1"
-
-anymatch@~3.1.2:
- version "3.1.3"
- resolved "https://registry.yarnpkg.com/anymatch/-/anymatch-3.1.3.tgz#790c58b19ba1720a84205b57c618d5ad8524973e"
- integrity sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==
- dependencies:
- normalize-path "^3.0.0"
- picomatch "^2.0.4"
-
-argparse@^2.0.1:
- version "2.0.1"
- resolved "https://registry.yarnpkg.com/argparse/-/argparse-2.0.1.tgz#246f50f3ca78a3240f6c997e8a9bd1eac49e4b38"
- integrity sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==
-
-aria-query@^5.1.3:
- version "5.3.0"
- resolved "https://registry.yarnpkg.com/aria-query/-/aria-query-5.3.0.tgz#650c569e41ad90b51b3d7df5e5eed1c7549c103e"
- integrity sha512-b0P0sZPKtyu8HkeRAfCq0IfURZK+SuwMjY1UXGBU27wpAiTwQAIlq56IbIO+ytk/JjS1fMR14ee5WBBfKi5J6A==
- dependencies:
- dequal "^2.0.3"
-
-array-buffer-byte-length@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/array-buffer-byte-length/-/array-buffer-byte-length-1.0.0.tgz#fabe8bc193fea865f317fe7807085ee0dee5aead"
- integrity sha512-LPuwb2P+NrQw3XhxGc36+XSvuBPopovXYTR9Ew++Du9Yb/bx5AzBfrIsBoj0EZUifjQU+sHL21sseZ3jerWO/A==
- dependencies:
- call-bind "^1.0.2"
- is-array-buffer "^3.0.1"
-
-array-includes@^3.1.4, array-includes@^3.1.6:
- version "3.1.6"
- resolved "https://registry.yarnpkg.com/array-includes/-/array-includes-3.1.6.tgz#9e9e720e194f198266ba9e18c29e6a9b0e4b225f"
- integrity sha512-sgTbLvL6cNnw24FnbaDyjmvddQ2ML8arZsgaJhoABMoplz/4QRhtrYS+alr1BUM1Bwp6dhx8vVCBSLG+StwOFw==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
- get-intrinsic "^1.1.3"
- is-string "^1.0.7"
-
-array-union@^2.1.0:
- version "2.1.0"
- resolved "https://registry.yarnpkg.com/array-union/-/array-union-2.1.0.tgz#b798420adbeb1de828d84acd8a2e23d3efe85e8d"
- integrity sha512-HGyxoOTYUyCM6stUe6EJgnd4EoewAI7zMdfqO+kGjnlZmBDz/cR5pf8r/cR4Wq60sL/p0IkcjUEEPwS3GFrIyw==
-
-array.prototype.flat@^1.2.5, array.prototype.flat@^1.3.1:
- version "1.3.1"
- resolved "https://registry.yarnpkg.com/array.prototype.flat/-/array.prototype.flat-1.3.1.tgz#ffc6576a7ca3efc2f46a143b9d1dda9b4b3cf5e2"
- integrity sha512-roTU0KWIOmJ4DRLmwKd19Otg0/mT3qPNt0Qb3GWW8iObuZXxrjB/pzn0R3hqpRSWg4HCwqx+0vwOnWnvlOyeIA==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
- es-shim-unscopables "^1.0.0"
-
-array.prototype.flatmap@^1.3.1:
- version "1.3.1"
- resolved "https://registry.yarnpkg.com/array.prototype.flatmap/-/array.prototype.flatmap-1.3.1.tgz#1aae7903c2100433cb8261cd4ed310aab5c4a183"
- integrity sha512-8UGn9O1FDVvMNB0UlLv4voxRMze7+FpHyF5mSMRjWHUMlpoDViniy05870VlxhfgTnLbpuwTzvD76MTtWxB/mQ==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
- es-shim-unscopables "^1.0.0"
-
-array.prototype.tosorted@^1.1.1:
- version "1.1.1"
- resolved "https://registry.yarnpkg.com/array.prototype.tosorted/-/array.prototype.tosorted-1.1.1.tgz#ccf44738aa2b5ac56578ffda97c03fd3e23dd532"
- integrity sha512-pZYPXPRl2PqWcsUs6LOMn+1f1532nEoPTYowBtqLwAW+W8vSVhkIGnmOX1t/UQjD6YGI0vcD2B1U7ZFGQH9jnQ==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
- es-shim-unscopables "^1.0.0"
- get-intrinsic "^1.1.3"
-
-ast-types-flow@^0.0.7:
- version "0.0.7"
- resolved "https://registry.yarnpkg.com/ast-types-flow/-/ast-types-flow-0.0.7.tgz#f70b735c6bca1a5c9c22d982c3e39e7feba3bdad"
- integrity sha512-eBvWn1lvIApYMhzQMsu9ciLfkBY499mFZlNqG+/9WR7PVlroQw0vG30cOQQbaKz3sCEc44TAOu2ykzqXSNnwag==
-
-available-typed-arrays@^1.0.5:
- version "1.0.5"
- resolved "https://registry.yarnpkg.com/available-typed-arrays/-/available-typed-arrays-1.0.5.tgz#92f95616501069d07d10edb2fc37d3e1c65123b7"
- integrity sha512-DMD0KiN46eipeziST1LPP/STfDU0sufISXmjSgvVsoU2tqxctQeASejWcfNtxYKqETM1UxQ8sp2OrSBWpHY6sw==
-
-axe-core@^4.6.2:
- version "4.7.2"
- resolved "https://registry.yarnpkg.com/axe-core/-/axe-core-4.7.2.tgz#040a7342b20765cb18bb50b628394c21bccc17a0"
- integrity sha512-zIURGIS1E1Q4pcrMjp+nnEh+16G56eG/MUllJH8yEvw7asDo7Ac9uhC9KIH5jzpITueEZolfYglnCGIuSBz39g==
-
-axobject-query@^3.1.1:
- version "3.2.1"
- resolved "https://registry.yarnpkg.com/axobject-query/-/axobject-query-3.2.1.tgz#39c378a6e3b06ca679f29138151e45b2b32da62a"
- integrity sha512-jsyHu61e6N4Vbz/v18DHwWYKK0bSWLqn47eeDSKPB7m8tqMHF9YJ+mhIk2lVteyZrY8tnSj/jHOv4YiTCuCJgg==
- dependencies:
- dequal "^2.0.3"
-
-balanced-match@^1.0.0:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/balanced-match/-/balanced-match-1.0.2.tgz#e83e3a7e3f300b34cb9d87f615fa0cbf357690ee"
- integrity sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==
-
-big-integer@^1.6.44:
- version "1.6.51"
- resolved "https://registry.yarnpkg.com/big-integer/-/big-integer-1.6.51.tgz#0df92a5d9880560d3ff2d5fd20245c889d130686"
- integrity sha512-GPEid2Y9QU1Exl1rpO9B2IPJGHPSupF5GnVIP0blYvNOMer2bTvSWs1jGOUg04hTmu67nmLsQ9TBo1puaotBHg==
-
-binary-extensions@^2.0.0:
- version "2.2.0"
- resolved "https://registry.yarnpkg.com/binary-extensions/-/binary-extensions-2.2.0.tgz#75f502eeaf9ffde42fc98829645be4ea76bd9e2d"
- integrity sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA==
-
-bplist-parser@^0.2.0:
- version "0.2.0"
- resolved "https://registry.yarnpkg.com/bplist-parser/-/bplist-parser-0.2.0.tgz#43a9d183e5bf9d545200ceac3e712f79ebbe8d0e"
- integrity sha512-z0M+byMThzQmD9NILRniCUXYsYpjwnlO8N5uCFaCqIOpqRsJCrQL9NK3JsD67CN5a08nF5oIL2bD6loTdHOuKw==
- dependencies:
- big-integer "^1.6.44"
-
-brace-expansion@^1.1.7:
- version "1.1.11"
- resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-1.1.11.tgz#3c7fcbf529d87226f3d2f52b966ff5271eb441dd"
- integrity sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==
- dependencies:
- balanced-match "^1.0.0"
- concat-map "0.0.1"
-
-braces@^3.0.2, braces@~3.0.2:
- version "3.0.2"
- resolved "https://registry.yarnpkg.com/braces/-/braces-3.0.2.tgz#3454e1a462ee8d599e236df336cd9ea4f8afe107"
- integrity sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==
- dependencies:
- fill-range "^7.0.1"
-
-bundle-name@^3.0.0:
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/bundle-name/-/bundle-name-3.0.0.tgz#ba59bcc9ac785fb67ccdbf104a2bf60c099f0e1a"
- integrity sha512-PKA4BeSvBpQKQ8iPOGCSiell+N8P+Tf1DlwqmYhpe2gAhKPHn8EYOxVT+ShuGmhg8lN8XiSlS80yiExKXrURlw==
- dependencies:
- run-applescript "^5.0.0"
-
[email protected]:
- version "1.6.0"
- resolved "https://registry.yarnpkg.com/busboy/-/busboy-1.6.0.tgz#966ea36a9502e43cdb9146962523b92f531f6893"
- integrity sha512-8SFQbg/0hQ9xy3UNTB0YEnsNBbWfhf7RtnzpL7TkBiTBRfrQ9Fxcnz7VJsleJpyp6rVLvXiuORqjlHi5q+PYuA==
- dependencies:
- streamsearch "^1.1.0"
-
-call-bind@^1.0.0, call-bind@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/call-bind/-/call-bind-1.0.2.tgz#b1d4e89e688119c3c9a903ad30abb2f6a919be3c"
- integrity sha512-7O+FbCihrB5WGbFYesctwmTKae6rOiIzmz1icreWJ+0aA7LJfuqhEso2T9ncpcFtzMQtzXf2QGGueWJGTYsqrA==
- dependencies:
- function-bind "^1.1.1"
- get-intrinsic "^1.0.2"
-
-callsites@^3.0.0:
- version "3.1.0"
- resolved "https://registry.yarnpkg.com/callsites/-/callsites-3.1.0.tgz#b3630abd8943432f54b3f0519238e33cd7df2f73"
- integrity sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==
-
-caniuse-lite@^1.0.30001406:
- version "1.0.30001512"
- resolved "https://registry.yarnpkg.com/caniuse-lite/-/caniuse-lite-1.0.30001512.tgz#7450843fb581c39f290305a83523c7a9ef0d4cb4"
- integrity sha512-2S9nK0G/mE+jasCUsMPlARhRCts1ebcp2Ji8Y8PWi4NDE1iRdLCnEPHkEfeBrGC45L4isBx5ur3IQ6yTE2mRZw==
-
-chalk@^4.0.0:
- version "4.1.2"
- resolved "https://registry.yarnpkg.com/chalk/-/chalk-4.1.2.tgz#aac4e2b7734a740867aeb16bf02aad556a1e7a01"
- integrity sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==
- dependencies:
- ansi-styles "^4.1.0"
- supports-color "^7.1.0"
-
-"chokidar@>=3.0.0 <4.0.0":
- version "3.5.3"
- resolved "https://registry.yarnpkg.com/chokidar/-/chokidar-3.5.3.tgz#1cf37c8707b932bd1af1ae22c0432e2acd1903bd"
- integrity sha512-Dr3sfKRP6oTcjf2JmUmFJfeVMvXBdegxB0iVQ5eb2V10uFJUCAS8OByZdVAyVb8xXNz3GjjTgj9kLWsZTqE6kw==
- dependencies:
- anymatch "~3.1.2"
- braces "~3.0.2"
- glob-parent "~5.1.2"
- is-binary-path "~2.1.0"
- is-glob "~4.0.1"
- normalize-path "~3.0.0"
- readdirp "~3.6.0"
- optionalDependencies:
- fsevents "~2.3.2"
-
[email protected]:
- version "0.0.1"
- resolved "https://registry.yarnpkg.com/client-only/-/client-only-0.0.1.tgz#38bba5d403c41ab150bff64a95c85013cf73bca1"
- integrity sha512-IV3Ou0jSMzZrd3pZ48nLkT9DA7Ag1pnPzaiQhpW7c3RbcqqzvzzVu+L8gfqMp/8IM2MQtSiqaCxrrcfu8I8rMA==
-
-color-convert@^2.0.1:
- version "2.0.1"
- resolved "https://registry.yarnpkg.com/color-convert/-/color-convert-2.0.1.tgz#72d3a68d598c9bdb3af2ad1e84f21d896abd4de3"
- integrity sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==
- dependencies:
- color-name "~1.1.4"
-
-color-name@~1.1.4:
- version "1.1.4"
- resolved "https://registry.yarnpkg.com/color-name/-/color-name-1.1.4.tgz#c2a09a87acbde69543de6f63fa3995c826c536a2"
- integrity sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==
-
[email protected]:
- version "0.0.1"
- resolved "https://registry.yarnpkg.com/concat-map/-/concat-map-0.0.1.tgz#d8a96bd77fd68df7793a73036a3ba0d5405d477b"
- integrity sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==
-
-cross-spawn@^7.0.2, cross-spawn@^7.0.3:
- version "7.0.3"
- resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-7.0.3.tgz#f73a85b9d5d41d045551c177e2882d4ac85728a6"
- integrity sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==
- dependencies:
- path-key "^3.1.0"
- shebang-command "^2.0.0"
- which "^2.0.1"
-
-csstype@^3.0.2:
- version "3.1.2"
- resolved "https://registry.yarnpkg.com/csstype/-/csstype-3.1.2.tgz#1d4bf9d572f11c14031f0436e1c10bc1f571f50b"
- integrity sha512-I7K1Uu0MBPzaFKg4nI5Q7Vs2t+3gWWW648spaF+Rg7pI9ds18Ugn+lvg4SHczUdKlHI5LWBXyqfS8+DufyBsgQ==
-
-damerau-levenshtein@^1.0.8:
- version "1.0.8"
- resolved "https://registry.yarnpkg.com/damerau-levenshtein/-/damerau-levenshtein-1.0.8.tgz#b43d286ccbd36bc5b2f7ed41caf2d0aba1f8a6e7"
- integrity sha512-sdQSFB7+llfUcQHUQO3+B8ERRj0Oa4w9POWMI/puGtuf7gFywGmkaLCElnudfTiKZV+NvHqL0ifzdrI8Ro7ESA==
-
-debug@^2.6.9:
- version "2.6.9"
- resolved "https://registry.yarnpkg.com/debug/-/debug-2.6.9.tgz#5d128515df134ff327e90a4c93f4e077a536341f"
- integrity sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==
- dependencies:
- ms "2.0.0"
-
-debug@^3.2.7:
- version "3.2.7"
- resolved "https://registry.yarnpkg.com/debug/-/debug-3.2.7.tgz#72580b7e9145fb39b6676f9c5e5fb100b934179a"
- integrity sha512-CFjzYYAi4ThfiQvizrFQevTTXHtnCqWfe7x1AhgEscTz6ZbLbfoLRLPugTQyBth6f8ZERVUSyWHFD/7Wu4t1XQ==
- dependencies:
- ms "^2.1.1"
-
-debug@^4.1.1, debug@^4.3.2, debug@^4.3.4:
- version "4.3.4"
- resolved "https://registry.yarnpkg.com/debug/-/debug-4.3.4.tgz#1319f6579357f2338d3337d2cdd4914bb5dcc865"
- integrity sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==
- dependencies:
- ms "2.1.2"
-
-deep-is@^0.1.3:
- version "0.1.4"
- resolved "https://registry.yarnpkg.com/deep-is/-/deep-is-0.1.4.tgz#a6f2dce612fadd2ef1f519b73551f17e85199831"
- integrity sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==
-
-default-browser-id@^3.0.0:
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/default-browser-id/-/default-browser-id-3.0.0.tgz#bee7bbbef1f4e75d31f98f4d3f1556a14cea790c"
- integrity sha512-OZ1y3y0SqSICtE8DE4S8YOE9UZOJ8wO16fKWVP5J1Qz42kV9jcnMVFrEE/noXb/ss3Q4pZIH79kxofzyNNtUNA==
- dependencies:
- bplist-parser "^0.2.0"
- untildify "^4.0.0"
-
-default-browser@^4.0.0:
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/default-browser/-/default-browser-4.0.0.tgz#53c9894f8810bf86696de117a6ce9085a3cbc7da"
- integrity sha512-wX5pXO1+BrhMkSbROFsyxUm0i/cJEScyNhA4PPxc41ICuv05ZZB/MX28s8aZx6xjmatvebIapF6hLEKEcpneUA==
- dependencies:
- bundle-name "^3.0.0"
- default-browser-id "^3.0.0"
- execa "^7.1.1"
- titleize "^3.0.0"
-
-define-lazy-prop@^3.0.0:
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/define-lazy-prop/-/define-lazy-prop-3.0.0.tgz#dbb19adfb746d7fc6d734a06b72f4a00d021255f"
- integrity sha512-N+MeXYoqr3pOgn8xfyRPREN7gHakLYjhsHhWGT3fWAiL4IkAt0iDw14QiiEm2bE30c5XX5q0FtAA3CK5f9/BUg==
-
-define-properties@^1.1.3, define-properties@^1.1.4, define-properties@^1.2.0:
- version "1.2.0"
- resolved "https://registry.yarnpkg.com/define-properties/-/define-properties-1.2.0.tgz#52988570670c9eacedd8064f4a990f2405849bd5"
- integrity sha512-xvqAVKGfT1+UAvPwKTVw/njhdQ8ZhXK4lI0bCIuCMrp2up9nPnaDftrLtmpTazqd1o+UY4zgzU+avtMbDP+ldA==
- dependencies:
- has-property-descriptors "^1.0.0"
- object-keys "^1.1.1"
-
-dequal@^2.0.3:
- version "2.0.3"
- resolved "https://registry.yarnpkg.com/dequal/-/dequal-2.0.3.tgz#2644214f1997d39ed0ee0ece72335490a7ac67be"
- integrity sha512-0je+qPKHEMohvfRTCEo3CrPG6cAzAYgmzKyxRiYSSDkS6eGJdyVJm7WaYA5ECaAD9wLB2T4EEeymA5aFVcYXCA==
-
-dir-glob@^3.0.1:
- version "3.0.1"
- resolved "https://registry.yarnpkg.com/dir-glob/-/dir-glob-3.0.1.tgz#56dbf73d992a4a93ba1584f4534063fd2e41717f"
- integrity sha512-WkrWp9GR4KXfKGYzOLmTuGVi1UWFfws377n9cc55/tb6DuqyF6pcQ5AbiHEshaDpY9v6oaSr2XCDidGmMwdzIA==
- dependencies:
- path-type "^4.0.0"
-
-doctrine@^2.1.0:
- version "2.1.0"
- resolved "https://registry.yarnpkg.com/doctrine/-/doctrine-2.1.0.tgz#5cd01fc101621b42c4cd7f5d1a66243716d3f39d"
- integrity sha512-35mSku4ZXK0vfCuHEDAwt55dg2jNajHZ1odvF+8SSr82EsZY4QmXfuWso8oEd8zRhVObSN18aM0CjSdoBX7zIw==
- dependencies:
- esutils "^2.0.2"
-
-doctrine@^3.0.0:
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/doctrine/-/doctrine-3.0.0.tgz#addebead72a6574db783639dc87a121773973961"
- integrity sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==
- dependencies:
- esutils "^2.0.2"
-
-emoji-regex@^9.2.2:
- version "9.2.2"
- resolved "https://registry.yarnpkg.com/emoji-regex/-/emoji-regex-9.2.2.tgz#840c8803b0d8047f4ff0cf963176b32d4ef3ed72"
- integrity sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg==
-
-enhanced-resolve@^5.12.0:
- version "5.15.0"
- resolved "https://registry.yarnpkg.com/enhanced-resolve/-/enhanced-resolve-5.15.0.tgz#1af946c7d93603eb88e9896cee4904dc012e9c35"
- integrity sha512-LXYT42KJ7lpIKECr2mAXIaMldcNCh/7E0KBKOu4KSfkHmP+mZmSs+8V5gBAqisWBy0OO4W5Oyys0GO1Y8KtdKg==
- dependencies:
- graceful-fs "^4.2.4"
- tapable "^2.2.0"
-
-es-abstract@^1.19.0, es-abstract@^1.20.4:
- version "1.21.2"
- resolved "https://registry.yarnpkg.com/es-abstract/-/es-abstract-1.21.2.tgz#a56b9695322c8a185dc25975aa3b8ec31d0e7eff"
- integrity sha512-y/B5POM2iBnIxCiernH1G7rC9qQoM77lLIMQLuob0zhp8C56Po81+2Nj0WFKnd0pNReDTnkYryc+zhOzpEIROg==
- dependencies:
- array-buffer-byte-length "^1.0.0"
- available-typed-arrays "^1.0.5"
- call-bind "^1.0.2"
- es-set-tostringtag "^2.0.1"
- es-to-primitive "^1.2.1"
- function.prototype.name "^1.1.5"
- get-intrinsic "^1.2.0"
- get-symbol-description "^1.0.0"
- globalthis "^1.0.3"
- gopd "^1.0.1"
- has "^1.0.3"
- has-property-descriptors "^1.0.0"
- has-proto "^1.0.1"
- has-symbols "^1.0.3"
- internal-slot "^1.0.5"
- is-array-buffer "^3.0.2"
- is-callable "^1.2.7"
- is-negative-zero "^2.0.2"
- is-regex "^1.1.4"
- is-shared-array-buffer "^1.0.2"
- is-string "^1.0.7"
- is-typed-array "^1.1.10"
- is-weakref "^1.0.2"
- object-inspect "^1.12.3"
- object-keys "^1.1.1"
- object.assign "^4.1.4"
- regexp.prototype.flags "^1.4.3"
- safe-regex-test "^1.0.0"
- string.prototype.trim "^1.2.7"
- string.prototype.trimend "^1.0.6"
- string.prototype.trimstart "^1.0.6"
- typed-array-length "^1.0.4"
- unbox-primitive "^1.0.2"
- which-typed-array "^1.1.9"
-
-es-set-tostringtag@^2.0.1:
- version "2.0.1"
- resolved "https://registry.yarnpkg.com/es-set-tostringtag/-/es-set-tostringtag-2.0.1.tgz#338d502f6f674301d710b80c8592de8a15f09cd8"
- integrity sha512-g3OMbtlwY3QewlqAiMLI47KywjWZoEytKr8pf6iTC8uJq5bIAH52Z9pnQ8pVL6whrCto53JZDuUIsifGeLorTg==
- dependencies:
- get-intrinsic "^1.1.3"
- has "^1.0.3"
- has-tostringtag "^1.0.0"
-
-es-shim-unscopables@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/es-shim-unscopables/-/es-shim-unscopables-1.0.0.tgz#702e632193201e3edf8713635d083d378e510241"
- integrity sha512-Jm6GPcCdC30eMLbZ2x8z2WuRwAws3zTBBKuusffYVUrNj/GVSUAZ+xKMaUpfNDR5IbyNA5LJbaecoUVbmUcB1w==
- dependencies:
- has "^1.0.3"
-
-es-to-primitive@^1.2.1:
- version "1.2.1"
- resolved "https://registry.yarnpkg.com/es-to-primitive/-/es-to-primitive-1.2.1.tgz#e55cd4c9cdc188bcefb03b366c736323fc5c898a"
- integrity sha512-QCOllgZJtaUo9miYBcLChTUaHNjJF3PYs1VidD7AwiEj1kYxKeQTctLAezAOH5ZKRH0g2IgPn6KwB4IT8iRpvA==
- dependencies:
- is-callable "^1.1.4"
- is-date-object "^1.0.1"
- is-symbol "^1.0.2"
-
-escape-html@^1.0.3:
- version "1.0.3"
- resolved "https://registry.yarnpkg.com/escape-html/-/escape-html-1.0.3.tgz#0258eae4d3d0c0974de1c169188ef0051d1d1988"
- integrity sha512-NiSupZ4OeuGwr68lGIeym/ksIZMJodUGOSCZ/FSnTxcrekbvqrgdUxlJOMpijaKZVjAJrWrGs/6Jy8OMuyj9ow==
-
-escape-string-regexp@^4.0.0:
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz#14ba83a5d373e3d311e5afca29cf5bfad965bf34"
- integrity sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==
-
[email protected]:
- version "13.4.3"
- resolved "https://registry.yarnpkg.com/eslint-config-next/-/eslint-config-next-13.4.3.tgz#15fccfddd69a2634e8939dba6a428362e09cbb21"
- integrity sha512-1lXwdFi29fKxzeugof/TUE7lpHyJQt5+U4LaUHyvQfHjvsWO77vFNicJv5sX6k0VDVSbnfz0lw+avxI+CinbMg==
- dependencies:
- "@next/eslint-plugin-next" "13.4.3"
- "@rushstack/eslint-patch" "^1.1.3"
- "@typescript-eslint/parser" "^5.42.0"
- eslint-import-resolver-node "^0.3.6"
- eslint-import-resolver-typescript "^3.5.2"
- eslint-plugin-import "^2.26.0"
- eslint-plugin-jsx-a11y "^6.5.1"
- eslint-plugin-react "^7.31.7"
- eslint-plugin-react-hooks "^4.5.0"
-
-eslint-config-prettier@^8.5.0:
- version "8.8.0"
- resolved "https://registry.yarnpkg.com/eslint-config-prettier/-/eslint-config-prettier-8.8.0.tgz#bfda738d412adc917fd7b038857110efe98c9348"
- integrity sha512-wLbQiFre3tdGgpDv67NQKnJuTlcUVYHas3k+DZCc2U2BadthoEY4B7hLPvAxaqdyOGCzuLfii2fqGph10va7oA==
-
-eslint-import-resolver-node@^0.3.6, eslint-import-resolver-node@^0.3.7:
- version "0.3.7"
- resolved "https://registry.yarnpkg.com/eslint-import-resolver-node/-/eslint-import-resolver-node-0.3.7.tgz#83b375187d412324a1963d84fa664377a23eb4d7"
- integrity sha512-gozW2blMLJCeFpBwugLTGyvVjNoeo1knonXAcatC6bjPBZitotxdWf7Gimr25N4c0AAOo4eOUfaG82IJPDpqCA==
- dependencies:
- debug "^3.2.7"
- is-core-module "^2.11.0"
- resolve "^1.22.1"
-
-eslint-import-resolver-typescript@^3.5.2:
- version "3.5.5"
- resolved "https://registry.yarnpkg.com/eslint-import-resolver-typescript/-/eslint-import-resolver-typescript-3.5.5.tgz#0a9034ae7ed94b254a360fbea89187b60ea7456d"
- integrity sha512-TdJqPHs2lW5J9Zpe17DZNQuDnox4xo2o+0tE7Pggain9Rbc19ik8kFtXdxZ250FVx2kF4vlt2RSf4qlUpG7bhw==
- dependencies:
- debug "^4.3.4"
- enhanced-resolve "^5.12.0"
- eslint-module-utils "^2.7.4"
- get-tsconfig "^4.5.0"
- globby "^13.1.3"
- is-core-module "^2.11.0"
- is-glob "^4.0.3"
- synckit "^0.8.5"
-
-eslint-module-utils@^2.7.2, eslint-module-utils@^2.7.4:
- version "2.8.0"
- resolved "https://registry.yarnpkg.com/eslint-module-utils/-/eslint-module-utils-2.8.0.tgz#e439fee65fc33f6bba630ff621efc38ec0375c49"
- integrity sha512-aWajIYfsqCKRDgUfjEXNN/JlrzauMuSEy5sbd7WXbtW3EH6A6MpwEh42c7qD+MqQo9QMJ6fWLAeIJynx0g6OAw==
- dependencies:
- debug "^3.2.7"
-
-eslint-plugin-filenames@^1.3.2:
- version "1.3.2"
- resolved "https://registry.yarnpkg.com/eslint-plugin-filenames/-/eslint-plugin-filenames-1.3.2.tgz#7094f00d7aefdd6999e3ac19f72cea058e590cf7"
- integrity sha512-tqxJTiEM5a0JmRCUYQmxw23vtTxrb2+a3Q2mMOPhFxvt7ZQQJmdiuMby9B/vUAuVMghyP7oET+nIf6EO6CBd/w==
- dependencies:
- lodash.camelcase "4.3.0"
- lodash.kebabcase "4.1.1"
- lodash.snakecase "4.1.1"
- lodash.upperfirst "4.3.1"
-
[email protected]:
- version "2.25.4"
- resolved "https://registry.yarnpkg.com/eslint-plugin-import/-/eslint-plugin-import-2.25.4.tgz#322f3f916a4e9e991ac7af32032c25ce313209f1"
- integrity sha512-/KJBASVFxpu0xg1kIBn9AUa8hQVnszpwgE7Ld0lKAlx7Ie87yzEzCgSkekt+le/YVhiaosO4Y14GDAOc41nfxA==
- dependencies:
- array-includes "^3.1.4"
- array.prototype.flat "^1.2.5"
- debug "^2.6.9"
- doctrine "^2.1.0"
- eslint-import-resolver-node "^0.3.6"
- eslint-module-utils "^2.7.2"
- has "^1.0.3"
- is-core-module "^2.8.0"
- is-glob "^4.0.3"
- minimatch "^3.0.4"
- object.values "^1.1.5"
- resolve "^1.20.0"
- tsconfig-paths "^3.12.0"
-
-eslint-plugin-import@^2.26.0:
- version "2.27.5"
- resolved "https://registry.yarnpkg.com/eslint-plugin-import/-/eslint-plugin-import-2.27.5.tgz#876a6d03f52608a3e5bb439c2550588e51dd6c65"
- integrity sha512-LmEt3GVofgiGuiE+ORpnvP+kAm3h6MLZJ4Q5HCyHADofsb4VzXFsRiWj3c0OFiV+3DWFh0qg3v9gcPlfc3zRow==
- dependencies:
- array-includes "^3.1.6"
- array.prototype.flat "^1.3.1"
- array.prototype.flatmap "^1.3.1"
- debug "^3.2.7"
- doctrine "^2.1.0"
- eslint-import-resolver-node "^0.3.7"
- eslint-module-utils "^2.7.4"
- has "^1.0.3"
- is-core-module "^2.11.0"
- is-glob "^4.0.3"
- minimatch "^3.1.2"
- object.values "^1.1.6"
- resolve "^1.22.1"
- semver "^6.3.0"
- tsconfig-paths "^3.14.1"
-
-eslint-plugin-jsx-a11y@^6.5.1:
- version "6.7.1"
- resolved "https://registry.yarnpkg.com/eslint-plugin-jsx-a11y/-/eslint-plugin-jsx-a11y-6.7.1.tgz#fca5e02d115f48c9a597a6894d5bcec2f7a76976"
- integrity sha512-63Bog4iIethyo8smBklORknVjB0T2dwB8Mr/hIC+fBS0uyHdYYpzM/Ed+YC8VxTjlXHEWFOdmgwcDn1U2L9VCA==
- dependencies:
- "@babel/runtime" "^7.20.7"
- aria-query "^5.1.3"
- array-includes "^3.1.6"
- array.prototype.flatmap "^1.3.1"
- ast-types-flow "^0.0.7"
- axe-core "^4.6.2"
- axobject-query "^3.1.1"
- damerau-levenshtein "^1.0.8"
- emoji-regex "^9.2.2"
- has "^1.0.3"
- jsx-ast-utils "^3.3.3"
- language-tags "=1.0.5"
- minimatch "^3.1.2"
- object.entries "^1.1.6"
- object.fromentries "^2.0.6"
- semver "^6.3.0"
-
-eslint-plugin-prettier@^4.0.0:
- version "4.2.1"
- resolved "https://registry.yarnpkg.com/eslint-plugin-prettier/-/eslint-plugin-prettier-4.2.1.tgz#651cbb88b1dab98bfd42f017a12fa6b2d993f94b"
- integrity sha512-f/0rXLXUt0oFYs8ra4w49wYZBG5GKZpAYsJSm6rnYL5uVDjd+zowwMwVZHnAjf4edNrKpCDYfXDgmRE/Ak7QyQ==
- dependencies:
- prettier-linter-helpers "^1.0.0"
-
-eslint-plugin-react-hooks@^4.5.0, eslint-plugin-react-hooks@^4.6.0:
- version "4.6.0"
- resolved "https://registry.yarnpkg.com/eslint-plugin-react-hooks/-/eslint-plugin-react-hooks-4.6.0.tgz#4c3e697ad95b77e93f8646aaa1630c1ba607edd3"
- integrity sha512-oFc7Itz9Qxh2x4gNHStv3BqJq54ExXmfC+a1NjAta66IAN87Wu0R/QArgIS9qKzX3dXKPI9H5crl9QchNMY9+g==
-
-eslint-plugin-react@^7.31.7:
- version "7.32.2"
- resolved "https://registry.yarnpkg.com/eslint-plugin-react/-/eslint-plugin-react-7.32.2.tgz#e71f21c7c265ebce01bcbc9d0955170c55571f10"
- integrity sha512-t2fBMa+XzonrrNkyVirzKlvn5RXzzPwRHtMvLAtVZrt8oxgnTQaYbU6SXTOO1mwQgp1y5+toMSKInnzGr0Knqg==
- dependencies:
- array-includes "^3.1.6"
- array.prototype.flatmap "^1.3.1"
- array.prototype.tosorted "^1.1.1"
- doctrine "^2.1.0"
- estraverse "^5.3.0"
- jsx-ast-utils "^2.4.1 || ^3.0.0"
- minimatch "^3.1.2"
- object.entries "^1.1.6"
- object.fromentries "^2.0.6"
- object.hasown "^1.1.2"
- object.values "^1.1.6"
- prop-types "^15.8.1"
- resolve "^2.0.0-next.4"
- semver "^6.3.0"
- string.prototype.matchall "^4.0.8"
-
-eslint-plugin-simple-import-sort@^10.0.0:
- version "10.0.0"
- resolved "https://registry.yarnpkg.com/eslint-plugin-simple-import-sort/-/eslint-plugin-simple-import-sort-10.0.0.tgz#cc4ceaa81ba73252427062705b64321946f61351"
- integrity sha512-AeTvO9UCMSNzIHRkg8S6c3RPy5YEwKWSQPx3DYghLedo2ZQxowPFLGDN1AZ2evfg6r6mjBSZSLxLFsWSu3acsw==
-
-eslint-scope@^5.1.1:
- version "5.1.1"
- resolved "https://registry.yarnpkg.com/eslint-scope/-/eslint-scope-5.1.1.tgz#e786e59a66cb92b3f6c1fb0d508aab174848f48c"
- integrity sha512-2NxwbF/hZ0KpepYN0cNbo+FN6XoK7GaHlQhgx/hIZl6Va0bF45RQOOwhLIy8lQDbuCiadSLCBnH2CFYquit5bw==
- dependencies:
- esrecurse "^4.3.0"
- estraverse "^4.1.1"
-
-eslint-scope@^7.2.0:
- version "7.2.0"
- resolved "https://registry.yarnpkg.com/eslint-scope/-/eslint-scope-7.2.0.tgz#f21ebdafda02352f103634b96dd47d9f81ca117b"
- integrity sha512-DYj5deGlHBfMt15J7rdtyKNq/Nqlv5KfU4iodrQ019XESsRnwXH9KAE0y3cwtUHDo2ob7CypAnCqefh6vioWRw==
- dependencies:
- esrecurse "^4.3.0"
- estraverse "^5.2.0"
-
-eslint-visitor-keys@^3.3.0, eslint-visitor-keys@^3.4.1:
- version "3.4.1"
- resolved "https://registry.yarnpkg.com/eslint-visitor-keys/-/eslint-visitor-keys-3.4.1.tgz#c22c48f48942d08ca824cc526211ae400478a994"
- integrity sha512-pZnmmLwYzf+kWaM/Qgrvpen51upAktaaiI01nsJD/Yr3lMOdNtq0cxkrrg16w64VtisN6okbs7Q8AfGqj4c9fA==
-
[email protected]:
- version "8.41.0"
- resolved "https://registry.yarnpkg.com/eslint/-/eslint-8.41.0.tgz#3062ca73363b4714b16dbc1e60f035e6134b6f1c"
- integrity sha512-WQDQpzGBOP5IrXPo4Hc0814r4/v2rrIsB0rhT7jtunIalgg6gYXWhRMOejVO8yH21T/FGaxjmFjBMNqcIlmH1Q==
- dependencies:
- "@eslint-community/eslint-utils" "^4.2.0"
- "@eslint-community/regexpp" "^4.4.0"
- "@eslint/eslintrc" "^2.0.3"
- "@eslint/js" "8.41.0"
- "@humanwhocodes/config-array" "^0.11.8"
- "@humanwhocodes/module-importer" "^1.0.1"
- "@nodelib/fs.walk" "^1.2.8"
- ajv "^6.10.0"
- chalk "^4.0.0"
- cross-spawn "^7.0.2"
- debug "^4.3.2"
- doctrine "^3.0.0"
- escape-string-regexp "^4.0.0"
- eslint-scope "^7.2.0"
- eslint-visitor-keys "^3.4.1"
- espree "^9.5.2"
- esquery "^1.4.2"
- esutils "^2.0.2"
- fast-deep-equal "^3.1.3"
- file-entry-cache "^6.0.1"
- find-up "^5.0.0"
- glob-parent "^6.0.2"
- globals "^13.19.0"
- graphemer "^1.4.0"
- ignore "^5.2.0"
- import-fresh "^3.0.0"
- imurmurhash "^0.1.4"
- is-glob "^4.0.0"
- 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.1"
- strip-ansi "^6.0.1"
- strip-json-comments "^3.1.0"
- text-table "^0.2.0"
-
-espree@^9.5.2, espree@^9.6.0:
- version "9.6.0"
- resolved "https://registry.yarnpkg.com/espree/-/espree-9.6.0.tgz#80869754b1c6560f32e3b6929194a3fe07c5b82f"
- integrity sha512-1FH/IiruXZ84tpUlm0aCUEwMl2Ho5ilqVh0VvQXw+byAz/4SAciyHLlfmL5WYqsvD38oymdUwBss0LtK8m4s/A==
- dependencies:
- acorn "^8.9.0"
- acorn-jsx "^5.3.2"
- eslint-visitor-keys "^3.4.1"
-
-esquery@^1.4.2:
- version "1.5.0"
- resolved "https://registry.yarnpkg.com/esquery/-/esquery-1.5.0.tgz#6ce17738de8577694edd7361c57182ac8cb0db0b"
- integrity sha512-YQLXUplAwJgCydQ78IMJywZCceoqk1oH01OERdSAJc/7U2AylwjhSCLDEtqwg811idIS/9fIU5GjG73IgjKMVg==
- dependencies:
- estraverse "^5.1.0"
-
-esrecurse@^4.3.0:
- version "4.3.0"
- resolved "https://registry.yarnpkg.com/esrecurse/-/esrecurse-4.3.0.tgz#7ad7964d679abb28bee72cec63758b1c5d2c9921"
- integrity sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==
- dependencies:
- estraverse "^5.2.0"
-
-estraverse@^4.1.1:
- version "4.3.0"
- resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-4.3.0.tgz#398ad3f3c5a24948be7725e83d11a7de28cdbd1d"
- integrity sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw==
-
-estraverse@^5.1.0, estraverse@^5.2.0, estraverse@^5.3.0:
- version "5.3.0"
- resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-5.3.0.tgz#2eea5290702f26ab8fe5370370ff86c965d21123"
- integrity sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==
-
-esutils@^2.0.2:
- version "2.0.3"
- resolved "https://registry.yarnpkg.com/esutils/-/esutils-2.0.3.tgz#74d2eb4de0b8da1293711910d50775b9b710ef64"
- integrity sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==
-
-execa@^5.0.0:
- version "5.1.1"
- resolved "https://registry.yarnpkg.com/execa/-/execa-5.1.1.tgz#f80ad9cbf4298f7bd1d4c9555c21e93741c411dd"
- integrity sha512-8uSpZZocAZRBAPIEINJj3Lo9HyGitllczc27Eh5YYojjMFMn8yHMDMaUHE2Jqfq05D/wucwI4JGURyXt1vchyg==
- dependencies:
- cross-spawn "^7.0.3"
- get-stream "^6.0.0"
- human-signals "^2.1.0"
- is-stream "^2.0.0"
- merge-stream "^2.0.0"
- npm-run-path "^4.0.1"
- onetime "^5.1.2"
- signal-exit "^3.0.3"
- strip-final-newline "^2.0.0"
-
-execa@^7.1.1:
- version "7.1.1"
- resolved "https://registry.yarnpkg.com/execa/-/execa-7.1.1.tgz#3eb3c83d239488e7b409d48e8813b76bb55c9c43"
- integrity sha512-wH0eMf/UXckdUYnO21+HDztteVv05rq2GXksxT4fCGeHkBhw1DROXh40wcjMcRqDOWE7iPJ4n3M7e2+YFP+76Q==
- dependencies:
- cross-spawn "^7.0.3"
- get-stream "^6.0.1"
- human-signals "^4.3.0"
- is-stream "^3.0.0"
- merge-stream "^2.0.0"
- npm-run-path "^5.1.0"
- onetime "^6.0.0"
- signal-exit "^3.0.7"
- strip-final-newline "^3.0.0"
-
-fast-deep-equal@^3.1.1, fast-deep-equal@^3.1.3:
- version "3.1.3"
- resolved "https://registry.yarnpkg.com/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz#3a7d56b559d6cbc3eb512325244e619a65c6c525"
- integrity sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==
-
-fast-diff@^1.1.2:
- version "1.3.0"
- resolved "https://registry.yarnpkg.com/fast-diff/-/fast-diff-1.3.0.tgz#ece407fa550a64d638536cd727e129c61616e0f0"
- integrity sha512-VxPP4NqbUjj6MaAOafWeUn2cXWLcCtljklUtZf0Ind4XQ+QPtmA0b18zZy0jIQx+ExRVCR/ZQpBmik5lXshNsw==
-
-fast-glob@^3.2.9, fast-glob@^3.3.0:
- version "3.3.0"
- resolved "https://registry.yarnpkg.com/fast-glob/-/fast-glob-3.3.0.tgz#7c40cb491e1e2ed5664749e87bfb516dbe8727c0"
- integrity sha512-ChDuvbOypPuNjO8yIDf36x7BlZX1smcUMTTcyoIjycexOxd6DFsKsg21qVBzEmr3G7fUKIRy2/psii+CIUt7FA==
- dependencies:
- "@nodelib/fs.stat" "^2.0.2"
- "@nodelib/fs.walk" "^1.2.3"
- glob-parent "^5.1.2"
- merge2 "^1.3.0"
- micromatch "^4.0.4"
-
-fast-json-stable-stringify@^2.0.0:
- version "2.1.0"
- resolved "https://registry.yarnpkg.com/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz#874bf69c6f404c2b5d99c481341399fd55892633"
- integrity sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==
-
-fast-levenshtein@^2.0.6:
- version "2.0.6"
- resolved "https://registry.yarnpkg.com/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz#3d8a5c66883a16a30ca8643e851f19baa7797917"
- integrity sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==
-
-fastq@^1.6.0:
- version "1.15.0"
- resolved "https://registry.yarnpkg.com/fastq/-/fastq-1.15.0.tgz#d04d07c6a2a68fe4599fea8d2e103a937fae6b3a"
- integrity sha512-wBrocU2LCXXa+lWBt8RoIRD89Fi8OdABODa/kEnyeyjS5aZO5/GNvI5sEINADqP/h8M29UHTHUb53sUu5Ihqdw==
- dependencies:
- reusify "^1.0.4"
-
-file-entry-cache@^6.0.1:
- version "6.0.1"
- resolved "https://registry.yarnpkg.com/file-entry-cache/-/file-entry-cache-6.0.1.tgz#211b2dd9659cb0394b073e7323ac3c933d522027"
- integrity sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==
- dependencies:
- flat-cache "^3.0.4"
-
-fill-range@^7.0.1:
- version "7.0.1"
- resolved "https://registry.yarnpkg.com/fill-range/-/fill-range-7.0.1.tgz#1919a6a7c75fe38b2c7c77e5198535da9acdda40"
- integrity sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==
- dependencies:
- to-regex-range "^5.0.1"
-
-find-up@^5.0.0:
- version "5.0.0"
- resolved "https://registry.yarnpkg.com/find-up/-/find-up-5.0.0.tgz#4c92819ecb7083561e4f4a240a86be5198f536fc"
- integrity sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==
- dependencies:
- locate-path "^6.0.0"
- path-exists "^4.0.0"
-
-flat-cache@^3.0.4:
- version "3.0.4"
- resolved "https://registry.yarnpkg.com/flat-cache/-/flat-cache-3.0.4.tgz#61b0338302b2fe9f957dcc32fc2a87f1c3048b11"
- integrity sha512-dm9s5Pw7Jc0GvMYbshN6zchCA9RgQlzzEZX3vylR9IqFfS8XciblUXOKfW6SiuJ0e13eDYZoZV5wdrev7P3Nwg==
- dependencies:
- flatted "^3.1.0"
- rimraf "^3.0.2"
-
-flatted@^3.1.0:
- version "3.2.7"
- resolved "https://registry.yarnpkg.com/flatted/-/flatted-3.2.7.tgz#609f39207cb614b89d0765b477cb2d437fbf9787"
- integrity sha512-5nqDSxl8nn5BSNxyR3n4I6eDmbolI6WT+QqR547RwxQapgjQBmtktdP+HTBb/a/zLsbzERTONyUB5pefh5TtjQ==
-
-for-each@^0.3.3:
- version "0.3.3"
- resolved "https://registry.yarnpkg.com/for-each/-/for-each-0.3.3.tgz#69b447e88a0a5d32c3e7084f3f1710034b21376e"
- integrity sha512-jqYfLp7mo9vIyQf8ykW2v7A+2N4QjeCeI5+Dz9XraiO1ign81wjiH7Fb9vSOWvQfNtmSa4H2RoQTrrXivdUZmw==
- dependencies:
- is-callable "^1.1.3"
-
-fs.realpath@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/fs.realpath/-/fs.realpath-1.0.0.tgz#1504ad2523158caa40db4a2787cb01411994ea4f"
- integrity sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==
-
-fsevents@~2.3.2:
- version "2.3.2"
- resolved "https://registry.yarnpkg.com/fsevents/-/fsevents-2.3.2.tgz#8a526f78b8fdf4623b709e0b975c52c24c02fd1a"
- integrity sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA==
-
-function-bind@^1.1.1:
- version "1.1.1"
- resolved "https://registry.yarnpkg.com/function-bind/-/function-bind-1.1.1.tgz#a56899d3ea3c9bab874bb9773b7c5ede92f4895d"
- integrity sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==
-
-function.prototype.name@^1.1.5:
- version "1.1.5"
- resolved "https://registry.yarnpkg.com/function.prototype.name/-/function.prototype.name-1.1.5.tgz#cce0505fe1ffb80503e6f9e46cc64e46a12a9621"
- integrity sha512-uN7m/BzVKQnCUF/iW8jYea67v++2u7m5UgENbHRtdDVclOUP+FMPlCNdmk0h/ysGyo2tavMJEDqJAkJdRa1vMA==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.3"
- es-abstract "^1.19.0"
- functions-have-names "^1.2.2"
-
-functions-have-names@^1.2.2, functions-have-names@^1.2.3:
- version "1.2.3"
- resolved "https://registry.yarnpkg.com/functions-have-names/-/functions-have-names-1.2.3.tgz#0404fe4ee2ba2f607f0e0ec3c80bae994133b834"
- integrity sha512-xckBUXyTIqT97tq2x2AMb+g163b5JFysYk0x4qxNFwbfQkmNZoiRHb6sPzI9/QV33WeuvVYBUIiD4NzNIyqaRQ==
-
-get-intrinsic@^1.0.2, get-intrinsic@^1.1.1, get-intrinsic@^1.1.3, get-intrinsic@^1.2.0:
- version "1.2.1"
- resolved "https://registry.yarnpkg.com/get-intrinsic/-/get-intrinsic-1.2.1.tgz#d295644fed4505fc9cde952c37ee12b477a83d82"
- integrity sha512-2DcsyfABl+gVHEfCOaTrWgyt+tb6MSEGmKq+kI5HwLbIYgjgmMcV8KQ41uaKz1xxUcn9tJtgFbQUEVcEbd0FYw==
- dependencies:
- function-bind "^1.1.1"
- has "^1.0.3"
- has-proto "^1.0.1"
- has-symbols "^1.0.3"
-
-get-stream@^6.0.0, get-stream@^6.0.1:
- version "6.0.1"
- resolved "https://registry.yarnpkg.com/get-stream/-/get-stream-6.0.1.tgz#a262d8eef67aced57c2852ad6167526a43cbf7b7"
- integrity sha512-ts6Wi+2j3jQjqi70w5AlN8DFnkSwC+MqmxEzdEALB2qXZYV3X/b1CTfgPLGJNMeAWxdPfU8FO1ms3NUfaHCPYg==
-
-get-symbol-description@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/get-symbol-description/-/get-symbol-description-1.0.0.tgz#7fdb81c900101fbd564dd5f1a30af5aadc1e58d6"
- integrity sha512-2EmdH1YvIQiZpltCNgkuiUnyukzxM/R6NDJX31Ke3BG1Nq5b0S2PhX59UKi9vZpPDQVdqn+1IcaAwnzTT5vCjw==
- dependencies:
- call-bind "^1.0.2"
- get-intrinsic "^1.1.1"
-
-get-tsconfig@^4.5.0:
- version "4.6.2"
- resolved "https://registry.yarnpkg.com/get-tsconfig/-/get-tsconfig-4.6.2.tgz#831879a5e6c2aa24fe79b60340e2233a1e0f472e"
- integrity sha512-E5XrT4CbbXcXWy+1jChlZmrmCwd5KGx502kDCXJJ7y898TtWW9FwoG5HfOLVRKmlmDGkWN2HM9Ho+/Y8F0sJDg==
- dependencies:
- resolve-pkg-maps "^1.0.0"
-
-glob-parent@^5.1.2, glob-parent@~5.1.2:
- version "5.1.2"
- resolved "https://registry.yarnpkg.com/glob-parent/-/glob-parent-5.1.2.tgz#869832c58034fe68a4093c17dc15e8340d8401c4"
- integrity sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==
- dependencies:
- is-glob "^4.0.1"
-
-glob-parent@^6.0.2:
- version "6.0.2"
- resolved "https://registry.yarnpkg.com/glob-parent/-/glob-parent-6.0.2.tgz#6d237d99083950c79290f24c7642a3de9a28f9e3"
- integrity sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==
- dependencies:
- is-glob "^4.0.3"
-
-glob-to-regexp@^0.4.1:
- version "0.4.1"
- resolved "https://registry.yarnpkg.com/glob-to-regexp/-/glob-to-regexp-0.4.1.tgz#c75297087c851b9a578bd217dd59a92f59fe546e"
- integrity sha512-lkX1HJXwyMcprw/5YUZc2s7DrpAiHB21/V+E1rHUrVNokkvB6bqMzT0VfV6/86ZNabt1k14YOIaT7nDvOX3Iiw==
-
[email protected]:
- version "7.1.7"
- resolved "https://registry.yarnpkg.com/glob/-/glob-7.1.7.tgz#3b193e9233f01d42d0b3f78294bbeeb418f94a90"
- integrity sha512-OvD9ENzPLbegENnYP5UUfJIirTg4+XwMWGaQfQTY0JenxNvvIKP3U3/tAQSPIu/lHxXYSZmpXlUHeqAIdKzBLQ==
- dependencies:
- fs.realpath "^1.0.0"
- inflight "^1.0.4"
- inherits "2"
- minimatch "^3.0.4"
- once "^1.3.0"
- path-is-absolute "^1.0.0"
-
-glob@^7.1.3:
- version "7.2.3"
- resolved "https://registry.yarnpkg.com/glob/-/glob-7.2.3.tgz#b8df0fb802bbfa8e89bd1d938b4e16578ed44f2b"
- integrity sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==
- dependencies:
- fs.realpath "^1.0.0"
- inflight "^1.0.4"
- inherits "2"
- minimatch "^3.1.1"
- once "^1.3.0"
- path-is-absolute "^1.0.0"
-
-globals@^13.19.0:
- version "13.20.0"
- resolved "https://registry.yarnpkg.com/globals/-/globals-13.20.0.tgz#ea276a1e508ffd4f1612888f9d1bad1e2717bf82"
- integrity sha512-Qg5QtVkCy/kv3FUSlu4ukeZDVf9ee0iXLAUYX13gbR17bnejFTzr4iS9bY7kwCf1NztRNm1t91fjOiyx4CSwPQ==
- dependencies:
- type-fest "^0.20.2"
-
-globalthis@^1.0.3:
- version "1.0.3"
- resolved "https://registry.yarnpkg.com/globalthis/-/globalthis-1.0.3.tgz#5852882a52b80dc301b0660273e1ed082f0b6ccf"
- integrity sha512-sFdI5LyBiNTHjRd7cGPWapiHWMOXKyuBNX/cWJ3NfzrZQVa8GI/8cofCl74AOVqq9W5kNmguTIzJ/1s2gyI9wA==
- dependencies:
- define-properties "^1.1.3"
-
-globby@^11.1.0:
- version "11.1.0"
- resolved "https://registry.yarnpkg.com/globby/-/globby-11.1.0.tgz#bd4be98bb042f83d796f7e3811991fbe82a0d34b"
- integrity sha512-jhIXaOzy1sb8IyocaruWSn1TjmnBVs8Ayhcy83rmxNJ8q2uWKCAj3CnJY+KpGSXCueAPc0i05kVvVKtP1t9S3g==
- dependencies:
- array-union "^2.1.0"
- dir-glob "^3.0.1"
- fast-glob "^3.2.9"
- ignore "^5.2.0"
- merge2 "^1.4.1"
- slash "^3.0.0"
-
-globby@^13.1.3:
- version "13.2.2"
- resolved "https://registry.yarnpkg.com/globby/-/globby-13.2.2.tgz#63b90b1bf68619c2135475cbd4e71e66aa090592"
- integrity sha512-Y1zNGV+pzQdh7H39l9zgB4PJqjRNqydvdYCDG4HFXM4XuvSaQQlEc91IU1yALL8gUTDomgBAfz3XJdmUS+oo0w==
- dependencies:
- dir-glob "^3.0.1"
- fast-glob "^3.3.0"
- ignore "^5.2.4"
- merge2 "^1.4.1"
- slash "^4.0.0"
-
-gopd@^1.0.1:
- version "1.0.1"
- resolved "https://registry.yarnpkg.com/gopd/-/gopd-1.0.1.tgz#29ff76de69dac7489b7c0918a5788e56477c332c"
- integrity sha512-d65bNlIadxvpb/A2abVdlqKqV563juRnZ1Wtk6s1sIR8uNsXR70xqIzVqxVf1eTqDunwT2MkczEeaezCKTZhwA==
- dependencies:
- get-intrinsic "^1.1.3"
-
-graceful-fs@^4.1.2, graceful-fs@^4.2.4:
- version "4.2.11"
- resolved "https://registry.yarnpkg.com/graceful-fs/-/graceful-fs-4.2.11.tgz#4183e4e8bf08bb6e05bbb2f7d2e0c8f712ca40e3"
- integrity sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ==
-
-graphemer@^1.4.0:
- version "1.4.0"
- resolved "https://registry.yarnpkg.com/graphemer/-/graphemer-1.4.0.tgz#fb2f1d55e0e3a1849aeffc90c4fa0dd53a0e66c6"
- integrity sha512-EtKwoO6kxCL9WO5xipiHTZlSzBm7WLT627TqC/uVRd0HKmq8NXyebnNYxDoBi7wt8eTWrUrKXCOVaFq9x1kgag==
-
-has-bigints@^1.0.1, has-bigints@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/has-bigints/-/has-bigints-1.0.2.tgz#0871bd3e3d51626f6ca0966668ba35d5602d6eaa"
- integrity sha512-tSvCKtBr9lkF0Ex0aQiP9N+OpV4zi2r/Nee5VkRDbaqv35RLYMzbwQfFSZZH0kR+Rd6302UJZ2p/bJCEoR3VoQ==
-
-has-flag@^4.0.0:
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-4.0.0.tgz#944771fd9c81c81265c4d6941860da06bb59479b"
- integrity sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==
-
-has-property-descriptors@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/has-property-descriptors/-/has-property-descriptors-1.0.0.tgz#610708600606d36961ed04c196193b6a607fa861"
- integrity sha512-62DVLZGoiEBDHQyqG4w9xCuZ7eJEwNmJRWw2VY84Oedb7WFcA27fiEVe8oUQx9hAUJ4ekurquucTGwsyO1XGdQ==
- dependencies:
- get-intrinsic "^1.1.1"
-
-has-proto@^1.0.1:
- version "1.0.1"
- resolved "https://registry.yarnpkg.com/has-proto/-/has-proto-1.0.1.tgz#1885c1305538958aff469fef37937c22795408e0"
- integrity sha512-7qE+iP+O+bgF9clE5+UoBFzE65mlBiVj3tKCrlNQ0Ogwm0BjpT/gK4SlLYDMybDh5I3TCTKnPPa0oMG7JDYrhg==
-
-has-symbols@^1.0.2, has-symbols@^1.0.3:
- version "1.0.3"
- resolved "https://registry.yarnpkg.com/has-symbols/-/has-symbols-1.0.3.tgz#bb7b2c4349251dce87b125f7bdf874aa7c8b39f8"
- integrity sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==
-
-has-tostringtag@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/has-tostringtag/-/has-tostringtag-1.0.0.tgz#7e133818a7d394734f941e73c3d3f9291e658b25"
- integrity sha512-kFjcSNhnlGV1kyoGk7OXKSawH5JOb/LzUc5w9B02hOTO0dfFRjbHQKvg1d6cf3HbeUmtU9VbbV3qzZ2Teh97WQ==
- dependencies:
- has-symbols "^1.0.2"
-
-has@^1.0.3:
- version "1.0.3"
- resolved "https://registry.yarnpkg.com/has/-/has-1.0.3.tgz#722d7cbfc1f6aa8241f16dd814e011e1f41e8796"
- integrity sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==
- dependencies:
- function-bind "^1.1.1"
-
-human-signals@^2.1.0:
- version "2.1.0"
- resolved "https://registry.yarnpkg.com/human-signals/-/human-signals-2.1.0.tgz#dc91fcba42e4d06e4abaed33b3e7a3c02f514ea0"
- integrity sha512-B4FFZ6q/T2jhhksgkbEW3HBvWIfDW85snkQgawt07S7J5QXTk6BkNV+0yAeZrM5QpMAdYlocGoljn0sJ/WQkFw==
-
-human-signals@^4.3.0:
- version "4.3.1"
- resolved "https://registry.yarnpkg.com/human-signals/-/human-signals-4.3.1.tgz#ab7f811e851fca97ffbd2c1fe9a958964de321b2"
- integrity sha512-nZXjEF2nbo7lIw3mgYjItAfgQXog3OjJogSbKa2CQIIvSGWcKgeJnQlNXip6NglNzYH45nSRiEVimMvYL8DDqQ==
-
-ignore@^5.2.0, ignore@^5.2.4:
- version "5.2.4"
- resolved "https://registry.yarnpkg.com/ignore/-/ignore-5.2.4.tgz#a291c0c6178ff1b960befe47fcdec301674a6324"
- integrity sha512-MAb38BcSbH0eHNBxn7ql2NH/kX33OkB3lZ1BNdh7ENeRChHTYsTvWrMubiIAMNS2llXEEgZ1MUOBtXChP3kaFQ==
-
-immer@^9.0.6:
- version "9.0.21"
- resolved "https://registry.yarnpkg.com/immer/-/immer-9.0.21.tgz#1e025ea31a40f24fb064f1fef23e931496330176"
- integrity sha512-bc4NBHqOqSfRW7POMkHd51LvClaeMXpm8dx0e8oE2GORbq5aRK7Bxl4FyzVLdGtLmvLKL7BTDBG5ACQm4HWjTA==
-
-immutable@^4.0.0:
- version "4.3.0"
- resolved "https://registry.yarnpkg.com/immutable/-/immutable-4.3.0.tgz#eb1738f14ffb39fd068b1dbe1296117484dd34be"
- integrity sha512-0AOCmOip+xgJwEVTQj1EfiDDOkPmuyllDuTuEX+DDXUgapLAsBIfkg3sxCYyCEA8mQqZrrxPUGjcOQ2JS3WLkg==
-
-import-fresh@^3.0.0, import-fresh@^3.2.1:
- version "3.3.0"
- resolved "https://registry.yarnpkg.com/import-fresh/-/import-fresh-3.3.0.tgz#37162c25fcb9ebaa2e6e53d5b4d88ce17d9e0c2b"
- integrity sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==
- dependencies:
- parent-module "^1.0.0"
- resolve-from "^4.0.0"
-
-imurmurhash@^0.1.4:
- version "0.1.4"
- resolved "https://registry.yarnpkg.com/imurmurhash/-/imurmurhash-0.1.4.tgz#9218b9b2b928a238b13dc4fb6b6d576f231453ea"
- integrity sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==
-
-inflight@^1.0.4:
- version "1.0.6"
- resolved "https://registry.yarnpkg.com/inflight/-/inflight-1.0.6.tgz#49bd6331d7d02d0c09bc910a1075ba8165b56df9"
- integrity sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==
- dependencies:
- once "^1.3.0"
- wrappy "1"
-
-inherits@2:
- version "2.0.4"
- resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.4.tgz#0fa2c64f932917c3433a0ded55363aae37416b7c"
- integrity sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==
-
-internal-slot@^1.0.3, internal-slot@^1.0.5:
- version "1.0.5"
- resolved "https://registry.yarnpkg.com/internal-slot/-/internal-slot-1.0.5.tgz#f2a2ee21f668f8627a4667f309dc0f4fb6674986"
- integrity sha512-Y+R5hJrzs52QCG2laLn4udYVnxsfny9CpOhNhUvk/SSSVyF6T27FzRbF0sroPidSu3X8oEAkOn2K804mjpt6UQ==
- dependencies:
- get-intrinsic "^1.2.0"
- has "^1.0.3"
- side-channel "^1.0.4"
-
-is-array-buffer@^3.0.1, is-array-buffer@^3.0.2:
- version "3.0.2"
- resolved "https://registry.yarnpkg.com/is-array-buffer/-/is-array-buffer-3.0.2.tgz#f2653ced8412081638ecb0ebbd0c41c6e0aecbbe"
- integrity sha512-y+FyyR/w8vfIRq4eQcM1EYgSTnmHXPqaF+IgzgraytCFq5Xh8lllDVmAZolPJiZttZLeFSINPYMaEJ7/vWUa1w==
- dependencies:
- call-bind "^1.0.2"
- get-intrinsic "^1.2.0"
- is-typed-array "^1.1.10"
-
-is-bigint@^1.0.1:
- version "1.0.4"
- resolved "https://registry.yarnpkg.com/is-bigint/-/is-bigint-1.0.4.tgz#08147a1875bc2b32005d41ccd8291dffc6691df3"
- integrity sha512-zB9CruMamjym81i2JZ3UMn54PKGsQzsJeo6xvN3HJJ4CAsQNB6iRutp2To77OfCNuoxspsIhzaPoO1zyCEhFOg==
- dependencies:
- has-bigints "^1.0.1"
-
-is-binary-path@~2.1.0:
- version "2.1.0"
- resolved "https://registry.yarnpkg.com/is-binary-path/-/is-binary-path-2.1.0.tgz#ea1f7f3b80f064236e83470f86c09c254fb45b09"
- integrity sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==
- dependencies:
- binary-extensions "^2.0.0"
-
-is-boolean-object@^1.1.0:
- version "1.1.2"
- resolved "https://registry.yarnpkg.com/is-boolean-object/-/is-boolean-object-1.1.2.tgz#5c6dc200246dd9321ae4b885a114bb1f75f63719"
- integrity sha512-gDYaKHJmnj4aWxyj6YHyXVpdQawtVLHU5cb+eztPGczf6cjuTdwve5ZIEfgXqH4e57An1D1AKf8CZ3kYrQRqYA==
- dependencies:
- call-bind "^1.0.2"
- has-tostringtag "^1.0.0"
-
-is-callable@^1.1.3, is-callable@^1.1.4, is-callable@^1.2.7:
- version "1.2.7"
- resolved "https://registry.yarnpkg.com/is-callable/-/is-callable-1.2.7.tgz#3bc2a85ea742d9e36205dcacdd72ca1fdc51b055"
- integrity sha512-1BC0BVFhS/p0qtw6enp8e+8OD0UrK0oFLztSjNzhcKA3WDuJxxAPXzPuPtKkjEY9UUoEWlX/8fgKeu2S8i9JTA==
-
-is-core-module@^2.11.0, is-core-module@^2.8.0, is-core-module@^2.9.0:
- version "2.12.1"
- resolved "https://registry.yarnpkg.com/is-core-module/-/is-core-module-2.12.1.tgz#0c0b6885b6f80011c71541ce15c8d66cf5a4f9fd"
- integrity sha512-Q4ZuBAe2FUsKtyQJoQHlvP8OvBERxO3jEmy1I7hcRXcJBGGHFh/aJBswbXuS9sgrDH2QUO8ilkwNPHvHMd8clg==
- dependencies:
- has "^1.0.3"
-
-is-date-object@^1.0.1:
- version "1.0.5"
- resolved "https://registry.yarnpkg.com/is-date-object/-/is-date-object-1.0.5.tgz#0841d5536e724c25597bf6ea62e1bd38298df31f"
- integrity sha512-9YQaSxsAiSwcvS33MBk3wTCVnWK+HhF8VZR2jRxehM16QcVOdHqPn4VPHmRK4lSr38n9JriurInLcP90xsYNfQ==
- dependencies:
- has-tostringtag "^1.0.0"
-
-is-docker@^2.0.0:
- version "2.2.1"
- resolved "https://registry.yarnpkg.com/is-docker/-/is-docker-2.2.1.tgz#33eeabe23cfe86f14bde4408a02c0cfb853acdaa"
- integrity sha512-F+i2BKsFrH66iaUFc0woD8sLy8getkwTwtOBjvs56Cx4CgJDeKQeqfz8wAYiSb8JOprWhHH5p77PbmYCvvUuXQ==
-
-is-docker@^3.0.0:
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/is-docker/-/is-docker-3.0.0.tgz#90093aa3106277d8a77a5910dbae71747e15a200"
- integrity sha512-eljcgEDlEns/7AXFosB5K/2nCM4P7FQPkGc/DWLy5rmFEWvZayGrik1d9/QIY5nJ4f9YsVvBkA6kJpHn9rISdQ==
-
-is-extglob@^2.1.1:
- version "2.1.1"
- resolved "https://registry.yarnpkg.com/is-extglob/-/is-extglob-2.1.1.tgz#a88c02535791f02ed37c76a1b9ea9773c833f8c2"
- integrity sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==
-
-is-glob@^4.0.0, is-glob@^4.0.1, is-glob@^4.0.3, is-glob@~4.0.1:
- version "4.0.3"
- resolved "https://registry.yarnpkg.com/is-glob/-/is-glob-4.0.3.tgz#64f61e42cbbb2eec2071a9dac0b28ba1e65d5084"
- integrity sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==
- dependencies:
- is-extglob "^2.1.1"
-
-is-inside-container@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/is-inside-container/-/is-inside-container-1.0.0.tgz#e81fba699662eb31dbdaf26766a61d4814717ea4"
- integrity sha512-KIYLCCJghfHZxqjYBE7rEy0OBuTd5xCHS7tHVgvCLkx7StIoaxwNW3hCALgEUjFfeRk+MG/Qxmp/vtETEF3tRA==
- dependencies:
- is-docker "^3.0.0"
-
-is-negative-zero@^2.0.2:
- version "2.0.2"
- resolved "https://registry.yarnpkg.com/is-negative-zero/-/is-negative-zero-2.0.2.tgz#7bf6f03a28003b8b3965de3ac26f664d765f3150"
- integrity sha512-dqJvarLawXsFbNDeJW7zAz8ItJ9cd28YufuuFzh0G8pNHjJMnY08Dv7sYX2uF5UpQOwieAeOExEYAWWfu7ZZUA==
-
-is-number-object@^1.0.4:
- version "1.0.7"
- resolved "https://registry.yarnpkg.com/is-number-object/-/is-number-object-1.0.7.tgz#59d50ada4c45251784e9904f5246c742f07a42fc"
- integrity sha512-k1U0IRzLMo7ZlYIfzRu23Oh6MiIFasgpb9X76eqfFZAqwH44UI4KTBvBYIZ1dSL9ZzChTB9ShHfLkR4pdW5krQ==
- dependencies:
- has-tostringtag "^1.0.0"
-
-is-number@^7.0.0:
- version "7.0.0"
- resolved "https://registry.yarnpkg.com/is-number/-/is-number-7.0.0.tgz#7535345b896734d5f80c4d06c50955527a14f12b"
- integrity sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==
-
-is-path-inside@^3.0.3:
- version "3.0.3"
- resolved "https://registry.yarnpkg.com/is-path-inside/-/is-path-inside-3.0.3.tgz#d231362e53a07ff2b0e0ea7fed049161ffd16283"
- integrity sha512-Fd4gABb+ycGAmKou8eMftCupSir5lRxqf4aD/vd0cD2qc4HL07OjCeuHMr8Ro4CoMaeCKDB0/ECBOVWjTwUvPQ==
-
-is-plain-object@^5.0.0:
- version "5.0.0"
- resolved "https://registry.yarnpkg.com/is-plain-object/-/is-plain-object-5.0.0.tgz#4427f50ab3429e9025ea7d52e9043a9ef4159344"
- integrity sha512-VRSzKkbMm5jMDoKLbltAkFQ5Qr7VDiTFGXxYFXXowVj387GeGNOCsOH6Msy00SGZ3Fp84b1Naa1psqgcCIEP5Q==
-
-is-regex@^1.1.4:
- version "1.1.4"
- resolved "https://registry.yarnpkg.com/is-regex/-/is-regex-1.1.4.tgz#eef5663cd59fa4c0ae339505323df6854bb15958"
- integrity sha512-kvRdxDsxZjhzUX07ZnLydzS1TU/TJlTUHHY4YLL87e37oUA49DfkLqgy+VjFocowy29cKvcSiu+kIv728jTTVg==
- dependencies:
- call-bind "^1.0.2"
- has-tostringtag "^1.0.0"
-
-is-shared-array-buffer@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/is-shared-array-buffer/-/is-shared-array-buffer-1.0.2.tgz#8f259c573b60b6a32d4058a1a07430c0a7344c79"
- integrity sha512-sqN2UDu1/0y6uvXyStCOzyhAjCSlHceFoMKJW8W9EU9cvic/QdsZ0kEU93HEy3IUEFZIiH/3w+AH/UQbPHNdhA==
- dependencies:
- call-bind "^1.0.2"
-
-is-stream@^2.0.0:
- version "2.0.1"
- resolved "https://registry.yarnpkg.com/is-stream/-/is-stream-2.0.1.tgz#fac1e3d53b97ad5a9d0ae9cef2389f5810a5c077"
- integrity sha512-hFoiJiTl63nn+kstHGBtewWSKnQLpyb155KHheA1l39uvtO9nWIop1p3udqPcUd/xbF1VLMO4n7OI6p7RbngDg==
-
-is-stream@^3.0.0:
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/is-stream/-/is-stream-3.0.0.tgz#e6bfd7aa6bef69f4f472ce9bb681e3e57b4319ac"
- integrity sha512-LnQR4bZ9IADDRSkvpqMGvt/tEJWclzklNgSw48V5EAaAeDd6qGvN8ei6k5p0tvxSR171VmGyHuTiAOfxAbr8kA==
-
-is-string@^1.0.5, is-string@^1.0.7:
- version "1.0.7"
- resolved "https://registry.yarnpkg.com/is-string/-/is-string-1.0.7.tgz#0dd12bf2006f255bb58f695110eff7491eebc0fd"
- integrity sha512-tE2UXzivje6ofPW7l23cjDOMa09gb7xlAqG6jG5ej6uPV32TlWP3NKPigtaGeHNu9fohccRYvIiZMfOOnOYUtg==
- dependencies:
- has-tostringtag "^1.0.0"
-
-is-symbol@^1.0.2, is-symbol@^1.0.3:
- version "1.0.4"
- resolved "https://registry.yarnpkg.com/is-symbol/-/is-symbol-1.0.4.tgz#a6dac93b635b063ca6872236de88910a57af139c"
- integrity sha512-C/CPBqKWnvdcxqIARxyOh4v1UUEOCHpgDa0WYgpKDFMszcrPcffg5uhwSgPCLD2WWxmq6isisz87tzT01tuGhg==
- dependencies:
- has-symbols "^1.0.2"
-
-is-typed-array@^1.1.10, is-typed-array@^1.1.9:
- version "1.1.10"
- resolved "https://registry.yarnpkg.com/is-typed-array/-/is-typed-array-1.1.10.tgz#36a5b5cb4189b575d1a3e4b08536bfb485801e3f"
- integrity sha512-PJqgEHiWZvMpaFZ3uTc8kHPM4+4ADTlDniuQL7cU/UDA0Ql7F70yGfHph3cLNe+c9toaigv+DFzTJKhc2CtO6A==
- dependencies:
- available-typed-arrays "^1.0.5"
- call-bind "^1.0.2"
- for-each "^0.3.3"
- gopd "^1.0.1"
- has-tostringtag "^1.0.0"
-
-is-weakref@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/is-weakref/-/is-weakref-1.0.2.tgz#9529f383a9338205e89765e0392efc2f100f06f2"
- integrity sha512-qctsuLZmIQ0+vSSMfoVvyFe2+GSEvnmZ2ezTup1SBse9+twCCeial6EEi3Nc2KFcf6+qz2FBPnjXsk8xhKSaPQ==
- dependencies:
- call-bind "^1.0.2"
-
-is-wsl@^2.2.0:
- version "2.2.0"
- resolved "https://registry.yarnpkg.com/is-wsl/-/is-wsl-2.2.0.tgz#74a4c76e77ca9fd3f932f290c17ea326cd157271"
- integrity sha512-fKzAra0rGJUUBwGBgNkHZuToZcn+TtXHpeCgmkMJMMYx1sQDYaCSyjJBSCa2nH1DGm7s3n1oBnohoVTBaN7Lww==
- dependencies:
- is-docker "^2.0.0"
-
-isexe@^2.0.0:
- version "2.0.0"
- resolved "https://registry.yarnpkg.com/isexe/-/isexe-2.0.0.tgz#e8fbf374dc556ff8947a10dcb0572d633f2cfa10"
- integrity sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==
-
-"js-tokens@^3.0.0 || ^4.0.0":
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/js-tokens/-/js-tokens-4.0.0.tgz#19203fb59991df98e3a287050d4647cdeaf32499"
- integrity sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==
-
-js-yaml@^4.1.0:
- version "4.1.0"
- resolved "https://registry.yarnpkg.com/js-yaml/-/js-yaml-4.1.0.tgz#c1fb65f8f5017901cdd2c951864ba18458a10602"
- integrity sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==
- dependencies:
- argparse "^2.0.1"
-
-json-schema-traverse@^0.4.1:
- version "0.4.1"
- resolved "https://registry.yarnpkg.com/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz#69f6a87d9513ab8bb8fe63bdb0979c448e684660"
- integrity sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==
-
-json-stable-stringify-without-jsonify@^1.0.1:
- version "1.0.1"
- resolved "https://registry.yarnpkg.com/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz#9db7b59496ad3f3cfef30a75142d2d930ad72651"
- integrity sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==
-
-json5@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/json5/-/json5-1.0.2.tgz#63d98d60f21b313b77c4d6da18bfa69d80e1d593"
- integrity sha512-g1MWMLBiz8FKi1e4w0UyVL3w+iJceWAFBAaBnnGKOpNa5f8TLktkbre1+s6oICydWAm+HRUGTmI+//xv2hvXYA==
- dependencies:
- minimist "^1.2.0"
-
-"jsx-ast-utils@^2.4.1 || ^3.0.0", jsx-ast-utils@^3.3.3:
- version "3.3.4"
- resolved "https://registry.yarnpkg.com/jsx-ast-utils/-/jsx-ast-utils-3.3.4.tgz#b896535fed5b867650acce5a9bd4135ffc7b3bf9"
- integrity sha512-fX2TVdCViod6HwKEtSWGHs57oFhVfCMwieb9PuRDgjDPh5XeqJiHFFFJCHxU5cnTc3Bu/GRL+kPiFmw8XWOfKw==
- dependencies:
- array-includes "^3.1.6"
- array.prototype.flat "^1.3.1"
- object.assign "^4.1.4"
- object.values "^1.1.6"
-
-language-subtag-registry@~0.3.2:
- version "0.3.22"
- resolved "https://registry.yarnpkg.com/language-subtag-registry/-/language-subtag-registry-0.3.22.tgz#2e1500861b2e457eba7e7ae86877cbd08fa1fd1d"
- integrity sha512-tN0MCzyWnoz/4nHS6uxdlFWoUZT7ABptwKPQ52Ea7URk6vll88bWBVhodtnlfEuCcKWNGoc+uGbw1cwa9IKh/w==
-
-language-tags@=1.0.5:
- version "1.0.5"
- resolved "https://registry.yarnpkg.com/language-tags/-/language-tags-1.0.5.tgz#d321dbc4da30ba8bf3024e040fa5c14661f9193a"
- integrity sha512-qJhlO9cGXi6hBGKoxEG/sKZDAHD5Hnu9Hs4WbOY3pCWXDhw0N8x1NenNzm2EnNLkLkk7J2SdxAkDSbb6ftT+UQ==
- dependencies:
- language-subtag-registry "~0.3.2"
-
-levn@^0.4.1:
- version "0.4.1"
- resolved "https://registry.yarnpkg.com/levn/-/levn-0.4.1.tgz#ae4562c007473b932a6200d403268dd2fffc6ade"
- integrity sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==
- dependencies:
- prelude-ls "^1.2.1"
- type-check "~0.4.0"
-
-locate-path@^6.0.0:
- version "6.0.0"
- resolved "https://registry.yarnpkg.com/locate-path/-/locate-path-6.0.0.tgz#55321eb309febbc59c4801d931a72452a681d286"
- integrity sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==
- dependencies:
- p-locate "^5.0.0"
-
[email protected]:
- version "4.3.0"
- resolved "https://registry.yarnpkg.com/lodash.camelcase/-/lodash.camelcase-4.3.0.tgz#b28aa6288a2b9fc651035c7711f65ab6190331a6"
- integrity sha512-TwuEnCnxbc3rAvhf/LbG7tJUDzhqXyFnv3dtzLOPgCG/hODL7WFnsbwktkD7yUV0RrreP/l1PALq/YSg6VvjlA==
-
[email protected]:
- version "4.1.1"
- resolved "https://registry.yarnpkg.com/lodash.kebabcase/-/lodash.kebabcase-4.1.1.tgz#8489b1cb0d29ff88195cceca448ff6d6cc295c36"
- integrity sha512-N8XRTIMMqqDgSy4VLKPnJ/+hpGZN+PHQiJnSenYqPaVV/NCqEogTnAdZLQiGKhxX+JCs8waWq2t1XHWKOmlY8g==
-
-lodash.merge@^4.6.2:
- version "4.6.2"
- resolved "https://registry.yarnpkg.com/lodash.merge/-/lodash.merge-4.6.2.tgz#558aa53b43b661e1925a0afdfa36a9a1085fe57a"
- integrity sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==
-
[email protected]:
- version "4.1.1"
- resolved "https://registry.yarnpkg.com/lodash.snakecase/-/lodash.snakecase-4.1.1.tgz#39d714a35357147837aefd64b5dcbb16becd8f8d"
- integrity sha512-QZ1d4xoBHYUeuouhEq3lk3Uq7ldgyFXGBhg04+oRLnIz8o9T65Eh+8YdroUwn846zchkA9yDsDl5CVVaV2nqYw==
-
[email protected]:
- version "4.3.1"
- resolved "https://registry.yarnpkg.com/lodash.upperfirst/-/lodash.upperfirst-4.3.1.tgz#1365edf431480481ef0d1c68957a5ed99d49f7ce"
- integrity sha512-sReKOYJIJf74dhJONhU4e0/shzi1trVbSWDOhKYE5XV2O+H7Sb2Dihwuc7xWxVl+DgFPyTqIN3zMfT9cq5iWDg==
-
-loose-envify@^1.1.0, loose-envify@^1.4.0:
- version "1.4.0"
- resolved "https://registry.yarnpkg.com/loose-envify/-/loose-envify-1.4.0.tgz#71ee51fa7be4caec1a63839f7e682d8132d30caf"
- integrity sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q==
- dependencies:
- js-tokens "^3.0.0 || ^4.0.0"
-
-lru-cache@^6.0.0:
- version "6.0.0"
- resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-6.0.0.tgz#6d6fe6570ebd96aaf90fcad1dafa3b2566db3a94"
- integrity sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==
- dependencies:
- yallist "^4.0.0"
-
-merge-stream@^2.0.0:
- version "2.0.0"
- resolved "https://registry.yarnpkg.com/merge-stream/-/merge-stream-2.0.0.tgz#52823629a14dd00c9770fb6ad47dc6310f2c1f60"
- integrity sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w==
-
-merge2@^1.3.0, merge2@^1.4.1:
- version "1.4.1"
- resolved "https://registry.yarnpkg.com/merge2/-/merge2-1.4.1.tgz#4368892f885e907455a6fd7dc55c0c9d404990ae"
- integrity sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==
-
-micromatch@^4.0.4:
- version "4.0.5"
- resolved "https://registry.yarnpkg.com/micromatch/-/micromatch-4.0.5.tgz#bc8999a7cbbf77cdc89f132f6e467051b49090c6"
- integrity sha512-DMy+ERcEW2q8Z2Po+WNXuw3c5YaUSFjAO5GsJqfEl7UjvtIuFKO6ZrKvcItdy98dwFI2N1tg3zNIdKaQT+aNdA==
- dependencies:
- braces "^3.0.2"
- picomatch "^2.3.1"
-
-mimic-fn@^2.1.0:
- version "2.1.0"
- resolved "https://registry.yarnpkg.com/mimic-fn/-/mimic-fn-2.1.0.tgz#7ed2c2ccccaf84d3ffcb7a69b57711fc2083401b"
- integrity sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg==
-
-mimic-fn@^4.0.0:
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/mimic-fn/-/mimic-fn-4.0.0.tgz#60a90550d5cb0b239cca65d893b1a53b29871ecc"
- integrity sha512-vqiC06CuhBTUdZH+RYl8sFrL096vA45Ok5ISO6sE/Mr1jRbGH4Csnhi8f3wKVl7x8mO4Au7Ir9D3Oyv1VYMFJw==
-
-minimatch@^3.0.4, minimatch@^3.0.5, minimatch@^3.1.1, minimatch@^3.1.2:
- version "3.1.2"
- resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.1.2.tgz#19cd194bfd3e428f049a70817c038d89ab4be35b"
- integrity sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==
- dependencies:
- brace-expansion "^1.1.7"
-
-minimist@^1.2.0, minimist@^1.2.6:
- version "1.2.8"
- resolved "https://registry.yarnpkg.com/minimist/-/minimist-1.2.8.tgz#c1a464e7693302e082a075cee0c057741ac4772c"
- integrity sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==
-
[email protected]:
- version "2.0.0"
- resolved "https://registry.yarnpkg.com/ms/-/ms-2.0.0.tgz#5608aeadfc00be6c2901df5f9861788de0d597c8"
- integrity sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==
-
[email protected]:
- version "2.1.2"
- resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.2.tgz#d09d1f357b443f493382a8eb3ccd183872ae6009"
- integrity sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==
-
-ms@^2.1.1:
- version "2.1.3"
- resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.3.tgz#574c8138ce1d2b5861f0b44579dbadd60c6615b2"
- integrity sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==
-
-nanoid@^3.3.4:
- version "3.3.6"
- resolved "https://registry.yarnpkg.com/nanoid/-/nanoid-3.3.6.tgz#443380c856d6e9f9824267d960b4236ad583ea4c"
- integrity sha512-BGcqMMJuToF7i1rt+2PWSNVnWIkGCU78jBG3RxO/bZlnZPK2Cmi2QaffxGO/2RvWi9sL+FAiRiXMgsyxQ1DIDA==
-
-natural-compare-lite@^1.4.0:
- version "1.4.0"
- resolved "https://registry.yarnpkg.com/natural-compare-lite/-/natural-compare-lite-1.4.0.tgz#17b09581988979fddafe0201e931ba933c96cbb4"
- integrity sha512-Tj+HTDSJJKaZnfiuw+iaF9skdPpTo2GtEly5JHnWV/hfv2Qj/9RKsGISQtLh2ox3l5EAGw487hnBee0sIJ6v2g==
-
-natural-compare@^1.4.0:
- version "1.4.0"
- resolved "https://registry.yarnpkg.com/natural-compare/-/natural-compare-1.4.0.tgz#4abebfeed7541f2c27acfb29bdbbd15c8d5ba4f7"
- integrity sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==
-
-next@^13.4.8:
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/next/-/next-13.4.8.tgz#72245bf4fdf328970147ee30de97142c39b1cb3f"
- integrity sha512-lxUjndYKjZHGK3CWeN2RI+/6ni6EUvjiqGWXAYPxUfGIdFGQ5XoisrqAJ/dF74aP27buAfs8MKIbIMMdxjqSBg==
- dependencies:
- "@next/env" "13.4.8"
- "@swc/helpers" "0.5.1"
- busboy "1.6.0"
- caniuse-lite "^1.0.30001406"
- postcss "8.4.14"
- styled-jsx "5.1.1"
- watchpack "2.4.0"
- zod "3.21.4"
- optionalDependencies:
- "@next/swc-darwin-arm64" "13.4.8"
- "@next/swc-darwin-x64" "13.4.8"
- "@next/swc-linux-arm64-gnu" "13.4.8"
- "@next/swc-linux-arm64-musl" "13.4.8"
- "@next/swc-linux-x64-gnu" "13.4.8"
- "@next/swc-linux-x64-musl" "13.4.8"
- "@next/swc-win32-arm64-msvc" "13.4.8"
- "@next/swc-win32-ia32-msvc" "13.4.8"
- "@next/swc-win32-x64-msvc" "13.4.8"
-
-normalize-path@^3.0.0, normalize-path@~3.0.0:
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/normalize-path/-/normalize-path-3.0.0.tgz#0dcd69ff23a1c9b11fd0978316644a0388216a65"
- integrity sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==
-
-npm-run-path@^4.0.1:
- version "4.0.1"
- resolved "https://registry.yarnpkg.com/npm-run-path/-/npm-run-path-4.0.1.tgz#b7ecd1e5ed53da8e37a55e1c2269e0b97ed748ea"
- integrity sha512-S48WzZW777zhNIrn7gxOlISNAqi9ZC/uQFnRdbeIHhZhCA6UqpkOT8T1G7BvfdgP4Er8gF4sUbaS0i7QvIfCWw==
- dependencies:
- path-key "^3.0.0"
-
-npm-run-path@^5.1.0:
- version "5.1.0"
- resolved "https://registry.yarnpkg.com/npm-run-path/-/npm-run-path-5.1.0.tgz#bc62f7f3f6952d9894bd08944ba011a6ee7b7e00"
- integrity sha512-sJOdmRGrY2sjNTRMbSvluQqg+8X7ZK61yvzBEIDhz4f8z1TZFYABsqjjCBd/0PUNE9M6QDgHJXQkGUEm7Q+l9Q==
- dependencies:
- path-key "^4.0.0"
-
-object-assign@^4.1.1:
- version "4.1.1"
- resolved "https://registry.yarnpkg.com/object-assign/-/object-assign-4.1.1.tgz#2109adc7965887cfc05cbbd442cac8bfbb360863"
- integrity sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==
-
-object-inspect@^1.12.3, object-inspect@^1.9.0:
- version "1.12.3"
- resolved "https://registry.yarnpkg.com/object-inspect/-/object-inspect-1.12.3.tgz#ba62dffd67ee256c8c086dfae69e016cd1f198b9"
- integrity sha512-geUvdk7c+eizMNUDkRpW1wJwgfOiOeHbxBR/hLXK1aT6zmVSO0jsQcs7fj6MGw89jC/cjGfLcNOrtMYtGqm81g==
-
-object-keys@^1.1.1:
- version "1.1.1"
- resolved "https://registry.yarnpkg.com/object-keys/-/object-keys-1.1.1.tgz#1c47f272df277f3b1daf061677d9c82e2322c60e"
- integrity sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==
-
-object.assign@^4.1.4:
- version "4.1.4"
- resolved "https://registry.yarnpkg.com/object.assign/-/object.assign-4.1.4.tgz#9673c7c7c351ab8c4d0b516f4343ebf4dfb7799f"
- integrity sha512-1mxKf0e58bvyjSCtKYY4sRe9itRk3PJpquJOjeIkz885CczcI4IvJJDLPS72oowuSh+pBxUFROpX+TU++hxhZQ==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- has-symbols "^1.0.3"
- object-keys "^1.1.1"
-
-object.entries@^1.1.6:
- version "1.1.6"
- resolved "https://registry.yarnpkg.com/object.entries/-/object.entries-1.1.6.tgz#9737d0e5b8291edd340a3e3264bb8a3b00d5fa23"
- integrity sha512-leTPzo4Zvg3pmbQ3rDK69Rl8GQvIqMWubrkxONG9/ojtFE2rD9fjMKfSI5BxW3osRH1m6VdzmqK8oAY9aT4x5w==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
-
-object.fromentries@^2.0.6:
- version "2.0.6"
- resolved "https://registry.yarnpkg.com/object.fromentries/-/object.fromentries-2.0.6.tgz#cdb04da08c539cffa912dcd368b886e0904bfa73"
- integrity sha512-VciD13dswC4j1Xt5394WR4MzmAQmlgN72phd/riNp9vtD7tp4QQWJ0R4wvclXcafgcYK8veHRed2W6XeGBvcfg==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
-
-object.hasown@^1.1.2:
- version "1.1.2"
- resolved "https://registry.yarnpkg.com/object.hasown/-/object.hasown-1.1.2.tgz#f919e21fad4eb38a57bc6345b3afd496515c3f92"
- integrity sha512-B5UIT3J1W+WuWIU55h0mjlwaqxiE5vYENJXIXZ4VFe05pNYrkKuK0U/6aFcb0pKywYJh7IhfoqUfKVmrJJHZHw==
- dependencies:
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
-
-object.values@^1.1.5, object.values@^1.1.6:
- version "1.1.6"
- resolved "https://registry.yarnpkg.com/object.values/-/object.values-1.1.6.tgz#4abbaa71eba47d63589d402856f908243eea9b1d"
- integrity sha512-FVVTkD1vENCsAcwNs9k6jea2uHC/X0+JcjG8YA60FN5CMaJmG95wT9jek/xX9nornqGRrBkKtzuAu2wuHpKqvw==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
-
-once@^1.3.0:
- version "1.4.0"
- resolved "https://registry.yarnpkg.com/once/-/once-1.4.0.tgz#583b1aa775961d4b113ac17d9c50baef9dd76bd1"
- integrity sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==
- dependencies:
- wrappy "1"
-
-onetime@^5.1.2:
- version "5.1.2"
- resolved "https://registry.yarnpkg.com/onetime/-/onetime-5.1.2.tgz#d0e96ebb56b07476df1dd9c4806e5237985ca45e"
- integrity sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg==
- dependencies:
- mimic-fn "^2.1.0"
-
-onetime@^6.0.0:
- version "6.0.0"
- resolved "https://registry.yarnpkg.com/onetime/-/onetime-6.0.0.tgz#7c24c18ed1fd2e9bca4bd26806a33613c77d34b4"
- integrity sha512-1FlR+gjXK7X+AsAHso35MnyN5KqGwJRi/31ft6x0M194ht7S+rWAvd7PHss9xSKMzE0asv1pyIHaJYq+BbacAQ==
- dependencies:
- mimic-fn "^4.0.0"
-
-open@^9.1.0:
- version "9.1.0"
- resolved "https://registry.yarnpkg.com/open/-/open-9.1.0.tgz#684934359c90ad25742f5a26151970ff8c6c80b6"
- integrity sha512-OS+QTnw1/4vrf+9hh1jc1jnYjzSG4ttTBB8UxOwAnInG3Uo4ssetzC1ihqaIHjLJnA5GGlRl6QlZXOTQhRBUvg==
- dependencies:
- default-browser "^4.0.0"
- define-lazy-prop "^3.0.0"
- is-inside-container "^1.0.0"
- is-wsl "^2.2.0"
-
-optionator@^0.9.1:
- version "0.9.3"
- resolved "https://registry.yarnpkg.com/optionator/-/optionator-0.9.3.tgz#007397d44ed1872fdc6ed31360190f81814e2c64"
- integrity sha512-JjCoypp+jKn1ttEFExxhetCKeJt9zhAgAve5FXHixTvFDW/5aEktX9bufBKLRRMdU7bNtpLfcGu94B3cdEJgjg==
- dependencies:
- "@aashutoshrathi/word-wrap" "^1.2.3"
- deep-is "^0.1.3"
- fast-levenshtein "^2.0.6"
- levn "^0.4.1"
- prelude-ls "^1.2.1"
- type-check "^0.4.0"
-
-p-limit@^3.0.2:
- version "3.1.0"
- resolved "https://registry.yarnpkg.com/p-limit/-/p-limit-3.1.0.tgz#e1daccbe78d0d1388ca18c64fea38e3e57e3706b"
- integrity sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==
- dependencies:
- yocto-queue "^0.1.0"
-
-p-locate@^5.0.0:
- version "5.0.0"
- resolved "https://registry.yarnpkg.com/p-locate/-/p-locate-5.0.0.tgz#83c8315c6785005e3bd021839411c9e110e6d834"
- integrity sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==
- dependencies:
- p-limit "^3.0.2"
-
-parent-module@^1.0.0:
- version "1.0.1"
- resolved "https://registry.yarnpkg.com/parent-module/-/parent-module-1.0.1.tgz#691d2709e78c79fae3a156622452d00762caaaa2"
- integrity sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==
- dependencies:
- callsites "^3.0.0"
-
-path-exists@^4.0.0:
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/path-exists/-/path-exists-4.0.0.tgz#513bdbe2d3b95d7762e8c1137efa195c6c61b5b3"
- integrity sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==
-
-path-is-absolute@^1.0.0:
- version "1.0.1"
- resolved "https://registry.yarnpkg.com/path-is-absolute/-/path-is-absolute-1.0.1.tgz#174b9268735534ffbc7ace6bf53a5a9e1b5c5f5f"
- integrity sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==
-
-path-key@^3.0.0, path-key@^3.1.0:
- version "3.1.1"
- resolved "https://registry.yarnpkg.com/path-key/-/path-key-3.1.1.tgz#581f6ade658cbba65a0d3380de7753295054f375"
- integrity sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==
-
-path-key@^4.0.0:
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/path-key/-/path-key-4.0.0.tgz#295588dc3aee64154f877adb9d780b81c554bf18"
- integrity sha512-haREypq7xkM7ErfgIyA0z+Bj4AGKlMSdlQE2jvJo6huWD1EdkKYV+G/T4nq0YEF2vgTT8kqMFKo1uHn950r4SQ==
-
-path-parse@^1.0.7:
- version "1.0.7"
- resolved "https://registry.yarnpkg.com/path-parse/-/path-parse-1.0.7.tgz#fbc114b60ca42b30d9daf5858e4bd68bbedb6735"
- integrity sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==
-
-path-type@^4.0.0:
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/path-type/-/path-type-4.0.0.tgz#84ed01c0a7ba380afe09d90a8c180dcd9d03043b"
- integrity sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==
-
-picocolors@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/picocolors/-/picocolors-1.0.0.tgz#cb5bdc74ff3f51892236eaf79d68bc44564ab81c"
- integrity sha512-1fygroTLlHu66zi26VoTDv8yRgm0Fccecssto+MhsZ0D/DGW2sm8E8AjW7NU5VVTRt5GxbeZ5qBuJr+HyLYkjQ==
-
-picomatch@^2.0.4, picomatch@^2.2.1, picomatch@^2.3.1:
- version "2.3.1"
- resolved "https://registry.yarnpkg.com/picomatch/-/picomatch-2.3.1.tgz#3ba3833733646d9d3e4995946c1365a67fb07a42"
- integrity sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==
-
[email protected]:
- version "8.4.14"
- resolved "https://registry.yarnpkg.com/postcss/-/postcss-8.4.14.tgz#ee9274d5622b4858c1007a74d76e42e56fd21caf"
- integrity sha512-E398TUmfAYFPBSdzgeieK2Y1+1cpdxJx8yXbK/m57nRhKSmk1GB2tO4lbLBtlkfPQTDKfe4Xqv1ASWPpayPEig==
- dependencies:
- nanoid "^3.3.4"
- picocolors "^1.0.0"
- source-map-js "^1.0.2"
-
-prelude-ls@^1.2.1:
- version "1.2.1"
- resolved "https://registry.yarnpkg.com/prelude-ls/-/prelude-ls-1.2.1.tgz#debc6489d7a6e6b0e7611888cec880337d316396"
- integrity sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==
-
-prettier-linter-helpers@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/prettier-linter-helpers/-/prettier-linter-helpers-1.0.0.tgz#d23d41fe1375646de2d0104d3454a3008802cf7b"
- integrity sha512-GbK2cP9nraSSUF9N2XwUwqfzlAFlMNYYl+ShE/V+H8a9uNl/oUqB1w2EL54Jh0OlyRSd8RfWYJ3coVS4TROP2w==
- dependencies:
- fast-diff "^1.1.2"
-
-prettier@^2.7.1:
- version "2.8.8"
- resolved "https://registry.yarnpkg.com/prettier/-/prettier-2.8.8.tgz#e8c5d7e98a4305ffe3de2e1fc4aca1a71c28b1da"
- integrity sha512-tdN8qQGvNjw4CHbY+XXk0JgCXn9QiF21a55rBe5LJAU+kDyC4WQn4+awm2Xfk2lQMk5fKup9XgzTZtGkjBdP9Q==
-
-prop-types@^15.8.1:
- version "15.8.1"
- resolved "https://registry.yarnpkg.com/prop-types/-/prop-types-15.8.1.tgz#67d87bf1a694f48435cf332c24af10214a3140b5"
- integrity sha512-oj87CgZICdulUohogVAR7AjlC0327U4el4L6eAvOqCeudMDVU0NThNaV+b9Df4dXgSP1gXMTnPdhfe/2qDH5cg==
- dependencies:
- loose-envify "^1.4.0"
- object-assign "^4.1.1"
- react-is "^16.13.1"
-
-punycode@^2.1.0:
- version "2.3.0"
- resolved "https://registry.yarnpkg.com/punycode/-/punycode-2.3.0.tgz#f67fa67c94da8f4d0cfff981aee4118064199b8f"
- integrity sha512-rRV+zQD8tVFys26lAGR9WUuS4iUAngJScM+ZRSKtvl5tKeZ2t5bvdNFdNHBW9FWR4guGHlgmsZ1G7BSm2wTbuA==
-
-queue-microtask@^1.2.2:
- version "1.2.3"
- resolved "https://registry.yarnpkg.com/queue-microtask/-/queue-microtask-1.2.3.tgz#4929228bbc724dfac43e0efb058caf7b6cfb6243"
- integrity sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==
-
[email protected]:
- version "18.2.0"
- resolved "https://registry.yarnpkg.com/react-dom/-/react-dom-18.2.0.tgz#22aaf38708db2674ed9ada224ca4aa708d821e3d"
- integrity sha512-6IMTriUmvsjHUjNtEDudZfuDQUoWXVxKHhlEGSk81n4YFS+r/Kl99wXiwlVXtPBtJenozv2P+hxDsw9eA7Xo6g==
- dependencies:
- loose-envify "^1.1.0"
- scheduler "^0.23.0"
-
-react-hook-form@^7.45.1:
- version "7.45.1"
- resolved "https://registry.yarnpkg.com/react-hook-form/-/react-hook-form-7.45.1.tgz#e352c7f4dbc7540f0756abbb4dcfd1122fecc9bb"
- integrity sha512-6dWoFJwycbuFfw/iKMcl+RdAOAOHDiF11KWYhNDRN/OkUt+Di5qsZHwA0OwsVnu9y135gkHpTw9DJA+WzCeR9w==
-
-react-is@^16.13.1:
- version "16.13.1"
- resolved "https://registry.yarnpkg.com/react-is/-/react-is-16.13.1.tgz#789729a4dc36de2999dc156dd6c1d9c18cea56a4"
- integrity sha512-24e6ynE2H+OKt4kqsOvNd8kBpV65zoxbA4BVsEOB3ARVWQki/DHzaUoC5KuON/BiccDaCCTZBuOcfZs70kR8bQ==
-
[email protected]:
- version "18.2.0"
- resolved "https://registry.yarnpkg.com/react/-/react-18.2.0.tgz#555bd98592883255fa00de14f1151a917b5d77d5"
- integrity sha512-/3IjMdb2L9QbBdWiW5e3P2/npwMBaU9mHCSCUzNln0ZCYbcfTsGbTJrU/kGemdH2IWmB2ioZ+zkxtmq6g09fGQ==
- dependencies:
- loose-envify "^1.1.0"
-
-readdirp@~3.6.0:
- version "3.6.0"
- resolved "https://registry.yarnpkg.com/readdirp/-/readdirp-3.6.0.tgz#74a370bd857116e245b29cc97340cd431a02a6c7"
- integrity sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==
- dependencies:
- picomatch "^2.2.1"
-
-regenerator-runtime@^0.13.11:
- version "0.13.11"
- resolved "https://registry.yarnpkg.com/regenerator-runtime/-/regenerator-runtime-0.13.11.tgz#f6dca3e7ceec20590d07ada785636a90cdca17f9"
- integrity sha512-kY1AZVr2Ra+t+piVaJ4gxaFaReZVH40AKNo7UCX6W+dEwBo/2oZJzqfuN1qLq1oL45o56cPaTXELwrTh8Fpggg==
-
-regexp.prototype.flags@^1.4.3:
- version "1.5.0"
- resolved "https://registry.yarnpkg.com/regexp.prototype.flags/-/regexp.prototype.flags-1.5.0.tgz#fe7ce25e7e4cca8db37b6634c8a2c7009199b9cb"
- integrity sha512-0SutC3pNudRKgquxGoRGIz946MZVHqbNfPjBdxeOhBrdgDKlRoXmYLQN9xRbrR09ZXWeGAdPuif7egofn6v5LA==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.2.0"
- functions-have-names "^1.2.3"
-
-resolve-from@^4.0.0:
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/resolve-from/-/resolve-from-4.0.0.tgz#4abcd852ad32dd7baabfe9b40e00a36db5f392e6"
- integrity sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==
-
-resolve-pkg-maps@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/resolve-pkg-maps/-/resolve-pkg-maps-1.0.0.tgz#616b3dc2c57056b5588c31cdf4b3d64db133720f"
- integrity sha512-seS2Tj26TBVOC2NIc2rOe2y2ZO7efxITtLZcGSOnHHNOQ7CkiUBfw0Iw2ck6xkIhPwLhKNLS8BO+hEpngQlqzw==
-
-resolve@^1.20.0, resolve@^1.22.1:
- version "1.22.2"
- resolved "https://registry.yarnpkg.com/resolve/-/resolve-1.22.2.tgz#0ed0943d4e301867955766c9f3e1ae6d01c6845f"
- integrity sha512-Sb+mjNHOULsBv818T40qSPeRiuWLyaGMa5ewydRLFimneixmVy2zdivRl+AF6jaYPC8ERxGDmFSiqui6SfPd+g==
- dependencies:
- is-core-module "^2.11.0"
- path-parse "^1.0.7"
- supports-preserve-symlinks-flag "^1.0.0"
-
-resolve@^2.0.0-next.4:
- version "2.0.0-next.4"
- resolved "https://registry.yarnpkg.com/resolve/-/resolve-2.0.0-next.4.tgz#3d37a113d6429f496ec4752d2a2e58efb1fd4660"
- integrity sha512-iMDbmAWtfU+MHpxt/I5iWI7cY6YVEZUQ3MBgPQ++XD1PELuJHIl82xBmObyP2KyQmkNB2dsqF7seoQQiAn5yDQ==
- dependencies:
- is-core-module "^2.9.0"
- path-parse "^1.0.7"
- supports-preserve-symlinks-flag "^1.0.0"
-
-reusify@^1.0.4:
- version "1.0.4"
- resolved "https://registry.yarnpkg.com/reusify/-/reusify-1.0.4.tgz#90da382b1e126efc02146e90845a88db12925d76"
- integrity sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==
-
-rimraf@^3.0.2:
- version "3.0.2"
- resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-3.0.2.tgz#f1a5402ba6220ad52cc1282bac1ae3aa49fd061a"
- integrity sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==
- dependencies:
- glob "^7.1.3"
-
-run-applescript@^5.0.0:
- version "5.0.0"
- resolved "https://registry.yarnpkg.com/run-applescript/-/run-applescript-5.0.0.tgz#e11e1c932e055d5c6b40d98374e0268d9b11899c"
- integrity sha512-XcT5rBksx1QdIhlFOCtgZkB99ZEouFZ1E2Kc2LHqNW13U3/74YGdkQRmThTwxy4QIyookibDKYZOPqX//6BlAg==
- dependencies:
- execa "^5.0.0"
-
-run-parallel@^1.1.9:
- version "1.2.0"
- resolved "https://registry.yarnpkg.com/run-parallel/-/run-parallel-1.2.0.tgz#66d1368da7bdf921eb9d95bd1a9229e7f21a43ee"
- integrity sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==
- dependencies:
- queue-microtask "^1.2.2"
-
-safe-regex-test@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/safe-regex-test/-/safe-regex-test-1.0.0.tgz#793b874d524eb3640d1873aad03596db2d4f2295"
- integrity sha512-JBUUzyOgEwXQY1NuPtvcj/qcBDbDmEvWufhlnXZIm75DEHp+afM1r1ujJpJsV/gSM4t59tpDyPi1sd6ZaPFfsA==
- dependencies:
- call-bind "^1.0.2"
- get-intrinsic "^1.1.3"
- is-regex "^1.1.4"
-
-sass@^1.62.1:
- version "1.63.6"
- resolved "https://registry.yarnpkg.com/sass/-/sass-1.63.6.tgz#481610e612902e0c31c46b46cf2dad66943283ea"
- integrity sha512-MJuxGMHzaOW7ipp+1KdELtqKbfAWbH7OLIdoSMnVe3EXPMTmxTmlaZDCTsgIpPCs3w99lLo9/zDKkOrJuT5byw==
- dependencies:
- chokidar ">=3.0.0 <4.0.0"
- immutable "^4.0.0"
- source-map-js ">=0.6.2 <2.0.0"
-
-scheduler@^0.23.0:
- version "0.23.0"
- resolved "https://registry.yarnpkg.com/scheduler/-/scheduler-0.23.0.tgz#ba8041afc3d30eb206a487b6b384002e4e61fdfe"
- integrity sha512-CtuThmgHNg7zIZWAXi3AsyIzA3n4xx7aNyjwC2VJldO2LMVDhFK+63xGqq6CsJH4rTAt6/M+N4GhZiDYPx9eUw==
- dependencies:
- loose-envify "^1.1.0"
-
-semver@^6.3.0:
- version "6.3.0"
- resolved "https://registry.yarnpkg.com/semver/-/semver-6.3.0.tgz#ee0a64c8af5e8ceea67687b133761e1becbd1d3d"
- integrity sha512-b39TBaTSfV6yBrapU89p5fKekE2m/NwnDocOVruQFS1/veMgdzuPcnOM34M6CwxW8jH/lxEa5rBoDeUwu5HHTw==
-
-semver@^7.3.7:
- version "7.5.3"
- resolved "https://registry.yarnpkg.com/semver/-/semver-7.5.3.tgz#161ce8c2c6b4b3bdca6caadc9fa3317a4c4fe88e"
- integrity sha512-QBlUtyVk/5EeHbi7X0fw6liDZc7BBmEaSYn01fMU1OUYbf6GPsbTtd8WmnqbI20SeycoHSeiybkE/q1Q+qlThQ==
- dependencies:
- lru-cache "^6.0.0"
-
-shebang-command@^2.0.0:
- version "2.0.0"
- resolved "https://registry.yarnpkg.com/shebang-command/-/shebang-command-2.0.0.tgz#ccd0af4f8835fbdc265b82461aaf0c36663f34ea"
- integrity sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==
- dependencies:
- shebang-regex "^3.0.0"
-
-shebang-regex@^3.0.0:
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/shebang-regex/-/shebang-regex-3.0.0.tgz#ae16f1644d873ecad843b0307b143362d4c42172"
- integrity sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==
-
-side-channel@^1.0.4:
- version "1.0.4"
- resolved "https://registry.yarnpkg.com/side-channel/-/side-channel-1.0.4.tgz#efce5c8fdc104ee751b25c58d4290011fa5ea2cf"
- integrity sha512-q5XPytqFEIKHkGdiMIrY10mvLRvnQh42/+GoBlFW3b2LXLE2xxJpZFdm94we0BaoV3RwJyGqg5wS7epxTv0Zvw==
- dependencies:
- call-bind "^1.0.0"
- get-intrinsic "^1.0.2"
- object-inspect "^1.9.0"
-
-signal-exit@^3.0.3, signal-exit@^3.0.7:
- version "3.0.7"
- resolved "https://registry.yarnpkg.com/signal-exit/-/signal-exit-3.0.7.tgz#a9a1767f8af84155114eaabd73f99273c8f59ad9"
- integrity sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==
-
-slash@^3.0.0:
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/slash/-/slash-3.0.0.tgz#6539be870c165adbd5240220dbe361f1bc4d4634"
- integrity sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==
-
-slash@^4.0.0:
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/slash/-/slash-4.0.0.tgz#2422372176c4c6c5addb5e2ada885af984b396a7"
- integrity sha512-3dOsAHXXUkQTpOYcoAxLIorMTp4gIQr5IW3iVb7A7lFIp0VHhnynm9izx6TssdrIcVIESAlVjtnO2K8bg+Coew==
-
-slate@^0.82.0:
- version "0.82.1"
- resolved "https://registry.yarnpkg.com/slate/-/slate-0.82.1.tgz#cf43cb828c980734dab01c9bbb517fd4d20892f7"
- integrity sha512-3mdRdq7U3jSEoyFrGvbeb28hgrvrr4NdFCtJX+IjaNvSFozY0VZd/CGHF0zf/JDx7aEov864xd5uj0HQxxEWTQ==
- dependencies:
- immer "^9.0.6"
- is-plain-object "^5.0.0"
- tiny-warning "^1.0.3"
-
-"source-map-js@>=0.6.2 <2.0.0", source-map-js@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/source-map-js/-/source-map-js-1.0.2.tgz#adbc361d9c62df380125e7f161f71c826f1e490c"
- integrity sha512-R0XvVJ9WusLiqTCEiGCmICCMplcCkIwwR11mOSD9CR5u+IXYdiseeEuXCVAjS54zqwkLcPNnmU4OeJ6tUrWhDw==
-
-streamsearch@^1.1.0:
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/streamsearch/-/streamsearch-1.1.0.tgz#404dd1e2247ca94af554e841a8ef0eaa238da764"
- integrity sha512-Mcc5wHehp9aXz1ax6bZUyY5afg9u2rv5cqQI3mRrYkGC8rW2hM02jWuwjtL++LS5qinSyhj2QfLyNsuc+VsExg==
-
-string.prototype.matchall@^4.0.8:
- version "4.0.8"
- resolved "https://registry.yarnpkg.com/string.prototype.matchall/-/string.prototype.matchall-4.0.8.tgz#3bf85722021816dcd1bf38bb714915887ca79fd3"
- integrity sha512-6zOCOcJ+RJAQshcTvXPHoxoQGONa3e/Lqx90wUA+wEzX78sg5Bo+1tQo4N0pohS0erG9qtCqJDjNCQBjeWVxyg==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
- get-intrinsic "^1.1.3"
- has-symbols "^1.0.3"
- internal-slot "^1.0.3"
- regexp.prototype.flags "^1.4.3"
- side-channel "^1.0.4"
-
-string.prototype.trim@^1.2.7:
- version "1.2.7"
- resolved "https://registry.yarnpkg.com/string.prototype.trim/-/string.prototype.trim-1.2.7.tgz#a68352740859f6893f14ce3ef1bb3037f7a90533"
- integrity sha512-p6TmeT1T3411M8Cgg9wBTMRtY2q9+PNy9EV1i2lIXUN/btt763oIfxwN3RR8VU6wHX8j/1CFy0L+YuThm6bgOg==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
-
-string.prototype.trimend@^1.0.6:
- version "1.0.6"
- resolved "https://registry.yarnpkg.com/string.prototype.trimend/-/string.prototype.trimend-1.0.6.tgz#c4a27fa026d979d79c04f17397f250a462944533"
- integrity sha512-JySq+4mrPf9EsDBEDYMOb/lM7XQLulwg5R/m1r0PXEFqrV0qHvl58sdTilSXtKOflCsK2E8jxf+GKC0T07RWwQ==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
-
-string.prototype.trimstart@^1.0.6:
- version "1.0.6"
- resolved "https://registry.yarnpkg.com/string.prototype.trimstart/-/string.prototype.trimstart-1.0.6.tgz#e90ab66aa8e4007d92ef591bbf3cd422c56bdcf4"
- integrity sha512-omqjMDaY92pbn5HOX7f9IccLA+U1tA9GvtU4JrodiXFfYB7jPzzHpRzpglLAjtUV6bB557zwClJezTqnAiYnQA==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
-
-strip-ansi@^6.0.1:
- version "6.0.1"
- resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-6.0.1.tgz#9e26c63d30f53443e9489495b2105d37b67a85d9"
- integrity sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==
- dependencies:
- ansi-regex "^5.0.1"
-
-strip-bom@^3.0.0:
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/strip-bom/-/strip-bom-3.0.0.tgz#2334c18e9c759f7bdd56fdef7e9ae3d588e68ed3"
- integrity sha512-vavAMRXOgBVNF6nyEEmL3DBK19iRpDcoIwW+swQ+CbGiu7lju6t+JklA1MHweoWtadgt4ISVUsXLyDq34ddcwA==
-
-strip-final-newline@^2.0.0:
- version "2.0.0"
- resolved "https://registry.yarnpkg.com/strip-final-newline/-/strip-final-newline-2.0.0.tgz#89b852fb2fcbe936f6f4b3187afb0a12c1ab58ad"
- integrity sha512-BrpvfNAE3dcvq7ll3xVumzjKjZQ5tI1sEUIKr3Uoks0XUl45St3FlatVqef9prk4jRDzhW6WZg+3bk93y6pLjA==
-
-strip-final-newline@^3.0.0:
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/strip-final-newline/-/strip-final-newline-3.0.0.tgz#52894c313fbff318835280aed60ff71ebf12b8fd"
- integrity sha512-dOESqjYr96iWYylGObzd39EuNTa5VJxyvVAEm5Jnh7KGo75V43Hk1odPQkNDyXNmUR6k+gEiDVXnjB8HJ3crXw==
-
-strip-json-comments@^3.1.0, strip-json-comments@^3.1.1:
- version "3.1.1"
- resolved "https://registry.yarnpkg.com/strip-json-comments/-/strip-json-comments-3.1.1.tgz#31f1281b3832630434831c310c01cccda8cbe006"
- integrity sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==
-
[email protected]:
- version "5.1.1"
- resolved "https://registry.yarnpkg.com/styled-jsx/-/styled-jsx-5.1.1.tgz#839a1c3aaacc4e735fed0781b8619ea5d0009d1f"
- integrity sha512-pW7uC1l4mBZ8ugbiZrcIsiIvVx1UmTfw7UkC3Um2tmfUq9Bhk8IiyEIPl6F8agHgjzku6j0xQEZbfA5uSgSaCw==
- dependencies:
- client-only "0.0.1"
-
-supports-color@^7.1.0:
- version "7.2.0"
- resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-7.2.0.tgz#1b7dcdcb32b8138801b3e478ba6a51caa89648da"
- integrity sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==
- dependencies:
- has-flag "^4.0.0"
-
-supports-preserve-symlinks-flag@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/supports-preserve-symlinks-flag/-/supports-preserve-symlinks-flag-1.0.0.tgz#6eda4bd344a3c94aea376d4cc31bc77311039e09"
- integrity sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==
-
-synckit@^0.8.5:
- version "0.8.5"
- resolved "https://registry.yarnpkg.com/synckit/-/synckit-0.8.5.tgz#b7f4358f9bb559437f9f167eb6bc46b3c9818fa3"
- integrity sha512-L1dapNV6vu2s/4Sputv8xGsCdAVlb5nRDMFU/E27D44l5U6cw1g0dGd45uLc+OXjNMmF4ntiMdCimzcjFKQI8Q==
- dependencies:
- "@pkgr/utils" "^2.3.1"
- tslib "^2.5.0"
-
-tapable@^2.2.0:
- version "2.2.1"
- resolved "https://registry.yarnpkg.com/tapable/-/tapable-2.2.1.tgz#1967a73ef4060a82f12ab96af86d52fdb76eeca0"
- integrity sha512-GNzQvQTOIP6RyTfE2Qxb8ZVlNmw0n88vp1szwWRimP02mnTsx3Wtn5qRdqY9w2XduFNUgvOwhNnQsjwCp+kqaQ==
-
-text-table@^0.2.0:
- version "0.2.0"
- resolved "https://registry.yarnpkg.com/text-table/-/text-table-0.2.0.tgz#7f5ee823ae805207c00af2df4a84ec3fcfa570b4"
- integrity sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==
-
-tiny-warning@^1.0.3:
- version "1.0.3"
- resolved "https://registry.yarnpkg.com/tiny-warning/-/tiny-warning-1.0.3.tgz#94a30db453df4c643d0fd566060d60a875d84754"
- integrity sha512-lBN9zLN/oAf68o3zNXYrdCt1kP8WsiGW8Oo2ka41b2IM5JL/S1CTyX1rW0mb/zSuJun0ZUrDxx4sqvYS2FWzPA==
-
-titleize@^3.0.0:
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/titleize/-/titleize-3.0.0.tgz#71c12eb7fdd2558aa8a44b0be83b8a76694acd53"
- integrity sha512-KxVu8EYHDPBdUYdKZdKtU2aj2XfEx9AfjXxE/Aj0vT06w2icA09Vus1rh6eSu1y01akYg6BjIK/hxyLJINoMLQ==
-
-to-regex-range@^5.0.1:
- version "5.0.1"
- resolved "https://registry.yarnpkg.com/to-regex-range/-/to-regex-range-5.0.1.tgz#1648c44aae7c8d988a326018ed72f5b4dd0392e4"
- integrity sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==
- dependencies:
- is-number "^7.0.0"
-
-tsconfig-paths@^3.12.0, tsconfig-paths@^3.14.1:
- version "3.14.2"
- resolved "https://registry.yarnpkg.com/tsconfig-paths/-/tsconfig-paths-3.14.2.tgz#6e32f1f79412decd261f92d633a9dc1cfa99f088"
- integrity sha512-o/9iXgCYc5L/JxCHPe3Hvh8Q/2xm5Z+p18PESBU6Ff33695QnCHBEjcytY2q19ua7Mbl/DavtBOLq+oG0RCL+g==
- dependencies:
- "@types/json5" "^0.0.29"
- json5 "^1.0.2"
- minimist "^1.2.6"
- strip-bom "^3.0.0"
-
-tslib@^1.8.1:
- version "1.14.1"
- resolved "https://registry.yarnpkg.com/tslib/-/tslib-1.14.1.tgz#cf2d38bdc34a134bcaf1091c41f6619e2f672d00"
- integrity sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==
-
-tslib@^2.4.0, tslib@^2.5.0, tslib@^2.6.0:
- version "2.6.0"
- resolved "https://registry.yarnpkg.com/tslib/-/tslib-2.6.0.tgz#b295854684dbda164e181d259a22cd779dcd7bc3"
- integrity sha512-7At1WUettjcSRHXCyYtTselblcHl9PJFFVKiCAy/bY97+BPZXSQ2wbq0P9s8tK2G7dFQfNnlJnPAiArVBVBsfA==
-
-tsutils@^3.21.0:
- version "3.21.0"
- resolved "https://registry.yarnpkg.com/tsutils/-/tsutils-3.21.0.tgz#b48717d394cea6c1e096983eed58e9d61715b623"
- integrity sha512-mHKK3iUXL+3UF6xL5k0PEhKRUBKPBCv/+RkEOpjRWxxx27KKRBmmA60A9pgOUvMi8GKhRMPEmjBRPzs2W7O1OA==
- dependencies:
- tslib "^1.8.1"
-
-type-check@^0.4.0, type-check@~0.4.0:
- version "0.4.0"
- resolved "https://registry.yarnpkg.com/type-check/-/type-check-0.4.0.tgz#07b8203bfa7056c0657050e3ccd2c37730bab8f1"
- integrity sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==
- dependencies:
- prelude-ls "^1.2.1"
-
-type-fest@^0.20.2:
- version "0.20.2"
- resolved "https://registry.yarnpkg.com/type-fest/-/type-fest-0.20.2.tgz#1bf207f4b28f91583666cb5fbd327887301cd5f4"
- integrity sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==
-
-typed-array-length@^1.0.4:
- version "1.0.4"
- resolved "https://registry.yarnpkg.com/typed-array-length/-/typed-array-length-1.0.4.tgz#89d83785e5c4098bec72e08b319651f0eac9c1bb"
- integrity sha512-KjZypGq+I/H7HI5HlOoGHkWUUGq+Q0TPhQurLbyrVrvnKTBgzLhIJ7j6J/XTQOi0d1RjyZ0wdas8bKs2p0x3Ng==
- dependencies:
- call-bind "^1.0.2"
- for-each "^0.3.3"
- is-typed-array "^1.1.9"
-
-typescript@^4.8.4:
- version "4.9.5"
- resolved "https://registry.yarnpkg.com/typescript/-/typescript-4.9.5.tgz#095979f9bcc0d09da324d58d03ce8f8374cbe65a"
- integrity sha512-1FXk9E2Hm+QzZQ7z+McJiHL4NW1F2EzMu9Nq9i3zAaGqibafqYwCVU6WyWAuyQRRzOlxou8xZSyXLEN8oKj24g==
-
-unbox-primitive@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/unbox-primitive/-/unbox-primitive-1.0.2.tgz#29032021057d5e6cdbd08c5129c226dff8ed6f9e"
- integrity sha512-61pPlCD9h51VoreyJ0BReideM3MDKMKnh6+V9L08331ipq6Q8OFXZYiqP6n/tbHx4s5I9uRhcye6BrbkizkBDw==
- dependencies:
- call-bind "^1.0.2"
- has-bigints "^1.0.2"
- has-symbols "^1.0.3"
- which-boxed-primitive "^1.0.2"
-
-untildify@^4.0.0:
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/untildify/-/untildify-4.0.0.tgz#2bc947b953652487e4600949fb091e3ae8cd919b"
- integrity sha512-KK8xQ1mkzZeg9inewmFVDNkg3l5LUhoq9kN6iWYB/CC9YMG8HA+c1Q8HwDe6dEX7kErrEVNVBO3fWsVq5iDgtw==
-
-uri-js@^4.2.2:
- version "4.4.1"
- resolved "https://registry.yarnpkg.com/uri-js/-/uri-js-4.4.1.tgz#9b1a52595225859e55f669d928f88c6c57f2a77e"
- integrity sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==
- dependencies:
- punycode "^2.1.0"
-
[email protected]:
- version "2.4.0"
- resolved "https://registry.yarnpkg.com/watchpack/-/watchpack-2.4.0.tgz#fa33032374962c78113f93c7f2fb4c54c9862a5d"
- integrity sha512-Lcvm7MGST/4fup+ifyKi2hjyIAwcdI4HRgtvTpIUxBRhB+RFtUh8XtDOxUfctVCnhVi+QQj49i91OyvzkJl6cg==
- dependencies:
- glob-to-regexp "^0.4.1"
- graceful-fs "^4.1.2"
-
-which-boxed-primitive@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/which-boxed-primitive/-/which-boxed-primitive-1.0.2.tgz#13757bc89b209b049fe5d86430e21cf40a89a8e6"
- integrity sha512-bwZdv0AKLpplFY2KZRX6TvyuN7ojjr7lwkg6ml0roIy9YeuSr7JS372qlNW18UQYzgYK9ziGcerWqZOmEn9VNg==
- dependencies:
- is-bigint "^1.0.1"
- is-boolean-object "^1.1.0"
- is-number-object "^1.0.4"
- is-string "^1.0.5"
- is-symbol "^1.0.3"
-
-which-typed-array@^1.1.9:
- version "1.1.9"
- resolved "https://registry.yarnpkg.com/which-typed-array/-/which-typed-array-1.1.9.tgz#307cf898025848cf995e795e8423c7f337efbde6"
- integrity sha512-w9c4xkx6mPidwp7180ckYWfMmvxpjlZuIudNtDf4N/tTAUB8VJbX25qZoAsrtGuYNnGw3pa0AXgbGKRB8/EceA==
- dependencies:
- available-typed-arrays "^1.0.5"
- call-bind "^1.0.2"
- for-each "^0.3.3"
- gopd "^1.0.1"
- has-tostringtag "^1.0.0"
- is-typed-array "^1.1.10"
-
-which@^2.0.1:
- version "2.0.2"
- resolved "https://registry.yarnpkg.com/which/-/which-2.0.2.tgz#7c6a8dd0a636a0327e10b59c9286eee93f3f51b1"
- integrity sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==
- dependencies:
- isexe "^2.0.0"
-
-wrappy@1:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/wrappy/-/wrappy-1.0.2.tgz#b5243d8f3ec1aa35f1364605bc0d1036e30ab69f"
- integrity sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==
-
-yallist@^4.0.0:
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/yallist/-/yallist-4.0.0.tgz#9bb92790d9c0effec63be73519e11a35019a3a72"
- integrity sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==
-
-yocto-queue@^0.1.0:
- version "0.1.0"
- resolved "https://registry.yarnpkg.com/yocto-queue/-/yocto-queue-0.1.0.tgz#0294eb3dee05028d31ee1a5fa2c556a6aaf10a1b"
- integrity sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==
-
[email protected]:
- version "3.21.4"
- resolved "https://registry.yarnpkg.com/zod/-/zod-3.21.4.tgz#10882231d992519f0a10b5dd58a38c9dabbb64db"
- integrity sha512-m46AKbrzKVzOzs/DZgVnG5H55N1sv1M8qZU3A8RIKbs3mrACDNeIOeilDymVb2HdmP8uwshOCF4uJ8uM9rCqJw==
+/* tslint:disable */
+/* eslint-disable */
+/**
+ * This file was automatically generated by Payload.
+ * DO NOT MODIFY IT BY HAND. Instead, modify your source Payload config,
+ * and re-run `payload generate:types` to regenerate this file.
+ */
+
+export interface Config {
+ collections: {
+ users: User;
+ 'payload-preferences': PayloadPreference;
+ 'payload-migrations': PayloadMigration;
+ };
+ globals: {};
+}
+export interface User {
+ id: string;
+ firstName?: string;
+ lastName?: string;
+ roles?: ('admin' | 'user')[];
+ updatedAt: string;
+ createdAt: string;
+ email: string;
+ resetPasswordToken?: string;
+ resetPasswordExpiration?: string;
+ salt?: string;
+ hash?: string;
+ loginAttempts?: number;
+ lockUntil?: string;
+ password?: string;
+}
+export interface PayloadPreference {
+ id: string;
+ user: {
+ relationTo: 'users';
+ value: string | User;
+ };
+ key?: string;
+ value?:
+ | {
+ [k: string]: unknown;
+ }
+ | unknown[]
+ | string
+ | number
+ | boolean
+ | null;
+ updatedAt: string;
+ createdAt: string;
+}
+export interface PayloadMigration {
+ id: string;
+ name?: string;
+ batch?: number;
+ updatedAt: string;
+ createdAt: string;
+}
+
+
+declare module 'payload' {
+ export interface GeneratedTypes {
+ collections: {
+ 'users': User
+ 'payload-preferences': PayloadPreference
+ 'payload-migrations': PayloadMigration
+ }
+
+ }
+}
\ No newline at end of file
diff --git a/examples/auth/next-pages/.env.example b/examples/auth/next-pages/.env.example
index bfc5ec98e5c..c72201c91bf 100644
--- a/examples/auth/next-pages/.env.example
+++ b/examples/auth/next-pages/.env.example
@@ -1 +1 @@
-NEXT_PUBLIC_CMS_URL=http://localhost:3000
+NEXT_PUBLIC_PAYLOAD_URL=http://localhost:3000
diff --git a/examples/auth/next-pages/src/pages/account/index.tsx b/examples/auth/next-pages/src/pages/account/index.tsx
index f161dd1c598..ab1c4077258 100644
--- a/examples/auth/next-pages/src/pages/account/index.tsx
+++ b/examples/auth/next-pages/src/pages/account/index.tsx
@@ -40,15 +40,18 @@ const Account: React.FC = () => {
const onSubmit = useCallback(
async (data: FormData) => {
if (user) {
- const response = await fetch(`${process.env.NEXT_PUBLIC_CMS_URL}/api/users/${user.id}`, {
- // Make sure to include cookies with fetch
- credentials: 'include',
- method: 'PATCH',
- body: JSON.stringify(data),
- headers: {
- 'Content-Type': 'application/json',
+ const response = await fetch(
+ `${process.env.NEXT_PUBLIC_PAYLOAD_URL}/api/users/${user.id}`,
+ {
+ // Make sure to include cookies with fetch
+ credentials: 'include',
+ method: 'PATCH',
+ body: JSON.stringify(data),
+ headers: {
+ 'Content-Type': 'application/json',
+ },
},
- })
+ )
if (response.ok) {
const json = await response.json()
@@ -91,7 +94,7 @@ const Account: React.FC = () => {
<h1>Account</h1>
<p>
{`This is your account dashboard. Here you can update your account information and more. To manage all users, `}
- <Link href={`${process.env.NEXT_PUBLIC_CMS_URL}/admin/collections/users`}>
+ <Link href={`${process.env.NEXT_PUBLIC_PAYLOAD_URL}/admin/collections/users`}>
login to the admin dashboard
</Link>
{'.'}
diff --git a/examples/auth/next-pages/src/pages/create-account/index.tsx b/examples/auth/next-pages/src/pages/create-account/index.tsx
index fe638003856..2dce498af1a 100644
--- a/examples/auth/next-pages/src/pages/create-account/index.tsx
+++ b/examples/auth/next-pages/src/pages/create-account/index.tsx
@@ -38,7 +38,7 @@ const CreateAccount: React.FC = () => {
const onSubmit = useCallback(
async (data: FormData) => {
- const response = await fetch(`${process.env.NEXT_PUBLIC_CMS_URL}/api/users`, {
+ const response = await fetch(`${process.env.NEXT_PUBLIC_PAYLOAD_URL}/api/users`, {
method: 'POST',
body: JSON.stringify(data),
headers: {
@@ -78,7 +78,7 @@ const CreateAccount: React.FC = () => {
<form onSubmit={handleSubmit(onSubmit)} className={classes.form}>
<p>
{`This is where new customers can signup and create a new account. To manage all users, `}
- <Link href={`${process.env.NEXT_PUBLIC_CMS_URL}/admin/collections/users`}>
+ <Link href={`${process.env.NEXT_PUBLIC_PAYLOAD_URL}/admin/collections/users`}>
login to the admin dashboard
</Link>
{'.'}
diff --git a/examples/auth/next-pages/src/pages/index.tsx b/examples/auth/next-pages/src/pages/index.tsx
index efcd801523d..e95fac749e6 100644
--- a/examples/auth/next-pages/src/pages/index.tsx
+++ b/examples/auth/next-pages/src/pages/index.tsx
@@ -35,7 +35,7 @@ export default function Home() {
{' to start the authentication flow. Once logged in, you will be redirected to the '}
<Link href="/account">account page</Link>
{` which is restricted to users only. To manage all users, `}
- <Link href={`${process.env.NEXT_PUBLIC_CMS_URL}/admin/collections/users`}>
+ <Link href={`${process.env.NEXT_PUBLIC_PAYLOAD_URL}/admin/collections/users`}>
login to the admin dashboard
</Link>
{'.'}
diff --git a/examples/auth/next-pages/src/pages/login/index.tsx b/examples/auth/next-pages/src/pages/login/index.tsx
index 4bd9f54420a..65d7448f74d 100644
--- a/examples/auth/next-pages/src/pages/login/index.tsx
+++ b/examples/auth/next-pages/src/pages/login/index.tsx
@@ -60,7 +60,7 @@ const Login: React.FC = () => {
{' with the password '}
<b>demo</b>
{'. To manage your users, '}
- <Link href={`${process.env.NEXT_PUBLIC_CMS_URL}/admin/collections/users`}>
+ <Link href={`${process.env.NEXT_PUBLIC_PAYLOAD_URL}/admin/collections/users`}>
login to the admin dashboard
</Link>
.
diff --git a/examples/auth/next-pages/src/pages/recover-password/index.tsx b/examples/auth/next-pages/src/pages/recover-password/index.tsx
index 797fe5acab3..5551eb474bb 100644
--- a/examples/auth/next-pages/src/pages/recover-password/index.tsx
+++ b/examples/auth/next-pages/src/pages/recover-password/index.tsx
@@ -24,13 +24,16 @@ const RecoverPassword: React.FC = () => {
} = useForm<FormData>()
const onSubmit = useCallback(async (data: FormData) => {
- const response = await fetch(`${process.env.NEXT_PUBLIC_CMS_URL}/api/users/forgot-password`, {
- method: 'POST',
- body: JSON.stringify(data),
- headers: {
- 'Content-Type': 'application/json',
+ const response = await fetch(
+ `${process.env.NEXT_PUBLIC_PAYLOAD_URL}/api/users/forgot-password`,
+ {
+ method: 'POST',
+ body: JSON.stringify(data),
+ headers: {
+ 'Content-Type': 'application/json',
+ },
},
- })
+ )
if (response.ok) {
setSuccess(true)
@@ -51,7 +54,7 @@ const RecoverPassword: React.FC = () => {
<p>
{`Please enter your email below. You will receive an email message with instructions on
how to reset your password. To manage your all users, `}
- <Link href={`${process.env.NEXT_PUBLIC_CMS_URL}/admin/collections/users`}>
+ <Link href={`${process.env.NEXT_PUBLIC_PAYLOAD_URL}/admin/collections/users`}>
login to the admin dashboard
</Link>
{'.'}
diff --git a/examples/auth/next-pages/src/pages/reset-password/index.tsx b/examples/auth/next-pages/src/pages/reset-password/index.tsx
index 22bde59c690..e5c7e189060 100644
--- a/examples/auth/next-pages/src/pages/reset-password/index.tsx
+++ b/examples/auth/next-pages/src/pages/reset-password/index.tsx
@@ -31,13 +31,16 @@ const ResetPassword: React.FC = () => {
const onSubmit = useCallback(
async (data: FormData) => {
- const response = await fetch(`${process.env.NEXT_PUBLIC_CMS_URL}/api/users/reset-password`, {
- method: 'POST',
- body: JSON.stringify(data),
- headers: {
- 'Content-Type': 'application/json',
+ const response = await fetch(
+ `${process.env.NEXT_PUBLIC_PAYLOAD_URL}/api/users/reset-password`,
+ {
+ method: 'POST',
+ body: JSON.stringify(data),
+ headers: {
+ 'Content-Type': 'application/json',
+ },
},
- })
+ )
if (response.ok) {
const json = await response.json()
diff --git a/examples/auth/next-pages/src/providers/Auth/gql.ts b/examples/auth/next-pages/src/providers/Auth/gql.ts
index 4e64766c738..59baddfeb4b 100644
--- a/examples/auth/next-pages/src/providers/Auth/gql.ts
+++ b/examples/auth/next-pages/src/providers/Auth/gql.ts
@@ -8,7 +8,7 @@ export const USER = `
// eslint-disable-next-line @typescript-eslint/no-explicit-any
export const gql = async (query): Promise<any> => {
try {
- const res = await fetch(`${process.env.NEXT_PUBLIC_CMS_URL}/api/graphql`, {
+ const res = await fetch(`${process.env.NEXT_PUBLIC_PAYLOAD_URL}/api/graphql`, {
method: 'POST',
credentials: 'include',
headers: {
diff --git a/examples/auth/next-pages/src/providers/Auth/index.tsx b/examples/auth/next-pages/src/providers/Auth/index.tsx
index 0a9c7453bfd..60682af5b58 100644
--- a/examples/auth/next-pages/src/providers/Auth/index.tsx
+++ b/examples/auth/next-pages/src/providers/Auth/index.tsx
@@ -16,7 +16,7 @@ export const AuthProvider: React.FC<{ children: React.ReactNode; api?: 'rest' |
const create = useCallback<Create>(
async args => {
if (api === 'rest') {
- const user = await rest(`${process.env.NEXT_PUBLIC_CMS_URL}/api/users`, args)
+ const user = await rest(`${process.env.NEXT_PUBLIC_PAYLOAD_URL}/api/users`, args)
setUser(user)
return user
}
@@ -38,7 +38,7 @@ export const AuthProvider: React.FC<{ children: React.ReactNode; api?: 'rest' |
const login = useCallback<Login>(
async args => {
if (api === 'rest') {
- const user = await rest(`${process.env.NEXT_PUBLIC_CMS_URL}/api/users/login`, args)
+ const user = await rest(`${process.env.NEXT_PUBLIC_PAYLOAD_URL}/api/users/login`, args)
setUser(user)
return user
}
@@ -62,7 +62,7 @@ export const AuthProvider: React.FC<{ children: React.ReactNode; api?: 'rest' |
const logout = useCallback<Logout>(async () => {
if (api === 'rest') {
- await rest(`${process.env.NEXT_PUBLIC_CMS_URL}/api/users/logout`)
+ await rest(`${process.env.NEXT_PUBLIC_PAYLOAD_URL}/api/users/logout`)
setUser(null)
return
}
@@ -81,7 +81,7 @@ export const AuthProvider: React.FC<{ children: React.ReactNode; api?: 'rest' |
const fetchMe = async () => {
if (api === 'rest') {
const user = await rest(
- `${process.env.NEXT_PUBLIC_CMS_URL}/api/users/me`,
+ `${process.env.NEXT_PUBLIC_PAYLOAD_URL}/api/users/me`,
{},
{
method: 'GET',
@@ -111,7 +111,7 @@ export const AuthProvider: React.FC<{ children: React.ReactNode; api?: 'rest' |
async args => {
if (api === 'rest') {
const user = await rest(
- `${process.env.NEXT_PUBLIC_CMS_URL}/api/users/forgot-password`,
+ `${process.env.NEXT_PUBLIC_PAYLOAD_URL}/api/users/forgot-password`,
args,
)
setUser(user)
@@ -132,7 +132,10 @@ export const AuthProvider: React.FC<{ children: React.ReactNode; api?: 'rest' |
const resetPassword = useCallback<ResetPassword>(
async args => {
if (api === 'rest') {
- const user = await rest(`${process.env.NEXT_PUBLIC_CMS_URL}/api/users/reset-password`, args)
+ const user = await rest(
+ `${process.env.NEXT_PUBLIC_PAYLOAD_URL}/api/users/reset-password`,
+ args,
+ )
setUser(user)
return user
}
diff --git a/examples/auth/next-pages/yarn.lock b/examples/auth/next-pages/yarn.lock
index 06c38085b6a..4bd739ae235 100644
--- a/examples/auth/next-pages/yarn.lock
+++ b/examples/auth/next-pages/yarn.lock
@@ -1,1830 +1,70 @@
-# THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY.
-# yarn lockfile v1
-
-
-"@aashutoshrathi/word-wrap@^1.2.3":
- version "1.2.6"
- resolved "https://registry.yarnpkg.com/@aashutoshrathi/word-wrap/-/word-wrap-1.2.6.tgz#bd9154aec9983f77b3a034ecaa015c2e4201f6cf"
- integrity sha512-1Yjs2SvM8TflER/OD3cOjhWWOZb58A2t7wpE2S9XfBYTiIl+XFhQG2bjy4Pu1I+EAlCNUzRDYDdFwFYUKvXcIA==
-
-"@eslint-community/eslint-utils@^4.2.0":
- version "4.4.0"
- resolved "https://registry.yarnpkg.com/@eslint-community/eslint-utils/-/eslint-utils-4.4.0.tgz#a23514e8fb9af1269d5f7788aa556798d61c6b59"
- integrity sha512-1/sA4dwrzBAyeUoQ6oxahHKmrZvsnLCg4RfxW3ZFGGmQkSNQPFNLV9CUEFQP1x9EYXHTo5p6xdhZM1Ne9p/AfA==
- dependencies:
- eslint-visitor-keys "^3.3.0"
-
-"@eslint-community/regexpp@^4.4.0":
- version "4.5.1"
- resolved "https://registry.yarnpkg.com/@eslint-community/regexpp/-/regexpp-4.5.1.tgz#cdd35dce4fa1a89a4fd42b1599eb35b3af408884"
- integrity sha512-Z5ba73P98O1KUYCCJTUeVpja9RcGoMdncZ6T49FCUl2lN38JtCJ+3WgIDBv0AuY4WChU5PmtJmOCTlN6FZTFKQ==
-
-"@eslint/eslintrc@^1.3.3":
- version "1.4.1"
- resolved "https://registry.yarnpkg.com/@eslint/eslintrc/-/eslintrc-1.4.1.tgz#af58772019a2d271b7e2d4c23ff4ddcba3ccfb3e"
- integrity sha512-XXrH9Uarn0stsyldqDYq8r++mROmWRI1xKMXa640Bb//SY1+ECYX6VzT6Lcx5frD0V30XieqJ0oX9I2Xj5aoMA==
- dependencies:
- ajv "^6.12.4"
- debug "^4.3.2"
- espree "^9.4.0"
- globals "^13.19.0"
- ignore "^5.2.0"
- import-fresh "^3.2.1"
- js-yaml "^4.1.0"
- minimatch "^3.1.2"
- strip-json-comments "^3.1.1"
-
-"@humanwhocodes/config-array@^0.10.5":
- version "0.10.7"
- resolved "https://registry.yarnpkg.com/@humanwhocodes/config-array/-/config-array-0.10.7.tgz#6d53769fd0c222767e6452e8ebda825c22e9f0dc"
- integrity sha512-MDl6D6sBsaV452/QSdX+4CXIjZhIcI0PELsxUjk4U828yd58vk3bTIvk/6w5FY+4hIy9sLW0sfrV7K7Kc++j/w==
- dependencies:
- "@humanwhocodes/object-schema" "^1.2.1"
- debug "^4.1.1"
- minimatch "^3.0.4"
-
-"@humanwhocodes/module-importer@^1.0.1":
- version "1.0.1"
- resolved "https://registry.yarnpkg.com/@humanwhocodes/module-importer/-/module-importer-1.0.1.tgz#af5b2691a22b44be847b0ca81641c5fb6ad0172c"
- integrity sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA==
-
-"@humanwhocodes/object-schema@^1.2.1":
- version "1.2.1"
- resolved "https://registry.yarnpkg.com/@humanwhocodes/object-schema/-/object-schema-1.2.1.tgz#b520529ec21d8e5945a1851dfd1c32e94e39ff45"
- integrity sha512-ZnQMnLV4e7hDlUvw8H+U8ASL02SS2Gn6+9Ac3wGGLIe7+je2AeAOxPY+izIPJDfFDb7eDjev0Us8MO1iFRN8hA==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/env/-/env-13.4.8.tgz#8048ef3c3d770a3f3d1dd51d159593acfbd4e517"
- integrity sha512-twuSf1klb3k9wXI7IZhbZGtFCWvGD4wXTY2rmvzIgVhXhs7ISThrbNyutBx3jWIL8Y/Hk9+woytFz5QsgtcRKQ==
-
-"@next/eslint-plugin-next@^13.1.6":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/eslint-plugin-next/-/eslint-plugin-next-13.4.8.tgz#2aa7a0bbfc87fbed5aa0e938d0d16dca85061ee4"
- integrity sha512-cmfVHpxWjjcETFt2WHnoFU6EmY69QcPJRlRNAooQlNe53Ke90vg1Ci/dkPffryJZaxxiRziP9bQrV8lDVCn3Fw==
- dependencies:
- glob "7.1.7"
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-darwin-arm64/-/swc-darwin-arm64-13.4.8.tgz#3838d7c96750b7f427ac47b97503fc013734f6e6"
- integrity sha512-MSFplVM4dTWOuKAUv0XR9gY7AWtMSBu9os9f+kp+s5rWhM1I2CdR3obFttd6366nS/W/VZxbPM5oEIdlIa46zA==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-darwin-x64/-/swc-darwin-x64-13.4.8.tgz#3de9c26a2ee7b189f22433bf8137256a2517f258"
- integrity sha512-Reox+UXgonon9P0WNDE6w85DGtyBqGitl/ryznOvn6TvfxEaZIpTgeu3ZrJLU9dHSMhiK7YAM793mE/Zii2/Qw==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-linux-arm64-gnu/-/swc-linux-arm64-gnu-13.4.8.tgz#9536314c931b9e78f20e4a424eace9993015c6e1"
- integrity sha512-kdyzYvAYtqQVgzIKNN7e1rLU8aZv86FDSRqPlOkKZlvqudvTO0iohuTPmnEEDlECeBM6qRPShNffotDcU/R2KA==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-linux-arm64-musl/-/swc-linux-arm64-musl-13.4.8.tgz#a894ec6a078edd28f5cfab60593a61e05b6b605b"
- integrity sha512-oWxx4yRkUGcR81XwbI+T0zhZ3bDF6V1aVLpG+C7hSG50ULpV8gC39UxVO22/bv93ZlcfMY4zl8xkz9Klct6dpQ==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-linux-x64-gnu/-/swc-linux-x64-gnu-13.4.8.tgz#b8af198dc0b4a8c64deb0494ae285e3e1a465910"
- integrity sha512-anhtvuO6eE9YRhYnaEGTfbpH3L5gT/9qPFcNoi6xS432r/4DAtpJY8kNktqkTVevVIC/pVumqO8tV59PR3zbNg==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-linux-x64-musl/-/swc-linux-x64-musl-13.4.8.tgz#d2ad24001020665a78405f595995c22750ec63c4"
- integrity sha512-aR+J4wWfNgH1DwCCBNjan7Iumx0lLtn+2/rEYuhIrYLY4vnxqSVGz9u3fXcgUwo6Q9LT8NFkaqK1vPprdq+BXg==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-win32-arm64-msvc/-/swc-win32-arm64-msvc-13.4.8.tgz#e5c4bfaa105fbe2bdb21a6d01467edd39a29cf37"
- integrity sha512-OWBKIrJwQBTqrat0xhxEB/jcsjJR3+diD9nc/Y8F1mRdQzsn4bPsomgJyuqPVZs6Lz3K18qdIkvywmfSq75SsQ==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-win32-ia32-msvc/-/swc-win32-ia32-msvc-13.4.8.tgz#c49c4d9f91845855bf544d5d14e8e13311da9931"
- integrity sha512-agiPWGjUndXGTOn4ChbKipQXRA6/UPkywAWIkx7BhgGv48TiJfHTK6MGfBoL9tS6B4mtW39++uy0wFPnfD0JWg==
-
-"@next/[email protected]":
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/@next/swc-win32-x64-msvc/-/swc-win32-x64-msvc-13.4.8.tgz#22c5c8fa05680f2775a29c6c5a74cf04b8cc9d90"
- integrity sha512-UIRKoByVKbuR6SnFG4JM8EMFlJrfEGuUQ1ihxzEleWcNwRMMiVaCj1KyqfTOW8VTQhJ0u8P1Ngg6q1RwnIBTtw==
-
-"@nodelib/[email protected]":
- version "2.1.5"
- resolved "https://registry.yarnpkg.com/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz#7619c2eb21b25483f6d167548b4cfd5a7488c3d5"
- integrity sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==
- dependencies:
- "@nodelib/fs.stat" "2.0.5"
- run-parallel "^1.1.9"
-
-"@nodelib/[email protected]", "@nodelib/fs.stat@^2.0.2":
- version "2.0.5"
- resolved "https://registry.yarnpkg.com/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz#5bd262af94e9d25bd1e71b05deed44876a222e8b"
- integrity sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==
-
-"@nodelib/fs.walk@^1.2.3":
- version "1.2.8"
- resolved "https://registry.yarnpkg.com/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz#e95737e8bb6746ddedf69c556953494f196fe69a"
- integrity sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==
- dependencies:
- "@nodelib/fs.scandir" "2.1.5"
- fastq "^1.6.0"
-
-"@payloadcms/eslint-config@^0.0.2":
- version "0.0.2"
- resolved "https://registry.yarnpkg.com/@payloadcms/eslint-config/-/eslint-config-0.0.2.tgz#cadb97ccd6476204a38e057b3cf57dc80efb209f"
- integrity sha512-EcS7qyX4++eBP/MS4QgrFOzzplsVMaPDfEcxWYoH9OLJCUTlGz8UmfMZPWU7DeAuyehJdij+BywSrcprqun9rA==
-
-"@swc/[email protected]":
- version "0.5.1"
- resolved "https://registry.yarnpkg.com/@swc/helpers/-/helpers-0.5.1.tgz#e9031491aa3f26bfcc974a67f48bd456c8a5357a"
- integrity sha512-sJ902EfIzn1Fa+qYmjdQqh8tPsoxyBz+8yBKC2HKUxyezKJFwPGOn7pv4WY6QuQW//ySQi5lJjA/ZT9sNWWNTg==
- dependencies:
- tslib "^2.4.0"
-
-"@types/json-schema@^7.0.9":
- version "7.0.12"
- resolved "https://registry.yarnpkg.com/@types/json-schema/-/json-schema-7.0.12.tgz#d70faba7039d5fca54c83c7dbab41051d2b6f6cb"
- integrity sha512-Hr5Jfhc9eYOQNPYO5WLDq/n4jqijdHNlDXjuAQkkt+mWdQR+XJToOHrsD4cPaMXpn6KO7y2+wM8AZEs8VpBLVA==
-
-"@types/json5@^0.0.29":
- version "0.0.29"
- resolved "https://registry.yarnpkg.com/@types/json5/-/json5-0.0.29.tgz#ee28707ae94e11d2b827bcbe5270bcea7f3e71ee"
- integrity sha512-dRLjCWHYg4oaA77cxO64oO+7JwCwnIzkZPdrrC71jQmQtlhM556pwKo5bUzqvZndkVbeFLIIi+9TC40JNF5hNQ==
-
-"@types/[email protected]":
- version "18.11.3"
- resolved "https://registry.yarnpkg.com/@types/node/-/node-18.11.3.tgz#78a6d7ec962b596fc2d2ec102c4dd3ef073fea6a"
- integrity sha512-fNjDQzzOsZeKZu5NATgXUPsaFaTxeRgFXoosrHivTl8RGeV733OLawXsGfEk9a8/tySyZUyiZ6E8LcjPFZ2y1A==
-
-"@types/prop-types@*":
- version "15.7.5"
- resolved "https://registry.yarnpkg.com/@types/prop-types/-/prop-types-15.7.5.tgz#5f19d2b85a98e9558036f6a3cacc8819420f05cf"
- integrity sha512-JCB8C6SnDoQf0cNycqd/35A7MjcnK+ZTqE7judS6o7utxUCg6imJg3QK2qzHKszlTjcj2cn+NwMB2i96ubpj7w==
-
-"@types/react-dom@^18.2.6":
- version "18.2.6"
- resolved "https://registry.yarnpkg.com/@types/react-dom/-/react-dom-18.2.6.tgz#ad621fa71a8db29af7c31b41b2ea3d8a6f4144d1"
- integrity sha512-2et4PDvg6PVCyS7fuTc4gPoksV58bW0RwSxWKcPRcHZf0PRUGq03TKcD/rUHe3azfV6/5/biUBJw+HhCQjaP0A==
- dependencies:
- "@types/react" "*"
-
-"@types/react@*", "@types/react@^18.2.14":
- version "18.2.14"
- resolved "https://registry.yarnpkg.com/@types/react/-/react-18.2.14.tgz#fa7a6fecf1ce35ca94e74874f70c56ce88f7a127"
- integrity sha512-A0zjq+QN/O0Kpe30hA1GidzyFjatVvrpIvWLxD+xv67Vt91TWWgco9IvrJBkeyHm1trGaFS/FSGqPlhyeZRm0g==
- dependencies:
- "@types/prop-types" "*"
- "@types/scheduler" "*"
- csstype "^3.0.2"
-
-"@types/scheduler@*":
- version "0.16.3"
- resolved "https://registry.yarnpkg.com/@types/scheduler/-/scheduler-0.16.3.tgz#cef09e3ec9af1d63d2a6cc5b383a737e24e6dcf5"
- integrity sha512-5cJ8CB4yAx7BH1oMvdU0Jh9lrEXyPkar6F9G/ERswkCuvP4KQZfZkSjcMbAICCpQTN4OuZn8tz0HiKv9TGZgrQ==
-
-"@types/semver@^7.3.12":
- version "7.5.0"
- resolved "https://registry.yarnpkg.com/@types/semver/-/semver-7.5.0.tgz#591c1ce3a702c45ee15f47a42ade72c2fd78978a"
- integrity sha512-G8hZ6XJiHnuhQKR7ZmysCeJWE08o8T0AXtk5darsCaTVsYZhhgUrq53jizaR2FvsoeCwJhlmwTjkXBY5Pn/ZHw==
-
-"@typescript-eslint/eslint-plugin@^5.51.0":
- version "5.61.0"
- resolved "https://registry.yarnpkg.com/@typescript-eslint/eslint-plugin/-/eslint-plugin-5.61.0.tgz#a1a5290cf33863b4db3fb79350b3c5275a7b1223"
- integrity sha512-A5l/eUAug103qtkwccSCxn8ZRwT+7RXWkFECdA4Cvl1dOlDUgTpAOfSEElZn2uSUxhdDpnCdetrf0jvU4qrL+g==
- dependencies:
- "@eslint-community/regexpp" "^4.4.0"
- "@typescript-eslint/scope-manager" "5.61.0"
- "@typescript-eslint/type-utils" "5.61.0"
- "@typescript-eslint/utils" "5.61.0"
- debug "^4.3.4"
- graphemer "^1.4.0"
- ignore "^5.2.0"
- natural-compare-lite "^1.4.0"
- semver "^7.3.7"
- tsutils "^3.21.0"
-
-"@typescript-eslint/parser@^5.51.0":
- version "5.61.0"
- resolved "https://registry.yarnpkg.com/@typescript-eslint/parser/-/parser-5.61.0.tgz#7fbe3e2951904bb843f8932ebedd6e0635bffb70"
- integrity sha512-yGr4Sgyh8uO6fSi9hw3jAFXNBHbCtKKFMdX2IkT3ZqpKmtAq3lHS4ixB/COFuAIJpwl9/AqF7j72ZDWYKmIfvg==
- dependencies:
- "@typescript-eslint/scope-manager" "5.61.0"
- "@typescript-eslint/types" "5.61.0"
- "@typescript-eslint/typescript-estree" "5.61.0"
- debug "^4.3.4"
-
-"@typescript-eslint/[email protected]":
- version "5.61.0"
- resolved "https://registry.yarnpkg.com/@typescript-eslint/scope-manager/-/scope-manager-5.61.0.tgz#b670006d069c9abe6415c41f754b1b5d949ef2b2"
- integrity sha512-W8VoMjoSg7f7nqAROEmTt6LoBpn81AegP7uKhhW5KzYlehs8VV0ZW0fIDVbcZRcaP3aPSW+JZFua+ysQN+m/Nw==
- dependencies:
- "@typescript-eslint/types" "5.61.0"
- "@typescript-eslint/visitor-keys" "5.61.0"
-
-"@typescript-eslint/[email protected]":
- version "5.61.0"
- resolved "https://registry.yarnpkg.com/@typescript-eslint/type-utils/-/type-utils-5.61.0.tgz#e90799eb2045c4435ea8378cb31cd8a9fddca47a"
- integrity sha512-kk8u//r+oVK2Aj3ph/26XdH0pbAkC2RiSjUYhKD+PExemG4XSjpGFeyZ/QM8lBOa7O8aGOU+/yEbMJgQv/DnCg==
- dependencies:
- "@typescript-eslint/typescript-estree" "5.61.0"
- "@typescript-eslint/utils" "5.61.0"
- debug "^4.3.4"
- tsutils "^3.21.0"
-
-"@typescript-eslint/[email protected]":
- version "5.61.0"
- resolved "https://registry.yarnpkg.com/@typescript-eslint/types/-/types-5.61.0.tgz#e99ff11b5792d791554abab0f0370936d8ca50c0"
- integrity sha512-ldyueo58KjngXpzloHUog/h9REmHl59G1b3a5Sng1GfBo14BkS3ZbMEb3693gnP1k//97lh7bKsp6/V/0v1veQ==
-
-"@typescript-eslint/[email protected]":
- version "5.61.0"
- resolved "https://registry.yarnpkg.com/@typescript-eslint/typescript-estree/-/typescript-estree-5.61.0.tgz#4c7caca84ce95bb41aa585d46a764bcc050b92f3"
- integrity sha512-Fud90PxONnnLZ36oR5ClJBLTLfU4pIWBmnvGwTbEa2cXIqj70AEDEmOmpkFComjBZ/037ueKrOdHuYmSFVD7Rw==
- dependencies:
- "@typescript-eslint/types" "5.61.0"
- "@typescript-eslint/visitor-keys" "5.61.0"
- debug "^4.3.4"
- globby "^11.1.0"
- is-glob "^4.0.3"
- semver "^7.3.7"
- tsutils "^3.21.0"
-
-"@typescript-eslint/[email protected]":
- version "5.61.0"
- resolved "https://registry.yarnpkg.com/@typescript-eslint/utils/-/utils-5.61.0.tgz#5064838a53e91c754fffbddd306adcca3fe0af36"
- integrity sha512-mV6O+6VgQmVE6+xzlA91xifndPW9ElFW8vbSF0xCT/czPXVhwDewKila1jOyRwa9AE19zKnrr7Cg5S3pJVrTWQ==
- dependencies:
- "@eslint-community/eslint-utils" "^4.2.0"
- "@types/json-schema" "^7.0.9"
- "@types/semver" "^7.3.12"
- "@typescript-eslint/scope-manager" "5.61.0"
- "@typescript-eslint/types" "5.61.0"
- "@typescript-eslint/typescript-estree" "5.61.0"
- eslint-scope "^5.1.1"
- semver "^7.3.7"
-
-"@typescript-eslint/[email protected]":
- version "5.61.0"
- resolved "https://registry.yarnpkg.com/@typescript-eslint/visitor-keys/-/visitor-keys-5.61.0.tgz#c79414fa42158fd23bd2bb70952dc5cdbb298140"
- integrity sha512-50XQ5VdbWrX06mQXhy93WywSFZZGsv3EOjq+lqp6WC2t+j3mb6A9xYVdrRxafvK88vg9k9u+CT4l6D8PEatjKg==
- dependencies:
- "@typescript-eslint/types" "5.61.0"
- eslint-visitor-keys "^3.3.0"
-
-acorn-jsx@^5.3.2:
- version "5.3.2"
- resolved "https://registry.yarnpkg.com/acorn-jsx/-/acorn-jsx-5.3.2.tgz#7ed5bb55908b3b2f1bc55c6af1653bada7f07937"
- integrity sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==
-
-acorn@^8.9.0:
- version "8.10.0"
- resolved "https://registry.yarnpkg.com/acorn/-/acorn-8.10.0.tgz#8be5b3907a67221a81ab23c7889c4c5526b62ec5"
- integrity sha512-F0SAmZ8iUtS//m8DmCTA0jlh6TDKkHQyK6xc6V4KDTyZKA9dnvX9/3sRTVQrWm79glUAZbnmmNcdYwUIHWVybw==
-
-ajv@^6.10.0, ajv@^6.12.4:
- version "6.12.6"
- resolved "https://registry.yarnpkg.com/ajv/-/ajv-6.12.6.tgz#baf5a62e802b07d977034586f8c3baf5adf26df4"
- integrity sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==
- dependencies:
- fast-deep-equal "^3.1.1"
- fast-json-stable-stringify "^2.0.0"
- json-schema-traverse "^0.4.1"
- uri-js "^4.2.2"
-
-ansi-regex@^5.0.1:
- version "5.0.1"
- resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-5.0.1.tgz#082cb2c89c9fe8659a311a53bd6a4dc5301db304"
- integrity sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==
-
-ansi-styles@^4.1.0:
- version "4.3.0"
- resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-4.3.0.tgz#edd803628ae71c04c85ae7a0906edad34b648937"
- integrity sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==
- dependencies:
- color-convert "^2.0.1"
-
-argparse@^2.0.1:
- version "2.0.1"
- resolved "https://registry.yarnpkg.com/argparse/-/argparse-2.0.1.tgz#246f50f3ca78a3240f6c997e8a9bd1eac49e4b38"
- integrity sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==
-
-array-buffer-byte-length@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/array-buffer-byte-length/-/array-buffer-byte-length-1.0.0.tgz#fabe8bc193fea865f317fe7807085ee0dee5aead"
- integrity sha512-LPuwb2P+NrQw3XhxGc36+XSvuBPopovXYTR9Ew++Du9Yb/bx5AzBfrIsBoj0EZUifjQU+sHL21sseZ3jerWO/A==
- dependencies:
- call-bind "^1.0.2"
- is-array-buffer "^3.0.1"
-
-array-includes@^3.1.4:
- version "3.1.6"
- resolved "https://registry.yarnpkg.com/array-includes/-/array-includes-3.1.6.tgz#9e9e720e194f198266ba9e18c29e6a9b0e4b225f"
- integrity sha512-sgTbLvL6cNnw24FnbaDyjmvddQ2ML8arZsgaJhoABMoplz/4QRhtrYS+alr1BUM1Bwp6dhx8vVCBSLG+StwOFw==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
- get-intrinsic "^1.1.3"
- is-string "^1.0.7"
-
-array-union@^2.1.0:
- version "2.1.0"
- resolved "https://registry.yarnpkg.com/array-union/-/array-union-2.1.0.tgz#b798420adbeb1de828d84acd8a2e23d3efe85e8d"
- integrity sha512-HGyxoOTYUyCM6stUe6EJgnd4EoewAI7zMdfqO+kGjnlZmBDz/cR5pf8r/cR4Wq60sL/p0IkcjUEEPwS3GFrIyw==
-
-array.prototype.flat@^1.2.5:
- version "1.3.1"
- resolved "https://registry.yarnpkg.com/array.prototype.flat/-/array.prototype.flat-1.3.1.tgz#ffc6576a7ca3efc2f46a143b9d1dda9b4b3cf5e2"
- integrity sha512-roTU0KWIOmJ4DRLmwKd19Otg0/mT3qPNt0Qb3GWW8iObuZXxrjB/pzn0R3hqpRSWg4HCwqx+0vwOnWnvlOyeIA==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
- es-shim-unscopables "^1.0.0"
-
-available-typed-arrays@^1.0.5:
- version "1.0.5"
- resolved "https://registry.yarnpkg.com/available-typed-arrays/-/available-typed-arrays-1.0.5.tgz#92f95616501069d07d10edb2fc37d3e1c65123b7"
- integrity sha512-DMD0KiN46eipeziST1LPP/STfDU0sufISXmjSgvVsoU2tqxctQeASejWcfNtxYKqETM1UxQ8sp2OrSBWpHY6sw==
-
-balanced-match@^1.0.0:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/balanced-match/-/balanced-match-1.0.2.tgz#e83e3a7e3f300b34cb9d87f615fa0cbf357690ee"
- integrity sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==
-
-brace-expansion@^1.1.7:
- version "1.1.11"
- resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-1.1.11.tgz#3c7fcbf529d87226f3d2f52b966ff5271eb441dd"
- integrity sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==
- dependencies:
- balanced-match "^1.0.0"
- concat-map "0.0.1"
-
-braces@^3.0.2:
- version "3.0.2"
- resolved "https://registry.yarnpkg.com/braces/-/braces-3.0.2.tgz#3454e1a462ee8d599e236df336cd9ea4f8afe107"
- integrity sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==
- dependencies:
- fill-range "^7.0.1"
-
[email protected]:
- version "1.6.0"
- resolved "https://registry.yarnpkg.com/busboy/-/busboy-1.6.0.tgz#966ea36a9502e43cdb9146962523b92f531f6893"
- integrity sha512-8SFQbg/0hQ9xy3UNTB0YEnsNBbWfhf7RtnzpL7TkBiTBRfrQ9Fxcnz7VJsleJpyp6rVLvXiuORqjlHi5q+PYuA==
- dependencies:
- streamsearch "^1.1.0"
-
-call-bind@^1.0.0, call-bind@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/call-bind/-/call-bind-1.0.2.tgz#b1d4e89e688119c3c9a903ad30abb2f6a919be3c"
- integrity sha512-7O+FbCihrB5WGbFYesctwmTKae6rOiIzmz1icreWJ+0aA7LJfuqhEso2T9ncpcFtzMQtzXf2QGGueWJGTYsqrA==
- dependencies:
- function-bind "^1.1.1"
- get-intrinsic "^1.0.2"
-
-callsites@^3.0.0:
- version "3.1.0"
- resolved "https://registry.yarnpkg.com/callsites/-/callsites-3.1.0.tgz#b3630abd8943432f54b3f0519238e33cd7df2f73"
- integrity sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==
-
-caniuse-lite@^1.0.30001406:
- version "1.0.30001512"
- resolved "https://registry.yarnpkg.com/caniuse-lite/-/caniuse-lite-1.0.30001512.tgz#7450843fb581c39f290305a83523c7a9ef0d4cb4"
- integrity sha512-2S9nK0G/mE+jasCUsMPlARhRCts1ebcp2Ji8Y8PWi4NDE1iRdLCnEPHkEfeBrGC45L4isBx5ur3IQ6yTE2mRZw==
-
-chalk@^4.0.0:
- version "4.1.2"
- resolved "https://registry.yarnpkg.com/chalk/-/chalk-4.1.2.tgz#aac4e2b7734a740867aeb16bf02aad556a1e7a01"
- integrity sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==
- dependencies:
- ansi-styles "^4.1.0"
- supports-color "^7.1.0"
-
[email protected]:
- version "0.0.1"
- resolved "https://registry.yarnpkg.com/client-only/-/client-only-0.0.1.tgz#38bba5d403c41ab150bff64a95c85013cf73bca1"
- integrity sha512-IV3Ou0jSMzZrd3pZ48nLkT9DA7Ag1pnPzaiQhpW7c3RbcqqzvzzVu+L8gfqMp/8IM2MQtSiqaCxrrcfu8I8rMA==
-
-color-convert@^2.0.1:
- version "2.0.1"
- resolved "https://registry.yarnpkg.com/color-convert/-/color-convert-2.0.1.tgz#72d3a68d598c9bdb3af2ad1e84f21d896abd4de3"
- integrity sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==
- dependencies:
- color-name "~1.1.4"
-
-color-name@~1.1.4:
- version "1.1.4"
- resolved "https://registry.yarnpkg.com/color-name/-/color-name-1.1.4.tgz#c2a09a87acbde69543de6f63fa3995c826c536a2"
- integrity sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==
-
[email protected]:
- version "0.0.1"
- resolved "https://registry.yarnpkg.com/concat-map/-/concat-map-0.0.1.tgz#d8a96bd77fd68df7793a73036a3ba0d5405d477b"
- integrity sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==
-
-cross-spawn@^7.0.2:
- version "7.0.3"
- resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-7.0.3.tgz#f73a85b9d5d41d045551c177e2882d4ac85728a6"
- integrity sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==
- dependencies:
- path-key "^3.1.0"
- shebang-command "^2.0.0"
- which "^2.0.1"
-
-csstype@^3.0.2:
- version "3.1.2"
- resolved "https://registry.yarnpkg.com/csstype/-/csstype-3.1.2.tgz#1d4bf9d572f11c14031f0436e1c10bc1f571f50b"
- integrity sha512-I7K1Uu0MBPzaFKg4nI5Q7Vs2t+3gWWW648spaF+Rg7pI9ds18Ugn+lvg4SHczUdKlHI5LWBXyqfS8+DufyBsgQ==
-
-debug@^2.6.9:
- version "2.6.9"
- resolved "https://registry.yarnpkg.com/debug/-/debug-2.6.9.tgz#5d128515df134ff327e90a4c93f4e077a536341f"
- integrity sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==
- dependencies:
- ms "2.0.0"
-
-debug@^3.2.7:
- version "3.2.7"
- resolved "https://registry.yarnpkg.com/debug/-/debug-3.2.7.tgz#72580b7e9145fb39b6676f9c5e5fb100b934179a"
- integrity sha512-CFjzYYAi4ThfiQvizrFQevTTXHtnCqWfe7x1AhgEscTz6ZbLbfoLRLPugTQyBth6f8ZERVUSyWHFD/7Wu4t1XQ==
- dependencies:
- ms "^2.1.1"
-
-debug@^4.1.1, debug@^4.3.2, debug@^4.3.4:
- version "4.3.4"
- resolved "https://registry.yarnpkg.com/debug/-/debug-4.3.4.tgz#1319f6579357f2338d3337d2cdd4914bb5dcc865"
- integrity sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==
- dependencies:
- ms "2.1.2"
-
-deep-is@^0.1.3:
- version "0.1.4"
- resolved "https://registry.yarnpkg.com/deep-is/-/deep-is-0.1.4.tgz#a6f2dce612fadd2ef1f519b73551f17e85199831"
- integrity sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==
-
-define-properties@^1.1.3, define-properties@^1.1.4, define-properties@^1.2.0:
- version "1.2.0"
- resolved "https://registry.yarnpkg.com/define-properties/-/define-properties-1.2.0.tgz#52988570670c9eacedd8064f4a990f2405849bd5"
- integrity sha512-xvqAVKGfT1+UAvPwKTVw/njhdQ8ZhXK4lI0bCIuCMrp2up9nPnaDftrLtmpTazqd1o+UY4zgzU+avtMbDP+ldA==
- dependencies:
- has-property-descriptors "^1.0.0"
- object-keys "^1.1.1"
-
-dir-glob@^3.0.1:
- version "3.0.1"
- resolved "https://registry.yarnpkg.com/dir-glob/-/dir-glob-3.0.1.tgz#56dbf73d992a4a93ba1584f4534063fd2e41717f"
- integrity sha512-WkrWp9GR4KXfKGYzOLmTuGVi1UWFfws377n9cc55/tb6DuqyF6pcQ5AbiHEshaDpY9v6oaSr2XCDidGmMwdzIA==
- dependencies:
- path-type "^4.0.0"
-
-doctrine@^2.1.0:
- version "2.1.0"
- resolved "https://registry.yarnpkg.com/doctrine/-/doctrine-2.1.0.tgz#5cd01fc101621b42c4cd7f5d1a66243716d3f39d"
- integrity sha512-35mSku4ZXK0vfCuHEDAwt55dg2jNajHZ1odvF+8SSr82EsZY4QmXfuWso8oEd8zRhVObSN18aM0CjSdoBX7zIw==
- dependencies:
- esutils "^2.0.2"
-
-doctrine@^3.0.0:
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/doctrine/-/doctrine-3.0.0.tgz#addebead72a6574db783639dc87a121773973961"
- integrity sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==
- dependencies:
- esutils "^2.0.2"
-
-es-abstract@^1.19.0, es-abstract@^1.20.4:
- version "1.21.2"
- resolved "https://registry.yarnpkg.com/es-abstract/-/es-abstract-1.21.2.tgz#a56b9695322c8a185dc25975aa3b8ec31d0e7eff"
- integrity sha512-y/B5POM2iBnIxCiernH1G7rC9qQoM77lLIMQLuob0zhp8C56Po81+2Nj0WFKnd0pNReDTnkYryc+zhOzpEIROg==
- dependencies:
- array-buffer-byte-length "^1.0.0"
- available-typed-arrays "^1.0.5"
- call-bind "^1.0.2"
- es-set-tostringtag "^2.0.1"
- es-to-primitive "^1.2.1"
- function.prototype.name "^1.1.5"
- get-intrinsic "^1.2.0"
- get-symbol-description "^1.0.0"
- globalthis "^1.0.3"
- gopd "^1.0.1"
- has "^1.0.3"
- has-property-descriptors "^1.0.0"
- has-proto "^1.0.1"
- has-symbols "^1.0.3"
- internal-slot "^1.0.5"
- is-array-buffer "^3.0.2"
- is-callable "^1.2.7"
- is-negative-zero "^2.0.2"
- is-regex "^1.1.4"
- is-shared-array-buffer "^1.0.2"
- is-string "^1.0.7"
- is-typed-array "^1.1.10"
- is-weakref "^1.0.2"
- object-inspect "^1.12.3"
- object-keys "^1.1.1"
- object.assign "^4.1.4"
- regexp.prototype.flags "^1.4.3"
- safe-regex-test "^1.0.0"
- string.prototype.trim "^1.2.7"
- string.prototype.trimend "^1.0.6"
- string.prototype.trimstart "^1.0.6"
- typed-array-length "^1.0.4"
- unbox-primitive "^1.0.2"
- which-typed-array "^1.1.9"
-
-es-set-tostringtag@^2.0.1:
- version "2.0.1"
- resolved "https://registry.yarnpkg.com/es-set-tostringtag/-/es-set-tostringtag-2.0.1.tgz#338d502f6f674301d710b80c8592de8a15f09cd8"
- integrity sha512-g3OMbtlwY3QewlqAiMLI47KywjWZoEytKr8pf6iTC8uJq5bIAH52Z9pnQ8pVL6whrCto53JZDuUIsifGeLorTg==
- dependencies:
- get-intrinsic "^1.1.3"
- has "^1.0.3"
- has-tostringtag "^1.0.0"
-
-es-shim-unscopables@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/es-shim-unscopables/-/es-shim-unscopables-1.0.0.tgz#702e632193201e3edf8713635d083d378e510241"
- integrity sha512-Jm6GPcCdC30eMLbZ2x8z2WuRwAws3zTBBKuusffYVUrNj/GVSUAZ+xKMaUpfNDR5IbyNA5LJbaecoUVbmUcB1w==
- dependencies:
- has "^1.0.3"
-
-es-to-primitive@^1.2.1:
- version "1.2.1"
- resolved "https://registry.yarnpkg.com/es-to-primitive/-/es-to-primitive-1.2.1.tgz#e55cd4c9cdc188bcefb03b366c736323fc5c898a"
- integrity sha512-QCOllgZJtaUo9miYBcLChTUaHNjJF3PYs1VidD7AwiEj1kYxKeQTctLAezAOH5ZKRH0g2IgPn6KwB4IT8iRpvA==
- dependencies:
- is-callable "^1.1.4"
- is-date-object "^1.0.1"
- is-symbol "^1.0.2"
-
-escape-html@^1.0.3:
- version "1.0.3"
- resolved "https://registry.yarnpkg.com/escape-html/-/escape-html-1.0.3.tgz#0258eae4d3d0c0974de1c169188ef0051d1d1988"
- integrity sha512-NiSupZ4OeuGwr68lGIeym/ksIZMJodUGOSCZ/FSnTxcrekbvqrgdUxlJOMpijaKZVjAJrWrGs/6Jy8OMuyj9ow==
-
-escape-string-regexp@^4.0.0:
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz#14ba83a5d373e3d311e5afca29cf5bfad965bf34"
- integrity sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==
-
-eslint-config-prettier@^8.5.0:
- version "8.8.0"
- resolved "https://registry.yarnpkg.com/eslint-config-prettier/-/eslint-config-prettier-8.8.0.tgz#bfda738d412adc917fd7b038857110efe98c9348"
- integrity sha512-wLbQiFre3tdGgpDv67NQKnJuTlcUVYHas3k+DZCc2U2BadthoEY4B7hLPvAxaqdyOGCzuLfii2fqGph10va7oA==
-
-eslint-import-resolver-node@^0.3.6:
- version "0.3.7"
- resolved "https://registry.yarnpkg.com/eslint-import-resolver-node/-/eslint-import-resolver-node-0.3.7.tgz#83b375187d412324a1963d84fa664377a23eb4d7"
- integrity sha512-gozW2blMLJCeFpBwugLTGyvVjNoeo1knonXAcatC6bjPBZitotxdWf7Gimr25N4c0AAOo4eOUfaG82IJPDpqCA==
- dependencies:
- debug "^3.2.7"
- is-core-module "^2.11.0"
- resolve "^1.22.1"
-
-eslint-module-utils@^2.7.2:
- version "2.8.0"
- resolved "https://registry.yarnpkg.com/eslint-module-utils/-/eslint-module-utils-2.8.0.tgz#e439fee65fc33f6bba630ff621efc38ec0375c49"
- integrity sha512-aWajIYfsqCKRDgUfjEXNN/JlrzauMuSEy5sbd7WXbtW3EH6A6MpwEh42c7qD+MqQo9QMJ6fWLAeIJynx0g6OAw==
- dependencies:
- debug "^3.2.7"
-
-eslint-plugin-filenames@^1.3.2:
- version "1.3.2"
- resolved "https://registry.yarnpkg.com/eslint-plugin-filenames/-/eslint-plugin-filenames-1.3.2.tgz#7094f00d7aefdd6999e3ac19f72cea058e590cf7"
- integrity sha512-tqxJTiEM5a0JmRCUYQmxw23vtTxrb2+a3Q2mMOPhFxvt7ZQQJmdiuMby9B/vUAuVMghyP7oET+nIf6EO6CBd/w==
- dependencies:
- lodash.camelcase "4.3.0"
- lodash.kebabcase "4.1.1"
- lodash.snakecase "4.1.1"
- lodash.upperfirst "4.3.1"
-
[email protected]:
- version "2.25.4"
- resolved "https://registry.yarnpkg.com/eslint-plugin-import/-/eslint-plugin-import-2.25.4.tgz#322f3f916a4e9e991ac7af32032c25ce313209f1"
- integrity sha512-/KJBASVFxpu0xg1kIBn9AUa8hQVnszpwgE7Ld0lKAlx7Ie87yzEzCgSkekt+le/YVhiaosO4Y14GDAOc41nfxA==
- dependencies:
- array-includes "^3.1.4"
- array.prototype.flat "^1.2.5"
- debug "^2.6.9"
- doctrine "^2.1.0"
- eslint-import-resolver-node "^0.3.6"
- eslint-module-utils "^2.7.2"
- has "^1.0.3"
- is-core-module "^2.8.0"
- is-glob "^4.0.3"
- minimatch "^3.0.4"
- object.values "^1.1.5"
- resolve "^1.20.0"
- tsconfig-paths "^3.12.0"
-
-eslint-plugin-prettier@^4.0.0:
- version "4.2.1"
- resolved "https://registry.yarnpkg.com/eslint-plugin-prettier/-/eslint-plugin-prettier-4.2.1.tgz#651cbb88b1dab98bfd42f017a12fa6b2d993f94b"
- integrity sha512-f/0rXLXUt0oFYs8ra4w49wYZBG5GKZpAYsJSm6rnYL5uVDjd+zowwMwVZHnAjf4edNrKpCDYfXDgmRE/Ak7QyQ==
- dependencies:
- prettier-linter-helpers "^1.0.0"
-
-eslint-plugin-react-hooks@^4.6.0:
- version "4.6.0"
- resolved "https://registry.yarnpkg.com/eslint-plugin-react-hooks/-/eslint-plugin-react-hooks-4.6.0.tgz#4c3e697ad95b77e93f8646aaa1630c1ba607edd3"
- integrity sha512-oFc7Itz9Qxh2x4gNHStv3BqJq54ExXmfC+a1NjAta66IAN87Wu0R/QArgIS9qKzX3dXKPI9H5crl9QchNMY9+g==
-
-eslint-plugin-simple-import-sort@^10.0.0:
- version "10.0.0"
- resolved "https://registry.yarnpkg.com/eslint-plugin-simple-import-sort/-/eslint-plugin-simple-import-sort-10.0.0.tgz#cc4ceaa81ba73252427062705b64321946f61351"
- integrity sha512-AeTvO9UCMSNzIHRkg8S6c3RPy5YEwKWSQPx3DYghLedo2ZQxowPFLGDN1AZ2evfg6r6mjBSZSLxLFsWSu3acsw==
-
-eslint-scope@^5.1.1:
- version "5.1.1"
- resolved "https://registry.yarnpkg.com/eslint-scope/-/eslint-scope-5.1.1.tgz#e786e59a66cb92b3f6c1fb0d508aab174848f48c"
- integrity sha512-2NxwbF/hZ0KpepYN0cNbo+FN6XoK7GaHlQhgx/hIZl6Va0bF45RQOOwhLIy8lQDbuCiadSLCBnH2CFYquit5bw==
- dependencies:
- esrecurse "^4.3.0"
- estraverse "^4.1.1"
-
-eslint-scope@^7.1.1:
- version "7.2.0"
- resolved "https://registry.yarnpkg.com/eslint-scope/-/eslint-scope-7.2.0.tgz#f21ebdafda02352f103634b96dd47d9f81ca117b"
- integrity sha512-DYj5deGlHBfMt15J7rdtyKNq/Nqlv5KfU4iodrQ019XESsRnwXH9KAE0y3cwtUHDo2ob7CypAnCqefh6vioWRw==
- dependencies:
- esrecurse "^4.3.0"
- estraverse "^5.2.0"
-
-eslint-utils@^3.0.0:
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/eslint-utils/-/eslint-utils-3.0.0.tgz#8aebaface7345bb33559db0a1f13a1d2d48c3672"
- integrity sha512-uuQC43IGctw68pJA1RgbQS8/NP7rch6Cwd4j3ZBtgo4/8Flj4eGE7ZYSZRN3iq5pVUv6GPdW5Z1RFleo84uLDA==
- dependencies:
- eslint-visitor-keys "^2.0.0"
-
-eslint-visitor-keys@^2.0.0:
- version "2.1.0"
- resolved "https://registry.yarnpkg.com/eslint-visitor-keys/-/eslint-visitor-keys-2.1.0.tgz#f65328259305927392c938ed44eb0a5c9b2bd303"
- integrity sha512-0rSmRBzXgDzIsD6mGdJgevzgezI534Cer5L/vyMX0kHzT/jiB43jRhd9YUlMGYLQy2zprNmoT8qasCGtY+QaKw==
-
-eslint-visitor-keys@^3.3.0, eslint-visitor-keys@^3.4.1:
- version "3.4.1"
- resolved "https://registry.yarnpkg.com/eslint-visitor-keys/-/eslint-visitor-keys-3.4.1.tgz#c22c48f48942d08ca824cc526211ae400478a994"
- integrity sha512-pZnmmLwYzf+kWaM/Qgrvpen51upAktaaiI01nsJD/Yr3lMOdNtq0cxkrrg16w64VtisN6okbs7Q8AfGqj4c9fA==
-
[email protected]:
- version "8.25.0"
- resolved "https://registry.yarnpkg.com/eslint/-/eslint-8.25.0.tgz#00eb962f50962165d0c4ee3327708315eaa8058b"
- integrity sha512-DVlJOZ4Pn50zcKW5bYH7GQK/9MsoQG2d5eDH0ebEkE8PbgzTTmtt/VTH9GGJ4BfeZCpBLqFfvsjX35UacUL83A==
- dependencies:
- "@eslint/eslintrc" "^1.3.3"
- "@humanwhocodes/config-array" "^0.10.5"
- "@humanwhocodes/module-importer" "^1.0.1"
- ajv "^6.10.0"
- chalk "^4.0.0"
- cross-spawn "^7.0.2"
- debug "^4.3.2"
- doctrine "^3.0.0"
- escape-string-regexp "^4.0.0"
- eslint-scope "^7.1.1"
- eslint-utils "^3.0.0"
- eslint-visitor-keys "^3.3.0"
- espree "^9.4.0"
- esquery "^1.4.0"
- esutils "^2.0.2"
- fast-deep-equal "^3.1.3"
- file-entry-cache "^6.0.1"
- find-up "^5.0.0"
- glob-parent "^6.0.1"
- globals "^13.15.0"
- globby "^11.1.0"
- grapheme-splitter "^1.0.4"
- ignore "^5.2.0"
- import-fresh "^3.0.0"
- imurmurhash "^0.1.4"
- is-glob "^4.0.0"
- js-sdsl "^4.1.4"
- 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.1"
- regexpp "^3.2.0"
- strip-ansi "^6.0.1"
- strip-json-comments "^3.1.0"
- text-table "^0.2.0"
-
-espree@^9.4.0:
- version "9.6.0"
- resolved "https://registry.yarnpkg.com/espree/-/espree-9.6.0.tgz#80869754b1c6560f32e3b6929194a3fe07c5b82f"
- integrity sha512-1FH/IiruXZ84tpUlm0aCUEwMl2Ho5ilqVh0VvQXw+byAz/4SAciyHLlfmL5WYqsvD38oymdUwBss0LtK8m4s/A==
- dependencies:
- acorn "^8.9.0"
- acorn-jsx "^5.3.2"
- eslint-visitor-keys "^3.4.1"
-
-esquery@^1.4.0:
- version "1.5.0"
- resolved "https://registry.yarnpkg.com/esquery/-/esquery-1.5.0.tgz#6ce17738de8577694edd7361c57182ac8cb0db0b"
- integrity sha512-YQLXUplAwJgCydQ78IMJywZCceoqk1oH01OERdSAJc/7U2AylwjhSCLDEtqwg811idIS/9fIU5GjG73IgjKMVg==
- dependencies:
- estraverse "^5.1.0"
-
-esrecurse@^4.3.0:
- version "4.3.0"
- resolved "https://registry.yarnpkg.com/esrecurse/-/esrecurse-4.3.0.tgz#7ad7964d679abb28bee72cec63758b1c5d2c9921"
- integrity sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==
- dependencies:
- estraverse "^5.2.0"
-
-estraverse@^4.1.1:
- version "4.3.0"
- resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-4.3.0.tgz#398ad3f3c5a24948be7725e83d11a7de28cdbd1d"
- integrity sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw==
-
-estraverse@^5.1.0, estraverse@^5.2.0:
- version "5.3.0"
- resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-5.3.0.tgz#2eea5290702f26ab8fe5370370ff86c965d21123"
- integrity sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==
-
-esutils@^2.0.2:
- version "2.0.3"
- resolved "https://registry.yarnpkg.com/esutils/-/esutils-2.0.3.tgz#74d2eb4de0b8da1293711910d50775b9b710ef64"
- integrity sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==
-
-fast-deep-equal@^3.1.1, fast-deep-equal@^3.1.3:
- version "3.1.3"
- resolved "https://registry.yarnpkg.com/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz#3a7d56b559d6cbc3eb512325244e619a65c6c525"
- integrity sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==
-
-fast-diff@^1.1.2:
- version "1.3.0"
- resolved "https://registry.yarnpkg.com/fast-diff/-/fast-diff-1.3.0.tgz#ece407fa550a64d638536cd727e129c61616e0f0"
- integrity sha512-VxPP4NqbUjj6MaAOafWeUn2cXWLcCtljklUtZf0Ind4XQ+QPtmA0b18zZy0jIQx+ExRVCR/ZQpBmik5lXshNsw==
-
-fast-glob@^3.2.9:
- version "3.3.0"
- resolved "https://registry.yarnpkg.com/fast-glob/-/fast-glob-3.3.0.tgz#7c40cb491e1e2ed5664749e87bfb516dbe8727c0"
- integrity sha512-ChDuvbOypPuNjO8yIDf36x7BlZX1smcUMTTcyoIjycexOxd6DFsKsg21qVBzEmr3G7fUKIRy2/psii+CIUt7FA==
- dependencies:
- "@nodelib/fs.stat" "^2.0.2"
- "@nodelib/fs.walk" "^1.2.3"
- glob-parent "^5.1.2"
- merge2 "^1.3.0"
- micromatch "^4.0.4"
-
-fast-json-stable-stringify@^2.0.0:
- version "2.1.0"
- resolved "https://registry.yarnpkg.com/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz#874bf69c6f404c2b5d99c481341399fd55892633"
- integrity sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==
-
-fast-levenshtein@^2.0.6:
- version "2.0.6"
- resolved "https://registry.yarnpkg.com/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz#3d8a5c66883a16a30ca8643e851f19baa7797917"
- integrity sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==
-
-fastq@^1.6.0:
- version "1.15.0"
- resolved "https://registry.yarnpkg.com/fastq/-/fastq-1.15.0.tgz#d04d07c6a2a68fe4599fea8d2e103a937fae6b3a"
- integrity sha512-wBrocU2LCXXa+lWBt8RoIRD89Fi8OdABODa/kEnyeyjS5aZO5/GNvI5sEINADqP/h8M29UHTHUb53sUu5Ihqdw==
- dependencies:
- reusify "^1.0.4"
-
-file-entry-cache@^6.0.1:
- version "6.0.1"
- resolved "https://registry.yarnpkg.com/file-entry-cache/-/file-entry-cache-6.0.1.tgz#211b2dd9659cb0394b073e7323ac3c933d522027"
- integrity sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==
- dependencies:
- flat-cache "^3.0.4"
-
-fill-range@^7.0.1:
- version "7.0.1"
- resolved "https://registry.yarnpkg.com/fill-range/-/fill-range-7.0.1.tgz#1919a6a7c75fe38b2c7c77e5198535da9acdda40"
- integrity sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==
- dependencies:
- to-regex-range "^5.0.1"
-
-find-up@^5.0.0:
- version "5.0.0"
- resolved "https://registry.yarnpkg.com/find-up/-/find-up-5.0.0.tgz#4c92819ecb7083561e4f4a240a86be5198f536fc"
- integrity sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==
- dependencies:
- locate-path "^6.0.0"
- path-exists "^4.0.0"
-
-flat-cache@^3.0.4:
- version "3.0.4"
- resolved "https://registry.yarnpkg.com/flat-cache/-/flat-cache-3.0.4.tgz#61b0338302b2fe9f957dcc32fc2a87f1c3048b11"
- integrity sha512-dm9s5Pw7Jc0GvMYbshN6zchCA9RgQlzzEZX3vylR9IqFfS8XciblUXOKfW6SiuJ0e13eDYZoZV5wdrev7P3Nwg==
- dependencies:
- flatted "^3.1.0"
- rimraf "^3.0.2"
-
-flatted@^3.1.0:
- version "3.2.7"
- resolved "https://registry.yarnpkg.com/flatted/-/flatted-3.2.7.tgz#609f39207cb614b89d0765b477cb2d437fbf9787"
- integrity sha512-5nqDSxl8nn5BSNxyR3n4I6eDmbolI6WT+QqR547RwxQapgjQBmtktdP+HTBb/a/zLsbzERTONyUB5pefh5TtjQ==
-
-for-each@^0.3.3:
- version "0.3.3"
- resolved "https://registry.yarnpkg.com/for-each/-/for-each-0.3.3.tgz#69b447e88a0a5d32c3e7084f3f1710034b21376e"
- integrity sha512-jqYfLp7mo9vIyQf8ykW2v7A+2N4QjeCeI5+Dz9XraiO1ign81wjiH7Fb9vSOWvQfNtmSa4H2RoQTrrXivdUZmw==
- dependencies:
- is-callable "^1.1.3"
-
-fs.realpath@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/fs.realpath/-/fs.realpath-1.0.0.tgz#1504ad2523158caa40db4a2787cb01411994ea4f"
- integrity sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==
-
-function-bind@^1.1.1:
- version "1.1.1"
- resolved "https://registry.yarnpkg.com/function-bind/-/function-bind-1.1.1.tgz#a56899d3ea3c9bab874bb9773b7c5ede92f4895d"
- integrity sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==
-
-function.prototype.name@^1.1.5:
- version "1.1.5"
- resolved "https://registry.yarnpkg.com/function.prototype.name/-/function.prototype.name-1.1.5.tgz#cce0505fe1ffb80503e6f9e46cc64e46a12a9621"
- integrity sha512-uN7m/BzVKQnCUF/iW8jYea67v++2u7m5UgENbHRtdDVclOUP+FMPlCNdmk0h/ysGyo2tavMJEDqJAkJdRa1vMA==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.3"
- es-abstract "^1.19.0"
- functions-have-names "^1.2.2"
-
-functions-have-names@^1.2.2, functions-have-names@^1.2.3:
- version "1.2.3"
- resolved "https://registry.yarnpkg.com/functions-have-names/-/functions-have-names-1.2.3.tgz#0404fe4ee2ba2f607f0e0ec3c80bae994133b834"
- integrity sha512-xckBUXyTIqT97tq2x2AMb+g163b5JFysYk0x4qxNFwbfQkmNZoiRHb6sPzI9/QV33WeuvVYBUIiD4NzNIyqaRQ==
-
-get-intrinsic@^1.0.2, get-intrinsic@^1.1.1, get-intrinsic@^1.1.3, get-intrinsic@^1.2.0:
- version "1.2.1"
- resolved "https://registry.yarnpkg.com/get-intrinsic/-/get-intrinsic-1.2.1.tgz#d295644fed4505fc9cde952c37ee12b477a83d82"
- integrity sha512-2DcsyfABl+gVHEfCOaTrWgyt+tb6MSEGmKq+kI5HwLbIYgjgmMcV8KQ41uaKz1xxUcn9tJtgFbQUEVcEbd0FYw==
- dependencies:
- function-bind "^1.1.1"
- has "^1.0.3"
- has-proto "^1.0.1"
- has-symbols "^1.0.3"
-
-get-symbol-description@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/get-symbol-description/-/get-symbol-description-1.0.0.tgz#7fdb81c900101fbd564dd5f1a30af5aadc1e58d6"
- integrity sha512-2EmdH1YvIQiZpltCNgkuiUnyukzxM/R6NDJX31Ke3BG1Nq5b0S2PhX59UKi9vZpPDQVdqn+1IcaAwnzTT5vCjw==
- dependencies:
- call-bind "^1.0.2"
- get-intrinsic "^1.1.1"
-
-glob-parent@^5.1.2:
- version "5.1.2"
- resolved "https://registry.yarnpkg.com/glob-parent/-/glob-parent-5.1.2.tgz#869832c58034fe68a4093c17dc15e8340d8401c4"
- integrity sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==
- dependencies:
- is-glob "^4.0.1"
-
-glob-parent@^6.0.1:
- version "6.0.2"
- resolved "https://registry.yarnpkg.com/glob-parent/-/glob-parent-6.0.2.tgz#6d237d99083950c79290f24c7642a3de9a28f9e3"
- integrity sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==
- dependencies:
- is-glob "^4.0.3"
-
-glob-to-regexp@^0.4.1:
- version "0.4.1"
- resolved "https://registry.yarnpkg.com/glob-to-regexp/-/glob-to-regexp-0.4.1.tgz#c75297087c851b9a578bd217dd59a92f59fe546e"
- integrity sha512-lkX1HJXwyMcprw/5YUZc2s7DrpAiHB21/V+E1rHUrVNokkvB6bqMzT0VfV6/86ZNabt1k14YOIaT7nDvOX3Iiw==
-
[email protected]:
- version "7.1.7"
- resolved "https://registry.yarnpkg.com/glob/-/glob-7.1.7.tgz#3b193e9233f01d42d0b3f78294bbeeb418f94a90"
- integrity sha512-OvD9ENzPLbegENnYP5UUfJIirTg4+XwMWGaQfQTY0JenxNvvIKP3U3/tAQSPIu/lHxXYSZmpXlUHeqAIdKzBLQ==
- dependencies:
- fs.realpath "^1.0.0"
- inflight "^1.0.4"
- inherits "2"
- minimatch "^3.0.4"
- once "^1.3.0"
- path-is-absolute "^1.0.0"
-
-glob@^7.1.3:
- version "7.2.3"
- resolved "https://registry.yarnpkg.com/glob/-/glob-7.2.3.tgz#b8df0fb802bbfa8e89bd1d938b4e16578ed44f2b"
- integrity sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==
- dependencies:
- fs.realpath "^1.0.0"
- inflight "^1.0.4"
- inherits "2"
- minimatch "^3.1.1"
- once "^1.3.0"
- path-is-absolute "^1.0.0"
-
-globals@^13.15.0, globals@^13.19.0:
- version "13.20.0"
- resolved "https://registry.yarnpkg.com/globals/-/globals-13.20.0.tgz#ea276a1e508ffd4f1612888f9d1bad1e2717bf82"
- integrity sha512-Qg5QtVkCy/kv3FUSlu4ukeZDVf9ee0iXLAUYX13gbR17bnejFTzr4iS9bY7kwCf1NztRNm1t91fjOiyx4CSwPQ==
- dependencies:
- type-fest "^0.20.2"
-
-globalthis@^1.0.3:
- version "1.0.3"
- resolved "https://registry.yarnpkg.com/globalthis/-/globalthis-1.0.3.tgz#5852882a52b80dc301b0660273e1ed082f0b6ccf"
- integrity sha512-sFdI5LyBiNTHjRd7cGPWapiHWMOXKyuBNX/cWJ3NfzrZQVa8GI/8cofCl74AOVqq9W5kNmguTIzJ/1s2gyI9wA==
- dependencies:
- define-properties "^1.1.3"
-
-globby@^11.1.0:
- version "11.1.0"
- resolved "https://registry.yarnpkg.com/globby/-/globby-11.1.0.tgz#bd4be98bb042f83d796f7e3811991fbe82a0d34b"
- integrity sha512-jhIXaOzy1sb8IyocaruWSn1TjmnBVs8Ayhcy83rmxNJ8q2uWKCAj3CnJY+KpGSXCueAPc0i05kVvVKtP1t9S3g==
- dependencies:
- array-union "^2.1.0"
- dir-glob "^3.0.1"
- fast-glob "^3.2.9"
- ignore "^5.2.0"
- merge2 "^1.4.1"
- slash "^3.0.0"
-
-gopd@^1.0.1:
- version "1.0.1"
- resolved "https://registry.yarnpkg.com/gopd/-/gopd-1.0.1.tgz#29ff76de69dac7489b7c0918a5788e56477c332c"
- integrity sha512-d65bNlIadxvpb/A2abVdlqKqV563juRnZ1Wtk6s1sIR8uNsXR70xqIzVqxVf1eTqDunwT2MkczEeaezCKTZhwA==
- dependencies:
- get-intrinsic "^1.1.3"
-
-graceful-fs@^4.1.2:
- version "4.2.11"
- resolved "https://registry.yarnpkg.com/graceful-fs/-/graceful-fs-4.2.11.tgz#4183e4e8bf08bb6e05bbb2f7d2e0c8f712ca40e3"
- integrity sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ==
-
-grapheme-splitter@^1.0.4:
- version "1.0.4"
- resolved "https://registry.yarnpkg.com/grapheme-splitter/-/grapheme-splitter-1.0.4.tgz#9cf3a665c6247479896834af35cf1dbb4400767e"
- integrity sha512-bzh50DW9kTPM00T8y4o8vQg89Di9oLJVLW/KaOGIXJWP/iqCN6WKYkbNOF04vFLJhwcpYUh9ydh/+5vpOqV4YQ==
-
-graphemer@^1.4.0:
- version "1.4.0"
- resolved "https://registry.yarnpkg.com/graphemer/-/graphemer-1.4.0.tgz#fb2f1d55e0e3a1849aeffc90c4fa0dd53a0e66c6"
- integrity sha512-EtKwoO6kxCL9WO5xipiHTZlSzBm7WLT627TqC/uVRd0HKmq8NXyebnNYxDoBi7wt8eTWrUrKXCOVaFq9x1kgag==
-
-has-bigints@^1.0.1, has-bigints@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/has-bigints/-/has-bigints-1.0.2.tgz#0871bd3e3d51626f6ca0966668ba35d5602d6eaa"
- integrity sha512-tSvCKtBr9lkF0Ex0aQiP9N+OpV4zi2r/Nee5VkRDbaqv35RLYMzbwQfFSZZH0kR+Rd6302UJZ2p/bJCEoR3VoQ==
-
-has-flag@^4.0.0:
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-4.0.0.tgz#944771fd9c81c81265c4d6941860da06bb59479b"
- integrity sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==
-
-has-property-descriptors@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/has-property-descriptors/-/has-property-descriptors-1.0.0.tgz#610708600606d36961ed04c196193b6a607fa861"
- integrity sha512-62DVLZGoiEBDHQyqG4w9xCuZ7eJEwNmJRWw2VY84Oedb7WFcA27fiEVe8oUQx9hAUJ4ekurquucTGwsyO1XGdQ==
- dependencies:
- get-intrinsic "^1.1.1"
-
-has-proto@^1.0.1:
- version "1.0.1"
- resolved "https://registry.yarnpkg.com/has-proto/-/has-proto-1.0.1.tgz#1885c1305538958aff469fef37937c22795408e0"
- integrity sha512-7qE+iP+O+bgF9clE5+UoBFzE65mlBiVj3tKCrlNQ0Ogwm0BjpT/gK4SlLYDMybDh5I3TCTKnPPa0oMG7JDYrhg==
-
-has-symbols@^1.0.2, has-symbols@^1.0.3:
- version "1.0.3"
- resolved "https://registry.yarnpkg.com/has-symbols/-/has-symbols-1.0.3.tgz#bb7b2c4349251dce87b125f7bdf874aa7c8b39f8"
- integrity sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==
-
-has-tostringtag@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/has-tostringtag/-/has-tostringtag-1.0.0.tgz#7e133818a7d394734f941e73c3d3f9291e658b25"
- integrity sha512-kFjcSNhnlGV1kyoGk7OXKSawH5JOb/LzUc5w9B02hOTO0dfFRjbHQKvg1d6cf3HbeUmtU9VbbV3qzZ2Teh97WQ==
- dependencies:
- has-symbols "^1.0.2"
-
-has@^1.0.3:
- version "1.0.3"
- resolved "https://registry.yarnpkg.com/has/-/has-1.0.3.tgz#722d7cbfc1f6aa8241f16dd814e011e1f41e8796"
- integrity sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==
- dependencies:
- function-bind "^1.1.1"
-
-ignore@^5.2.0:
- version "5.2.4"
- resolved "https://registry.yarnpkg.com/ignore/-/ignore-5.2.4.tgz#a291c0c6178ff1b960befe47fcdec301674a6324"
- integrity sha512-MAb38BcSbH0eHNBxn7ql2NH/kX33OkB3lZ1BNdh7ENeRChHTYsTvWrMubiIAMNS2llXEEgZ1MUOBtXChP3kaFQ==
-
-immer@^9.0.6:
- version "9.0.21"
- resolved "https://registry.yarnpkg.com/immer/-/immer-9.0.21.tgz#1e025ea31a40f24fb064f1fef23e931496330176"
- integrity sha512-bc4NBHqOqSfRW7POMkHd51LvClaeMXpm8dx0e8oE2GORbq5aRK7Bxl4FyzVLdGtLmvLKL7BTDBG5ACQm4HWjTA==
-
-import-fresh@^3.0.0, import-fresh@^3.2.1:
- version "3.3.0"
- resolved "https://registry.yarnpkg.com/import-fresh/-/import-fresh-3.3.0.tgz#37162c25fcb9ebaa2e6e53d5b4d88ce17d9e0c2b"
- integrity sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==
- dependencies:
- parent-module "^1.0.0"
- resolve-from "^4.0.0"
-
-imurmurhash@^0.1.4:
- version "0.1.4"
- resolved "https://registry.yarnpkg.com/imurmurhash/-/imurmurhash-0.1.4.tgz#9218b9b2b928a238b13dc4fb6b6d576f231453ea"
- integrity sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==
-
-inflight@^1.0.4:
- version "1.0.6"
- resolved "https://registry.yarnpkg.com/inflight/-/inflight-1.0.6.tgz#49bd6331d7d02d0c09bc910a1075ba8165b56df9"
- integrity sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==
- dependencies:
- once "^1.3.0"
- wrappy "1"
-
-inherits@2:
- version "2.0.4"
- resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.4.tgz#0fa2c64f932917c3433a0ded55363aae37416b7c"
- integrity sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==
-
-internal-slot@^1.0.5:
- version "1.0.5"
- resolved "https://registry.yarnpkg.com/internal-slot/-/internal-slot-1.0.5.tgz#f2a2ee21f668f8627a4667f309dc0f4fb6674986"
- integrity sha512-Y+R5hJrzs52QCG2laLn4udYVnxsfny9CpOhNhUvk/SSSVyF6T27FzRbF0sroPidSu3X8oEAkOn2K804mjpt6UQ==
- dependencies:
- get-intrinsic "^1.2.0"
- has "^1.0.3"
- side-channel "^1.0.4"
-
-is-array-buffer@^3.0.1, is-array-buffer@^3.0.2:
- version "3.0.2"
- resolved "https://registry.yarnpkg.com/is-array-buffer/-/is-array-buffer-3.0.2.tgz#f2653ced8412081638ecb0ebbd0c41c6e0aecbbe"
- integrity sha512-y+FyyR/w8vfIRq4eQcM1EYgSTnmHXPqaF+IgzgraytCFq5Xh8lllDVmAZolPJiZttZLeFSINPYMaEJ7/vWUa1w==
- dependencies:
- call-bind "^1.0.2"
- get-intrinsic "^1.2.0"
- is-typed-array "^1.1.10"
-
-is-bigint@^1.0.1:
- version "1.0.4"
- resolved "https://registry.yarnpkg.com/is-bigint/-/is-bigint-1.0.4.tgz#08147a1875bc2b32005d41ccd8291dffc6691df3"
- integrity sha512-zB9CruMamjym81i2JZ3UMn54PKGsQzsJeo6xvN3HJJ4CAsQNB6iRutp2To77OfCNuoxspsIhzaPoO1zyCEhFOg==
- dependencies:
- has-bigints "^1.0.1"
-
-is-boolean-object@^1.1.0:
- version "1.1.2"
- resolved "https://registry.yarnpkg.com/is-boolean-object/-/is-boolean-object-1.1.2.tgz#5c6dc200246dd9321ae4b885a114bb1f75f63719"
- integrity sha512-gDYaKHJmnj4aWxyj6YHyXVpdQawtVLHU5cb+eztPGczf6cjuTdwve5ZIEfgXqH4e57An1D1AKf8CZ3kYrQRqYA==
- dependencies:
- call-bind "^1.0.2"
- has-tostringtag "^1.0.0"
-
-is-callable@^1.1.3, is-callable@^1.1.4, is-callable@^1.2.7:
- version "1.2.7"
- resolved "https://registry.yarnpkg.com/is-callable/-/is-callable-1.2.7.tgz#3bc2a85ea742d9e36205dcacdd72ca1fdc51b055"
- integrity sha512-1BC0BVFhS/p0qtw6enp8e+8OD0UrK0oFLztSjNzhcKA3WDuJxxAPXzPuPtKkjEY9UUoEWlX/8fgKeu2S8i9JTA==
-
-is-core-module@^2.11.0, is-core-module@^2.8.0:
- version "2.12.1"
- resolved "https://registry.yarnpkg.com/is-core-module/-/is-core-module-2.12.1.tgz#0c0b6885b6f80011c71541ce15c8d66cf5a4f9fd"
- integrity sha512-Q4ZuBAe2FUsKtyQJoQHlvP8OvBERxO3jEmy1I7hcRXcJBGGHFh/aJBswbXuS9sgrDH2QUO8ilkwNPHvHMd8clg==
- dependencies:
- has "^1.0.3"
-
-is-date-object@^1.0.1:
- version "1.0.5"
- resolved "https://registry.yarnpkg.com/is-date-object/-/is-date-object-1.0.5.tgz#0841d5536e724c25597bf6ea62e1bd38298df31f"
- integrity sha512-9YQaSxsAiSwcvS33MBk3wTCVnWK+HhF8VZR2jRxehM16QcVOdHqPn4VPHmRK4lSr38n9JriurInLcP90xsYNfQ==
- dependencies:
- has-tostringtag "^1.0.0"
-
-is-extglob@^2.1.1:
- version "2.1.1"
- resolved "https://registry.yarnpkg.com/is-extglob/-/is-extglob-2.1.1.tgz#a88c02535791f02ed37c76a1b9ea9773c833f8c2"
- integrity sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==
-
-is-glob@^4.0.0, is-glob@^4.0.1, is-glob@^4.0.3:
- version "4.0.3"
- resolved "https://registry.yarnpkg.com/is-glob/-/is-glob-4.0.3.tgz#64f61e42cbbb2eec2071a9dac0b28ba1e65d5084"
- integrity sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==
- dependencies:
- is-extglob "^2.1.1"
-
-is-negative-zero@^2.0.2:
- version "2.0.2"
- resolved "https://registry.yarnpkg.com/is-negative-zero/-/is-negative-zero-2.0.2.tgz#7bf6f03a28003b8b3965de3ac26f664d765f3150"
- integrity sha512-dqJvarLawXsFbNDeJW7zAz8ItJ9cd28YufuuFzh0G8pNHjJMnY08Dv7sYX2uF5UpQOwieAeOExEYAWWfu7ZZUA==
-
-is-number-object@^1.0.4:
- version "1.0.7"
- resolved "https://registry.yarnpkg.com/is-number-object/-/is-number-object-1.0.7.tgz#59d50ada4c45251784e9904f5246c742f07a42fc"
- integrity sha512-k1U0IRzLMo7ZlYIfzRu23Oh6MiIFasgpb9X76eqfFZAqwH44UI4KTBvBYIZ1dSL9ZzChTB9ShHfLkR4pdW5krQ==
- dependencies:
- has-tostringtag "^1.0.0"
-
-is-number@^7.0.0:
- version "7.0.0"
- resolved "https://registry.yarnpkg.com/is-number/-/is-number-7.0.0.tgz#7535345b896734d5f80c4d06c50955527a14f12b"
- integrity sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==
-
-is-plain-object@^5.0.0:
- version "5.0.0"
- resolved "https://registry.yarnpkg.com/is-plain-object/-/is-plain-object-5.0.0.tgz#4427f50ab3429e9025ea7d52e9043a9ef4159344"
- integrity sha512-VRSzKkbMm5jMDoKLbltAkFQ5Qr7VDiTFGXxYFXXowVj387GeGNOCsOH6Msy00SGZ3Fp84b1Naa1psqgcCIEP5Q==
-
-is-regex@^1.1.4:
- version "1.1.4"
- resolved "https://registry.yarnpkg.com/is-regex/-/is-regex-1.1.4.tgz#eef5663cd59fa4c0ae339505323df6854bb15958"
- integrity sha512-kvRdxDsxZjhzUX07ZnLydzS1TU/TJlTUHHY4YLL87e37oUA49DfkLqgy+VjFocowy29cKvcSiu+kIv728jTTVg==
- dependencies:
- call-bind "^1.0.2"
- has-tostringtag "^1.0.0"
-
-is-shared-array-buffer@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/is-shared-array-buffer/-/is-shared-array-buffer-1.0.2.tgz#8f259c573b60b6a32d4058a1a07430c0a7344c79"
- integrity sha512-sqN2UDu1/0y6uvXyStCOzyhAjCSlHceFoMKJW8W9EU9cvic/QdsZ0kEU93HEy3IUEFZIiH/3w+AH/UQbPHNdhA==
- dependencies:
- call-bind "^1.0.2"
-
-is-string@^1.0.5, is-string@^1.0.7:
- version "1.0.7"
- resolved "https://registry.yarnpkg.com/is-string/-/is-string-1.0.7.tgz#0dd12bf2006f255bb58f695110eff7491eebc0fd"
- integrity sha512-tE2UXzivje6ofPW7l23cjDOMa09gb7xlAqG6jG5ej6uPV32TlWP3NKPigtaGeHNu9fohccRYvIiZMfOOnOYUtg==
- dependencies:
- has-tostringtag "^1.0.0"
-
-is-symbol@^1.0.2, is-symbol@^1.0.3:
- version "1.0.4"
- resolved "https://registry.yarnpkg.com/is-symbol/-/is-symbol-1.0.4.tgz#a6dac93b635b063ca6872236de88910a57af139c"
- integrity sha512-C/CPBqKWnvdcxqIARxyOh4v1UUEOCHpgDa0WYgpKDFMszcrPcffg5uhwSgPCLD2WWxmq6isisz87tzT01tuGhg==
- dependencies:
- has-symbols "^1.0.2"
-
-is-typed-array@^1.1.10, is-typed-array@^1.1.9:
- version "1.1.10"
- resolved "https://registry.yarnpkg.com/is-typed-array/-/is-typed-array-1.1.10.tgz#36a5b5cb4189b575d1a3e4b08536bfb485801e3f"
- integrity sha512-PJqgEHiWZvMpaFZ3uTc8kHPM4+4ADTlDniuQL7cU/UDA0Ql7F70yGfHph3cLNe+c9toaigv+DFzTJKhc2CtO6A==
- dependencies:
- available-typed-arrays "^1.0.5"
- call-bind "^1.0.2"
- for-each "^0.3.3"
- gopd "^1.0.1"
- has-tostringtag "^1.0.0"
-
-is-weakref@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/is-weakref/-/is-weakref-1.0.2.tgz#9529f383a9338205e89765e0392efc2f100f06f2"
- integrity sha512-qctsuLZmIQ0+vSSMfoVvyFe2+GSEvnmZ2ezTup1SBse9+twCCeial6EEi3Nc2KFcf6+qz2FBPnjXsk8xhKSaPQ==
- dependencies:
- call-bind "^1.0.2"
-
-isexe@^2.0.0:
- version "2.0.0"
- resolved "https://registry.yarnpkg.com/isexe/-/isexe-2.0.0.tgz#e8fbf374dc556ff8947a10dcb0572d633f2cfa10"
- integrity sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==
-
-js-sdsl@^4.1.4:
- version "4.4.1"
- resolved "https://registry.yarnpkg.com/js-sdsl/-/js-sdsl-4.4.1.tgz#9e3c7b566d8d9a7e1fe8fc26d00b5ab0f8918ab3"
- integrity sha512-6Gsx8R0RucyePbWqPssR8DyfuXmLBooYN5cZFZKjHGnQuaf7pEzhtpceagJxVu4LqhYY5EYA7nko3FmeHZ1KbA==
-
-"js-tokens@^3.0.0 || ^4.0.0":
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/js-tokens/-/js-tokens-4.0.0.tgz#19203fb59991df98e3a287050d4647cdeaf32499"
- integrity sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==
-
-js-yaml@^4.1.0:
- version "4.1.0"
- resolved "https://registry.yarnpkg.com/js-yaml/-/js-yaml-4.1.0.tgz#c1fb65f8f5017901cdd2c951864ba18458a10602"
- integrity sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==
- dependencies:
- argparse "^2.0.1"
-
-json-schema-traverse@^0.4.1:
- version "0.4.1"
- resolved "https://registry.yarnpkg.com/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz#69f6a87d9513ab8bb8fe63bdb0979c448e684660"
- integrity sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==
-
-json-stable-stringify-without-jsonify@^1.0.1:
- version "1.0.1"
- resolved "https://registry.yarnpkg.com/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz#9db7b59496ad3f3cfef30a75142d2d930ad72651"
- integrity sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==
-
-json5@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/json5/-/json5-1.0.2.tgz#63d98d60f21b313b77c4d6da18bfa69d80e1d593"
- integrity sha512-g1MWMLBiz8FKi1e4w0UyVL3w+iJceWAFBAaBnnGKOpNa5f8TLktkbre1+s6oICydWAm+HRUGTmI+//xv2hvXYA==
- dependencies:
- minimist "^1.2.0"
-
-levn@^0.4.1:
- version "0.4.1"
- resolved "https://registry.yarnpkg.com/levn/-/levn-0.4.1.tgz#ae4562c007473b932a6200d403268dd2fffc6ade"
- integrity sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==
- dependencies:
- prelude-ls "^1.2.1"
- type-check "~0.4.0"
-
-locate-path@^6.0.0:
- version "6.0.0"
- resolved "https://registry.yarnpkg.com/locate-path/-/locate-path-6.0.0.tgz#55321eb309febbc59c4801d931a72452a681d286"
- integrity sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==
- dependencies:
- p-locate "^5.0.0"
-
[email protected]:
- version "4.3.0"
- resolved "https://registry.yarnpkg.com/lodash.camelcase/-/lodash.camelcase-4.3.0.tgz#b28aa6288a2b9fc651035c7711f65ab6190331a6"
- integrity sha512-TwuEnCnxbc3rAvhf/LbG7tJUDzhqXyFnv3dtzLOPgCG/hODL7WFnsbwktkD7yUV0RrreP/l1PALq/YSg6VvjlA==
-
[email protected]:
- version "4.1.1"
- resolved "https://registry.yarnpkg.com/lodash.kebabcase/-/lodash.kebabcase-4.1.1.tgz#8489b1cb0d29ff88195cceca448ff6d6cc295c36"
- integrity sha512-N8XRTIMMqqDgSy4VLKPnJ/+hpGZN+PHQiJnSenYqPaVV/NCqEogTnAdZLQiGKhxX+JCs8waWq2t1XHWKOmlY8g==
-
-lodash.merge@^4.6.2:
- version "4.6.2"
- resolved "https://registry.yarnpkg.com/lodash.merge/-/lodash.merge-4.6.2.tgz#558aa53b43b661e1925a0afdfa36a9a1085fe57a"
- integrity sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==
-
[email protected]:
- version "4.1.1"
- resolved "https://registry.yarnpkg.com/lodash.snakecase/-/lodash.snakecase-4.1.1.tgz#39d714a35357147837aefd64b5dcbb16becd8f8d"
- integrity sha512-QZ1d4xoBHYUeuouhEq3lk3Uq7ldgyFXGBhg04+oRLnIz8o9T65Eh+8YdroUwn846zchkA9yDsDl5CVVaV2nqYw==
-
[email protected]:
- version "4.3.1"
- resolved "https://registry.yarnpkg.com/lodash.upperfirst/-/lodash.upperfirst-4.3.1.tgz#1365edf431480481ef0d1c68957a5ed99d49f7ce"
- integrity sha512-sReKOYJIJf74dhJONhU4e0/shzi1trVbSWDOhKYE5XV2O+H7Sb2Dihwuc7xWxVl+DgFPyTqIN3zMfT9cq5iWDg==
-
-loose-envify@^1.1.0:
- version "1.4.0"
- resolved "https://registry.yarnpkg.com/loose-envify/-/loose-envify-1.4.0.tgz#71ee51fa7be4caec1a63839f7e682d8132d30caf"
- integrity sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q==
- dependencies:
- js-tokens "^3.0.0 || ^4.0.0"
-
-lru-cache@^6.0.0:
- version "6.0.0"
- resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-6.0.0.tgz#6d6fe6570ebd96aaf90fcad1dafa3b2566db3a94"
- integrity sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==
- dependencies:
- yallist "^4.0.0"
-
-merge2@^1.3.0, merge2@^1.4.1:
- version "1.4.1"
- resolved "https://registry.yarnpkg.com/merge2/-/merge2-1.4.1.tgz#4368892f885e907455a6fd7dc55c0c9d404990ae"
- integrity sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==
-
-micromatch@^4.0.4:
- version "4.0.5"
- resolved "https://registry.yarnpkg.com/micromatch/-/micromatch-4.0.5.tgz#bc8999a7cbbf77cdc89f132f6e467051b49090c6"
- integrity sha512-DMy+ERcEW2q8Z2Po+WNXuw3c5YaUSFjAO5GsJqfEl7UjvtIuFKO6ZrKvcItdy98dwFI2N1tg3zNIdKaQT+aNdA==
- dependencies:
- braces "^3.0.2"
- picomatch "^2.3.1"
-
-minimatch@^3.0.4, minimatch@^3.1.1, minimatch@^3.1.2:
- version "3.1.2"
- resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.1.2.tgz#19cd194bfd3e428f049a70817c038d89ab4be35b"
- integrity sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==
- dependencies:
- brace-expansion "^1.1.7"
-
-minimist@^1.2.0, minimist@^1.2.6:
- version "1.2.8"
- resolved "https://registry.yarnpkg.com/minimist/-/minimist-1.2.8.tgz#c1a464e7693302e082a075cee0c057741ac4772c"
- integrity sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==
-
[email protected]:
- version "2.0.0"
- resolved "https://registry.yarnpkg.com/ms/-/ms-2.0.0.tgz#5608aeadfc00be6c2901df5f9861788de0d597c8"
- integrity sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==
-
[email protected]:
- version "2.1.2"
- resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.2.tgz#d09d1f357b443f493382a8eb3ccd183872ae6009"
- integrity sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==
-
-ms@^2.1.1:
- version "2.1.3"
- resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.3.tgz#574c8138ce1d2b5861f0b44579dbadd60c6615b2"
- integrity sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==
-
-nanoid@^3.3.4:
- version "3.3.6"
- resolved "https://registry.yarnpkg.com/nanoid/-/nanoid-3.3.6.tgz#443380c856d6e9f9824267d960b4236ad583ea4c"
- integrity sha512-BGcqMMJuToF7i1rt+2PWSNVnWIkGCU78jBG3RxO/bZlnZPK2Cmi2QaffxGO/2RvWi9sL+FAiRiXMgsyxQ1DIDA==
-
-natural-compare-lite@^1.4.0:
- version "1.4.0"
- resolved "https://registry.yarnpkg.com/natural-compare-lite/-/natural-compare-lite-1.4.0.tgz#17b09581988979fddafe0201e931ba933c96cbb4"
- integrity sha512-Tj+HTDSJJKaZnfiuw+iaF9skdPpTo2GtEly5JHnWV/hfv2Qj/9RKsGISQtLh2ox3l5EAGw487hnBee0sIJ6v2g==
-
-natural-compare@^1.4.0:
- version "1.4.0"
- resolved "https://registry.yarnpkg.com/natural-compare/-/natural-compare-1.4.0.tgz#4abebfeed7541f2c27acfb29bdbbd15c8d5ba4f7"
- integrity sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==
-
-next@^13.4.8:
- version "13.4.8"
- resolved "https://registry.yarnpkg.com/next/-/next-13.4.8.tgz#72245bf4fdf328970147ee30de97142c39b1cb3f"
- integrity sha512-lxUjndYKjZHGK3CWeN2RI+/6ni6EUvjiqGWXAYPxUfGIdFGQ5XoisrqAJ/dF74aP27buAfs8MKIbIMMdxjqSBg==
- dependencies:
- "@next/env" "13.4.8"
- "@swc/helpers" "0.5.1"
- busboy "1.6.0"
- caniuse-lite "^1.0.30001406"
- postcss "8.4.14"
- styled-jsx "5.1.1"
- watchpack "2.4.0"
- zod "3.21.4"
- optionalDependencies:
- "@next/swc-darwin-arm64" "13.4.8"
- "@next/swc-darwin-x64" "13.4.8"
- "@next/swc-linux-arm64-gnu" "13.4.8"
- "@next/swc-linux-arm64-musl" "13.4.8"
- "@next/swc-linux-x64-gnu" "13.4.8"
- "@next/swc-linux-x64-musl" "13.4.8"
- "@next/swc-win32-arm64-msvc" "13.4.8"
- "@next/swc-win32-ia32-msvc" "13.4.8"
- "@next/swc-win32-x64-msvc" "13.4.8"
-
-object-inspect@^1.12.3, object-inspect@^1.9.0:
- version "1.12.3"
- resolved "https://registry.yarnpkg.com/object-inspect/-/object-inspect-1.12.3.tgz#ba62dffd67ee256c8c086dfae69e016cd1f198b9"
- integrity sha512-geUvdk7c+eizMNUDkRpW1wJwgfOiOeHbxBR/hLXK1aT6zmVSO0jsQcs7fj6MGw89jC/cjGfLcNOrtMYtGqm81g==
-
-object-keys@^1.1.1:
- version "1.1.1"
- resolved "https://registry.yarnpkg.com/object-keys/-/object-keys-1.1.1.tgz#1c47f272df277f3b1daf061677d9c82e2322c60e"
- integrity sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==
-
-object.assign@^4.1.4:
- version "4.1.4"
- resolved "https://registry.yarnpkg.com/object.assign/-/object.assign-4.1.4.tgz#9673c7c7c351ab8c4d0b516f4343ebf4dfb7799f"
- integrity sha512-1mxKf0e58bvyjSCtKYY4sRe9itRk3PJpquJOjeIkz885CczcI4IvJJDLPS72oowuSh+pBxUFROpX+TU++hxhZQ==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- has-symbols "^1.0.3"
- object-keys "^1.1.1"
-
-object.values@^1.1.5:
- version "1.1.6"
- resolved "https://registry.yarnpkg.com/object.values/-/object.values-1.1.6.tgz#4abbaa71eba47d63589d402856f908243eea9b1d"
- integrity sha512-FVVTkD1vENCsAcwNs9k6jea2uHC/X0+JcjG8YA60FN5CMaJmG95wT9jek/xX9nornqGRrBkKtzuAu2wuHpKqvw==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
-
-once@^1.3.0:
- version "1.4.0"
- resolved "https://registry.yarnpkg.com/once/-/once-1.4.0.tgz#583b1aa775961d4b113ac17d9c50baef9dd76bd1"
- integrity sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==
- dependencies:
- wrappy "1"
-
-optionator@^0.9.1:
- version "0.9.3"
- resolved "https://registry.yarnpkg.com/optionator/-/optionator-0.9.3.tgz#007397d44ed1872fdc6ed31360190f81814e2c64"
- integrity sha512-JjCoypp+jKn1ttEFExxhetCKeJt9zhAgAve5FXHixTvFDW/5aEktX9bufBKLRRMdU7bNtpLfcGu94B3cdEJgjg==
- dependencies:
- "@aashutoshrathi/word-wrap" "^1.2.3"
- deep-is "^0.1.3"
- fast-levenshtein "^2.0.6"
- levn "^0.4.1"
- prelude-ls "^1.2.1"
- type-check "^0.4.0"
-
-p-limit@^3.0.2:
- version "3.1.0"
- resolved "https://registry.yarnpkg.com/p-limit/-/p-limit-3.1.0.tgz#e1daccbe78d0d1388ca18c64fea38e3e57e3706b"
- integrity sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==
- dependencies:
- yocto-queue "^0.1.0"
-
-p-locate@^5.0.0:
- version "5.0.0"
- resolved "https://registry.yarnpkg.com/p-locate/-/p-locate-5.0.0.tgz#83c8315c6785005e3bd021839411c9e110e6d834"
- integrity sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==
- dependencies:
- p-limit "^3.0.2"
-
-parent-module@^1.0.0:
- version "1.0.1"
- resolved "https://registry.yarnpkg.com/parent-module/-/parent-module-1.0.1.tgz#691d2709e78c79fae3a156622452d00762caaaa2"
- integrity sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==
- dependencies:
- callsites "^3.0.0"
-
-path-exists@^4.0.0:
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/path-exists/-/path-exists-4.0.0.tgz#513bdbe2d3b95d7762e8c1137efa195c6c61b5b3"
- integrity sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==
-
-path-is-absolute@^1.0.0:
- version "1.0.1"
- resolved "https://registry.yarnpkg.com/path-is-absolute/-/path-is-absolute-1.0.1.tgz#174b9268735534ffbc7ace6bf53a5a9e1b5c5f5f"
- integrity sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==
-
-path-key@^3.1.0:
- version "3.1.1"
- resolved "https://registry.yarnpkg.com/path-key/-/path-key-3.1.1.tgz#581f6ade658cbba65a0d3380de7753295054f375"
- integrity sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==
-
-path-parse@^1.0.7:
- version "1.0.7"
- resolved "https://registry.yarnpkg.com/path-parse/-/path-parse-1.0.7.tgz#fbc114b60ca42b30d9daf5858e4bd68bbedb6735"
- integrity sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==
-
-path-type@^4.0.0:
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/path-type/-/path-type-4.0.0.tgz#84ed01c0a7ba380afe09d90a8c180dcd9d03043b"
- integrity sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==
-
-picocolors@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/picocolors/-/picocolors-1.0.0.tgz#cb5bdc74ff3f51892236eaf79d68bc44564ab81c"
- integrity sha512-1fygroTLlHu66zi26VoTDv8yRgm0Fccecssto+MhsZ0D/DGW2sm8E8AjW7NU5VVTRt5GxbeZ5qBuJr+HyLYkjQ==
-
-picomatch@^2.3.1:
- version "2.3.1"
- resolved "https://registry.yarnpkg.com/picomatch/-/picomatch-2.3.1.tgz#3ba3833733646d9d3e4995946c1365a67fb07a42"
- integrity sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==
-
[email protected]:
- version "8.4.14"
- resolved "https://registry.yarnpkg.com/postcss/-/postcss-8.4.14.tgz#ee9274d5622b4858c1007a74d76e42e56fd21caf"
- integrity sha512-E398TUmfAYFPBSdzgeieK2Y1+1cpdxJx8yXbK/m57nRhKSmk1GB2tO4lbLBtlkfPQTDKfe4Xqv1ASWPpayPEig==
- dependencies:
- nanoid "^3.3.4"
- picocolors "^1.0.0"
- source-map-js "^1.0.2"
-
-prelude-ls@^1.2.1:
- version "1.2.1"
- resolved "https://registry.yarnpkg.com/prelude-ls/-/prelude-ls-1.2.1.tgz#debc6489d7a6e6b0e7611888cec880337d316396"
- integrity sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==
-
-prettier-linter-helpers@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/prettier-linter-helpers/-/prettier-linter-helpers-1.0.0.tgz#d23d41fe1375646de2d0104d3454a3008802cf7b"
- integrity sha512-GbK2cP9nraSSUF9N2XwUwqfzlAFlMNYYl+ShE/V+H8a9uNl/oUqB1w2EL54Jh0OlyRSd8RfWYJ3coVS4TROP2w==
- dependencies:
- fast-diff "^1.1.2"
-
-prettier@^2.7.1:
- version "2.8.8"
- resolved "https://registry.yarnpkg.com/prettier/-/prettier-2.8.8.tgz#e8c5d7e98a4305ffe3de2e1fc4aca1a71c28b1da"
- integrity sha512-tdN8qQGvNjw4CHbY+XXk0JgCXn9QiF21a55rBe5LJAU+kDyC4WQn4+awm2Xfk2lQMk5fKup9XgzTZtGkjBdP9Q==
-
-punycode@^2.1.0:
- version "2.3.0"
- resolved "https://registry.yarnpkg.com/punycode/-/punycode-2.3.0.tgz#f67fa67c94da8f4d0cfff981aee4118064199b8f"
- integrity sha512-rRV+zQD8tVFys26lAGR9WUuS4iUAngJScM+ZRSKtvl5tKeZ2t5bvdNFdNHBW9FWR4guGHlgmsZ1G7BSm2wTbuA==
-
-queue-microtask@^1.2.2:
- version "1.2.3"
- resolved "https://registry.yarnpkg.com/queue-microtask/-/queue-microtask-1.2.3.tgz#4929228bbc724dfac43e0efb058caf7b6cfb6243"
- integrity sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==
-
[email protected]:
- version "18.2.0"
- resolved "https://registry.yarnpkg.com/react-dom/-/react-dom-18.2.0.tgz#22aaf38708db2674ed9ada224ca4aa708d821e3d"
- integrity sha512-6IMTriUmvsjHUjNtEDudZfuDQUoWXVxKHhlEGSk81n4YFS+r/Kl99wXiwlVXtPBtJenozv2P+hxDsw9eA7Xo6g==
- dependencies:
- loose-envify "^1.1.0"
- scheduler "^0.23.0"
-
-react-hook-form@^7.34.2:
- version "7.45.1"
- resolved "https://registry.yarnpkg.com/react-hook-form/-/react-hook-form-7.45.1.tgz#e352c7f4dbc7540f0756abbb4dcfd1122fecc9bb"
- integrity sha512-6dWoFJwycbuFfw/iKMcl+RdAOAOHDiF11KWYhNDRN/OkUt+Di5qsZHwA0OwsVnu9y135gkHpTw9DJA+WzCeR9w==
-
[email protected]:
- version "18.2.0"
- resolved "https://registry.yarnpkg.com/react/-/react-18.2.0.tgz#555bd98592883255fa00de14f1151a917b5d77d5"
- integrity sha512-/3IjMdb2L9QbBdWiW5e3P2/npwMBaU9mHCSCUzNln0ZCYbcfTsGbTJrU/kGemdH2IWmB2ioZ+zkxtmq6g09fGQ==
- dependencies:
- loose-envify "^1.1.0"
-
-regexp.prototype.flags@^1.4.3:
- version "1.5.0"
- resolved "https://registry.yarnpkg.com/regexp.prototype.flags/-/regexp.prototype.flags-1.5.0.tgz#fe7ce25e7e4cca8db37b6634c8a2c7009199b9cb"
- integrity sha512-0SutC3pNudRKgquxGoRGIz946MZVHqbNfPjBdxeOhBrdgDKlRoXmYLQN9xRbrR09ZXWeGAdPuif7egofn6v5LA==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.2.0"
- functions-have-names "^1.2.3"
-
-regexpp@^3.2.0:
- version "3.2.0"
- resolved "https://registry.yarnpkg.com/regexpp/-/regexpp-3.2.0.tgz#0425a2768d8f23bad70ca4b90461fa2f1213e1b2"
- integrity sha512-pq2bWo9mVD43nbts2wGv17XLiNLya+GklZ8kaDLV2Z08gDCsGpnKn9BFMepvWuHCbyVvY7J5o5+BVvoQbmlJLg==
-
-resolve-from@^4.0.0:
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/resolve-from/-/resolve-from-4.0.0.tgz#4abcd852ad32dd7baabfe9b40e00a36db5f392e6"
- integrity sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==
-
-resolve@^1.20.0, resolve@^1.22.1:
- version "1.22.2"
- resolved "https://registry.yarnpkg.com/resolve/-/resolve-1.22.2.tgz#0ed0943d4e301867955766c9f3e1ae6d01c6845f"
- integrity sha512-Sb+mjNHOULsBv818T40qSPeRiuWLyaGMa5ewydRLFimneixmVy2zdivRl+AF6jaYPC8ERxGDmFSiqui6SfPd+g==
- dependencies:
- is-core-module "^2.11.0"
- path-parse "^1.0.7"
- supports-preserve-symlinks-flag "^1.0.0"
-
-reusify@^1.0.4:
- version "1.0.4"
- resolved "https://registry.yarnpkg.com/reusify/-/reusify-1.0.4.tgz#90da382b1e126efc02146e90845a88db12925d76"
- integrity sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==
-
-rimraf@^3.0.2:
- version "3.0.2"
- resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-3.0.2.tgz#f1a5402ba6220ad52cc1282bac1ae3aa49fd061a"
- integrity sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==
- dependencies:
- glob "^7.1.3"
-
-run-parallel@^1.1.9:
- version "1.2.0"
- resolved "https://registry.yarnpkg.com/run-parallel/-/run-parallel-1.2.0.tgz#66d1368da7bdf921eb9d95bd1a9229e7f21a43ee"
- integrity sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==
- dependencies:
- queue-microtask "^1.2.2"
-
-safe-regex-test@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/safe-regex-test/-/safe-regex-test-1.0.0.tgz#793b874d524eb3640d1873aad03596db2d4f2295"
- integrity sha512-JBUUzyOgEwXQY1NuPtvcj/qcBDbDmEvWufhlnXZIm75DEHp+afM1r1ujJpJsV/gSM4t59tpDyPi1sd6ZaPFfsA==
- dependencies:
- call-bind "^1.0.2"
- get-intrinsic "^1.1.3"
- is-regex "^1.1.4"
-
-scheduler@^0.23.0:
- version "0.23.0"
- resolved "https://registry.yarnpkg.com/scheduler/-/scheduler-0.23.0.tgz#ba8041afc3d30eb206a487b6b384002e4e61fdfe"
- integrity sha512-CtuThmgHNg7zIZWAXi3AsyIzA3n4xx7aNyjwC2VJldO2LMVDhFK+63xGqq6CsJH4rTAt6/M+N4GhZiDYPx9eUw==
- dependencies:
- loose-envify "^1.1.0"
-
-semver@^7.3.7:
- version "7.5.3"
- resolved "https://registry.yarnpkg.com/semver/-/semver-7.5.3.tgz#161ce8c2c6b4b3bdca6caadc9fa3317a4c4fe88e"
- integrity sha512-QBlUtyVk/5EeHbi7X0fw6liDZc7BBmEaSYn01fMU1OUYbf6GPsbTtd8WmnqbI20SeycoHSeiybkE/q1Q+qlThQ==
- dependencies:
- lru-cache "^6.0.0"
-
-shebang-command@^2.0.0:
- version "2.0.0"
- resolved "https://registry.yarnpkg.com/shebang-command/-/shebang-command-2.0.0.tgz#ccd0af4f8835fbdc265b82461aaf0c36663f34ea"
- integrity sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==
- dependencies:
- shebang-regex "^3.0.0"
-
-shebang-regex@^3.0.0:
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/shebang-regex/-/shebang-regex-3.0.0.tgz#ae16f1644d873ecad843b0307b143362d4c42172"
- integrity sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==
-
-side-channel@^1.0.4:
- version "1.0.4"
- resolved "https://registry.yarnpkg.com/side-channel/-/side-channel-1.0.4.tgz#efce5c8fdc104ee751b25c58d4290011fa5ea2cf"
- integrity sha512-q5XPytqFEIKHkGdiMIrY10mvLRvnQh42/+GoBlFW3b2LXLE2xxJpZFdm94we0BaoV3RwJyGqg5wS7epxTv0Zvw==
- dependencies:
- call-bind "^1.0.0"
- get-intrinsic "^1.0.2"
- object-inspect "^1.9.0"
-
-slash@^3.0.0:
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/slash/-/slash-3.0.0.tgz#6539be870c165adbd5240220dbe361f1bc4d4634"
- integrity sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==
-
-slate@^0.82.0:
- version "0.82.1"
- resolved "https://registry.yarnpkg.com/slate/-/slate-0.82.1.tgz#cf43cb828c980734dab01c9bbb517fd4d20892f7"
- integrity sha512-3mdRdq7U3jSEoyFrGvbeb28hgrvrr4NdFCtJX+IjaNvSFozY0VZd/CGHF0zf/JDx7aEov864xd5uj0HQxxEWTQ==
- dependencies:
- immer "^9.0.6"
- is-plain-object "^5.0.0"
- tiny-warning "^1.0.3"
-
-source-map-js@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/source-map-js/-/source-map-js-1.0.2.tgz#adbc361d9c62df380125e7f161f71c826f1e490c"
- integrity sha512-R0XvVJ9WusLiqTCEiGCmICCMplcCkIwwR11mOSD9CR5u+IXYdiseeEuXCVAjS54zqwkLcPNnmU4OeJ6tUrWhDw==
-
-streamsearch@^1.1.0:
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/streamsearch/-/streamsearch-1.1.0.tgz#404dd1e2247ca94af554e841a8ef0eaa238da764"
- integrity sha512-Mcc5wHehp9aXz1ax6bZUyY5afg9u2rv5cqQI3mRrYkGC8rW2hM02jWuwjtL++LS5qinSyhj2QfLyNsuc+VsExg==
-
-string.prototype.trim@^1.2.7:
- version "1.2.7"
- resolved "https://registry.yarnpkg.com/string.prototype.trim/-/string.prototype.trim-1.2.7.tgz#a68352740859f6893f14ce3ef1bb3037f7a90533"
- integrity sha512-p6TmeT1T3411M8Cgg9wBTMRtY2q9+PNy9EV1i2lIXUN/btt763oIfxwN3RR8VU6wHX8j/1CFy0L+YuThm6bgOg==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
-
-string.prototype.trimend@^1.0.6:
- version "1.0.6"
- resolved "https://registry.yarnpkg.com/string.prototype.trimend/-/string.prototype.trimend-1.0.6.tgz#c4a27fa026d979d79c04f17397f250a462944533"
- integrity sha512-JySq+4mrPf9EsDBEDYMOb/lM7XQLulwg5R/m1r0PXEFqrV0qHvl58sdTilSXtKOflCsK2E8jxf+GKC0T07RWwQ==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
-
-string.prototype.trimstart@^1.0.6:
- version "1.0.6"
- resolved "https://registry.yarnpkg.com/string.prototype.trimstart/-/string.prototype.trimstart-1.0.6.tgz#e90ab66aa8e4007d92ef591bbf3cd422c56bdcf4"
- integrity sha512-omqjMDaY92pbn5HOX7f9IccLA+U1tA9GvtU4JrodiXFfYB7jPzzHpRzpglLAjtUV6bB557zwClJezTqnAiYnQA==
- dependencies:
- call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
-
-strip-ansi@^6.0.1:
- version "6.0.1"
- resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-6.0.1.tgz#9e26c63d30f53443e9489495b2105d37b67a85d9"
- integrity sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==
- dependencies:
- ansi-regex "^5.0.1"
-
-strip-bom@^3.0.0:
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/strip-bom/-/strip-bom-3.0.0.tgz#2334c18e9c759f7bdd56fdef7e9ae3d588e68ed3"
- integrity sha512-vavAMRXOgBVNF6nyEEmL3DBK19iRpDcoIwW+swQ+CbGiu7lju6t+JklA1MHweoWtadgt4ISVUsXLyDq34ddcwA==
-
-strip-json-comments@^3.1.0, strip-json-comments@^3.1.1:
- version "3.1.1"
- resolved "https://registry.yarnpkg.com/strip-json-comments/-/strip-json-comments-3.1.1.tgz#31f1281b3832630434831c310c01cccda8cbe006"
- integrity sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==
-
[email protected]:
- version "5.1.1"
- resolved "https://registry.yarnpkg.com/styled-jsx/-/styled-jsx-5.1.1.tgz#839a1c3aaacc4e735fed0781b8619ea5d0009d1f"
- integrity sha512-pW7uC1l4mBZ8ugbiZrcIsiIvVx1UmTfw7UkC3Um2tmfUq9Bhk8IiyEIPl6F8agHgjzku6j0xQEZbfA5uSgSaCw==
- dependencies:
- client-only "0.0.1"
-
-supports-color@^7.1.0:
- version "7.2.0"
- resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-7.2.0.tgz#1b7dcdcb32b8138801b3e478ba6a51caa89648da"
- integrity sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==
- dependencies:
- has-flag "^4.0.0"
-
-supports-preserve-symlinks-flag@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/supports-preserve-symlinks-flag/-/supports-preserve-symlinks-flag-1.0.0.tgz#6eda4bd344a3c94aea376d4cc31bc77311039e09"
- integrity sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==
-
-text-table@^0.2.0:
- version "0.2.0"
- resolved "https://registry.yarnpkg.com/text-table/-/text-table-0.2.0.tgz#7f5ee823ae805207c00af2df4a84ec3fcfa570b4"
- integrity sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==
-
-tiny-warning@^1.0.3:
- version "1.0.3"
- resolved "https://registry.yarnpkg.com/tiny-warning/-/tiny-warning-1.0.3.tgz#94a30db453df4c643d0fd566060d60a875d84754"
- integrity sha512-lBN9zLN/oAf68o3zNXYrdCt1kP8WsiGW8Oo2ka41b2IM5JL/S1CTyX1rW0mb/zSuJun0ZUrDxx4sqvYS2FWzPA==
-
-to-regex-range@^5.0.1:
- version "5.0.1"
- resolved "https://registry.yarnpkg.com/to-regex-range/-/to-regex-range-5.0.1.tgz#1648c44aae7c8d988a326018ed72f5b4dd0392e4"
- integrity sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==
- dependencies:
- is-number "^7.0.0"
-
-tsconfig-paths@^3.12.0:
- version "3.14.2"
- resolved "https://registry.yarnpkg.com/tsconfig-paths/-/tsconfig-paths-3.14.2.tgz#6e32f1f79412decd261f92d633a9dc1cfa99f088"
- integrity sha512-o/9iXgCYc5L/JxCHPe3Hvh8Q/2xm5Z+p18PESBU6Ff33695QnCHBEjcytY2q19ua7Mbl/DavtBOLq+oG0RCL+g==
- dependencies:
- "@types/json5" "^0.0.29"
- json5 "^1.0.2"
- minimist "^1.2.6"
- strip-bom "^3.0.0"
-
-tslib@^1.8.1:
- version "1.14.1"
- resolved "https://registry.yarnpkg.com/tslib/-/tslib-1.14.1.tgz#cf2d38bdc34a134bcaf1091c41f6619e2f672d00"
- integrity sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==
-
-tslib@^2.4.0:
- version "2.6.0"
- resolved "https://registry.yarnpkg.com/tslib/-/tslib-2.6.0.tgz#b295854684dbda164e181d259a22cd779dcd7bc3"
- integrity sha512-7At1WUettjcSRHXCyYtTselblcHl9PJFFVKiCAy/bY97+BPZXSQ2wbq0P9s8tK2G7dFQfNnlJnPAiArVBVBsfA==
-
-tsutils@^3.21.0:
- version "3.21.0"
- resolved "https://registry.yarnpkg.com/tsutils/-/tsutils-3.21.0.tgz#b48717d394cea6c1e096983eed58e9d61715b623"
- integrity sha512-mHKK3iUXL+3UF6xL5k0PEhKRUBKPBCv/+RkEOpjRWxxx27KKRBmmA60A9pgOUvMi8GKhRMPEmjBRPzs2W7O1OA==
- dependencies:
- tslib "^1.8.1"
-
-type-check@^0.4.0, type-check@~0.4.0:
- version "0.4.0"
- resolved "https://registry.yarnpkg.com/type-check/-/type-check-0.4.0.tgz#07b8203bfa7056c0657050e3ccd2c37730bab8f1"
- integrity sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==
- dependencies:
- prelude-ls "^1.2.1"
-
-type-fest@^0.20.2:
- version "0.20.2"
- resolved "https://registry.yarnpkg.com/type-fest/-/type-fest-0.20.2.tgz#1bf207f4b28f91583666cb5fbd327887301cd5f4"
- integrity sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==
-
-typed-array-length@^1.0.4:
- version "1.0.4"
- resolved "https://registry.yarnpkg.com/typed-array-length/-/typed-array-length-1.0.4.tgz#89d83785e5c4098bec72e08b319651f0eac9c1bb"
- integrity sha512-KjZypGq+I/H7HI5HlOoGHkWUUGq+Q0TPhQurLbyrVrvnKTBgzLhIJ7j6J/XTQOi0d1RjyZ0wdas8bKs2p0x3Ng==
- dependencies:
- call-bind "^1.0.2"
- for-each "^0.3.3"
- is-typed-array "^1.1.9"
-
[email protected]:
- version "4.8.4"
- resolved "https://registry.yarnpkg.com/typescript/-/typescript-4.8.4.tgz#c464abca159669597be5f96b8943500b238e60e6"
- integrity sha512-QCh+85mCy+h0IGff8r5XWzOVSbBO+KfeYrMQh7NJ58QujwcE22u+NUSmUxqF+un70P9GXKxa2HCNiTTMJknyjQ==
-
-unbox-primitive@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/unbox-primitive/-/unbox-primitive-1.0.2.tgz#29032021057d5e6cdbd08c5129c226dff8ed6f9e"
- integrity sha512-61pPlCD9h51VoreyJ0BReideM3MDKMKnh6+V9L08331ipq6Q8OFXZYiqP6n/tbHx4s5I9uRhcye6BrbkizkBDw==
- dependencies:
- call-bind "^1.0.2"
- has-bigints "^1.0.2"
- has-symbols "^1.0.3"
- which-boxed-primitive "^1.0.2"
-
-uri-js@^4.2.2:
- version "4.4.1"
- resolved "https://registry.yarnpkg.com/uri-js/-/uri-js-4.4.1.tgz#9b1a52595225859e55f669d928f88c6c57f2a77e"
- integrity sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==
- dependencies:
- punycode "^2.1.0"
-
[email protected]:
- version "2.4.0"
- resolved "https://registry.yarnpkg.com/watchpack/-/watchpack-2.4.0.tgz#fa33032374962c78113f93c7f2fb4c54c9862a5d"
- integrity sha512-Lcvm7MGST/4fup+ifyKi2hjyIAwcdI4HRgtvTpIUxBRhB+RFtUh8XtDOxUfctVCnhVi+QQj49i91OyvzkJl6cg==
- dependencies:
- glob-to-regexp "^0.4.1"
- graceful-fs "^4.1.2"
-
-which-boxed-primitive@^1.0.2:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/which-boxed-primitive/-/which-boxed-primitive-1.0.2.tgz#13757bc89b209b049fe5d86430e21cf40a89a8e6"
- integrity sha512-bwZdv0AKLpplFY2KZRX6TvyuN7ojjr7lwkg6ml0roIy9YeuSr7JS372qlNW18UQYzgYK9ziGcerWqZOmEn9VNg==
- dependencies:
- is-bigint "^1.0.1"
- is-boolean-object "^1.1.0"
- is-number-object "^1.0.4"
- is-string "^1.0.5"
- is-symbol "^1.0.3"
-
-which-typed-array@^1.1.9:
- version "1.1.9"
- resolved "https://registry.yarnpkg.com/which-typed-array/-/which-typed-array-1.1.9.tgz#307cf898025848cf995e795e8423c7f337efbde6"
- integrity sha512-w9c4xkx6mPidwp7180ckYWfMmvxpjlZuIudNtDf4N/tTAUB8VJbX25qZoAsrtGuYNnGw3pa0AXgbGKRB8/EceA==
- dependencies:
- available-typed-arrays "^1.0.5"
- call-bind "^1.0.2"
- for-each "^0.3.3"
- gopd "^1.0.1"
- has-tostringtag "^1.0.0"
- is-typed-array "^1.1.10"
-
-which@^2.0.1:
- version "2.0.2"
- resolved "https://registry.yarnpkg.com/which/-/which-2.0.2.tgz#7c6a8dd0a636a0327e10b59c9286eee93f3f51b1"
- integrity sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==
- dependencies:
- isexe "^2.0.0"
-
-wrappy@1:
- version "1.0.2"
- resolved "https://registry.yarnpkg.com/wrappy/-/wrappy-1.0.2.tgz#b5243d8f3ec1aa35f1364605bc0d1036e30ab69f"
- integrity sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==
-
-yallist@^4.0.0:
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/yallist/-/yallist-4.0.0.tgz#9bb92790d9c0effec63be73519e11a35019a3a72"
- integrity sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==
-
-yocto-queue@^0.1.0:
- version "0.1.0"
- resolved "https://registry.yarnpkg.com/yocto-queue/-/yocto-queue-0.1.0.tgz#0294eb3dee05028d31ee1a5fa2c556a6aaf10a1b"
- integrity sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==
-
[email protected]:
- version "3.21.4"
- resolved "https://registry.yarnpkg.com/zod/-/zod-3.21.4.tgz#10882231d992519f0a10b5dd58a38c9dabbb64db"
- integrity sha512-m46AKbrzKVzOzs/DZgVnG5H55N1sv1M8qZU3A8RIKbs3mrACDNeIOeilDymVb2HdmP8uwshOCF4uJ8uM9rCqJw==
+/* tslint:disable */
+/* eslint-disable */
+/**
+ * This file was automatically generated by Payload.
+ * DO NOT MODIFY IT BY HAND. Instead, modify your source Payload config,
+ * and re-run `payload generate:types` to regenerate this file.
+ */
+
+export interface Config {
+ collections: {
+ users: User;
+ 'payload-preferences': PayloadPreference;
+ 'payload-migrations': PayloadMigration;
+ };
+ globals: {};
+}
+export interface User {
+ id: string;
+ firstName?: string;
+ lastName?: string;
+ roles?: ('admin' | 'user')[];
+ updatedAt: string;
+ createdAt: string;
+ email: string;
+ resetPasswordToken?: string;
+ resetPasswordExpiration?: string;
+ salt?: string;
+ hash?: string;
+ loginAttempts?: number;
+ lockUntil?: string;
+ password?: string;
+}
+export interface PayloadPreference {
+ id: string;
+ user: {
+ relationTo: 'users';
+ value: string | User;
+ };
+ key?: string;
+ value?:
+ | {
+ [k: string]: unknown;
+ }
+ | unknown[]
+ | string
+ | number
+ | boolean
+ | null;
+ updatedAt: string;
+ createdAt: string;
+}
+export interface PayloadMigration {
+ id: string;
+ name?: string;
+ batch?: number;
+ updatedAt: string;
+ createdAt: string;
+}
+
+
+declare module 'payload' {
+ export interface GeneratedTypes {
+ collections: {
+ 'users': User
+ 'payload-preferences': PayloadPreference
+ 'payload-migrations': PayloadMigration
+ }
+
+ }
+}
\ No newline at end of file
diff --git a/examples/auth/payload/.env.example b/examples/auth/payload/.env.example
index e965cb408b4..6426e320be7 100644
--- a/examples/auth/payload/.env.example
+++ b/examples/auth/payload/.env.example
@@ -1,6 +1,6 @@
PAYLOAD_PUBLIC_SITE_URL=http://localhost:3001
PAYLOAD_PUBLIC_SERVER_URL=http://localhost:3000
-MONGODB_URI=mongodb://127.0.0.1/payload-example-auth
+DATABASE_URI=mongodb://127.0.0.1/payload-example-auth
PAYLOAD_SECRET=PAYLOAD_AUTH_EXAMPLE_SECRET_KEY
COOKIE_DOMAIN=localhost
PAYLOAD_PUBLIC_SEED=true
diff --git a/examples/auth/payload/package.json b/examples/auth/payload/package.json
index 9566eca35f9..1849f2738c1 100644
--- a/examples/auth/payload/package.json
+++ b/examples/auth/payload/package.json
@@ -17,6 +17,9 @@
"lint:fix": "eslint --fix --ext .ts,.tsx src"
},
"dependencies": {
+ "@payloadcms/bundler-webpack": "^1.0.0-beta.5",
+ "@payloadcms/db-mongodb": "^1.0.0-beta.8",
+ "@payloadcms/richtext-slate": "^1.0.0-beta.4",
"dotenv": "^8.2.0",
"express": "^4.17.1",
"payload": "latest"
diff --git a/examples/auth/payload/src/collections/hooks/protectRoles.ts b/examples/auth/payload/src/collections/hooks/protectRoles.ts
index 7a80f5a77af..d7c223090d1 100644
--- a/examples/auth/payload/src/collections/hooks/protectRoles.ts
+++ b/examples/auth/payload/src/collections/hooks/protectRoles.ts
@@ -1,6 +1,7 @@
-import type { User } from 'payload/generated-types'
import type { FieldHook } from 'payload/types'
+import type { User } from '../../payload-types'
+
// ensure there is always a `user` role
// do not let non-admins change roles
export const protectRoles: FieldHook<User & { id: string }> = async ({ req, data }) => {
diff --git a/examples/auth/payload/src/payload-types.ts b/examples/auth/payload/src/payload-types.ts
index b768d72037c..77ca3eff0a6 100644
--- a/examples/auth/payload/src/payload-types.ts
+++ b/examples/auth/payload/src/payload-types.ts
@@ -8,23 +8,61 @@
export interface Config {
collections: {
- users: User;
- };
- globals: {};
+ users: User
+ 'payload-preferences': PayloadPreference
+ 'payload-migrations': PayloadMigration
+ }
+ globals: {}
}
export interface User {
- id: string;
- firstName?: string;
- lastName?: string;
- roles?: ('admin' | 'user')[];
- updatedAt: string;
- createdAt: string;
- email: string;
- resetPasswordToken?: string;
- resetPasswordExpiration?: string;
- salt?: string;
- hash?: string;
- loginAttempts?: number;
- lockUntil?: string;
- password?: string;
+ id: string
+ firstName?: string
+ lastName?: string
+ roles?: ('admin' | 'user')[]
+ updatedAt: string
+ createdAt: string
+ email: string
+ resetPasswordToken?: string
+ resetPasswordExpiration?: string
+ salt?: string
+ hash?: string
+ loginAttempts?: number
+ lockUntil?: string
+ password?: string
+}
+export interface PayloadPreference {
+ id: string
+ user: {
+ relationTo: 'users'
+ value: string | User
+ }
+ key?: string
+ value?:
+ | {
+ [k: string]: unknown
+ }
+ | unknown[]
+ | string
+ | number
+ | boolean
+ | null
+ updatedAt: string
+ createdAt: string
+}
+export interface PayloadMigration {
+ id: string
+ name?: string
+ batch?: number
+ updatedAt: string
+ createdAt: string
+}
+
+declare module 'payload' {
+ export interface GeneratedTypes {
+ collections: {
+ users: User
+ 'payload-preferences': PayloadPreference
+ 'payload-migrations': PayloadMigration
+ }
+ }
}
diff --git a/examples/auth/payload/src/payload.config.ts b/examples/auth/payload/src/payload.config.ts
index 5edda4e33ce..71dc201b961 100644
--- a/examples/auth/payload/src/payload.config.ts
+++ b/examples/auth/payload/src/payload.config.ts
@@ -1,3 +1,6 @@
+import { webpackBundler } from '@payloadcms/bundler-webpack'
+import { mongooseAdapter } from '@payloadcms/db-mongodb'
+import { slateEditor } from '@payloadcms/richtext-slate'
import path from 'path'
import { buildConfig } from 'payload/config'
@@ -7,10 +10,15 @@ import BeforeLogin from './components/BeforeLogin'
export default buildConfig({
collections: [Users],
admin: {
+ bundler: webpackBundler(),
components: {
beforeLogin: [BeforeLogin],
},
},
+ editor: slateEditor({}),
+ db: mongooseAdapter({
+ url: process.env.DATABASE_URI,
+ }),
cors: [
process.env.PAYLOAD_PUBLIC_SERVER_URL || '',
process.env.PAYLOAD_PUBLIC_SITE_URL || '',
diff --git a/examples/auth/payload/src/server.ts b/examples/auth/payload/src/server.ts
index 685f1e468c3..e8f460f6304 100644
--- a/examples/auth/payload/src/server.ts
+++ b/examples/auth/payload/src/server.ts
@@ -18,7 +18,6 @@ app.get('/', (_, res) => {
const start = async (): Promise<void> => {
await payload.init({
secret: process.env.PAYLOAD_SECRET,
- mongoURL: process.env.MONGODB_URI,
express: app,
onInit: () => {
payload.logger.info(`Payload Admin URL: ${payload.getAdminURL()}`)
diff --git a/examples/auth/payload/tsconfig.json b/examples/auth/payload/tsconfig.json
index 92509a49240..bef8b051ecc 100644
--- a/examples/auth/payload/tsconfig.json
+++ b/examples/auth/payload/tsconfig.json
@@ -17,9 +17,6 @@
"moduleResolution": "node",
"resolveJsonModule": true,
"paths": {
- "payload/generated-types": [
- "./src/payload-types.ts"
- ],
"node_modules/*": [
"./node_modules/*"
]
@@ -36,4 +33,4 @@
"ts-node": {
"transpileOnly": true
}
-}
\ No newline at end of file
+}
diff --git a/examples/auth/payload/yarn.lock b/examples/auth/payload/yarn.lock
index 0a5b0e9405a..e7618cfc97c 100644
--- a/examples/auth/payload/yarn.lock
+++ b/examples/auth/payload/yarn.lock
@@ -62,367 +62,386 @@
"@aws-sdk/util-utf8-browser" "^3.0.0"
tslib "^1.11.1"
-"@aws-sdk/[email protected]":
- version "3.370.0"
- resolved "https://registry.yarnpkg.com/@aws-sdk/client-cognito-identity/-/client-cognito-identity-3.370.0.tgz#cfa6bc1a1b4b3631d0a62cd9861e56a397faba43"
- integrity sha512-/dQFXT8y0WUD/731cdLjCrxNxH7Wtg2uZx7PggevTZs9Yr2fdGPSHehIYfvpCvi59yeG9T2Cl8sFnxXL1OEx4A==
+"@aws-sdk/[email protected]":
+ version "3.427.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/client-cognito-identity/-/client-cognito-identity-3.427.0.tgz#f0be986a0051cbbaf720df0e4539b6c1fc8755b1"
+ integrity sha512-9brRaNnl6haE7R3R43A5CSNw0k1YtB3xjuArbMg/p6NDUpvRSRgOVNWu2R02Yjh/j2ZuaLOCPLuCipb+PHQPKQ==
dependencies:
"@aws-crypto/sha256-browser" "3.0.0"
"@aws-crypto/sha256-js" "3.0.0"
- "@aws-sdk/client-sts" "3.370.0"
- "@aws-sdk/credential-provider-node" "3.370.0"
- "@aws-sdk/middleware-host-header" "3.370.0"
- "@aws-sdk/middleware-logger" "3.370.0"
- "@aws-sdk/middleware-recursion-detection" "3.370.0"
- "@aws-sdk/middleware-signing" "3.370.0"
- "@aws-sdk/middleware-user-agent" "3.370.0"
- "@aws-sdk/types" "3.370.0"
- "@aws-sdk/util-endpoints" "3.370.0"
- "@aws-sdk/util-user-agent-browser" "3.370.0"
- "@aws-sdk/util-user-agent-node" "3.370.0"
- "@smithy/config-resolver" "^1.0.1"
- "@smithy/fetch-http-handler" "^1.0.1"
- "@smithy/hash-node" "^1.0.1"
- "@smithy/invalid-dependency" "^1.0.1"
- "@smithy/middleware-content-length" "^1.0.1"
- "@smithy/middleware-endpoint" "^1.0.2"
- "@smithy/middleware-retry" "^1.0.3"
- "@smithy/middleware-serde" "^1.0.1"
- "@smithy/middleware-stack" "^1.0.1"
- "@smithy/node-config-provider" "^1.0.1"
- "@smithy/node-http-handler" "^1.0.2"
- "@smithy/protocol-http" "^1.1.0"
- "@smithy/smithy-client" "^1.0.3"
- "@smithy/types" "^1.1.0"
- "@smithy/url-parser" "^1.0.1"
- "@smithy/util-base64" "^1.0.1"
- "@smithy/util-body-length-browser" "^1.0.1"
- "@smithy/util-body-length-node" "^1.0.1"
- "@smithy/util-defaults-mode-browser" "^1.0.1"
- "@smithy/util-defaults-mode-node" "^1.0.1"
- "@smithy/util-retry" "^1.0.3"
- "@smithy/util-utf8" "^1.0.1"
+ "@aws-sdk/client-sts" "3.427.0"
+ "@aws-sdk/credential-provider-node" "3.427.0"
+ "@aws-sdk/middleware-host-header" "3.425.0"
+ "@aws-sdk/middleware-logger" "3.425.0"
+ "@aws-sdk/middleware-recursion-detection" "3.425.0"
+ "@aws-sdk/middleware-signing" "3.425.0"
+ "@aws-sdk/middleware-user-agent" "3.427.0"
+ "@aws-sdk/region-config-resolver" "3.425.0"
+ "@aws-sdk/types" "3.425.0"
+ "@aws-sdk/util-endpoints" "3.427.0"
+ "@aws-sdk/util-user-agent-browser" "3.425.0"
+ "@aws-sdk/util-user-agent-node" "3.425.0"
+ "@smithy/config-resolver" "^2.0.11"
+ "@smithy/fetch-http-handler" "^2.2.1"
+ "@smithy/hash-node" "^2.0.10"
+ "@smithy/invalid-dependency" "^2.0.10"
+ "@smithy/middleware-content-length" "^2.0.12"
+ "@smithy/middleware-endpoint" "^2.0.10"
+ "@smithy/middleware-retry" "^2.0.13"
+ "@smithy/middleware-serde" "^2.0.10"
+ "@smithy/middleware-stack" "^2.0.4"
+ "@smithy/node-config-provider" "^2.0.13"
+ "@smithy/node-http-handler" "^2.1.6"
+ "@smithy/protocol-http" "^3.0.6"
+ "@smithy/smithy-client" "^2.1.9"
+ "@smithy/types" "^2.3.4"
+ "@smithy/url-parser" "^2.0.10"
+ "@smithy/util-base64" "^2.0.0"
+ "@smithy/util-body-length-browser" "^2.0.0"
+ "@smithy/util-body-length-node" "^2.1.0"
+ "@smithy/util-defaults-mode-browser" "^2.0.13"
+ "@smithy/util-defaults-mode-node" "^2.0.15"
+ "@smithy/util-retry" "^2.0.3"
+ "@smithy/util-utf8" "^2.0.0"
tslib "^2.5.0"
-"@aws-sdk/[email protected]":
- version "3.370.0"
- resolved "https://registry.yarnpkg.com/@aws-sdk/client-sso-oidc/-/client-sso-oidc-3.370.0.tgz#db03c04cb6a23888dc60016eb67505a41ede410b"
- integrity sha512-jAYOO74lmVXylQylqkPrjLzxvUnMKw476JCUTvCO6Q8nv3LzCWd76Ihgv/m9Q4M2Tbqi1iP2roVK5bstsXzEjA==
+"@aws-sdk/[email protected]":
+ version "3.427.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/client-sso/-/client-sso-3.427.0.tgz#852f0bb00c7bc5e3d3c8751a6ff4e86a1484726f"
+ integrity sha512-sFVFEmsQ1rmgYO1SgrOTxE/MTKpeE4hpOkm1WqhLQK7Ij136vXpjCxjH1JYZiHiUzO1wr9t4ex4dlB5J3VS/Xg==
dependencies:
"@aws-crypto/sha256-browser" "3.0.0"
"@aws-crypto/sha256-js" "3.0.0"
- "@aws-sdk/middleware-host-header" "3.370.0"
- "@aws-sdk/middleware-logger" "3.370.0"
- "@aws-sdk/middleware-recursion-detection" "3.370.0"
- "@aws-sdk/middleware-user-agent" "3.370.0"
- "@aws-sdk/types" "3.370.0"
- "@aws-sdk/util-endpoints" "3.370.0"
- "@aws-sdk/util-user-agent-browser" "3.370.0"
- "@aws-sdk/util-user-agent-node" "3.370.0"
- "@smithy/config-resolver" "^1.0.1"
- "@smithy/fetch-http-handler" "^1.0.1"
- "@smithy/hash-node" "^1.0.1"
- "@smithy/invalid-dependency" "^1.0.1"
- "@smithy/middleware-content-length" "^1.0.1"
- "@smithy/middleware-endpoint" "^1.0.2"
- "@smithy/middleware-retry" "^1.0.3"
- "@smithy/middleware-serde" "^1.0.1"
- "@smithy/middleware-stack" "^1.0.1"
- "@smithy/node-config-provider" "^1.0.1"
- "@smithy/node-http-handler" "^1.0.2"
- "@smithy/protocol-http" "^1.1.0"
- "@smithy/smithy-client" "^1.0.3"
- "@smithy/types" "^1.1.0"
- "@smithy/url-parser" "^1.0.1"
- "@smithy/util-base64" "^1.0.1"
- "@smithy/util-body-length-browser" "^1.0.1"
- "@smithy/util-body-length-node" "^1.0.1"
- "@smithy/util-defaults-mode-browser" "^1.0.1"
- "@smithy/util-defaults-mode-node" "^1.0.1"
- "@smithy/util-retry" "^1.0.3"
- "@smithy/util-utf8" "^1.0.1"
+ "@aws-sdk/middleware-host-header" "3.425.0"
+ "@aws-sdk/middleware-logger" "3.425.0"
+ "@aws-sdk/middleware-recursion-detection" "3.425.0"
+ "@aws-sdk/middleware-user-agent" "3.427.0"
+ "@aws-sdk/region-config-resolver" "3.425.0"
+ "@aws-sdk/types" "3.425.0"
+ "@aws-sdk/util-endpoints" "3.427.0"
+ "@aws-sdk/util-user-agent-browser" "3.425.0"
+ "@aws-sdk/util-user-agent-node" "3.425.0"
+ "@smithy/config-resolver" "^2.0.11"
+ "@smithy/fetch-http-handler" "^2.2.1"
+ "@smithy/hash-node" "^2.0.10"
+ "@smithy/invalid-dependency" "^2.0.10"
+ "@smithy/middleware-content-length" "^2.0.12"
+ "@smithy/middleware-endpoint" "^2.0.10"
+ "@smithy/middleware-retry" "^2.0.13"
+ "@smithy/middleware-serde" "^2.0.10"
+ "@smithy/middleware-stack" "^2.0.4"
+ "@smithy/node-config-provider" "^2.0.13"
+ "@smithy/node-http-handler" "^2.1.6"
+ "@smithy/protocol-http" "^3.0.6"
+ "@smithy/smithy-client" "^2.1.9"
+ "@smithy/types" "^2.3.4"
+ "@smithy/url-parser" "^2.0.10"
+ "@smithy/util-base64" "^2.0.0"
+ "@smithy/util-body-length-browser" "^2.0.0"
+ "@smithy/util-body-length-node" "^2.1.0"
+ "@smithy/util-defaults-mode-browser" "^2.0.13"
+ "@smithy/util-defaults-mode-node" "^2.0.15"
+ "@smithy/util-retry" "^2.0.3"
+ "@smithy/util-utf8" "^2.0.0"
tslib "^2.5.0"
-"@aws-sdk/[email protected]":
- version "3.370.0"
- resolved "https://registry.yarnpkg.com/@aws-sdk/client-sso/-/client-sso-3.370.0.tgz#68aea97ecb2e5e6c817dfd3a1dd9fa4e09ff6e1c"
- integrity sha512-0Ty1iHuzNxMQtN7nahgkZr4Wcu1XvqGfrQniiGdKKif9jG/4elxsQPiydRuQpFqN6b+bg7wPP7crFP1uTxx2KQ==
+"@aws-sdk/[email protected]":
+ version "3.427.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/client-sts/-/client-sts-3.427.0.tgz#839df8e1aa8795ffbffc7f5d79ccbc6a1220ab33"
+ integrity sha512-le2wLJKILyWuRfPz2HbyaNtu5kEki+ojUkTqCU6FPDRrqUvEkaaCBH9Awo/2AtrCfRkiobop8RuTTj6cAnpiJg==
dependencies:
"@aws-crypto/sha256-browser" "3.0.0"
"@aws-crypto/sha256-js" "3.0.0"
- "@aws-sdk/middleware-host-header" "3.370.0"
- "@aws-sdk/middleware-logger" "3.370.0"
- "@aws-sdk/middleware-recursion-detection" "3.370.0"
- "@aws-sdk/middleware-user-agent" "3.370.0"
- "@aws-sdk/types" "3.370.0"
- "@aws-sdk/util-endpoints" "3.370.0"
- "@aws-sdk/util-user-agent-browser" "3.370.0"
- "@aws-sdk/util-user-agent-node" "3.370.0"
- "@smithy/config-resolver" "^1.0.1"
- "@smithy/fetch-http-handler" "^1.0.1"
- "@smithy/hash-node" "^1.0.1"
- "@smithy/invalid-dependency" "^1.0.1"
- "@smithy/middleware-content-length" "^1.0.1"
- "@smithy/middleware-endpoint" "^1.0.2"
- "@smithy/middleware-retry" "^1.0.3"
- "@smithy/middleware-serde" "^1.0.1"
- "@smithy/middleware-stack" "^1.0.1"
- "@smithy/node-config-provider" "^1.0.1"
- "@smithy/node-http-handler" "^1.0.2"
- "@smithy/protocol-http" "^1.1.0"
- "@smithy/smithy-client" "^1.0.3"
- "@smithy/types" "^1.1.0"
- "@smithy/url-parser" "^1.0.1"
- "@smithy/util-base64" "^1.0.1"
- "@smithy/util-body-length-browser" "^1.0.1"
- "@smithy/util-body-length-node" "^1.0.1"
- "@smithy/util-defaults-mode-browser" "^1.0.1"
- "@smithy/util-defaults-mode-node" "^1.0.1"
- "@smithy/util-retry" "^1.0.3"
- "@smithy/util-utf8" "^1.0.1"
+ "@aws-sdk/credential-provider-node" "3.427.0"
+ "@aws-sdk/middleware-host-header" "3.425.0"
+ "@aws-sdk/middleware-logger" "3.425.0"
+ "@aws-sdk/middleware-recursion-detection" "3.425.0"
+ "@aws-sdk/middleware-sdk-sts" "3.425.0"
+ "@aws-sdk/middleware-signing" "3.425.0"
+ "@aws-sdk/middleware-user-agent" "3.427.0"
+ "@aws-sdk/region-config-resolver" "3.425.0"
+ "@aws-sdk/types" "3.425.0"
+ "@aws-sdk/util-endpoints" "3.427.0"
+ "@aws-sdk/util-user-agent-browser" "3.425.0"
+ "@aws-sdk/util-user-agent-node" "3.425.0"
+ "@smithy/config-resolver" "^2.0.11"
+ "@smithy/fetch-http-handler" "^2.2.1"
+ "@smithy/hash-node" "^2.0.10"
+ "@smithy/invalid-dependency" "^2.0.10"
+ "@smithy/middleware-content-length" "^2.0.12"
+ "@smithy/middleware-endpoint" "^2.0.10"
+ "@smithy/middleware-retry" "^2.0.13"
+ "@smithy/middleware-serde" "^2.0.10"
+ "@smithy/middleware-stack" "^2.0.4"
+ "@smithy/node-config-provider" "^2.0.13"
+ "@smithy/node-http-handler" "^2.1.6"
+ "@smithy/protocol-http" "^3.0.6"
+ "@smithy/smithy-client" "^2.1.9"
+ "@smithy/types" "^2.3.4"
+ "@smithy/url-parser" "^2.0.10"
+ "@smithy/util-base64" "^2.0.0"
+ "@smithy/util-body-length-browser" "^2.0.0"
+ "@smithy/util-body-length-node" "^2.1.0"
+ "@smithy/util-defaults-mode-browser" "^2.0.13"
+ "@smithy/util-defaults-mode-node" "^2.0.15"
+ "@smithy/util-retry" "^2.0.3"
+ "@smithy/util-utf8" "^2.0.0"
+ fast-xml-parser "4.2.5"
tslib "^2.5.0"
-"@aws-sdk/[email protected]":
- version "3.370.0"
- resolved "https://registry.yarnpkg.com/@aws-sdk/client-sts/-/client-sts-3.370.0.tgz#65879fa35b396035dcab446c782056ef768f48af"
- integrity sha512-utFxOPWIzbN+3kc415Je2o4J72hOLNhgR2Gt5EnRSggC3yOnkC4GzauxG8n7n5gZGBX45eyubHyPOXLOIyoqQA==
+"@aws-sdk/[email protected]":
+ version "3.427.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/credential-provider-cognito-identity/-/credential-provider-cognito-identity-3.427.0.tgz#ffaa1c784542f42820d79525af561fc0ea0961e6"
+ integrity sha512-BQNzNrMJlBAfXhYNdAUqaVASpT9Aho5swj7glZKxx4Uds1w5Pih2e14JWgnl8XgUWAZ36pchTrV1aA4JT7N8vw==
dependencies:
- "@aws-crypto/sha256-browser" "3.0.0"
- "@aws-crypto/sha256-js" "3.0.0"
- "@aws-sdk/credential-provider-node" "3.370.0"
- "@aws-sdk/middleware-host-header" "3.370.0"
- "@aws-sdk/middleware-logger" "3.370.0"
- "@aws-sdk/middleware-recursion-detection" "3.370.0"
- "@aws-sdk/middleware-sdk-sts" "3.370.0"
- "@aws-sdk/middleware-signing" "3.370.0"
- "@aws-sdk/middleware-user-agent" "3.370.0"
- "@aws-sdk/types" "3.370.0"
- "@aws-sdk/util-endpoints" "3.370.0"
- "@aws-sdk/util-user-agent-browser" "3.370.0"
- "@aws-sdk/util-user-agent-node" "3.370.0"
- "@smithy/config-resolver" "^1.0.1"
- "@smithy/fetch-http-handler" "^1.0.1"
- "@smithy/hash-node" "^1.0.1"
- "@smithy/invalid-dependency" "^1.0.1"
- "@smithy/middleware-content-length" "^1.0.1"
- "@smithy/middleware-endpoint" "^1.0.2"
- "@smithy/middleware-retry" "^1.0.3"
- "@smithy/middleware-serde" "^1.0.1"
- "@smithy/middleware-stack" "^1.0.1"
- "@smithy/node-config-provider" "^1.0.1"
- "@smithy/node-http-handler" "^1.0.2"
- "@smithy/protocol-http" "^1.1.0"
- "@smithy/smithy-client" "^1.0.3"
- "@smithy/types" "^1.1.0"
- "@smithy/url-parser" "^1.0.1"
- "@smithy/util-base64" "^1.0.1"
- "@smithy/util-body-length-browser" "^1.0.1"
- "@smithy/util-body-length-node" "^1.0.1"
- "@smithy/util-defaults-mode-browser" "^1.0.1"
- "@smithy/util-defaults-mode-node" "^1.0.1"
- "@smithy/util-retry" "^1.0.3"
- "@smithy/util-utf8" "^1.0.1"
- fast-xml-parser "4.2.5"
+ "@aws-sdk/client-cognito-identity" "3.427.0"
+ "@aws-sdk/types" "3.425.0"
+ "@smithy/property-provider" "^2.0.0"
+ "@smithy/types" "^2.3.4"
tslib "^2.5.0"
-"@aws-sdk/[email protected]":
- version "3.370.0"
- resolved "https://registry.yarnpkg.com/@aws-sdk/credential-provider-cognito-identity/-/credential-provider-cognito-identity-3.370.0.tgz#ba251131db44368473b151178a7c2329058dad39"
- integrity sha512-OjNAN72+QoyJAmOayi47AlFzpQc4E59LWRE2GKgH0F1pEgr3t34T0/EHusCoxUjOz5mRRXrKjNlHVC7ezOFEcg==
+"@aws-sdk/[email protected]":
+ version "3.425.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/credential-provider-env/-/credential-provider-env-3.425.0.tgz#1f5be812aeed558efaebce641e4c030b86875544"
+ integrity sha512-J20etnLvMKXRVi5FK4F8yOCNm2RTaQn5psQTGdDEPWJNGxohcSpzzls8U2KcMyUJ+vItlrThr4qwgpHG3i/N0w==
dependencies:
- "@aws-sdk/client-cognito-identity" "3.370.0"
- "@aws-sdk/types" "3.370.0"
- "@smithy/property-provider" "^1.0.1"
- "@smithy/types" "^1.1.0"
+ "@aws-sdk/types" "3.425.0"
+ "@smithy/property-provider" "^2.0.0"
+ "@smithy/types" "^2.3.4"
tslib "^2.5.0"
-"@aws-sdk/[email protected]":
- version "3.370.0"
- resolved "https://registry.yarnpkg.com/@aws-sdk/credential-provider-env/-/credential-provider-env-3.370.0.tgz#edd507a88b36b967da048255f4a478ad92d1c5aa"
- integrity sha512-raR3yP/4GGbKFRPP5hUBNkEmTnzxI9mEc2vJAJrcv4G4J4i/UP6ELiLInQ5eO2/VcV/CeKGZA3t7d1tsJ+jhCg==
- dependencies:
- "@aws-sdk/types" "3.370.0"
- "@smithy/property-provider" "^1.0.1"
- "@smithy/types" "^1.1.0"
+"@aws-sdk/[email protected]":
+ version "3.425.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/credential-provider-http/-/credential-provider-http-3.425.0.tgz#569ba881d20b7691a8ed1a7a3324cd652173b7c0"
+ integrity sha512-aP9nkoVWf+OlNMecrUqe4+RuQrX13nucVbty0HTvuwfwJJj0T6ByWZzle+fo1D+5OxvJmtzTflBWt6jUERdHWA==
+ dependencies:
+ "@aws-sdk/types" "3.425.0"
+ "@smithy/fetch-http-handler" "^2.2.1"
+ "@smithy/node-http-handler" "^2.1.6"
+ "@smithy/property-provider" "^2.0.0"
+ "@smithy/protocol-http" "^3.0.6"
+ "@smithy/types" "^2.3.4"
tslib "^2.5.0"
-"@aws-sdk/[email protected]":
- version "3.370.0"
- resolved "https://registry.yarnpkg.com/@aws-sdk/credential-provider-ini/-/credential-provider-ini-3.370.0.tgz#4e569b8054b4fba2f0a0a7fa88af84b1f8d78c0b"
- integrity sha512-eJyapFKa4NrC9RfTgxlXnXfS9InG/QMEUPPVL+VhG7YS6nKqetC1digOYgivnEeu+XSKE0DJ7uZuXujN2Y7VAQ==
- dependencies:
- "@aws-sdk/credential-provider-env" "3.370.0"
- "@aws-sdk/credential-provider-process" "3.370.0"
- "@aws-sdk/credential-provider-sso" "3.370.0"
- "@aws-sdk/credential-provider-web-identity" "3.370.0"
- "@aws-sdk/types" "3.370.0"
- "@smithy/credential-provider-imds" "^1.0.1"
- "@smithy/property-provider" "^1.0.1"
- "@smithy/shared-ini-file-loader" "^1.0.1"
- "@smithy/types" "^1.1.0"
+"@aws-sdk/[email protected]":
+ version "3.427.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/credential-provider-ini/-/credential-provider-ini-3.427.0.tgz#bf52067ed5ef6971c7785d09bdf3c6aa16afc2b1"
+ integrity sha512-NmH1cO/w98CKMltYec3IrJIIco19wRjATFNiw83c+FGXZ+InJwReqBnruxIOmKTx2KDzd6fwU1HOewS7UjaaaQ==
+ dependencies:
+ "@aws-sdk/credential-provider-env" "3.425.0"
+ "@aws-sdk/credential-provider-process" "3.425.0"
+ "@aws-sdk/credential-provider-sso" "3.427.0"
+ "@aws-sdk/credential-provider-web-identity" "3.425.0"
+ "@aws-sdk/types" "3.425.0"
+ "@smithy/credential-provider-imds" "^2.0.0"
+ "@smithy/property-provider" "^2.0.0"
+ "@smithy/shared-ini-file-loader" "^2.0.6"
+ "@smithy/types" "^2.3.4"
tslib "^2.5.0"
-"@aws-sdk/[email protected]":
- version "3.370.0"
- resolved "https://registry.yarnpkg.com/@aws-sdk/credential-provider-node/-/credential-provider-node-3.370.0.tgz#74605644ccbd9e8237223318a7955f4ab2ff0d86"
- integrity sha512-gkFiotBFKE4Fcn8CzQnMeab9TAR06FEAD02T4ZRYW1xGrBJOowmje9dKqdwQFHSPgnWAP+8HoTA8iwbhTLvjNA==
- dependencies:
- "@aws-sdk/credential-provider-env" "3.370.0"
- "@aws-sdk/credential-provider-ini" "3.370.0"
- "@aws-sdk/credential-provider-process" "3.370.0"
- "@aws-sdk/credential-provider-sso" "3.370.0"
- "@aws-sdk/credential-provider-web-identity" "3.370.0"
- "@aws-sdk/types" "3.370.0"
- "@smithy/credential-provider-imds" "^1.0.1"
- "@smithy/property-provider" "^1.0.1"
- "@smithy/shared-ini-file-loader" "^1.0.1"
- "@smithy/types" "^1.1.0"
+"@aws-sdk/[email protected]":
+ version "3.427.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/credential-provider-node/-/credential-provider-node-3.427.0.tgz#f3bd63bc5ab5b897ce67d5960731f48c89ba7520"
+ integrity sha512-wYYbQ57nKL8OfgRbl8k6uXcdnYml+p3LSSfDUAuUEp1HKlQ8lOXFJ3BdLr5qrk7LhpyppSRnWBmh2c3kWa7ANQ==
+ dependencies:
+ "@aws-sdk/credential-provider-env" "3.425.0"
+ "@aws-sdk/credential-provider-ini" "3.427.0"
+ "@aws-sdk/credential-provider-process" "3.425.0"
+ "@aws-sdk/credential-provider-sso" "3.427.0"
+ "@aws-sdk/credential-provider-web-identity" "3.425.0"
+ "@aws-sdk/types" "3.425.0"
+ "@smithy/credential-provider-imds" "^2.0.0"
+ "@smithy/property-provider" "^2.0.0"
+ "@smithy/shared-ini-file-loader" "^2.0.6"
+ "@smithy/types" "^2.3.4"
tslib "^2.5.0"
-"@aws-sdk/[email protected]":
- version "3.370.0"
- resolved "https://registry.yarnpkg.com/@aws-sdk/credential-provider-process/-/credential-provider-process-3.370.0.tgz#f7b94d2ccfda3b067cb23ea832b10c692c831855"
- integrity sha512-0BKFFZmUO779Xdw3u7wWnoWhYA4zygxJbgGVSyjkOGBvdkbPSTTcdwT1KFkaQy2kOXYeZPl+usVVRXs+ph4ejg==
+"@aws-sdk/[email protected]":
+ version "3.425.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/credential-provider-process/-/credential-provider-process-3.425.0.tgz#d5cd231e1732375fc918912f8083c8c45d9dc2ab"
+ integrity sha512-YY6tkLdvtb1Fgofp3b1UWO+5vwS14LJ/smGmuGpSba0V7gFJRdcrJ9bcb9vVgAGuMdjzRJ+bUKlLLtqXkaykEw==
dependencies:
- "@aws-sdk/types" "3.370.0"
- "@smithy/property-provider" "^1.0.1"
- "@smithy/shared-ini-file-loader" "^1.0.1"
- "@smithy/types" "^1.1.0"
+ "@aws-sdk/types" "3.425.0"
+ "@smithy/property-provider" "^2.0.0"
+ "@smithy/shared-ini-file-loader" "^2.0.6"
+ "@smithy/types" "^2.3.4"
tslib "^2.5.0"
-"@aws-sdk/[email protected]":
- version "3.370.0"
- resolved "https://registry.yarnpkg.com/@aws-sdk/credential-provider-sso/-/credential-provider-sso-3.370.0.tgz#4c57f93d73f198d7e1e53fbfcdf72c053bc9c682"
- integrity sha512-PFroYm5hcPSfC/jkZnCI34QFL3I7WVKveVk6/F3fud/cnP8hp6YjA9NiTNbqdFSzsyoiN/+e5fZgNKih8vVPTA==
- dependencies:
- "@aws-sdk/client-sso" "3.370.0"
- "@aws-sdk/token-providers" "3.370.0"
- "@aws-sdk/types" "3.370.0"
- "@smithy/property-provider" "^1.0.1"
- "@smithy/shared-ini-file-loader" "^1.0.1"
- "@smithy/types" "^1.1.0"
+"@aws-sdk/[email protected]":
+ version "3.427.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/credential-provider-sso/-/credential-provider-sso-3.427.0.tgz#da54388247c0cf812e024c301a6f188550275850"
+ integrity sha512-c+tXyS/i49erHs4bAp6vKNYeYlyQ0VNMBgoco0LCn1rL0REtHbfhWMnqDLF6c2n3yIWDOTrQu0D73Idnpy16eA==
+ dependencies:
+ "@aws-sdk/client-sso" "3.427.0"
+ "@aws-sdk/token-providers" "3.427.0"
+ "@aws-sdk/types" "3.425.0"
+ "@smithy/property-provider" "^2.0.0"
+ "@smithy/shared-ini-file-loader" "^2.0.6"
+ "@smithy/types" "^2.3.4"
tslib "^2.5.0"
-"@aws-sdk/[email protected]":
- version "3.370.0"
- resolved "https://registry.yarnpkg.com/@aws-sdk/credential-provider-web-identity/-/credential-provider-web-identity-3.370.0.tgz#c5831bb656bea1fe3b300e495e19a33bc90f4d84"
- integrity sha512-CFaBMLRudwhjv1sDzybNV93IaT85IwS+L8Wq6VRMa0mro1q9rrWsIZO811eF+k0NEPfgU1dLH+8Vc2qhw4SARQ==
+"@aws-sdk/[email protected]":
+ version "3.425.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/credential-provider-web-identity/-/credential-provider-web-identity-3.425.0.tgz#c1587cc39be70db2c828aeab7b68a8245bc86f91"
+ integrity sha512-/0R65TgRzL01JU3SzloivWNwdkbIhr06uY/F5pBHf/DynQqaspKNfdHn6AiozgSVDfwRHFjKBTUy6wvf3QFkuA==
dependencies:
- "@aws-sdk/types" "3.370.0"
- "@smithy/property-provider" "^1.0.1"
- "@smithy/types" "^1.1.0"
+ "@aws-sdk/types" "3.425.0"
+ "@smithy/property-provider" "^2.0.0"
+ "@smithy/types" "^2.3.4"
tslib "^2.5.0"
"@aws-sdk/credential-providers@^3.186.0":
- version "3.370.0"
- resolved "https://registry.yarnpkg.com/@aws-sdk/credential-providers/-/credential-providers-3.370.0.tgz#280878e08298e959e1877a733ed6ead1cb3486d8"
- integrity sha512-K5yUHJPB2QJKWzKoz1YCE2xJDvYL6bvCRyoT0mRPWbITrDjFuWxbe1QXWcMymwQIyzOITAnZq5fvj456KhPATg==
- dependencies:
- "@aws-sdk/client-cognito-identity" "3.370.0"
- "@aws-sdk/client-sso" "3.370.0"
- "@aws-sdk/client-sts" "3.370.0"
- "@aws-sdk/credential-provider-cognito-identity" "3.370.0"
- "@aws-sdk/credential-provider-env" "3.370.0"
- "@aws-sdk/credential-provider-ini" "3.370.0"
- "@aws-sdk/credential-provider-node" "3.370.0"
- "@aws-sdk/credential-provider-process" "3.370.0"
- "@aws-sdk/credential-provider-sso" "3.370.0"
- "@aws-sdk/credential-provider-web-identity" "3.370.0"
- "@aws-sdk/types" "3.370.0"
- "@smithy/credential-provider-imds" "^1.0.1"
- "@smithy/property-provider" "^1.0.1"
- "@smithy/types" "^1.1.0"
+ version "3.427.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/credential-providers/-/credential-providers-3.427.0.tgz#13e050d7599002b90cedeed36a558ec24df72a50"
+ integrity sha512-rKKohSHju462vo+uQnPjcEZPBAfAMgGH6K1XyyCNpuOC0yYLkG87PYpvAQeb8riTrkHPX0dYUHuTHZ6zQgMGjA==
+ dependencies:
+ "@aws-sdk/client-cognito-identity" "3.427.0"
+ "@aws-sdk/client-sso" "3.427.0"
+ "@aws-sdk/client-sts" "3.427.0"
+ "@aws-sdk/credential-provider-cognito-identity" "3.427.0"
+ "@aws-sdk/credential-provider-env" "3.425.0"
+ "@aws-sdk/credential-provider-http" "3.425.0"
+ "@aws-sdk/credential-provider-ini" "3.427.0"
+ "@aws-sdk/credential-provider-node" "3.427.0"
+ "@aws-sdk/credential-provider-process" "3.425.0"
+ "@aws-sdk/credential-provider-sso" "3.427.0"
+ "@aws-sdk/credential-provider-web-identity" "3.425.0"
+ "@aws-sdk/types" "3.425.0"
+ "@smithy/credential-provider-imds" "^2.0.0"
+ "@smithy/property-provider" "^2.0.0"
+ "@smithy/types" "^2.3.4"
tslib "^2.5.0"
-"@aws-sdk/[email protected]":
- version "3.370.0"
- resolved "https://registry.yarnpkg.com/@aws-sdk/middleware-host-header/-/middleware-host-header-3.370.0.tgz#645472416efd16b22a66b0aa1d52f48cf5699feb"
- integrity sha512-CPXOm/TnOFC7KyXcJglICC7OiA7Kj6mT3ChvEijr56TFOueNHvJdV4aNIFEQy0vGHOWtY12qOWLNto/wYR1BAQ==
+"@aws-sdk/[email protected]":
+ version "3.425.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/middleware-host-header/-/middleware-host-header-3.425.0.tgz#7bca371e1a5611ec20c06bd7017efa1900c367d0"
+ integrity sha512-E5Gt41LObQ+cr8QnLthwsH3MtVSNXy1AKJMowDr85h0vzqA/FHUkgHyOGntgozzjXT5M0MaSRYxS0xwTR5D4Ew==
dependencies:
- "@aws-sdk/types" "3.370.0"
- "@smithy/protocol-http" "^1.1.0"
- "@smithy/types" "^1.1.0"
+ "@aws-sdk/types" "3.425.0"
+ "@smithy/protocol-http" "^3.0.6"
+ "@smithy/types" "^2.3.4"
tslib "^2.5.0"
-"@aws-sdk/[email protected]":
- version "3.370.0"
- resolved "https://registry.yarnpkg.com/@aws-sdk/middleware-logger/-/middleware-logger-3.370.0.tgz#c9f694d7e1dd47b5e6e8eab94793fc1e272b1e26"
- integrity sha512-cQMq9SaZ/ORmTJPCT6VzMML7OxFdQzNkhMAgKpTDl+tdPWynlHF29E5xGoSzROnThHlQPCjogU0NZ8AxI0SWPA==
+"@aws-sdk/[email protected]":
+ version "3.425.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/middleware-logger/-/middleware-logger-3.425.0.tgz#e45f160b84798365e4acf8a283e9664ee9ee131b"
+ integrity sha512-INE9XWRXx2f4a/r2vOU0tAmgctVp7nEaEasemNtVBYhqbKLZvr9ndLBSgKGgJ8LIcXAoISipaMuFiqIGkFsm7A==
dependencies:
- "@aws-sdk/types" "3.370.0"
- "@smithy/types" "^1.1.0"
+ "@aws-sdk/types" "3.425.0"
+ "@smithy/types" "^2.3.4"
tslib "^2.5.0"
-"@aws-sdk/[email protected]":
- version "3.370.0"
- resolved "https://registry.yarnpkg.com/@aws-sdk/middleware-recursion-detection/-/middleware-recursion-detection-3.370.0.tgz#e5e8fd1d2ff1ade91135295dabcaa81c311ce00b"
- integrity sha512-L7ZF/w0lAAY/GK1khT8VdoU0XB7nWHk51rl/ecAg64J70dHnMOAg8n+5FZ9fBu/xH1FwUlHOkwlodJOgzLJjtg==
+"@aws-sdk/[email protected]":
+ version "3.425.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/middleware-recursion-detection/-/middleware-recursion-detection-3.425.0.tgz#c348ec16ebb7c357bcb403904c24e8da1914961d"
+ integrity sha512-77gnzJ5b91bgD75L/ugpOyerx6lR3oyS4080X1YI58EzdyBMkDrHM4FbMcY2RynETi3lwXCFzLRyZjWXY1mRlw==
dependencies:
- "@aws-sdk/types" "3.370.0"
- "@smithy/protocol-http" "^1.1.0"
- "@smithy/types" "^1.1.0"
+ "@aws-sdk/types" "3.425.0"
+ "@smithy/protocol-http" "^3.0.6"
+ "@smithy/types" "^2.3.4"
tslib "^2.5.0"
-"@aws-sdk/[email protected]":
- version "3.370.0"
- resolved "https://registry.yarnpkg.com/@aws-sdk/middleware-sdk-sts/-/middleware-sdk-sts-3.370.0.tgz#0599a624fe5cabe75cd7d9e7420927b102356fa2"
- integrity sha512-ykbsoVy0AJtVbuhAlTAMcaz/tCE3pT8nAp0L7CQQxSoanRCvOux7au0KwMIQVhxgnYid4dWVF6d00SkqU5MXRA==
+"@aws-sdk/[email protected]":
+ version "3.425.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/middleware-sdk-sts/-/middleware-sdk-sts-3.425.0.tgz#a020a04ddb5c6741d43d72afe79c24e6f1bb94b7"
+ integrity sha512-JFojrg76oKAoBknnr9EL5N2aJ1mRCtBqXoZYST58GSx8uYdFQ89qS65VNQ8JviBXzsrCNAn4vDhZ5Ch5E6TxGQ==
dependencies:
- "@aws-sdk/middleware-signing" "3.370.0"
- "@aws-sdk/types" "3.370.0"
- "@smithy/types" "^1.1.0"
+ "@aws-sdk/middleware-signing" "3.425.0"
+ "@aws-sdk/types" "3.425.0"
+ "@smithy/types" "^2.3.4"
+ tslib "^2.5.0"
+
+"@aws-sdk/[email protected]":
+ version "3.425.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/middleware-signing/-/middleware-signing-3.425.0.tgz#fa133b8a76216d0b55558634b09cbe769f16b037"
+ integrity sha512-ZpOfgJHk7ovQ0sSwg3tU4NxFOnz53lJlkJRf7S+wxQALHM0P2MJ6LYBrZaFMVsKiJxNIdZBXD6jclgHg72ZW6Q==
+ dependencies:
+ "@aws-sdk/types" "3.425.0"
+ "@smithy/property-provider" "^2.0.0"
+ "@smithy/protocol-http" "^3.0.6"
+ "@smithy/signature-v4" "^2.0.0"
+ "@smithy/types" "^2.3.4"
+ "@smithy/util-middleware" "^2.0.3"
tslib "^2.5.0"
-"@aws-sdk/[email protected]":
- version "3.370.0"
- resolved "https://registry.yarnpkg.com/@aws-sdk/middleware-signing/-/middleware-signing-3.370.0.tgz#c094026251faa17a24f61630d56152f7b073e6cf"
- integrity sha512-Dwr/RTCWOXdm394wCwICGT2VNOTMRe4IGPsBRJAsM24pm+EEqQzSS3Xu/U/zF4exuxqpMta4wec4QpSarPNTxA==
- dependencies:
- "@aws-sdk/types" "3.370.0"
- "@smithy/property-provider" "^1.0.1"
- "@smithy/protocol-http" "^1.1.0"
- "@smithy/signature-v4" "^1.0.1"
- "@smithy/types" "^1.1.0"
- "@smithy/util-middleware" "^1.0.1"
+"@aws-sdk/[email protected]":
+ version "3.427.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/middleware-user-agent/-/middleware-user-agent-3.427.0.tgz#a1b7cf9a848dcb4af454922abf5e9714bc4c20aa"
+ integrity sha512-y9HxYsNvnA3KqDl8w1jHeCwz4P9CuBEtu/G+KYffLeAMBsMZmh4SIkFFCO9wE/dyYg6+yo07rYcnnIfy7WA0bw==
+ dependencies:
+ "@aws-sdk/types" "3.425.0"
+ "@aws-sdk/util-endpoints" "3.427.0"
+ "@smithy/protocol-http" "^3.0.6"
+ "@smithy/types" "^2.3.4"
tslib "^2.5.0"
-"@aws-sdk/[email protected]":
- version "3.370.0"
- resolved "https://registry.yarnpkg.com/@aws-sdk/middleware-user-agent/-/middleware-user-agent-3.370.0.tgz#a2bf71baf6407654811a02e4d276a2eec3996fdb"
- integrity sha512-2+3SB6MtMAq1+gVXhw0Y3ONXuljorh6ijnxgTpv+uQnBW5jHCUiAS8WDYiDEm7i9euJPbvJfM8WUrSMDMU6Cog==
+"@aws-sdk/[email protected]":
+ version "3.425.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/region-config-resolver/-/region-config-resolver-3.425.0.tgz#b69cc305a4211c9f96f04ac3a10ff9a736ec13cb"
+ integrity sha512-u7uv/iUOapIJdRgRkO3wnpYsUgV6ponsZJQgVg/8L+n+Vo5PQL5gAcIuAOwcYSKQPFaeK+KbmByI4SyOK203Vw==
dependencies:
- "@aws-sdk/types" "3.370.0"
- "@aws-sdk/util-endpoints" "3.370.0"
- "@smithy/protocol-http" "^1.1.0"
- "@smithy/types" "^1.1.0"
+ "@smithy/node-config-provider" "^2.0.13"
+ "@smithy/types" "^2.3.4"
+ "@smithy/util-config-provider" "^2.0.0"
+ "@smithy/util-middleware" "^2.0.3"
tslib "^2.5.0"
-"@aws-sdk/[email protected]":
- version "3.370.0"
- resolved "https://registry.yarnpkg.com/@aws-sdk/token-providers/-/token-providers-3.370.0.tgz#e5229f2d116887c90ec103e024583be05c1f506c"
- integrity sha512-EyR2ZYr+lJeRiZU2/eLR+mlYU9RXLQvNyGFSAekJKgN13Rpq/h0syzXVFLP/RSod/oZenh/fhVZ2HwlZxuGBtQ==
+"@aws-sdk/[email protected]":
+ version "3.427.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/token-providers/-/token-providers-3.427.0.tgz#d4b9aacda0a8fdd408bb95bf4b8de919df1227b8"
+ integrity sha512-4E5E+4p8lJ69PBY400dJXF06LUHYx5lkKzBEsYqWWhoZcoftrvi24ltIhUDoGVLkrLcTHZIWSdFAWSos4hXqeg==
dependencies:
- "@aws-sdk/client-sso-oidc" "3.370.0"
- "@aws-sdk/types" "3.370.0"
- "@smithy/property-provider" "^1.0.1"
- "@smithy/shared-ini-file-loader" "^1.0.1"
- "@smithy/types" "^1.1.0"
+ "@aws-crypto/sha256-browser" "3.0.0"
+ "@aws-crypto/sha256-js" "3.0.0"
+ "@aws-sdk/middleware-host-header" "3.425.0"
+ "@aws-sdk/middleware-logger" "3.425.0"
+ "@aws-sdk/middleware-recursion-detection" "3.425.0"
+ "@aws-sdk/middleware-user-agent" "3.427.0"
+ "@aws-sdk/types" "3.425.0"
+ "@aws-sdk/util-endpoints" "3.427.0"
+ "@aws-sdk/util-user-agent-browser" "3.425.0"
+ "@aws-sdk/util-user-agent-node" "3.425.0"
+ "@smithy/config-resolver" "^2.0.11"
+ "@smithy/fetch-http-handler" "^2.2.1"
+ "@smithy/hash-node" "^2.0.10"
+ "@smithy/invalid-dependency" "^2.0.10"
+ "@smithy/middleware-content-length" "^2.0.12"
+ "@smithy/middleware-endpoint" "^2.0.10"
+ "@smithy/middleware-retry" "^2.0.13"
+ "@smithy/middleware-serde" "^2.0.10"
+ "@smithy/middleware-stack" "^2.0.4"
+ "@smithy/node-config-provider" "^2.0.13"
+ "@smithy/node-http-handler" "^2.1.6"
+ "@smithy/property-provider" "^2.0.0"
+ "@smithy/protocol-http" "^3.0.6"
+ "@smithy/shared-ini-file-loader" "^2.0.6"
+ "@smithy/smithy-client" "^2.1.9"
+ "@smithy/types" "^2.3.4"
+ "@smithy/url-parser" "^2.0.10"
+ "@smithy/util-base64" "^2.0.0"
+ "@smithy/util-body-length-browser" "^2.0.0"
+ "@smithy/util-body-length-node" "^2.1.0"
+ "@smithy/util-defaults-mode-browser" "^2.0.13"
+ "@smithy/util-defaults-mode-node" "^2.0.15"
+ "@smithy/util-retry" "^2.0.3"
+ "@smithy/util-utf8" "^2.0.0"
tslib "^2.5.0"
-"@aws-sdk/[email protected]", "@aws-sdk/types@^3.222.0":
- version "3.370.0"
- resolved "https://registry.yarnpkg.com/@aws-sdk/types/-/types-3.370.0.tgz#79e0e4927529c957b5c5c2a00f7590a76784a5e4"
- integrity sha512-8PGMKklSkRKjunFhzM2y5Jm0H2TBu7YRNISdYzXLUHKSP9zlMEYagseKVdmox0zKHf1LXVNuSlUV2b6SRrieCQ==
+"@aws-sdk/[email protected]", "@aws-sdk/types@^3.222.0":
+ version "3.425.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/types/-/types-3.425.0.tgz#8d4e94743a69c865a83785a9f3bcfd49945836f7"
+ integrity sha512-6lqbmorwerN4v+J5dqbHPAsjynI0mkEF+blf+69QTaKKGaxBBVaXgqoqul9RXYcK5MMrrYRbQIMd0zYOoy90kA==
dependencies:
- "@smithy/types" "^1.1.0"
+ "@smithy/types" "^2.3.4"
tslib "^2.5.0"
-"@aws-sdk/[email protected]":
- version "3.370.0"
- resolved "https://registry.yarnpkg.com/@aws-sdk/util-endpoints/-/util-endpoints-3.370.0.tgz#bf1f4653c3afc89d4e79aa4895dd3dffbb56c930"
- integrity sha512-5ltVAnM79nRlywwzZN5i8Jp4tk245OCGkKwwXbnDU+gq7zT3CIOsct1wNZvmpfZEPGt/bv7/NyRcjP+7XNsX/g==
+"@aws-sdk/[email protected]":
+ version "3.427.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/util-endpoints/-/util-endpoints-3.427.0.tgz#09f7f36201ba80c1c669a0f4c506fb93de1e66d4"
+ integrity sha512-rSyiAIFF/EVvity/+LWUqoTMJ0a25RAc9iqx0WZ4tf1UjuEXRRXxZEb+jEZg1bk+pY84gdLdx9z5E+MSJCZxNQ==
dependencies:
- "@aws-sdk/types" "3.370.0"
+ "@aws-sdk/types" "3.425.0"
+ "@smithy/node-config-provider" "^2.0.13"
tslib "^2.5.0"
"@aws-sdk/util-locate-window@^3.0.0":
@@ -432,24 +451,24 @@
dependencies:
tslib "^2.5.0"
-"@aws-sdk/[email protected]":
- version "3.370.0"
- resolved "https://registry.yarnpkg.com/@aws-sdk/util-user-agent-browser/-/util-user-agent-browser-3.370.0.tgz#df144f5f1a65578842b79d49555c754a531d85f0"
- integrity sha512-028LxYZMQ0DANKhW+AKFQslkScZUeYlPmSphrCIXgdIItRZh6ZJHGzE7J/jDsEntZOrZJsjI4z0zZ5W2idj04w==
+"@aws-sdk/[email protected]":
+ version "3.425.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/util-user-agent-browser/-/util-user-agent-browser-3.425.0.tgz#74d200d461ea2d75a8d4916c230ffe3a20fcb009"
+ integrity sha512-22Y9iMtjGcFjGILR6/xdp1qRezlHVLyXtnpEsbuPTiernRCPk6zfAnK/ATH77r02MUjU057tdxVkd5umUBTn9Q==
dependencies:
- "@aws-sdk/types" "3.370.0"
- "@smithy/types" "^1.1.0"
+ "@aws-sdk/types" "3.425.0"
+ "@smithy/types" "^2.3.4"
bowser "^2.11.0"
tslib "^2.5.0"
-"@aws-sdk/[email protected]":
- version "3.370.0"
- resolved "https://registry.yarnpkg.com/@aws-sdk/util-user-agent-node/-/util-user-agent-node-3.370.0.tgz#96d8420b42cbebd498de8b94886340d11c97a34b"
- integrity sha512-33vxZUp8vxTT/DGYIR3PivQm07sSRGWI+4fCv63Rt7Q++fO24E0kQtmVAlikRY810I10poD6rwILVtITtFSzkg==
+"@aws-sdk/[email protected]":
+ version "3.425.0"
+ resolved "https://registry.yarnpkg.com/@aws-sdk/util-user-agent-node/-/util-user-agent-node-3.425.0.tgz#847c0d6526a34e174419dcecf0e12cd000158a84"
+ integrity sha512-SIR4F5uQeeVAi8lv4OgRirtdtNi5zeyogTuQgGi9su8F/WP1N6JqxofcwpUY5f8/oJ2UlXr/tx1f09UHfJJzvA==
dependencies:
- "@aws-sdk/types" "3.370.0"
- "@smithy/node-config-provider" "^1.0.1"
- "@smithy/types" "^1.1.0"
+ "@aws-sdk/types" "3.425.0"
+ "@smithy/node-config-provider" "^2.0.13"
+ "@smithy/types" "^2.3.4"
tslib "^2.5.0"
"@aws-sdk/util-utf8-browser@^3.0.0":
@@ -460,52 +479,53 @@
tslib "^2.3.1"
"@babel/code-frame@^7.0.0":
- version "7.22.5"
- resolved "https://registry.yarnpkg.com/@babel/code-frame/-/code-frame-7.22.5.tgz#234d98e1551960604f1246e6475891a570ad5658"
- integrity sha512-Xmwn266vad+6DAqEB2A6V/CcZVp62BbwVmcOJc2RPuwih1kw02TjQvWVWlcKGbBPd+8/0V5DEkOcizRGYsspYQ==
+ version "7.22.13"
+ resolved "https://registry.yarnpkg.com/@babel/code-frame/-/code-frame-7.22.13.tgz#e3c1c099402598483b7a8c46a721d1038803755e"
+ integrity sha512-XktuhWlJ5g+3TJXc5upd9Ks1HutSArik6jf2eAjYFyIOf4ej3RN+184cZbzDvbPnuTJIUhPKKJE3cIsYTiAT3w==
dependencies:
- "@babel/highlight" "^7.22.5"
+ "@babel/highlight" "^7.22.13"
+ chalk "^2.4.2"
"@babel/helper-module-imports@^7.16.7":
- version "7.22.5"
- resolved "https://registry.yarnpkg.com/@babel/helper-module-imports/-/helper-module-imports-7.22.5.tgz#1a8f4c9f4027d23f520bd76b364d44434a72660c"
- integrity sha512-8Dl6+HD/cKifutF5qGd/8ZJi84QeAKh+CEe1sBzz8UayBBGg1dAIJrdHOcOM5b2MpzWL2yuotJTtGjETq0qjXg==
+ version "7.22.15"
+ resolved "https://registry.yarnpkg.com/@babel/helper-module-imports/-/helper-module-imports-7.22.15.tgz#16146307acdc40cc00c3b2c647713076464bdbf0"
+ integrity sha512-0pYVBnDKZO2fnSPCrgM/6WMc7eS20Fbok+0r88fp+YtWVLZrp4CkafFGIp+W0VKw4a22sgebPT99y+FDNMdP4w==
dependencies:
- "@babel/types" "^7.22.5"
+ "@babel/types" "^7.22.15"
"@babel/helper-string-parser@^7.22.5":
version "7.22.5"
resolved "https://registry.yarnpkg.com/@babel/helper-string-parser/-/helper-string-parser-7.22.5.tgz#533f36457a25814cf1df6488523ad547d784a99f"
integrity sha512-mM4COjgZox8U+JcXQwPijIZLElkgEpO5rsERVDJTc2qfCDfERyob6k5WegS14SX18IIjv+XD+GrqNumY5JRCDw==
-"@babel/helper-validator-identifier@^7.22.5":
- version "7.22.5"
- resolved "https://registry.yarnpkg.com/@babel/helper-validator-identifier/-/helper-validator-identifier-7.22.5.tgz#9544ef6a33999343c8740fa51350f30eeaaaf193"
- integrity sha512-aJXu+6lErq8ltp+JhkJUfk1MTGyuA4v7f3pA+BJ5HLfNC6nAQ0Cpi9uOquUj8Hehg0aUiHzWQbOVJGao6ztBAQ==
+"@babel/helper-validator-identifier@^7.22.20":
+ version "7.22.20"
+ resolved "https://registry.yarnpkg.com/@babel/helper-validator-identifier/-/helper-validator-identifier-7.22.20.tgz#c4ae002c61d2879e724581d96665583dbc1dc0e0"
+ integrity sha512-Y4OZ+ytlatR8AI+8KZfKuL5urKp7qey08ha31L8b3BwewJAoJamTzyvxPR/5D+KkdJCGPq/+8TukHBlY10FX9A==
-"@babel/highlight@^7.22.5":
- version "7.22.5"
- resolved "https://registry.yarnpkg.com/@babel/highlight/-/highlight-7.22.5.tgz#aa6c05c5407a67ebce408162b7ede789b4d22031"
- integrity sha512-BSKlD1hgnedS5XRnGOljZawtag7H1yPfQp0tdNJCHoH6AZ+Pcm9VvkrK59/Yy593Ypg0zMxH2BxD1VPYUQ7UIw==
+"@babel/highlight@^7.22.13":
+ version "7.22.20"
+ resolved "https://registry.yarnpkg.com/@babel/highlight/-/highlight-7.22.20.tgz#4ca92b71d80554b01427815e06f2df965b9c1f54"
+ integrity sha512-dkdMCN3py0+ksCgYmGG8jKeGA/8Tk+gJwSYYlFGxG5lmhfKNoAy004YpLxpS1W2J8m/EK2Ew+yOs9pVRwO89mg==
dependencies:
- "@babel/helper-validator-identifier" "^7.22.5"
- chalk "^2.0.0"
+ "@babel/helper-validator-identifier" "^7.22.20"
+ chalk "^2.4.2"
js-tokens "^4.0.0"
"@babel/runtime@^7.1.2", "@babel/runtime@^7.12.0", "@babel/runtime@^7.12.13", "@babel/runtime@^7.12.5", "@babel/runtime@^7.14.5", "@babel/runtime@^7.18.3", "@babel/runtime@^7.19.0", "@babel/runtime@^7.20.6", "@babel/runtime@^7.21.0", "@babel/runtime@^7.5.5", "@babel/runtime@^7.8.7":
- version "7.22.6"
- resolved "https://registry.yarnpkg.com/@babel/runtime/-/runtime-7.22.6.tgz#57d64b9ae3cff1d67eb067ae117dac087f5bd438"
- integrity sha512-wDb5pWm4WDdF6LFUde3Jl8WzPA+3ZbxYqkC6xAXuD3irdEHN1k0NfTRrJD8ZD378SJ61miMLCqIOXYhd8x+AJQ==
+ version "7.23.1"
+ resolved "https://registry.yarnpkg.com/@babel/runtime/-/runtime-7.23.1.tgz#72741dc4d413338a91dcb044a86f3c0bc402646d"
+ integrity sha512-hC2v6p8ZSI/W0HUzh3V8C5g+NwSKzKPtJwSpTjwl0o297GP9+ZLQSkdvHz46CM3LqyoXxq+5G9komY+eSqSO0g==
dependencies:
- regenerator-runtime "^0.13.11"
+ regenerator-runtime "^0.14.0"
-"@babel/types@^7.22.5":
- version "7.22.5"
- resolved "https://registry.yarnpkg.com/@babel/types/-/types-7.22.5.tgz#cd93eeaab025880a3a47ec881f4b096a5b786fbe"
- integrity sha512-zo3MIHGOkPOfoRXitsgHLjEXmlDaD/5KU1Uzuc9GNiZPhSqVxVRtxuPaSBZDsYZ9qV88AjtMtWW7ww98loJ9KA==
+"@babel/types@^7.22.15":
+ version "7.23.0"
+ resolved "https://registry.yarnpkg.com/@babel/types/-/types-7.23.0.tgz#8c1f020c9df0e737e4e247c0619f58c68458aaeb"
+ integrity sha512-0oIyUfKoI3mSqMvsxBdclDwxXKXAUA8v/apZbc+iSyARYou1o8ZGDxbUYyLFoW2arqS2jDGqJuZvv1d/io1axg==
dependencies:
"@babel/helper-string-parser" "^7.22.5"
- "@babel/helper-validator-identifier" "^7.22.5"
+ "@babel/helper-validator-identifier" "^7.22.20"
to-fast-properties "^2.0.0"
"@bcherny/[email protected]":
@@ -518,43 +538,43 @@
call-me-maybe "^1.0.1"
js-yaml "^4.1.0"
-"@csstools/cascade-layer-name-parser@^1.0.3", "@csstools/cascade-layer-name-parser@^1.0.4":
- version "1.0.4"
- resolved "https://registry.yarnpkg.com/@csstools/cascade-layer-name-parser/-/cascade-layer-name-parser-1.0.4.tgz#3ff490b84660dc0592b4315029f22908f3de0577"
- integrity sha512-zXMGsJetbLoXe+gjEES07MEGjL0Uy3hMxmnGtVBrRpVKr5KV9OgCB09zr/vLrsEtoVQTgJFewxaU8IYSAE4tjg==
+"@csstools/cascade-layer-name-parser@^1.0.4", "@csstools/cascade-layer-name-parser@^1.0.5":
+ version "1.0.5"
+ resolved "https://registry.yarnpkg.com/@csstools/cascade-layer-name-parser/-/cascade-layer-name-parser-1.0.5.tgz#c4d276e32787651df0007af22c9fa70d9c9ca3c2"
+ integrity sha512-v/5ODKNBMfBl0us/WQjlfsvSlYxfZLhNMVIsuCPib2ulTwGKYbKJbwqw671+qH9Y4wvWVnu7LBChvml/wBKjFg==
-"@csstools/color-helpers@^3.0.0":
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/@csstools/color-helpers/-/color-helpers-3.0.0.tgz#b64a9d86663b6d843b169f5da300f78c0242efc2"
- integrity sha512-rBODd1rY01QcenD34QxbQxLc1g+Uh7z1X/uzTHNQzJUnFCT9/EZYI7KWq+j0YfWMXJsRJ8lVkqBcB0R/qLr+yg==
+"@csstools/color-helpers@^3.0.2":
+ version "3.0.2"
+ resolved "https://registry.yarnpkg.com/@csstools/color-helpers/-/color-helpers-3.0.2.tgz#6571d289af8bfcc3a8d75357b35e6d17a8ba6848"
+ integrity sha512-NMVs/l7Y9eIKL5XjbCHEgGcG8LOUT2qVcRjX6EzkCdlvftHVKr2tHIPzHavfrULRZ5Q2gxrJ9f44dAlj6fX97Q==
-"@csstools/css-calc@^1.1.3":
- version "1.1.3"
- resolved "https://registry.yarnpkg.com/@csstools/css-calc/-/css-calc-1.1.3.tgz#75e07eec075f1f3df0ce25575dab3d63da2bd680"
- integrity sha512-7mJZ8gGRtSQfQKBQFi5N0Z+jzNC0q8bIkwojP1W0w+APzEqHu5wJoGVsvKxVnVklu9F8tW1PikbBRseYnAdv+g==
+"@csstools/css-calc@^1.1.4":
+ version "1.1.4"
+ resolved "https://registry.yarnpkg.com/@csstools/css-calc/-/css-calc-1.1.4.tgz#70bf4c5b379cdc256d3936bf4a21e3a3454a3d68"
+ integrity sha512-ZV1TSmToiNcQL1P3hfzlzZzA02mmVkVmXGaUDUqpYUG84PmLhVSZpKX+KfxAuOcK7de04UXSQPBrAvaya6iiGg==
-"@csstools/css-color-parser@^1.2.2":
- version "1.2.3"
- resolved "https://registry.yarnpkg.com/@csstools/css-color-parser/-/css-color-parser-1.2.3.tgz#0cd0f72c50894a623ae09f19e30bbfb298769f59"
- integrity sha512-YaEnCoPTdhE4lPQFH3dU4IEk8S+yCnxS88wMv45JzlnMfZp57hpqA6qf2gX8uv7IJTJ/43u6pTQmhy7hCjlz7g==
+"@csstools/css-color-parser@^1.2.0", "@csstools/css-color-parser@^1.3.3":
+ version "1.3.3"
+ resolved "https://registry.yarnpkg.com/@csstools/css-color-parser/-/css-color-parser-1.3.3.tgz#ccae33e97f196cd97b0e471b89b04735f27c9e80"
+ integrity sha512-8GHvh0jopx++NLfYg6e7Bb1snI+CrGdHxUdzjX6zERyjCRsL53dX0ZqE5i4z7thAHCaLRlQrAMIWgNI0EQkx7w==
dependencies:
- "@csstools/color-helpers" "^3.0.0"
- "@csstools/css-calc" "^1.1.3"
+ "@csstools/color-helpers" "^3.0.2"
+ "@csstools/css-calc" "^1.1.4"
-"@csstools/css-parser-algorithms@^2.3.0", "@csstools/css-parser-algorithms@^2.3.1":
- version "2.3.1"
- resolved "https://registry.yarnpkg.com/@csstools/css-parser-algorithms/-/css-parser-algorithms-2.3.1.tgz#ec4fc764ba45d2bb7ee2774667e056aa95003f3a"
- integrity sha512-xrvsmVUtefWMWQsGgFffqWSK03pZ1vfDki4IVIIUxxDKnGBzqNgv0A7SB1oXtVNEkcVO8xi1ZrTL29HhSu5kGA==
+"@csstools/css-parser-algorithms@^2.1.1", "@csstools/css-parser-algorithms@^2.3.1", "@csstools/css-parser-algorithms@^2.3.2":
+ version "2.3.2"
+ resolved "https://registry.yarnpkg.com/@csstools/css-parser-algorithms/-/css-parser-algorithms-2.3.2.tgz#1e0d581dbf4518cb3e939c3b863cb7180c8cedad"
+ integrity sha512-sLYGdAdEY2x7TSw9FtmdaTrh2wFtRJO5VMbBrA8tEqEod7GEggFmxTSK9XqExib3yMuYNcvcTdCZIP6ukdjAIA==
-"@csstools/css-tokenizer@^2.1.1", "@csstools/css-tokenizer@^2.2.0":
- version "2.2.0"
- resolved "https://registry.yarnpkg.com/@csstools/css-tokenizer/-/css-tokenizer-2.2.0.tgz#9d70e6dcbe94e44c7400a2929928db35c4de32b5"
- integrity sha512-wErmsWCbsmig8sQKkM6pFhr/oPha1bHfvxsUY5CYSQxwyhA9Ulrs8EqCgClhg4Tgg2XapVstGqSVcz0xOYizZA==
+"@csstools/css-tokenizer@^2.1.1", "@csstools/css-tokenizer@^2.2.0", "@csstools/css-tokenizer@^2.2.1":
+ version "2.2.1"
+ resolved "https://registry.yarnpkg.com/@csstools/css-tokenizer/-/css-tokenizer-2.2.1.tgz#9dc431c9a5f61087af626e41ac2a79cce7bb253d"
+ integrity sha512-Zmsf2f/CaEPWEVgw29odOj+WEVoiJy9s9NOv5GgNY9mZ1CZ7394By6wONrONrTsnNDv6F9hR02nvFihrGVGHBg==
-"@csstools/media-query-list-parser@^2.1.2", "@csstools/media-query-list-parser@^2.1.3":
- version "2.1.3"
- resolved "https://registry.yarnpkg.com/@csstools/media-query-list-parser/-/media-query-list-parser-2.1.3.tgz#4471ebd436a22019378fe9c8ac8c0f30c4fbb796"
- integrity sha512-ATul1u+pic4aVpstgueqxEv4MsObEbszAxfTXpx9LHaeD3LAh+wFqdCteyegWmjk0k5rkSCAvIOaJe9U3DD09w==
+"@csstools/media-query-list-parser@^2.1.4", "@csstools/media-query-list-parser@^2.1.5":
+ version "2.1.5"
+ resolved "https://registry.yarnpkg.com/@csstools/media-query-list-parser/-/media-query-list-parser-2.1.5.tgz#94bc8b3c3fd7112a40b7bf0b483e91eba0654a0f"
+ integrity sha512-IxVBdYzR8pYe89JiyXQuYk4aVVoCPhMJkz6ElRwlVysjwURTsTk/bmY/z4FfeRE+CRBMlykPwXEVUg8lThv7AQ==
"@csstools/postcss-cascade-layers@^4.0.0":
version "4.0.0"
@@ -564,34 +584,25 @@
"@csstools/selector-specificity" "^3.0.0"
postcss-selector-parser "^6.0.13"
-"@csstools/postcss-color-function@^3.0.1":
- version "3.0.1"
- resolved "https://registry.yarnpkg.com/@csstools/postcss-color-function/-/postcss-color-function-3.0.1.tgz#2f688783f9e8b2496bd0df6edbfb47b8300f01af"
- integrity sha512-+vrvCQeUifpMeyd42VQ3JPWGQ8cO19+TnGbtfq1SDSgZzRapCQO4aK9h/jhMOKPnxGzbA57oS0aHgP/12N9gSQ==
- dependencies:
- "@csstools/css-color-parser" "^1.2.2"
- "@csstools/css-parser-algorithms" "^2.3.1"
- "@csstools/css-tokenizer" "^2.2.0"
- "@csstools/postcss-progressive-custom-properties" "^3.0.0"
-
-"@csstools/postcss-color-mix-function@^2.0.1":
- version "2.0.1"
- resolved "https://registry.yarnpkg.com/@csstools/postcss-color-mix-function/-/postcss-color-mix-function-2.0.1.tgz#51c5656bcbee9d02d00d10ddcdb0a55486573fd4"
- integrity sha512-Z5cXkLiccKIVcUTe+fAfjUD7ZUv0j8rq3dSoBpM6I49dcw+50318eYrwUZa3nyb4xNx7ntNNUPmesAc87kPE2Q==
+"@csstools/postcss-color-function@^2.2.3":
+ version "2.2.3"
+ resolved "https://registry.yarnpkg.com/@csstools/postcss-color-function/-/postcss-color-function-2.2.3.tgz#c15546c3cc6041293024cdaa7d7998a340f88c39"
+ integrity sha512-b1ptNkr1UWP96EEHqKBWWaV5m/0hgYGctgA/RVZhONeP1L3T/8hwoqDm9bB23yVCfOgE9U93KI9j06+pEkJTvw==
dependencies:
- "@csstools/css-color-parser" "^1.2.2"
- "@csstools/css-parser-algorithms" "^2.3.1"
- "@csstools/css-tokenizer" "^2.2.0"
- "@csstools/postcss-progressive-custom-properties" "^3.0.0"
+ "@csstools/css-color-parser" "^1.2.0"
+ "@csstools/css-parser-algorithms" "^2.1.1"
+ "@csstools/css-tokenizer" "^2.1.1"
+ "@csstools/postcss-progressive-custom-properties" "^2.3.0"
-"@csstools/postcss-exponential-functions@^1.0.0":
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/@csstools/postcss-exponential-functions/-/postcss-exponential-functions-1.0.0.tgz#2e558ad2856e0c737d9cb98a5d91cfe8d785c9f6"
- integrity sha512-FPndJ/7oGlML7/4EhLi902wGOukO0Nn37PjwOQGc0BhhjQPy3np3By4d3M8s9Cfmp9EHEKgUHRN2DQ5HLT/hTw==
+"@csstools/postcss-color-mix-function@^1.0.3":
+ version "1.0.3"
+ resolved "https://registry.yarnpkg.com/@csstools/postcss-color-mix-function/-/postcss-color-mix-function-1.0.3.tgz#3755894bd8a04f82739327717700497a3f2f6f73"
+ integrity sha512-QGXjGugTluqFZWzVf+S3wCiRiI0ukXlYqCi7OnpDotP/zaVTyl/aqZujLFzTOXy24BoWnu89frGMc79ohY5eog==
dependencies:
- "@csstools/css-calc" "^1.1.3"
- "@csstools/css-parser-algorithms" "^2.3.1"
- "@csstools/css-tokenizer" "^2.2.0"
+ "@csstools/css-color-parser" "^1.2.0"
+ "@csstools/css-parser-algorithms" "^2.1.1"
+ "@csstools/css-tokenizer" "^2.1.1"
+ "@csstools/postcss-progressive-custom-properties" "^2.3.0"
"@csstools/postcss-font-format-keywords@^3.0.0":
version "3.0.0"
@@ -600,37 +611,37 @@
dependencies:
postcss-value-parser "^4.2.0"
-"@csstools/postcss-gradients-interpolation-method@^4.0.1":
- version "4.0.1"
- resolved "https://registry.yarnpkg.com/@csstools/postcss-gradients-interpolation-method/-/postcss-gradients-interpolation-method-4.0.1.tgz#abbe5ec9992b850c4330da2f1b57e73d2f5f5086"
- integrity sha512-IHeFIcksjI8xKX7PWLzAyigM3UvJdZ4btejeNa7y/wXxqD5dyPPZuY55y8HGTrS6ETVTRqfIznoCPtTzIX7ygQ==
+"@csstools/postcss-gradients-interpolation-method@^4.0.0":
+ version "4.0.6"
+ resolved "https://registry.yarnpkg.com/@csstools/postcss-gradients-interpolation-method/-/postcss-gradients-interpolation-method-4.0.6.tgz#6a625784947c635f0c0c39854d8bf62b97c39ea2"
+ integrity sha512-3YoaQtoz5uomMylT1eoSLLmsVwo1f7uP24Pd39mV5Zo9Bj04m1Mk+Xxe2sdvsgvGF4RX05SyRX5rKNcd7p+K8Q==
dependencies:
- "@csstools/css-color-parser" "^1.2.2"
- "@csstools/css-parser-algorithms" "^2.3.1"
- "@csstools/css-tokenizer" "^2.2.0"
- "@csstools/postcss-progressive-custom-properties" "^3.0.0"
+ "@csstools/css-color-parser" "^1.3.3"
+ "@csstools/css-parser-algorithms" "^2.3.2"
+ "@csstools/css-tokenizer" "^2.2.1"
+ "@csstools/postcss-progressive-custom-properties" "^3.0.1"
-"@csstools/postcss-hwb-function@^3.0.1":
- version "3.0.1"
- resolved "https://registry.yarnpkg.com/@csstools/postcss-hwb-function/-/postcss-hwb-function-3.0.1.tgz#72f47fae09e0dc48be4bd94cab15e6e98cc6de00"
- integrity sha512-FYe2K8EOYlL1BUm2HTXVBo6bWAj0xl4khOk6EFhQHy/C5p3rlr8OcetzQuwMeNQ3v25nB06QTgqUHoOUwoEqhA==
+"@csstools/postcss-hwb-function@^3.0.0":
+ version "3.0.5"
+ resolved "https://registry.yarnpkg.com/@csstools/postcss-hwb-function/-/postcss-hwb-function-3.0.5.tgz#437b56d3a994d05bdc315cdf0bb6aceb09e03639"
+ integrity sha512-ISRDhzB/dxsOnR+Z5GQmdOSIi4Q2lEf+7qdCsYMZJus971boaBzGL3A3W0U5m769qwDMRyy4CvHsRZP/8Vc2IQ==
dependencies:
- "@csstools/css-color-parser" "^1.2.2"
- "@csstools/css-parser-algorithms" "^2.3.1"
- "@csstools/css-tokenizer" "^2.2.0"
+ "@csstools/css-color-parser" "^1.3.3"
+ "@csstools/css-parser-algorithms" "^2.3.2"
+ "@csstools/css-tokenizer" "^2.2.1"
"@csstools/postcss-ic-unit@^3.0.0":
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/@csstools/postcss-ic-unit/-/postcss-ic-unit-3.0.0.tgz#bbc55170d880daa3cc096ee160e8f2492a48e881"
- integrity sha512-FH3+zfOfsgtX332IIkRDxiYLmgwyNk49tfltpC6dsZaO4RV2zWY6x9VMIC5cjvmjlDO7DIThpzqaqw2icT8RbQ==
+ version "3.0.1"
+ resolved "https://registry.yarnpkg.com/@csstools/postcss-ic-unit/-/postcss-ic-unit-3.0.1.tgz#9d4964fe9da11f51463e0a141b3184ee3a23acb8"
+ integrity sha512-OkKZV0XZQixChA6r68O9UfGNFv06cPVcuT+MjpzfEuoCfbNWCj+b0dhsmdz776giQ+DymPmFDlTD+QJEFPI7rw==
dependencies:
- "@csstools/postcss-progressive-custom-properties" "^3.0.0"
+ "@csstools/postcss-progressive-custom-properties" "^3.0.1"
postcss-value-parser "^4.2.0"
"@csstools/postcss-is-pseudo-class@^4.0.0":
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/@csstools/postcss-is-pseudo-class/-/postcss-is-pseudo-class-4.0.0.tgz#954c489cf207a7cfeaf4d96d39fac50757dc48cf"
- integrity sha512-0I6siRcDymG3RrkNTSvHDMxTQ6mDyYE8awkcaHNgtYacd43msl+4ZWDfQ1yZQ/viczVWjqJkLmPiRHSgxn5nZA==
+ version "4.0.3"
+ resolved "https://registry.yarnpkg.com/@csstools/postcss-is-pseudo-class/-/postcss-is-pseudo-class-4.0.3.tgz#d8b04ff5eefb1a9bc8f1ab99b8f3b6b04b704480"
+ integrity sha512-/dt5M9Ty/x3Yiq0Nm/5PJJzwkVFchJgdjKVnryBPtoMCb9ohb/nDIJOwr/Wr3hK3FDs1EA1GE6PyRYsUmQPS8Q==
dependencies:
"@csstools/selector-specificity" "^3.0.0"
postcss-selector-parser "^6.0.13"
@@ -647,31 +658,31 @@
dependencies:
postcss-value-parser "^4.2.0"
-"@csstools/postcss-logical-viewport-units@^2.0.1":
- version "2.0.1"
- resolved "https://registry.yarnpkg.com/@csstools/postcss-logical-viewport-units/-/postcss-logical-viewport-units-2.0.1.tgz#2921034d11d60ea7340ebe795bb4fe60f32ebbae"
- integrity sha512-R5s19SscS7CHoxvdYNMu2Y3WDwG4JjdhsejqjunDB1GqfzhtHSvL7b5XxCkUWqm2KRl35hI6kJ4HEaCDd/3BXg==
+"@csstools/postcss-logical-viewport-units@^2.0.0":
+ version "2.0.3"
+ resolved "https://registry.yarnpkg.com/@csstools/postcss-logical-viewport-units/-/postcss-logical-viewport-units-2.0.3.tgz#95e7195660bb8b05cd46f13d0495fe427e2db988"
+ integrity sha512-xeVxqND5rlQyqLGdH7rX34sIm/JbbQKxpKQP8oD1YQqUHHCLQR9NUS57WqJKajxKN6AcNAMWJhb5LUH5RfPcyA==
dependencies:
- "@csstools/css-tokenizer" "^2.2.0"
+ "@csstools/css-tokenizer" "^2.2.1"
-"@csstools/postcss-media-minmax@^1.0.6":
- version "1.0.6"
- resolved "https://registry.yarnpkg.com/@csstools/postcss-media-minmax/-/postcss-media-minmax-1.0.6.tgz#ed4cac86640c2dd4c3aa2ec491afc28527a10151"
- integrity sha512-BmwKkqEzzQz6D+5ctoacsiGrq4kVgd1PMEPwkwdR0qFaL2C2nguGsWG87xEw+HIts/2yxhIPTm7Jp3DQq+wn3Q==
+"@csstools/postcss-media-minmax@^1.0.5":
+ version "1.1.0"
+ resolved "https://registry.yarnpkg.com/@csstools/postcss-media-minmax/-/postcss-media-minmax-1.1.0.tgz#8d46317b6686cd49e05870ae3c8993e49a54149c"
+ integrity sha512-t5Li/DPC5QmW/6VFLfUvsw/4dNYYseWR0tOXDeJg/9EKUodBgNawz5tuk5vYKtNvoj+Q08odMuXcpS5YJj0AFA==
dependencies:
- "@csstools/css-calc" "^1.1.3"
- "@csstools/css-parser-algorithms" "^2.3.1"
- "@csstools/css-tokenizer" "^2.2.0"
- "@csstools/media-query-list-parser" "^2.1.3"
+ "@csstools/css-calc" "^1.1.4"
+ "@csstools/css-parser-algorithms" "^2.3.2"
+ "@csstools/css-tokenizer" "^2.2.1"
+ "@csstools/media-query-list-parser" "^2.1.5"
-"@csstools/postcss-media-queries-aspect-ratio-number-values@^2.0.1":
- version "2.0.1"
- resolved "https://registry.yarnpkg.com/@csstools/postcss-media-queries-aspect-ratio-number-values/-/postcss-media-queries-aspect-ratio-number-values-2.0.1.tgz#00d30e83e0b1e82a09ab890dcef80cc41be1ab8c"
- integrity sha512-UvMYxXT3R011whbxzRwLx7d7eNGyVsnZo7waAmf10ZGnT34XidY+rsdFnk6OdFwuG6FYqw3/tptQEAZOmUgvLw==
+"@csstools/postcss-media-queries-aspect-ratio-number-values@^2.0.0":
+ version "2.0.3"
+ resolved "https://registry.yarnpkg.com/@csstools/postcss-media-queries-aspect-ratio-number-values/-/postcss-media-queries-aspect-ratio-number-values-2.0.3.tgz#a74355c828a13ede8e8390bcf2701a34a60696b3"
+ integrity sha512-IPL8AvnwMYW+cWtp+j8cW3MFN0RyXNT4hLOvs6Rf2N+NcbvXhSyKxZuE3W9Cv4KjaNoNoGx1d0UhT6tktq6tUw==
dependencies:
- "@csstools/css-parser-algorithms" "^2.3.1"
- "@csstools/css-tokenizer" "^2.2.0"
- "@csstools/media-query-list-parser" "^2.1.3"
+ "@csstools/css-parser-algorithms" "^2.3.2"
+ "@csstools/css-tokenizer" "^2.2.1"
+ "@csstools/media-query-list-parser" "^2.1.5"
"@csstools/postcss-nested-calc@^3.0.0":
version "3.0.0"
@@ -681,38 +692,45 @@
postcss-value-parser "^4.2.0"
"@csstools/postcss-normalize-display-values@^3.0.0":
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/@csstools/postcss-normalize-display-values/-/postcss-normalize-display-values-3.0.0.tgz#de995eeafe217ac1854a7135b1db44c57487e9ea"
- integrity sha512-6Nw55PRXEKEVqn3bzA8gRRPYxr5tf5PssvcE5DRA/nAxKgKtgNZMCHCSd1uxTCWeyLnkf6h5tYRSB0P1Vh/K/A==
+ version "3.0.1"
+ resolved "https://registry.yarnpkg.com/@csstools/postcss-normalize-display-values/-/postcss-normalize-display-values-3.0.1.tgz#8bacd4fa20434de67a7b1f4f64f6e4476922a98d"
+ integrity sha512-nUvRxI+ALJwkxZdPU4EDyuM380vP91sAGvI3jAOHs/sr3jfcCOzLkY6xKI1Mr526kZ3RivmMoYM/xq+XFyE/bw==
dependencies:
postcss-value-parser "^4.2.0"
-"@csstools/postcss-oklab-function@^3.0.1":
- version "3.0.1"
- resolved "https://registry.yarnpkg.com/@csstools/postcss-oklab-function/-/postcss-oklab-function-3.0.1.tgz#2e33ed1761ce78d59a9156f1201a52fda7c75899"
- integrity sha512-3TIz+dCPlQPzz4yAEYXchUpfuU2gRYK4u1J+1xatNX85Isg4V+IbLyppblWLV4Vb6npFF8qsHN17rNuxOIy/6w==
+"@csstools/postcss-oklab-function@^3.0.0":
+ version "3.0.6"
+ resolved "https://registry.yarnpkg.com/@csstools/postcss-oklab-function/-/postcss-oklab-function-3.0.6.tgz#24494aec15c2f27051e9ed42660aa29998ccf47d"
+ integrity sha512-p//JBeyk57OsNT1y9snWqunJ5g39JXjJUVlOcUUNavKxwQiRcXx2otONy7fRj6y3XKHLvp8wcV7kn93rooNaYA==
dependencies:
- "@csstools/css-color-parser" "^1.2.2"
- "@csstools/css-parser-algorithms" "^2.3.1"
- "@csstools/css-tokenizer" "^2.2.0"
- "@csstools/postcss-progressive-custom-properties" "^3.0.0"
+ "@csstools/css-color-parser" "^1.3.3"
+ "@csstools/css-parser-algorithms" "^2.3.2"
+ "@csstools/css-tokenizer" "^2.2.1"
+ "@csstools/postcss-progressive-custom-properties" "^3.0.1"
-"@csstools/postcss-progressive-custom-properties@^3.0.0":
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/@csstools/postcss-progressive-custom-properties/-/postcss-progressive-custom-properties-3.0.0.tgz#bb86ae4bb7f2206b0cf6e9b8f0bfc191f67271d8"
- integrity sha512-2/D3CCL9DN2xhuUTP8OKvKnaqJ1j4yZUxuGLsCUOQ16wnDAuMLKLkflOmZF5tsPh/02VPeXRmqIN+U595WAulw==
+"@csstools/postcss-progressive-custom-properties@^2.3.0":
+ version "2.3.0"
+ resolved "https://registry.yarnpkg.com/@csstools/postcss-progressive-custom-properties/-/postcss-progressive-custom-properties-2.3.0.tgz#c16ad5fd9893136efc844e867e80f4becdb223d9"
+ integrity sha512-Zd8ojyMlsL919TBExQ1I0CTpBDdyCpH/yOdqatZpuC3sd22K4SwC7+Yez3Q/vmXMWSAl+shjNeFZ7JMyxMjK+Q==
dependencies:
postcss-value-parser "^4.2.0"
-"@csstools/postcss-relative-color-syntax@^2.0.1":
- version "2.0.1"
- resolved "https://registry.yarnpkg.com/@csstools/postcss-relative-color-syntax/-/postcss-relative-color-syntax-2.0.1.tgz#b7e928fdef9366e1060e2bf4d95cab605855446b"
- integrity sha512-9B8br/7q0bjD1fV3yE22izjc7Oy5hDbDgwdFEz207cdJHYC9yQneJzP3H+/w3RgC7uyfEVhyyhkGRx5YAfJtmg==
+"@csstools/postcss-progressive-custom-properties@^3.0.0", "@csstools/postcss-progressive-custom-properties@^3.0.1":
+ version "3.0.1"
+ resolved "https://registry.yarnpkg.com/@csstools/postcss-progressive-custom-properties/-/postcss-progressive-custom-properties-3.0.1.tgz#15251d880d60850df42deeb7702aab6c50ab74e7"
+ integrity sha512-yfdEk8o3CWPTusoInmGpOVCcMg1FikcKZyYB5ApULg9mES4FTGNuHK3MESscmm64yladcLNkPlz26O7tk3LMbA==
dependencies:
- "@csstools/css-color-parser" "^1.2.2"
- "@csstools/css-parser-algorithms" "^2.3.1"
- "@csstools/css-tokenizer" "^2.2.0"
- "@csstools/postcss-progressive-custom-properties" "^3.0.0"
+ postcss-value-parser "^4.2.0"
+
+"@csstools/postcss-relative-color-syntax@^2.0.0":
+ version "2.0.6"
+ resolved "https://registry.yarnpkg.com/@csstools/postcss-relative-color-syntax/-/postcss-relative-color-syntax-2.0.6.tgz#f446d47f952844ff57871f102a47d5ed9f3c11be"
+ integrity sha512-GAtXFxhKRWtPOV0wJ7ENCPZUSxJtVzsDvSCzTs8aaU1g1634SlpJWVNEDuVHllzJAWk/CB97p2qkDU3jITPL3A==
+ dependencies:
+ "@csstools/css-color-parser" "^1.3.3"
+ "@csstools/css-parser-algorithms" "^2.3.2"
+ "@csstools/css-tokenizer" "^2.2.1"
+ "@csstools/postcss-progressive-custom-properties" "^3.0.1"
"@csstools/postcss-scope-pseudo-class@^3.0.0":
version "3.0.0"
@@ -721,31 +739,31 @@
dependencies:
postcss-selector-parser "^6.0.13"
-"@csstools/postcss-stepped-value-functions@^3.0.1":
- version "3.0.1"
- resolved "https://registry.yarnpkg.com/@csstools/postcss-stepped-value-functions/-/postcss-stepped-value-functions-3.0.1.tgz#c337a8ae09bec13cdf6c95f63a58b407f6965557"
- integrity sha512-y1sykToXorFE+5cjtp//xAMWEAEple0kcZn2QhzEFIZDDNvGOCp5JvvmmPGsC3eDlj6yQp70l9uXZNLnimEYfA==
+"@csstools/postcss-stepped-value-functions@^3.0.0":
+ version "3.0.2"
+ resolved "https://registry.yarnpkg.com/@csstools/postcss-stepped-value-functions/-/postcss-stepped-value-functions-3.0.2.tgz#a902395efbf9c5c30a6d902a7c65549fb3f49309"
+ integrity sha512-I3wX44MZVv+tDuWfrd3BTvRB/YRIM2F5v1MBtTI89sxpFn47mNpTwpPYUOGPVCgKlRDfZSlxIUYhUQmqRQZZFQ==
dependencies:
- "@csstools/css-calc" "^1.1.3"
- "@csstools/css-parser-algorithms" "^2.3.1"
- "@csstools/css-tokenizer" "^2.2.0"
+ "@csstools/css-calc" "^1.1.4"
+ "@csstools/css-parser-algorithms" "^2.3.2"
+ "@csstools/css-tokenizer" "^2.2.1"
"@csstools/postcss-text-decoration-shorthand@^3.0.0":
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/@csstools/postcss-text-decoration-shorthand/-/postcss-text-decoration-shorthand-3.0.0.tgz#468800a47fcb4760df8c60bbf1ba7999f44b4dd4"
- integrity sha512-BAa1MIMJmEZlJ+UkPrkyoz3DC7kLlIl2oDya5yXgvUrelpwxddgz8iMp69qBStdXwuMyfPx46oZcSNx8Z0T2eA==
+ version "3.0.3"
+ resolved "https://registry.yarnpkg.com/@csstools/postcss-text-decoration-shorthand/-/postcss-text-decoration-shorthand-3.0.3.tgz#e0708cf41f94013837edca1c6db23d5d6dd3c10e"
+ integrity sha512-d5J9m49HhqXRcw1S6vTZuviHi/iknUKGjBpChiNK1ARg9sSa3b8m5lsWz5Izs8ISORZdv2bZRwbw5Z2R6gQ9kQ==
dependencies:
- "@csstools/color-helpers" "^3.0.0"
+ "@csstools/color-helpers" "^3.0.2"
postcss-value-parser "^4.2.0"
-"@csstools/postcss-trigonometric-functions@^3.0.1":
- version "3.0.1"
- resolved "https://registry.yarnpkg.com/@csstools/postcss-trigonometric-functions/-/postcss-trigonometric-functions-3.0.1.tgz#06148aa8624b69a6573adb40ed27d3d019875caa"
- integrity sha512-hW+JPv0MPQfWC1KARgvJI6bisEUFAZWSvUNq/khGCupYV/h6Z9R2ZFz0Xc633LXBst0ezbXpy7NpnPurSx5Klw==
+"@csstools/postcss-trigonometric-functions@^3.0.0":
+ version "3.0.2"
+ resolved "https://registry.yarnpkg.com/@csstools/postcss-trigonometric-functions/-/postcss-trigonometric-functions-3.0.2.tgz#b03d045015fc6e16d81e36e5783c545b5590a2f2"
+ integrity sha512-AwzNhF4QOKaLOKvMljwwFkeYXwufhRO15G+kKohHkyoNOL75xWkN+W2Y9ik9tSeAyDv+cYNlYaF+o/a79WjVjg==
dependencies:
- "@csstools/css-calc" "^1.1.3"
- "@csstools/css-parser-algorithms" "^2.3.1"
- "@csstools/css-tokenizer" "^2.2.0"
+ "@csstools/css-calc" "^1.1.4"
+ "@csstools/css-parser-algorithms" "^2.3.2"
+ "@csstools/css-tokenizer" "^2.2.1"
"@csstools/postcss-unset-value@^3.0.0":
version "3.0.0"
@@ -757,17 +775,17 @@
resolved "https://registry.yarnpkg.com/@csstools/selector-specificity/-/selector-specificity-3.0.0.tgz#798622546b63847e82389e473fd67f2707d82247"
integrity sha512-hBI9tfBtuPIi885ZsZ32IMEU/5nlZH/KOVYJCOh7gyMxaVLGmLedYqFN6Ui1LXkI8JlC8IsuC0rF0btcRZKd5g==
-"@date-io/core@^2.17.0":
+"@date-io/core@^2.16.0":
version "2.17.0"
resolved "https://registry.yarnpkg.com/@date-io/core/-/core-2.17.0.tgz#360a4d0641f069776ed22e457876e8a8a58c205e"
integrity sha512-+EQE8xZhRM/hsY0CDTVyayMDDY5ihc4MqXCrPxooKw19yAzUIC6uUqsZeaOFNL9YKTNxYKrJP5DFgE8o5xRCOw==
-"@date-io/date-fns@^2.16.0":
- version "2.17.0"
- resolved "https://registry.yarnpkg.com/@date-io/date-fns/-/date-fns-2.17.0.tgz#1d9d0a02e0137524331819c9576a4e8e19a6142b"
- integrity sha512-L0hWZ/mTpy3Gx/xXJ5tq5CzHo0L7ry6KEO9/w/JWiFWFLZgiNVo3ex92gOl3zmzjHqY/3Ev+5sehAr8UnGLEng==
+"@date-io/[email protected]":
+ version "2.16.0"
+ resolved "https://registry.yarnpkg.com/@date-io/date-fns/-/date-fns-2.16.0.tgz#bd5e09b6ecb47ee55e593fc3a87e7b2caaa3da40"
+ integrity sha512-bfm5FJjucqlrnQcXDVU5RD+nlGmL3iWgkHTq3uAZWVIuBu6dDmGa3m8a6zo2VQQpu8ambq9H22UyUpn7590joA==
dependencies:
- "@date-io/core" "^2.17.0"
+ "@date-io/core" "^2.16.0"
"@discoveryjs/[email protected]", "@discoveryjs/json-ext@^0.5.0":
version "0.5.7"
@@ -781,7 +799,7 @@
dependencies:
tslib "^2.0.0"
-"@dnd-kit/core@^6.0.7":
+"@dnd-kit/[email protected]":
version "6.0.8"
resolved "https://registry.yarnpkg.com/@dnd-kit/core/-/core-6.0.8.tgz#040ae13fea9787ee078e5f0361f3b49b07f3f005"
integrity sha512-lYaoP8yHTQSLlZe6Rr9qogouGUz9oRUj4AHhDQGQzq/hqaJRpFo65X+JKsdHf8oUFBzx5A+SJPUvxAwTF2OabA==
@@ -790,7 +808,7 @@
"@dnd-kit/utilities" "^3.2.1"
tslib "^2.0.0"
-"@dnd-kit/sortable@^7.0.2":
+"@dnd-kit/[email protected]":
version "7.0.2"
resolved "https://registry.yarnpkg.com/@dnd-kit/sortable/-/sortable-7.0.2.tgz#791d550872457f3f3c843e00d159b640f982011c"
integrity sha512-wDkBHHf9iCi1veM834Gbk1429bd4lHX4RpAwT0y2cHLf246GAvU2sVw/oxWNpPKQNQRQaeGXhAVgrOl1IT+iyA==
@@ -911,15 +929,15 @@
dependencies:
eslint-visitor-keys "^3.3.0"
-"@eslint-community/regexpp@^4.4.0":
- version "4.6.1"
- resolved "https://registry.yarnpkg.com/@eslint-community/regexpp/-/regexpp-4.6.1.tgz#0b371c118b8e4ebf9dbddb56120ab4befd791211"
- integrity sha512-O7x6dMstWLn2ktjcoiNLDkAGG2EjveHL+Vvc+n0fXumkJYAcSqcVYKtwDU+hDZ0uDUsnUagSYaZrOLAYE8un1A==
+"@eslint-community/regexpp@^4.4.0", "@eslint-community/regexpp@^4.6.1":
+ version "4.9.1"
+ resolved "https://registry.yarnpkg.com/@eslint-community/regexpp/-/regexpp-4.9.1.tgz#449dfa81a57a1d755b09aa58d826c1262e4283b4"
+ integrity sha512-Y27x+MBLjXa+0JWDhykM3+JE+il3kHKAEqabfEWq3SDhZjLYb6/BHL/JKFnH3fe207JaXkyDo685Oc2Glt6ifA==
-"@eslint/eslintrc@^2.1.0":
- version "2.1.0"
- resolved "https://registry.yarnpkg.com/@eslint/eslintrc/-/eslintrc-2.1.0.tgz#82256f164cc9e0b59669efc19d57f8092706841d"
- integrity sha512-Lj7DECXqIVCqnqjjHMPna4vn6GJcMgul/wuS0je9OZ9gsL0zzDpKPVtcG1HaDVc+9y+qgXneTeUMbCqXJNpH1A==
+"@eslint/eslintrc@^2.1.2":
+ version "2.1.2"
+ resolved "https://registry.yarnpkg.com/@eslint/eslintrc/-/eslintrc-2.1.2.tgz#c6936b4b328c64496692f76944e755738be62396"
+ integrity sha512-+wvgpDsrB1YqAMdEUCcnTlpfVBH7Vqn6A/NT3D8WVXFIaKMlErPIZT3oCIAVCOtarRpMtelZLqJeU3t7WY6X6g==
dependencies:
ajv "^6.12.4"
debug "^4.3.2"
@@ -931,12 +949,12 @@
minimatch "^3.1.2"
strip-json-comments "^3.1.1"
-"@eslint/[email protected]":
- version "8.44.0"
- resolved "https://registry.yarnpkg.com/@eslint/js/-/js-8.44.0.tgz#961a5903c74139390478bdc808bcde3fc45ab7af"
- integrity sha512-Ag+9YM4ocKQx9AarydN0KY2j0ErMHNIocPDrVo8zAE44xLTjEtz81OdR68/cydGtk6m6jDb5Za3r2useMzYmSw==
+"@eslint/[email protected]":
+ version "8.51.0"
+ resolved "https://registry.yarnpkg.com/@eslint/js/-/js-8.51.0.tgz#6d419c240cfb2b66da37df230f7e7eef801c32fa"
+ integrity sha512-HxjQ8Qn+4SI3/AFv6sOrDB+g6PpUTDwSJiQqOrnneEk8L71161srI9gjzzZvYVbzHiVg/BvcH95+cK/zfIt4pg==
-"@faceless-ui/modal@^2.0.1":
+"@faceless-ui/[email protected]":
version "2.0.1"
resolved "https://registry.yarnpkg.com/@faceless-ui/modal/-/modal-2.0.1.tgz#8a47299442eff450c09432cfaef35c5471becad6"
integrity sha512-z1PaaLxwuX+1In4vhUxODZndGKdCY+WIqzvtnas3CaYGGCVJBSJ4jfv9UEEGZzcahmSy+71bEL89cUT6d36j1Q==
@@ -946,27 +964,35 @@
qs "^6.9.1"
react-transition-group "^4.4.2"
-"@faceless-ui/scroll-info@^1.3.0":
+"@faceless-ui/[email protected]":
version "1.3.0"
resolved "https://registry.yarnpkg.com/@faceless-ui/scroll-info/-/scroll-info-1.3.0.tgz#4d9f76afa4c004018697424f77f8bc362ccaae08"
integrity sha512-X+doJMzQqyVGpwV/YgXUAalNWepP2W8ThgZspKZLFG43zTYLVTU17BYCjjY+ggKuA3b0W3JyXZ2M8f247AdmHw==
-"@faceless-ui/window-info@^2.1.1":
+"@faceless-ui/[email protected]":
version "2.1.1"
resolved "https://registry.yarnpkg.com/@faceless-ui/window-info/-/window-info-2.1.1.tgz#ed1474a60ab794295bca4c29e295b1e11a584d22"
integrity sha512-gMAgda7beR4CNpBIXjgRVn97ek0LG3PAj9lxmoYdg574IEzLFZAh3eAYtTaS2XLKgb4+IHhsuBzlGmHbeOo2Aw==
-"@floating-ui/core@^1.3.1":
- version "1.3.1"
- resolved "https://registry.yarnpkg.com/@floating-ui/core/-/core-1.3.1.tgz#4d795b649cc3b1cbb760d191c80dcb4353c9a366"
- integrity sha512-Bu+AMaXNjrpjh41znzHqaz3r2Nr8hHuHZT6V2LBKMhyMl0FgKA62PNYbqnfgmzOhoWZj70Zecisbo4H1rotP5g==
+"@floating-ui/core@^1.4.2":
+ version "1.5.0"
+ resolved "https://registry.yarnpkg.com/@floating-ui/core/-/core-1.5.0.tgz#5c05c60d5ae2d05101c3021c1a2a350ddc027f8c"
+ integrity sha512-kK1h4m36DQ0UHGj5Ah4db7R0rHemTqqO0QLvUqi1/mUUp3LuAWbWxdxSIf/XsnH9VS6rRVPLJCncjRzUvyCLXg==
+ dependencies:
+ "@floating-ui/utils" "^0.1.3"
"@floating-ui/dom@^1.0.1":
- version "1.4.5"
- resolved "https://registry.yarnpkg.com/@floating-ui/dom/-/dom-1.4.5.tgz#336dfb9870c98b471ff5802002982e489b8bd1c5"
- integrity sha512-96KnRWkRnuBSSFbj0sFGwwOUd8EkiecINVl0O9wiZlZ64EkpyAOG3Xc2vKKNJmru0Z7RqWNymA+6b8OZqjgyyw==
+ version "1.5.3"
+ resolved "https://registry.yarnpkg.com/@floating-ui/dom/-/dom-1.5.3.tgz#54e50efcb432c06c23cd33de2b575102005436fa"
+ integrity sha512-ClAbQnEqJAKCJOEbbLo5IUlZHkNszqhuxS4fHAVxRPXPya6Ysf2G8KypnYcOTpx6I8xcgF9bbHb6g/2KpbV8qA==
dependencies:
- "@floating-ui/core" "^1.3.1"
+ "@floating-ui/core" "^1.4.2"
+ "@floating-ui/utils" "^0.1.3"
+
+"@floating-ui/utils@^0.1.3":
+ version "0.1.6"
+ resolved "https://registry.yarnpkg.com/@floating-ui/utils/-/utils-0.1.6.tgz#22958c042e10b67463997bd6ea7115fe28cbcaf9"
+ integrity sha512-OfX7E2oUDYxtBvsuS4e/jSn4Q9Qb6DzgeYtsAdkPZ47znpoNsMgZw0+tVijiv3uGNR6dgNlty6r9rzIzHjtd/A==
"@hapi/hoek@^9.0.0":
version "9.3.0"
@@ -980,10 +1006,10 @@
dependencies:
"@hapi/hoek" "^9.0.0"
-"@humanwhocodes/config-array@^0.11.10":
- version "0.11.10"
- resolved "https://registry.yarnpkg.com/@humanwhocodes/config-array/-/config-array-0.11.10.tgz#5a3ffe32cc9306365fb3fd572596cd602d5e12d2"
- integrity sha512-KVVjQmNUepDVGXNuoRRdmmEjruj0KfiGSbS8LVc12LMsWDQzRXJ0qdhN8L8uUigKpfEHRhlaQFY0ib1tnUbNeQ==
+"@humanwhocodes/config-array@^0.11.11":
+ version "0.11.11"
+ resolved "https://registry.yarnpkg.com/@humanwhocodes/config-array/-/config-array-0.11.11.tgz#88a04c570dbbc7dd943e4712429c3df09bc32844"
+ integrity sha512-N2brEuAadi0CcdeMXUkhbZB84eskAc8MEX1By6qEchoVywSgXPIjou4rYsl0V3Hj0ZnuGycGCjdNgockbzeWNA==
dependencies:
"@humanwhocodes/object-schema" "^1.2.1"
debug "^4.1.1"
@@ -999,19 +1025,19 @@
resolved "https://registry.yarnpkg.com/@humanwhocodes/object-schema/-/object-schema-1.2.1.tgz#b520529ec21d8e5945a1851dfd1c32e94e39ff45"
integrity sha512-ZnQMnLV4e7hDlUvw8H+U8ASL02SS2Gn6+9Ac3wGGLIe7+je2AeAOxPY+izIPJDfFDb7eDjev0Us8MO1iFRN8hA==
-"@jest/schemas@^29.6.0":
- version "29.6.0"
- resolved "https://registry.yarnpkg.com/@jest/schemas/-/schemas-29.6.0.tgz#0f4cb2c8e3dca80c135507ba5635a4fd755b0040"
- integrity sha512-rxLjXyJBTL4LQeJW3aKo0M/+GkCOXsO+8i9Iu7eDb6KwtP65ayoDsitrdPBtujxQ88k4wI2FNYfa6TOGwSn6cQ==
+"@jest/schemas@^29.6.3":
+ version "29.6.3"
+ resolved "https://registry.yarnpkg.com/@jest/schemas/-/schemas-29.6.3.tgz#430b5ce8a4e0044a7e3819663305a7b3091c8e03"
+ integrity sha512-mo5j5X+jIZmJQveBKeS/clAueipV7KgiX1vMgCxam1RNYiqE1w62n0/tJJnHtjW8ZHcQco5gY85jA3mi0L+nSA==
dependencies:
"@sinclair/typebox" "^0.27.8"
-"@jest/types@^29.6.1":
- version "29.6.1"
- resolved "https://registry.yarnpkg.com/@jest/types/-/types-29.6.1.tgz#ae79080278acff0a6af5eb49d063385aaa897bf2"
- integrity sha512-tPKQNMPuXgvdOn2/Lg9HNfUvjYVGolt04Hp03f5hAk878uwOLikN+JzeLY0HcVgKgFl9Hs3EIqpu3WX27XNhnw==
+"@jest/types@^29.6.3":
+ version "29.6.3"
+ resolved "https://registry.yarnpkg.com/@jest/types/-/types-29.6.3.tgz#1131f8cf634e7e84c5e77bab12f052af585fba59"
+ integrity sha512-u3UPsIilWKOM3F9CXtrG8LEJmNxwoCQC/XVj4IKYXvvpx7QIi/Kg1LI5uDmDpKlac62NUtX7eLjRh+jVZcLOzw==
dependencies:
- "@jest/schemas" "^29.6.0"
+ "@jest/schemas" "^29.6.3"
"@types/istanbul-lib-coverage" "^2.0.0"
"@types/istanbul-reports" "^3.0.0"
"@types/node" "*"
@@ -1027,10 +1053,10 @@
"@jridgewell/sourcemap-codec" "^1.4.10"
"@jridgewell/trace-mapping" "^0.3.9"
-"@jridgewell/[email protected]":
- version "3.1.0"
- resolved "https://registry.yarnpkg.com/@jridgewell/resolve-uri/-/resolve-uri-3.1.0.tgz#2203b118c157721addfe69d47b70465463066d78"
- integrity sha512-F2msla3tad+Mfht5cJq7LSXcdudKTWCVYUgw6pLFOOHSTtZlj6SWNYAp+AhuqLmWdBO2X5hPrLcu8cVP8fy28w==
+"@jridgewell/resolve-uri@^3.1.0":
+ version "3.1.1"
+ resolved "https://registry.yarnpkg.com/@jridgewell/resolve-uri/-/resolve-uri-3.1.1.tgz#c08679063f279615a3326583ba3a90d1d82cc721"
+ integrity sha512-dSYZh7HhCDtCKm4QakX0xFpsRDqjjtZf/kjI/v3T3Nwt5r8/qz/M19F9ySyOqU94SXBmeG9ttTul+YnR4LOxFA==
"@jridgewell/set-array@^1.0.1":
version "1.1.2"
@@ -1045,23 +1071,18 @@
"@jridgewell/gen-mapping" "^0.3.0"
"@jridgewell/trace-mapping" "^0.3.9"
-"@jridgewell/[email protected]":
- version "1.4.14"
- resolved "https://registry.yarnpkg.com/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.4.14.tgz#add4c98d341472a289190b424efbdb096991bb24"
- integrity sha512-XPSJHWmi394fuUuzDnGz1wiKqWfo1yXecHQMRf2l6hztTO+nPru658AyDngaBe7isIxEkRsPR3FZh+s7iVa4Uw==
-
-"@jridgewell/sourcemap-codec@^1.4.10":
+"@jridgewell/sourcemap-codec@^1.4.10", "@jridgewell/sourcemap-codec@^1.4.14":
version "1.4.15"
resolved "https://registry.yarnpkg.com/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.4.15.tgz#d7c6e6755c78567a951e04ab52ef0fd26de59f32"
integrity sha512-eF2rxCRulEKXHTRiDrDy6erMYWqNw4LPdQ8UQA4huuxaQsVeRPFl2oM8oDGxMFhJUWZf9McpLtJasDDZb/Bpeg==
"@jridgewell/trace-mapping@^0.3.17", "@jridgewell/trace-mapping@^0.3.18", "@jridgewell/trace-mapping@^0.3.9":
- version "0.3.18"
- resolved "https://registry.yarnpkg.com/@jridgewell/trace-mapping/-/trace-mapping-0.3.18.tgz#25783b2086daf6ff1dcb53c9249ae480e4dd4cd6"
- integrity sha512-w+niJYzMHdd7USdiH2U6869nqhD2nbfZXND5Yp93qIbEmnDNk7PD48o+YchRVpzMU7M6jVCbenTR7PA1FLQ9pA==
+ version "0.3.19"
+ resolved "https://registry.yarnpkg.com/@jridgewell/trace-mapping/-/trace-mapping-0.3.19.tgz#f8a3249862f91be48d3127c3cfe992f79b4b8811"
+ integrity sha512-kf37QtfW+Hwx/buWGMPcR60iF9ziHa6r/CZJIHbmcm4+0qrXiVdxegAH0F6yddEVQ7zdkjcGCgCzUu+BcbhQxw==
dependencies:
- "@jridgewell/resolve-uri" "3.1.0"
- "@jridgewell/sourcemap-codec" "1.4.14"
+ "@jridgewell/resolve-uri" "^3.1.0"
+ "@jridgewell/sourcemap-codec" "^1.4.14"
"@jsdevtools/ono@^7.1.3":
version "7.1.3"
@@ -1074,13 +1095,13 @@
integrity sha512-dfLbk+PwWvFzSxwk3n5ySL0hfBog779o8h68wK/7/APo/7cgyWp5jcXockbxdk5kFRkbeXWm4Fbi9FrdN381sA==
"@monaco-editor/loader@^1.3.3":
- version "1.3.3"
- resolved "https://registry.yarnpkg.com/@monaco-editor/loader/-/loader-1.3.3.tgz#7f1742bd3cc21c0362a46a4056317f6e5215cfca"
- integrity sha512-6KKF4CTzcJiS8BJwtxtfyYt9shBiEv32ateQ9T4UVogwn4HM/uPo9iJd2Dmbkpz8CM6Y0PDUpjnZzCwC+eYo2Q==
+ version "1.4.0"
+ resolved "https://registry.yarnpkg.com/@monaco-editor/loader/-/loader-1.4.0.tgz#f08227057331ec890fa1e903912a5b711a2ad558"
+ integrity sha512-00ioBig0x642hytVspPl7DbQyaSWRaolYie/UFNjoTdvoKPzo6xrXLhTk9ixgIKcLH5b5vDOjVNiGyY+uDCUlg==
dependencies:
state-local "^1.0.6"
-"@monaco-editor/react@^4.5.1":
+"@monaco-editor/[email protected]":
version "4.5.1"
resolved "https://registry.yarnpkg.com/@monaco-editor/react/-/react-4.5.1.tgz#fbc76c692aee9a33b9ab24ae0c5f219b8f002fdb"
integrity sha512-NNDFdP+2HojtNhCkRfE6/D6ro6pBNihaOzMbGK84lNWzRu+CfBjwzGt4jmnqimLuqp5yE5viHS2vi+QOAnD5FQ==
@@ -1108,15 +1129,74 @@
"@nodelib/fs.scandir" "2.1.5"
fastq "^1.6.0"
+"@payloadcms/bundler-webpack@^1.0.0-beta.5":
+ version "1.0.1"
+ resolved "https://registry.yarnpkg.com/@payloadcms/bundler-webpack/-/bundler-webpack-1.0.1.tgz#430ecca183570f50f4c8dd6bfffb766c5af9d3e2"
+ integrity sha512-AnFv1vY3+LoltUIPaj2dI515eEjOaz3WnYLtnKYD8VgKkDLysRbpVKuLTGyrJsYpEaEm7zsYmPeTmt1Ne/BeBg==
+ dependencies:
+ compression "1.7.4"
+ connect-history-api-fallback "1.6.0"
+ css-loader "5.2.7"
+ css-minimizer-webpack-plugin "^5.0.0"
+ file-loader "6.2.0"
+ html-webpack-plugin "^5.5.0"
+ md5 "2.3.0"
+ mini-css-extract-plugin "1.6.2"
+ path-browserify "1.0.1"
+ postcss "8.4.31"
+ postcss-loader "6.2.1"
+ postcss-preset-env "9.0.0"
+ process "0.11.10"
+ sass-loader "12.6.0"
+ style-loader "^2.0.0"
+ swc-loader "^0.2.3"
+ swc-minify-webpack-plugin "^2.1.0"
+ terser-webpack-plugin "^5.3.6"
+ url-loader "4.1.1"
+ webpack "^5.78.0"
+ webpack-bundle-analyzer "^4.8.0"
+ webpack-cli "^4.10.0"
+ webpack-dev-middleware "6.0.1"
+ webpack-hot-middleware "^2.25.3"
+
+"@payloadcms/db-mongodb@^1.0.0-beta.8":
+ version "1.0.2"
+ resolved "https://registry.yarnpkg.com/@payloadcms/db-mongodb/-/db-mongodb-1.0.2.tgz#2c801eee0974334677e0a4ebd16fc26b1aa9f839"
+ integrity sha512-SCJfhJg3BeMW36Y10qNdzU6awgOD75zFR9FEhGkmCknr/EO8C51qxURamMntbiEuqxIh/uCl5PS7j2jXkIFL/w==
+ dependencies:
+ bson-objectid "2.0.4"
+ deepmerge "4.3.1"
+ get-port "5.1.1"
+ mongoose "6.11.4"
+ mongoose-aggregate-paginate-v2 "1.0.6"
+ mongoose-paginate-v2 "1.7.22"
+ prompts "2.4.2"
+ uuid "9.0.0"
+
"@payloadcms/eslint-config@^0.0.1":
version "0.0.1"
resolved "https://registry.yarnpkg.com/@payloadcms/eslint-config/-/eslint-config-0.0.1.tgz#4324702ddef6c773b3f3033795a13e6b50c95a92"
integrity sha512-Il59+0C4E/bI6uM2hont3I+oABWkJZbfbItubje5SGMrXkymUq8jT/UZRk0eCt918bB7gihxDXx8guFnR/aNIw==
+"@payloadcms/richtext-slate@^1.0.0-beta.4":
+ version "1.0.1"
+ resolved "https://registry.yarnpkg.com/@payloadcms/richtext-slate/-/richtext-slate-1.0.1.tgz#00dce12e93602c1847e5e9a2dd17f0eb59ebaa3b"
+ integrity sha512-g96/c7Upfzf56x04xw94wPKOqF/UpcEJxi9oWdA0yJHCFA3tSVi5Hkfas2t2h7/PN/NPgS91aiWry5jB+NA5rA==
+ dependencies:
+ "@faceless-ui/modal" "2.0.1"
+ i18next "22.5.1"
+ is-hotkey "0.2.0"
+ react "18.2.0"
+ react-i18next "11.18.6"
+ slate "0.91.4"
+ slate-history "0.86.0"
+ slate-hyperscript "0.81.3"
+ slate-react "0.92.0"
+
"@polka/url@^1.0.0-next.20":
- version "1.0.0-next.21"
- resolved "https://registry.yarnpkg.com/@polka/url/-/url-1.0.0-next.21.tgz#5de5a2385a35309427f6011992b544514d559aa1"
- integrity sha512-a5Sab1C4/icpTZVzZc5Ghpz88yQtGOyNqYXcZgOssB2uuAr+wF/MvN6bgtW32q7HHrvBki+BsZ0OuNv6EV3K9g==
+ version "1.0.0-next.23"
+ resolved "https://registry.yarnpkg.com/@polka/url/-/url-1.0.0-next.23.tgz#498e41218ab3b6a1419c735e5c6ae2c5ed609b6c"
+ integrity sha512-C16M+IYz0rgRhWZdCmK+h58JMv8vijAA61gmz2rspCSwKwzBebpdcsiUmwrtJRdphuY30i6BSLEOP8ppbNLyLg==
"@popperjs/core@^2.11.8":
version "2.11.8"
@@ -1145,413 +1225,422 @@
resolved "https://registry.yarnpkg.com/@sinclair/typebox/-/typebox-0.27.8.tgz#6667fac16c436b5434a387a34dedb013198f6e6e"
integrity sha512-+Fj43pSMwJs4KRrH/938Uf+uAELIgVBmQzg/q1YG10djyfA3TnrU8N8XzqCh/okZdszqBQTZf96idMfE5lnwTA==
-"@smithy/abort-controller@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/abort-controller/-/abort-controller-1.1.0.tgz#2da0d73c504b93ca8bb83bdc8d6b8208d73f418b"
- integrity sha512-5imgGUlZL4dW4YWdMYAKLmal9ny/tlenM81QZY7xYyb76z9Z/QOg7oM5Ak9HQl8QfFTlGVWwcMXl+54jroRgEQ==
+"@smithy/abort-controller@^2.0.11":
+ version "2.0.11"
+ resolved "https://registry.yarnpkg.com/@smithy/abort-controller/-/abort-controller-2.0.11.tgz#e1d96a2ecbf103d0b075a7456ce3afeeb9f76a87"
+ integrity sha512-MSzE1qR2JNyb7ot3blIOT3O3H0Jn06iNDEgHRaqZUwBgx5EG+VIx24Y21tlKofzYryIOcWpIohLrIIyocD6LMA==
dependencies:
- "@smithy/types" "^1.2.0"
+ "@smithy/types" "^2.3.5"
tslib "^2.5.0"
-"@smithy/config-resolver@^1.0.1", "@smithy/config-resolver@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/config-resolver/-/config-resolver-1.1.0.tgz#e604fe25a65a77bc21cc01b66e0bee5bc0c9e57b"
- integrity sha512-7WD9eZHp46BxAjNGHJLmxhhyeiNWkBdVStd7SUJPUZqQGeIO/REtIrcIfKUfdiHTQ9jyu2SYoqvzqqaFc6987w==
+"@smithy/config-resolver@^2.0.11", "@smithy/config-resolver@^2.0.14":
+ version "2.0.14"
+ resolved "https://registry.yarnpkg.com/@smithy/config-resolver/-/config-resolver-2.0.14.tgz#16163e14053949f5a717be6f5802a7039e5ff4d1"
+ integrity sha512-K1K+FuWQoy8j/G7lAmK85o03O89s2Vvh6kMFmzEmiHUoQCRH1rzbDtMnGNiaMHeSeYJ6y79IyTusdRG+LuWwtg==
dependencies:
- "@smithy/types" "^1.2.0"
- "@smithy/util-config-provider" "^1.1.0"
- "@smithy/util-middleware" "^1.1.0"
+ "@smithy/node-config-provider" "^2.1.1"
+ "@smithy/types" "^2.3.5"
+ "@smithy/util-config-provider" "^2.0.0"
+ "@smithy/util-middleware" "^2.0.4"
tslib "^2.5.0"
-"@smithy/credential-provider-imds@^1.0.1", "@smithy/credential-provider-imds@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/credential-provider-imds/-/credential-provider-imds-1.1.0.tgz#4d9444c4c8de70143c3f16bdba188b0e42cb48f9"
- integrity sha512-kUMOdEu3RP6ozH0Ga8OeMP8gSkBsK1UqZZKyPLFnpZHrtZuHSSt7M7gsHYB/bYQBZAo3o7qrGmRty3BubYtYxQ==
+"@smithy/credential-provider-imds@^2.0.0", "@smithy/credential-provider-imds@^2.0.16":
+ version "2.0.16"
+ resolved "https://registry.yarnpkg.com/@smithy/credential-provider-imds/-/credential-provider-imds-2.0.16.tgz#07da7ecd43eff92156ddc54f3b5330bbc128d5cd"
+ integrity sha512-tKa2xF+69TvGxJT+lnJpGrKxUuAZDLYXFhqnPEgnHz+psTpkpcB4QRjHj63+uj83KaeFJdTfW201eLZeRn6FfA==
dependencies:
- "@smithy/node-config-provider" "^1.1.0"
- "@smithy/property-provider" "^1.2.0"
- "@smithy/types" "^1.2.0"
- "@smithy/url-parser" "^1.1.0"
+ "@smithy/node-config-provider" "^2.1.1"
+ "@smithy/property-provider" "^2.0.12"
+ "@smithy/types" "^2.3.5"
+ "@smithy/url-parser" "^2.0.11"
tslib "^2.5.0"
-"@smithy/eventstream-codec@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/eventstream-codec/-/eventstream-codec-1.1.0.tgz#bfe1308ba84ff3db3e79dc1ced8231c52ac0fc36"
- integrity sha512-3tEbUb8t8an226jKB6V/Q2XU/J53lCwCzULuBPEaF4JjSh+FlCMp7TmogE/Aij5J9DwlsZ4VAD/IRDuQ/0ZtMw==
+"@smithy/eventstream-codec@^2.0.11":
+ version "2.0.11"
+ resolved "https://registry.yarnpkg.com/@smithy/eventstream-codec/-/eventstream-codec-2.0.11.tgz#1ba090ea5dbf956e32d3d0d0986ffb0d0af8c57d"
+ integrity sha512-BQCTjxhCYRZIfXapa2LmZSaH8QUBGwMZw7XRN83hrdixbLjIcj+o549zjkedFS07Ve2TlvWUI6BTzP+nv7snBA==
dependencies:
"@aws-crypto/crc32" "3.0.0"
- "@smithy/types" "^1.2.0"
- "@smithy/util-hex-encoding" "^1.1.0"
+ "@smithy/types" "^2.3.5"
+ "@smithy/util-hex-encoding" "^2.0.0"
tslib "^2.5.0"
-"@smithy/fetch-http-handler@^1.0.1", "@smithy/fetch-http-handler@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/fetch-http-handler/-/fetch-http-handler-1.1.0.tgz#933694dcc0e1ade205161237a151c1c818479676"
- integrity sha512-N22C9R44u5WGlcY+Wuv8EXmCAq62wWwriRAuoczMEwAIjPbvHSthyPSLqI4S7kAST1j6niWg8kwpeJ3ReAv3xg==
+"@smithy/fetch-http-handler@^2.2.1", "@smithy/fetch-http-handler@^2.2.2":
+ version "2.2.2"
+ resolved "https://registry.yarnpkg.com/@smithy/fetch-http-handler/-/fetch-http-handler-2.2.2.tgz#c698c24ee75b7b8b6ff7bffb7c26ae9b3363d8cc"
+ integrity sha512-K7aRtRuaBjzlk+jWWeyfDTLAmRRvmA4fU8eHUXtjsuEDgi3f356ZE32VD2ssxIH13RCLVZbXMt5h7wHzYiSuVA==
dependencies:
- "@smithy/protocol-http" "^1.2.0"
- "@smithy/querystring-builder" "^1.1.0"
- "@smithy/types" "^1.2.0"
- "@smithy/util-base64" "^1.1.0"
+ "@smithy/protocol-http" "^3.0.7"
+ "@smithy/querystring-builder" "^2.0.11"
+ "@smithy/types" "^2.3.5"
+ "@smithy/util-base64" "^2.0.0"
tslib "^2.5.0"
-"@smithy/hash-node@^1.0.1":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/hash-node/-/hash-node-1.1.0.tgz#a8da64fa4b2e2c64185df92897165c8113b499b2"
- integrity sha512-yiNKDGMzrQjnpnbLfkYKo+HwIxmBAsv0AI++QIJwvhfkLpUTBylelkv6oo78/YqZZS6h+bGfl0gILJsKE2wAKQ==
+"@smithy/hash-node@^2.0.10":
+ version "2.0.11"
+ resolved "https://registry.yarnpkg.com/@smithy/hash-node/-/hash-node-2.0.11.tgz#07d73eefa9ab28e4f03461c6ec0532b85792329d"
+ integrity sha512-PbleVugN2tbhl1ZoNWVrZ1oTFFas/Hq+s6zGO8B9bv4w/StTriTKA9W+xZJACOj9X7zwfoTLbscM+avCB1KqOQ==
dependencies:
- "@smithy/types" "^1.2.0"
- "@smithy/util-buffer-from" "^1.1.0"
- "@smithy/util-utf8" "^1.1.0"
+ "@smithy/types" "^2.3.5"
+ "@smithy/util-buffer-from" "^2.0.0"
+ "@smithy/util-utf8" "^2.0.0"
tslib "^2.5.0"
-"@smithy/invalid-dependency@^1.0.1":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/invalid-dependency/-/invalid-dependency-1.1.0.tgz#0552eb0090c5a20e86cbd9ca15381a4c2ec53730"
- integrity sha512-h2rXn68ClTwzPXYzEUNkz+0B/A0Hz8YdFNTiEwlxkwzkETGKMxmsrQGFXwYm3jd736R5vkXcClXz1ddKrsaBEQ==
+"@smithy/invalid-dependency@^2.0.10":
+ version "2.0.11"
+ resolved "https://registry.yarnpkg.com/@smithy/invalid-dependency/-/invalid-dependency-2.0.11.tgz#41811da5da9950f52a0491ea532add2b1895349b"
+ integrity sha512-zazq99ujxYv/NOf9zh7xXbNgzoVLsqE0wle8P/1zU/XdhPi/0zohTPKWUzIxjGdqb5hkkwfBkNkl5H+LE0mvgw==
dependencies:
- "@smithy/types" "^1.2.0"
+ "@smithy/types" "^2.3.5"
tslib "^2.5.0"
-"@smithy/is-array-buffer@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/is-array-buffer/-/is-array-buffer-1.1.0.tgz#29948072da2b57575aa9898cda863932e842ab11"
- integrity sha512-twpQ/n+3OWZJ7Z+xu43MJErmhB/WO/mMTnqR6PwWQShvSJ/emx5d1N59LQZk6ZpTAeuRWrc+eHhkzTp9NFjNRQ==
+"@smithy/is-array-buffer@^2.0.0":
+ version "2.0.0"
+ resolved "https://registry.yarnpkg.com/@smithy/is-array-buffer/-/is-array-buffer-2.0.0.tgz#8fa9b8040651e7ba0b2f6106e636a91354ff7d34"
+ integrity sha512-z3PjFjMyZNI98JFRJi/U0nGoLWMSJlDjAW4QUX2WNZLas5C0CmVV6LJ01JI0k90l7FvpmixjWxPFmENSClQ7ug==
dependencies:
tslib "^2.5.0"
-"@smithy/middleware-content-length@^1.0.1":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/middleware-content-length/-/middleware-content-length-1.1.0.tgz#77854875535f80efd036d535842c567230b78b0b"
- integrity sha512-iNxwhZ7Xc5+LjeDElEOi/Nh8fFsc9Dw9+5w7h7/GLFIU0RgAwBJuJtcP1vNTOwzW4B3hG+gRu8sQLqA9OEaTwA==
+"@smithy/middleware-content-length@^2.0.12":
+ version "2.0.13"
+ resolved "https://registry.yarnpkg.com/@smithy/middleware-content-length/-/middleware-content-length-2.0.13.tgz#eb8195510fac8e2d925e43f270f347d8e2ce038b"
+ integrity sha512-Md2kxWpaec3bXp1oERFPQPBhOXCkGSAF7uc1E+4rkwjgw3/tqAXRtbjbggu67HJdwaif76As8AV6XxbD1HzqTQ==
dependencies:
- "@smithy/protocol-http" "^1.2.0"
- "@smithy/types" "^1.2.0"
+ "@smithy/protocol-http" "^3.0.7"
+ "@smithy/types" "^2.3.5"
tslib "^2.5.0"
-"@smithy/middleware-endpoint@^1.0.2":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/middleware-endpoint/-/middleware-endpoint-1.1.0.tgz#ce3cfd5933c5a088339192d4fb1dd09ce6186777"
- integrity sha512-PvpazNjVpxX2ICrzoFYCpFnjB39DKCpZds8lRpAB3p6HGrx6QHBaNvOzVhJGBf0jcAbfCdc5/W0n9z8VWaSSww==
+"@smithy/middleware-endpoint@^2.0.10":
+ version "2.0.11"
+ resolved "https://registry.yarnpkg.com/@smithy/middleware-endpoint/-/middleware-endpoint-2.0.11.tgz#c3c380ef13c43ee7443ebb4b3e2b6bb26464ff87"
+ integrity sha512-mCugsvB15up6fqpzUEpMT4CuJmFkEI+KcozA7QMzYguXCaIilyMKsyxgamwmr+o7lo3QdjN0//XLQ9bWFL129g==
dependencies:
- "@smithy/middleware-serde" "^1.1.0"
- "@smithy/types" "^1.2.0"
- "@smithy/url-parser" "^1.1.0"
- "@smithy/util-middleware" "^1.1.0"
+ "@smithy/middleware-serde" "^2.0.11"
+ "@smithy/types" "^2.3.5"
+ "@smithy/url-parser" "^2.0.11"
+ "@smithy/util-middleware" "^2.0.4"
tslib "^2.5.0"
-"@smithy/middleware-retry@^1.0.3":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/middleware-retry/-/middleware-retry-1.1.0.tgz#084f70df112f22b5bfa0de8faaa14a5dcf22149e"
- integrity sha512-lINKYxIvT+W20YFOtHBKeGm7npuJg0/YCoShttU7fVpsmU+a2rdb9zrJn1MHqWfUL6DhTAWGa0tH2O7l4XrDcw==
- dependencies:
- "@smithy/protocol-http" "^1.2.0"
- "@smithy/service-error-classification" "^1.1.0"
- "@smithy/types" "^1.2.0"
- "@smithy/util-middleware" "^1.1.0"
- "@smithy/util-retry" "^1.1.0"
+"@smithy/middleware-retry@^2.0.13":
+ version "2.0.16"
+ resolved "https://registry.yarnpkg.com/@smithy/middleware-retry/-/middleware-retry-2.0.16.tgz#f87401a01317de351df5228e4591961d04663607"
+ integrity sha512-Br5+0yoiMS0ugiOAfJxregzMMGIRCbX4PYo1kDHtLgvkA/d++aHbnHB819m5zOIAMPvPE7AThZgcsoK+WOsUTA==
+ dependencies:
+ "@smithy/node-config-provider" "^2.1.1"
+ "@smithy/protocol-http" "^3.0.7"
+ "@smithy/service-error-classification" "^2.0.4"
+ "@smithy/types" "^2.3.5"
+ "@smithy/util-middleware" "^2.0.4"
+ "@smithy/util-retry" "^2.0.4"
tslib "^2.5.0"
uuid "^8.3.2"
-"@smithy/middleware-serde@^1.0.1", "@smithy/middleware-serde@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/middleware-serde/-/middleware-serde-1.1.0.tgz#daed29eb34337d1206f10c09d801cc28f13e5819"
- integrity sha512-RiBMxhxuO9VTjHsjJvhzViyceoLhU6gtrnJGpAXY43wE49IstXIGEQz8MT50/hOq5EumX16FCpup0r5DVyfqNQ==
+"@smithy/middleware-serde@^2.0.10", "@smithy/middleware-serde@^2.0.11":
+ version "2.0.11"
+ resolved "https://registry.yarnpkg.com/@smithy/middleware-serde/-/middleware-serde-2.0.11.tgz#89c4433b9b4077e2f71f436cd4f97d613e2cf3bd"
+ integrity sha512-NuxnjMyf4zQqhwwdh0OTj5RqpnuT6HcH5Xg5GrPijPcKzc2REXVEVK4Yyk8ckj8ez1XSj/bCmJ+oNjmqB02GWA==
dependencies:
- "@smithy/types" "^1.2.0"
+ "@smithy/types" "^2.3.5"
tslib "^2.5.0"
-"@smithy/middleware-stack@^1.0.1", "@smithy/middleware-stack@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/middleware-stack/-/middleware-stack-1.1.0.tgz#04edd33b5db48d880b9942c38459f193144fa533"
- integrity sha512-XynYiIvXNea2BbLcppvpNK0zu8o2woJqgnmxqYTn4FWagH/Hr2QIk8LOsUz7BIJ4tooFhmx8urHKCdlPbbPDCA==
+"@smithy/middleware-stack@^2.0.4", "@smithy/middleware-stack@^2.0.5":
+ version "2.0.5"
+ resolved "https://registry.yarnpkg.com/@smithy/middleware-stack/-/middleware-stack-2.0.5.tgz#43cd8aa7141b23dfbb64dff9ead8a3983d3acc5c"
+ integrity sha512-bVQU/rZzBY7CbSxIrDTGZYnBWKtIw+PL/cRc9B7etZk1IKSOe0NvKMJyWllfhfhrTeMF6eleCzOihIQympAvPw==
dependencies:
+ "@smithy/types" "^2.3.5"
tslib "^2.5.0"
-"@smithy/node-config-provider@^1.0.1", "@smithy/node-config-provider@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/node-config-provider/-/node-config-provider-1.1.0.tgz#86c64e4ef6a557863422a236ba10aa7ed51ad85d"
- integrity sha512-2G4TlzUnmTrUY26VKTonQqydwb+gtM/mcl+TqDP8CnWtJKVL8ElPpKgLGScP04bPIRY9x2/10lDdoaRXDqPuCw==
+"@smithy/node-config-provider@^2.0.13", "@smithy/node-config-provider@^2.1.1":
+ version "2.1.1"
+ resolved "https://registry.yarnpkg.com/@smithy/node-config-provider/-/node-config-provider-2.1.1.tgz#34c861b95a4e1b66a2dc1d1aecc2bca08466bd5e"
+ integrity sha512-1lF6s1YWBi1LBu2O30tD3jyTgMtuvk/Z1twzXM4GPYe4dmZix4nNREPJIPOcfFikNU2o0eTYP80+izx5F2jIJA==
dependencies:
- "@smithy/property-provider" "^1.2.0"
- "@smithy/shared-ini-file-loader" "^1.1.0"
- "@smithy/types" "^1.2.0"
+ "@smithy/property-provider" "^2.0.12"
+ "@smithy/shared-ini-file-loader" "^2.2.0"
+ "@smithy/types" "^2.3.5"
tslib "^2.5.0"
-"@smithy/node-http-handler@^1.0.2", "@smithy/node-http-handler@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/node-http-handler/-/node-http-handler-1.1.0.tgz#887cee930b520e08043c9f41e463f8d8f5dae127"
- integrity sha512-d3kRriEgaIiGXLziAM8bjnaLn1fthCJeTLZIwEIpzQqe6yPX0a+yQoLCTyjb2fvdLwkMoG4p7THIIB5cj5lkbg==
+"@smithy/node-http-handler@^2.1.6", "@smithy/node-http-handler@^2.1.7":
+ version "2.1.7"
+ resolved "https://registry.yarnpkg.com/@smithy/node-http-handler/-/node-http-handler-2.1.7.tgz#a920e0e40fd04e2ea399cb4f06092fea0a1b66da"
+ integrity sha512-PQIKZXlp3awCDn/xNlCSTFE7aYG/5Tx33M05NfQmWYeB5yV1GZZOSz4dXpwiNJYTXb9jPqjl+ueXXkwtEluFFA==
dependencies:
- "@smithy/abort-controller" "^1.1.0"
- "@smithy/protocol-http" "^1.2.0"
- "@smithy/querystring-builder" "^1.1.0"
- "@smithy/types" "^1.2.0"
+ "@smithy/abort-controller" "^2.0.11"
+ "@smithy/protocol-http" "^3.0.7"
+ "@smithy/querystring-builder" "^2.0.11"
+ "@smithy/types" "^2.3.5"
tslib "^2.5.0"
-"@smithy/property-provider@^1.0.1", "@smithy/property-provider@^1.2.0":
- version "1.2.0"
- resolved "https://registry.yarnpkg.com/@smithy/property-provider/-/property-provider-1.2.0.tgz#2e4ca34b0994ec6de734316c0093e671a1bfa5c7"
- integrity sha512-qlJd9gT751i4T0t/hJAyNGfESfi08Fek8QiLcysoKPgR05qHhG0OYhlaCJHhpXy4ECW0lHyjvFM1smrCLIXVfw==
+"@smithy/property-provider@^2.0.0", "@smithy/property-provider@^2.0.12":
+ version "2.0.12"
+ resolved "https://registry.yarnpkg.com/@smithy/property-provider/-/property-provider-2.0.12.tgz#09391cae6f336300e88128717ee5fb7cff76c5b4"
+ integrity sha512-Un/OvvuQ1Kg8WYtoMCicfsFFuHb/TKL3pCA6ZIo/WvNTJTR94RtoRnL7mY4XkkUAoFMyf6KjcQJ76y1FX7S5rw==
dependencies:
- "@smithy/types" "^1.2.0"
+ "@smithy/types" "^2.3.5"
tslib "^2.5.0"
-"@smithy/protocol-http@^1.1.0", "@smithy/protocol-http@^1.2.0":
- version "1.2.0"
- resolved "https://registry.yarnpkg.com/@smithy/protocol-http/-/protocol-http-1.2.0.tgz#a554e4dabb14508f0bc2cdef9c3710e2b294be04"
- integrity sha512-GfGfruksi3nXdFok5RhgtOnWe5f6BndzYfmEXISD+5gAGdayFGpjWu5pIqIweTudMtse20bGbc+7MFZXT1Tb8Q==
+"@smithy/protocol-http@^3.0.6", "@smithy/protocol-http@^3.0.7":
+ version "3.0.7"
+ resolved "https://registry.yarnpkg.com/@smithy/protocol-http/-/protocol-http-3.0.7.tgz#4deec17a27f7cc5d2bea962fcb0cdfbfd311b05c"
+ integrity sha512-HnZW8y+r66ntYueCDbLqKwWcMNWW8o3eVpSrHNluwtBJ/EUWfQHRKSiu6vZZtc6PGfPQWgVfucoCE/C3QufMAA==
dependencies:
- "@smithy/types" "^1.2.0"
+ "@smithy/types" "^2.3.5"
tslib "^2.5.0"
-"@smithy/querystring-builder@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/querystring-builder/-/querystring-builder-1.1.0.tgz#de6306104640ade34e59be33949db6cc64aa9d7f"
- integrity sha512-gDEi4LxIGLbdfjrjiY45QNbuDmpkwh9DX4xzrR2AzjjXpxwGyfSpbJaYhXARw9p17VH0h9UewnNQXNwaQyYMDA==
+"@smithy/querystring-builder@^2.0.11":
+ version "2.0.11"
+ resolved "https://registry.yarnpkg.com/@smithy/querystring-builder/-/querystring-builder-2.0.11.tgz#7a56bed12474ad46059116d87eb7b81cdba9d7f6"
+ integrity sha512-b4kEbVMxpmfv2VWUITn2otckTi7GlMteZQxi+jlwedoATOGEyrCJPfRcYQJjbCi3fZ2QTfh3PcORvB27+j38Yg==
dependencies:
- "@smithy/types" "^1.2.0"
- "@smithy/util-uri-escape" "^1.1.0"
+ "@smithy/types" "^2.3.5"
+ "@smithy/util-uri-escape" "^2.0.0"
tslib "^2.5.0"
-"@smithy/querystring-parser@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/querystring-parser/-/querystring-parser-1.1.0.tgz#4bf4be6d1db8b769d346a0d98c5b0db4e99a8ba6"
- integrity sha512-Lm/FZu2qW3XX+kZ4WPwr+7aAeHf1Lm84UjNkKyBu16XbmEV7ukfhXni2aIwS2rcVf8Yv5E7wchGGpOFldj9V4Q==
+"@smithy/querystring-parser@^2.0.11":
+ version "2.0.11"
+ resolved "https://registry.yarnpkg.com/@smithy/querystring-parser/-/querystring-parser-2.0.11.tgz#63b7fde68714974c220e386002100ad9b70d91a3"
+ integrity sha512-YXe7jhi7s3dQ0Fu9dLoY/gLu6NCyy8tBWJL/v2c9i7/RLpHgKT+uT96/OqZkHizCJ4kr0ZD46tzMjql/o60KLg==
dependencies:
- "@smithy/types" "^1.2.0"
+ "@smithy/types" "^2.3.5"
tslib "^2.5.0"
-"@smithy/service-error-classification@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/service-error-classification/-/service-error-classification-1.1.0.tgz#264dd432ae513b3f2ad9fc6f461deda8c516173c"
- integrity sha512-OCTEeJ1igatd5kFrS2VDlYbainNNpf7Lj1siFOxnRWqYOP9oNvC5HOJBd3t+Z8MbrmehBtuDJ2QqeBsfeiNkww==
+"@smithy/service-error-classification@^2.0.4":
+ version "2.0.4"
+ resolved "https://registry.yarnpkg.com/@smithy/service-error-classification/-/service-error-classification-2.0.4.tgz#05c0a30eddbf63fb5f27704757da388aec5d66c2"
+ integrity sha512-77506l12I5gxTZqBkx3Wb0RqMG81bMYLaVQ+EqIWFwQDJRs5UFeXogKxSKojCmz1wLUziHZQXm03MBzPQiumQw==
+ dependencies:
+ "@smithy/types" "^2.3.5"
-"@smithy/shared-ini-file-loader@^1.0.1", "@smithy/shared-ini-file-loader@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/shared-ini-file-loader/-/shared-ini-file-loader-1.1.0.tgz#144a03a303590ef7d465ebcb21ffc2a52efc3389"
- integrity sha512-S/v33zvCWzFyGZGlsEF0XsZtNNR281UhR7byk3nRfsgw5lGpg51rK/zjMgulM+h6NSuXaFILaYrw1I1v4kMcuA==
+"@smithy/shared-ini-file-loader@^2.0.6", "@smithy/shared-ini-file-loader@^2.2.0":
+ version "2.2.0"
+ resolved "https://registry.yarnpkg.com/@smithy/shared-ini-file-loader/-/shared-ini-file-loader-2.2.0.tgz#9e4a90a29fe3f109875c26e6127802ed0953f43d"
+ integrity sha512-xFXqs4vAb5BdkzHSRrTapFoaqS4/3m/CGZzdw46fBjYZ0paYuLAoMY60ICCn1FfGirG+PiJ3eWcqJNe4/SkfyA==
dependencies:
- "@smithy/types" "^1.2.0"
+ "@smithy/types" "^2.3.5"
tslib "^2.5.0"
-"@smithy/signature-v4@^1.0.1":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/signature-v4/-/signature-v4-1.1.0.tgz#e85309995c2475d39598a4f56e68b7ed856bdfa6"
- integrity sha512-fDo3m7YqXBs7neciOePPd/X9LPm5QLlDMdIC4m1H6dgNLnXfLMFNIxEfPyohGA8VW9Wn4X8lygnPSGxDZSmp0Q==
- dependencies:
- "@smithy/eventstream-codec" "^1.1.0"
- "@smithy/is-array-buffer" "^1.1.0"
- "@smithy/types" "^1.2.0"
- "@smithy/util-hex-encoding" "^1.1.0"
- "@smithy/util-middleware" "^1.1.0"
- "@smithy/util-uri-escape" "^1.1.0"
- "@smithy/util-utf8" "^1.1.0"
+"@smithy/signature-v4@^2.0.0":
+ version "2.0.11"
+ resolved "https://registry.yarnpkg.com/@smithy/signature-v4/-/signature-v4-2.0.11.tgz#e6d9065c7a73fc6f518f0cbc94039aed49307a1c"
+ integrity sha512-EFVU1dT+2s8xi227l1A9O27edT/GNKvyAK6lZnIZ0zhIHq/jSLznvkk15aonGAM1kmhmZBVGpI7Tt0odueZK9A==
+ dependencies:
+ "@smithy/eventstream-codec" "^2.0.11"
+ "@smithy/is-array-buffer" "^2.0.0"
+ "@smithy/types" "^2.3.5"
+ "@smithy/util-hex-encoding" "^2.0.0"
+ "@smithy/util-middleware" "^2.0.4"
+ "@smithy/util-uri-escape" "^2.0.0"
+ "@smithy/util-utf8" "^2.0.0"
tslib "^2.5.0"
-"@smithy/smithy-client@^1.0.3":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/smithy-client/-/smithy-client-1.1.0.tgz#a546a41cc377c836756b6fa749fc9ae292472985"
- integrity sha512-j32SGgVhv2G9nBTmel9u3OXux8KG20ssxuFakJrEeDug3kqbl1qrGzVLCe+Eib402UDtA0Sp1a4NZ2SEXDBxag==
+"@smithy/smithy-client@^2.1.10", "@smithy/smithy-client@^2.1.9":
+ version "2.1.10"
+ resolved "https://registry.yarnpkg.com/@smithy/smithy-client/-/smithy-client-2.1.10.tgz#cfe93559dbec1511c434c8e94e1659ec74cf54f7"
+ integrity sha512-2OEmZDiW1Z196QHuQZ5M6cBE8FCSG0H2HADP1G+DY8P3agsvb0YJyfhyKuJbxIQy15tr3eDAK6FOrlbxgKOOew==
dependencies:
- "@smithy/middleware-stack" "^1.1.0"
- "@smithy/types" "^1.2.0"
- "@smithy/util-stream" "^1.1.0"
+ "@smithy/middleware-stack" "^2.0.5"
+ "@smithy/types" "^2.3.5"
+ "@smithy/util-stream" "^2.0.15"
tslib "^2.5.0"
-"@smithy/types@^1.1.0", "@smithy/types@^1.2.0":
- version "1.2.0"
- resolved "https://registry.yarnpkg.com/@smithy/types/-/types-1.2.0.tgz#9dc65767b0ee3d6681704fcc67665d6fc9b6a34e"
- integrity sha512-z1r00TvBqF3dh4aHhya7nz1HhvCg4TRmw51fjMrh5do3h+ngSstt/yKlNbHeb9QxJmFbmN8KEVSWgb1bRvfEoA==
+"@smithy/types@^2.3.4", "@smithy/types@^2.3.5":
+ version "2.3.5"
+ resolved "https://registry.yarnpkg.com/@smithy/types/-/types-2.3.5.tgz#7684a74d4368f323b478bd9e99e7dc3a6156b5e5"
+ integrity sha512-ehyDt8M9hehyxrLQGoA1BGPou8Js1Ocoh5M0ngDhJMqbFmNK5N6Xhr9/ZExWkyIW8XcGkiMPq3ZUEE0ScrhbuQ==
dependencies:
tslib "^2.5.0"
-"@smithy/url-parser@^1.0.1", "@smithy/url-parser@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/url-parser/-/url-parser-1.1.0.tgz#1d88af653b02fda0be59064bfe5420c0b34b4dcb"
- integrity sha512-tpvi761kzboiLNGEWczuybMPCJh6WHB3cz9gWAG95mSyaKXmmX8ZcMxoV+irZfxDqLwZVJ22XTumu32S7Ow8aQ==
+"@smithy/url-parser@^2.0.10", "@smithy/url-parser@^2.0.11":
+ version "2.0.11"
+ resolved "https://registry.yarnpkg.com/@smithy/url-parser/-/url-parser-2.0.11.tgz#19c157f9d47217259e587847101ef6bd83091a5e"
+ integrity sha512-h89yXMCCF+S5k9XIoKltMIWTYj+FcEkU/IIFZ6RtE222fskOTL4Iak6ZRG+ehSvZDt8yKEcxqheTDq7JvvtK3g==
dependencies:
- "@smithy/querystring-parser" "^1.1.0"
- "@smithy/types" "^1.2.0"
+ "@smithy/querystring-parser" "^2.0.11"
+ "@smithy/types" "^2.3.5"
tslib "^2.5.0"
-"@smithy/util-base64@^1.0.1", "@smithy/util-base64@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/util-base64/-/util-base64-1.1.0.tgz#2b1854013bfd11aefdd0c035eae789d7c4e56a1e"
- integrity sha512-FpYmDmVbOXAxqvoVCwqehUN0zXS+lN8V7VS9O7I8MKeVHdSTsZzlwiMEvGoyTNOXWn8luF4CTDYgNHnZViR30g==
+"@smithy/util-base64@^2.0.0":
+ version "2.0.0"
+ resolved "https://registry.yarnpkg.com/@smithy/util-base64/-/util-base64-2.0.0.tgz#1beeabfb155471d1d41c8d0603be1351f883c444"
+ integrity sha512-Zb1E4xx+m5Lud8bbeYi5FkcMJMnn+1WUnJF3qD7rAdXpaL7UjkFQLdmW5fHadoKbdHpwH9vSR8EyTJFHJs++tA==
dependencies:
- "@smithy/util-buffer-from" "^1.1.0"
+ "@smithy/util-buffer-from" "^2.0.0"
tslib "^2.5.0"
-"@smithy/util-body-length-browser@^1.0.1":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/util-body-length-browser/-/util-body-length-browser-1.1.0.tgz#b8e7e25efb494762cb1dcc2e4c7b6f2d06286413"
- integrity sha512-cep3ioRxzRZ2Jbp3Kly7gy6iNVefYXiT6ETt8W01RQr3uwi1YMkrbU1p3lMR4KhX/91Nrk6UOgX1RH+oIt48RQ==
+"@smithy/util-body-length-browser@^2.0.0":
+ version "2.0.0"
+ resolved "https://registry.yarnpkg.com/@smithy/util-body-length-browser/-/util-body-length-browser-2.0.0.tgz#5447853003b4c73da3bc5f3c5e82c21d592d1650"
+ integrity sha512-JdDuS4ircJt+FDnaQj88TzZY3+njZ6O+D3uakS32f2VNnDo3vyEuNdBOh/oFd8Df1zSZOuH1HEChk2AOYDezZg==
dependencies:
tslib "^2.5.0"
-"@smithy/util-body-length-node@^1.0.1":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/util-body-length-node/-/util-body-length-node-1.1.0.tgz#afb9d4b33c5c0a5073893e5aacc17bcb2d11250d"
- integrity sha512-fRHRjkUuT5em4HZoshySXmB1n3HAU7IS232s+qU4TicexhyGJpXMK/2+c56ePOIa1FOK2tV1Q3J/7Mae35QVSw==
+"@smithy/util-body-length-node@^2.1.0":
+ version "2.1.0"
+ resolved "https://registry.yarnpkg.com/@smithy/util-body-length-node/-/util-body-length-node-2.1.0.tgz#313a5f7c5017947baf5fa018bfc22628904bbcfa"
+ integrity sha512-/li0/kj/y3fQ3vyzn36NTLGmUwAICb7Jbe/CsWCktW363gh1MOcpEcSO3mJ344Gv2dqz8YJCLQpb6hju/0qOWw==
dependencies:
tslib "^2.5.0"
-"@smithy/util-buffer-from@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/util-buffer-from/-/util-buffer-from-1.1.0.tgz#a000bd9f95c0e8d5b0edb0112f2a586daa5bed49"
- integrity sha512-9m6NXE0ww+ra5HKHCHig20T+FAwxBAm7DIdwc/767uGWbRcY720ybgPacQNB96JMOI7xVr/CDa3oMzKmW4a+kw==
+"@smithy/util-buffer-from@^2.0.0":
+ version "2.0.0"
+ resolved "https://registry.yarnpkg.com/@smithy/util-buffer-from/-/util-buffer-from-2.0.0.tgz#7eb75d72288b6b3001bc5f75b48b711513091deb"
+ integrity sha512-/YNnLoHsR+4W4Vf2wL5lGv0ksg8Bmk3GEGxn2vEQt52AQaPSCuaO5PM5VM7lP1K9qHRKHwrPGktqVoAHKWHxzw==
dependencies:
- "@smithy/is-array-buffer" "^1.1.0"
+ "@smithy/is-array-buffer" "^2.0.0"
tslib "^2.5.0"
-"@smithy/util-config-provider@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/util-config-provider/-/util-config-provider-1.1.0.tgz#eb7dcf9bfec9c359430c77dc9671decebeb0b2f9"
- integrity sha512-rQ47YpNmF6Is4I9GiE3T3+0xQ+r7RKRKbmHYyGSbyep/0cSf9kteKcI0ssJTvveJ1K4QvwrxXj1tEFp/G2UqxQ==
+"@smithy/util-config-provider@^2.0.0":
+ version "2.0.0"
+ resolved "https://registry.yarnpkg.com/@smithy/util-config-provider/-/util-config-provider-2.0.0.tgz#4dd6a793605559d94267312fd06d0f58784b4c38"
+ integrity sha512-xCQ6UapcIWKxXHEU4Mcs2s7LcFQRiU3XEluM2WcCjjBtQkUN71Tb+ydGmJFPxMUrW/GWMgQEEGipLym4XG0jZg==
dependencies:
tslib "^2.5.0"
-"@smithy/util-defaults-mode-browser@^1.0.1":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/util-defaults-mode-browser/-/util-defaults-mode-browser-1.1.0.tgz#60a110cdda9595865b98e26eef62206064656beb"
- integrity sha512-0bWhs1e412bfC5gwPCMe8Zbz0J8UoZ/meEQdo6MYj8Ne+c+QZ+KxVjx0a1dFYOclvM33SslL9dP0odn8kfblkg==
+"@smithy/util-defaults-mode-browser@^2.0.13":
+ version "2.0.14"
+ resolved "https://registry.yarnpkg.com/@smithy/util-defaults-mode-browser/-/util-defaults-mode-browser-2.0.14.tgz#e1c6f67277e5887eed8290d24c18175f2ae22b3d"
+ integrity sha512-NupG7SWUucm3vJrvlpt9jG1XeoPJphjcivgcUUXhDJbUPy4F04LhlTiAhWSzwlCNcF8OJsMvZ/DWbpYD3pselw==
dependencies:
- "@smithy/property-provider" "^1.2.0"
- "@smithy/types" "^1.2.0"
+ "@smithy/property-provider" "^2.0.12"
+ "@smithy/smithy-client" "^2.1.10"
+ "@smithy/types" "^2.3.5"
bowser "^2.11.0"
tslib "^2.5.0"
-"@smithy/util-defaults-mode-node@^1.0.1":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/util-defaults-mode-node/-/util-defaults-mode-node-1.1.0.tgz#71519554f2486671272fc7ad55ea1b6345361e6d"
- integrity sha512-440e25TUH2b+TeK5CwsjYFrI9ShVOgA31CoxCKiv4ncSK4ZM68XW5opYxQmzMbRWARGEMu2XEUeBmOgMU2RLsw==
- dependencies:
- "@smithy/config-resolver" "^1.1.0"
- "@smithy/credential-provider-imds" "^1.1.0"
- "@smithy/node-config-provider" "^1.1.0"
- "@smithy/property-provider" "^1.2.0"
- "@smithy/types" "^1.2.0"
+"@smithy/util-defaults-mode-node@^2.0.15":
+ version "2.0.18"
+ resolved "https://registry.yarnpkg.com/@smithy/util-defaults-mode-node/-/util-defaults-mode-node-2.0.18.tgz#29c640c363e4cb2b99c93c4c2a34e2297c5276f7"
+ integrity sha512-+3jMom/b/Cdp21tDnY4vKu249Al+G/P0HbRbct7/aSZDlROzv1tksaYukon6UUv7uoHn+/McqnsvqZHLlqvQ0g==
+ dependencies:
+ "@smithy/config-resolver" "^2.0.14"
+ "@smithy/credential-provider-imds" "^2.0.16"
+ "@smithy/node-config-provider" "^2.1.1"
+ "@smithy/property-provider" "^2.0.12"
+ "@smithy/smithy-client" "^2.1.10"
+ "@smithy/types" "^2.3.5"
tslib "^2.5.0"
-"@smithy/util-hex-encoding@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/util-hex-encoding/-/util-hex-encoding-1.1.0.tgz#b5ba919aa076a3fd5e93e368e34ae2b732fa2090"
- integrity sha512-7UtIE9eH0u41zpB60Jzr0oNCQ3hMJUabMcKRUVjmyHTXiWDE4vjSqN6qlih7rCNeKGbioS7f/y2Jgym4QZcKFg==
+"@smithy/util-hex-encoding@^2.0.0":
+ version "2.0.0"
+ resolved "https://registry.yarnpkg.com/@smithy/util-hex-encoding/-/util-hex-encoding-2.0.0.tgz#0aa3515acd2b005c6d55675e377080a7c513b59e"
+ integrity sha512-c5xY+NUnFqG6d7HFh1IFfrm3mGl29lC+vF+geHv4ToiuJCBmIfzx6IeHLg+OgRdPFKDXIw6pvi+p3CsscaMcMA==
dependencies:
tslib "^2.5.0"
-"@smithy/util-middleware@^1.0.1", "@smithy/util-middleware@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/util-middleware/-/util-middleware-1.1.0.tgz#9f186489437ca2ef753c5e1de2930f76fd1edc14"
- integrity sha512-6hhckcBqVgjWAqLy2vqlPZ3rfxLDhFWEmM7oLh2POGvsi7j0tHkbN7w4DFhuBExVJAbJ/qqxqZdRY6Fu7/OezQ==
+"@smithy/util-middleware@^2.0.3", "@smithy/util-middleware@^2.0.4":
+ version "2.0.4"
+ resolved "https://registry.yarnpkg.com/@smithy/util-middleware/-/util-middleware-2.0.4.tgz#2c406efac04e341c3df6435d71fd9c73e03feb46"
+ integrity sha512-Pbu6P4MBwRcjrLgdTR1O4Y3c0sTZn2JdOiJNcgL7EcIStcQodj+6ZTXtbyU/WTEU3MV2NMA10LxFc3AWHZ3+4A==
dependencies:
+ "@smithy/types" "^2.3.5"
tslib "^2.5.0"
-"@smithy/util-retry@^1.0.3", "@smithy/util-retry@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/util-retry/-/util-retry-1.1.0.tgz#f6e62ec7d7d30f1dd9608991730ba7a86e445047"
- integrity sha512-ygQW5HBqYXpR3ua09UciS0sL7UGJzGiktrKkOuEJwARoUuzz40yaEGU6xd9Gs7KBmAaFC8gMfnghHtwZ2nyBCQ==
+"@smithy/util-retry@^2.0.3", "@smithy/util-retry@^2.0.4":
+ version "2.0.4"
+ resolved "https://registry.yarnpkg.com/@smithy/util-retry/-/util-retry-2.0.4.tgz#b3ae28e73b4bdec21480005e76f9eeb9d7279e89"
+ integrity sha512-b+n1jBBKc77C1E/zfBe1Zo7S9OXGBiGn55N0apfhZHxPUP/fMH5AhFUUcWaJh7NAnah284M5lGkBKuhnr3yK5w==
dependencies:
- "@smithy/service-error-classification" "^1.1.0"
+ "@smithy/service-error-classification" "^2.0.4"
+ "@smithy/types" "^2.3.5"
tslib "^2.5.0"
-"@smithy/util-stream@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/util-stream/-/util-stream-1.1.0.tgz#3f174223bef33af85aa39261fccb908648e13af9"
- integrity sha512-w3lsdGsntaLQIrwDWJkIFKrFscgZXwU/oxsse09aSTNv5TckPhDeYea3LhsDrU5MGAG3vprhVZAKr33S45coVA==
- dependencies:
- "@smithy/fetch-http-handler" "^1.1.0"
- "@smithy/node-http-handler" "^1.1.0"
- "@smithy/types" "^1.2.0"
- "@smithy/util-base64" "^1.1.0"
- "@smithy/util-buffer-from" "^1.1.0"
- "@smithy/util-hex-encoding" "^1.1.0"
- "@smithy/util-utf8" "^1.1.0"
+"@smithy/util-stream@^2.0.15":
+ version "2.0.15"
+ resolved "https://registry.yarnpkg.com/@smithy/util-stream/-/util-stream-2.0.15.tgz#8c08f135535484f7a11ced4c697a5d901e316b3a"
+ integrity sha512-A/hkYJPH2N5MCWYvky4tTpQihpYAEzqnUfxDyG3L/yMndy/2sLvxnyQal9Opuj1e9FiKSTeMyjnU9xxZGs0mRw==
+ dependencies:
+ "@smithy/fetch-http-handler" "^2.2.2"
+ "@smithy/node-http-handler" "^2.1.7"
+ "@smithy/types" "^2.3.5"
+ "@smithy/util-base64" "^2.0.0"
+ "@smithy/util-buffer-from" "^2.0.0"
+ "@smithy/util-hex-encoding" "^2.0.0"
+ "@smithy/util-utf8" "^2.0.0"
tslib "^2.5.0"
-"@smithy/util-uri-escape@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/util-uri-escape/-/util-uri-escape-1.1.0.tgz#a8c5edaf19c0efdb9b51661e840549cf600a1808"
- integrity sha512-/jL/V1xdVRt5XppwiaEU8Etp5WHZj609n0xMTuehmCqdoOFbId1M+aEeDWZsQ+8JbEB/BJ6ynY2SlYmOaKtt8w==
+"@smithy/util-uri-escape@^2.0.0":
+ version "2.0.0"
+ resolved "https://registry.yarnpkg.com/@smithy/util-uri-escape/-/util-uri-escape-2.0.0.tgz#19955b1a0f517a87ae77ac729e0e411963dfda95"
+ integrity sha512-ebkxsqinSdEooQduuk9CbKcI+wheijxEb3utGXkCoYQkJnwTnLbH1JXGimJtUkQwNQbsbuYwG2+aFVyZf5TLaw==
dependencies:
tslib "^2.5.0"
-"@smithy/util-utf8@^1.0.1", "@smithy/util-utf8@^1.1.0":
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/@smithy/util-utf8/-/util-utf8-1.1.0.tgz#b791ab1e3f694374edfe22811e39dd8424a1be69"
- integrity sha512-p/MYV+JmqmPyjdgyN2UxAeYDj9cBqCjp0C/NsTWnnjoZUVqoeZ6IrW915L9CAKWVECgv9lVQGc4u/yz26/bI1A==
+"@smithy/util-utf8@^2.0.0":
+ version "2.0.0"
+ resolved "https://registry.yarnpkg.com/@smithy/util-utf8/-/util-utf8-2.0.0.tgz#b4da87566ea7757435e153799df9da717262ad42"
+ integrity sha512-rctU1VkziY84n5OXe3bPNpKR001ZCME2JCaBBFgtiM2hfKbHFudc/BkMuPab8hRbLd0j3vbnBTTZ1igBf0wgiQ==
dependencies:
- "@smithy/util-buffer-from" "^1.1.0"
+ "@smithy/util-buffer-from" "^2.0.0"
tslib "^2.5.0"
-"@swc/[email protected]":
- version "1.3.71"
- resolved "https://registry.yarnpkg.com/@swc/core-darwin-arm64/-/core-darwin-arm64-1.3.71.tgz#3cc2bfa7e3f89ec18987af863b2260a5340ff0a7"
- integrity sha512-xOm0hDbcO2ShwQu1CjLtq3fwrG9AvhuE0s8vtBc8AsamYExHmR8bo6GQHJUtfPG1FVPk5a8xoQSd1fs09FQjLg==
-
-"@swc/[email protected]":
- version "1.3.71"
- resolved "https://registry.yarnpkg.com/@swc/core-darwin-x64/-/core-darwin-x64-1.3.71.tgz#0f5439994013480454dfe2a5aff8861e93316fe3"
- integrity sha512-9sbDXBWgM22w/3Ll5kPhXMPkOiHRoqwMOyxLJBfGtIMnFlh5O+NRN3umRerK3pe4Q6/7hj2M5V+crEHYrXmuxg==
-
-"@swc/[email protected]":
- version "1.3.71"
- resolved "https://registry.yarnpkg.com/@swc/core-linux-arm-gnueabihf/-/core-linux-arm-gnueabihf-1.3.71.tgz#77ea469736802ce2865fbc4893991b7abf369e3e"
- integrity sha512-boKdMZsfKvhBs0FDeqH7KQj0lfYe0wCtrL1lv50oYMEeLajY9o4U5xSmc61Sg4HRXjlbR6dlM2cFfL84t7NpAA==
-
-"@swc/[email protected]":
- version "1.3.71"
- resolved "https://registry.yarnpkg.com/@swc/core-linux-arm64-gnu/-/core-linux-arm64-gnu-1.3.71.tgz#8a17c17fac03a448484af41fa35e45458da312b5"
- integrity sha512-yDatyHYMiOVwhyIA/LBwknPs2CUtLYWEMzPZjgLc+56PbgPs3oiEbNWeVUND5onPrfDQgK7NK1y8JeiXZqTgGQ==
-
-"@swc/[email protected]":
- version "1.3.71"
- resolved "https://registry.yarnpkg.com/@swc/core-linux-arm64-musl/-/core-linux-arm64-musl-1.3.71.tgz#bd3bf4310870a8a60a9dc834502d6852cd2b129b"
- integrity sha512-xAdCA0L/hoa0ULL5SR4sMZCxkWk7C90DOU7wJalNVG9qNWYICfq3G7AR0E9Ohphzqyahfb5QJED/nA7N0+XwbQ==
-
-"@swc/[email protected]":
- version "1.3.71"
- resolved "https://registry.yarnpkg.com/@swc/core-linux-x64-gnu/-/core-linux-x64-gnu-1.3.71.tgz#5c1f5ecb8fa96456195e75ac12c40372896d4b89"
- integrity sha512-j94qLXP/yqhu2afnABAq/xrJIU8TEqcNkp1TlsAeO3R2nVLYL1w4XX8GW71SPnXmd2bwF102c3Cfv/2ilf2y2A==
-
-"@swc/[email protected]":
- version "1.3.71"
- resolved "https://registry.yarnpkg.com/@swc/core-linux-x64-musl/-/core-linux-x64-musl-1.3.71.tgz#5fa99bd115d3bf90aebcee8793644f998024fcbe"
- integrity sha512-YiyU848ql6dLlmt0BHccGAaZ36Cf61VzCAMDKID/gd72snvzWcMCHrwSRW0gEFNXHsjBJrmNl+SLYZHfqoGwUA==
-
-"@swc/[email protected]":
- version "1.3.71"
- resolved "https://registry.yarnpkg.com/@swc/core-win32-arm64-msvc/-/core-win32-arm64-msvc-1.3.71.tgz#4e39975a51c56911e1183efd2106c0e74fe89b1c"
- integrity sha512-1UsJ+6hnIRe/PVdgDPexvgGaN4KpBncT/bAOqlWc9XC7KeBXAWcGA08LrPUz2Ei00DJXzR622IGZVEYOHNkUOw==
-
-"@swc/[email protected]":
- version "1.3.71"
- resolved "https://registry.yarnpkg.com/@swc/core-win32-ia32-msvc/-/core-win32-ia32-msvc-1.3.71.tgz#6bb37d9fba8409078376d292711566ccf9a46145"
- integrity sha512-KnuI89+zojR9lDFELdQYZpxzPZ6pBfLwJfWTSGatnpL1ZHhIsV3tK1jwqIdJK1zkRxpBwc6p6FzSZdZwCSpnJw==
-
-"@swc/[email protected]":
- version "1.3.71"
- resolved "https://registry.yarnpkg.com/@swc/core-win32-x64-msvc/-/core-win32-x64-msvc-1.3.71.tgz#33a53e4d5f93d13bae791451f3746d3da6a39984"
- integrity sha512-Pcw7fFirpaBOZsU8fhO48ZCb7NxIjuLnLRPrHqWQ4Mapx1+w9ZNdGya2DKP9n8EAiUrJO20WDsrBNMT2MQSWkA==
-
-"@swc/core@^1.3.26":
- version "1.3.71"
- resolved "https://registry.yarnpkg.com/@swc/core/-/core-1.3.71.tgz#7911038a5577005a5f12b9b2e31f6c804a0c4b7e"
- integrity sha512-T8dqj+SV/S8laW/FGmKHhCGw1o4GRUvJ2jHfbYgEwiJpeutT9uavHvG02t39HJvObBJ52EZs/krGtni4U5928Q==
+"@swc/[email protected]":
+ version "1.3.76"
+ resolved "https://registry.yarnpkg.com/@swc/core-darwin-arm64/-/core-darwin-arm64-1.3.76.tgz#757f10c6482a44b8cea3e85b8ae714ce9b31b4b5"
+ integrity sha512-ovviEhZ/1E81Z9OGrO0ivLWk4VCa3I3ZzM+cd3gugglRRwVwtlIaoIYqY5S3KiCAupDd1+UCl5X7Vbio7a/V8g==
+
+"@swc/[email protected]":
+ version "1.3.76"
+ resolved "https://registry.yarnpkg.com/@swc/core-darwin-x64/-/core-darwin-x64-1.3.76.tgz#edba4a4dbbc7454bc914fc8cf61545a74622d46f"
+ integrity sha512-tcySTDqs0SHCebtW35sCdcLWsmTEo7bEwx0gNL/spetqVT9fpFi6qU8qcnt7i2KaZHbeNl9g1aadu+Yrni+GzA==
+
+"@swc/[email protected]":
+ version "1.3.76"
+ resolved "https://registry.yarnpkg.com/@swc/core-linux-arm-gnueabihf/-/core-linux-arm-gnueabihf-1.3.76.tgz#d998f0e51ebec03e8666f02cee3fc6e40ceaf680"
+ integrity sha512-apgzpGWy1AwoMF4urAAASsAjE7rEzZFIF+p6utuxhS7cNHzE0AyEVDYJbo+pzBdlZ8orBdzzsHtFwoEgKOjebA==
+
+"@swc/[email protected]":
+ version "1.3.76"
+ resolved "https://registry.yarnpkg.com/@swc/core-linux-arm64-gnu/-/core-linux-arm64-gnu-1.3.76.tgz#4f4d98f699e92ebafb10ed75e468384a81ab128c"
+ integrity sha512-c3c0zz6S0eludqidDpuqbadE0WT3OZczyQxe9Vw8lFFXES85mvNGtwYzyGK2o7TICpsuHrndwDIoYpmpWk879g==
+
+"@swc/[email protected]":
+ version "1.3.76"
+ resolved "https://registry.yarnpkg.com/@swc/core-linux-arm64-musl/-/core-linux-arm64-musl-1.3.76.tgz#4341ca15e4a398de73af149c52c4d45b8cf5c4c8"
+ integrity sha512-Is3bpq7F2qtlnkzEeOD6HIZJPpOmu3q6c82lKww90Q0NnrlSluVMozTHJgwVoFZyizH7uLnk0LuNcEAWLnmJIw==
+
+"@swc/[email protected]":
+ version "1.3.76"
+ resolved "https://registry.yarnpkg.com/@swc/core-linux-x64-gnu/-/core-linux-x64-gnu-1.3.76.tgz#cc2e6f0f90f0e9d6dcb8bc62cd31172e0967b396"
+ integrity sha512-iwCeRzd9oSvUzqt7nU6p/ztceAWfnO9XVxBn502R5gs6QCBbE1HCKrWHDO77aKPK7ss+0NcIGHvXTd9L8/wRzw==
+
+"@swc/[email protected]":
+ version "1.3.76"
+ resolved "https://registry.yarnpkg.com/@swc/core-linux-x64-musl/-/core-linux-x64-musl-1.3.76.tgz#ebc327df5e07aa02e41309e56590f505f1fc64c0"
+ integrity sha512-a671g4tW8kyFeuICsgq4uB9ukQfiIyXJT4V6YSnmqhCTz5mazWuDxZ5wKnx/1g5nXTl+U5cWH2TZaCJatp4GKA==
+
+"@swc/[email protected]":
+ version "1.3.76"
+ resolved "https://registry.yarnpkg.com/@swc/core-win32-arm64-msvc/-/core-win32-arm64-msvc-1.3.76.tgz#34fb884d2ee2eec3382c01f712bde0f05e058a3b"
+ integrity sha512-+swEFtjdMezS0vKUhJC3psdSDtOJGY5pEOt4e8XOPvn7aQpKQ9LfF49XVtIwDSk5SGuWtVoLFzkSY3reWUJCyg==
+
+"@swc/[email protected]":
+ version "1.3.76"
+ resolved "https://registry.yarnpkg.com/@swc/core-win32-ia32-msvc/-/core-win32-ia32-msvc-1.3.76.tgz#a0dc94357d72eca6572522ed1202b6476222c249"
+ integrity sha512-5CqwAykpGBJ3PqGLOlWGLGIPpBAG1IwWVDUfro3hhjQ7XJxV5Z1aQf5V5OJ90HJVtrEAVx2xx59UV/Dh081LOg==
+
+"@swc/[email protected]":
+ version "1.3.76"
+ resolved "https://registry.yarnpkg.com/@swc/core-win32-x64-msvc/-/core-win32-x64-msvc-1.3.76.tgz#eea647407895a5a410a459b2abf8572adb147927"
+ integrity sha512-CiMpWLLlR3Cew9067E7XxaLBwYYJ90r9EhGSO6V1pvYSWj7ET/Ppmtj1ZhzPJMqRXAP6xflfl5R5o4ee1m4WLA==
+
+"@swc/[email protected]":
+ version "1.3.76"
+ resolved "https://registry.yarnpkg.com/@swc/core/-/core-1.3.76.tgz#f5259bd718e11854d9bd3a05f91f40bca21dffbc"
+ integrity sha512-aYYTA2aVYkwJAZepQXtPnkUthhOfn8qd6rsh+lrJxonFrjmpI7RHt2tMDVTXP6XDX7fvnvrVtT1bwZfmBFPh0Q==
optionalDependencies:
- "@swc/core-darwin-arm64" "1.3.71"
- "@swc/core-darwin-x64" "1.3.71"
- "@swc/core-linux-arm-gnueabihf" "1.3.71"
- "@swc/core-linux-arm64-gnu" "1.3.71"
- "@swc/core-linux-arm64-musl" "1.3.71"
- "@swc/core-linux-x64-gnu" "1.3.71"
- "@swc/core-linux-x64-musl" "1.3.71"
- "@swc/core-win32-arm64-msvc" "1.3.71"
- "@swc/core-win32-ia32-msvc" "1.3.71"
- "@swc/core-win32-x64-msvc" "1.3.71"
-
-"@swc/register@^0.1.10":
+ "@swc/core-darwin-arm64" "1.3.76"
+ "@swc/core-darwin-x64" "1.3.76"
+ "@swc/core-linux-arm-gnueabihf" "1.3.76"
+ "@swc/core-linux-arm64-gnu" "1.3.76"
+ "@swc/core-linux-arm64-musl" "1.3.76"
+ "@swc/core-linux-x64-gnu" "1.3.76"
+ "@swc/core-linux-x64-musl" "1.3.76"
+ "@swc/core-win32-arm64-msvc" "1.3.76"
+ "@swc/core-win32-ia32-msvc" "1.3.76"
+ "@swc/core-win32-x64-msvc" "1.3.76"
+
+"@swc/[email protected]":
version "0.1.10"
resolved "https://registry.yarnpkg.com/@swc/register/-/register-0.1.10.tgz#74a20b7559669e03479b05e9e5c6d1524d4d92a2"
integrity sha512-6STwH/q4dc3pitXLVkV7sP0Hiy+zBsU2wOF1aXpXR95pnH3RYHKIsDC+gvesfyB7jxNT9OOZgcqOp9RPxVTx9A==
@@ -1571,45 +1660,45 @@
integrity sha512-L7z9BgrNEcYyUYtF+HaEfiS5ebkh9jXqbszz7pC0hRBPaatV0XjSD3+eHrpqFemQfgwiFF0QPIarnIihIDn7OA==
"@types/body-parser@*":
- version "1.19.2"
- resolved "https://registry.yarnpkg.com/@types/body-parser/-/body-parser-1.19.2.tgz#aea2059e28b7658639081347ac4fab3de166e6f0"
- integrity sha512-ALYone6pm6QmwZoAgeyNksccT9Q4AWZQ6PvfwR37GT6r6FWUPguq6sUmNGSMV2Wr761oQoBxwGGa6DR5o1DC9g==
+ version "1.19.3"
+ resolved "https://registry.yarnpkg.com/@types/body-parser/-/body-parser-1.19.3.tgz#fb558014374f7d9e56c8f34bab2042a3a07d25cd"
+ integrity sha512-oyl4jvAfTGX9Bt6Or4H9ni1Z447/tQuxnZsytsCaExKlmJiU8sFgnIBRzJUpKwB5eWn9HuBYlUlVA74q/yN0eQ==
dependencies:
"@types/connect" "*"
"@types/node" "*"
"@types/connect@*":
- version "3.4.35"
- resolved "https://registry.yarnpkg.com/@types/connect/-/connect-3.4.35.tgz#5fcf6ae445e4021d1fc2219a4873cc73a3bb2ad1"
- integrity sha512-cdeYyv4KWoEgpBISTxWvqYsVy444DOqehiF3fM3ne10AmJ62RSyNkUnxMJXHQWRQQX2eR94m5y1IZyDwBjV9FQ==
+ version "3.4.36"
+ resolved "https://registry.yarnpkg.com/@types/connect/-/connect-3.4.36.tgz#e511558c15a39cb29bd5357eebb57bd1459cd1ab"
+ integrity sha512-P63Zd/JUGq+PdrM1lv0Wv5SBYeA2+CORvbrXbngriYY0jzLUWfQMQQxOhjONEz/wlHOAxOdY7CY65rgQdTjq2w==
dependencies:
"@types/node" "*"
"@types/eslint-scope@^3.7.3":
- version "3.7.4"
- resolved "https://registry.yarnpkg.com/@types/eslint-scope/-/eslint-scope-3.7.4.tgz#37fc1223f0786c39627068a12e94d6e6fc61de16"
- integrity sha512-9K4zoImiZc3HlIp6AVUDE4CWYx22a+lhSZMYNpbjW04+YF0KWj4pJXnEMjdnFTiQibFFmElcsasJXDbdI/EPhA==
+ version "3.7.5"
+ resolved "https://registry.yarnpkg.com/@types/eslint-scope/-/eslint-scope-3.7.5.tgz#e28b09dbb1d9d35fdfa8a884225f00440dfc5a3e"
+ integrity sha512-JNvhIEyxVW6EoMIFIvj93ZOywYFatlpu9deeH6eSx6PE3WHYvHaQtmHmQeNw7aA81bYGBPPQqdtBm6b1SsQMmA==
dependencies:
"@types/eslint" "*"
"@types/estree" "*"
"@types/eslint@*":
- version "8.44.1"
- resolved "https://registry.yarnpkg.com/@types/eslint/-/eslint-8.44.1.tgz#d1811559bb6bcd1a76009e3f7883034b78a0415e"
- integrity sha512-XpNDc4Z5Tb4x+SW1MriMVeIsMoONHCkWFMkR/aPJbzEsxqHy+4Glu/BqTdPrApfDeMaXbtNh6bseNgl5KaWrSg==
+ version "8.44.3"
+ resolved "https://registry.yarnpkg.com/@types/eslint/-/eslint-8.44.3.tgz#96614fae4875ea6328f56de38666f582d911d962"
+ integrity sha512-iM/WfkwAhwmPff3wZuPLYiHX18HI24jU8k1ZSH7P8FHwxTjZ2P6CoX2wnF43oprR+YXJM6UUxATkNvyv/JHd+g==
dependencies:
"@types/estree" "*"
"@types/json-schema" "*"
"@types/estree@*", "@types/estree@^1.0.0":
- version "1.0.1"
- resolved "https://registry.yarnpkg.com/@types/estree/-/estree-1.0.1.tgz#aa22750962f3bf0e79d753d3cc067f010c95f194"
- integrity sha512-LG4opVs2ANWZ1TJoKc937iMmNstM/d0ae1vNbnBvBhqCSezgVUOzcLCqbI5elV8Vy6WKwKjaqR+zO9VKirBBCA==
+ version "1.0.2"
+ resolved "https://registry.yarnpkg.com/@types/estree/-/estree-1.0.2.tgz#ff02bc3dc8317cd668dfec247b750ba1f1d62453"
+ integrity sha512-VeiPZ9MMwXjO32/Xu7+OwflfmeoRwkE/qzndw42gGtgJwZopBnzy2gD//NN1+go1mADzkDcqf/KnFRSjTJ8xJA==
"@types/express-serve-static-core@^4.17.33":
- version "4.17.35"
- resolved "https://registry.yarnpkg.com/@types/express-serve-static-core/-/express-serve-static-core-4.17.35.tgz#c95dd4424f0d32e525d23812aa8ab8e4d3906c4f"
- integrity sha512-wALWQwrgiB2AWTT91CB62b6Yt0sNHpznUXeZEcnPU3DRdlDIz74x8Qg1UUYKSVFi+va5vKOLYRBI1bRKiLLKIg==
+ version "4.17.37"
+ resolved "https://registry.yarnpkg.com/@types/express-serve-static-core/-/express-serve-static-core-4.17.37.tgz#7e4b7b59da9142138a2aaa7621f5abedce8c7320"
+ integrity sha512-ZohaCYTgGFcOP7u6aJOhY9uIZQgZ2vxC2yWoArY+FeDXlqeH66ZVBjgvg+RLVAS/DWNq4Ap9ZXu1+SUQiiWYMg==
dependencies:
"@types/node" "*"
"@types/qs" "*"
@@ -1617,9 +1706,9 @@
"@types/send" "*"
"@types/express@^4.17.9":
- version "4.17.17"
- resolved "https://registry.yarnpkg.com/@types/express/-/express-4.17.17.tgz#01d5437f6ef9cfa8668e616e13c2f2ac9a491ae4"
- integrity sha512-Q4FmmuLGBG58btUnfS1c1r/NQdlp3DMfGDGig8WhfpA2YRUtEkxAjkZb0yvplJGYdF1fsQ81iMDcH24sSCNC/Q==
+ version "4.17.18"
+ resolved "https://registry.yarnpkg.com/@types/express/-/express-4.17.18.tgz#efabf5c4495c1880df1bdffee604b143b29c4a95"
+ integrity sha512-Sxv8BSLLgsBYmcnGdGjjEjqET2U+AKAdCRODmMiq02FgjwuV75Ut85DRpvFjyw/Mk0vgUOliGRU0UUmuuZHByQ==
dependencies:
"@types/body-parser" "*"
"@types/express-serve-static-core" "^4.17.33"
@@ -1640,9 +1729,9 @@
integrity sha512-oh/6byDPnL1zeNXFrDXFLyZjkr1MsBG667IM792caf1L2UPOOMf65NFzjUH/ltyfwjAGfs1rsX1eftK0jC/KIg==
"@types/http-errors@*":
- version "2.0.1"
- resolved "https://registry.yarnpkg.com/@types/http-errors/-/http-errors-2.0.1.tgz#20172f9578b225f6c7da63446f56d4ce108d5a65"
- integrity sha512-/K3ds8TRAfBvi5vfjuz8y6+GiAYBZ0x4tXv1Av6CWBWn0IlADc+ZX9pMq7oU0fNQPnBwIZl3rmeLp6SBApbxSQ==
+ version "2.0.2"
+ resolved "https://registry.yarnpkg.com/@types/http-errors/-/http-errors-2.0.2.tgz#a86e00bbde8950364f8e7846687259ffcd96e8c2"
+ integrity sha512-lPG6KlZs88gef6aD85z3HNkztpj7w2R7HmR3gygjfXCQmsLloWNARFkMuzKiiY8FGdh1XDpgBdrSf4aKDiA7Kg==
"@types/is-hotkey@^0.1.1":
version "0.1.7"
@@ -1655,23 +1744,23 @@
integrity sha512-z/QT1XN4K4KYuslS23k62yDIDLwLFkzxOuMplDtObz0+y7VqJCaO2o+SPwHCvLFZh7xazvvoor2tA/hPz9ee7g==
"@types/istanbul-lib-report@*":
- version "3.0.0"
- resolved "https://registry.yarnpkg.com/@types/istanbul-lib-report/-/istanbul-lib-report-3.0.0.tgz#c14c24f18ea8190c118ee7562b7ff99a36552686"
- integrity sha512-plGgXAPfVKFoYfa9NpYDAkseG+g6Jr294RqeqcqDixSbU34MZVJRi/P+7Y8GDpzkEwLaGZZOpKIEmeVZNtKsrg==
+ version "3.0.1"
+ resolved "https://registry.yarnpkg.com/@types/istanbul-lib-report/-/istanbul-lib-report-3.0.1.tgz#412e0725ef41cde73bfa03e0e833eaff41e0fd63"
+ integrity sha512-gPQuzaPR5h/djlAv2apEG1HVOyj1IUs7GpfMZixU0/0KXT3pm64ylHuMUI1/Akh+sq/iikxg6Z2j+fcMDXaaTQ==
dependencies:
"@types/istanbul-lib-coverage" "*"
"@types/istanbul-reports@^3.0.0":
- version "3.0.1"
- resolved "https://registry.yarnpkg.com/@types/istanbul-reports/-/istanbul-reports-3.0.1.tgz#9153fe98bba2bd565a63add9436d6f0d7f8468ff"
- integrity sha512-c3mAZEuK0lvBp8tmuL74XRKn1+y2dcwOUpH7x4WrF6gk1GIgiluDRgMYQtw2OFcBvAJWlt6ASU3tSqxp0Uu0Aw==
+ version "3.0.2"
+ resolved "https://registry.yarnpkg.com/@types/istanbul-reports/-/istanbul-reports-3.0.2.tgz#edc8e421991a3b4df875036d381fc0a5a982f549"
+ integrity sha512-kv43F9eb3Lhj+lr/Hn6OcLCs/sSM8bt+fIaP11rCYngfV6NVjzWXJ17owQtDQTL9tQ8WSLUrGsSJ6rJz0F1w1A==
dependencies:
"@types/istanbul-lib-report" "*"
"@types/json-schema@*", "@types/json-schema@^7.0.11", "@types/json-schema@^7.0.6", "@types/json-schema@^7.0.8", "@types/json-schema@^7.0.9":
- version "7.0.12"
- resolved "https://registry.yarnpkg.com/@types/json-schema/-/json-schema-7.0.12.tgz#d70faba7039d5fca54c83c7dbab41051d2b6f6cb"
- integrity sha512-Hr5Jfhc9eYOQNPYO5WLDq/n4jqijdHNlDXjuAQkkt+mWdQR+XJToOHrsD4cPaMXpn6KO7y2+wM8AZEs8VpBLVA==
+ version "7.0.13"
+ resolved "https://registry.yarnpkg.com/@types/json-schema/-/json-schema-7.0.13.tgz#02c24f4363176d2d18fc8b70b9f3c54aba178a85"
+ integrity sha512-RbSSoHliUbnXj3ny0CNFOoxrIDV6SUGyStHsvDqosw6CkdPV8TtWGlfecuK4ToyMEAql6pzNxgCFKanovUzlgQ==
"@types/json5@^0.0.29":
version "0.0.29"
@@ -1679,19 +1768,19 @@
integrity sha512-dRLjCWHYg4oaA77cxO64oO+7JwCwnIzkZPdrrC71jQmQtlhM556pwKo5bUzqvZndkVbeFLIIi+9TC40JNF5hNQ==
"@types/lodash@^4.14.149", "@types/lodash@^4.14.182":
- version "4.14.195"
- resolved "https://registry.yarnpkg.com/@types/lodash/-/lodash-4.14.195.tgz#bafc975b252eb6cea78882ce8a7b6bf22a6de632"
- integrity sha512-Hwx9EUgdwf2GLarOjQp5ZH8ZmblzcbTBC2wtQWNKARBSxM9ezRIAUpeDTgoQRAFB0+8CNWXVA9+MaSOzOF3nPg==
+ version "4.14.199"
+ resolved "https://registry.yarnpkg.com/@types/lodash/-/lodash-4.14.199.tgz#c3edb5650149d847a277a8961a7ad360c474e9bf"
+ integrity sha512-Vrjz5N5Ia4SEzWWgIVwnHNEnb1UE1XMkvY5DGXrAeOGE9imk0hgTHh5GyDjLDJi9OTCn9oo9dXH1uToK1VRfrg==
"@types/mime@*":
- version "3.0.1"
- resolved "https://registry.yarnpkg.com/@types/mime/-/mime-3.0.1.tgz#5f8f2bca0a5863cb69bc0b0acd88c96cb1d4ae10"
- integrity sha512-Y4XFY5VJAuw0FgAqPNd6NNoV44jbq9Bz2L7Rh/J6jLTiHBSBJa9fxqQIvkIld4GsoDOcCbvzOUAbLPsSKKg+uA==
+ version "3.0.2"
+ resolved "https://registry.yarnpkg.com/@types/mime/-/mime-3.0.2.tgz#c1ae807f13d308ee7511a5b81c74f327028e66e8"
+ integrity sha512-Wj+fqpTLtTbG7c0tH47dkahefpLKEbB+xAZuLq7b4/IDHPl/n6VoXcyUQ2bypFlbSwvCr0y+bD4euTTqTJsPxQ==
"@types/mime@^1":
- version "1.3.2"
- resolved "https://registry.yarnpkg.com/@types/mime/-/mime-1.3.2.tgz#93e25bf9ee75fe0fd80b594bc4feb0e862111b5a"
- integrity sha512-YATxVxgRqNH6nHEIsvg6k2Boc1JHI9ZbH5iWFFv/MTkchz3b1ieGDa5T0a9RznNdI0KhVbdbWSN+KWWrQZRxTw==
+ version "1.3.3"
+ resolved "https://registry.yarnpkg.com/@types/mime/-/mime-1.3.3.tgz#bbe64987e0eb05de150c305005055c7ad784a9ce"
+ integrity sha512-Ys+/St+2VF4+xuY6+kDIXGxbNRO0mesVg0bbxEfB97Od1Vjpjx9KD1qxs64Gcb3CWPirk9Xe+PT4YiiHQ9T+eg==
"@types/minimatch@*":
version "5.1.2"
@@ -1699,9 +1788,9 @@
integrity sha512-K0VQKziLUWkVKiRVrx4a40iPaxTUefQmjtkQofBkYRcoaaL/8rhwDWww9qWbrgicNOgnpIsMxyNIUM4+n6dUIA==
"@types/node@*":
- version "20.4.4"
- resolved "https://registry.yarnpkg.com/@types/node/-/node-20.4.4.tgz#c79c7cc22c9d0e97a7944954c9e663bcbd92b0cb"
- integrity sha512-CukZhumInROvLq3+b5gLev+vgpsIqC2D0deQr/yS1WnxvmYLlJXZpaQrQiseMY+6xusl79E04UjWoqyr+t1/Ew==
+ version "20.8.3"
+ resolved "https://registry.yarnpkg.com/@types/node/-/node-20.8.3.tgz#c4ae2bb1cfab2999ed441a95c122bbbe1567a66d"
+ integrity sha512-jxiZQFpb+NlH5kjW49vXxvxTjeeqlbsnTAdBTKpzEdPs9itay7MscYXz3Fo9VYFEsfQ6LJFitHad3faerLAjCw==
"@types/[email protected]":
version "18.11.3"
@@ -1719,31 +1808,31 @@
integrity sha512-+68kP9yzs4LMp7VNh8gdzMSPZFL44MLGqiHWvttYJe+6qnuVr4Ek9wSBQoveqY/r+LwjCcU29kNVkidwim+kYA==
"@types/prop-types@*":
- version "15.7.5"
- resolved "https://registry.yarnpkg.com/@types/prop-types/-/prop-types-15.7.5.tgz#5f19d2b85a98e9558036f6a3cacc8819420f05cf"
- integrity sha512-JCB8C6SnDoQf0cNycqd/35A7MjcnK+ZTqE7judS6o7utxUCg6imJg3QK2qzHKszlTjcj2cn+NwMB2i96ubpj7w==
+ version "15.7.8"
+ resolved "https://registry.yarnpkg.com/@types/prop-types/-/prop-types-15.7.8.tgz#805eae6e8f41bd19e88917d2ea200dc992f405d3"
+ integrity sha512-kMpQpfZKSCBqltAJwskgePRaYRFukDkm1oItcAbC3gNELR20XIBcN9VRgg4+m8DKsTfkWeA4m4Imp4DDuWy7FQ==
"@types/qs@*":
- version "6.9.7"
- resolved "https://registry.yarnpkg.com/@types/qs/-/qs-6.9.7.tgz#63bb7d067db107cc1e457c303bc25d511febf6cb"
- integrity sha512-FGa1F62FT09qcrueBA6qYTrJPVDzah9a+493+o2PCXsesWHIn27G98TsSMs3WPNbZIEj4+VJf6saSFpvD+3Zsw==
+ version "6.9.8"
+ resolved "https://registry.yarnpkg.com/@types/qs/-/qs-6.9.8.tgz#f2a7de3c107b89b441e071d5472e6b726b4adf45"
+ integrity sha512-u95svzDlTysU5xecFNTgfFG5RUWu1A9P0VzgpcIiGZA9iraHOdSzcxMxQ55DyeRaGCSxQi7LxXDI4rzq/MYfdg==
"@types/range-parser@*":
- version "1.2.4"
- resolved "https://registry.yarnpkg.com/@types/range-parser/-/range-parser-1.2.4.tgz#cd667bcfdd025213aafb7ca5915a932590acdcdc"
- integrity sha512-EEhsLsD6UsDM1yFhAvy0Cjr6VwmpMWqFBCb9w07wVugF7w9nfajxLuVmngTIpgS6svCnm6Vaw+MZhoDCKnOfsw==
+ version "1.2.5"
+ resolved "https://registry.yarnpkg.com/@types/range-parser/-/range-parser-1.2.5.tgz#38bd1733ae299620771bd414837ade2e57757498"
+ integrity sha512-xrO9OoVPqFuYyR/loIHjnbvvyRZREYKLjxV4+dY6v3FQR3stQ9ZxIGkaclF7YhI9hfjpuTbu14hZEy94qKLtOA==
"@types/react-transition-group@^4.4.0":
- version "4.4.6"
- resolved "https://registry.yarnpkg.com/@types/react-transition-group/-/react-transition-group-4.4.6.tgz#18187bcda5281f8e10dfc48f0943e2fdf4f75e2e"
- integrity sha512-VnCdSxfcm08KjsJVQcfBmhEQAPnLB8G08hAxn39azX1qYBQ/5RVQuoHuKIcfKOdncuaUvEpFKFzEvbtIMsfVew==
+ version "4.4.7"
+ resolved "https://registry.yarnpkg.com/@types/react-transition-group/-/react-transition-group-4.4.7.tgz#bf69f269d74aa78b99097673ca6dd6824a68ef1c"
+ integrity sha512-ICCyBl5mvyqYp8Qeq9B5G/fyBSRC0zx3XM3sCC6KkcMsNeAHqXBKkmat4GqdJET5jtYUpZXrxI5flve5qhi2Eg==
dependencies:
"@types/react" "*"
"@types/react@*":
- version "18.2.16"
- resolved "https://registry.yarnpkg.com/@types/react/-/react-18.2.16.tgz#403dda0e933caccac9efde569923239ac426786c"
- integrity sha512-LLFWr12ZhBJ4YVw7neWLe6Pk7Ey5R9OCydfuMsz1L8bZxzaawJj2p06Q8/EFEHDeTBQNFLF62X+CG7B2zIyu0Q==
+ version "18.2.25"
+ resolved "https://registry.yarnpkg.com/@types/react/-/react-18.2.25.tgz#99fa44154132979e870ff409dc5b6e67f06f0199"
+ integrity sha512-24xqse6+VByVLIr+xWaQ9muX1B4bXJKXBbjszbld/UEDslGLY53+ZucF44HCmLbMPejTzGG9XgR+3m2/Wqu1kw==
dependencies:
"@types/prop-types" "*"
"@types/scheduler" "*"
@@ -1759,43 +1848,36 @@
csstype "^3.0.2"
"@types/scheduler@*":
- version "0.16.3"
- resolved "https://registry.yarnpkg.com/@types/scheduler/-/scheduler-0.16.3.tgz#cef09e3ec9af1d63d2a6cc5b383a737e24e6dcf5"
- integrity sha512-5cJ8CB4yAx7BH1oMvdU0Jh9lrEXyPkar6F9G/ERswkCuvP4KQZfZkSjcMbAICCpQTN4OuZn8tz0HiKv9TGZgrQ==
+ version "0.16.4"
+ resolved "https://registry.yarnpkg.com/@types/scheduler/-/scheduler-0.16.4.tgz#fedc3e5b15c26dc18faae96bf1317487cb3658cf"
+ integrity sha512-2L9ifAGl7wmXwP4v3pN4p2FLhD0O1qsJpvKmNin5VA8+UvNVb447UDaAEV6UdrkA+m/Xs58U1RFps44x6TFsVQ==
"@types/semver@^7.3.12":
- version "7.5.0"
- resolved "https://registry.yarnpkg.com/@types/semver/-/semver-7.5.0.tgz#591c1ce3a702c45ee15f47a42ade72c2fd78978a"
- integrity sha512-G8hZ6XJiHnuhQKR7ZmysCeJWE08o8T0AXtk5darsCaTVsYZhhgUrq53jizaR2FvsoeCwJhlmwTjkXBY5Pn/ZHw==
+ version "7.5.3"
+ resolved "https://registry.yarnpkg.com/@types/semver/-/semver-7.5.3.tgz#9a726e116beb26c24f1ccd6850201e1246122e04"
+ integrity sha512-OxepLK9EuNEIPxWNME+C6WwbRAOOI2o2BaQEGzz5Lu2e4Z5eDnEo+/aVEDMIXywoJitJ7xWd641wrGLZdtwRyw==
"@types/send@*":
- version "0.17.1"
- resolved "https://registry.yarnpkg.com/@types/send/-/send-0.17.1.tgz#ed4932b8a2a805f1fe362a70f4e62d0ac994e301"
- integrity sha512-Cwo8LE/0rnvX7kIIa3QHCkcuF21c05Ayb0ZfxPiv0W8VRiZiNW/WuRupHKpqqGVGf7SUA44QSOUKaEd9lIrd/Q==
+ version "0.17.2"
+ resolved "https://registry.yarnpkg.com/@types/send/-/send-0.17.2.tgz#af78a4495e3c2b79bfbdac3955fdd50e03cc98f2"
+ integrity sha512-aAG6yRf6r0wQ29bkS+x97BIs64ZLxeE/ARwyS6wrldMm3C1MdKwCcnnEwMC1slI8wuxJOpiUH9MioC0A0i+GJw==
dependencies:
"@types/mime" "^1"
"@types/node" "*"
"@types/serve-static@*":
- version "1.15.2"
- resolved "https://registry.yarnpkg.com/@types/serve-static/-/serve-static-1.15.2.tgz#3e5419ecd1e40e7405d34093f10befb43f63381a"
- integrity sha512-J2LqtvFYCzaj8pVYKw8klQXrLLk7TBZmQ4ShlcdkELFKGwGMfevMLneMMRkMgZxotOD9wg497LpC7O8PcvAmfw==
+ version "1.15.3"
+ resolved "https://registry.yarnpkg.com/@types/serve-static/-/serve-static-1.15.3.tgz#2cfacfd1fd4520bbc3e292cca432d5e8e2e3ee61"
+ integrity sha512-yVRvFsEMrv7s0lGhzrggJjNOSmZCdgCjw9xWrPr/kNNLp6FaDfMC1KaYl3TSJ0c58bECwNBMoQrZJ8hA8E1eFg==
dependencies:
"@types/http-errors" "*"
"@types/mime" "*"
"@types/node" "*"
-"@types/sharp@^0.31.1":
- version "0.31.1"
- resolved "https://registry.yarnpkg.com/@types/sharp/-/sharp-0.31.1.tgz#db768461455dbcf9ff11d69277fd70564483c4df"
- integrity sha512-5nWwamN9ZFHXaYEincMSuza8nNfOof8nmO+mcI+Agx1uMUk4/pQnNIcix+9rLPXzKrm1pS34+6WRDbDV0Jn7ag==
- dependencies:
- "@types/node" "*"
-
"@types/webidl-conversions@*":
- version "7.0.0"
- resolved "https://registry.yarnpkg.com/@types/webidl-conversions/-/webidl-conversions-7.0.0.tgz#2b8e60e33906459219aa587e9d1a612ae994cfe7"
- integrity sha512-xTE1E+YF4aWPJJeUzaZI5DRntlkY3+BCVJi0axFptnjGmAoWxkyREIh/XMrfxVLejwQxMCfDXdICo0VLxThrog==
+ version "7.0.1"
+ resolved "https://registry.yarnpkg.com/@types/webidl-conversions/-/webidl-conversions-7.0.1.tgz#2b9a2062b39a7272343c185cdb884f2e52188f75"
+ integrity sha512-8hKOnOan+Uu+NgMaCouhg3cT9x5fFZ92Jwf+uDLXLu/MFRbXxlWwGeQY7KVHkeSft6RvY+tdxklUBuyY9eIEKg==
"@types/whatwg-url@^8.2.1":
version "8.2.2"
@@ -1806,14 +1888,14 @@
"@types/webidl-conversions" "*"
"@types/yargs-parser@*":
- version "21.0.0"
- resolved "https://registry.yarnpkg.com/@types/yargs-parser/-/yargs-parser-21.0.0.tgz#0c60e537fa790f5f9472ed2776c2b71ec117351b"
- integrity sha512-iO9ZQHkZxHn4mSakYV0vFHAVDyEOIJQrV2uZ06HxEPcx+mt8swXoZHIbaaJ2crJYFfErySgktuTZ3BeLz+XmFA==
+ version "21.0.1"
+ resolved "https://registry.yarnpkg.com/@types/yargs-parser/-/yargs-parser-21.0.1.tgz#07773d7160494d56aa882d7531aac7319ea67c3b"
+ integrity sha512-axdPBuLuEJt0c4yI5OZssC19K2Mq1uKdrfZBzuxLvaztgqUtFYZUNw7lETExPYJR9jdEoIg4mb7RQKRQzOkeGQ==
"@types/yargs@^17.0.8":
- version "17.0.24"
- resolved "https://registry.yarnpkg.com/@types/yargs/-/yargs-17.0.24.tgz#b3ef8d50ad4aa6aecf6ddc97c580a00f5aa11902"
- integrity sha512-6i0aC7jV6QzQB8ne1joVZ0eSFIstHsCrobmOtghM11yGlH0j43FKL2UhWdELkyps0zuf7qVTUVCCR+tgSlyLLw==
+ version "17.0.28"
+ resolved "https://registry.yarnpkg.com/@types/yargs/-/yargs-17.0.28.tgz#d106e4301fbacde3d1796ab27374dd16588ec851"
+ integrity sha512-N3e3fkS86hNhtk6BEnc0rj3zcehaxx8QWhCROJkqpl5Zaoi7nAic3jH8q94jVD3zu5LGk+PUB6KAiDmimYOEQw==
dependencies:
"@types/yargs-parser" "*"
@@ -2108,7 +2190,7 @@ ajv-keywords@^5.1.0:
dependencies:
fast-deep-equal "^3.1.3"
-ajv@^6.10.0, ajv@^6.12.4, ajv@^6.12.5:
+ajv@^6.12.4, ajv@^6.12.5:
version "6.12.6"
resolved "https://registry.yarnpkg.com/ajv/-/ajv-6.12.6.tgz#baf5a62e802b07d977034586f8c3baf5adf26df4"
integrity sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==
@@ -2189,14 +2271,14 @@ [email protected]:
integrity sha512-PCVAQswWemu6UdxsDFFX/+gVeYqKAod3D3UVm91jHwynguOwAvYPhx8nNlM++NqRcK6CxxpUafjmhIdKiHibqg==
array-includes@^3.1.4:
- version "3.1.6"
- resolved "https://registry.yarnpkg.com/array-includes/-/array-includes-3.1.6.tgz#9e9e720e194f198266ba9e18c29e6a9b0e4b225f"
- integrity sha512-sgTbLvL6cNnw24FnbaDyjmvddQ2ML8arZsgaJhoABMoplz/4QRhtrYS+alr1BUM1Bwp6dhx8vVCBSLG+StwOFw==
+ version "3.1.7"
+ resolved "https://registry.yarnpkg.com/array-includes/-/array-includes-3.1.7.tgz#8cd2e01b26f7a3086cbc87271593fe921c62abda"
+ integrity sha512-dlcsNBIiWhPkHdOEEKnehA+RNUWDc4UqFtnIXU4uuYDPtA4LDkr7qip2p0VvFAEXNDr0yWZ9PJyIRiGjRLQzwQ==
dependencies:
call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
- get-intrinsic "^1.1.3"
+ define-properties "^1.2.0"
+ es-abstract "^1.22.1"
+ get-intrinsic "^1.2.1"
is-string "^1.0.7"
array-union@^2.1.0:
@@ -2205,23 +2287,24 @@ array-union@^2.1.0:
integrity sha512-HGyxoOTYUyCM6stUe6EJgnd4EoewAI7zMdfqO+kGjnlZmBDz/cR5pf8r/cR4Wq60sL/p0IkcjUEEPwS3GFrIyw==
array.prototype.flat@^1.2.5:
- version "1.3.1"
- resolved "https://registry.yarnpkg.com/array.prototype.flat/-/array.prototype.flat-1.3.1.tgz#ffc6576a7ca3efc2f46a143b9d1dda9b4b3cf5e2"
- integrity sha512-roTU0KWIOmJ4DRLmwKd19Otg0/mT3qPNt0Qb3GWW8iObuZXxrjB/pzn0R3hqpRSWg4HCwqx+0vwOnWnvlOyeIA==
+ version "1.3.2"
+ resolved "https://registry.yarnpkg.com/array.prototype.flat/-/array.prototype.flat-1.3.2.tgz#1476217df8cff17d72ee8f3ba06738db5b387d18"
+ integrity sha512-djYB+Zx2vLewY8RWlNCUdHjDXs2XOgm602S9E7P/UpHgfeHL00cRiIF+IN/G/aUJ7kGPb6yO/ErDI5V2s8iycA==
dependencies:
call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
+ define-properties "^1.2.0"
+ es-abstract "^1.22.1"
es-shim-unscopables "^1.0.0"
-arraybuffer.prototype.slice@^1.0.1:
- version "1.0.1"
- resolved "https://registry.yarnpkg.com/arraybuffer.prototype.slice/-/arraybuffer.prototype.slice-1.0.1.tgz#9b5ea3868a6eebc30273da577eb888381c0044bb"
- integrity sha512-09x0ZWFEjj4WD8PDbykUwo3t9arLn8NIzmmYEJFpYekOAQjpkGSyrQhNoRTcwwcFRu+ycWF78QZ63oWTqSjBcw==
+arraybuffer.prototype.slice@^1.0.2:
+ version "1.0.2"
+ resolved "https://registry.yarnpkg.com/arraybuffer.prototype.slice/-/arraybuffer.prototype.slice-1.0.2.tgz#98bd561953e3e74bb34938e77647179dfe6e9f12"
+ integrity sha512-yMBKppFur/fbHu9/6USUe03bZ4knMYiwFBcyiaXB8Go0qNehwX6inYPzK9U0NeQvGxKthcmHcaR8P5MStSRBAw==
dependencies:
array-buffer-byte-length "^1.0.0"
call-bind "^1.0.2"
define-properties "^1.2.0"
+ es-abstract "^1.22.1"
get-intrinsic "^1.2.1"
is-array-buffer "^3.0.2"
is-shared-array-buffer "^1.0.2"
@@ -2237,13 +2320,13 @@ atomically@^1.7.0:
integrity sha512-Xcz9l0z7y9yQ9rdDaxlmaI4uJHf/T8g9hOEzJcsEqX2SjCj4J20uK7+ldkDHMbpJDK76wF7xEIgxc/vSlsfw5w==
autoprefixer@^10.4.14:
- version "10.4.14"
- resolved "https://registry.yarnpkg.com/autoprefixer/-/autoprefixer-10.4.14.tgz#e28d49902f8e759dd25b153264e862df2705f79d"
- integrity sha512-FQzyfOsTlwVzjHxKEqRIAdJx9niO6VCBCoEwax/VLSoQF29ggECcPuBqUMZ+u8jCZOPSy8b8/8KnuFbp0SaFZQ==
+ version "10.4.16"
+ resolved "https://registry.yarnpkg.com/autoprefixer/-/autoprefixer-10.4.16.tgz#fad1411024d8670880bdece3970aa72e3572feb8"
+ integrity sha512-7vd3UC6xKp0HLfua5IjZlcXvGAGy7cBAXTg2lyQ/8WpNhd6SiZ8Be+xm3FyBSYJx5GKcpRCzBh7RH4/0dnY+uQ==
dependencies:
- browserslist "^4.21.5"
- caniuse-lite "^1.0.30001464"
- fraction.js "^4.2.0"
+ browserslist "^4.21.10"
+ caniuse-lite "^1.0.30001538"
+ fraction.js "^4.3.6"
normalize-range "^0.1.2"
picocolors "^1.0.0"
postcss-value-parser "^4.2.0"
@@ -2309,7 +2392,7 @@ [email protected]:
type-is "~1.6.18"
unpipe "1.0.0"
-body-parser@^1.20.1:
[email protected]:
version "1.20.2"
resolved "https://registry.yarnpkg.com/body-parser/-/body-parser-1.20.2.tgz#6feb0e21c4724d06de7ff38da36dad4f57a747fd"
integrity sha512-ml9pReCu3M61kGlqoTm2umSXTlRTuGTx0bfYj+uIUKKYycG5NtSbeetV3faSU6R7ajOPw0g/J1PvK4qNy7s5bA==
@@ -2327,6 +2410,11 @@ body-parser@^1.20.1:
type-is "~1.6.18"
unpipe "1.0.0"
[email protected]:
+ version "4.0.0-beta.0"
+ resolved "https://registry.yarnpkg.com/body-scroll-lock/-/body-scroll-lock-4.0.0-beta.0.tgz#4f78789d10e6388115c0460cd6d7d4dd2bbc4f7e"
+ integrity sha512-a7tP5+0Mw3YlUJcGAKUqIBkYYGlYxk2fnCasq/FUph1hadxlTRjF+gAcZksxANnaMnALjxEddmSi/H3OR8ugcQ==
+
body-scroll-lock@^3.1.5:
version "3.1.5"
resolved "https://registry.yarnpkg.com/body-scroll-lock/-/body-scroll-lock-3.1.5.tgz#c1392d9217ed2c3e237fee1e910f6cdd80b7aaec"
@@ -2364,17 +2452,17 @@ braces@^3.0.2, braces@~3.0.2:
dependencies:
fill-range "^7.0.1"
-browserslist@^4.0.0, browserslist@^4.14.5, browserslist@^4.21.4, browserslist@^4.21.5, browserslist@^4.21.9:
- version "4.21.9"
- resolved "https://registry.yarnpkg.com/browserslist/-/browserslist-4.21.9.tgz#e11bdd3c313d7e2a9e87e8b4b0c7872b13897635"
- integrity sha512-M0MFoZzbUrRU4KNfCrDLnvyE7gub+peetoTid3TBIqtunaDJyXlwhakT+/VkvSXcfIzFfK/nkCs4nmyTmxdNSg==
+browserslist@^4.0.0, browserslist@^4.14.5, browserslist@^4.21.10, browserslist@^4.21.4, browserslist@^4.21.9:
+ version "4.22.1"
+ resolved "https://registry.yarnpkg.com/browserslist/-/browserslist-4.22.1.tgz#ba91958d1a59b87dab6fed8dfbcb3da5e2e9c619"
+ integrity sha512-FEVc202+2iuClEhZhrWy6ZiAcRLvNMyYcxZ8raemul1DYVOVdFsbqckWLdsixQZCpJlwe77Z3UTalE7jsjnKfQ==
dependencies:
- caniuse-lite "^1.0.30001503"
- electron-to-chromium "^1.4.431"
- node-releases "^2.0.12"
- update-browserslist-db "^1.0.11"
+ caniuse-lite "^1.0.30001541"
+ electron-to-chromium "^1.4.535"
+ node-releases "^2.0.13"
+ update-browserslist-db "^1.0.13"
-bson-objectid@^2.0.4:
[email protected]:
version "2.0.4"
resolved "https://registry.yarnpkg.com/bson-objectid/-/bson-objectid-2.0.4.tgz#339211572ef97dc98f2d68eaee7b99b7be59a089"
integrity sha512-vgnKAUzcDoa+AeyYwXCoHyF2q6u/8H46dxu5JN+4/TZeq/Dlinn0K6GvxsCLb3LHUJl0m/TLiEK31kUwtgocMQ==
@@ -2465,12 +2553,12 @@ caniuse-api@^3.0.0:
lodash.memoize "^4.1.2"
lodash.uniq "^4.5.0"
-caniuse-lite@^1.0.0, caniuse-lite@^1.0.30001464, caniuse-lite@^1.0.30001503:
- version "1.0.30001517"
- resolved "https://registry.yarnpkg.com/caniuse-lite/-/caniuse-lite-1.0.30001517.tgz#90fabae294215c3495807eb24fc809e11dc2f0a8"
- integrity sha512-Vdhm5S11DaFVLlyiKu4hiUTkpZu+y1KA/rZZqVQfOD5YdDT/eQKlkt7NaE0WGOFgX32diqt9MiP9CAiFeRklaA==
+caniuse-lite@^1.0.0, caniuse-lite@^1.0.30001538, caniuse-lite@^1.0.30001541:
+ version "1.0.30001546"
+ resolved "https://registry.yarnpkg.com/caniuse-lite/-/caniuse-lite-1.0.30001546.tgz#10fdad03436cfe3cc632d3af7a99a0fb497407f0"
+ integrity sha512-zvtSJwuQFpewSyRrI3AsftF6rM0X80mZkChIt1spBGEvRglCrjTniXvinc8JKRoqTwXAgvqTImaN9igfSMtUBw==
-chalk@^2.0.0:
+chalk@^2.4.2:
version "2.4.2"
resolved "https://registry.yarnpkg.com/chalk/-/chalk-2.4.2.tgz#cd42541677a54333cf541a49108c1432b44c9424"
integrity sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==
@@ -2479,7 +2567,7 @@ chalk@^2.0.0:
escape-string-regexp "^1.0.5"
supports-color "^5.3.0"
-chalk@^4.0.0, chalk@^4.1.0:
+chalk@^4.0.0:
version "4.1.2"
resolved "https://registry.yarnpkg.com/chalk/-/chalk-4.1.2.tgz#aac4e2b7734a740867aeb16bf02aad556a1e7a01"
integrity sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==
@@ -2518,9 +2606,9 @@ chrome-trace-event@^1.0.2:
integrity sha512-p3KULyQg4S7NIHixdwbGX+nFHkoBiA4YQmyWtjb8XngSKV124nJmRysgAeujbUVb15vh+RvFUfCPqU7rXk+hZg==
ci-info@^3.2.0:
- version "3.8.0"
- resolved "https://registry.yarnpkg.com/ci-info/-/ci-info-3.8.0.tgz#81408265a5380c929f0bc665d62256628ce9ef91"
- integrity sha512-eXTggHWSooYhq49F2opQhuHWgzucfF2YgODK4e1566GQs5BIfP30B0oenwBJHfWxAs2fyPB1s7Mg949zLf61Yw==
+ version "3.9.0"
+ resolved "https://registry.yarnpkg.com/ci-info/-/ci-info-3.9.0.tgz#4279a62028a7b1f262f3473fc9605f5e218c59b4"
+ integrity sha512-NIxF55hv4nSqQswkAeiOi1r83xy8JldOFDTWiug55KBu9Jnblncd2U6ViHmYgHf01TPZS77NJBhBMKdWj9HQMQ==
classnames@^2.2.5, classnames@^2.2.6, classnames@^2.3.1:
version "2.3.2"
@@ -2640,7 +2728,7 @@ compressible@~2.0.16:
dependencies:
mime-db ">= 1.43.0 < 2"
-compression@^1.7.4:
[email protected]:
version "1.7.4"
resolved "https://registry.yarnpkg.com/compression/-/compression-1.7.4.tgz#95523eff170ca57c29a0ca41e6fe131f41e5bb8f"
integrity sha512-jaSIDzP9pZVS4ZfQ+TzvtiWhdpFhE2RDHz8QJkpX9SIpLq88VueF5jJw6t+6CUQcAoA6t+x89MLrWAqpfDE8iQ==
@@ -2663,7 +2751,7 @@ [email protected]:
resolved "https://registry.yarnpkg.com/concat-map/-/concat-map-0.0.1.tgz#d8a96bd77fd68df7793a73036a3ba0d5405d477b"
integrity sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==
-conf@^10.2.0:
[email protected]:
version "10.2.0"
resolved "https://registry.yarnpkg.com/conf/-/conf-10.2.0.tgz#838e757be963f1a2386dfe048a98f8f69f7b55d6"
integrity sha512-8fLl9F04EJqjSqH+QjITQfJF8BrOVaYr1jewVgSRAEWePfxT0sku4w2hrGQ60BC/TNLGQ2pgxNlTbWQmMPFvXg==
@@ -2679,11 +2767,18 @@ conf@^10.2.0:
pkg-up "^3.1.0"
semver "^7.3.5"
-connect-history-api-fallback@^1.6.0:
[email protected]:
version "1.6.0"
resolved "https://registry.yarnpkg.com/connect-history-api-fallback/-/connect-history-api-fallback-1.6.0.tgz#8b32089359308d111115d81cad3fceab888f97bc"
integrity sha512-e54B99q/OUoH64zYYRf3HBP5z24G38h5D3qXu23JGRoigpX5Ss4r9ZnDk3g0Z8uQC2x2lPaJ+UlWBc1ZWBWdLg==
[email protected]:
+ version "2.11.2"
+ resolved "https://registry.yarnpkg.com/console-table-printer/-/console-table-printer-2.11.2.tgz#549757033a7e3cde7e26e030038c9392ce600ee5"
+ integrity sha512-uuUHie0sfPP542TKGzPFal0W1wo1beuKAqIZdaavcONx8OoqdnJRKjkinbRTOta4FaCa1RcIL+7mMJWX3pQGVg==
+ dependencies:
+ simple-wcswidth "^1.0.1"
+
[email protected]:
version "0.5.4"
resolved "https://registry.yarnpkg.com/content-disposition/-/content-disposition-0.5.4.tgz#8b82b4efac82512a02bb0b1dcec9d2c5e8eb5bfe"
@@ -2787,7 +2882,7 @@ css-has-pseudo@^6.0.0:
postcss-selector-parser "^6.0.13"
postcss-value-parser "^4.2.0"
-css-loader@^5.2.7:
[email protected]:
version "5.2.7"
resolved "https://registry.yarnpkg.com/css-loader/-/css-loader-5.2.7.tgz#9b9f111edf6fb2be5dc62525644cbc9c232064ae"
integrity sha512-Q7mOvpBNBG7YrVGMxRxcBJZFL75o+cH2abNASdibkj/fffYD8qWbInZrD0S9ccI6vZclF3DsHE7njGlLtaHbhg==
@@ -2863,10 +2958,10 @@ css-what@^6.0.1, css-what@^6.1.0:
resolved "https://registry.yarnpkg.com/css-what/-/css-what-6.1.0.tgz#fb5effcf76f1ddea2c81bdfaa4de44e79bac70f4"
integrity sha512-HTUrgRJ7r4dsZKU6GjmpfRK1O76h97Z8MfS1G0FozR+oF2kG6Vfe8JE6zwrkbxigziPHinCJ+gCPjA9EaBDtRw==
-cssdb@^7.7.0:
- version "7.7.0"
- resolved "https://registry.yarnpkg.com/cssdb/-/cssdb-7.7.0.tgz#8a62f1c825c019134e7830729f050c29e3eca95e"
- integrity sha512-1hN+I3r4VqSNQ+OmMXxYexnumbOONkSil0TWMebVXHtzYW4tRRPovUNHPHj2d4nrgOuYJ8Vs3XwvywsuwwXNNA==
+cssdb@^7.6.0:
+ version "7.8.0"
+ resolved "https://registry.yarnpkg.com/cssdb/-/cssdb-7.8.0.tgz#ac41fa025371b74eb2ccfe3d41f5c4dbd444fbe3"
+ integrity sha512-SkeezZOQr5AHt9MgJgSFNyiuJwg1p8AwoVln6JwaQJsyxduRW9QJ+HP/gAQzbsz8SIqINtYvpJKjxTRI67zxLg==
cssesc@^3.0.0:
version "3.0.0"
@@ -2946,12 +3041,12 @@ d@1, d@^1.0.1:
es5-ext "^0.10.50"
type "^1.0.1"
-dataloader@^2.1.0:
[email protected]:
version "2.2.2"
resolved "https://registry.yarnpkg.com/dataloader/-/dataloader-2.2.2.tgz#216dc509b5abe39d43a9b9d97e6e5e473dfbe3e0"
integrity sha512-8YnDaaf7N3k/q5HnTJVuzSyLETjoZjVmHc4AeKAzOvKHEFQKcn64OKBfzHYtE9zGjctNM7V9I0MfnUVLpi7M5g==
-date-fns@^2.29.3, date-fns@^2.30.0:
[email protected], date-fns@^2.30.0:
version "2.30.0"
resolved "https://registry.yarnpkg.com/date-fns/-/date-fns-2.30.0.tgz#f367e644839ff57894ec6ac480de40cae4b0f4d0"
integrity sha512-fnULvOpxnC5/Vg3NCiWelDsLiUc9bRwAPs/+LfTLNvetFCtCTN+yQz15C/fs4AwX1R9K5GLtLfn8QW+dWisaAw==
@@ -3005,7 +3100,7 @@ decompress-response@^6.0.0:
dependencies:
mimic-response "^3.1.0"
-deep-equal@^2.2.0:
[email protected]:
version "2.2.2"
resolved "https://registry.yarnpkg.com/deep-equal/-/deep-equal-2.2.2.tgz#9b2635da569a13ba8e1cc159c2f744071b115daa"
integrity sha512-xjVyBf0w5vH0I42jdAZzOKVldmPgSulmiyPRywoyq7HXC9qdgo17kxJE+rdnif5Tz6+pIrpJI8dCpMNLIGkUiA==
@@ -3039,16 +3134,26 @@ deep-is@^0.1.3:
resolved "https://registry.yarnpkg.com/deep-is/-/deep-is-0.1.4.tgz#a6f2dce612fadd2ef1f519b73551f17e85199831"
integrity sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==
-deepmerge@^4.0.0, deepmerge@^4.2.2:
[email protected], deepmerge@^4.0.0:
version "4.3.1"
resolved "https://registry.yarnpkg.com/deepmerge/-/deepmerge-4.3.1.tgz#44b5f2147cd3b00d4b56137685966f26fd25dd4a"
integrity sha512-3sUqbMEc77XqpdNO7FRyRog+eW3ph+GYCbj+rK+uYyRMuwsVy0rMiVtPn+QJlKFvWP/1PYpapqYn0Me2knFn+A==
+define-data-property@^1.0.1:
+ version "1.1.0"
+ resolved "https://registry.yarnpkg.com/define-data-property/-/define-data-property-1.1.0.tgz#0db13540704e1d8d479a0656cf781267531b9451"
+ integrity sha512-UzGwzcjyv3OtAvolTj1GoyNYzfFR+iqbGjcnBEENZVCpM4/Ng1yhGNvS3lR/xDS74Tb2wGG9WzNSNIOS9UVb2g==
+ dependencies:
+ get-intrinsic "^1.2.1"
+ gopd "^1.0.1"
+ has-property-descriptors "^1.0.0"
+
define-properties@^1.1.3, define-properties@^1.1.4, define-properties@^1.2.0:
- version "1.2.0"
- resolved "https://registry.yarnpkg.com/define-properties/-/define-properties-1.2.0.tgz#52988570670c9eacedd8064f4a990f2405849bd5"
- integrity sha512-xvqAVKGfT1+UAvPwKTVw/njhdQ8ZhXK4lI0bCIuCMrp2up9nPnaDftrLtmpTazqd1o+UY4zgzU+avtMbDP+ldA==
+ version "1.2.1"
+ resolved "https://registry.yarnpkg.com/define-properties/-/define-properties-1.2.1.tgz#10781cc616eb951a80a034bafcaa7377f6af2b6c"
+ integrity sha512-8QmQKqEASLd5nx0U1B1okLElbUuuttJ/AnYmRXbbbGDWh6uS208EjD4Xqq/I9wK7u0v6O08XhTWnt5XtEbR6Dg==
dependencies:
+ define-data-property "^1.0.1"
has-property-descriptors "^1.0.0"
object-keys "^1.1.1"
@@ -3188,7 +3293,7 @@ dot-prop@^6.0.1:
dependencies:
is-obj "^2.0.0"
-dotenv@^8.2.0, dotenv@^8.6.0:
[email protected], dotenv@^8.2.0:
version "8.6.0"
resolved "https://registry.yarnpkg.com/dotenv/-/dotenv-8.6.0.tgz#061af664d19f7f4d8fc6e4ff9b584ce237adcb8b"
integrity sha512-IrPdXQsk2BbzvCBGBOTmmSH5SodmqZNt4ERAZDmW4CT+tL8VtvinqywuANaFu4bOMWki16nqf0e4oC0QIaDr/g==
@@ -3210,10 +3315,10 @@ [email protected]:
resolved "https://registry.yarnpkg.com/ee-first/-/ee-first-1.1.1.tgz#590c61156b0ae2f4f0255732a158b266bc56b21d"
integrity sha512-WMwm9LhRUo+WUaRN+vRuETqG89IgZphVSNkdFgeb6sS/E4OrDIN7t48CAewSHXc6C8lefD8KKfr5vY61brQlow==
-electron-to-chromium@^1.4.431:
- version "1.4.470"
- resolved "https://registry.yarnpkg.com/electron-to-chromium/-/electron-to-chromium-1.4.470.tgz#0e932816be8d5f2b491ad2aa449ea47db4785398"
- integrity sha512-zZM48Lmy2FKWgqyvsX9XK+J6FfP7aCDUFLmgooLJzA7v1agCs/sxSoBpTIwDLhmbhpx9yJIxj2INig/ncjJRqg==
+electron-to-chromium@^1.4.535:
+ version "1.4.544"
+ resolved "https://registry.yarnpkg.com/electron-to-chromium/-/electron-to-chromium-1.4.544.tgz#fcb156d83f0ee6e4c9d030c6fedb2a37594f3abf"
+ integrity sha512-54z7squS1FyFRSUqq/knOFSptjjogLZXbKcYk3B0qkE1KZzvqASwRZnY2KzZQJqIYLVD38XZeoiMRflYSwyO4w==
emoji-regex@^8.0.0:
version "8.0.0"
@@ -3272,18 +3377,18 @@ error-ex@^1.3.1:
dependencies:
is-arrayish "^0.2.1"
-es-abstract@^1.19.0, es-abstract@^1.20.4:
- version "1.22.1"
- resolved "https://registry.yarnpkg.com/es-abstract/-/es-abstract-1.22.1.tgz#8b4e5fc5cefd7f1660f0f8e1a52900dfbc9d9ccc"
- integrity sha512-ioRRcXMO6OFyRpyzV3kE1IIBd4WG5/kltnzdxSCqoP8CMGs/Li+M1uF5o7lOkZVFjDs+NLesthnF66Pg/0q0Lw==
+es-abstract@^1.22.1:
+ version "1.22.2"
+ resolved "https://registry.yarnpkg.com/es-abstract/-/es-abstract-1.22.2.tgz#90f7282d91d0ad577f505e423e52d4c1d93c1b8a"
+ integrity sha512-YoxfFcDmhjOgWPWsV13+2RNjq1F6UQnfs+8TftwNqtzlmFzEXvlUwdrNrYeaizfjQzRMxkZ6ElWMOJIFKdVqwA==
dependencies:
array-buffer-byte-length "^1.0.0"
- arraybuffer.prototype.slice "^1.0.1"
+ arraybuffer.prototype.slice "^1.0.2"
available-typed-arrays "^1.0.5"
call-bind "^1.0.2"
es-set-tostringtag "^2.0.1"
es-to-primitive "^1.2.1"
- function.prototype.name "^1.1.5"
+ function.prototype.name "^1.1.6"
get-intrinsic "^1.2.1"
get-symbol-description "^1.0.0"
globalthis "^1.0.3"
@@ -3299,23 +3404,23 @@ es-abstract@^1.19.0, es-abstract@^1.20.4:
is-regex "^1.1.4"
is-shared-array-buffer "^1.0.2"
is-string "^1.0.7"
- is-typed-array "^1.1.10"
+ is-typed-array "^1.1.12"
is-weakref "^1.0.2"
object-inspect "^1.12.3"
object-keys "^1.1.1"
object.assign "^4.1.4"
- regexp.prototype.flags "^1.5.0"
- safe-array-concat "^1.0.0"
+ regexp.prototype.flags "^1.5.1"
+ safe-array-concat "^1.0.1"
safe-regex-test "^1.0.0"
- string.prototype.trim "^1.2.7"
- string.prototype.trimend "^1.0.6"
- string.prototype.trimstart "^1.0.6"
+ string.prototype.trim "^1.2.8"
+ string.prototype.trimend "^1.0.7"
+ string.prototype.trimstart "^1.0.7"
typed-array-buffer "^1.0.0"
typed-array-byte-length "^1.0.0"
typed-array-byte-offset "^1.0.0"
typed-array-length "^1.0.4"
unbox-primitive "^1.0.2"
- which-typed-array "^1.1.10"
+ which-typed-array "^1.1.11"
es-get-iterator@^1.1.3:
version "1.1.3"
@@ -3333,9 +3438,9 @@ es-get-iterator@^1.1.3:
stop-iteration-iterator "^1.0.0"
es-module-lexer@^1.2.1:
- version "1.3.0"
- resolved "https://registry.yarnpkg.com/es-module-lexer/-/es-module-lexer-1.3.0.tgz#6be9c9e0b4543a60cd166ff6f8b4e9dae0b0c16f"
- integrity sha512-vZK7T0N2CBmBOixhmjdqx2gWVbFZ4DXZ/NyRMZVlJXPa7CyFS+/a4QQsDGDQy9ZfEzxFuNEsMLeQJnKP2p5/JA==
+ version "1.3.1"
+ resolved "https://registry.yarnpkg.com/es-module-lexer/-/es-module-lexer-1.3.1.tgz#c1b0dd5ada807a3b3155315911f364dc4e909db1"
+ integrity sha512-JUFAyicQV9mXc3YRxPnDlrfBKpqt6hUYzz9/boprUJHs4e4KVr3XwOF70doO6gwXUor6EWZJAyWAfKki84t20Q==
es-set-tostringtag@^2.0.1:
version "2.0.1"
@@ -3419,18 +3524,18 @@ escape-string-regexp@^4.0.0:
integrity sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==
eslint-config-prettier@^8.5.0:
- version "8.8.0"
- resolved "https://registry.yarnpkg.com/eslint-config-prettier/-/eslint-config-prettier-8.8.0.tgz#bfda738d412adc917fd7b038857110efe98c9348"
- integrity sha512-wLbQiFre3tdGgpDv67NQKnJuTlcUVYHas3k+DZCc2U2BadthoEY4B7hLPvAxaqdyOGCzuLfii2fqGph10va7oA==
+ version "8.10.0"
+ resolved "https://registry.yarnpkg.com/eslint-config-prettier/-/eslint-config-prettier-8.10.0.tgz#3a06a662130807e2502fc3ff8b4143d8a0658e11"
+ integrity sha512-SM8AMJdeQqRYT9O9zguiruQZaN7+z+E4eAP9oiLNGKMtomwaB1E9dcgUD6ZAn/eQAb52USbvezbiljfZUhbJcg==
eslint-import-resolver-node@^0.3.6:
- version "0.3.7"
- resolved "https://registry.yarnpkg.com/eslint-import-resolver-node/-/eslint-import-resolver-node-0.3.7.tgz#83b375187d412324a1963d84fa664377a23eb4d7"
- integrity sha512-gozW2blMLJCeFpBwugLTGyvVjNoeo1knonXAcatC6bjPBZitotxdWf7Gimr25N4c0AAOo4eOUfaG82IJPDpqCA==
+ version "0.3.9"
+ resolved "https://registry.yarnpkg.com/eslint-import-resolver-node/-/eslint-import-resolver-node-0.3.9.tgz#d4eaac52b8a2e7c3cd1903eb00f7e053356118ac"
+ integrity sha512-WFj2isz22JahUv+B788TlO3N6zL3nNJGU8CcZbPZvVEkBPaJdCV4vy5wyghty5ROFbCRnm132v8BScu5/1BQ8g==
dependencies:
debug "^3.2.7"
- is-core-module "^2.11.0"
- resolve "^1.22.1"
+ is-core-module "^2.13.0"
+ resolve "^1.22.4"
eslint-module-utils@^2.7.2:
version "2.8.0"
@@ -3493,40 +3598,40 @@ [email protected], eslint-scope@^5.1.1:
esrecurse "^4.3.0"
estraverse "^4.1.1"
-eslint-scope@^7.2.0:
- version "7.2.1"
- resolved "https://registry.yarnpkg.com/eslint-scope/-/eslint-scope-7.2.1.tgz#936821d3462675f25a18ac5fd88a67cc15b393bd"
- integrity sha512-CvefSOsDdaYYvxChovdrPo/ZGt8d5lrJWleAc1diXRKhHGiTYEI26cvo8Kle/wGnsizoCJjK73FMg1/IkIwiNA==
+eslint-scope@^7.2.2:
+ version "7.2.2"
+ resolved "https://registry.yarnpkg.com/eslint-scope/-/eslint-scope-7.2.2.tgz#deb4f92563390f32006894af62a22dba1c46423f"
+ integrity sha512-dOt21O7lTMhDM+X9mB4GX+DZrZtCUJPL/wlcTqxyrx5IvO0IYtILdtrQGQp+8n5S0gwSVmOf9NQrjMOgfQZlIg==
dependencies:
esrecurse "^4.3.0"
estraverse "^5.2.0"
-eslint-visitor-keys@^3.3.0, eslint-visitor-keys@^3.4.1:
- version "3.4.1"
- resolved "https://registry.yarnpkg.com/eslint-visitor-keys/-/eslint-visitor-keys-3.4.1.tgz#c22c48f48942d08ca824cc526211ae400478a994"
- integrity sha512-pZnmmLwYzf+kWaM/Qgrvpen51upAktaaiI01nsJD/Yr3lMOdNtq0cxkrrg16w64VtisN6okbs7Q8AfGqj4c9fA==
+eslint-visitor-keys@^3.3.0, eslint-visitor-keys@^3.4.1, eslint-visitor-keys@^3.4.3:
+ version "3.4.3"
+ resolved "https://registry.yarnpkg.com/eslint-visitor-keys/-/eslint-visitor-keys-3.4.3.tgz#0cd72fe8550e3c2eae156a96a4dddcd1c8ac5800"
+ integrity sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag==
eslint@^8.19.0:
- version "8.45.0"
- resolved "https://registry.yarnpkg.com/eslint/-/eslint-8.45.0.tgz#bab660f90d18e1364352c0a6b7c6db8edb458b78"
- integrity sha512-pd8KSxiQpdYRfYa9Wufvdoct3ZPQQuVuU5O6scNgMuOMYuxvH0IGaYK0wUFjo4UYYQQCUndlXiMbnxopwvvTiw==
+ version "8.51.0"
+ resolved "https://registry.yarnpkg.com/eslint/-/eslint-8.51.0.tgz#4a82dae60d209ac89a5cff1604fea978ba4950f3"
+ integrity sha512-2WuxRZBrlwnXi+/vFSJyjMqrNjtJqiasMzehF0shoLaW7DzS3/9Yvrmq5JiT66+pNjiX4UBnLDiKHcWAr/OInA==
dependencies:
"@eslint-community/eslint-utils" "^4.2.0"
- "@eslint-community/regexpp" "^4.4.0"
- "@eslint/eslintrc" "^2.1.0"
- "@eslint/js" "8.44.0"
- "@humanwhocodes/config-array" "^0.11.10"
+ "@eslint-community/regexpp" "^4.6.1"
+ "@eslint/eslintrc" "^2.1.2"
+ "@eslint/js" "8.51.0"
+ "@humanwhocodes/config-array" "^0.11.11"
"@humanwhocodes/module-importer" "^1.0.1"
"@nodelib/fs.walk" "^1.2.8"
- ajv "^6.10.0"
+ ajv "^6.12.4"
chalk "^4.0.0"
cross-spawn "^7.0.2"
debug "^4.3.2"
doctrine "^3.0.0"
escape-string-regexp "^4.0.0"
- eslint-scope "^7.2.0"
- eslint-visitor-keys "^3.4.1"
- espree "^9.6.0"
+ eslint-scope "^7.2.2"
+ eslint-visitor-keys "^3.4.3"
+ espree "^9.6.1"
esquery "^1.4.2"
esutils "^2.0.2"
fast-deep-equal "^3.1.3"
@@ -3549,7 +3654,7 @@ eslint@^8.19.0:
strip-ansi "^6.0.1"
text-table "^0.2.0"
-espree@^9.6.0:
+espree@^9.6.0, espree@^9.6.1:
version "9.6.1"
resolved "https://registry.yarnpkg.com/espree/-/espree-9.6.1.tgz#a2a17b8e434690a5432f2f8018ce71d331a48c6f"
integrity sha512-oruZaFkjorTpF32kDSI5/75ViwGeZginGGy2NoOSg3Q9bnwlnmDm4HLnkl0RE3n+njDXR037aY1+x58Z/zFdwQ==
@@ -3622,12 +3727,12 @@ [email protected]:
dependencies:
busboy "^1.6.0"
-express-rate-limit@^5.5.1:
[email protected]:
version "5.5.1"
resolved "https://registry.yarnpkg.com/express-rate-limit/-/express-rate-limit-5.5.1.tgz#110c23f6a65dfa96ab468eda95e71697bc6987a2"
integrity sha512-MTjE2eIbHv5DyfuFz4zLYWxpqVhEhkTiwFGuB74Q9CSou2WHO52nlE5y3Zlg6SIsiYUIPj6ifFxnkPz6O3sIUg==
-express@^4.17.1, express@^4.18.2:
[email protected], express@^4.17.1:
version "4.18.2"
resolved "https://registry.yarnpkg.com/express/-/express-4.18.2.tgz#3fabe08296e930c796c19e3c516979386ba9fd59"
integrity sha512-5/PsL6iGPdfQ/lKM1UuielYgv3BUoJfz1aUwU9vHZ+J7gyvwdQXFEBIEIaxeGf0GIcreATNyBExtalisDbuMqQ==
@@ -3707,12 +3812,12 @@ fast-levenshtein@^2.0.6:
resolved "https://registry.yarnpkg.com/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz#3d8a5c66883a16a30ca8643e851f19baa7797917"
integrity sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==
-fast-redact@^3.0.0:
- version "3.2.0"
- resolved "https://registry.yarnpkg.com/fast-redact/-/fast-redact-3.2.0.tgz#b1e2d39bc731376d28bde844454fa23e26919987"
- integrity sha512-zaTadChr+NekyzallAMXATXLOR8MNx3zqpZ0MUF2aGf4EathnG0f32VLODNlY8IuGY3HoRO2L6/6fSzNsLaHIw==
+fast-redact@^3.1.1:
+ version "3.3.0"
+ resolved "https://registry.yarnpkg.com/fast-redact/-/fast-redact-3.3.0.tgz#7c83ce3a7be4898241a46560d51de10f653f7634"
+ integrity sha512-6T5V1QK1u4oF+ATxs1lWUmlEk6P2T9HqJG3e2DnHOdVgZy2rFJBoEnrIedcTXlkAHU/zKC+7KETJ+KGGKwxgMQ==
-fast-safe-stringify@^2.0.8, fast-safe-stringify@^2.1.1:
+fast-safe-stringify@^2.1.1:
version "2.1.1"
resolved "https://registry.yarnpkg.com/fast-safe-stringify/-/fast-safe-stringify-2.1.1.tgz#c406a83b6e70d9e35ce3b30a81141df30aeba884"
integrity sha512-W+KJc2dmILlPplD/H4K9l9LcAHAfPtP6BY84uVLXQ6Evcz9Lcg33Y2z1IVblT6xdY54PXYVHEv+0Wpq8Io6zkA==
@@ -3743,7 +3848,7 @@ file-entry-cache@^6.0.1:
dependencies:
flat-cache "^3.0.4"
-file-loader@^6.2.0:
[email protected]:
version "6.2.0"
resolved "https://registry.yarnpkg.com/file-loader/-/file-loader-6.2.0.tgz#baef7cf8e1840df325e4390b4484879480eebe4d"
integrity sha512-qo3glqyTa61Ytg4u73GultjHGjdRyig3tG6lPtyX/jOEJvHif9uB0/OCI2Kif6ctF3caQTW2G5gym21oAsI4pw==
@@ -3809,29 +3914,25 @@ find-up@^5.0.0:
path-exists "^4.0.0"
flat-cache@^3.0.4:
- version "3.0.4"
- resolved "https://registry.yarnpkg.com/flat-cache/-/flat-cache-3.0.4.tgz#61b0338302b2fe9f957dcc32fc2a87f1c3048b11"
- integrity sha512-dm9s5Pw7Jc0GvMYbshN6zchCA9RgQlzzEZX3vylR9IqFfS8XciblUXOKfW6SiuJ0e13eDYZoZV5wdrev7P3Nwg==
+ version "3.1.1"
+ resolved "https://registry.yarnpkg.com/flat-cache/-/flat-cache-3.1.1.tgz#a02a15fdec25a8f844ff7cc658f03dd99eb4609b"
+ integrity sha512-/qM2b3LUIaIgviBQovTLvijfyOQXPtSRnRK26ksj2J7rzPIecePUIpJsZ4T02Qg+xiAEKIs5K8dsHEd+VaKa/Q==
dependencies:
- flatted "^3.1.0"
+ flatted "^3.2.9"
+ keyv "^4.5.3"
rimraf "^3.0.2"
-flatley@^5.2.0:
[email protected]:
version "5.2.0"
resolved "https://registry.yarnpkg.com/flatley/-/flatley-5.2.0.tgz#3a645837c669be8d978335e37ae3afffcfbdedb7"
integrity sha512-vsb0/03uIHu7/3jRqABweblFUJMLokz1uMrcgFlvx6OAr6V3FiSic2iXeiJCj+cciTiQeumSDsIFAAnN1yvu4w==
dependencies:
is-buffer "^1.1.6"
-flatstr@^1.0.12:
- version "1.0.12"
- resolved "https://registry.yarnpkg.com/flatstr/-/flatstr-1.0.12.tgz#c2ba6a08173edbb6c9640e3055b95e287ceb5931"
- integrity sha512-4zPxDyhCyiN2wIAtSLI6gc82/EjqZc1onI4Mz/l0pWrAlsSfYH/2ZIcU+e3oA2wDwbzIWNKwa23F8rh6+DRWkw==
-
-flatted@^3.1.0:
- version "3.2.7"
- resolved "https://registry.yarnpkg.com/flatted/-/flatted-3.2.7.tgz#609f39207cb614b89d0765b477cb2d437fbf9787"
- integrity sha512-5nqDSxl8nn5BSNxyR3n4I6eDmbolI6WT+QqR547RwxQapgjQBmtktdP+HTBb/a/zLsbzERTONyUB5pefh5TtjQ==
+flatted@^3.2.9:
+ version "3.2.9"
+ resolved "https://registry.yarnpkg.com/flatted/-/flatted-3.2.9.tgz#7eb4c67ca1ba34232ca9d2d93e9886e611ad7daf"
+ integrity sha512-36yxDn5H7OFZQla0/jFJmbIKTdZAQHngCedGxiMmpNfEZM0sdEeT+WczLQrjK6D7o2aiyLYDnkw0R3JK0Qv1RQ==
focus-trap@^6.9.2:
version "6.9.4"
@@ -3852,10 +3953,10 @@ [email protected]:
resolved "https://registry.yarnpkg.com/forwarded/-/forwarded-0.2.0.tgz#2269936428aad4c15c7ebe9779a84bf0b2a81811"
integrity sha512-buRG0fpBtRHSTCOASe6hD258tEubFoRLb4ZNA6NxMVHNw2gOcwHo9wyablzMzOA5z9xA9L1KNjk/Nt6MT9aYow==
-fraction.js@^4.2.0:
- version "4.2.0"
- resolved "https://registry.yarnpkg.com/fraction.js/-/fraction.js-4.2.0.tgz#448e5109a313a3527f5a3ab2119ec4cf0e0e2950"
- integrity sha512-MhLuK+2gUcnZe8ZHlaaINnQLl0xRIGRfcGk2yl8xoQAfHrSsL3rYu6FCmBdkdbhc9EPlwyGHewaRsvwRMJtAlA==
+fraction.js@^4.3.6:
+ version "4.3.6"
+ resolved "https://registry.yarnpkg.com/fraction.js/-/fraction.js-4.3.6.tgz#e9e3acec6c9a28cf7bc36cbe35eea4ceb2c5c92d"
+ integrity sha512-n2aZ9tNfYDwaHhvFTkhFErqOMIb8uyzSQ+vGJBjZyanAKZVbGUQ1sngfk9FdkBw7G26O7AgNjLcecLffD1c7eg==
[email protected]:
version "0.5.2"
@@ -3867,7 +3968,7 @@ fs-constants@^1.0.0:
resolved "https://registry.yarnpkg.com/fs-constants/-/fs-constants-1.0.0.tgz#6be0de9be998ce16af8afc24497b9ee9b7ccd9ad"
integrity sha512-y6OAwoSIf7FyjMIv94u+b5rdheZEjzR63GTyZJm5qh4Bi+2YgwLCcI/fPFZkL5PSixOt6ZNKm+w+Hfp/Bciwow==
-fs-extra@^10.1.0:
[email protected]:
version "10.1.0"
resolved "https://registry.yarnpkg.com/fs-extra/-/fs-extra-10.1.0.tgz#02873cfbc4084dde127eaa5f9905eef2325d1abf"
integrity sha512-oRXApq54ETRj4eMiFzGnHWGy+zo5raudjuxN0b8H7s/RU2oW0Wvsx9O0ACRN/kRq9E8Vu/ReskGB5o3ji+FzHQ==
@@ -3877,9 +3978,9 @@ fs-extra@^10.1.0:
universalify "^2.0.0"
fs-monkey@^1.0.4:
- version "1.0.4"
- resolved "https://registry.yarnpkg.com/fs-monkey/-/fs-monkey-1.0.4.tgz#ee8c1b53d3fe8bb7e5d2c5c5dfc0168afdd2f747"
- integrity sha512-INM/fWAxMICjttnD0DX1rBvinKskj5G1w+oy/pnm9u/tSlnBrzFonJMcalKJ30P8RRsPzKcCG7Q8l0jx5Fh9YQ==
+ version "1.0.5"
+ resolved "https://registry.yarnpkg.com/fs-monkey/-/fs-monkey-1.0.5.tgz#fe450175f0db0d7ea758102e1d84096acb925788"
+ integrity sha512-8uMbBjrhzW76TYgEV27Y5E//W2f/lTFmx78P2w19FZSxarhI/798APGQyuGCwmkNxgwGRhrLfvWyLBvNtuOmew==
fs.realpath@^1.0.0:
version "1.0.0"
@@ -3887,26 +3988,26 @@ fs.realpath@^1.0.0:
integrity sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==
fsevents@~2.3.2:
- version "2.3.2"
- resolved "https://registry.yarnpkg.com/fsevents/-/fsevents-2.3.2.tgz#8a526f78b8fdf4623b709e0b975c52c24c02fd1a"
- integrity sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA==
+ version "2.3.3"
+ resolved "https://registry.yarnpkg.com/fsevents/-/fsevents-2.3.3.tgz#cac6407785d03675a2a5e1a5305c697b347d90d6"
+ integrity sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==
function-bind@^1.1.1:
version "1.1.1"
resolved "https://registry.yarnpkg.com/function-bind/-/function-bind-1.1.1.tgz#a56899d3ea3c9bab874bb9773b7c5ede92f4895d"
integrity sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==
-function.prototype.name@^1.1.5:
- version "1.1.5"
- resolved "https://registry.yarnpkg.com/function.prototype.name/-/function.prototype.name-1.1.5.tgz#cce0505fe1ffb80503e6f9e46cc64e46a12a9621"
- integrity sha512-uN7m/BzVKQnCUF/iW8jYea67v++2u7m5UgENbHRtdDVclOUP+FMPlCNdmk0h/ysGyo2tavMJEDqJAkJdRa1vMA==
+function.prototype.name@^1.1.6:
+ version "1.1.6"
+ resolved "https://registry.yarnpkg.com/function.prototype.name/-/function.prototype.name-1.1.6.tgz#cdf315b7d90ee77a4c6ee216c3c3362da07533fd"
+ integrity sha512-Z5kx79swU5P27WEayXM1tBi5Ze/lbIyiNgU3qyXUOf9b2rgXYyF9Dy9Cx+IQv/Lc8WCG6L82zwUPpSS9hGehIg==
dependencies:
call-bind "^1.0.2"
- define-properties "^1.1.3"
- es-abstract "^1.19.0"
- functions-have-names "^1.2.2"
+ define-properties "^1.2.0"
+ es-abstract "^1.22.1"
+ functions-have-names "^1.2.3"
-functions-have-names@^1.2.2, functions-have-names@^1.2.3:
+functions-have-names@^1.2.3:
version "1.2.3"
resolved "https://registry.yarnpkg.com/functions-have-names/-/functions-have-names-1.2.3.tgz#0404fe4ee2ba2f607f0e0ec3c80bae994133b834"
integrity sha512-xckBUXyTIqT97tq2x2AMb+g163b5JFysYk0x4qxNFwbfQkmNZoiRHb6sPzI9/QV33WeuvVYBUIiD4NzNIyqaRQ==
@@ -3926,6 +4027,11 @@ get-intrinsic@^1.0.2, get-intrinsic@^1.1.1, get-intrinsic@^1.1.3, get-intrinsic@
has-proto "^1.0.1"
has-symbols "^1.0.3"
[email protected]:
+ version "5.1.1"
+ resolved "https://registry.yarnpkg.com/get-port/-/get-port-5.1.1.tgz#0469ed07563479de6efb986baf053dcd7d4e3193"
+ integrity sha512-g/Q1aTSDOxFpchXC4i8ZWvxA1lnPqx/JHqcpIw0/LX9T8x/GBbi6YnlN5nhaKIFkT8oFsscUKgDJYxfwfS6QsQ==
+
get-stdin@^8.0.0:
version "8.0.0"
resolved "https://registry.yarnpkg.com/get-stdin/-/get-stdin-8.0.0.tgz#cbad6a73feb75f6eeb22ba9e01f89aa28aa97a53"
@@ -3939,7 +4045,7 @@ get-symbol-description@^1.0.0:
call-bind "^1.0.2"
get-intrinsic "^1.1.1"
-get-tsconfig@^4.4.0:
[email protected]:
version "4.6.2"
resolved "https://registry.yarnpkg.com/get-tsconfig/-/get-tsconfig-4.6.2.tgz#831879a5e6c2aa24fe79b60340e2233a1e0f472e"
integrity sha512-E5XrT4CbbXcXWy+1jChlZmrmCwd5KGx502kDCXJJ7y898TtWW9FwoG5HfOLVRKmlmDGkWN2HM9Ho+/Y8F0sJDg==
@@ -4001,9 +4107,9 @@ glob@^8.0.0:
once "^1.3.0"
globals@^13.19.0:
- version "13.20.0"
- resolved "https://registry.yarnpkg.com/globals/-/globals-13.20.0.tgz#ea276a1e508ffd4f1612888f9d1bad1e2717bf82"
- integrity sha512-Qg5QtVkCy/kv3FUSlu4ukeZDVf9ee0iXLAUYX13gbR17bnejFTzr4iS9bY7kwCf1NztRNm1t91fjOiyx4CSwPQ==
+ version "13.23.0"
+ resolved "https://registry.yarnpkg.com/globals/-/globals-13.23.0.tgz#ef31673c926a0976e1f61dab4dca57e0c0a8af02"
+ integrity sha512-XAmF0RjlrjY23MA51q3HltdlGxUpXPvg0GioKiD9X6HD28iMjo2dKC8Vqwm7lne4GNr78+RHTfliktR6ZH09wA==
dependencies:
type-fest "^0.20.2"
@@ -4043,7 +4149,7 @@ graphemer@^1.4.0:
resolved "https://registry.yarnpkg.com/graphemer/-/graphemer-1.4.0.tgz#fb2f1d55e0e3a1849aeffc90c4fa0dd53a0e66c6"
integrity sha512-EtKwoO6kxCL9WO5xipiHTZlSzBm7WLT627TqC/uVRd0HKmq8NXyebnNYxDoBi7wt8eTWrUrKXCOVaFq9x1kgag==
-graphql-http@^1.17.1:
[email protected]:
version "1.21.0"
resolved "https://registry.yarnpkg.com/graphql-http/-/graphql-http-1.21.0.tgz#04d1606e663acd3f422e86e2e85f4ae7a8b0881b"
integrity sha512-yrItPfHj5WeT4n7iusbVin+vGSQjXFAX6U/GnYytdCJRXVad1TWGtYFDZ2ROjCKpXQzIwvfbiWCEwfuXgR3B6A==
@@ -4055,36 +4161,36 @@ graphql-playground-html@^1.6.30:
dependencies:
xss "^1.0.6"
-graphql-playground-middleware-express@^1.7.23:
[email protected]:
version "1.7.23"
resolved "https://registry.yarnpkg.com/graphql-playground-middleware-express/-/graphql-playground-middleware-express-1.7.23.tgz#95aba44d801ff3c08b2246917d2901d2e7c35d3d"
integrity sha512-M/zbTyC1rkgiQjFSgmzAv6umMHOphYLNWZp6Ye5QrD77WfGOOoSqDsVmGUczc2pDkEPEzzGB/bvBO5rdzaTRgw==
dependencies:
graphql-playground-html "^1.6.30"
-graphql-query-complexity@^0.12.0:
[email protected]:
version "0.12.0"
resolved "https://registry.yarnpkg.com/graphql-query-complexity/-/graphql-query-complexity-0.12.0.tgz#5f636ccc54da82225f31e898e7f27192fe074b4c"
integrity sha512-fWEyuSL6g/+nSiIRgIipfI6UXTI7bAxrpPlCY1c0+V3pAEUo1ybaKmSBgNr1ed2r+agm1plJww8Loig9y6s2dw==
dependencies:
lodash.get "^4.4.2"
-graphql-scalars@^1.20.1:
[email protected]:
version "1.22.2"
resolved "https://registry.yarnpkg.com/graphql-scalars/-/graphql-scalars-1.22.2.tgz#6326e6fe2d0ad4228a9fea72a977e2bf26b86362"
integrity sha512-my9FB4GtghqXqi/lWSVAOPiTzTnnEzdOXCsAC2bb5V7EFNQjVjwy3cSSbUvgYOtDuDibd+ZsCDhz+4eykYOlhQ==
dependencies:
tslib "^2.5.0"
-graphql-type-json@^0.3.2:
[email protected]:
version "0.3.2"
resolved "https://registry.yarnpkg.com/graphql-type-json/-/graphql-type-json-0.3.2.tgz#f53a851dbfe07bd1c8157d24150064baab41e115"
integrity sha512-J+vjof74oMlCWXSvt0DOf2APEdZOCdubEvGDUAlqH//VBYcOYsGgRW7Xzorr44LvkjiuvecWc8fChxuZZbChtg==
-graphql@^16.6.0:
- version "16.8.1"
- resolved "https://registry.yarnpkg.com/graphql/-/graphql-16.8.1.tgz#1930a965bef1170603702acdb68aedd3f3cf6f07"
- integrity sha512-59LZHPdGZVh695Ud9lRzPBVTtlX9ZCV150Er2W43ro37wVof0ctenSaskPPjN7lVTIN8mSZt8PHUNKZuNQUuxw==
[email protected]:
+ version "16.7.1"
+ resolved "https://registry.yarnpkg.com/graphql/-/graphql-16.7.1.tgz#11475b74a7bff2aefd4691df52a0eca0abd9b642"
+ integrity sha512-DRYR9tf+UGU0KOsMcKAlXeFfX89UiiIZ0dRU3mR0yJfu6OjZqUcp68NnFLnqQU5RexygFoDy1EW+ccOYcPfmHg==
gzip-size@^6.0.0:
version "6.0.0"
@@ -4133,11 +4239,9 @@ has-tostringtag@^1.0.0:
has-symbols "^1.0.2"
has@^1.0.3:
- version "1.0.3"
- resolved "https://registry.yarnpkg.com/has/-/has-1.0.3.tgz#722d7cbfc1f6aa8241f16dd814e011e1f41e8796"
- integrity sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==
- dependencies:
- function-bind "^1.1.1"
+ version "1.0.4"
+ resolved "https://registry.yarnpkg.com/has/-/has-1.0.4.tgz#2eb2860e000011dae4f1406a86fe80e530fb2ec6"
+ integrity sha512-qdSAmqLF6209RFj4VVItywPMbm3vWylknmB3nvNiUIs72xAimcM8nVYxYr7ncvZq5qzk9MKIZR8ijqD/1QuYjQ==
he@^1.2.0:
version "1.2.0"
@@ -4196,7 +4300,7 @@ html-parse-stringify@^3.0.1:
dependencies:
void-elements "3.1.0"
-html-webpack-plugin@^5.5.0:
[email protected], html-webpack-plugin@^5.5.0:
version "5.5.3"
resolved "https://registry.yarnpkg.com/html-webpack-plugin/-/html-webpack-plugin-5.5.3.tgz#72270f4a78e222b5825b296e5e3e1328ad525a3e"
integrity sha512-6YrDKTuqaP/TquFH7h4srYWsZx+x6k6+FbsTm0ziCwGHDP78Unr1r9F/H4+sGmMbX08GQcJ+K64x55b+7VM/jg==
@@ -4228,24 +4332,24 @@ [email protected]:
statuses "2.0.1"
toidentifier "1.0.1"
-http-status@^1.6.2:
[email protected]:
version "1.6.2"
resolved "https://registry.yarnpkg.com/http-status/-/http-status-1.6.2.tgz#6dc05188a9856d67d96e48e8b4fd645c719ce82a"
integrity sha512-oUExvfNckrpTpDazph7kNG8sQi5au3BeTo0idaZFXEhTaJKu7GNJCLHI0rYY2wljm548MSTM+Ljj/c6anqu2zQ==
-i18next-browser-languagedetector@^6.1.8:
[email protected]:
version "6.1.8"
resolved "https://registry.yarnpkg.com/i18next-browser-languagedetector/-/i18next-browser-languagedetector-6.1.8.tgz#8e9c61b32a4dfe9b959b38bc9d2a8b95f799b27c"
integrity sha512-Svm+MduCElO0Meqpj1kJAriTC6OhI41VhlT/A0UPjGoPZBhAHIaGE5EfsHlTpgdH09UVX7rcc72pSDDBeKSQQA==
dependencies:
"@babel/runtime" "^7.19.0"
-i18next-http-middleware@^3.2.2:
[email protected]:
version "3.3.2"
resolved "https://registry.yarnpkg.com/i18next-http-middleware/-/i18next-http-middleware-3.3.2.tgz#6a24fee6bde44952a5af24364d43fa32f6c1b9b6"
integrity sha512-PSeLXQXr9Qiv9Q3GCWCoIJenKVbxCcVsXb7VMp/mOprV4gu+AMJT7VHw4+QEf6oYW6GU31QSLnfDpLNoSMtx3g==
-i18next@^22.4.9:
[email protected]:
version "22.5.1"
resolved "https://registry.yarnpkg.com/i18next/-/i18next-22.5.1.tgz#99df0b318741a506000c243429a7352e5f44d424"
integrity sha512-8TGPgM3pAD+VRsMtUMNknRz3kzqwp/gPALrWMsDnmC1mKqJwpWyooQRLMcbTwq8z8YwSmuj+ZYvc+xCuEpkssA==
@@ -4285,9 +4389,9 @@ immer@^9.0.6:
integrity sha512-bc4NBHqOqSfRW7POMkHd51LvClaeMXpm8dx0e8oE2GORbq5aRK7Bxl4FyzVLdGtLmvLKL7BTDBG5ACQm4HWjTA==
immutable@^4.0.0:
- version "4.3.1"
- resolved "https://registry.yarnpkg.com/immutable/-/immutable-4.3.1.tgz#17988b356097ab0719e2f741d56f3ec6c317f9dc"
- integrity sha512-lj9cnmB/kVS0QHsJnYKD1uo3o39nrbKxszjnqS9Fr6NB7bZzW45U6WSGBPKXDL/CvDKqDNPA4r3DoDQ8GTxo2A==
+ version "4.3.4"
+ resolved "https://registry.yarnpkg.com/immutable/-/immutable-4.3.4.tgz#2e07b33837b4bb7662f288c244d1ced1ef65a78f"
+ integrity sha512-fsXeu4J4i6WNWSikpI88v/PcVflZz+6kMhUfIwc5SY+poQRPnaf5V7qds6SUyUN3cVxEzuCab7QIoLOQ+DQ1wA==
import-fresh@^3.2.1:
version "3.3.0"
@@ -4411,10 +4515,10 @@ is-callable@^1.1.3, is-callable@^1.1.4, is-callable@^1.2.7:
resolved "https://registry.yarnpkg.com/is-callable/-/is-callable-1.2.7.tgz#3bc2a85ea742d9e36205dcacdd72ca1fdc51b055"
integrity sha512-1BC0BVFhS/p0qtw6enp8e+8OD0UrK0oFLztSjNzhcKA3WDuJxxAPXzPuPtKkjEY9UUoEWlX/8fgKeu2S8i9JTA==
-is-core-module@^2.11.0, is-core-module@^2.8.0:
- version "2.12.1"
- resolved "https://registry.yarnpkg.com/is-core-module/-/is-core-module-2.12.1.tgz#0c0b6885b6f80011c71541ce15c8d66cf5a4f9fd"
- integrity sha512-Q4ZuBAe2FUsKtyQJoQHlvP8OvBERxO3jEmy1I7hcRXcJBGGHFh/aJBswbXuS9sgrDH2QUO8ilkwNPHvHMd8clg==
+is-core-module@^2.13.0, is-core-module@^2.8.0:
+ version "2.13.0"
+ resolved "https://registry.yarnpkg.com/is-core-module/-/is-core-module-2.13.0.tgz#bb52aa6e2cbd49a30c2ba68c42bf3435ba6072db"
+ integrity sha512-Z7dk6Qo8pOCp3l4tsX2C5ZVas4V+UxwQodwZhLopL91TX8UyyHEXafPcyoeeWuLrwzHcr3igO78wNLwHJHsMCQ==
dependencies:
has "^1.0.3"
@@ -4442,16 +4546,16 @@ is-glob@^4.0.0, is-glob@^4.0.1, is-glob@^4.0.3, is-glob@~4.0.1:
dependencies:
is-extglob "^2.1.1"
[email protected]:
+ version "0.2.0"
+ resolved "https://registry.yarnpkg.com/is-hotkey/-/is-hotkey-0.2.0.tgz#1835a68171a91e5c9460869d96336947c8340cef"
+ integrity sha512-UknnZK4RakDmTgz4PI1wIph5yxSs/mvChWs9ifnlXsKuXgWmOkY/hAE0H/k2MIqH0RlRye0i1oC07MCRSD28Mw==
+
is-hotkey@^0.1.6:
version "0.1.8"
resolved "https://registry.yarnpkg.com/is-hotkey/-/is-hotkey-0.1.8.tgz#6b1f4b2d0e5639934e20c05ed24d623a21d36d25"
integrity sha512-qs3NZ1INIS+H+yeo7cD9pDfwYV/jqRh1JG9S9zYrNudkoUQg7OL7ziXqRKu+InFjUIDoP2o6HIkLYMh1pcWgyQ==
-is-hotkey@^0.2.0:
- version "0.2.0"
- resolved "https://registry.yarnpkg.com/is-hotkey/-/is-hotkey-0.2.0.tgz#1835a68171a91e5c9460869d96336947c8340cef"
- integrity sha512-UknnZK4RakDmTgz4PI1wIph5yxSs/mvChWs9ifnlXsKuXgWmOkY/hAE0H/k2MIqH0RlRye0i1oC07MCRSD28Mw==
-
is-map@^2.0.1, is-map@^2.0.2:
version "2.0.2"
resolved "https://registry.yarnpkg.com/is-map/-/is-map-2.0.2.tgz#00922db8c9bf73e81b7a335827bc2a43f2b91127"
@@ -4484,6 +4588,11 @@ is-path-inside@^3.0.3:
resolved "https://registry.yarnpkg.com/is-path-inside/-/is-path-inside-3.0.3.tgz#d231362e53a07ff2b0e0ea7fed049161ffd16283"
integrity sha512-Fd4gABb+ycGAmKou8eMftCupSir5lRxqf4aD/vd0cD2qc4HL07OjCeuHMr8Ro4CoMaeCKDB0/ECBOVWjTwUvPQ==
[email protected], is-plain-object@^5.0.0:
+ version "5.0.0"
+ resolved "https://registry.yarnpkg.com/is-plain-object/-/is-plain-object-5.0.0.tgz#4427f50ab3429e9025ea7d52e9043a9ef4159344"
+ integrity sha512-VRSzKkbMm5jMDoKLbltAkFQ5Qr7VDiTFGXxYFXXowVj387GeGNOCsOH6Msy00SGZ3Fp84b1Naa1psqgcCIEP5Q==
+
is-plain-object@^2.0.4:
version "2.0.4"
resolved "https://registry.yarnpkg.com/is-plain-object/-/is-plain-object-2.0.4.tgz#2c163b3fafb1b606d9d17928f05c2a1c38e07677"
@@ -4491,11 +4600,6 @@ is-plain-object@^2.0.4:
dependencies:
isobject "^3.0.1"
-is-plain-object@^5.0.0:
- version "5.0.0"
- resolved "https://registry.yarnpkg.com/is-plain-object/-/is-plain-object-5.0.0.tgz#4427f50ab3429e9025ea7d52e9043a9ef4159344"
- integrity sha512-VRSzKkbMm5jMDoKLbltAkFQ5Qr7VDiTFGXxYFXXowVj387GeGNOCsOH6Msy00SGZ3Fp84b1Naa1psqgcCIEP5Q==
-
is-promise@^2.2.2:
version "2.2.2"
resolved "https://registry.yarnpkg.com/is-promise/-/is-promise-2.2.2.tgz#39ab959ccbf9a774cf079f7b40c7a26f763135f1"
@@ -4535,7 +4639,7 @@ is-symbol@^1.0.2, is-symbol@^1.0.3:
dependencies:
has-symbols "^1.0.2"
-is-typed-array@^1.1.10, is-typed-array@^1.1.9:
+is-typed-array@^1.1.10, is-typed-array@^1.1.12, is-typed-array@^1.1.9:
version "1.1.12"
resolved "https://registry.yarnpkg.com/is-typed-array/-/is-typed-array-1.1.12.tgz#d0bab5686ef4a76f7a73097b95470ab199c57d4a"
integrity sha512-Z14TF2JNG8Lss5/HMqt0//T9JeHXttXy5pH/DBU4vi98ozO2btxzq9MwYDZYnKwU8nRsz/+GVFVRDq3DkVuSPg==
@@ -4587,7 +4691,7 @@ isobject@^3.0.1:
resolved "https://registry.yarnpkg.com/isobject/-/isobject-3.0.1.tgz#4e431e92b11a9731636aa1f9c8d1ccbcfdab78df"
integrity sha512-WhB9zCku7EGTj/HQQRz5aUQEUeoQZH2bWcltRErOpymJ4boYE6wL9Tbr23krRPSZ+C5zqNSrSw+Cc7sZZ4b7vg==
-isomorphic-fetch@^3.0.0:
[email protected]:
version "3.0.0"
resolved "https://registry.yarnpkg.com/isomorphic-fetch/-/isomorphic-fetch-3.0.0.tgz#0267b005049046d2421207215d45d6a262b8b8b4"
integrity sha512-qvUtwJ3j6qwsF3jLxkZ72qCgjMysPzDfeV240JHiGZsANBYd+EEuu35v7dfrJ9Up0Ak07D7GGSkGhCHTqg/5wA==
@@ -4595,12 +4699,12 @@ isomorphic-fetch@^3.0.0:
node-fetch "^2.6.1"
whatwg-fetch "^3.4.1"
-jest-util@^29.6.1:
- version "29.6.1"
- resolved "https://registry.yarnpkg.com/jest-util/-/jest-util-29.6.1.tgz#c9e29a87a6edbf1e39e6dee2b4689b8a146679cb"
- integrity sha512-NRFCcjc+/uO3ijUVyNOQJluf8PtGCe/W6cix36+M3cTFgiYqFOOW5MgN4JOOcvbUhcKTYVd1CvHz/LWi8d16Mg==
+jest-util@^29.7.0:
+ version "29.7.0"
+ resolved "https://registry.yarnpkg.com/jest-util/-/jest-util-29.7.0.tgz#23c2b62bfb22be82b44de98055802ff3710fc0bc"
+ integrity sha512-z6EbKajIpqGKU56y5KBUgy1dt1ihhQJgWzUlZHArA/+X2ad7Cb5iF+AK1EWVL/Bo7Rz9uurpqw6SiBCefUbCGA==
dependencies:
- "@jest/types" "^29.6.1"
+ "@jest/types" "^29.6.3"
"@types/node" "*"
chalk "^4.0.0"
ci-info "^3.2.0"
@@ -4617,16 +4721,16 @@ jest-worker@^27.4.5:
supports-color "^8.0.0"
jest-worker@^29.4.3:
- version "29.6.1"
- resolved "https://registry.yarnpkg.com/jest-worker/-/jest-worker-29.6.1.tgz#64b015f0e985ef3a8ad049b61fe92b3db74a5319"
- integrity sha512-U+Wrbca7S8ZAxAe9L6nb6g8kPdia5hj32Puu5iOqBCMTMWFHXuK6dOV2IFrpedbTV8fjMFLdWNttQTBL6u2MRA==
+ version "29.7.0"
+ resolved "https://registry.yarnpkg.com/jest-worker/-/jest-worker-29.7.0.tgz#acad073acbbaeb7262bd5389e1bcf43e10058d4a"
+ integrity sha512-eIz2msL/EzL9UFTFFx7jBTkeZfku0yUAyZZZmJ93H2TYEiroIx2PQjEXcwYtYl8zXCxb+PAmA2hLIt/6ZEkPHw==
dependencies:
"@types/node" "*"
- jest-util "^29.6.1"
+ jest-util "^29.7.0"
merge-stream "^2.0.0"
supports-color "^8.0.0"
-joi@^17.7.0:
[email protected]:
version "17.9.2"
resolved "https://registry.yarnpkg.com/joi/-/joi-17.9.2.tgz#8b2e4724188369f55451aebd1d0b1d9482470690"
integrity sha512-Itk/r+V4Dx0V3c7RLFdRh12IOjySm2/WGPMubBT92cQvRfYZhPM2W0hZlctjj72iES8jsRCwp7S/cRmWBnJ4nw==
@@ -4654,6 +4758,11 @@ js-yaml@^4.1.0:
dependencies:
argparse "^2.0.1"
[email protected]:
+ version "3.0.1"
+ resolved "https://registry.yarnpkg.com/json-buffer/-/json-buffer-3.0.1.tgz#9338802a30d3b6605fbe0613e094008ca8c05a13"
+ integrity sha512-4bV5BfR2mqfQTJm+V5tPPdf+ZpuhiIvTuAB5g8kcrXOZpTT/QwwVRWBywX1ozr6lEuPdbHxwaJlm9G6mI2sfSQ==
+
json-parse-even-better-errors@^2.3.0, json-parse-even-better-errors@^2.3.1:
version "2.3.1"
resolved "https://registry.yarnpkg.com/json-parse-even-better-errors/-/json-parse-even-better-errors-2.3.1.tgz#7c47805a94319928e05777405dc12e1f7a4ee02d"
@@ -4720,7 +4829,7 @@ jsonfile@^6.0.1:
optionalDependencies:
graceful-fs "^4.1.6"
-jsonwebtoken@^9.0.0:
[email protected]:
version "9.0.1"
resolved "https://registry.yarnpkg.com/jsonwebtoken/-/jsonwebtoken-9.0.1.tgz#81d8c901c112c24e497a55daf6b2be1225b40145"
integrity sha512-K8wx7eJ5TPvEjuiVSkv167EVboBDv9PZdDoF7BgeQnBLVvZWW9clr2PsQHVJDTKaEIH5JBIwHujGcHp7GgI2eg==
@@ -4730,6 +4839,22 @@ jsonwebtoken@^9.0.0:
ms "^2.1.1"
semver "^7.3.8"
+jsonwebtoken@^9.0.0:
+ version "9.0.2"
+ resolved "https://registry.yarnpkg.com/jsonwebtoken/-/jsonwebtoken-9.0.2.tgz#65ff91f4abef1784697d40952bb1998c504caaf3"
+ integrity sha512-PRp66vJ865SSqOlgqS8hujT5U4AOgMfhrwYIuIhfKaoSCZcirrmASQr8CX7cUg+RMih+hgznrjp99o+W4pJLHQ==
+ dependencies:
+ jws "^3.2.2"
+ lodash.includes "^4.3.0"
+ lodash.isboolean "^3.0.3"
+ lodash.isinteger "^4.0.4"
+ lodash.isnumber "^3.0.3"
+ lodash.isplainobject "^4.0.6"
+ lodash.isstring "^4.0.1"
+ lodash.once "^4.0.0"
+ ms "^2.1.1"
+ semver "^7.5.4"
+
jwa@^1.4.1:
version "1.4.1"
resolved "https://registry.yarnpkg.com/jwa/-/jwa-1.4.1.tgz#743c32985cb9e98655530d53641b66c8645b039a"
@@ -4747,7 +4872,7 @@ jws@^3.2.2:
jwa "^1.4.1"
safe-buffer "^5.0.1"
-jwt-decode@^3.1.2:
[email protected]:
version "3.1.2"
resolved "https://registry.yarnpkg.com/jwt-decode/-/jwt-decode-3.1.2.tgz#3fb319f3675a2df0c2895c8f5e9fa4b67b04ed59"
integrity sha512-UfpWE/VZn0iP50d8cz9NrZLM9lSWhcJ+0Gt/nm4by88UL+J1SiKN8/5dkjMmbEzwL2CAe+67GsegCbIKtbp75A==
@@ -4757,11 +4882,23 @@ [email protected]:
resolved "https://registry.yarnpkg.com/kareem/-/kareem-2.5.1.tgz#7b8203e11819a8e77a34b3517d3ead206764d15d"
integrity sha512-7jFxRVm+jD+rkq3kY0iZDJfsO2/t4BBPeEb2qKn2lR/9KhuksYk5hxzfRYWMPV8P/x2d0kHD306YyWLzjjH+uA==
+keyv@^4.5.3:
+ version "4.5.4"
+ resolved "https://registry.yarnpkg.com/keyv/-/keyv-4.5.4.tgz#a879a99e29452f942439f2a405e3af8b31d4de93"
+ integrity sha512-oxVHkHR/EJf2CNXnWxRLW6mg7JyCCUcG0DtEGmL2ctUo1PNTin1PUil+r/+4r5MpVgC/fn1kjsx7mjSujKqIpw==
+ dependencies:
+ json-buffer "3.0.1"
+
kind-of@^6.0.2:
version "6.0.3"
resolved "https://registry.yarnpkg.com/kind-of/-/kind-of-6.0.3.tgz#07c05034a6c349fa06e24fa35aa76db4580ce4dd"
integrity sha512-dcS1ul+9tmeD95T+x28/ehLgd9mENa3LsvDTtzm3vyBEO7RPptvAD+t44WVXaUjTBRcrpFeFlC8WCruUR456hw==
+kleur@^3.0.3:
+ version "3.0.3"
+ resolved "https://registry.yarnpkg.com/kleur/-/kleur-3.0.3.tgz#a79c9ecc86ee1ce3fa6206d1216c501f147fc07e"
+ integrity sha512-eTIzlVOSUR+JxdDFepEYcBMtZ9Qqdef+rnzWdRZuMbOywu5tO2w2N7rqjoANZ5k9vywhL6Br1VRjUIgTQx4E8w==
+
klona@^2.0.4, klona@^2.0.5:
version "2.0.6"
resolved "https://registry.yarnpkg.com/klona/-/klona-2.0.6.tgz#85bffbf819c03b2f53270412420a4555ef882e22"
@@ -4831,11 +4968,61 @@ lodash.clonedeep@^4.5.0:
resolved "https://registry.yarnpkg.com/lodash.clonedeep/-/lodash.clonedeep-4.5.0.tgz#e23f3f9c4f8fbdde872529c1071857a086e5ccef"
integrity sha512-H5ZhCF25riFd9uB5UCkVKo61m3S/xZk1x4wA6yp/L3RFP6Z/eHH1ymQcGLo7J3GMPfm0V/7m1tryHuGVxpqEBQ==
+lodash.debounce@^4.0.8:
+ version "4.0.8"
+ resolved "https://registry.yarnpkg.com/lodash.debounce/-/lodash.debounce-4.0.8.tgz#82d79bff30a67c4005ffd5e2515300ad9ca4d7af"
+ integrity sha512-FT1yDzDYEoYWhnSGnpE/4Kj1fLZkDFyqRb7fNt6FdYOSxlUWAtp42Eh6Wb0rGIv/m9Bgo7x4GhQbm5Ys4SG5ow==
+
+lodash.escape@^4.0.1:
+ version "4.0.1"
+ resolved "https://registry.yarnpkg.com/lodash.escape/-/lodash.escape-4.0.1.tgz#c9044690c21e04294beaa517712fded1fa88de98"
+ integrity sha512-nXEOnb/jK9g0DYMr1/Xvq6l5xMD7GDG55+GSYIYmS0G4tBk/hURD4JR9WCavs04t33WmJx9kCyp9vJ+mr4BOUw==
+
+lodash.flatten@^4.4.0:
+ version "4.4.0"
+ resolved "https://registry.yarnpkg.com/lodash.flatten/-/lodash.flatten-4.4.0.tgz#f31c22225a9632d2bbf8e4addbef240aa765a61f"
+ integrity sha512-C5N2Z3DgnnKr0LOpv/hKCgKdb7ZZwafIrsesve6lmzvZIRZRGaZ/l6Q8+2W7NaT+ZwO3fFlSCzCzrDCFdJfZ4g==
+
lodash.get@^4.4.2:
version "4.4.2"
resolved "https://registry.yarnpkg.com/lodash.get/-/lodash.get-4.4.2.tgz#2d177f652fa31e939b4438d5341499dfa3825e99"
integrity sha512-z+Uw/vLuy6gQe8cfaFWD7p0wVv8fJl3mbzXh33RS+0oW2wvUqiRXiQ69gLWSLpgB5/6sU+r6BlQR0MBILadqTQ==
+lodash.includes@^4.3.0:
+ version "4.3.0"
+ resolved "https://registry.yarnpkg.com/lodash.includes/-/lodash.includes-4.3.0.tgz#60bb98a87cb923c68ca1e51325483314849f553f"
+ integrity sha512-W3Bx6mdkRTGtlJISOvVD/lbqjTlPPUDTMnlXZFnVwi9NKJ6tiAk6LVdlhZMm17VZisqhKcgzpO5Wz91PCt5b0w==
+
+lodash.invokemap@^4.6.0:
+ version "4.6.0"
+ resolved "https://registry.yarnpkg.com/lodash.invokemap/-/lodash.invokemap-4.6.0.tgz#1748cda5d8b0ef8369c4eb3ec54c21feba1f2d62"
+ integrity sha512-CfkycNtMqgUlfjfdh2BhKO/ZXrP8ePOX5lEU/g0R3ItJcnuxWDwokMGKx1hWcfOikmyOVx6X9IwWnDGlgKl61w==
+
+lodash.isboolean@^3.0.3:
+ version "3.0.3"
+ resolved "https://registry.yarnpkg.com/lodash.isboolean/-/lodash.isboolean-3.0.3.tgz#6c2e171db2a257cd96802fd43b01b20d5f5870f6"
+ integrity sha512-Bz5mupy2SVbPHURB98VAcw+aHh4vRV5IPNhILUCsOzRmsTmSQ17jIuqopAentWoehktxGd9e/hbIXq980/1QJg==
+
+lodash.isinteger@^4.0.4:
+ version "4.0.4"
+ resolved "https://registry.yarnpkg.com/lodash.isinteger/-/lodash.isinteger-4.0.4.tgz#619c0af3d03f8b04c31f5882840b77b11cd68343"
+ integrity sha512-DBwtEWN2caHQ9/imiNeEA5ys1JoRtRfY3d7V9wkqtbycnAmTvRRmbHKDV4a0EYc678/dia0jrte4tjYwVBaZUA==
+
+lodash.isnumber@^3.0.3:
+ version "3.0.3"
+ resolved "https://registry.yarnpkg.com/lodash.isnumber/-/lodash.isnumber-3.0.3.tgz#3ce76810c5928d03352301ac287317f11c0b1ffc"
+ integrity sha512-QYqzpfwO3/CWf3XP+Z+tkQsfaLL/EnUlXWVkIk5FUPc4sBdTehEqZONuyRt2P67PXAk+NXmTBcc97zw9t1FQrw==
+
+lodash.isplainobject@^4.0.6:
+ version "4.0.6"
+ resolved "https://registry.yarnpkg.com/lodash.isplainobject/-/lodash.isplainobject-4.0.6.tgz#7c526a52d89b45c45cc690b88163be0497f550cb"
+ integrity sha512-oSXzaWypCMHkPC3NvBEaPHf0KsA5mvPrOPgQWDsbg8n7orZ290M0BmC/jgRZ4vcJ6DTAhjrsSYgdsW/F+MFOBA==
+
+lodash.isstring@^4.0.1:
+ version "4.0.1"
+ resolved "https://registry.yarnpkg.com/lodash.isstring/-/lodash.isstring-4.0.1.tgz#d527dfb5456eca7cc9bb95d5daeaf88ba54a5451"
+ integrity sha512-0wJxfxH1wgO3GrbuP+dTTk7op+6L41QCXbGINEmD+ny/G/eCqGzxyCsh7159S+mgDDcoarnBw6PC1PS5+wUGgw==
+
[email protected]:
version "4.1.1"
resolved "https://registry.yarnpkg.com/lodash.kebabcase/-/lodash.kebabcase-4.1.1.tgz#8489b1cb0d29ff88195cceca448ff6d6cc295c36"
@@ -4851,6 +5038,16 @@ lodash.merge@^4.6.2:
resolved "https://registry.yarnpkg.com/lodash.merge/-/lodash.merge-4.6.2.tgz#558aa53b43b661e1925a0afdfa36a9a1085fe57a"
integrity sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==
+lodash.once@^4.0.0:
+ version "4.1.1"
+ resolved "https://registry.yarnpkg.com/lodash.once/-/lodash.once-4.1.1.tgz#0dd3971213c7c56df880977d504c88fb471a97ac"
+ integrity sha512-Sb487aTOCr9drQVL8pIxOzVhafOjZN9UU54hiN8PU3uAiSV7lx1yYNpbNmex2PK6dSJoNTSJUUswT651yww3Mg==
+
+lodash.pullall@^4.2.0:
+ version "4.2.0"
+ resolved "https://registry.yarnpkg.com/lodash.pullall/-/lodash.pullall-4.2.0.tgz#9d98b8518b7c965b0fae4099bd9fb7df8bbf38ba"
+ integrity sha512-VhqxBKH0ZxPpLhiu68YD1KnHmbhQJQctcipvmFnqIBDYzcIHzf3Zpu0tpeOKtR4x76p9yohc506eGdOjTmyIBg==
+
[email protected]:
version "4.1.1"
resolved "https://registry.yarnpkg.com/lodash.snakecase/-/lodash.snakecase-4.1.1.tgz#39d714a35357147837aefd64b5dcbb16becd8f8d"
@@ -4861,6 +5058,11 @@ lodash.uniq@^4.5.0:
resolved "https://registry.yarnpkg.com/lodash.uniq/-/lodash.uniq-4.5.0.tgz#d0225373aeb652adc1bc82e4945339a842754773"
integrity sha512-xfBaXQd9ryd9dlSDvnvI0lvxfLJlYAZzXomUYzLKtUeOQvOP5piqAWuGtrhWeqaXK9hhoM/iyJc5AV+XfsX3HQ==
+lodash.uniqby@^4.7.0:
+ version "4.7.0"
+ resolved "https://registry.yarnpkg.com/lodash.uniqby/-/lodash.uniqby-4.7.0.tgz#d99c07a669e9e6d24e1362dfe266c67616af1302"
+ integrity sha512-e/zcLx6CSbmaEgFHCA7BnoQKyCtKMxnuWrJygbwPs/AIn+IMKl66L8/s+wBUn5LRw2pZx3bUHibiV1b6aTWIww==
+
[email protected]:
version "4.3.1"
resolved "https://registry.yarnpkg.com/lodash.upperfirst/-/lodash.upperfirst-4.3.1.tgz#1365edf431480481ef0d1c68957a5ed99d49f7ce"
@@ -4904,7 +5106,7 @@ make-error@^1.1.1:
resolved "https://registry.yarnpkg.com/make-error/-/make-error-1.3.6.tgz#2eb2e37ea9b67c4891f684a1394799af484cf7a2"
integrity sha512-s8UhlNe7vPKomQhC1qFelMokr/Sc3AgNbso3n74mVPA5LTZwkB9NlXf4XPamLxJE8h0gh73rM94xvwRT2CVInw==
-md5@^2.3.0:
[email protected]:
version "2.3.0"
resolved "https://registry.yarnpkg.com/md5/-/md5-2.3.0.tgz#c3da9a6aae3a30b46b7b0c349b87b110dc3bda4f"
integrity sha512-T1GITYmFaKuO91vxyoQMFETst+O71VUPEU3ze5GNzDm0OWdP8v1ziTaAEPUr/3kLsY3Sftgz242A1SetQiDL7g==
@@ -4974,7 +5176,7 @@ merge2@^1.3.0, merge2@^1.4.1:
resolved "https://registry.yarnpkg.com/merge2/-/merge2-1.4.1.tgz#4368892f885e907455a6fd7dc55c0c9d404990ae"
integrity sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==
-method-override@^3.0.0:
[email protected]:
version "3.0.0"
resolved "https://registry.yarnpkg.com/method-override/-/method-override-3.0.0.tgz#6ab0d5d574e3208f15b0c9cf45ab52000468d7a2"
integrity sha512-IJ2NNN/mSl9w3kzWB92rcdHpz+HjkxhDJWNDBqSlas+zQdP8wBiJzITPg08M/k2uVvMow7Sk41atndNtt/PHSA==
@@ -4989,7 +5191,7 @@ methods@~1.1.2:
resolved "https://registry.yarnpkg.com/methods/-/methods-1.1.2.tgz#5529a4d67654134edcc5266656835b0f851afcee"
integrity sha512-iclAHeNqNm68zFtnZ0e+1L2yUIdvzNoauKU4WBA3VvH/vPFieF7qfRlwUZU+DA9P9bPXIS90ulxoUoCH23sV2w==
-micro-memoize@^4.0.14:
[email protected]:
version "4.1.2"
resolved "https://registry.yarnpkg.com/micro-memoize/-/micro-memoize-4.1.2.tgz#ce719c1ba1e41592f1cd91c64c5f41dcbf135f36"
integrity sha512-+HzcV2H+rbSJzApgkj0NdTakkC+bnyeiUxgT6/m7mjcz1CmM22KYFKp+EVj1sWe4UYcnriJr5uqHQD/gMHLD+g==
@@ -5057,7 +5259,7 @@ minimatch@^5.0.1:
dependencies:
brace-expansion "^2.0.1"
-minimist@^1.2.0, minimist@^1.2.3, minimist@^1.2.6, minimist@^1.2.7:
[email protected], minimist@^1.2.0, minimist@^1.2.3, minimist@^1.2.6:
version "1.2.8"
resolved "https://registry.yarnpkg.com/minimist/-/minimist-1.2.8.tgz#c1a464e7693302e082a075cee0c057741ac4772c"
integrity sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==
@@ -5067,12 +5269,12 @@ mkdirp-classic@^0.5.2, mkdirp-classic@^0.5.3:
resolved "https://registry.yarnpkg.com/mkdirp-classic/-/mkdirp-classic-0.5.3.tgz#fa10c9115cc6d8865be221ba47ee9bed78601113"
integrity sha512-gKLcREMhtuZRwRAfqP3RFW+TK4JqApVBtOIftVgjuABpAtpxhPGaDcfvbhNvD0B8iD1oUr/txX35NjcaY6Ns/A==
-mkdirp@^1.0.4:
[email protected], mkdirp@^1.0.4:
version "1.0.4"
resolved "https://registry.yarnpkg.com/mkdirp/-/mkdirp-1.0.4.tgz#3eb5ed62622756d79a5f0e2a221dfebad75c2f7e"
integrity sha512-vVqVZQyf3WLx2Shd0qJ9xuvqgAyKPLAiqITEtqW0oIUjzo3PePDd6fW9iFz30ef7Ysp/oiWqbhszeGWW2T6Gzw==
-monaco-editor@^0.38.0:
[email protected]:
version "0.38.0"
resolved "https://registry.yarnpkg.com/monaco-editor/-/monaco-editor-0.38.0.tgz#7b3cd16f89b1b8867fcd3c96e67fccee791ff05c"
integrity sha512-11Fkh6yzEmwx7O0YoLxeae0qEGFwmyPRlVxpg7oF9czOOCB/iCjdJrG5I67da5WiXK3YJCxoz9TJFE8Tfq/v9A==
@@ -5097,7 +5299,7 @@ [email protected]:
"@aws-sdk/credential-providers" "^3.186.0"
saslprep "^1.0.3"
-mongoose-aggregate-paginate-v2@^1.0.6:
[email protected]:
version "1.0.6"
resolved "https://registry.yarnpkg.com/mongoose-aggregate-paginate-v2/-/mongoose-aggregate-paginate-v2-1.0.6.tgz#fd2f2564d1bbf52f49a196f0b7b03675913dacca"
integrity sha512-UuALu+mjhQa1K9lMQvjLL3vm3iALvNw8PQNIh2gp1b+tO5hUa0NC0Wf6/8QrT9PSJVTihXaD8hQVy3J4e0jO0Q==
@@ -5214,9 +5416,9 @@ no-case@^3.0.4:
tslib "^2.0.3"
node-abi@^3.3.0:
- version "3.45.0"
- resolved "https://registry.yarnpkg.com/node-abi/-/node-abi-3.45.0.tgz#f568f163a3bfca5aacfce1fbeee1fa2cc98441f5"
- integrity sha512-iwXuFrMAcFVi/ZoZiqq8BzAdsLw9kxDfTC0HMyjXfSL/6CSDAGD5UmR7azrAgWV1zKYq7dUUMj4owusBWKLsiQ==
+ version "3.47.0"
+ resolved "https://registry.yarnpkg.com/node-abi/-/node-abi-3.47.0.tgz#6cbfa2916805ae25c2b7156ca640131632eb05e8"
+ integrity sha512-2s6B2CWZM//kPgwnuI0KrYwNjfdByE25zvAaEpq9IH4zcNsarH8Ihu/UuX6XMPEogDAxkuUFeZn60pXNHAqn3A==
dependencies:
semver "^7.3.5"
@@ -5226,18 +5428,18 @@ node-addon-api@^5.0.0:
integrity sha512-eh0GgfEkpnoWDq+VY8OyvYhFEzBk6jIYbRKdIlyTiAXIVJ8PyBaKb0rp7oDtoddbdoHWhq8wwr+XZ81F1rpNdA==
node-fetch@^2.6.1:
- version "2.6.12"
- resolved "https://registry.yarnpkg.com/node-fetch/-/node-fetch-2.6.12.tgz#02eb8e22074018e3d5a83016649d04df0e348fba"
- integrity sha512-C/fGU2E8ToujUivIO0H+tpQ6HWo4eEmchoPIoXtxCrVghxdKq+QOHqEZW7tuP3KlV3bC8FRMO5nMCC7Zm1VP6g==
+ version "2.7.0"
+ resolved "https://registry.yarnpkg.com/node-fetch/-/node-fetch-2.7.0.tgz#d0f0fa6e3e2dc1d27efcd8ad99d550bda94d187d"
+ integrity sha512-c4FRfUm/dbcWZ7U+1Wq0AwCyFL+3nt2bEw05wfxSz+DWpWsitgmSgYmy2dQdWyKC1694ELPqMs/YzUSNozLt8A==
dependencies:
whatwg-url "^5.0.0"
-node-releases@^2.0.12:
+node-releases@^2.0.13:
version "2.0.13"
resolved "https://registry.yarnpkg.com/node-releases/-/node-releases-2.0.13.tgz#d5ed1627c23e3461e819b02e57b75e4899b1c81d"
integrity sha512-uYr7J37ae/ORWdZeQ1xxMJe3NtdmqMC/JZK+geofDrkLUApKRHPd18/TxtBOJ4A0/+uUIliorNrfYV6s1b02eQ==
-nodemailer@^6.9.0:
[email protected]:
version "6.9.4"
resolved "https://registry.yarnpkg.com/nodemailer/-/nodemailer-6.9.4.tgz#93bd4a60eb0be6fa088a0483340551ebabfd2abf"
integrity sha512-CXjQvrQZV4+6X5wP6ZIgdehJamI63MFoYFGGPtHudWym9qaEHDNdPzaj5bfMCvxG1vhAileSWW90q7nL0N36mA==
@@ -5313,7 +5515,7 @@ object-keys@^1.1.1:
resolved "https://registry.yarnpkg.com/object-keys/-/object-keys-1.1.1.tgz#1c47f272df277f3b1daf061677d9c82e2322c60e"
integrity sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==
-object-to-formdata@^4.4.2:
[email protected]:
version "4.5.1"
resolved "https://registry.yarnpkg.com/object-to-formdata/-/object-to-formdata-4.5.1.tgz#b6955a9c505b58df15852fee5f844b418b3eb6fe"
integrity sha512-QiM9D0NiU5jV6J6tjE1g7b4Z2tcUnKs1OPUi4iMb2zH+7jwlcUrASghgkFk9GtzqNNq8rTQJtT8AzjBAvLoNMw==
@@ -5329,18 +5531,18 @@ object.assign@^4.1.4:
object-keys "^1.1.1"
object.values@^1.1.5:
- version "1.1.6"
- resolved "https://registry.yarnpkg.com/object.values/-/object.values-1.1.6.tgz#4abbaa71eba47d63589d402856f908243eea9b1d"
- integrity sha512-FVVTkD1vENCsAcwNs9k6jea2uHC/X0+JcjG8YA60FN5CMaJmG95wT9jek/xX9nornqGRrBkKtzuAu2wuHpKqvw==
+ version "1.1.7"
+ resolved "https://registry.yarnpkg.com/object.values/-/object.values-1.1.7.tgz#617ed13272e7e1071b43973aa1655d9291b8442a"
+ integrity sha512-aU6xnDFYT3x17e/f0IiiwlGPTy2jzMySGfUB4fq6z7CV8l85CWHDk5ErhyhpfDHhrOMwGFhSQkhMGHaIotA6Ng==
dependencies:
call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
+ define-properties "^1.2.0"
+ es-abstract "^1.22.1"
on-exit-leak-free@^2.1.0:
- version "2.1.0"
- resolved "https://registry.yarnpkg.com/on-exit-leak-free/-/on-exit-leak-free-2.1.0.tgz#5c703c968f7e7f851885f6459bf8a8a57edc9cc4"
- integrity sha512-VuCaZZAjReZ3vUwgOB8LxAosIurDiAW0s13rI1YwmaP++jvcxP77AWoQvenZebpCA2m8WC1/EosPYPMjnRAp/w==
+ version "2.1.2"
+ resolved "https://registry.yarnpkg.com/on-exit-leak-free/-/on-exit-leak-free-2.1.2.tgz#fed195c9ebddb7d9e4c3842f93f281ac8dadd3b8"
+ integrity sha512-0eJJY6hXLGf1udHwfNftBqH+g73EU4B504nZeKpz1sYRKafAghwxEJunB2O7rDZkL4PGfsMVnTXZ2EjibbqcsA==
[email protected]:
version "2.4.1"
@@ -5463,14 +5665,14 @@ pascal-case@^3.1.2:
no-case "^3.0.4"
tslib "^2.0.3"
-passport-anonymous@^1.0.1:
[email protected]:
version "1.0.1"
resolved "https://registry.yarnpkg.com/passport-anonymous/-/passport-anonymous-1.0.1.tgz#241e37274ec44dfb7f6cad234b41c438386bc117"
integrity sha512-Mk2dls97nLTzHpsWCYQ54IVGucWaiWSHHr3+IhWYAebg4dRgRQIfyoeYrixoxB2z2z4+EM7p9yjC+a3yMB5z5A==
dependencies:
passport-strategy "1.x.x"
-passport-headerapikey@^1.2.2:
[email protected]:
version "1.2.2"
resolved "https://registry.yarnpkg.com/passport-headerapikey/-/passport-headerapikey-1.2.2.tgz#b71960523999c9864151b8535c919e3ff5ba75ce"
integrity sha512-4BvVJRrWsNJPrd3UoZfcnnl4zvUWYKEtfYkoDsaOKBsrWHYmzTApCjs7qUbncOLexE9ul0IRiYBFfBG0y9IVQA==
@@ -5478,7 +5680,7 @@ passport-headerapikey@^1.2.2:
lodash "^4.17.15"
passport-strategy "^1.0.0"
-passport-jwt@^4.0.1:
[email protected]:
version "4.0.1"
resolved "https://registry.yarnpkg.com/passport-jwt/-/passport-jwt-4.0.1.tgz#c443795eff322c38d173faa0a3c481479646ec3d"
integrity sha512-UCKMDYhNuGOBE9/9Ycuoyh7vP6jpeTp/+sfMJl7nLff/t6dps+iaeE0hhNkKN8/HZHcJ7lCdOyDxHdDoxoSvdQ==
@@ -5486,7 +5688,7 @@ passport-jwt@^4.0.1:
jsonwebtoken "^9.0.0"
passport-strategy "^1.0.0"
-passport-local@^1.0.0:
[email protected]:
version "1.0.0"
resolved "https://registry.yarnpkg.com/passport-local/-/passport-local-1.0.0.tgz#1fe63268c92e75606626437e3b906662c15ba6ee"
integrity sha512-9wCE6qKznvf9mQYYbgJ3sVOHmCWoUNMVFoZzNoznmISbhnNNPhN9xfY3sLmScHMetEJeoY7CXwfhCe7argfQow==
@@ -5498,7 +5700,7 @@ [email protected], passport-strategy@^1.0.0:
resolved "https://registry.yarnpkg.com/passport-strategy/-/passport-strategy-1.0.0.tgz#b5539aa8fc225a3d1ad179476ddf236b440f52e4"
integrity sha512-CB97UUvDKJde2V0KDWWB3lyf6PC3FaZP7YxZ2G8OAtn9p4HI9j9JLP9qjOGZFvyl8uwNT8qM+hGnz/n16NI7oA==
-passport@^0.6.0:
[email protected]:
version "0.6.0"
resolved "https://registry.yarnpkg.com/passport/-/passport-0.6.0.tgz#e869579fab465b5c0b291e841e6cc95c005fac9d"
integrity sha512-0fe+p3ZnrWRW74fe8+SvCyf4a3Pb2/h7gFkQ8yTJpAO50gDzlfjZUZTO1k5Eg9kUct22OxHLqDZoKUWRHOh9ug==
@@ -5507,7 +5709,7 @@ passport@^0.6.0:
pause "0.0.1"
utils-merge "^1.0.1"
-path-browserify@^1.0.1:
[email protected]:
version "1.0.1"
resolved "https://registry.yarnpkg.com/path-browserify/-/path-browserify-1.0.1.tgz#d98454a9c3753d5790860f16f68867b9e46be1fd"
integrity sha512-b7uo2UCUOYZcnF/3ID0lulOJi/bafxa1xPe7ZPsammBSpjSWQkjNxlt635YGS2MiR9GjvuXCtz2emr3jbsz98g==
@@ -5560,121 +5762,99 @@ [email protected]:
integrity sha512-KG8UEiEVkR3wGEb4m5yZkVCzigAD+cVEJck2CzYZO37ZGJfctvVptVO192MwrtPhzONn6go8ylnOdMhKqi4nfg==
payload@latest:
- version "1.11.5"
- resolved "https://registry.yarnpkg.com/payload/-/payload-1.11.5.tgz#d626c35b281dd0a9b6a0ed352fddc1cfc752b6a3"
- integrity sha512-3AKs9VhTBVbRa+C5w1DQ0gXkx+M8E7KEr+7BK9XVhtSwf6mG+kKt8B9Pdnk+8P8cNu0NiHtwla46DFpd7VjUvw==
- dependencies:
- "@date-io/date-fns" "^2.16.0"
- "@dnd-kit/core" "^6.0.7"
- "@dnd-kit/sortable" "^7.0.2"
- "@faceless-ui/modal" "^2.0.1"
- "@faceless-ui/scroll-info" "^1.3.0"
- "@faceless-ui/window-info" "^2.1.1"
- "@monaco-editor/react" "^4.5.1"
- "@swc/core" "^1.3.26"
- "@swc/register" "^0.1.10"
- "@types/sharp" "^0.31.1"
- body-parser "^1.20.1"
- bson-objectid "^2.0.4"
- compression "^1.7.4"
- conf "^10.2.0"
- connect-history-api-fallback "^1.6.0"
- css-loader "^5.2.7"
- css-minimizer-webpack-plugin "^5.0.0"
- dataloader "^2.1.0"
- date-fns "^2.29.3"
- deep-equal "^2.2.0"
- deepmerge "^4.2.2"
- dotenv "^8.6.0"
- express "^4.18.2"
+ version "2.0.2"
+ resolved "https://registry.yarnpkg.com/payload/-/payload-2.0.2.tgz#5068df9130bedd527447ac911fb1b2f09beb469a"
+ integrity sha512-EsbDQJtwVSrX7QTGqtsKhcbaBfIKDmlcHkXiUVVc9gkSEtSSw455FQ7oa4sPgDpgKgpkCVC0LVUGOPIkmDJu9g==
+ dependencies:
+ "@date-io/date-fns" "2.16.0"
+ "@dnd-kit/core" "6.0.8"
+ "@dnd-kit/sortable" "7.0.2"
+ "@faceless-ui/modal" "2.0.1"
+ "@faceless-ui/scroll-info" "1.3.0"
+ "@faceless-ui/window-info" "2.1.1"
+ "@monaco-editor/react" "4.5.1"
+ "@swc/core" "1.3.76"
+ "@swc/register" "0.1.10"
+ body-parser "1.20.2"
+ body-scroll-lock "4.0.0-beta.0"
+ bson-objectid "2.0.4"
+ compression "1.7.4"
+ conf "10.2.0"
+ connect-history-api-fallback "1.6.0"
+ console-table-printer "2.11.2"
+ dataloader "2.2.2"
+ date-fns "2.30.0"
+ deep-equal "2.2.2"
+ deepmerge "4.3.1"
+ dotenv "8.6.0"
+ express "4.18.2"
express-fileupload "1.4.0"
- express-rate-limit "^5.5.1"
- file-loader "^6.2.0"
+ express-rate-limit "5.5.1"
file-type "16.5.4"
find-up "4.1.0"
- flatley "^5.2.0"
- fs-extra "^10.1.0"
- get-tsconfig "^4.4.0"
- graphql "^16.6.0"
- graphql-http "^1.17.1"
- graphql-playground-middleware-express "^1.7.23"
- graphql-query-complexity "^0.12.0"
- graphql-scalars "^1.20.1"
- graphql-type-json "^0.3.2"
- html-webpack-plugin "^5.5.0"
- http-status "^1.6.2"
- i18next "^22.4.9"
- i18next-browser-languagedetector "^6.1.8"
- i18next-http-middleware "^3.2.2"
- is-hotkey "^0.2.0"
- is-plain-object "^5.0.0"
- isomorphic-fetch "^3.0.0"
- joi "^17.7.0"
+ flatley "5.2.0"
+ fs-extra "10.1.0"
+ get-tsconfig "4.6.2"
+ graphql "16.7.1"
+ graphql-http "1.21.0"
+ graphql-playground-middleware-express "1.7.23"
+ graphql-query-complexity "0.12.0"
+ graphql-scalars "1.22.2"
+ graphql-type-json "0.3.2"
+ html-webpack-plugin "5.5.3"
+ http-status "1.6.2"
+ i18next "22.5.1"
+ i18next-browser-languagedetector "6.1.8"
+ i18next-http-middleware "3.3.2"
+ is-hotkey "0.2.0"
+ is-plain-object "5.0.0"
+ isomorphic-fetch "3.0.0"
+ joi "17.9.2"
json-schema-to-typescript "11.0.3"
- jsonwebtoken "^9.0.0"
- jwt-decode "^3.1.2"
- md5 "^2.3.0"
- method-override "^3.0.0"
- micro-memoize "^4.0.14"
- mini-css-extract-plugin "1.6.2"
- minimist "^1.2.7"
- mkdirp "^1.0.4"
- monaco-editor "^0.38.0"
- mongoose "6.11.4"
- mongoose-aggregate-paginate-v2 "^1.0.6"
- mongoose-paginate-v2 "1.7.22"
- nodemailer "^6.9.0"
- object-to-formdata "^4.4.2"
- passport "^0.6.0"
- passport-anonymous "^1.0.1"
- passport-headerapikey "^1.2.2"
- passport-jwt "^4.0.1"
- passport-local "^1.0.0"
- path-browserify "^1.0.1"
- pino "^6.4.1"
- pino-pretty "^9.1.1"
- pluralize "^8.0.0"
- postcss "^8.4.21"
- postcss-loader "^6.2.1"
- postcss-preset-env "^9.0.0"
- probe-image-size "^6.0.0"
- process "^0.11.10"
- qs "^6.11.0"
- qs-middleware "^1.0.3"
- react "^18.2.0"
- react-animate-height "^2.1.2"
- react-datepicker "^4.10.0"
- react-diff-viewer-continued "^3.2.6"
- react-dom "^18.2.0"
- react-helmet "^6.1.0"
- react-i18next "^11.18.6"
- react-router-dom "^5.3.4"
- react-router-navigation-prompt "^1.9.6"
- react-select "^5.7.3"
- react-toastify "^8.2.0"
- sanitize-filename "^1.6.3"
- sass "^1.57.1"
- sass-loader "^12.6.0"
- scheduler "^0.23.0"
- scmp "^2.1.0"
- sharp "^0.31.3"
- slate "^0.91.4"
- slate-history "^0.86.0"
- slate-hyperscript "^0.81.3"
- slate-react "^0.92.0"
- style-loader "^2.0.0"
- swc-loader "^0.2.3"
- swc-minify-webpack-plugin "^2.1.0"
- terser-webpack-plugin "^5.3.6"
- ts-essentials "^7.0.3"
- url-loader "^4.1.1"
- use-context-selector "^1.4.1"
- uuid "^8.3.2"
- webpack "^5.78.0"
- webpack-bundle-analyzer "^4.8.0"
- webpack-cli "^4.10.0"
- webpack-dev-middleware "6.0.1"
- webpack-hot-middleware "^2.25.3"
+ jsonwebtoken "9.0.1"
+ jwt-decode "3.1.2"
+ md5 "2.3.0"
+ method-override "3.0.0"
+ micro-memoize "4.1.2"
+ minimist "1.2.8"
+ mkdirp "1.0.4"
+ monaco-editor "0.38.0"
+ nodemailer "6.9.4"
+ object-to-formdata "4.5.1"
+ passport "0.6.0"
+ passport-anonymous "1.0.1"
+ passport-headerapikey "1.2.2"
+ passport-jwt "4.0.1"
+ passport-local "1.0.0"
+ pino "8.15.0"
+ pino-pretty "10.2.0"
+ pluralize "8.0.0"
+ probe-image-size "6.0.0"
+ process "0.11.10"
+ qs "6.11.2"
+ qs-middleware "1.0.3"
+ react "18.2.0"
+ react-animate-height "2.1.2"
+ react-datepicker "4.16.0"
+ react-diff-viewer-continued "3.2.6"
+ react-dom "18.2.0"
+ react-helmet "6.1.0"
+ react-i18next "11.18.6"
+ react-image-crop "10.1.8"
+ react-router-dom "5.3.4"
+ react-router-navigation-prompt "1.9.6"
+ react-select "5.7.4"
+ react-toastify "8.2.0"
+ sanitize-filename "1.6.3"
+ sass "1.64.0"
+ scheduler "0.23.0"
+ scmp "2.1.0"
+ sharp "0.31.3"
+ swc-loader "0.2.3"
+ terser-webpack-plugin "5.3.9"
+ ts-essentials "7.0.3"
+ use-context-selector "1.4.1"
+ uuid "8.3.2"
peek-readable@^4.1.0:
version "4.1.0"
@@ -5692,6 +5872,14 @@ picomatch@^2.0.4, picomatch@^2.2.1, picomatch@^2.2.3, picomatch@^2.3.1:
integrity sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==
pino-abstract-transport@^1.0.0:
+ version "1.1.0"
+ resolved "https://registry.yarnpkg.com/pino-abstract-transport/-/pino-abstract-transport-1.1.0.tgz#083d98f966262164504afb989bccd05f665937a8"
+ integrity sha512-lsleG3/2a/JIWUtf9Q5gUNErBqwIu1tUKTT3dUzaf5DySw9ra1wcqKjJjLX1VTY64Wk1eEOYsVGSaGfCK85ekA==
+ dependencies:
+ readable-stream "^4.0.0"
+ split2 "^4.0.0"
+
[email protected]:
version "1.0.0"
resolved "https://registry.yarnpkg.com/pino-abstract-transport/-/pino-abstract-transport-1.0.0.tgz#cc0d6955fffcadb91b7b49ef220a6cc111d48bb3"
integrity sha512-c7vo5OpW4wIS42hUVcT5REsL8ZljsUfBjqV/e2sFxmFEFZiq1XLUp5EYLtuDH6PEHq9W1egWqRbnLUP5FuZmOA==
@@ -5699,10 +5887,10 @@ pino-abstract-transport@^1.0.0:
readable-stream "^4.0.0"
split2 "^4.0.0"
-pino-pretty@^9.1.1:
- version "9.4.1"
- resolved "https://registry.yarnpkg.com/pino-pretty/-/pino-pretty-9.4.1.tgz#89121ef32d00a4d2e4b1c62850dcfff26f62a185"
- integrity sha512-loWr5SNawVycvY//hamIzyz3Fh5OSpvkcO13MwdDW+eKIGylobPLqnVGTDwDXkdmpJd1BhEG+qhDw09h6SqJiQ==
[email protected]:
+ version "10.2.0"
+ resolved "https://registry.yarnpkg.com/pino-pretty/-/pino-pretty-10.2.0.tgz#c674a153e15c08d7032a826d0051d786feace1d9"
+ integrity sha512-tRvpyEmGtc2D+Lr3FulIZ+R1baggQ4S3xD2Ar93KixFEDx6SEAUP3W5aYuEw1C73d6ROrNcB2IXLteW8itlwhA==
dependencies:
colorette "^2.0.7"
dateformat "^4.6.3"
@@ -5719,23 +5907,27 @@ pino-pretty@^9.1.1:
sonic-boom "^3.0.0"
strip-json-comments "^3.1.1"
-pino-std-serializers@^3.1.0:
- version "3.2.0"
- resolved "https://registry.yarnpkg.com/pino-std-serializers/-/pino-std-serializers-3.2.0.tgz#b56487c402d882eb96cd67c257868016b61ad671"
- integrity sha512-EqX4pwDPrt3MuOAAUBMU0Tk5kR/YcCM5fNPEzgCO2zJ5HfX0vbiH9HbJglnyeQsN96Kznae6MWD47pZB5avTrg==
-
-pino@^6.4.1:
- version "6.14.0"
- resolved "https://registry.yarnpkg.com/pino/-/pino-6.14.0.tgz#b745ea87a99a6c4c9b374e4f29ca7910d4c69f78"
- integrity sha512-iuhEDel3Z3hF9Jfe44DPXR8l07bhjuFY3GMHIXbjnY9XcafbyDDwl2sN2vw2GjMPf5Nkoe+OFao7ffn9SXaKDg==
- dependencies:
- fast-redact "^3.0.0"
- fast-safe-stringify "^2.0.8"
- flatstr "^1.0.12"
- pino-std-serializers "^3.1.0"
- process-warning "^1.0.0"
+pino-std-serializers@^6.0.0:
+ version "6.2.2"
+ resolved "https://registry.yarnpkg.com/pino-std-serializers/-/pino-std-serializers-6.2.2.tgz#d9a9b5f2b9a402486a5fc4db0a737570a860aab3"
+ integrity sha512-cHjPPsE+vhj/tnhCy/wiMh3M3z3h/j15zHQX+S9GkTBgqJuTuJzYJ4gUyACLhDaJ7kk9ba9iRDmbH2tJU03OiA==
+
[email protected]:
+ version "8.15.0"
+ resolved "https://registry.yarnpkg.com/pino/-/pino-8.15.0.tgz#67c61d5e397bf297e5a0433976a7f7b8aa6f876b"
+ integrity sha512-olUADJByk4twxccmAxb1RiGKOSvddHugCV3wkqjyv+3Sooa2KLrmXrKEWOKi0XPCLasRR5jBXxioE1jxUa4KzQ==
+ dependencies:
+ atomic-sleep "^1.0.0"
+ fast-redact "^3.1.1"
+ on-exit-leak-free "^2.1.0"
+ pino-abstract-transport v1.0.0
+ pino-std-serializers "^6.0.0"
+ process-warning "^2.0.0"
quick-format-unescaped "^4.0.3"
- sonic-boom "^1.0.2"
+ real-require "^0.2.0"
+ safe-stable-stringify "^2.3.1"
+ sonic-boom "^3.1.0"
+ thread-stream "^2.0.0"
pirates@^4.0.1:
version "4.0.6"
@@ -5756,7 +5948,7 @@ pkg-up@^3.1.0:
dependencies:
find-up "^3.0.0"
-pluralize@^8.0.0:
[email protected]:
version "8.0.0"
resolved "https://registry.yarnpkg.com/pluralize/-/pluralize-8.0.0.tgz#1a6fa16a38d12a1901e0320fa017051c539ce3b1"
integrity sha512-Nc3IT5yHzflTfbjgqWcCPpo7DaKy4FnpB0l/zCAW0Tc7jxAiuqSxHasntB3D7887LSrA93kDJ9IXovxJYxyLCA==
@@ -5784,11 +5976,11 @@ postcss-clamp@^4.1.0:
postcss-value-parser "^4.2.0"
postcss-color-functional-notation@^6.0.0:
- version "6.0.0"
- resolved "https://registry.yarnpkg.com/postcss-color-functional-notation/-/postcss-color-functional-notation-6.0.0.tgz#dcc1b8b6273099c597a790dc484d89e2573f5f17"
- integrity sha512-kaWTgnhRKFtfMF8H0+NQBFxgr5CGg05WGe07Mc1ld6XHwwRWlqSbHOW0zwf+BtkBQpsdVUu7+gl9dtdvhWMedw==
+ version "6.0.1"
+ resolved "https://registry.yarnpkg.com/postcss-color-functional-notation/-/postcss-color-functional-notation-6.0.1.tgz#b67d7c71fa1c82b09c130e02a37f0b6ceacbef63"
+ integrity sha512-IouVx77fASIjOChWxkvOjYGnYNKq286cSiKFJwWNICV9NP2xZWVOS9WOriR/8uIB2zt/44bzQyw4GteCLpP2SA==
dependencies:
- "@csstools/postcss-progressive-custom-properties" "^3.0.0"
+ "@csstools/postcss-progressive-custom-properties" "^3.0.1"
postcss-value-parser "^4.2.0"
postcss-color-hex-alpha@^9.0.2:
@@ -5799,9 +5991,9 @@ postcss-color-hex-alpha@^9.0.2:
postcss-value-parser "^4.2.0"
postcss-color-rebeccapurple@^9.0.0:
- version "9.0.0"
- resolved "https://registry.yarnpkg.com/postcss-color-rebeccapurple/-/postcss-color-rebeccapurple-9.0.0.tgz#317bf718962c70b779efacf3dc040c56f05d03ce"
- integrity sha512-RmUFL+foS05AKglkEoqfx+KFdKRVmqUAxlHNz4jLqIi7046drIPyerdl4B6j/RA2BSP8FI8gJcHmLRrwJOMnHw==
+ version "9.0.1"
+ resolved "https://registry.yarnpkg.com/postcss-color-rebeccapurple/-/postcss-color-rebeccapurple-9.0.1.tgz#d1266b9a9571ca478c8ce7ad97a15727eac3c6b2"
+ integrity sha512-ds4cq5BjRieizVb2PnvbJ0omg9VCo2/KzluvoFZbxuGpsGJ5BQSD93CHBooinEtangCM5YqUOerGDl4xGmOb6Q==
dependencies:
postcss-value-parser "^4.2.0"
@@ -5824,33 +6016,33 @@ postcss-convert-values@^6.0.0:
postcss-value-parser "^4.2.0"
postcss-custom-media@^10.0.0:
- version "10.0.0"
- resolved "https://registry.yarnpkg.com/postcss-custom-media/-/postcss-custom-media-10.0.0.tgz#299781f67d043de7d3eaa13923c26c586d9cd57a"
- integrity sha512-NxDn7C6GJ7X8TsWOa8MbCdq9rLERRLcPfQSp856k1jzMreL8X9M6iWk35JjPRIb9IfRnVohmxAylDRx7n4Rv4g==
- dependencies:
- "@csstools/cascade-layer-name-parser" "^1.0.3"
- "@csstools/css-parser-algorithms" "^2.3.0"
- "@csstools/css-tokenizer" "^2.1.1"
- "@csstools/media-query-list-parser" "^2.1.2"
-
-postcss-custom-properties@^13.3.0:
- version "13.3.0"
- resolved "https://registry.yarnpkg.com/postcss-custom-properties/-/postcss-custom-properties-13.3.0.tgz#53361280a9ec57c2ac448c0877ba25c4978241ee"
- integrity sha512-q4VgtIKSy5+KcUvQ0WxTjDy9DZjQ5VCXAZ9+tT9+aPMbA0z6s2t1nMw0QHszru1ib5ElkXl9JUpYYU37VVUs7g==
+ version "10.0.1"
+ resolved "https://registry.yarnpkg.com/postcss-custom-media/-/postcss-custom-media-10.0.1.tgz#48a4597451a69b1098e6eb11eb1166202171f9ed"
+ integrity sha512-fil7cosvzlIAYmZJPtNFcTH0Er7a3GveEK4q5Y/L24eWQHmiw8Fv/E5DMkVpdbNjkGzJxrvowOSt/Il9HZ06VQ==
dependencies:
"@csstools/cascade-layer-name-parser" "^1.0.4"
"@csstools/css-parser-algorithms" "^2.3.1"
"@csstools/css-tokenizer" "^2.2.0"
+ "@csstools/media-query-list-parser" "^2.1.4"
+
+postcss-custom-properties@^13.2.1:
+ version "13.3.2"
+ resolved "https://registry.yarnpkg.com/postcss-custom-properties/-/postcss-custom-properties-13.3.2.tgz#88952f883003d897ade5c836e1e005b09a12f02b"
+ integrity sha512-2Coszybpo8lpLY24vy2CYv9AasiZ39/bs8Imv0pWMq55Gl8NWzfc24OAo3zIX7rc6uUJAqESnVOMZ6V6lpMjJA==
+ dependencies:
+ "@csstools/cascade-layer-name-parser" "^1.0.5"
+ "@csstools/css-parser-algorithms" "^2.3.2"
+ "@csstools/css-tokenizer" "^2.2.1"
postcss-value-parser "^4.2.0"
postcss-custom-selectors@^7.1.4:
- version "7.1.4"
- resolved "https://registry.yarnpkg.com/postcss-custom-selectors/-/postcss-custom-selectors-7.1.4.tgz#5980972353119af0d9725bdcccad46be8cfc9011"
- integrity sha512-TU2xyUUBTlpiLnwyE2ZYMUIYB41MKMkBZ8X8ntkqRDQ8sdBLhFFsPgNcOliBd5+/zcK51C9hRnSE7hKUJMxQSw==
+ version "7.1.5"
+ resolved "https://registry.yarnpkg.com/postcss-custom-selectors/-/postcss-custom-selectors-7.1.5.tgz#74e99ef5d7a3f84aaab246ba086975e8279b686e"
+ integrity sha512-0UYtz7GG10bZrRiUdZ/2Flt+hp5p/WP0T7JgAPZ/Xhgb0wFjW/p7QOjE+M58S9Z3x11P9YaNPcrsoOGewWYkcw==
dependencies:
- "@csstools/cascade-layer-name-parser" "^1.0.3"
- "@csstools/css-parser-algorithms" "^2.3.0"
- "@csstools/css-tokenizer" "^2.1.1"
+ "@csstools/cascade-layer-name-parser" "^1.0.4"
+ "@csstools/css-parser-algorithms" "^2.3.1"
+ "@csstools/css-tokenizer" "^2.2.0"
postcss-selector-parser "^6.0.13"
postcss-dir-pseudo-class@^8.0.0:
@@ -5881,11 +6073,11 @@ postcss-discard-overridden@^6.0.0:
integrity sha512-4VELwssYXDFigPYAZ8vL4yX4mUepF/oCBeeIT4OXsJPYOtvJumyz9WflmJWTfDwCUcpDR+z0zvCWBXgTx35SVw==
postcss-double-position-gradients@^5.0.0:
- version "5.0.0"
- resolved "https://registry.yarnpkg.com/postcss-double-position-gradients/-/postcss-double-position-gradients-5.0.0.tgz#cdc11e1210c3fbd3f7bc242a5ee83e5b9d7db8fa"
- integrity sha512-wR8npIkrIVUTicUpCWSSo1f/g7gAEIH70FMqCugY4m4j6TX4E0T2Q5rhfO0gqv00biBZdLyb+HkW8x6as+iJNQ==
+ version "5.0.1"
+ resolved "https://registry.yarnpkg.com/postcss-double-position-gradients/-/postcss-double-position-gradients-5.0.1.tgz#5f28489f5b33ce5e1e97bf1ea6b62cd7a5f9c0c2"
+ integrity sha512-ogcHzfC5q4nfySyZyNF7crvK3/MRDTh+akzE+l7bgJUjVkhgfahBuI+ZAm/5EeaVSVKnCOgqtC6wTyUFgLVLTw==
dependencies:
- "@csstools/postcss-progressive-custom-properties" "^3.0.0"
+ "@csstools/postcss-progressive-custom-properties" "^3.0.1"
postcss-value-parser "^4.2.0"
postcss-focus-visible@^9.0.0:
@@ -5913,9 +6105,9 @@ postcss-gap-properties@^5.0.0:
integrity sha512-YjsEEL6890P7MCv6fch6Am1yq0EhQCJMXyT4LBohiu87+4/WqR7y5W3RIv53WdA901hhytgRvjlrAhibhW4qsA==
postcss-image-set-function@^6.0.0:
- version "6.0.0"
- resolved "https://registry.yarnpkg.com/postcss-image-set-function/-/postcss-image-set-function-6.0.0.tgz#a5aba4a805ae903ab8200b584242149c48c481fb"
- integrity sha512-bg58QnJexFpPBU4IGPAugAPKV0FuFtX5rHYNSKVaV91TpHN7iwyEzz1bkIPCiSU5+BUN00e+3fV5KFrwIgRocw==
+ version "6.0.1"
+ resolved "https://registry.yarnpkg.com/postcss-image-set-function/-/postcss-image-set-function-6.0.1.tgz#e2bba0a0536a0c70f63933f7c5df68742e9615ca"
+ integrity sha512-VlZncC9hhZ5tg0JllY4g6Z28BeoPO8DIkelioEEkXL0AA0IORlqYpTi2L8TUnl4YQrlwvBgxVy+mdZJw5R/cIQ==
dependencies:
postcss-value-parser "^4.2.0"
@@ -5924,17 +6116,17 @@ postcss-initial@^4.0.1:
resolved "https://registry.yarnpkg.com/postcss-initial/-/postcss-initial-4.0.1.tgz#529f735f72c5724a0fb30527df6fb7ac54d7de42"
integrity sha512-0ueD7rPqX8Pn1xJIjay0AZeIuDoF+V+VvMt/uOnn+4ezUKhZM/NokDeP6DwMNyIoYByuN/94IQnt5FEkaN59xQ==
-postcss-lab-function@^6.0.1:
- version "6.0.1"
- resolved "https://registry.yarnpkg.com/postcss-lab-function/-/postcss-lab-function-6.0.1.tgz#46dc530a242972d47018c6627128d8e9e96b82c8"
- integrity sha512-/Xl6JitDh7jWkcOLxrHcAlEaqkxyaG3g4iDMy5RyhNaiQPJ9Egf2+Mxp1W2qnH5jB2bj59f3RbdKmC6qx1IcXA==
+postcss-lab-function@^6.0.0:
+ version "6.0.6"
+ resolved "https://registry.yarnpkg.com/postcss-lab-function/-/postcss-lab-function-6.0.6.tgz#e945326d3ec5b87e9c2dd89d8fcbbb9d05f10dd9"
+ integrity sha512-hZtIi0HPZg0Jc2Q7LL3TossaboSQVINYLT8zNRzp6zumjipl8vi80F2pNLO3euB4b8cRh6KlGdWKO0Q29pqtjg==
dependencies:
- "@csstools/css-color-parser" "^1.2.2"
- "@csstools/css-parser-algorithms" "^2.3.1"
- "@csstools/css-tokenizer" "^2.2.0"
- "@csstools/postcss-progressive-custom-properties" "^3.0.0"
+ "@csstools/css-color-parser" "^1.3.3"
+ "@csstools/css-parser-algorithms" "^2.3.2"
+ "@csstools/css-tokenizer" "^2.2.1"
+ "@csstools/postcss-progressive-custom-properties" "^3.0.1"
-postcss-loader@^6.2.1:
[email protected]:
version "6.2.1"
resolved "https://registry.yarnpkg.com/postcss-loader/-/postcss-loader-6.2.1.tgz#0895f7346b1702103d30fdc66e4d494a93c008ef"
integrity sha512-WbbYpmAaKcux/P66bZ40bpWsBucjx/TTgVVzRZ9yUO8yQfVBlameJ0ZGVaPfH64hNSBh63a+ICP5nqOpBA0w+Q==
@@ -6029,9 +6221,9 @@ postcss-modules-values@^4.0.0:
icss-utils "^5.0.0"
postcss-nesting@^12.0.0:
- version "12.0.0"
- resolved "https://registry.yarnpkg.com/postcss-nesting/-/postcss-nesting-12.0.0.tgz#729932293b925ac5bffcb6df1e2620faa0447554"
- integrity sha512-knqwW65kxssmyIFadRSimaiRyLVRd0MdwfabesKw6XvGLwSOCJ+4zfvNQQCOOYij5obwpZzDpODuGRv2PCyiUw==
+ version "12.0.1"
+ resolved "https://registry.yarnpkg.com/postcss-nesting/-/postcss-nesting-12.0.1.tgz#abb76d15dfd59a9f7d03b4464f53b60a4d3795c4"
+ integrity sha512-6LCqCWP9pqwXw/njMvNK0hGY44Fxc4B2EsGbn6xDcxbNRzP8GYoxT7yabVVMLrX3quqOJ9hg2jYMsnkedOf8pA==
dependencies:
"@csstools/selector-specificity" "^3.0.0"
postcss-selector-parser "^6.0.13"
@@ -6130,48 +6322,47 @@ postcss-place@^9.0.0:
dependencies:
postcss-value-parser "^4.2.0"
-postcss-preset-env@^9.0.0:
- version "9.1.0"
- resolved "https://registry.yarnpkg.com/postcss-preset-env/-/postcss-preset-env-9.1.0.tgz#3e996fc261f69423a18830f7c301cb286c030d4a"
- integrity sha512-G+x9BD7jb9uHBB7o720emXV00CP+VdWeirJsHC5ERSpbTd2e6Xg7vHzT+a6UkxFyddALuV+Q8wJMgeTKaau+Pg==
[email protected]:
+ version "9.0.0"
+ resolved "https://registry.yarnpkg.com/postcss-preset-env/-/postcss-preset-env-9.0.0.tgz#9ca4fc5c0b4a0584d4284008a33ec2d456e2b5a5"
+ integrity sha512-L0x/Nluq+/FkidIYjU7JtkmRL2/QmXuYkxuM3C5y9VG3iGLljF9PuBHQ7kzKRoVfwnca0VNN0Zb3a/bxVJ12vA==
dependencies:
"@csstools/postcss-cascade-layers" "^4.0.0"
- "@csstools/postcss-color-function" "^3.0.1"
- "@csstools/postcss-color-mix-function" "^2.0.1"
- "@csstools/postcss-exponential-functions" "^1.0.0"
+ "@csstools/postcss-color-function" "^2.2.3"
+ "@csstools/postcss-color-mix-function" "^1.0.3"
"@csstools/postcss-font-format-keywords" "^3.0.0"
- "@csstools/postcss-gradients-interpolation-method" "^4.0.1"
- "@csstools/postcss-hwb-function" "^3.0.1"
+ "@csstools/postcss-gradients-interpolation-method" "^4.0.0"
+ "@csstools/postcss-hwb-function" "^3.0.0"
"@csstools/postcss-ic-unit" "^3.0.0"
"@csstools/postcss-is-pseudo-class" "^4.0.0"
"@csstools/postcss-logical-float-and-clear" "^2.0.0"
"@csstools/postcss-logical-resize" "^2.0.0"
- "@csstools/postcss-logical-viewport-units" "^2.0.1"
- "@csstools/postcss-media-minmax" "^1.0.6"
- "@csstools/postcss-media-queries-aspect-ratio-number-values" "^2.0.1"
+ "@csstools/postcss-logical-viewport-units" "^2.0.0"
+ "@csstools/postcss-media-minmax" "^1.0.5"
+ "@csstools/postcss-media-queries-aspect-ratio-number-values" "^2.0.0"
"@csstools/postcss-nested-calc" "^3.0.0"
"@csstools/postcss-normalize-display-values" "^3.0.0"
- "@csstools/postcss-oklab-function" "^3.0.1"
+ "@csstools/postcss-oklab-function" "^3.0.0"
"@csstools/postcss-progressive-custom-properties" "^3.0.0"
- "@csstools/postcss-relative-color-syntax" "^2.0.1"
+ "@csstools/postcss-relative-color-syntax" "^2.0.0"
"@csstools/postcss-scope-pseudo-class" "^3.0.0"
- "@csstools/postcss-stepped-value-functions" "^3.0.1"
+ "@csstools/postcss-stepped-value-functions" "^3.0.0"
"@csstools/postcss-text-decoration-shorthand" "^3.0.0"
- "@csstools/postcss-trigonometric-functions" "^3.0.1"
+ "@csstools/postcss-trigonometric-functions" "^3.0.0"
"@csstools/postcss-unset-value" "^3.0.0"
autoprefixer "^10.4.14"
browserslist "^4.21.9"
css-blank-pseudo "^6.0.0"
css-has-pseudo "^6.0.0"
css-prefers-color-scheme "^9.0.0"
- cssdb "^7.7.0"
+ cssdb "^7.6.0"
postcss-attribute-case-insensitive "^6.0.2"
postcss-clamp "^4.1.0"
postcss-color-functional-notation "^6.0.0"
postcss-color-hex-alpha "^9.0.2"
postcss-color-rebeccapurple "^9.0.0"
postcss-custom-media "^10.0.0"
- postcss-custom-properties "^13.3.0"
+ postcss-custom-properties "^13.2.1"
postcss-custom-selectors "^7.1.4"
postcss-dir-pseudo-class "^8.0.0"
postcss-double-position-gradients "^5.0.0"
@@ -6181,7 +6372,7 @@ postcss-preset-env@^9.0.0:
postcss-gap-properties "^5.0.0"
postcss-image-set-function "^6.0.0"
postcss-initial "^4.0.1"
- postcss-lab-function "^6.0.1"
+ postcss-lab-function "^6.0.0"
postcss-logical "^7.0.0"
postcss-nesting "^12.0.0"
postcss-opacity-percentage "^2.0.0"
@@ -6255,7 +6446,7 @@ postcss-value-parser@^4.1.0, postcss-value-parser@^4.2.0:
resolved "https://registry.yarnpkg.com/postcss-value-parser/-/postcss-value-parser-4.2.0.tgz#723c09920836ba6d3e5af019f92bc0971c02e514"
integrity sha512-1NNCs6uurfkVbeXG4S8JFT9t19m45ICnif8zWLd5oPSZ50QnwMfK+H3jv408d4jw/7Bttv5axS5IiHoLaVNHeQ==
-postcss@^8.2.15, postcss@^8.4.21, postcss@^8.4.24:
[email protected], postcss@^8.2.15, postcss@^8.4.24:
version "8.4.31"
resolved "https://registry.yarnpkg.com/postcss/-/postcss-8.4.31.tgz#92b451050a9f914da6755af352bdc0192508656d"
integrity sha512-PS08Iboia9mts/2ygV3eLpY5ghnUcfLV/EXTOW1E2qYxJKGGBUtNjN76FYHnMs36RmARn41bC0AZmn+rR0OVpQ==
@@ -6307,7 +6498,7 @@ pretty-error@^4.0.0:
lodash "^4.17.20"
renderkid "^3.0.0"
-probe-image-size@^6.0.0:
[email protected]:
version "6.0.0"
resolved "https://registry.yarnpkg.com/probe-image-size/-/probe-image-size-6.0.0.tgz#4a85b19d5af4e29a8de7d53a9aa036f6fd02f5f4"
integrity sha512-99PZ5+RU4gqiTfK5ZDMDkZtn6eL4WlKfFyVJV7lFQvH3iGmQ85DqMTOdxorERO26LHkevR2qsxnHp0x/2UDJPA==
@@ -6321,16 +6512,24 @@ process-nextick-args@~2.0.0:
resolved "https://registry.yarnpkg.com/process-nextick-args/-/process-nextick-args-2.0.1.tgz#7820d9b16120cc55ca9ae7792680ae7dba6d7fe2"
integrity sha512-3ouUOpQhtgrbOa17J7+uxOTpITYWaGP7/AhoR3+A+/1e9skrzelGi/dXzEYyvbxubEF6Wn2ypscTKiKJFFn1ag==
-process-warning@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/process-warning/-/process-warning-1.0.0.tgz#980a0b25dc38cd6034181be4b7726d89066b4616"
- integrity sha512-du4wfLyj4yCZq1VupnVSZmRsPJsNuxoDQFdCFHLaYiEbFBD7QE0a+I4D7hOxrVnh78QE/YipFAj9lXHiXocV+Q==
+process-warning@^2.0.0:
+ version "2.2.0"
+ resolved "https://registry.yarnpkg.com/process-warning/-/process-warning-2.2.0.tgz#008ec76b579820a8e5c35d81960525ca64feb626"
+ integrity sha512-/1WZ8+VQjR6avWOgHeEPd7SDQmFQ1B5mC1eRXsCm5TarlNmx/wCsa5GEaxGm05BORRtyG/Ex/3xq3TuRvq57qg==
-process@^0.11.10:
[email protected], process@^0.11.10:
version "0.11.10"
resolved "https://registry.yarnpkg.com/process/-/process-0.11.10.tgz#7332300e840161bda3e69a1d1d91a7d4bc16f182"
integrity sha512-cdGef/drWFoydD1JsMzuFf8100nZl+GT+yacc2bEced5f9Rjk4z+WtFUTBu9PhOi9j/jfmBPu0mMEY4wIdAF8A==
[email protected]:
+ version "2.4.2"
+ resolved "https://registry.yarnpkg.com/prompts/-/prompts-2.4.2.tgz#7b57e73b3a48029ad10ebd44f74b01722a4cb069"
+ integrity sha512-NxNv/kLguCA7p3jE8oL2aEBsrJWgAakBpgmgK6lpPWV+WuOmY6r2/zbAVnP+T8bQlA0nzHXSJSJW0Hq7ylaD2Q==
+ dependencies:
+ kleur "^3.0.3"
+ sisteransi "^1.0.5"
+
prop-types@^15.6.0, prop-types@^15.6.1, prop-types@^15.6.2, prop-types@^15.7.2, prop-types@^15.8.1:
version "15.8.1"
resolved "https://registry.yarnpkg.com/prop-types/-/prop-types-15.8.1.tgz#67d87bf1a694f48435cf332c24af10214a3140b5"
@@ -6366,7 +6565,7 @@ punycode@^2.1.0, punycode@^2.1.1:
resolved "https://registry.yarnpkg.com/punycode/-/punycode-2.3.0.tgz#f67fa67c94da8f4d0cfff981aee4118064199b8f"
integrity sha512-rRV+zQD8tVFys26lAGR9WUuS4iUAngJScM+ZRSKtvl5tKeZ2t5bvdNFdNHBW9FWR4guGHlgmsZ1G7BSm2wTbuA==
-qs-middleware@^1.0.3:
[email protected]:
version "1.0.3"
resolved "https://registry.yarnpkg.com/qs-middleware/-/qs-middleware-1.0.3.tgz#84f3535275ba20fd00c2122efacce6ab01092c19"
integrity sha512-ymlixxD/0Bj3BMY9x1z8ENdQdhkmsIbDNyVvfM8soHn5p/CRFlLPrmtxmE5aG//q1PzHHSGuLi+6QlHezivseg==
@@ -6380,7 +6579,7 @@ [email protected]:
dependencies:
side-channel "^1.0.4"
-qs@^6.11.0, qs@^6.9.1:
[email protected], qs@^6.9.1:
version "6.11.2"
resolved "https://registry.yarnpkg.com/qs/-/qs-6.11.2.tgz#64bea51f12c1f5da1bc01496f48ffcff7c69d7d9"
integrity sha512-tDNIz22aBzCDxLtVH++VnTfzxlfeK5CbqohpSqpJgj1Wg/cQbStNAz3NuqCs5vV+pjBsK4x4pN9HlVh7rcYRiA==
@@ -6444,7 +6643,7 @@ rc@^1.2.7:
minimist "^1.2.0"
strip-json-comments "~2.0.1"
-react-animate-height@^2.1.2:
[email protected]:
version "2.1.2"
resolved "https://registry.yarnpkg.com/react-animate-height/-/react-animate-height-2.1.2.tgz#9b450fc64d46f10f5e07da8d0d5e2c47b9f15030"
integrity sha512-A9jfz/4CTdsIsE7WCQtO9UkOpMBcBRh8LxyHl2eoZz1ki02jpyUL5xt58gabd0CyeLQ8fRyQ+s2lyV2Ufu8Owg==
@@ -6452,7 +6651,7 @@ react-animate-height@^2.1.2:
classnames "^2.2.5"
prop-types "^15.6.1"
-react-datepicker@^4.10.0:
[email protected]:
version "4.16.0"
resolved "https://registry.yarnpkg.com/react-datepicker/-/react-datepicker-4.16.0.tgz#b9dd389bb5611a1acc514bba1dd944be21dd877f"
integrity sha512-hNQ0PAg/LQoVbDUO/RWAdm/RYmPhN3cz7LuQ3hqbs24OSp69QCiKOJRrQ4jk1gv1jNR5oYu8SjjgfDh8q6Q1yw==
@@ -6464,7 +6663,7 @@ react-datepicker@^4.10.0:
react-onclickoutside "^6.12.2"
react-popper "^2.3.0"
-react-diff-viewer-continued@^3.2.6:
[email protected]:
version "3.2.6"
resolved "https://registry.yarnpkg.com/react-diff-viewer-continued/-/react-diff-viewer-continued-3.2.6.tgz#96382463b5de6838d95323c407442349b1c3a26e"
integrity sha512-GrzyqQnjIMoej+jMjWvtVSsQqhXgzEGqpXlJ2dAGfOk7Q26qcm8Gu6xtI430PBUyZsERe8BJSQf+7VZZo8IBNQ==
@@ -6475,7 +6674,7 @@ react-diff-viewer-continued@^3.2.6:
memoize-one "^6.0.0"
prop-types "^15.8.1"
-react-dom@^18.2.0:
[email protected]:
version "18.2.0"
resolved "https://registry.yarnpkg.com/react-dom/-/react-dom-18.2.0.tgz#22aaf38708db2674ed9ada224ca4aa708d821e3d"
integrity sha512-6IMTriUmvsjHUjNtEDudZfuDQUoWXVxKHhlEGSk81n4YFS+r/Kl99wXiwlVXtPBtJenozv2P+hxDsw9eA7Xo6g==
@@ -6488,7 +6687,7 @@ react-fast-compare@^3.0.1, react-fast-compare@^3.1.1:
resolved "https://registry.yarnpkg.com/react-fast-compare/-/react-fast-compare-3.2.2.tgz#929a97a532304ce9fee4bcae44234f1ce2c21d49"
integrity sha512-nsO+KSNgo1SbJqJEYRE9ERzo7YtYbou/OqjSQKxV7jcKox7+usiUVZOAC+XnDOABXggQTno0Y1CpVnuWEc1boQ==
-react-helmet@^6.1.0:
[email protected]:
version "6.1.0"
resolved "https://registry.yarnpkg.com/react-helmet/-/react-helmet-6.1.0.tgz#a750d5165cb13cf213e44747502652e794468726"
integrity sha512-4uMzEY9nlDlgxr61NL3XbKRy1hEkXmKNXhjbAIOVw5vcFrsdYbH2FEwcNyWvWinl103nXgzYNlns9ca+8kFiWw==
@@ -6498,7 +6697,7 @@ react-helmet@^6.1.0:
react-fast-compare "^3.1.1"
react-side-effect "^2.1.0"
-react-i18next@^11.18.6:
[email protected]:
version "11.18.6"
resolved "https://registry.yarnpkg.com/react-i18next/-/react-i18next-11.18.6.tgz#e159c2960c718c1314f1e8fcaa282d1c8b167887"
integrity sha512-yHb2F9BiT0lqoQDt8loZ5gWP331GwctHz9tYQ8A2EIEUu+CcEdjBLQWli1USG3RdWQt3W+jqQLg/d4rrQR96LA==
@@ -6506,6 +6705,11 @@ react-i18next@^11.18.6:
"@babel/runtime" "^7.14.5"
html-parse-stringify "^3.0.1"
[email protected]:
+ version "10.1.8"
+ resolved "https://registry.yarnpkg.com/react-image-crop/-/react-image-crop-10.1.8.tgz#6f7b33d069f6cfb887e66faee16a9fb2e6d31137"
+ integrity sha512-4rb8XtXNx7ZaOZarKKnckgz4xLMvds/YrU6mpJfGhGAsy2Mg4mIw1x+DCCGngVGq2soTBVVOxx2s/C6mTX9+pA==
+
react-is@^16.13.1, react-is@^16.6.0, react-is@^16.7.0:
version "16.13.1"
resolved "https://registry.yarnpkg.com/react-is/-/react-is-16.13.1.tgz#789729a4dc36de2999dc156dd6c1d9c18cea56a4"
@@ -6524,7 +6728,7 @@ react-popper@^2.3.0:
react-fast-compare "^3.0.1"
warning "^4.0.2"
-react-router-dom@^5.3.4:
[email protected]:
version "5.3.4"
resolved "https://registry.yarnpkg.com/react-router-dom/-/react-router-dom-5.3.4.tgz#2ed62ffd88cae6db134445f4a0c0ae8b91d2e5e6"
integrity sha512-m4EqFMHv/Ih4kpcBCONHbkT68KoAeHN4p3lAGoNryfHi0dMy0kCzEZakiKRsvg5wHZ/JLrLW8o8KomWiz/qbYQ==
@@ -6537,7 +6741,7 @@ react-router-dom@^5.3.4:
tiny-invariant "^1.0.2"
tiny-warning "^1.0.0"
-react-router-navigation-prompt@^1.9.6:
[email protected]:
version "1.9.6"
resolved "https://registry.yarnpkg.com/react-router-navigation-prompt/-/react-router-navigation-prompt-1.9.6.tgz#a949252dfbae8c40508671beb6d5995f0b089ac4"
integrity sha512-l0sAtbroHK8i1/Eyy29XcrMpBEt0R08BaScgMUt8r5vWWbLz7G0ChOikayTCQm7QgDFsHw8gVnxDJb7TBZCAKg==
@@ -6557,7 +6761,7 @@ [email protected]:
tiny-invariant "^1.0.2"
tiny-warning "^1.0.0"
-react-select@^5.7.3:
[email protected]:
version "5.7.4"
resolved "https://registry.yarnpkg.com/react-select/-/react-select-5.7.4.tgz#d8cad96e7bc9d6c8e2709bdda8f4363c5dd7ea7d"
integrity sha512-NhuE56X+p9QDFh4BgeygHFIvJJszO1i1KSkg/JPcIJrbovyRtI+GuOEa4XzFCEpZRAEoEI8u/cAHK+jG/PgUzQ==
@@ -6577,7 +6781,7 @@ react-side-effect@^2.1.0:
resolved "https://registry.yarnpkg.com/react-side-effect/-/react-side-effect-2.1.2.tgz#dc6345b9e8f9906dc2eeb68700b615e0b4fe752a"
integrity sha512-PVjOcvVOyIILrYoyGEpDN3vmYNLdy1CajSFNt4TDsVQC5KpTijDvWVoR+/7Rz2xT978D8/ZtFceXxzsPwZEDvw==
-react-toastify@^8.2.0:
[email protected]:
version "8.2.0"
resolved "https://registry.yarnpkg.com/react-toastify/-/react-toastify-8.2.0.tgz#ef7d56bdfdc6272ca6b228368ab564721c3a3244"
integrity sha512-Pg2Ju7NngAamarFvLwqrFomJ57u/Ay6i6zfLurt/qPynWkAkOthu6vxfqYpJCyNhHRhR4hu7+bySSeWWJu6PAg==
@@ -6594,7 +6798,7 @@ react-transition-group@^4.3.0, react-transition-group@^4.4.2:
loose-envify "^1.4.0"
prop-types "^15.6.2"
-react@^18.2.0:
[email protected]:
version "18.2.0"
resolved "https://registry.yarnpkg.com/react/-/react-18.2.0.tgz#555bd98592883255fa00de14f1151a917b5d77d5"
integrity sha512-/3IjMdb2L9QbBdWiW5e3P2/npwMBaU9mHCSCUzNln0ZCYbcfTsGbTJrU/kGemdH2IWmB2ioZ+zkxtmq6g09fGQ==
@@ -6658,6 +6862,11 @@ readdirp@~3.6.0:
dependencies:
picomatch "^2.2.1"
+real-require@^0.2.0:
+ version "0.2.0"
+ resolved "https://registry.yarnpkg.com/real-require/-/real-require-0.2.0.tgz#209632dea1810be2ae063a6ac084fee7e33fba78"
+ integrity sha512-57frrGM/OCTLqLOAh0mhVA9VBMHd+9U7Zb2THMGdBUoZVOtGbJzjxsYGDJ3A9AYYCP4hn6y1TVbaOfzWtm5GFg==
+
rechoir@^0.7.0:
version "0.7.1"
resolved "https://registry.yarnpkg.com/rechoir/-/rechoir-0.7.1.tgz#9478a96a1ca135b5e88fc027f03ee92d6c645686"
@@ -6665,19 +6874,19 @@ rechoir@^0.7.0:
dependencies:
resolve "^1.9.0"
-regenerator-runtime@^0.13.11:
- version "0.13.11"
- resolved "https://registry.yarnpkg.com/regenerator-runtime/-/regenerator-runtime-0.13.11.tgz#f6dca3e7ceec20590d07ada785636a90cdca17f9"
- integrity sha512-kY1AZVr2Ra+t+piVaJ4gxaFaReZVH40AKNo7UCX6W+dEwBo/2oZJzqfuN1qLq1oL45o56cPaTXELwrTh8Fpggg==
+regenerator-runtime@^0.14.0:
+ version "0.14.0"
+ resolved "https://registry.yarnpkg.com/regenerator-runtime/-/regenerator-runtime-0.14.0.tgz#5e19d68eb12d486f797e15a3c6a918f7cec5eb45"
+ integrity sha512-srw17NI0TUWHuGa5CFGGmhfNIeja30WMBfbslPNhf6JrqQlLN5gcrvig1oqPxiVaXb0oW0XRKtH6Nngs5lKCIA==
-regexp.prototype.flags@^1.5.0:
- version "1.5.0"
- resolved "https://registry.yarnpkg.com/regexp.prototype.flags/-/regexp.prototype.flags-1.5.0.tgz#fe7ce25e7e4cca8db37b6634c8a2c7009199b9cb"
- integrity sha512-0SutC3pNudRKgquxGoRGIz946MZVHqbNfPjBdxeOhBrdgDKlRoXmYLQN9xRbrR09ZXWeGAdPuif7egofn6v5LA==
+regexp.prototype.flags@^1.5.0, regexp.prototype.flags@^1.5.1:
+ version "1.5.1"
+ resolved "https://registry.yarnpkg.com/regexp.prototype.flags/-/regexp.prototype.flags-1.5.1.tgz#90ce989138db209f81492edd734183ce99f9677e"
+ integrity sha512-sy6TXMN+hnP/wMy+ISxg3krXx7BAtWVO4UouuCN/ziM9UEne0euamVNafDfvC83bRNr95y0V5iijeDQFUNpvrg==
dependencies:
call-bind "^1.0.2"
define-properties "^1.2.0"
- functions-have-names "^1.2.3"
+ set-function-name "^2.0.0"
relateurl@^0.2.7:
version "0.2.7"
@@ -6732,12 +6941,12 @@ resolve-pkg-maps@^1.0.0:
resolved "https://registry.yarnpkg.com/resolve-pkg-maps/-/resolve-pkg-maps-1.0.0.tgz#616b3dc2c57056b5588c31cdf4b3d64db133720f"
integrity sha512-seS2Tj26TBVOC2NIc2rOe2y2ZO7efxITtLZcGSOnHHNOQ7CkiUBfw0Iw2ck6xkIhPwLhKNLS8BO+hEpngQlqzw==
-resolve@^1.19.0, resolve@^1.20.0, resolve@^1.22.1, resolve@^1.9.0:
- version "1.22.2"
- resolved "https://registry.yarnpkg.com/resolve/-/resolve-1.22.2.tgz#0ed0943d4e301867955766c9f3e1ae6d01c6845f"
- integrity sha512-Sb+mjNHOULsBv818T40qSPeRiuWLyaGMa5ewydRLFimneixmVy2zdivRl+AF6jaYPC8ERxGDmFSiqui6SfPd+g==
+resolve@^1.19.0, resolve@^1.20.0, resolve@^1.22.4, resolve@^1.9.0:
+ version "1.22.6"
+ resolved "https://registry.yarnpkg.com/resolve/-/resolve-1.22.6.tgz#dd209739eca3aef739c626fea1b4f3c506195362"
+ integrity sha512-njhxM7mV12JfufShqGy3Rz8j11RPdLy4xi15UurGJeoHLfJpVXKdh3ueuOqbYUcDZnffr6X739JBo5LzyahEsw==
dependencies:
- is-core-module "^2.11.0"
+ is-core-module "^2.13.0"
path-parse "^1.0.7"
supports-preserve-symlinks-flag "^1.0.0"
@@ -6760,13 +6969,13 @@ run-parallel@^1.1.9:
dependencies:
queue-microtask "^1.2.2"
-safe-array-concat@^1.0.0:
- version "1.0.0"
- resolved "https://registry.yarnpkg.com/safe-array-concat/-/safe-array-concat-1.0.0.tgz#2064223cba3c08d2ee05148eedbc563cd6d84060"
- integrity sha512-9dVEFruWIsnie89yym+xWTAYASdpw3CJV7Li/6zBewGf9z2i1j31rP6jnY0pHEO4QZh6N0K11bFjWmdR8UGdPQ==
+safe-array-concat@^1.0.1:
+ version "1.0.1"
+ resolved "https://registry.yarnpkg.com/safe-array-concat/-/safe-array-concat-1.0.1.tgz#91686a63ce3adbea14d61b14c99572a8ff84754c"
+ integrity sha512-6XbUAseYE2KtOuGueyeobCySj9L4+66Tn6KQMOPQJrAJEowYKW/YR/MGJZl7FdydUdaFu4LYyDZjxf4/Nmo23Q==
dependencies:
call-bind "^1.0.2"
- get-intrinsic "^1.2.0"
+ get-intrinsic "^1.2.1"
has-symbols "^1.0.3"
isarray "^2.0.5"
@@ -6789,12 +6998,17 @@ safe-regex-test@^1.0.0:
get-intrinsic "^1.1.3"
is-regex "^1.1.4"
+safe-stable-stringify@^2.3.1:
+ version "2.4.3"
+ resolved "https://registry.yarnpkg.com/safe-stable-stringify/-/safe-stable-stringify-2.4.3.tgz#138c84b6f6edb3db5f8ef3ef7115b8f55ccbf886"
+ integrity sha512-e2bDA2WJT0wxseVd4lsDP4+3ONX6HpMXQa1ZhFQ7SU+GjvORCmShbCMltrtIDfkYhVHrOcPtj+KhmDBdPdZD1g==
+
"safer-buffer@>= 2.1.2 < 3":
version "2.1.2"
resolved "https://registry.yarnpkg.com/safer-buffer/-/safer-buffer-2.1.2.tgz#44fa161b0187b9549dd84bb91802f9bd8385cd6a"
integrity sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==
-sanitize-filename@^1.6.3:
[email protected]:
version "1.6.3"
resolved "https://registry.yarnpkg.com/sanitize-filename/-/sanitize-filename-1.6.3.tgz#755ebd752045931977e30b2025d340d7c9090378"
integrity sha512-y/52Mcy7aw3gRm7IrcGDFx/bCk4AhRh2eI9luHOQM86nZsqwiRkkq2GekHXBBD+SmPidc8i2PqtYZl+pWJ8Oeg==
@@ -6808,7 +7022,7 @@ saslprep@^1.0.3:
dependencies:
sparse-bitfield "^3.0.3"
-sass-loader@^12.6.0:
[email protected]:
version "12.6.0"
resolved "https://registry.yarnpkg.com/sass-loader/-/sass-loader-12.6.0.tgz#5148362c8e2cdd4b950f3c63ac5d16dbfed37bcb"
integrity sha512-oLTaH0YCtX4cfnJZxKSLAyglED0naiYfNG1iXfU5w1LNZ+ukoA5DtyDIN5zmKVZwYNJP4KRc5Y3hkWga+7tYfA==
@@ -6816,21 +7030,21 @@ sass-loader@^12.6.0:
klona "^2.0.4"
neo-async "^2.6.2"
-sass@^1.57.1:
- version "1.64.1"
- resolved "https://registry.yarnpkg.com/sass/-/sass-1.64.1.tgz#6a46f6d68e0fa5ad90aa59ce025673ddaa8441cf"
- integrity sha512-16rRACSOFEE8VN7SCgBu1MpYCyN7urj9At898tyzdXFhC+a+yOX5dXwAR7L8/IdPJ1NB8OYoXmD55DM30B2kEQ==
[email protected]:
+ version "1.64.0"
+ resolved "https://registry.yarnpkg.com/sass/-/sass-1.64.0.tgz#9ca8d0acb1a704b86b7f1197dc310f568fb34638"
+ integrity sha512-m7YtAGmQta9uANIUJwXesAJMSncqH+3INc8kdVXs6eV6GUC8Qu2IYKQSN8PRLgiQfpca697G94klm2leYMxSHw==
dependencies:
chokidar ">=3.0.0 <4.0.0"
immutable "^4.0.0"
source-map-js ">=0.6.2 <2.0.0"
sax@^1.2.4:
- version "1.2.4"
- resolved "https://registry.yarnpkg.com/sax/-/sax-1.2.4.tgz#2816234e2378bddc4e5354fab5caa895df7100d9"
- integrity sha512-NqVDv9TpANUjFm0N8uM5GxL36UgKi9/atZw+x7YFnQ8ckwFGKrl4xX4yWtrey3UJm5nP1kUbnYgLopqWNSRhWw==
+ version "1.3.0"
+ resolved "https://registry.yarnpkg.com/sax/-/sax-1.3.0.tgz#a5dbe77db3be05c9d1ee7785dbd3ea9de51593d0"
+ integrity sha512-0s+oAmw9zLl1V1cS9BtZN7JAd0cW5e0QH4W3LWEK6a4LaLEA2OTpGYWDY+6XasBLtz6wkm3u1xRw95mRuJ59WA==
-scheduler@^0.23.0:
[email protected], scheduler@^0.23.0:
version "0.23.0"
resolved "https://registry.yarnpkg.com/scheduler/-/scheduler-0.23.0.tgz#ba8041afc3d30eb206a487b6b384002e4e61fdfe"
integrity sha512-CtuThmgHNg7zIZWAXi3AsyIzA3n4xx7aNyjwC2VJldO2LMVDhFK+63xGqq6CsJH4rTAt6/M+N4GhZiDYPx9eUw==
@@ -6856,7 +7070,7 @@ schema-utils@^4.0.0, schema-utils@^4.0.1:
ajv-formats "^2.1.1"
ajv-keywords "^5.1.0"
-scmp@^2.1.0:
[email protected]:
version "2.1.0"
resolved "https://registry.yarnpkg.com/scmp/-/scmp-2.1.0.tgz#37b8e197c425bdeb570ab91cc356b311a11f9c9a"
integrity sha512-o/mRQGk9Rcer/jEEw/yw4mwo3EU/NvYvp577/Btqrym9Qy5/MdWGBqipbALgd2lrdWTJ5/gqDusxfnQBxOxT2Q==
@@ -6878,7 +7092,7 @@ semver@^5.7.1:
resolved "https://registry.yarnpkg.com/semver/-/semver-5.7.2.tgz#48d55db737c3287cd4835e17fa13feace1c41ef8"
integrity sha512-cBznnQ9KjJqU67B52RMC65CMarK2600WFnbkcaiwWq3xy/5haFJlshgnpjovMVJ+Hff49d8GEn0b87C5pDQ10g==
-semver@^7.3.5, semver@^7.3.7, semver@^7.3.8:
+semver@^7.3.5, semver@^7.3.7, semver@^7.3.8, semver@^7.5.4:
version "7.5.4"
resolved "https://registry.yarnpkg.com/semver/-/semver-7.5.4.tgz#483986ec4ed38e1c6c48c34894a9182dbff68a6e"
integrity sha512-1bCSESV6Pv+i21Hvpxp3Dx+pSD8lIPt8uVjRrxAUt/nbswYc+tK6Y2btiULjd4+fnq15PX+nqQDC7Oft7WkwcA==
@@ -6926,6 +7140,15 @@ [email protected]:
parseurl "~1.3.3"
send "0.18.0"
+set-function-name@^2.0.0:
+ version "2.0.1"
+ resolved "https://registry.yarnpkg.com/set-function-name/-/set-function-name-2.0.1.tgz#12ce38b7954310b9f61faa12701620a0c882793a"
+ integrity sha512-tMNCiqYVkXIZgc2Hnoy2IvC/f8ezc5koaRFkCjrpWzGpCd3qbZXPzVy9MAZzK1ch/X0jvSkojys3oqJN0qCmdA==
+ dependencies:
+ define-data-property "^1.0.1"
+ functions-have-names "^1.2.3"
+ has-property-descriptors "^1.0.0"
+
[email protected]:
version "1.2.0"
resolved "https://registry.yarnpkg.com/setprototypeof/-/setprototypeof-1.2.0.tgz#66c9a24a73f9fc28cbe66b09fed3d33dcaf1b424"
@@ -6938,7 +7161,7 @@ shallow-clone@^3.0.0:
dependencies:
kind-of "^6.0.2"
-sharp@^0.31.3:
[email protected]:
version "0.31.3"
resolved "https://registry.yarnpkg.com/sharp/-/sharp-0.31.3.tgz#60227edc5c2be90e7378a210466c99aefcf32688"
integrity sha512-XcR4+FCLBFKw1bdB+GEhnUNXNXvnt0tDo4WsBsraKymuo/IAuPuCBVAL2wIkUw2r/dwFW5Q5+g66Kwl2dgDFVg==
@@ -7006,35 +7229,45 @@ simple-update-notifier@^1.0.7:
dependencies:
semver "~7.0.0"
-sirv@^1.0.7:
- version "1.0.19"
- resolved "https://registry.yarnpkg.com/sirv/-/sirv-1.0.19.tgz#1d73979b38c7fe91fcba49c85280daa9c2363b49"
- integrity sha512-JuLThK3TnZG1TAKDwNIqNq6QA2afLOCcm+iE8D1Kj3GA40pSPsxQjjJl0J8X3tsR7T+CP1GavpzLwYkgVLWrZQ==
+simple-wcswidth@^1.0.1:
+ version "1.0.1"
+ resolved "https://registry.yarnpkg.com/simple-wcswidth/-/simple-wcswidth-1.0.1.tgz#8ab18ac0ae342f9d9b629604e54d2aa1ecb018b2"
+ integrity sha512-xMO/8eNREtaROt7tJvWJqHBDTMFN4eiQ5I4JRMuilwfnFcV5W9u7RUkueNkdw0jPqGMX36iCywelS5yilTuOxg==
+
+sirv@^2.0.3:
+ version "2.0.3"
+ resolved "https://registry.yarnpkg.com/sirv/-/sirv-2.0.3.tgz#ca5868b87205a74bef62a469ed0296abceccd446"
+ integrity sha512-O9jm9BsID1P+0HOi81VpXPoDxYP374pkOLzACAoyUQ/3OUVndNpsz6wMnY2z+yOxzbllCKZrM+9QrWsv4THnyA==
dependencies:
"@polka/url" "^1.0.0-next.20"
mrmime "^1.0.0"
- totalist "^1.0.0"
+ totalist "^3.0.0"
+
+sisteransi@^1.0.5:
+ version "1.0.5"
+ resolved "https://registry.yarnpkg.com/sisteransi/-/sisteransi-1.0.5.tgz#134d681297756437cc05ca01370d3a7a571075ed"
+ integrity sha512-bLGGlR1QxBcynn2d5YmDX4MGjlZvy2MRBDRNHLJ8VI6l6+9FUiyTFNJ0IveOSP0bcXgVDPRcfGqA0pjaqUpfVg==
slash@^3.0.0:
version "3.0.0"
resolved "https://registry.yarnpkg.com/slash/-/slash-3.0.0.tgz#6539be870c165adbd5240220dbe361f1bc4d4634"
integrity sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==
-slate-history@^0.86.0:
[email protected]:
version "0.86.0"
resolved "https://registry.yarnpkg.com/slate-history/-/slate-history-0.86.0.tgz#5554612271d2fc1018a7918be3961bb66e620c58"
integrity sha512-OxObL9tbhgwvSlnKSCpGIh7wnuaqvOj5jRExGjEyCU2Ke8ctf22HjT+jw7GEi9ttLzNTUmTEU3YIzqKGeqN+og==
dependencies:
is-plain-object "^5.0.0"
-slate-hyperscript@^0.81.3:
[email protected]:
version "0.81.3"
resolved "https://registry.yarnpkg.com/slate-hyperscript/-/slate-hyperscript-0.81.3.tgz#0c8f446d6bef717d2fe855239fb86a000ba2d0d2"
integrity sha512-A/jvoLTAgeRcJaUPQCYOikCJxSws6+/jkL7mM+QuZljNd7EA5YqafGA7sVBJRFpcoSsDRUIah1yNiC/7vxZPYg==
dependencies:
is-plain-object "^5.0.0"
-slate-react@^0.92.0:
[email protected]:
version "0.92.0"
resolved "https://registry.yarnpkg.com/slate-react/-/slate-react-0.92.0.tgz#eb158ac2a33d962f48c466c4c8cc7bc14c1c6633"
integrity sha512-xEDKu5RKw5f0N95l1UeNQnrB0Pxh4JPjpIZR/BVsMo0ININnLAknR99gLo46bl/Ffql4mr7LeaxQRoXxbFtJOQ==
@@ -7049,7 +7282,7 @@ slate-react@^0.92.0:
scroll-into-view-if-needed "^2.2.20"
tiny-invariant "1.0.6"
-slate@^0.91.4:
[email protected]:
version "0.91.4"
resolved "https://registry.yarnpkg.com/slate/-/slate-0.91.4.tgz#759764d63c8a8a7aff29a29e598e593ed80277f9"
integrity sha512-aUJ3rpjrdi5SbJ5G1Qjr3arytfRkEStTmHjBfWq2A2Q8MybacIzkScSvGJjQkdTk3djCK9C9SEOt39sSeZFwTw==
@@ -7071,18 +7304,10 @@ socks@^2.7.1:
ip "^2.0.0"
smart-buffer "^4.2.0"
-sonic-boom@^1.0.2:
- version "1.4.1"
- resolved "https://registry.yarnpkg.com/sonic-boom/-/sonic-boom-1.4.1.tgz#d35d6a74076624f12e6f917ade7b9d75e918f53e"
- integrity sha512-LRHh/A8tpW7ru89lrlkU4AszXt1dbwSjVWguGrmlxE7tawVmDBlI1PILMkXAxJTwqhgsEeTHzj36D5CmHgQmNg==
- dependencies:
- atomic-sleep "^1.0.0"
- flatstr "^1.0.12"
-
-sonic-boom@^3.0.0:
- version "3.3.0"
- resolved "https://registry.yarnpkg.com/sonic-boom/-/sonic-boom-3.3.0.tgz#cffab6dafee3b2bcb88d08d589394198bee1838c"
- integrity sha512-LYxp34KlZ1a2Jb8ZQgFCK3niIHzibdwtwNUWKg0qQRzsDoJ3Gfgkf8KdBTFU3SkejDEIlWwnSnpVdOZIhFMl/g==
+sonic-boom@^3.0.0, sonic-boom@^3.1.0:
+ version "3.7.0"
+ resolved "https://registry.yarnpkg.com/sonic-boom/-/sonic-boom-3.7.0.tgz#b4b7b8049a912986f4a92c51d4660b721b11f2f2"
+ integrity sha512-IudtNvSqA/ObjN97tfgNmOKyDOs4dNcg4cUUsHDebqsgb8wGBBwb31LIgShNO8fye0dFI52X1+tFoKKI6Rq1Gg==
dependencies:
atomic-sleep "^1.0.0"
@@ -7164,32 +7389,32 @@ string-width@^4.1.0, string-width@^4.2.0:
is-fullwidth-code-point "^3.0.0"
strip-ansi "^6.0.1"
-string.prototype.trim@^1.2.7:
- version "1.2.7"
- resolved "https://registry.yarnpkg.com/string.prototype.trim/-/string.prototype.trim-1.2.7.tgz#a68352740859f6893f14ce3ef1bb3037f7a90533"
- integrity sha512-p6TmeT1T3411M8Cgg9wBTMRtY2q9+PNy9EV1i2lIXUN/btt763oIfxwN3RR8VU6wHX8j/1CFy0L+YuThm6bgOg==
+string.prototype.trim@^1.2.8:
+ version "1.2.8"
+ resolved "https://registry.yarnpkg.com/string.prototype.trim/-/string.prototype.trim-1.2.8.tgz#f9ac6f8af4bd55ddfa8895e6aea92a96395393bd"
+ integrity sha512-lfjY4HcixfQXOfaqCvcBuOIapyaroTXhbkfJN3gcB1OtyupngWK4sEET9Knd0cXd28kTUqu/kHoV4HKSJdnjiQ==
dependencies:
call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
+ define-properties "^1.2.0"
+ es-abstract "^1.22.1"
-string.prototype.trimend@^1.0.6:
- version "1.0.6"
- resolved "https://registry.yarnpkg.com/string.prototype.trimend/-/string.prototype.trimend-1.0.6.tgz#c4a27fa026d979d79c04f17397f250a462944533"
- integrity sha512-JySq+4mrPf9EsDBEDYMOb/lM7XQLulwg5R/m1r0PXEFqrV0qHvl58sdTilSXtKOflCsK2E8jxf+GKC0T07RWwQ==
+string.prototype.trimend@^1.0.7:
+ version "1.0.7"
+ resolved "https://registry.yarnpkg.com/string.prototype.trimend/-/string.prototype.trimend-1.0.7.tgz#1bb3afc5008661d73e2dc015cd4853732d6c471e"
+ integrity sha512-Ni79DqeB72ZFq1uH/L6zJ+DKZTkOtPIHovb3YZHQViE+HDouuU4mBrLOLDn5Dde3RF8qw5qVETEjhu9locMLvA==
dependencies:
call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
+ define-properties "^1.2.0"
+ es-abstract "^1.22.1"
-string.prototype.trimstart@^1.0.6:
- version "1.0.6"
- resolved "https://registry.yarnpkg.com/string.prototype.trimstart/-/string.prototype.trimstart-1.0.6.tgz#e90ab66aa8e4007d92ef591bbf3cd422c56bdcf4"
- integrity sha512-omqjMDaY92pbn5HOX7f9IccLA+U1tA9GvtU4JrodiXFfYB7jPzzHpRzpglLAjtUV6bB557zwClJezTqnAiYnQA==
+string.prototype.trimstart@^1.0.7:
+ version "1.0.7"
+ resolved "https://registry.yarnpkg.com/string.prototype.trimstart/-/string.prototype.trimstart-1.0.7.tgz#d4cdb44b83a4737ffbac2d406e405d43d0184298"
+ integrity sha512-NGhtDFu3jCEm7B4Fy0DpLewdJQOZcQ0rGbwQ/+stjnrp2i+rlKeCvos9hOIeCmqwratM47OBxY7uFZzjxHXmrg==
dependencies:
call-bind "^1.0.2"
- define-properties "^1.1.4"
- es-abstract "^1.20.4"
+ define-properties "^1.2.0"
+ es-abstract "^1.22.1"
string_decoder@^1.1.1, string_decoder@^1.3.0:
version "1.3.0"
@@ -7304,7 +7529,7 @@ svgo@^3.0.2:
csso "^5.0.5"
picocolors "^1.0.0"
-swc-loader@^0.2.3:
[email protected], swc-loader@^0.2.3:
version "0.2.3"
resolved "https://registry.yarnpkg.com/swc-loader/-/swc-loader-0.2.3.tgz#6792f1c2e4c9ae9bf9b933b3e010210e270c186d"
integrity sha512-D1p6XXURfSPleZZA/Lipb3A8pZ17fP4NObZvFCDjK/OKljroqDpPmsBdTraWhVBqUNpcWBQY1imWdoPScRlQ7A==
@@ -7345,7 +7570,7 @@ tar-stream@^2.1.4:
inherits "^2.0.3"
readable-stream "^3.1.1"
-terser-webpack-plugin@^5.3.6, terser-webpack-plugin@^5.3.7:
[email protected], terser-webpack-plugin@^5.3.6, terser-webpack-plugin@^5.3.7:
version "5.3.9"
resolved "https://registry.yarnpkg.com/terser-webpack-plugin/-/terser-webpack-plugin-5.3.9.tgz#832536999c51b46d468067f9e37662a3b96adfe1"
integrity sha512-ZuXsqE07EcggTWQjXUj+Aot/OMcD0bMKGgF63f7UxYcu5/AJF53aIpK1YoP5xR9l6s/Hy2b+t1AM0bLNPRuhwA==
@@ -7357,9 +7582,9 @@ terser-webpack-plugin@^5.3.6, terser-webpack-plugin@^5.3.7:
terser "^5.16.8"
terser@^5.10.0, terser@^5.16.8:
- version "5.19.2"
- resolved "https://registry.yarnpkg.com/terser/-/terser-5.19.2.tgz#bdb8017a9a4a8de4663a7983f45c506534f9234e"
- integrity sha512-qC5+dmecKJA4cpYxRa5aVkKehYsQKc+AHeKl0Oe62aYjBL8ZA33tTljktDHJSaxxMnbI5ZYw+o/S2DxxLu8OfA==
+ version "5.21.0"
+ resolved "https://registry.yarnpkg.com/terser/-/terser-5.21.0.tgz#d2b27e92b5e56650bc83b6defa00a110f0b124b2"
+ integrity sha512-WtnFKrxu9kaoXuiZFSGrcAvvBqAdmKx0SFNmVNYdJamMu9yyN3I/QF0FbH4QcqJQ+y1CJnzxGIKH0cSj+FGYRw==
dependencies:
"@jridgewell/source-map" "^0.3.3"
acorn "^8.8.2"
@@ -7385,6 +7610,13 @@ thenify-all@^1.0.0:
dependencies:
any-promise "^1.0.0"
+thread-stream@^2.0.0:
+ version "2.4.1"
+ resolved "https://registry.yarnpkg.com/thread-stream/-/thread-stream-2.4.1.tgz#6d588b14f0546e59d3f306614f044bc01ce43351"
+ integrity sha512-d/Ex2iWd1whipbT681JmTINKw0ZwOUBZm7+Gjs64DHuX34mmw8vJL2bFAaNacaW72zYiTJxSHi5abUuOi5nsfg==
+ dependencies:
+ real-require "^0.2.0"
+
through2@^2.0.1:
version "2.0.5"
resolved "https://registry.yarnpkg.com/through2/-/through2-2.0.5.tgz#01c1e39eb31d07cb7d03a96a70823260b23132cd"
@@ -7441,10 +7673,10 @@ token-types@^4.1.1:
"@tokenizer/token" "^0.3.0"
ieee754 "^1.2.1"
-totalist@^1.0.0:
- version "1.1.0"
- resolved "https://registry.yarnpkg.com/totalist/-/totalist-1.1.0.tgz#a4d65a3e546517701e3e5c37a47a70ac97fe56df"
- integrity sha512-gduQwd1rOdDMGxFG1gEvhV88Oirdo2p+KjoYFU7k2g+i7n6AFFbDQ5kMPUsW0pNbfQsB/cwXvT1i4Bue0s9g5g==
+totalist@^3.0.0:
+ version "3.0.1"
+ resolved "https://registry.yarnpkg.com/totalist/-/totalist-3.0.1.tgz#ba3a3d600c915b1a97872348f79c127475f6acf8"
+ integrity sha512-sf4i37nQ2LBx4m3wB74y+ubopq6W/dIzXg0FDGjsYnZHVa1Da8FH853wlL2gtUhg+xJXjfk3kUZS3BRoQeoQBQ==
touch@^3.1.0:
version "3.1.0"
@@ -7472,7 +7704,7 @@ truncate-utf8-bytes@^1.0.0:
dependencies:
utf8-byte-length "^1.0.1"
-ts-essentials@^7.0.3:
[email protected]:
version "7.0.3"
resolved "https://registry.yarnpkg.com/ts-essentials/-/ts-essentials-7.0.3.tgz#686fd155a02133eedcc5362dc8b5056cde3e5a38"
integrity sha512-8+gr5+lqO3G84KdiTSMRLtuyJ+nTBVRKuCrK4lidMPdVeEp0uqC875uE5NMcaA7YYMN7XsNiFQuMvasF8HT/xQ==
@@ -7505,9 +7737,9 @@ tslib@^1.11.1, tslib@^1.8.1:
integrity sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==
tslib@^2.0.0, tslib@^2.0.3, tslib@^2.3.1, tslib@^2.5.0:
- version "2.6.1"
- resolved "https://registry.yarnpkg.com/tslib/-/tslib-2.6.1.tgz#fd8c9a0ff42590b25703c0acb3de3d3f4ede0410"
- integrity sha512-t0hLfiEKfMUoqhG+U1oid7Pva4bbDPHYfJNiB7BiIjRkj1pyC++4N3huJfqY6aRH6VTB0rvtzQwjM4K6qpfOig==
+ version "2.6.2"
+ resolved "https://registry.yarnpkg.com/tslib/-/tslib-2.6.2.tgz#703ac29425e7b37cd6fd456e92404d46d1f3e4ae"
+ integrity sha512-AEYxH93jGFPn/a2iVAwW87VuUIkR1FVUKB77NwMF7nBTDkDrrT/Hpt/IrCJ0QXhW27jTBDcf5ZY7w6RiqTMw2Q==
tsutils@^3.21.0:
version "3.21.0"
@@ -7627,10 +7859,10 @@ untildify@^4.0.0:
resolved "https://registry.yarnpkg.com/untildify/-/untildify-4.0.0.tgz#2bc947b953652487e4600949fb091e3ae8cd919b"
integrity sha512-KK8xQ1mkzZeg9inewmFVDNkg3l5LUhoq9kN6iWYB/CC9YMG8HA+c1Q8HwDe6dEX7kErrEVNVBO3fWsVq5iDgtw==
-update-browserslist-db@^1.0.11:
- version "1.0.11"
- resolved "https://registry.yarnpkg.com/update-browserslist-db/-/update-browserslist-db-1.0.11.tgz#9a2a641ad2907ae7b3616506f4b977851db5b940"
- integrity sha512-dCwEFf0/oT85M1fHBg4F0jtLwJrutGoHSQXCh7u4o2t1drG+c0a9Flnqww6XUKSfQMPpJBRjU8d4RXB09qtvaA==
+update-browserslist-db@^1.0.13:
+ version "1.0.13"
+ resolved "https://registry.yarnpkg.com/update-browserslist-db/-/update-browserslist-db-1.0.13.tgz#3c5e4f5c083661bd38ef64b6328c26ed6c8248c4"
+ integrity sha512-xebP81SNcPuNpPP3uzeW1NYXxI3rxyJzF3pD6sH4jE7o/IX+WtSpwnVU+qIsDPyk0d3hmFQ7mjqc6AtV604hbg==
dependencies:
escalade "^3.1.1"
picocolors "^1.0.0"
@@ -7642,7 +7874,7 @@ uri-js@^4.2.2:
dependencies:
punycode "^2.1.0"
-url-loader@^4.1.1:
[email protected]:
version "4.1.1"
resolved "https://registry.yarnpkg.com/url-loader/-/url-loader-4.1.1.tgz#28505e905cae158cf07c92ca622d7f237e70a4e2"
integrity sha512-3BTV812+AVHHOJQO8O5MkWgZ5aosP7GnROJwvzLS9hWDj00lZ6Z0wNak423Lp9PBZN05N+Jk/N5Si8jRAlGyWA==
@@ -7651,7 +7883,7 @@ url-loader@^4.1.1:
mime-types "^2.1.27"
schema-utils "^3.0.0"
-use-context-selector@^1.4.1:
[email protected]:
version "1.4.1"
resolved "https://registry.yarnpkg.com/use-context-selector/-/use-context-selector-1.4.1.tgz#eb96279965846b72915d7f899b8e6ef1d768b0ae"
integrity sha512-Io2ArvcRO+6MWIhkdfMFt+WKQX+Vb++W8DS2l03z/Vw/rz3BclKpM0ynr4LYGyU85Eke+Yx5oIhTY++QR0ZDoA==
@@ -7681,11 +7913,16 @@ [email protected], utils-merge@^1.0.1:
resolved "https://registry.yarnpkg.com/utils-merge/-/utils-merge-1.0.1.tgz#9f95710f50a267947b2ccc124741c1028427e713"
integrity sha512-pMZTvIkT1d+TFGvDOqodOclx0QWkkgi6Tdoa8gC8ffGAAqz9pzPTZWAybbsHHoED/ztMtkv/VoYTYyShUn81hA==
-uuid@^8.3.2:
[email protected], uuid@^8.3.2:
version "8.3.2"
resolved "https://registry.yarnpkg.com/uuid/-/uuid-8.3.2.tgz#80d5b5ced271bb9af6c445f21a1a04c606cefbe2"
integrity sha512-+NYs2QeMWy+GWFOEm9xnn6HCDp0l7QBD7ml8zLUmJ+93Q5NF0NocErnwkTkXVFNiX3/fpC6afS8Dhb/gz7R7eg==
[email protected]:
+ version "9.0.0"
+ resolved "https://registry.yarnpkg.com/uuid/-/uuid-9.0.0.tgz#592f550650024a38ceb0c562f2f6aa435761efb5"
+ integrity sha512-MXcSTerfPa4uqyzStbRoTgt5XIe3x5+42+q1sDuy3R5MDk66URdLMOZe5aPX/SQd+kuYAh0FdP/pO28IkQyTeg==
+
value-equal@^1.0.1:
version "1.0.1"
resolved "https://registry.yarnpkg.com/value-equal/-/value-equal-1.0.1.tgz#1e0b794c734c5c0cade179c437d356d931a34d6c"
@@ -7727,19 +7964,26 @@ webidl-conversions@^7.0.0:
integrity sha512-VwddBukDzu71offAQR975unBIGqfKZpM+8ZX6ySk8nYhVoo5CYaZyzt3YBvYtRtO+aoGlqxPg/B87NGVZ/fu6g==
webpack-bundle-analyzer@^4.8.0:
- version "4.9.0"
- resolved "https://registry.yarnpkg.com/webpack-bundle-analyzer/-/webpack-bundle-analyzer-4.9.0.tgz#fc093c4ab174fd3dcbd1c30b763f56d10141209d"
- integrity sha512-+bXGmO1LyiNx0i9enBu3H8mv42sj/BJWhZNFwjz92tVnBa9J3JMGo2an2IXlEleoDOPn/Hofl5hr/xCpObUDtw==
+ version "4.9.1"
+ resolved "https://registry.yarnpkg.com/webpack-bundle-analyzer/-/webpack-bundle-analyzer-4.9.1.tgz#d00bbf3f17500c10985084f22f1a2bf45cb2f09d"
+ integrity sha512-jnd6EoYrf9yMxCyYDPj8eutJvtjQNp8PHmni/e/ulydHBWhT5J3menXt3HEkScsu9YqMAcG4CfFjs3rj5pVU1w==
dependencies:
"@discoveryjs/json-ext" "0.5.7"
acorn "^8.0.4"
acorn-walk "^8.0.0"
- chalk "^4.1.0"
commander "^7.2.0"
+ escape-string-regexp "^4.0.0"
gzip-size "^6.0.0"
- lodash "^4.17.20"
+ is-plain-object "^5.0.0"
+ lodash.debounce "^4.0.8"
+ lodash.escape "^4.0.1"
+ lodash.flatten "^4.4.0"
+ lodash.invokemap "^4.6.0"
+ lodash.pullall "^4.2.0"
+ lodash.uniqby "^4.7.0"
opener "^1.5.2"
- sirv "^1.0.7"
+ picocolors "^1.0.0"
+ sirv "^2.0.3"
ws "^7.3.1"
webpack-cli@^4.10.0:
@@ -7832,9 +8076,9 @@ webpack@^5.78.0:
webpack-sources "^3.2.3"
whatwg-fetch@^3.4.1:
- version "3.6.17"
- resolved "https://registry.yarnpkg.com/whatwg-fetch/-/whatwg-fetch-3.6.17.tgz#009bbbfc122b227b74ba1ff31536b3a1a0e0e212"
- integrity sha512-c4ghIvG6th0eudYwKZY5keb81wtFz9/WeAHAoy8+r18kcWlitUIrmGFQ2rWEl4UCKUilD3zCLHOIPheHx5ypRQ==
+ version "3.6.19"
+ resolved "https://registry.yarnpkg.com/whatwg-fetch/-/whatwg-fetch-3.6.19.tgz#caefd92ae630b91c07345537e67f8354db470973"
+ integrity sha512-d67JP4dHSbm2TrpFj8AbO8DnL1JXL5J9u0Kq2xW6d0TFDbCA3Muhdt8orXC22utleTVj7Prqt82baN6RBvnEgw==
whatwg-url@^11.0.0:
version "11.0.0"
@@ -7873,7 +8117,7 @@ which-collection@^1.0.1:
is-weakmap "^2.0.1"
is-weakset "^2.0.1"
-which-typed-array@^1.1.10, which-typed-array@^1.1.11, which-typed-array@^1.1.9:
+which-typed-array@^1.1.11, which-typed-array@^1.1.9:
version "1.1.11"
resolved "https://registry.yarnpkg.com/which-typed-array/-/which-typed-array-1.1.11.tgz#99d691f23c72aab6768680805a271b69761ed61a"
integrity sha512-qe9UWWpkeG5yzZ0tNYxDmd7vo58HDBc39mZ0xWWpolAGADdFOzkfamWLDxkOWcvHQKVmdTyQdLD4NOfjLWTKew==
|
45e4504a7bd333a9b0e3220f96ff169ed63b032a
|
2022-12-09 20:23:33
|
Dan Ribbens
|
chore(release): v1.3.0
| false
|
v1.3.0
|
chore
|
diff --git a/CHANGELOG.md b/CHANGELOG.md
index cbe6eb0020a..6ed97ddeeec 100644
--- a/CHANGELOG.md
+++ b/CHANGELOG.md
@@ -1,5 +1,43 @@
+# [1.3.0](https://github.com/payloadcms/payload/compare/v1.2.5...v1.3.0) (2022-12-09)
+
+
+### Bug Fixes
+
+* [#1547](https://github.com/payloadcms/payload/issues/1547), global afterChange hook not falling back to original global if nothing returned ([a72123d](https://github.com/payloadcms/payload/commit/a72123dd471e1032d832e409560bda9cf3058095))
+* [#1632](https://github.com/payloadcms/payload/issues/1632) graphQL non-nullable relationship and upload fields ([#1633](https://github.com/payloadcms/payload/issues/1633)) ([eff3f18](https://github.com/payloadcms/payload/commit/eff3f18e7c184e5f82325e960b4cbe84b6377d82))
+* change edit key to prevent richtext editor from crashing ([#1616](https://github.com/payloadcms/payload/issues/1616)) ([471d214](https://github.com/payloadcms/payload/commit/471d21410ac9ac852a8581a019dd6759f56cd8b2))
+* filterOptions function argument relationTo is an array ([#1627](https://github.com/payloadcms/payload/issues/1627)) ([11b1c0e](https://github.com/payloadcms/payload/commit/11b1c0efc66acd32de2efcaf65bad504d2e2eb45))
+* resets slate state when initialValue changes, fixes [#1600](https://github.com/payloadcms/payload/issues/1600), [#1546](https://github.com/payloadcms/payload/issues/1546) ([9558a22](https://github.com/payloadcms/payload/commit/9558a22ce6cdf9bc13215931b43bde0a7dd4bf50))
+* sanitizes global find query params ([512bc1e](https://github.com/payloadcms/payload/commit/512bc1ebe636841f1dee6ce49c1d97db1810c4bd))
+* Select with hasMany and localized ([#1636](https://github.com/payloadcms/payload/issues/1636)) ([756edb8](https://github.com/payloadcms/payload/commit/756edb858a1ca66c32e674770ddcdceae77bf349))
+* translation key in revert published modal ([#1628](https://github.com/payloadcms/payload/issues/1628)) ([b6c597a](https://github.com/payloadcms/payload/commit/b6c597ab5c4fcd879496db5373155df48c657e28))
+* unflattens fields in filterOptions callback ([acff46b](https://github.com/payloadcms/payload/commit/acff46b4a5b57f01fa0b14c1e9fd8330b4d787db))
+
+
+* feat!: no longer sanitize collection slugs to kebab case (#1607) ([ba2f2d6](https://github.com/payloadcms/payload/commit/ba2f2d6e9b66568b11632bacdd92cfdc8ddae300)), closes [#1607](https://github.com/payloadcms/payload/issues/1607)
+
+
+### Features
+
+* add Norwegian bokmål (nb) translation ([#1614](https://github.com/payloadcms/payload/issues/1614)) ([759f001](https://github.com/payloadcms/payload/commit/759f00168137ff1a0fd862796a5971a9ba0264cd))
+* add Thai translation ([#1630](https://github.com/payloadcms/payload/issues/1630)) ([7777d11](https://github.com/payloadcms/payload/commit/7777d11b9ed458a6c64efc8c9572edb898f6ceed))
+* upload support pasting file ([eb69b82](https://github.com/payloadcms/payload/commit/eb69b82adfb4e94c1ef36b219310c55afc7a1d4e))
+
+
+### BREAKING CHANGES
+
+* collection slugs are no longer automatically sanitized to be kebab case. This will only be an issue if your current slugs were in camel case. The upgrade path will be to change those slugs to the kebab case version that the slug was automatically being sanitized to on the backend.
+
+If you only use kebab case or single word slugs: no action needed.
+
+If you have existing slugs with camel case and populated data: you'll need to convert these to the kebab case version to match the previously sanitized value.
+
+ie. myOldSlug is your slug, you should convert it to my-old-slug.
+
+Any future slugs after updating will be used as-is.
+
## [1.2.5](https://github.com/payloadcms/payload/compare/v1.2.4...v1.2.5) (2022-12-06)
diff --git a/package.json b/package.json
index 2db8e4eb7bb..49a7c5c78df 100644
--- a/package.json
+++ b/package.json
@@ -1,6 +1,6 @@
{
"name": "payload",
- "version": "1.2.5",
+ "version": "1.3.0",
"description": "Node, React and MongoDB Headless CMS and Application Framework",
"license": "MIT",
"engines": {
|
422e8e3620cb089db4b8b732458c108f5311c30c
|
2025-01-06 20:37:53
|
Elliot DeNolf
|
chore(templates): unpin payload packages (#10386)
| false
|
unpin payload packages (#10386)
|
chore
|
diff --git a/templates/_template/package.json b/templates/_template/package.json
index 00cf0095cc3..b606c75e60f 100644
--- a/templates/_template/package.json
+++ b/templates/_template/package.json
@@ -15,14 +15,14 @@
"start": "cross-env NODE_OPTIONS=--no-deprecation next start"
},
"dependencies": {
- "@payloadcms/db-mongodb": "3.9.0",
- "@payloadcms/next": "3.9.0",
- "@payloadcms/payload-cloud": "3.9.0",
- "@payloadcms/richtext-lexical": "3.9.0",
+ "@payloadcms/db-mongodb": "latest",
+ "@payloadcms/next": "latest",
+ "@payloadcms/payload-cloud": "latest",
+ "@payloadcms/richtext-lexical": "latest",
"cross-env": "^7.0.3",
"graphql": "^16.8.1",
"next": "15.1.0",
- "payload": "3.9.0",
+ "payload": "latest",
"react": "19.0.0",
"react-dom": "19.0.0",
"sharp": "0.32.6"
diff --git a/templates/blank/package.json b/templates/blank/package.json
index 00cf0095cc3..b606c75e60f 100644
--- a/templates/blank/package.json
+++ b/templates/blank/package.json
@@ -15,14 +15,14 @@
"start": "cross-env NODE_OPTIONS=--no-deprecation next start"
},
"dependencies": {
- "@payloadcms/db-mongodb": "3.9.0",
- "@payloadcms/next": "3.9.0",
- "@payloadcms/payload-cloud": "3.9.0",
- "@payloadcms/richtext-lexical": "3.9.0",
+ "@payloadcms/db-mongodb": "latest",
+ "@payloadcms/next": "latest",
+ "@payloadcms/payload-cloud": "latest",
+ "@payloadcms/richtext-lexical": "latest",
"cross-env": "^7.0.3",
"graphql": "^16.8.1",
"next": "15.1.0",
- "payload": "3.9.0",
+ "payload": "latest",
"react": "19.0.0",
"react-dom": "19.0.0",
"sharp": "0.32.6"
diff --git a/templates/blank/pnpm-lock.yaml b/templates/blank/pnpm-lock.yaml
index 1b5572ccb67..11d713aa896 100644
--- a/templates/blank/pnpm-lock.yaml
+++ b/templates/blank/pnpm-lock.yaml
@@ -8,17 +8,17 @@ importers:
.:
dependencies:
'@payloadcms/db-mongodb':
- specifier: 3.9.0
- version: 3.9.0(@aws-sdk/[email protected](@aws-sdk/[email protected](@aws-sdk/[email protected])))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))
+ specifier: latest
+ version: 3.14.0(@aws-sdk/[email protected](@aws-sdk/[email protected](@aws-sdk/[email protected])))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))
'@payloadcms/next':
- specifier: 3.9.0
- version: 3.9.0(@types/[email protected])([email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
+ specifier: latest
+ version: 3.14.0(@types/[email protected])([email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
'@payloadcms/payload-cloud':
- specifier: 3.9.0
- version: 3.9.0(@aws-sdk/[email protected](@aws-sdk/[email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))
+ specifier: latest
+ version: 3.14.0(@aws-sdk/[email protected](@aws-sdk/[email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))
'@payloadcms/richtext-lexical':
- specifier: 3.9.0
- version: 3.9.0(7itv6fc3joecxsg6yikkxxnf4i)
+ specifier: latest
+ version: 3.14.0(cq4exh765h77wwzjevtcexrxb4)
cross-env:
specifier: ^7.0.3
version: 7.0.3
@@ -29,8 +29,8 @@ importers:
specifier: 15.1.0
version: 15.1.0([email protected]([email protected]))([email protected])([email protected])
payload:
- specifier: 3.9.0
- version: 3.9.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
+ specifier: latest
+ version: 3.14.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
react:
specifier: 19.0.0
version: 19.0.0
@@ -1455,56 +1455,56 @@ packages:
integrity: sha512-XuySG1E38YScSJoMlqovLru4KTUNSjgVTIjyh7qMX6aNN5HY5Ct5LhRJdxO79JtTzKfzV/bnWpz+zquYrISsvw==,
}
- '@payloadcms/[email protected]':
+ '@payloadcms/[email protected]':
resolution:
{
- integrity: sha512-PysyhAv1QLLXhDb3SNCRgGEHD5Rwks87+5H1b4f+Cyp7/1aGVxAIE7rleJwJDZZjKI0DaETZrO7nmlFtD3JV2A==,
+ integrity: sha512-hCpPtQqM2hKpoe2fN7eWIpLlCf0lpnKdhTZd2pMDJZ5KTx6Ps6NDpMWHV3dqdPRPgSRNrkZ/6ghk36gp+jPSfA==,
}
peerDependencies:
- payload: 3.9.0
+ payload: 3.14.0
- '@payloadcms/[email protected]':
+ '@payloadcms/[email protected]':
resolution:
{
- integrity: sha512-tvk4/Co1/jL0v6I0jN9973TvfhA7iyxgbM5bs0crHcItKtCsIAcbrMyyuKmMvKPvOCPfDR+B5Edi3UVHgbmwOg==,
+ integrity: sha512-+mzxwdKRzNpGXBAULv8bqy20HXhZPUiPMxfpdx1Jc06rFoirxaq9qW4SC05lBt8WJfuyKybjWoC559SwDq/icw==,
}
engines: { node: ^18.20.2 || >=20.9.0 }
peerDependencies:
- payload: 3.9.0
+ payload: 3.14.0
- '@payloadcms/[email protected]':
+ '@payloadcms/[email protected]':
resolution:
{
- integrity: sha512-QkrlcvmVI3x1bHzzDcf3LAQo5q2BRO+kFVIe+ruyz1qHupGtbbKCZzhjZYzti46MWBVEocoTO0krF2YmA5BTeQ==,
+ integrity: sha512-zOqEQ6JrKZ3jJve4XRq5SfUNxZaqBLMw7fKvVUI84tzOrQ3xXJSiyd2ZRrjpgGrSN/HopDChMv1slXe24jdQ5A==,
}
hasBin: true
peerDependencies:
graphql: ^16.8.1
- payload: 3.9.0
+ payload: 3.14.0
- '@payloadcms/[email protected]':
+ '@payloadcms/[email protected]':
resolution:
{
- integrity: sha512-/vu3kbZowEg4tSfFaOOwhKT65VHOTKyEeUpt8qMZsz9aggKdbEbJ+P59JlXT1kqJrpK4zvx4YRfiE+c6aPRpew==,
+ integrity: sha512-Zx9iSjj0hg6V/wtAsu7E6YAEOiTOYOAPUhw2fxs40sMLH3u9nQOUwCNP5qZh29wNNqam2UJgQSuQaEgVStI58w==,
}
engines: { node: ^18.20.2 || >=20.9.0 }
peerDependencies:
graphql: ^16.8.1
next: ^15.0.0
- payload: 3.9.0
+ payload: 3.14.0
- '@payloadcms/[email protected]':
+ '@payloadcms/[email protected]':
resolution:
{
- integrity: sha512-w3Na6PGh015ushQ/u4rBLVR4PwkUL/bVMpQb+UHXhRUAQkZnTr/44uWCF4eQnBWSynk3sH+qo/qzqX3/wBY4uA==,
+ integrity: sha512-7oL00m/RQkrL2HFR8NjhrrFKjIZ3QjR582eFtmD3zikTpI/ESPAP1buXEe0xMGdbEgbhacj6fJDjAuQHKs3m7A==,
}
peerDependencies:
- payload: 3.9.0
+ payload: 3.14.0
- '@payloadcms/[email protected]':
+ '@payloadcms/[email protected]':
resolution:
{
- integrity: sha512-yxNtrQvUzWum7hL1bsjath5gEJF0WKOah/tFR0FNuZW2FTi2voQEWZNa7PWtbt+tg3MA5C03UehE3RyIfnhWtw==,
+ integrity: sha512-J01zWIFPRVTuX6ZmHxBFs/KmVETrUhkelBG9mTld/tsstZURqkQDt4dLcpGj1D1bsaiPQP4egXQ8kXFIsVw2/Q==,
}
engines: { node: ^18.20.2 || >=20.9.0 }
peerDependencies:
@@ -1520,27 +1520,27 @@ packages:
'@lexical/selection': 0.20.0
'@lexical/table': 0.20.0
'@lexical/utils': 0.20.0
- '@payloadcms/next': 3.9.0
+ '@payloadcms/next': 3.14.0
lexical: 0.20.0
- payload: 3.9.0
+ payload: 3.14.0
react: ^19.0.0 || ^19.0.0-rc-65a56d0e-20241020
react-dom: ^19.0.0 || ^19.0.0-rc-65a56d0e-20241020
- '@payloadcms/[email protected]':
+ '@payloadcms/[email protected]':
resolution:
{
- integrity: sha512-GN8tHKksO1s+jGA9GCWTdY1JDXV4PMl/RjPTrxjT+EhDRtk75OPm3nIdbBeBs/NlmpLYrISbjiRvV1fXjDBILA==,
+ integrity: sha512-rkjpJubbqpZKYSXZn/mW65oO5wykjRsflfwGutXwukorQJBQG1DlhZ83yb0rJtkeHUXnWaUMs3WFNZ2InUBw7g==,
}
- '@payloadcms/[email protected]':
+ '@payloadcms/[email protected]':
resolution:
{
- integrity: sha512-gWUdhYx3Wza5z+ea+TLVVgSe41VlsW7/HWR14tQHdUTGBRs/2qocW1pPMEx2aXEaJOTsXYeAyQRlmoyH45zu+w==,
+ integrity: sha512-mWENSRkm64F5Z9UtbeLpu3LbtTx4C3zuOZTmD9shGO73K9nq6XkcpDl17VU1rOLic1g84dq4V5nPmvNMHYSK4w==,
}
engines: { node: ^18.20.2 || >=20.9.0 }
peerDependencies:
next: ^15.0.0
- payload: 3.9.0
+ payload: 3.14.0
react: ^19.0.0 || ^19.0.0-rc-65a56d0e-20241020
react-dom: ^19.0.0 || ^19.0.0-rc-65a56d0e-20241020
@@ -4116,6 +4116,13 @@ packages:
}
hasBin: true
+ [email protected]:
+ resolution:
+ {
+ integrity: sha512-9Ag50tKhpTwS6r5wh3MJSAvpSof0UBr39Pto8OnzFT32Z/pAbxAsKHzyvsyMEHVslELvHyO/4/jaQELHk8wDcw==,
+ }
+ hasBin: true
+
[email protected]:
resolution:
{
@@ -4842,10 +4849,10 @@ packages:
}
engines: { node: '>=8' }
- [email protected]:
+ [email protected]:
resolution:
{
- integrity: sha512-7RYx64ZHyEXJCgNpzGBgzpwDYCBRQUqKhfB8FhozQQ6OHn9uOHTn6htUngfx0/d0ijSdoDsK8cyMFD09xUfuPw==,
+ integrity: sha512-frbWjci/VXcqBjrpG6cJBjtiJluXuBDrPghjPSdzRXpvR3REyijgSaGP7T32c9z2zR0Erauw67oWV9w0G1AlXw==,
}
engines: { node: ^18.20.2 || >=20.9.0 }
hasBin: true
@@ -7347,13 +7354,13 @@ snapshots:
'@one-ini/[email protected]': {}
- '@payloadcms/[email protected](@aws-sdk/[email protected](@aws-sdk/[email protected](@aws-sdk/[email protected])))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))':
+ '@payloadcms/[email protected](@aws-sdk/[email protected](@aws-sdk/[email protected](@aws-sdk/[email protected])))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))':
dependencies:
http-status: 1.6.2
mongoose: 8.8.3(@aws-sdk/[email protected](@aws-sdk/[email protected](@aws-sdk/[email protected])))
mongoose-aggregate-paginate-v2: 1.1.2
mongoose-paginate-v2: 1.8.5
- payload: 3.9.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
+ payload: 3.14.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
prompts: 2.4.2
uuid: 10.0.0
transitivePeerDependencies:
@@ -7366,28 +7373,28 @@ snapshots:
- socks
- supports-color
- '@payloadcms/[email protected]([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))':
+ '@payloadcms/[email protected]([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))':
dependencies:
nodemailer: 6.9.10
- payload: 3.9.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
+ payload: 3.14.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
- '@payloadcms/[email protected]([email protected])([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected])':
+ '@payloadcms/[email protected]([email protected])([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected])':
dependencies:
graphql: 16.9.0
graphql-scalars: 1.22.2([email protected])
- payload: 3.9.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
+ payload: 3.14.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
pluralize: 8.0.0
ts-essentials: 10.0.3([email protected])
tsx: 4.19.2
transitivePeerDependencies:
- typescript
- '@payloadcms/[email protected](@types/[email protected])([email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])':
+ '@payloadcms/[email protected](@types/[email protected])([email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])':
dependencies:
'@dnd-kit/core': 6.0.8([email protected]([email protected]))([email protected])
- '@payloadcms/graphql': 3.9.0([email protected])([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected])
- '@payloadcms/translations': 3.9.0
- '@payloadcms/ui': 3.9.0(@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
+ '@payloadcms/graphql': 3.14.0([email protected])([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected])
+ '@payloadcms/translations': 3.14.0
+ '@payloadcms/ui': 3.14.0(@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
busboy: 1.6.0
file-type: 19.3.0
graphql: 16.9.0
@@ -7396,7 +7403,7 @@ snapshots:
http-status: 1.6.2
next: 15.1.0([email protected]([email protected]))([email protected])([email protected])
path-to-regexp: 6.3.0
- payload: 3.9.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
+ payload: 3.14.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
qs-esm: 7.0.2
react-diff-viewer-continued: 3.2.6([email protected]([email protected]))([email protected])
sass: 1.77.4
@@ -7410,16 +7417,16 @@ snapshots:
- supports-color
- typescript
- '@payloadcms/[email protected](@aws-sdk/[email protected](@aws-sdk/[email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))':
+ '@payloadcms/[email protected](@aws-sdk/[email protected](@aws-sdk/[email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))':
dependencies:
'@aws-sdk/client-cognito-identity': 3.699.0
'@aws-sdk/client-s3': 3.701.0
'@aws-sdk/credential-providers': 3.699.0(@aws-sdk/[email protected](@aws-sdk/[email protected]))
'@aws-sdk/lib-storage': 3.701.0(@aws-sdk/[email protected])
- '@payloadcms/email-nodemailer': 3.9.0([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))
+ '@payloadcms/email-nodemailer': 3.14.0([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))
amazon-cognito-identity-js: 6.3.12
nodemailer: 6.9.10
- payload: 3.9.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
+ payload: 3.14.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
resend: 0.17.2
transitivePeerDependencies:
- '@aws-sdk/client-sso-oidc'
@@ -7427,7 +7434,7 @@ snapshots:
- debug
- encoding
- '@payloadcms/[email protected](7itv6fc3joecxsg6yikkxxnf4i)':
+ '@payloadcms/[email protected](cq4exh765h77wwzjevtcexrxb4)':
dependencies:
'@faceless-ui/modal': 3.0.0-beta.2([email protected]([email protected]))([email protected])
'@faceless-ui/scroll-info': 2.0.0-beta.0([email protected]([email protected]))([email protected])
@@ -7441,19 +7448,20 @@ snapshots:
'@lexical/selection': 0.20.0
'@lexical/table': 0.20.0
'@lexical/utils': 0.20.0
- '@payloadcms/next': 3.9.0(@types/[email protected])([email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
- '@payloadcms/translations': 3.9.0
- '@payloadcms/ui': 3.9.0(@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
+ '@payloadcms/next': 3.14.0(@types/[email protected])([email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
+ '@payloadcms/translations': 3.14.0
+ '@payloadcms/ui': 3.14.0(@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
'@types/uuid': 10.0.0
acorn: 8.12.1
bson-objectid: 2.0.4
dequal: 2.0.3
escape-html: 1.0.3
+ jsox: 1.2.121
lexical: 0.20.0
mdast-util-from-markdown: 2.0.2
mdast-util-mdx-jsx: 3.1.3
micromark-extension-mdx-jsx: 3.0.1
- payload: 3.9.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
+ payload: 3.14.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
react: 19.0.0
react-dom: 19.0.0([email protected])
react-error-boundary: 4.1.2([email protected])
@@ -7466,11 +7474,11 @@ snapshots:
- supports-color
- typescript
- '@payloadcms/[email protected]':
+ '@payloadcms/[email protected]':
dependencies:
date-fns: 4.1.0
- '@payloadcms/[email protected](@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])':
+ '@payloadcms/[email protected](@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])':
dependencies:
'@dnd-kit/core': 6.0.8([email protected]([email protected]))([email protected])
'@dnd-kit/sortable': 7.0.2(@dnd-kit/[email protected]([email protected]([email protected]))([email protected]))([email protected])
@@ -7478,7 +7486,7 @@ snapshots:
'@faceless-ui/scroll-info': 2.0.0-beta.0([email protected]([email protected]))([email protected])
'@faceless-ui/window-info': 3.0.0-beta.0([email protected]([email protected]))([email protected])
'@monaco-editor/react': 4.6.0([email protected])([email protected]([email protected]))([email protected])
- '@payloadcms/translations': 3.9.0
+ '@payloadcms/translations': 3.14.0
body-scroll-lock: 4.0.0-beta.0
bson-objectid: 2.0.4
date-fns: 4.1.0
@@ -7486,7 +7494,7 @@ snapshots:
md5: 2.3.0
next: 15.1.0([email protected]([email protected]))([email protected])([email protected])
object-to-formdata: 4.5.1
- payload: 3.9.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
+ payload: 3.14.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
qs-esm: 7.0.2
react: 19.0.0
react-datepicker: 7.5.0([email protected]([email protected]))([email protected])
@@ -8641,7 +8649,7 @@ snapshots:
debug: 4.3.7
enhanced-resolve: 5.17.1
eslint: 9.16.0
- eslint-module-utils: 2.12.0(@typescript-eslint/[email protected]([email protected])([email protected]))([email protected])([email protected])([email protected])
+ eslint-module-utils: 2.12.0(@typescript-eslint/[email protected]([email protected])([email protected]))([email protected])([email protected](@typescript-eslint/[email protected]([email protected])([email protected]))([email protected])([email protected])([email protected]))([email protected])
fast-glob: 3.3.2
get-tsconfig: 4.8.1
is-bun-module: 1.3.0
@@ -8654,7 +8662,7 @@ snapshots:
- eslint-import-resolver-webpack
- supports-color
- [email protected](@typescript-eslint/[email protected]([email protected])([email protected]))([email protected])([email protected])([email protected]):
+ [email protected](@typescript-eslint/[email protected]([email protected])([email protected]))([email protected])([email protected](@typescript-eslint/[email protected]([email protected])([email protected]))([email protected])([email protected])([email protected]))([email protected]):
dependencies:
debug: 3.2.7
optionalDependencies:
@@ -8676,7 +8684,7 @@ snapshots:
doctrine: 2.1.0
eslint: 9.16.0
eslint-import-resolver-node: 0.3.9
- eslint-module-utils: 2.12.0(@typescript-eslint/[email protected]([email protected])([email protected]))([email protected])([email protected])([email protected])
+ eslint-module-utils: 2.12.0(@typescript-eslint/[email protected]([email protected])([email protected]))([email protected])([email protected](@typescript-eslint/[email protected]([email protected])([email protected]))([email protected])([email protected])([email protected]))([email protected])
hasown: 2.0.2
is-core-module: 2.15.1
is-glob: 4.0.3
@@ -9270,6 +9278,8 @@ snapshots:
dependencies:
minimist: 1.2.8
+ [email protected]: {}
+
[email protected]:
dependencies:
array-includes: 3.1.8
@@ -9799,11 +9809,11 @@ snapshots:
[email protected]: {}
- [email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]):
+ [email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]):
dependencies:
'@monaco-editor/react': 4.6.0([email protected])([email protected]([email protected]))([email protected])
'@next/env': 15.1.0
- '@payloadcms/translations': 3.9.0
+ '@payloadcms/translations': 3.14.0
'@types/busboy': 1.5.4
ajv: 8.17.1
bson-objectid: 2.0.4
diff --git a/templates/website/package.json b/templates/website/package.json
index 483d076710c..b85e6cbcca6 100644
--- a/templates/website/package.json
+++ b/templates/website/package.json
@@ -19,17 +19,17 @@
"start": "cross-env NODE_OPTIONS=--no-deprecation next start"
},
"dependencies": {
- "@payloadcms/db-mongodb": "3.9.0",
- "@payloadcms/live-preview-react": "3.9.0",
- "@payloadcms/next": "3.9.0",
- "@payloadcms/payload-cloud": "3.9.0",
- "@payloadcms/plugin-form-builder": "3.9.0",
- "@payloadcms/plugin-nested-docs": "3.9.0",
- "@payloadcms/plugin-redirects": "3.9.0",
- "@payloadcms/plugin-search": "3.9.0",
- "@payloadcms/plugin-seo": "3.9.0",
- "@payloadcms/richtext-lexical": "3.9.0",
- "@payloadcms/ui": "3.9.0",
+ "@payloadcms/db-mongodb": "latest",
+ "@payloadcms/live-preview-react": "latest",
+ "@payloadcms/next": "latest",
+ "@payloadcms/payload-cloud": "latest",
+ "@payloadcms/plugin-form-builder": "latest",
+ "@payloadcms/plugin-nested-docs": "latest",
+ "@payloadcms/plugin-redirects": "latest",
+ "@payloadcms/plugin-search": "latest",
+ "@payloadcms/plugin-seo": "latest",
+ "@payloadcms/richtext-lexical": "latest",
+ "@payloadcms/ui": "latest",
"@radix-ui/react-checkbox": "^1.0.4",
"@radix-ui/react-label": "^2.0.2",
"@radix-ui/react-select": "^2.0.0",
@@ -42,7 +42,7 @@
"lucide-react": "^0.378.0",
"next": "^15.1.0",
"next-sitemap": "^4.2.3",
- "payload": "3.9.0",
+ "payload": "latest",
"payload-admin-bar": "^1.0.6",
"prism-react-renderer": "^2.3.1",
"react": "^19.0.0",
diff --git a/templates/website/pnpm-lock.yaml b/templates/website/pnpm-lock.yaml
index b1bb49ce900..fad19650a0f 100644
--- a/templates/website/pnpm-lock.yaml
+++ b/templates/website/pnpm-lock.yaml
@@ -5,41 +5,42 @@ settings:
excludeLinksFromLockfile: false
importers:
+
.:
dependencies:
'@payloadcms/db-mongodb':
- specifier: 3.9.0
- version: 3.9.0(@aws-sdk/[email protected](@aws-sdk/[email protected](@aws-sdk/[email protected])))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))
+ specifier: latest
+ version: 3.14.0(@aws-sdk/[email protected](@aws-sdk/[email protected](@aws-sdk/[email protected])))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))
'@payloadcms/live-preview-react':
- specifier: 3.9.0
- version: 3.9.0([email protected]([email protected]))([email protected])
+ specifier: latest
+ version: 3.14.0([email protected]([email protected]))([email protected])
'@payloadcms/next':
- specifier: 3.9.0
- version: 3.9.0(@types/[email protected])([email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
+ specifier: latest
+ version: 3.14.0(@types/[email protected])([email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
'@payloadcms/payload-cloud':
- specifier: 3.9.0
- version: 3.9.0(@aws-sdk/[email protected](@aws-sdk/[email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))
+ specifier: latest
+ version: 3.14.0(@aws-sdk/[email protected](@aws-sdk/[email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))
'@payloadcms/plugin-form-builder':
- specifier: 3.9.0
- version: 3.9.0(@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
+ specifier: latest
+ version: 3.14.0(@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
'@payloadcms/plugin-nested-docs':
- specifier: 3.9.0
- version: 3.9.0([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))
+ specifier: latest
+ version: 3.14.0([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))
'@payloadcms/plugin-redirects':
- specifier: 3.9.0
- version: 3.9.0([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))
+ specifier: latest
+ version: 3.14.0([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))
'@payloadcms/plugin-search':
- specifier: 3.9.0
- version: 3.9.0(@types/[email protected])([email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
+ specifier: latest
+ version: 3.14.0(@types/[email protected])([email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
'@payloadcms/plugin-seo':
- specifier: 3.9.0
- version: 3.9.0(@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
+ specifier: latest
+ version: 3.14.0(@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
'@payloadcms/richtext-lexical':
- specifier: 3.9.0
- version: 3.9.0(7itv6fc3joecxsg6yikkxxnf4i)
+ specifier: latest
+ version: 3.14.0(cq4exh765h77wwzjevtcexrxb4)
'@payloadcms/ui':
- specifier: 3.9.0
- version: 3.9.0(@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
+ specifier: latest
+ version: 3.14.0(@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
'@radix-ui/react-checkbox':
specifier: ^1.0.4
version: 1.1.2(@types/[email protected])(@types/[email protected])([email protected]([email protected]))([email protected])
@@ -77,8 +78,8 @@ importers:
specifier: ^4.2.3
version: 4.2.3([email protected]([email protected]([email protected]))([email protected])([email protected]))
payload:
- specifier: 3.9.0
- version: 3.9.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
+ specifier: latest
+ version: 3.14.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
payload-admin-bar:
specifier: ^1.0.6
version: 1.0.6([email protected]([email protected]))([email protected])
@@ -148,329 +149,192 @@ importers:
version: 5.7.2
packages:
+
'@alloc/[email protected]':
- resolution:
- {
- integrity: sha512-UrcABB+4bUrFABwbluTIBErXwvbsU/V7TZWfmbgJfbkwiBuziS9gxdODUyuiecfdGQ85jglMW6juS3+z5TsKLw==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-UrcABB+4bUrFABwbluTIBErXwvbsU/V7TZWfmbgJfbkwiBuziS9gxdODUyuiecfdGQ85jglMW6juS3+z5TsKLw==}
+ engines: {node: '>=10'}
'@apidevtools/[email protected]':
- resolution:
- {
- integrity: sha512-4gY54eEGEstClvEkGnwVkTkrx0sqwemEFG5OSRRn3tD91XH0+Q8XIkYIfo7IwEWPpJZwILb9GUXeShtplRc/eA==,
- }
- engines: { node: '>= 16' }
+ resolution: {integrity: sha512-4gY54eEGEstClvEkGnwVkTkrx0sqwemEFG5OSRRn3tD91XH0+Q8XIkYIfo7IwEWPpJZwILb9GUXeShtplRc/eA==}
+ engines: {node: '>= 16'}
'@aws-crypto/[email protected]':
- resolution:
- {
- integrity: sha512-nLbCWqQNgUiwwtFsen1AdzAtvuLRsQS8rYgMuxCrdKf9kOssamGLuPwyTY9wyYblNr9+1XM8v6zoDTPPSIeANg==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-nLbCWqQNgUiwwtFsen1AdzAtvuLRsQS8rYgMuxCrdKf9kOssamGLuPwyTY9wyYblNr9+1XM8v6zoDTPPSIeANg==}
+ engines: {node: '>=16.0.0'}
'@aws-crypto/[email protected]':
- resolution:
- {
- integrity: sha512-+iWb8qaHLYKrNvGRbiYRHSdKRWhto5XlZUEBwDjYNf+ly5SVYG6zEoYIdxvf5R3zyeP16w4PLBn3rH1xc74Rag==,
- }
+ resolution: {integrity: sha512-+iWb8qaHLYKrNvGRbiYRHSdKRWhto5XlZUEBwDjYNf+ly5SVYG6zEoYIdxvf5R3zyeP16w4PLBn3rH1xc74Rag==}
'@aws-crypto/[email protected]':
- resolution:
- {
- integrity: sha512-OH6lveCFfcDjX4dbAvCFSYUjJZjDr/3XJ3xHtjn3Oj5b9RjojQo8npoLeA/bNwkOkrSQ0wgrHzXk4tDRxGKJeg==,
- }
+ resolution: {integrity: sha512-OH6lveCFfcDjX4dbAvCFSYUjJZjDr/3XJ3xHtjn3Oj5b9RjojQo8npoLeA/bNwkOkrSQ0wgrHzXk4tDRxGKJeg==}
'@aws-crypto/[email protected]':
- resolution:
- {
- integrity: sha512-AXfN/lGotSQwu6HNcEsIASo7kWXZ5HYWvfOmSNKDsEqC4OashTp8alTmaz+F7TC2L083SFv5RdB+qU3Vs1kZqw==,
- }
+ resolution: {integrity: sha512-AXfN/lGotSQwu6HNcEsIASo7kWXZ5HYWvfOmSNKDsEqC4OashTp8alTmaz+F7TC2L083SFv5RdB+qU3Vs1kZqw==}
'@aws-crypto/[email protected]':
- resolution:
- {
- integrity: sha512-Nr1QJIbW/afYYGzYvrF70LtaHrIRtd4TNAglX8BvlfxJLZ45SAmueIKYl5tWoNBPzp65ymXGFK0Bb1vZUpuc9g==,
- }
+ resolution: {integrity: sha512-Nr1QJIbW/afYYGzYvrF70LtaHrIRtd4TNAglX8BvlfxJLZ45SAmueIKYl5tWoNBPzp65ymXGFK0Bb1vZUpuc9g==}
'@aws-crypto/[email protected]':
- resolution:
- {
- integrity: sha512-FFQQyu7edu4ufvIZ+OadFpHHOt+eSTBaYaki44c+akjg7qZg9oOQeLlk77F6tSYqjDAFClrHJk9tMf0HdVyOvA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-FFQQyu7edu4ufvIZ+OadFpHHOt+eSTBaYaki44c+akjg7qZg9oOQeLlk77F6tSYqjDAFClrHJk9tMf0HdVyOvA==}
+ engines: {node: '>=16.0.0'}
'@aws-crypto/[email protected]':
- resolution:
- {
- integrity: sha512-iAvUotm021kM33eCdNfwIN//F77/IADDSs58i+MDaOqFrVjZo9bAal0NK7HurRuWLLpF1iLX7gbWrjHjeo+YFg==,
- }
+ resolution: {integrity: sha512-iAvUotm021kM33eCdNfwIN//F77/IADDSs58i+MDaOqFrVjZo9bAal0NK7HurRuWLLpF1iLX7gbWrjHjeo+YFg==}
'@aws-crypto/[email protected]':
- resolution:
- {
- integrity: sha512-H8PjG5WJ4wz0UXAFXeJjWCW1vkvIJ3qUUD+rGRwJ2/hj+xT58Qle2MTql/2MGzkU+1JLAFuR6aJpLAjHwhmwwg==,
- }
+ resolution: {integrity: sha512-H8PjG5WJ4wz0UXAFXeJjWCW1vkvIJ3qUUD+rGRwJ2/hj+xT58Qle2MTql/2MGzkU+1JLAFuR6aJpLAjHwhmwwg==}
'@aws-crypto/[email protected]':
- resolution:
- {
- integrity: sha512-4RkU9EsI6ZpBve5fseQlGNUWKMa1RLPQ1dnjnQoe07ldfIzcsGb5hC5W0Dm7u423KWzawlrpbjXBrXCEv9zazQ==,
- }
+ resolution: {integrity: sha512-4RkU9EsI6ZpBve5fseQlGNUWKMa1RLPQ1dnjnQoe07ldfIzcsGb5hC5W0Dm7u423KWzawlrpbjXBrXCEv9zazQ==}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-9tFt+we6AIvj/f1+nrLHuCWcQmyfux5gcBSOy9d9+zIG56YxGEX7S9TaZnybogpVV8A0BYWml36WvIHS9QjIpA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-9tFt+we6AIvj/f1+nrLHuCWcQmyfux5gcBSOy9d9+zIG56YxGEX7S9TaZnybogpVV8A0BYWml36WvIHS9QjIpA==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-Fm0Cbc4zr0yG0DnNycz7ywlL5tQFdLSb7xCIPfzrxJb3YQiTXWxH5eu61SSsP/Z6RBNRolmRPvst/iNgX0fWvA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-Fm0Cbc4zr0yG0DnNycz7ywlL5tQFdLSb7xCIPfzrxJb3YQiTXWxH5eu61SSsP/Z6RBNRolmRPvst/iNgX0fWvA==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-u8a1GorY5D1l+4FQAf4XBUC1T10/t7neuwT21r0ymrtMFSK2a9QqVHKMoLkvavAwyhJnARSBM9/UQC797PFOFw==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-u8a1GorY5D1l+4FQAf4XBUC1T10/t7neuwT21r0ymrtMFSK2a9QqVHKMoLkvavAwyhJnARSBM9/UQC797PFOFw==}
+ engines: {node: '>=16.0.0'}
peerDependencies:
'@aws-sdk/client-sts': ^3.699.0
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-q5TTkd08JS0DOkHfUL853tuArf7NrPeqoS5UOvqJho8ibV9Ak/a/HO4kNvy9Nj3cib/toHYHsQIEtecUPSUUrQ==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-q5TTkd08JS0DOkHfUL853tuArf7NrPeqoS5UOvqJho8ibV9Ak/a/HO4kNvy9Nj3cib/toHYHsQIEtecUPSUUrQ==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-++lsn4x2YXsZPIzFVwv3fSUVM55ZT0WRFmPeNilYIhZClxHLmVAWKH4I55cY9ry60/aTKYjzOXkWwyBKGsGvQg==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-++lsn4x2YXsZPIzFVwv3fSUVM55ZT0WRFmPeNilYIhZClxHLmVAWKH4I55cY9ry60/aTKYjzOXkWwyBKGsGvQg==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-3c9III1k03DgvRZWg8vhVmfIXPG6hAciN9MzQTzqGngzWAELZF/WONRTRQuDFixVtarQatmLHYVw/atGeA2Byw==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-3c9III1k03DgvRZWg8vhVmfIXPG6hAciN9MzQTzqGngzWAELZF/WONRTRQuDFixVtarQatmLHYVw/atGeA2Byw==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-iuaTnudaBfEET+o444sDwf71Awe6UiZfH+ipUPmswAi2jZDwdFF1nxMKDEKL8/LV5WpXsdKSfwgS0RQeupURew==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-iuaTnudaBfEET+o444sDwf71Awe6UiZfH+ipUPmswAi2jZDwdFF1nxMKDEKL8/LV5WpXsdKSfwgS0RQeupURew==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-T9iMFnJL7YTlESLpVFT3fg1Lkb1lD+oiaIC8KMpepb01gDUBIpj9+Y+pA/cgRWW0yRxmkDXNazAE2qQTVFGJzA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-T9iMFnJL7YTlESLpVFT3fg1Lkb1lD+oiaIC8KMpepb01gDUBIpj9+Y+pA/cgRWW0yRxmkDXNazAE2qQTVFGJzA==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-GV6EbvPi2eq1+WgY/o2RFA3P7HGmnkIzCNmhwtALFlqMroLYWKE7PSeHw66Uh1dFQeVESn0/+hiUNhu1mB0emA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-GV6EbvPi2eq1+WgY/o2RFA3P7HGmnkIzCNmhwtALFlqMroLYWKE7PSeHw66Uh1dFQeVESn0/+hiUNhu1mB0emA==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-dXmCqjJnKmG37Q+nLjPVu22mNkrGHY8hYoOt3Jo9R2zr5MYV7s/NHsCHr+7E+BZ+tfZYLRPeB1wkpTeHiEcdRw==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-dXmCqjJnKmG37Q+nLjPVu22mNkrGHY8hYoOt3Jo9R2zr5MYV7s/NHsCHr+7E+BZ+tfZYLRPeB1wkpTeHiEcdRw==}
+ engines: {node: '>=16.0.0'}
peerDependencies:
'@aws-sdk/client-sts': ^3.699.0
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-MmEmNDo1bBtTgRmdNfdQksXu4uXe66s0p1hi1YPrn1h59Q605eq/xiWbGL6/3KdkViH6eGUuABeV2ODld86ylg==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-MmEmNDo1bBtTgRmdNfdQksXu4uXe66s0p1hi1YPrn1h59Q605eq/xiWbGL6/3KdkViH6eGUuABeV2ODld86ylg==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-mL1RcFDe9sfmyU5K1nuFkO8UiJXXxLX4JO1gVaDIOvPqwStpUAwi3A1BoeZhWZZNQsiKI810RnYGo0E0WB/hUA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-mL1RcFDe9sfmyU5K1nuFkO8UiJXXxLX4JO1gVaDIOvPqwStpUAwi3A1BoeZhWZZNQsiKI810RnYGo0E0WB/hUA==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-Ekp2cZG4pl9D8+uKWm4qO1xcm8/MeiI8f+dnlZm8aQzizeC+aXYy9GyoclSf6daK8KfRPiRfM7ZHBBL5dAfdMA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-Ekp2cZG4pl9D8+uKWm4qO1xcm8/MeiI8f+dnlZm8aQzizeC+aXYy9GyoclSf6daK8KfRPiRfM7ZHBBL5dAfdMA==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-XJ/CVlWChM0VCoc259vWguFUjJDn/QwDqHwbx+K9cg3v6yrqXfK5ai+p/6lx0nQpnk4JzPVeYYxWRpaTsGC9rg==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-XJ/CVlWChM0VCoc259vWguFUjJDn/QwDqHwbx+K9cg3v6yrqXfK5ai+p/6lx0nQpnk4JzPVeYYxWRpaTsGC9rg==}
+ engines: {node: '>=16.0.0'}
peerDependencies:
'@aws-sdk/client-sts': ^3.696.0
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-jBjOntl9zN9Nvb0jmbMGRbiTzemDz64ij7W6BDavxBJRZpRoNeN0QCz6RolkCyXnyUJjo5mF2unY2wnv00A+LQ==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-jBjOntl9zN9Nvb0jmbMGRbiTzemDz64ij7W6BDavxBJRZpRoNeN0QCz6RolkCyXnyUJjo5mF2unY2wnv00A+LQ==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-jucPgdO5RCQAki8+CcEi3ZQxBUpq6iVcurtMkLS1xGbe/VOhxzNOt44V/4WqjUu7ra3on8DD0DOqd9523BqOzA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-jucPgdO5RCQAki8+CcEi3ZQxBUpq6iVcurtMkLS1xGbe/VOhxzNOt44V/4WqjUu7ra3on8DD0DOqd9523BqOzA==}
+ engines: {node: '>=16.0.0'}
peerDependencies:
'@aws-sdk/client-s3': ^3.705.0
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-V07jishKHUS5heRNGFpCWCSTjRJyQLynS/ncUeE8ZYtG66StOOQWftTwDfFOSoXlIqrXgb4oT9atryzXq7Z4LQ==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-V07jishKHUS5heRNGFpCWCSTjRJyQLynS/ncUeE8ZYtG66StOOQWftTwDfFOSoXlIqrXgb4oT9atryzXq7Z4LQ==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-vpVukqY3U2pb+ULeX0shs6L0aadNep6kKzjme/MyulPjtUDJpD3AekHsXRrCCGLmOqSKqRgQn5zhV9pQhHsb6Q==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-vpVukqY3U2pb+ULeX0shs6L0aadNep6kKzjme/MyulPjtUDJpD3AekHsXRrCCGLmOqSKqRgQn5zhV9pQhHsb6Q==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-adNaPCyTT+CiVM0ufDiO1Fe7nlRmJdI9Hcgj0M9S6zR7Dw70Ra5z8Lslkd7syAccYvZaqxLklGjPQH/7GNxwTA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-adNaPCyTT+CiVM0ufDiO1Fe7nlRmJdI9Hcgj0M9S6zR7Dw70Ra5z8Lslkd7syAccYvZaqxLklGjPQH/7GNxwTA==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-zELJp9Ta2zkX7ELggMN9qMCgekqZhFC5V2rOr4hJDEb/Tte7gpfKSObAnw/3AYiVqt36sjHKfdkoTsuwGdEoDg==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-zELJp9Ta2zkX7ELggMN9qMCgekqZhFC5V2rOr4hJDEb/Tte7gpfKSObAnw/3AYiVqt36sjHKfdkoTsuwGdEoDg==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-FgH12OB0q+DtTrP2aiDBddDKwL4BPOrm7w3VV9BJrSdkqQCNBPz8S1lb0y5eVH4tBG+2j7gKPlOv1wde4jF/iw==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-FgH12OB0q+DtTrP2aiDBddDKwL4BPOrm7w3VV9BJrSdkqQCNBPz8S1lb0y5eVH4tBG+2j7gKPlOv1wde4jF/iw==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-KhkHt+8AjCxcR/5Zp3++YPJPpFQzxpr+jmONiT/Jw2yqnSngZ0Yspm5wGoRx2hS1HJbyZNuaOWEGuJoxLeBKfA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-KhkHt+8AjCxcR/5Zp3++YPJPpFQzxpr+jmONiT/Jw2yqnSngZ0Yspm5wGoRx2hS1HJbyZNuaOWEGuJoxLeBKfA==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-si/maV3Z0hH7qa99f9ru2xpS5HlfSVcasRlNUXKSDm611i7jFMWwGNLUOXFAOLhXotPX5G3Z6BLwL34oDeBMug==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-si/maV3Z0hH7qa99f9ru2xpS5HlfSVcasRlNUXKSDm611i7jFMWwGNLUOXFAOLhXotPX5G3Z6BLwL34oDeBMug==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-M7fEiAiN7DBMHflzOFzh1I2MNSlLpbiH2ubs87bdRc2wZsDPSbs4l3v6h3WLhxoQK0bq6vcfroudrLBgvCuX3Q==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-M7fEiAiN7DBMHflzOFzh1I2MNSlLpbiH2ubs87bdRc2wZsDPSbs4l3v6h3WLhxoQK0bq6vcfroudrLBgvCuX3Q==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-w/d6O7AOZ7Pg3w2d3BxnX5RmGNWb5X4RNxF19rJqcgu/xqxxE/QwZTNd5a7eTsqLXAUIfbbR8hh0czVfC1pJLA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-w/d6O7AOZ7Pg3w2d3BxnX5RmGNWb5X4RNxF19rJqcgu/xqxxE/QwZTNd5a7eTsqLXAUIfbbR8hh0czVfC1pJLA==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-Lvyj8CTyxrHI6GHd2YVZKIRI5Fmnugt3cpJo0VrKKEgK5zMySwEZ1n4dqPK6czYRWKd5+WnYHYAuU+Wdk6Jsjw==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-Lvyj8CTyxrHI6GHd2YVZKIRI5Fmnugt3cpJo0VrKKEgK5zMySwEZ1n4dqPK6czYRWKd5+WnYHYAuU+Wdk6Jsjw==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-7EuH142lBXjI8yH6dVS/CZeiK/WZsmb/8zP6bQbVYpMrppSTgB3MzZZdxVZGzL5r8zPQOU10wLC4kIMy0qdBVQ==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-7EuH142lBXjI8yH6dVS/CZeiK/WZsmb/8zP6bQbVYpMrppSTgB3MzZZdxVZGzL5r8zPQOU10wLC4kIMy0qdBVQ==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-ijPkoLjXuPtgxAYlDoYls8UaG/VKigROn9ebbvPL/orEY5umedd3iZTcS9T+uAf4Ur3GELLxMQiERZpfDKaz3g==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-ijPkoLjXuPtgxAYlDoYls8UaG/VKigROn9ebbvPL/orEY5umedd3iZTcS9T+uAf4Ur3GELLxMQiERZpfDKaz3g==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-kuiEW9DWs7fNos/SM+y58HCPhcIzm1nEZLhe2/7/6+TvAYLuEWURYsbK48gzsxXlaJ2k/jGY3nIsA7RptbMOwA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-kuiEW9DWs7fNos/SM+y58HCPhcIzm1nEZLhe2/7/6+TvAYLuEWURYsbK48gzsxXlaJ2k/jGY3nIsA7RptbMOwA==}
+ engines: {node: '>=16.0.0'}
peerDependencies:
'@aws-sdk/client-sso-oidc': ^3.699.0
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-9rTvUJIAj5d3//U5FDPWGJ1nFJLuWb30vugGOrWk7aNZ6y9tuA3PI7Cc9dP8WEXKVyK1vuuk8rSFP2iqXnlgrw==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-9rTvUJIAj5d3//U5FDPWGJ1nFJLuWb30vugGOrWk7aNZ6y9tuA3PI7Cc9dP8WEXKVyK1vuuk8rSFP2iqXnlgrw==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-WC8x6ca+NRrtpAH64rWu+ryDZI3HuLwlEr8EU6/dbC/pt+r/zC0PBoC15VEygUaBA+isppCikQpGyEDu0Yj7gQ==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-WC8x6ca+NRrtpAH64rWu+ryDZI3HuLwlEr8EU6/dbC/pt+r/zC0PBoC15VEygUaBA+isppCikQpGyEDu0Yj7gQ==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-T5s0IlBVX+gkb9g/I6CLt4yAZVzMSiGnbUqWihWsHvQR1WOoIcndQy/Oz/IJXT9T2ipoy7a80gzV6a5mglrioA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-T5s0IlBVX+gkb9g/I6CLt4yAZVzMSiGnbUqWihWsHvQR1WOoIcndQy/Oz/IJXT9T2ipoy7a80gzV6a5mglrioA==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-ttrag6haJLWABhLqtg1Uf+4LgHWIMOVSYL+VYZmAp2v4PUGOwWmWQH0Zk8RM7YuQcLfH/EoR72/Yxz6A4FKcuw==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-ttrag6haJLWABhLqtg1Uf+4LgHWIMOVSYL+VYZmAp2v4PUGOwWmWQH0Zk8RM7YuQcLfH/EoR72/Yxz6A4FKcuw==}
+ engines: {node: '>=16.0.0'}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-Z5rVNDdmPOe6ELoM5AhF/ja5tSjbe6ctSctDPb0JdDf4dT0v2MfwhJKzXju2RzX8Es/77Glh7MlaXLE0kCB9+Q==,
- }
+ resolution: {integrity: sha512-Z5rVNDdmPOe6ELoM5AhF/ja5tSjbe6ctSctDPb0JdDf4dT0v2MfwhJKzXju2RzX8Es/77Glh7MlaXLE0kCB9+Q==}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-KhKqcfyXIB0SCCt+qsu4eJjsfiOrNzK5dCV7RAW2YIpp+msxGUUX0NdRE9rkzjiv+3EMktgJm3eEIS+yxtlVdQ==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-KhKqcfyXIB0SCCt+qsu4eJjsfiOrNzK5dCV7RAW2YIpp+msxGUUX0NdRE9rkzjiv+3EMktgJm3eEIS+yxtlVdQ==}
+ engines: {node: '>=16.0.0'}
peerDependencies:
aws-crt: '>=1.0.0'
peerDependenciesMeta:
@@ -478,170 +342,98 @@ packages:
optional: true
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-UvFa/vR+e19XookZF8RzFZBrw2EUkQWxiBW0yYQAhvk3C+QVGl0H3ouca8LDBlBfQKXwmW3huo/59H8rwb1wJw==,
- }
+ resolution: {integrity: sha512-UvFa/vR+e19XookZF8RzFZBrw2EUkQWxiBW0yYQAhvk3C+QVGl0H3ouca8LDBlBfQKXwmW3huo/59H8rwb1wJw==}
'@aws-sdk/[email protected]':
- resolution:
- {
- integrity: sha512-dn1mX+EeqivoLYnY7p2qLrir0waPnCgS/0YdRCAVU2x14FgfUYCH6Im3w3oi2dMwhxfKY5lYVB5NKvZu7uI9lQ==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-dn1mX+EeqivoLYnY7p2qLrir0waPnCgS/0YdRCAVU2x14FgfUYCH6Im3w3oi2dMwhxfKY5lYVB5NKvZu7uI9lQ==}
+ engines: {node: '>=16.0.0'}
'@babel/[email protected]':
- resolution:
- {
- integrity: sha512-RJlIHRueQgwWitWgF8OdFYGZX328Ax5BCemNGlqHfplnRT9ESi8JkFlvaVYbS+UubVY6dpv87Fs2u5M29iNFVQ==,
- }
- engines: { node: '>=6.9.0' }
+ resolution: {integrity: sha512-RJlIHRueQgwWitWgF8OdFYGZX328Ax5BCemNGlqHfplnRT9ESi8JkFlvaVYbS+UubVY6dpv87Fs2u5M29iNFVQ==}
+ engines: {node: '>=6.9.0'}
'@babel/[email protected]':
- resolution:
- {
- integrity: sha512-6FF/urZvD0sTeO7k6/B15pMLC4CHUv1426lzr3N01aHJTl046uCAh9LXW/fzeXXjPNCJ6iABW5XaWOsIZB93aQ==,
- }
- engines: { node: '>=6.9.0' }
+ resolution: {integrity: sha512-6FF/urZvD0sTeO7k6/B15pMLC4CHUv1426lzr3N01aHJTl046uCAh9LXW/fzeXXjPNCJ6iABW5XaWOsIZB93aQ==}
+ engines: {node: '>=6.9.0'}
'@babel/[email protected]':
- resolution:
- {
- integrity: sha512-tnUA4RsrmflIM6W6RFTLFSXITtl0wKjgpnLgXyowocVPrbYrLUXSBXDgTs8BlbmIzIdlBySRQjINYs2BAkiLtw==,
- }
- engines: { node: '>=6.9.0' }
+ resolution: {integrity: sha512-tnUA4RsrmflIM6W6RFTLFSXITtl0wKjgpnLgXyowocVPrbYrLUXSBXDgTs8BlbmIzIdlBySRQjINYs2BAkiLtw==}
+ engines: {node: '>=6.9.0'}
'@babel/[email protected]':
- resolution:
- {
- integrity: sha512-4A/SCr/2KLd5jrtOMFzaKjVtAei3+2r/NChoBNoZ3EyP/+GlhoaEGoWOZUmFmoITP7zOJyHIMm+DYRd8o3PvHA==,
- }
- engines: { node: '>=6.9.0' }
+ resolution: {integrity: sha512-4A/SCr/2KLd5jrtOMFzaKjVtAei3+2r/NChoBNoZ3EyP/+GlhoaEGoWOZUmFmoITP7zOJyHIMm+DYRd8o3PvHA==}
+ engines: {node: '>=6.9.0'}
'@babel/[email protected]':
- resolution:
- {
- integrity: sha512-Ed61U6XJc3CVRfkERJWDz4dJwKe7iLmmJsbOGu9wSloNSFttHV0I8g6UAgb7qnK5ly5bGLPd4oXZlxCdANBOWQ==,
- }
- engines: { node: '>=6.9.0' }
+ resolution: {integrity: sha512-Ed61U6XJc3CVRfkERJWDz4dJwKe7iLmmJsbOGu9wSloNSFttHV0I8g6UAgb7qnK5ly5bGLPd4oXZlxCdANBOWQ==}
+ engines: {node: '>=6.9.0'}
'@babel/[email protected]':
- resolution:
- {
- integrity: sha512-WJ/CvmY8Mea8iDXo6a7RK2wbmJITT5fN3BEkRuFlxVyNx8jOKIIhmC4fSkTcPcf8JyavbBwIe6OpiCOBXt/IcA==,
- }
- engines: { node: '>=6.0.0' }
+ resolution: {integrity: sha512-WJ/CvmY8Mea8iDXo6a7RK2wbmJITT5fN3BEkRuFlxVyNx8jOKIIhmC4fSkTcPcf8JyavbBwIe6OpiCOBXt/IcA==}
+ engines: {node: '>=6.0.0'}
hasBin: true
'@babel/[email protected]':
- resolution:
- {
- integrity: sha512-FDSOghenHTiToteC/QRlv2q3DhPZ/oOXTBoirfWNx1Cx3TMVcGWQtMMmQcSvb/JjpNeGzx8Pq/b4fKEJuWm1sw==,
- }
- engines: { node: '>=6.9.0' }
+ resolution: {integrity: sha512-FDSOghenHTiToteC/QRlv2q3DhPZ/oOXTBoirfWNx1Cx3TMVcGWQtMMmQcSvb/JjpNeGzx8Pq/b4fKEJuWm1sw==}
+ engines: {node: '>=6.9.0'}
'@babel/[email protected]':
- resolution:
- {
- integrity: sha512-9DGttpmPvIxBb/2uwpVo3dqJ+O6RooAFOS+lB+xDqoE2PVCE8nfoHMdZLpfCQRLwvohzXISPZcgxt80xLfsuwg==,
- }
- engines: { node: '>=6.9.0' }
+ resolution: {integrity: sha512-9DGttpmPvIxBb/2uwpVo3dqJ+O6RooAFOS+lB+xDqoE2PVCE8nfoHMdZLpfCQRLwvohzXISPZcgxt80xLfsuwg==}
+ engines: {node: '>=6.9.0'}
'@babel/[email protected]':
- resolution:
- {
- integrity: sha512-yTmc8J+Sj8yLzwr4PD5Xb/WF3bOYu2C2OoSZPzbuqRm4n98XirsbzaX+GloeO376UnSYIYJ4NCanwV5/ugZkwA==,
- }
- engines: { node: '>=6.9.0' }
+ resolution: {integrity: sha512-yTmc8J+Sj8yLzwr4PD5Xb/WF3bOYu2C2OoSZPzbuqRm4n98XirsbzaX+GloeO376UnSYIYJ4NCanwV5/ugZkwA==}
+ engines: {node: '>=6.9.0'}
'@babel/[email protected]':
- resolution:
- {
- integrity: sha512-vN5p+1kl59GVKMvTHt55NzzmYVxprfJD+ql7U9NFIfKCBkYE55LYtS+WtPlaYOyzydrKI8Nezd+aZextrd+FMA==,
- }
- engines: { node: '>=6.9.0' }
+ resolution: {integrity: sha512-vN5p+1kl59GVKMvTHt55NzzmYVxprfJD+ql7U9NFIfKCBkYE55LYtS+WtPlaYOyzydrKI8Nezd+aZextrd+FMA==}
+ engines: {node: '>=6.9.0'}
'@corex/[email protected]':
- resolution:
- {
- integrity: sha512-N8uEMrMPL0cu/bdboEWpQYb/0i2K5Qn8eCsxzOmxSggJbbQte7ljMRoXm917AbntqTGOzdTu+vP3KOOzoC70HQ==,
- }
+ resolution: {integrity: sha512-N8uEMrMPL0cu/bdboEWpQYb/0i2K5Qn8eCsxzOmxSggJbbQte7ljMRoXm917AbntqTGOzdTu+vP3KOOzoC70HQ==}
'@dnd-kit/[email protected]':
- resolution:
- {
- integrity: sha512-2P+YgaXF+gRsIihwwY1gCsQSYnu9Zyj2py8kY5fFvUM1qm2WA2u639R6YNVfU4GWr+ZM5mqEsfHZZLoRONbemw==,
- }
+ resolution: {integrity: sha512-2P+YgaXF+gRsIihwwY1gCsQSYnu9Zyj2py8kY5fFvUM1qm2WA2u639R6YNVfU4GWr+ZM5mqEsfHZZLoRONbemw==}
peerDependencies:
react: '>=16.8.0'
'@dnd-kit/[email protected]':
- resolution:
- {
- integrity: sha512-lYaoP8yHTQSLlZe6Rr9qogouGUz9oRUj4AHhDQGQzq/hqaJRpFo65X+JKsdHf8oUFBzx5A+SJPUvxAwTF2OabA==,
- }
+ resolution: {integrity: sha512-lYaoP8yHTQSLlZe6Rr9qogouGUz9oRUj4AHhDQGQzq/hqaJRpFo65X+JKsdHf8oUFBzx5A+SJPUvxAwTF2OabA==}
peerDependencies:
react: '>=16.8.0'
react-dom: '>=16.8.0'
'@dnd-kit/[email protected]':
- resolution:
- {
- integrity: sha512-wDkBHHf9iCi1veM834Gbk1429bd4lHX4RpAwT0y2cHLf246GAvU2sVw/oxWNpPKQNQRQaeGXhAVgrOl1IT+iyA==,
- }
+ resolution: {integrity: sha512-wDkBHHf9iCi1veM834Gbk1429bd4lHX4RpAwT0y2cHLf246GAvU2sVw/oxWNpPKQNQRQaeGXhAVgrOl1IT+iyA==}
peerDependencies:
'@dnd-kit/core': ^6.0.7
react: '>=16.8.0'
'@dnd-kit/[email protected]':
- resolution:
- {
- integrity: sha512-+MKAJEOfaBe5SmV6t34p80MMKhjvUz0vRrvVJbPT0WElzaOJ/1xs+D+KDv+tD/NE5ujfrChEcshd4fLn0wpiqg==,
- }
+ resolution: {integrity: sha512-+MKAJEOfaBe5SmV6t34p80MMKhjvUz0vRrvVJbPT0WElzaOJ/1xs+D+KDv+tD/NE5ujfrChEcshd4fLn0wpiqg==}
peerDependencies:
react: '>=16.8.0'
'@emnapi/[email protected]':
- resolution:
- {
- integrity: sha512-kEBmG8KyqtxJZv+ygbEim+KCGtIq1fC22Ms3S4ziXmYKm8uyoLX0MHONVKwp+9opg390VaKRNt4a7A9NwmpNhw==,
- }
+ resolution: {integrity: sha512-kEBmG8KyqtxJZv+ygbEim+KCGtIq1fC22Ms3S4ziXmYKm8uyoLX0MHONVKwp+9opg390VaKRNt4a7A9NwmpNhw==}
'@emotion/[email protected]':
- resolution:
- {
- integrity: sha512-pxHCpT2ex+0q+HH91/zsdHkw/lXd468DIN2zvfvLtPKLLMo6gQj7oLObq8PhkrxOZb/gGCq03S3Z7PDhS8pduQ==,
- }
+ resolution: {integrity: sha512-pxHCpT2ex+0q+HH91/zsdHkw/lXd468DIN2zvfvLtPKLLMo6gQj7oLObq8PhkrxOZb/gGCq03S3Z7PDhS8pduQ==}
'@emotion/[email protected]':
- resolution:
- {
- integrity: sha512-Z3xbtJ+UcK76eWkagZ1onvn/wAVb1GOMuR15s30Fm2wrMgC7jzpnO2JZXr4eujTTqoQFUrZIw/rT0c6Zzjca1g==,
- }
+ resolution: {integrity: sha512-Z3xbtJ+UcK76eWkagZ1onvn/wAVb1GOMuR15s30Fm2wrMgC7jzpnO2JZXr4eujTTqoQFUrZIw/rT0c6Zzjca1g==}
'@emotion/[email protected]':
- resolution:
- {
- integrity: sha512-wQdD0Xhkn3Qy2VNcIzbLP9MR8TafI0MJb7BEAXKp+w4+XqErksWR4OXomuDzPsN4InLdGhVe6EYcn2ZIUCpB8w==,
- }
+ resolution: {integrity: sha512-wQdD0Xhkn3Qy2VNcIzbLP9MR8TafI0MJb7BEAXKp+w4+XqErksWR4OXomuDzPsN4InLdGhVe6EYcn2ZIUCpB8w==}
'@emotion/[email protected]':
- resolution:
- {
- integrity: sha512-MyqliTZGuOm3+5ZRSaaBGP3USLw6+EGykkwZns2EPC5g8jJ4z9OrdZY9apkl3+UP9+sdz76YYkwCKP5gh8iY3g==,
- }
+ resolution: {integrity: sha512-MyqliTZGuOm3+5ZRSaaBGP3USLw6+EGykkwZns2EPC5g8jJ4z9OrdZY9apkl3+UP9+sdz76YYkwCKP5gh8iY3g==}
'@emotion/[email protected]':
- resolution:
- {
- integrity: sha512-30FAj7/EoJ5mwVPOWhAyCX+FPfMDrVecJAM+Iw9NRoSl4BBAQeqj4cApHHUXOVvIPgLVDsCFoz/hGD+5QQD1GQ==,
- }
+ resolution: {integrity: sha512-30FAj7/EoJ5mwVPOWhAyCX+FPfMDrVecJAM+Iw9NRoSl4BBAQeqj4cApHHUXOVvIPgLVDsCFoz/hGD+5QQD1GQ==}
'@emotion/[email protected]':
- resolution:
- {
- integrity: sha512-6zeCUxUH+EPF1s+YF/2hPVODeV/7V07YU5x+2tfuRL8MdW6rv5vb2+CBEGTGwBdux0OIERcOS+RzxeK80k2DsQ==,
- }
+ resolution: {integrity: sha512-6zeCUxUH+EPF1s+YF/2hPVODeV/7V07YU5x+2tfuRL8MdW6rv5vb2+CBEGTGwBdux0OIERcOS+RzxeK80k2DsQ==}
peerDependencies:
'@types/react': '*'
react: '>=16.8.0'
@@ -650,1024 +442,631 @@ packages:
optional: true
'@emotion/[email protected]':
- resolution:
- {
- integrity: sha512-EISGqt7sSNWHGI76hC7x1CksiXPahbxEOrC5RjmFRJTqLyEK9/9hZvBbiYn70dw4wuwMKiEMCUlR6ZXTSWQqxA==,
- }
+ resolution: {integrity: sha512-EISGqt7sSNWHGI76hC7x1CksiXPahbxEOrC5RjmFRJTqLyEK9/9hZvBbiYn70dw4wuwMKiEMCUlR6ZXTSWQqxA==}
'@emotion/[email protected]':
- resolution:
- {
- integrity: sha512-fTBW9/8r2w3dXWYM4HCB1Rdp8NLibOw2+XELH5m5+AkWiL/KqYX6dc0kKYlaYyKjrQ6ds33MCdMPEwgs2z1rqg==,
- }
+ resolution: {integrity: sha512-fTBW9/8r2w3dXWYM4HCB1Rdp8NLibOw2+XELH5m5+AkWiL/KqYX6dc0kKYlaYyKjrQ6ds33MCdMPEwgs2z1rqg==}
'@emotion/[email protected]':
- resolution:
- {
- integrity: sha512-dFoMUuQA20zvtVTuxZww6OHoJYgrzfKM1t52mVySDJnMSEa08ruEvdYQbhvyu6soU+NeLVd3yKfTfT0NeV6qGg==,
- }
+ resolution: {integrity: sha512-dFoMUuQA20zvtVTuxZww6OHoJYgrzfKM1t52mVySDJnMSEa08ruEvdYQbhvyu6soU+NeLVd3yKfTfT0NeV6qGg==}
'@emotion/[email protected]':
- resolution:
- {
- integrity: sha512-+wBOcIV5snwGgI2ya3u99D7/FJquOIniQT1IKyDsBmEgwvpxMNeS65Oib7OnE2d2aY+3BU4OiH+0Wchf8yk3Hw==,
- }
+ resolution: {integrity: sha512-+wBOcIV5snwGgI2ya3u99D7/FJquOIniQT1IKyDsBmEgwvpxMNeS65Oib7OnE2d2aY+3BU4OiH+0Wchf8yk3Hw==}
peerDependencies:
react: '>=16.8.0'
'@emotion/[email protected]':
- resolution:
- {
- integrity: sha512-3vLclRofFziIa3J2wDh9jjbkUz9qk5Vi3IZ/FSTKViB0k+ef0fPV7dYrUIugbgupYDx7v9ud/SjrtEP8Y4xLoA==,
- }
+ resolution: {integrity: sha512-3vLclRofFziIa3J2wDh9jjbkUz9qk5Vi3IZ/FSTKViB0k+ef0fPV7dYrUIugbgupYDx7v9ud/SjrtEP8Y4xLoA==}
'@emotion/[email protected]':
- resolution:
- {
- integrity: sha512-snKqtPW01tN0ui7yu9rGv69aJXr/a/Ywvl11sUjNtEcRc+ng/mQriFL0wLXMef74iHa/EkftbDzU9F8iFbH+zg==,
- }
+ resolution: {integrity: sha512-snKqtPW01tN0ui7yu9rGv69aJXr/a/Ywvl11sUjNtEcRc+ng/mQriFL0wLXMef74iHa/EkftbDzU9F8iFbH+zg==}
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-6VhYk1diRqrhBAqpJEdjASR/+WVRtfjpqKuNw11cLiaWpAT/Uu+nokB+UJnevzy/P9C/ty6AOe0dwueMrGh/iQ==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-6VhYk1diRqrhBAqpJEdjASR/+WVRtfjpqKuNw11cLiaWpAT/Uu+nokB+UJnevzy/P9C/ty6AOe0dwueMrGh/iQ==}
+ engines: {node: '>=18'}
cpu: [ppc64]
os: [aix]
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-xw50ipykXcLstLeWH7WRdQuysJqejuAGPd30vd1i5zSyKK3WE+ijzHmLKxdiCMtH1pHz78rOg0BKSYOSB/2Khw==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-xw50ipykXcLstLeWH7WRdQuysJqejuAGPd30vd1i5zSyKK3WE+ijzHmLKxdiCMtH1pHz78rOg0BKSYOSB/2Khw==}
+ engines: {node: '>=18'}
cpu: [arm64]
os: [android]
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-uz6/tEy2IFm9RYOyvKl88zdzZfwEfKZmnX9Cj1BHjeSGNuGLuMD1kR8y5bteYmwqKm1tj8m4cb/aKEorr6fHWQ==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-uz6/tEy2IFm9RYOyvKl88zdzZfwEfKZmnX9Cj1BHjeSGNuGLuMD1kR8y5bteYmwqKm1tj8m4cb/aKEorr6fHWQ==}
+ engines: {node: '>=18'}
cpu: [arm]
os: [android]
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-nlN9B69St9BwUoB+jkyU090bru8L0NA3yFvAd7k8dNsVH8bi9a8cUAUSEcEEgTp2z3dbEDGJGfP6VUnkQnlReg==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-nlN9B69St9BwUoB+jkyU090bru8L0NA3yFvAd7k8dNsVH8bi9a8cUAUSEcEEgTp2z3dbEDGJGfP6VUnkQnlReg==}
+ engines: {node: '>=18'}
cpu: [x64]
os: [android]
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-YsS2e3Wtgnw7Wq53XXBLcV6JhRsEq8hkfg91ESVadIrzr9wO6jJDMZnCQbHm1Guc5t/CdDiFSSfWP58FNuvT3Q==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-YsS2e3Wtgnw7Wq53XXBLcV6JhRsEq8hkfg91ESVadIrzr9wO6jJDMZnCQbHm1Guc5t/CdDiFSSfWP58FNuvT3Q==}
+ engines: {node: '>=18'}
cpu: [arm64]
os: [darwin]
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-aClqdgTDVPSEGgoCS8QDG37Gu8yc9lTHNAQlsztQ6ENetKEO//b8y31MMu2ZaPbn4kVsIABzVLXYLhCGekGDqw==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-aClqdgTDVPSEGgoCS8QDG37Gu8yc9lTHNAQlsztQ6ENetKEO//b8y31MMu2ZaPbn4kVsIABzVLXYLhCGekGDqw==}
+ engines: {node: '>=18'}
cpu: [x64]
os: [darwin]
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-h1k6yS8/pN/NHlMl5+v4XPfikhJulk4G+tKGFIOwURBSFzE8bixw1ebjluLOjfwtLqY0kewfjLSrO6tN2MgIhA==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-h1k6yS8/pN/NHlMl5+v4XPfikhJulk4G+tKGFIOwURBSFzE8bixw1ebjluLOjfwtLqY0kewfjLSrO6tN2MgIhA==}
+ engines: {node: '>=18'}
cpu: [arm64]
os: [freebsd]
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-lK1eJeyk1ZX8UklqFd/3A60UuZ/6UVfGT2LuGo3Wp4/z7eRTRYY+0xOu2kpClP+vMTi9wKOfXi2vjUpO1Ro76g==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-lK1eJeyk1ZX8UklqFd/3A60UuZ/6UVfGT2LuGo3Wp4/z7eRTRYY+0xOu2kpClP+vMTi9wKOfXi2vjUpO1Ro76g==}
+ engines: {node: '>=18'}
cpu: [x64]
os: [freebsd]
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-/93bf2yxencYDnItMYV/v116zff6UyTjo4EtEQjUBeGiVpMmffDNUyD9UN2zV+V3LRV3/on4xdZ26NKzn6754g==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-/93bf2yxencYDnItMYV/v116zff6UyTjo4EtEQjUBeGiVpMmffDNUyD9UN2zV+V3LRV3/on4xdZ26NKzn6754g==}
+ engines: {node: '>=18'}
cpu: [arm64]
os: [linux]
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-CXXkzgn+dXAPs3WBwE+Kvnrf4WECwBdfjfeYHpMeVxWE0EceB6vhWGShs6wi0IYEqMSIzdOF1XjQ/Mkm5d7ZdQ==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-CXXkzgn+dXAPs3WBwE+Kvnrf4WECwBdfjfeYHpMeVxWE0EceB6vhWGShs6wi0IYEqMSIzdOF1XjQ/Mkm5d7ZdQ==}
+ engines: {node: '>=18'}
cpu: [arm]
os: [linux]
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-VTN4EuOHwXEkXzX5nTvVY4s7E/Krz7COC8xkftbbKRYAl96vPiUssGkeMELQMOnLOJ8k3BY1+ZY52tttZnHcXQ==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-VTN4EuOHwXEkXzX5nTvVY4s7E/Krz7COC8xkftbbKRYAl96vPiUssGkeMELQMOnLOJ8k3BY1+ZY52tttZnHcXQ==}
+ engines: {node: '>=18'}
cpu: [ia32]
os: [linux]
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-Vx09LzEoBa5zDnieH8LSMRToj7ir/Jeq0Gu6qJ/1GcBq9GkfoEAoXvLiW1U9J1qE/Y/Oyaq33w5p2ZWrNNHNEw==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-Vx09LzEoBa5zDnieH8LSMRToj7ir/Jeq0Gu6qJ/1GcBq9GkfoEAoXvLiW1U9J1qE/Y/Oyaq33w5p2ZWrNNHNEw==}
+ engines: {node: '>=18'}
cpu: [loong64]
os: [linux]
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-nrFzzMQ7W4WRLNUOU5dlWAqa6yVeI0P78WKGUo7lg2HShq/yx+UYkeNSE0SSfSure0SqgnsxPvmAUu/vu0E+3Q==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-nrFzzMQ7W4WRLNUOU5dlWAqa6yVeI0P78WKGUo7lg2HShq/yx+UYkeNSE0SSfSure0SqgnsxPvmAUu/vu0E+3Q==}
+ engines: {node: '>=18'}
cpu: [mips64el]
os: [linux]
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-dKN8fgVqd0vUIjxuJI6P/9SSSe/mB9rvA98CSH2sJnlZ/OCZWO1DJvxj8jvKTfYUdGfcq2dDxoKaC6bHuTlgcw==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-dKN8fgVqd0vUIjxuJI6P/9SSSe/mB9rvA98CSH2sJnlZ/OCZWO1DJvxj8jvKTfYUdGfcq2dDxoKaC6bHuTlgcw==}
+ engines: {node: '>=18'}
cpu: [ppc64]
os: [linux]
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-5AV4Pzp80fhHL83JM6LoA6pTQVWgB1HovMBsLQ9OZWLDqVY8MVobBXNSmAJi//Csh6tcY7e7Lny2Hg1tElMjIA==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-5AV4Pzp80fhHL83JM6LoA6pTQVWgB1HovMBsLQ9OZWLDqVY8MVobBXNSmAJi//Csh6tcY7e7Lny2Hg1tElMjIA==}
+ engines: {node: '>=18'}
cpu: [riscv64]
os: [linux]
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-9ygs73tuFCe6f6m/Tb+9LtYxWR4c9yg7zjt2cYkjDbDpV/xVn+68cQxMXCjUpYwEkze2RcU/rMnfIXNRFmSoDw==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-9ygs73tuFCe6f6m/Tb+9LtYxWR4c9yg7zjt2cYkjDbDpV/xVn+68cQxMXCjUpYwEkze2RcU/rMnfIXNRFmSoDw==}
+ engines: {node: '>=18'}
cpu: [s390x]
os: [linux]
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-EV6+ovTsEXCPAp58g2dD68LxoP/wK5pRvgy0J/HxPGB009omFPv3Yet0HiaqvrIrgPTBuC6wCH1LTOY91EO5hQ==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-EV6+ovTsEXCPAp58g2dD68LxoP/wK5pRvgy0J/HxPGB009omFPv3Yet0HiaqvrIrgPTBuC6wCH1LTOY91EO5hQ==}
+ engines: {node: '>=18'}
cpu: [x64]
os: [linux]
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-aevEkCNu7KlPRpYLjwmdcuNz6bDFiE7Z8XC4CPqExjTvrHugh28QzUXVOZtiYghciKUacNktqxdpymplil1beA==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-aevEkCNu7KlPRpYLjwmdcuNz6bDFiE7Z8XC4CPqExjTvrHugh28QzUXVOZtiYghciKUacNktqxdpymplil1beA==}
+ engines: {node: '>=18'}
cpu: [x64]
os: [netbsd]
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-3x37szhLexNA4bXhLrCC/LImN/YtWis6WXr1VESlfVtVeoFJBRINPJ3f0a/6LV8zpikqoUg4hyXw0sFBt5Cr+Q==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-3x37szhLexNA4bXhLrCC/LImN/YtWis6WXr1VESlfVtVeoFJBRINPJ3f0a/6LV8zpikqoUg4hyXw0sFBt5Cr+Q==}
+ engines: {node: '>=18'}
cpu: [arm64]
os: [openbsd]
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-aY2gMmKmPhxfU+0EdnN+XNtGbjfQgwZj43k8G3fyrDM/UdZww6xrWxmDkuz2eCZchqVeABjV5BpildOrUbBTqA==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-aY2gMmKmPhxfU+0EdnN+XNtGbjfQgwZj43k8G3fyrDM/UdZww6xrWxmDkuz2eCZchqVeABjV5BpildOrUbBTqA==}
+ engines: {node: '>=18'}
cpu: [x64]
os: [openbsd]
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-RBRT2gqEl0IKQABT4XTj78tpk9v7ehp+mazn2HbUeZl1YMdaGAQqhapjGTCe7uw7y0frDi4gS0uHzhvpFuI1sA==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-RBRT2gqEl0IKQABT4XTj78tpk9v7ehp+mazn2HbUeZl1YMdaGAQqhapjGTCe7uw7y0frDi4gS0uHzhvpFuI1sA==}
+ engines: {node: '>=18'}
cpu: [x64]
os: [sunos]
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-4O+gPR5rEBe2FpKOVyiJ7wNDPA8nGzDuJ6gN4okSA1gEOYZ67N8JPk58tkWtdtPeLz7lBnY6I5L3jdsr3S+A6A==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-4O+gPR5rEBe2FpKOVyiJ7wNDPA8nGzDuJ6gN4okSA1gEOYZ67N8JPk58tkWtdtPeLz7lBnY6I5L3jdsr3S+A6A==}
+ engines: {node: '>=18'}
cpu: [arm64]
os: [win32]
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-BcaL0Vn6QwCwre3Y717nVHZbAa4UBEigzFm6VdsVdT/MbZ38xoj1X9HPkZhbmaBGUD1W8vxAfffbDe8bA6AKnQ==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-BcaL0Vn6QwCwre3Y717nVHZbAa4UBEigzFm6VdsVdT/MbZ38xoj1X9HPkZhbmaBGUD1W8vxAfffbDe8bA6AKnQ==}
+ engines: {node: '>=18'}
cpu: [ia32]
os: [win32]
'@esbuild/[email protected]':
- resolution:
- {
- integrity: sha512-BHpFFeslkWrXWyUPnbKm+xYYVYruCinGcftSBaa8zoF9hZO4BcSCFUvHVTtzpIY6YzUnYtuEhZ+C9iEXjxnasg==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-BHpFFeslkWrXWyUPnbKm+xYYVYruCinGcftSBaa8zoF9hZO4BcSCFUvHVTtzpIY6YzUnYtuEhZ+C9iEXjxnasg==}
+ engines: {node: '>=18'}
cpu: [x64]
os: [win32]
'@eslint-community/[email protected]':
- resolution:
- {
- integrity: sha512-s3O3waFUrMV8P/XaF/+ZTp1X9XBZW1a4B97ZnjQF2KYWaFD2A8KyFBsrsfSjEmjn3RGWAIuvlneuZm3CUK3jbA==,
- }
- engines: { node: ^12.22.0 || ^14.17.0 || >=16.0.0 }
+ resolution: {integrity: sha512-s3O3waFUrMV8P/XaF/+ZTp1X9XBZW1a4B97ZnjQF2KYWaFD2A8KyFBsrsfSjEmjn3RGWAIuvlneuZm3CUK3jbA==}
+ engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
peerDependencies:
eslint: ^6.0.0 || ^7.0.0 || >=8.0.0
'@eslint-community/[email protected]':
- resolution:
- {
- integrity: sha512-CCZCDJuduB9OUkFkY2IgppNZMi2lBQgD2qzwXkEia16cge2pijY/aXi96CJMquDMn3nJdlPV1A5KrJEXwfLNzQ==,
- }
- engines: { node: ^12.0.0 || ^14.0.0 || >=16.0.0 }
+ resolution: {integrity: sha512-CCZCDJuduB9OUkFkY2IgppNZMi2lBQgD2qzwXkEia16cge2pijY/aXi96CJMquDMn3nJdlPV1A5KrJEXwfLNzQ==}
+ engines: {node: ^12.0.0 || ^14.0.0 || >=16.0.0}
'@eslint/[email protected]':
- resolution:
- {
- integrity: sha512-fo6Mtm5mWyKjA/Chy1BYTdn5mGJoDNjC7C64ug20ADsRDGrA85bN3uK3MaKbeRkRuuIEAR5N33Jr1pbm411/PA==,
- }
- engines: { node: ^18.18.0 || ^20.9.0 || >=21.1.0 }
+ resolution: {integrity: sha512-fo6Mtm5mWyKjA/Chy1BYTdn5mGJoDNjC7C64ug20ADsRDGrA85bN3uK3MaKbeRkRuuIEAR5N33Jr1pbm411/PA==}
+ engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0}
'@eslint/[email protected]':
- resolution:
- {
- integrity: sha512-GuUdqkyyzQI5RMIWkHhvTWLCyLo1jNK3vzkSyaExH5kHPDHcuL2VOpHjmMY+y3+NC69qAKToBqldTBgYeLSr9Q==,
- }
- engines: { node: ^18.18.0 || ^20.9.0 || >=21.1.0 }
+ resolution: {integrity: sha512-GuUdqkyyzQI5RMIWkHhvTWLCyLo1jNK3vzkSyaExH5kHPDHcuL2VOpHjmMY+y3+NC69qAKToBqldTBgYeLSr9Q==}
+ engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0}
'@eslint/[email protected]':
- resolution:
- {
- integrity: sha512-grOjVNN8P3hjJn/eIETF1wwd12DdnwFDoyceUJLYYdkpbwq3nLi+4fqrTAONx7XDALqlL220wC/RHSC/QTI/0w==,
- }
- engines: { node: ^18.18.0 || ^20.9.0 || >=21.1.0 }
+ resolution: {integrity: sha512-grOjVNN8P3hjJn/eIETF1wwd12DdnwFDoyceUJLYYdkpbwq3nLi+4fqrTAONx7XDALqlL220wC/RHSC/QTI/0w==}
+ engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0}
'@eslint/[email protected]':
- resolution:
- {
- integrity: sha512-tw2HxzQkrbeuvyj1tG2Yqq+0H9wGoI2IMk4EOsQeX+vmd75FtJAzf+gTA69WF+baUKRYQ3x2kbLE08js5OsTVg==,
- }
- engines: { node: ^18.18.0 || ^20.9.0 || >=21.1.0 }
+ resolution: {integrity: sha512-tw2HxzQkrbeuvyj1tG2Yqq+0H9wGoI2IMk4EOsQeX+vmd75FtJAzf+gTA69WF+baUKRYQ3x2kbLE08js5OsTVg==}
+ engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0}
'@eslint/[email protected]':
- resolution:
- {
- integrity: sha512-o0bhxnL89h5Bae5T318nFoFzGy+YE5i/gGkoPAgkmTVdRKTiv3p8JHevPiPaMwoloKfEiiaHlawCqaZMqRm+XQ==,
- }
- engines: { node: ^18.18.0 || ^20.9.0 || >=21.1.0 }
+ resolution: {integrity: sha512-o0bhxnL89h5Bae5T318nFoFzGy+YE5i/gGkoPAgkmTVdRKTiv3p8JHevPiPaMwoloKfEiiaHlawCqaZMqRm+XQ==}
+ engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0}
'@eslint/[email protected]':
- resolution:
- {
- integrity: sha512-zSkKow6H5Kdm0ZUQUB2kV5JIXqoG0+uH5YADhaEHswm664N9Db8dXSi0nMJpacpMf+MyyglF1vnZohpEg5yUtg==,
- }
- engines: { node: ^18.18.0 || ^20.9.0 || >=21.1.0 }
+ resolution: {integrity: sha512-zSkKow6H5Kdm0ZUQUB2kV5JIXqoG0+uH5YADhaEHswm664N9Db8dXSi0nMJpacpMf+MyyglF1vnZohpEg5yUtg==}
+ engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0}
'@faceless-ui/[email protected]':
- resolution:
- {
- integrity: sha512-UmXvz7Iw3KMO4Pm3llZczU4uc5pPQDb6rdqwoBvYDFgWvkraOAHKx0HxSZgwqQvqOhn8joEFBfFp6/Do2562ow==,
- }
+ resolution: {integrity: sha512-UmXvz7Iw3KMO4Pm3llZczU4uc5pPQDb6rdqwoBvYDFgWvkraOAHKx0HxSZgwqQvqOhn8joEFBfFp6/Do2562ow==}
peerDependencies:
react: ^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0-rc.0
react-dom: ^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0-rc.0
'@faceless-ui/[email protected]':
- resolution:
- {
- integrity: sha512-pUBhQP8vduA7rVndNsjhaCcds1BykA/Q4iV23JWijU6ZFL/M3Fm9P3ypDS+0VVxolqemNhw8S3FXPwZGgjH4Rw==,
- }
+ resolution: {integrity: sha512-pUBhQP8vduA7rVndNsjhaCcds1BykA/Q4iV23JWijU6ZFL/M3Fm9P3ypDS+0VVxolqemNhw8S3FXPwZGgjH4Rw==}
peerDependencies:
react: ^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0-rc.0
react-dom: ^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0-rc.0
'@faceless-ui/[email protected]':
- resolution:
- {
- integrity: sha512-Qs8xRA+fl4sU2aFVe9xawxfi5TVZ9VTPuhdQpx9aSv7U5a2F0AXwT61lJfnaJ9Flm8tOcxzq67p8cVZsXNCVeQ==,
- }
+ resolution: {integrity: sha512-Qs8xRA+fl4sU2aFVe9xawxfi5TVZ9VTPuhdQpx9aSv7U5a2F0AXwT61lJfnaJ9Flm8tOcxzq67p8cVZsXNCVeQ==}
peerDependencies:
react: ^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0-rc.0
react-dom: ^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0-rc.0
'@floating-ui/[email protected]':
- resolution:
- {
- integrity: sha512-7XJ9cPU+yI2QeLS+FCSlqNFZJq8arvswefkZrYI1yQBbftw6FyrZOxYSh+9S7z7TpeWlRt9zJ5IhM1WIL334jA==,
- }
+ resolution: {integrity: sha512-7XJ9cPU+yI2QeLS+FCSlqNFZJq8arvswefkZrYI1yQBbftw6FyrZOxYSh+9S7z7TpeWlRt9zJ5IhM1WIL334jA==}
'@floating-ui/[email protected]':
- resolution:
- {
- integrity: sha512-NP83c0HjokcGVEMeoStg317VD9W7eDlGK7457dMBANbKA6GJZdc7rjujdgqzTaz93jkGgc5P/jeWbaCHnMNc+w==,
- }
+ resolution: {integrity: sha512-NP83c0HjokcGVEMeoStg317VD9W7eDlGK7457dMBANbKA6GJZdc7rjujdgqzTaz93jkGgc5P/jeWbaCHnMNc+w==}
'@floating-ui/[email protected]':
- resolution:
- {
- integrity: sha512-06okr5cgPzMNBy+Ycse2A6udMi4bqwW/zgBF/rwjcNqWkyr82Mcg8b0vjX8OJpZFy/FKjJmw6wV7t44kK6kW7A==,
- }
+ resolution: {integrity: sha512-06okr5cgPzMNBy+Ycse2A6udMi4bqwW/zgBF/rwjcNqWkyr82Mcg8b0vjX8OJpZFy/FKjJmw6wV7t44kK6kW7A==}
peerDependencies:
react: '>=16.8.0'
react-dom: '>=16.8.0'
'@floating-ui/[email protected]':
- resolution:
- {
- integrity: sha512-yORQuuAtVpiRjpMhdc0wJj06b9JFjrYF4qp96j++v2NBpbi6SEGF7donUJ3TMieerQ6qVkAv1tgr7L4r5roTqw==,
- }
+ resolution: {integrity: sha512-yORQuuAtVpiRjpMhdc0wJj06b9JFjrYF4qp96j++v2NBpbi6SEGF7donUJ3TMieerQ6qVkAv1tgr7L4r5roTqw==}
peerDependencies:
react: '>=16.8.0'
react-dom: '>=16.8.0'
'@floating-ui/[email protected]':
- resolution:
- {
- integrity: sha512-kym7SodPp8/wloecOpcmSnWJsK7M0E5Wg8UcFA+uO4B9s5d0ywXOEro/8HM9x0rW+TljRzul/14UYz3TleT3ig==,
- }
+ resolution: {integrity: sha512-kym7SodPp8/wloecOpcmSnWJsK7M0E5Wg8UcFA+uO4B9s5d0ywXOEro/8HM9x0rW+TljRzul/14UYz3TleT3ig==}
'@humanfs/[email protected]':
- resolution:
- {
- integrity: sha512-5DyQ4+1JEUzejeK1JGICcideyfUbGixgS9jNgex5nqkW+cY7WZhxBigmieN5Qnw9ZosSNVC9KQKyb+GUaGyKUA==,
- }
- engines: { node: '>=18.18.0' }
+ resolution: {integrity: sha512-5DyQ4+1JEUzejeK1JGICcideyfUbGixgS9jNgex5nqkW+cY7WZhxBigmieN5Qnw9ZosSNVC9KQKyb+GUaGyKUA==}
+ engines: {node: '>=18.18.0'}
'@humanfs/[email protected]':
- resolution:
- {
- integrity: sha512-YuI2ZHQL78Q5HbhDiBA1X4LmYdXCKCMQIfw0pw7piHJwyREFebJUvrQN4cMssyES6x+vfUbx1CIpaQUKYdQZOw==,
- }
- engines: { node: '>=18.18.0' }
+ resolution: {integrity: sha512-YuI2ZHQL78Q5HbhDiBA1X4LmYdXCKCMQIfw0pw7piHJwyREFebJUvrQN4cMssyES6x+vfUbx1CIpaQUKYdQZOw==}
+ engines: {node: '>=18.18.0'}
'@humanwhocodes/[email protected]':
- resolution:
- {
- integrity: sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA==,
- }
- engines: { node: '>=12.22' }
+ resolution: {integrity: sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA==}
+ engines: {node: '>=12.22'}
'@humanwhocodes/[email protected]':
- resolution:
- {
- integrity: sha512-JBxkERygn7Bv/GbN5Rv8Ul6LVknS+5Bp6RgDC/O8gEBU/yeH5Ui5C/OlWrTb6qct7LjjfT6Re2NxB0ln0yYybA==,
- }
- engines: { node: '>=18.18' }
+ resolution: {integrity: sha512-JBxkERygn7Bv/GbN5Rv8Ul6LVknS+5Bp6RgDC/O8gEBU/yeH5Ui5C/OlWrTb6qct7LjjfT6Re2NxB0ln0yYybA==}
+ engines: {node: '>=18.18'}
'@humanwhocodes/[email protected]':
- resolution:
- {
- integrity: sha512-c7hNEllBlenFTHBky65mhq8WD2kbN9Q6gk0bTk8lSBvc554jpXSkST1iePudpt7+A/AQvuHs9EMqjHDXMY1lrA==,
- }
- engines: { node: '>=18.18' }
+ resolution: {integrity: sha512-c7hNEllBlenFTHBky65mhq8WD2kbN9Q6gk0bTk8lSBvc554jpXSkST1iePudpt7+A/AQvuHs9EMqjHDXMY1lrA==}
+ engines: {node: '>=18.18'}
'@img/[email protected]':
- resolution:
- {
- integrity: sha512-UT4p+iz/2H4twwAoLCqfA9UH5pI6DggwKEGuaPy7nCVQ8ZsiY5PIcrRvD1DzuY3qYL07NtIQcWnBSY/heikIFQ==,
- }
- engines: { node: ^18.17.0 || ^20.3.0 || >=21.0.0 }
+ resolution: {integrity: sha512-UT4p+iz/2H4twwAoLCqfA9UH5pI6DggwKEGuaPy7nCVQ8ZsiY5PIcrRvD1DzuY3qYL07NtIQcWnBSY/heikIFQ==}
+ engines: {node: ^18.17.0 || ^20.3.0 || >=21.0.0}
cpu: [arm64]
os: [darwin]
'@img/[email protected]':
- resolution:
- {
- integrity: sha512-fyHac4jIc1ANYGRDxtiqelIbdWkIuQaI84Mv45KvGRRxSAa7o7d1ZKAOBaYbnepLC1WqxfpimdeWfvqqSGwR2Q==,
- }
- engines: { node: ^18.17.0 || ^20.3.0 || >=21.0.0 }
+ resolution: {integrity: sha512-fyHac4jIc1ANYGRDxtiqelIbdWkIuQaI84Mv45KvGRRxSAa7o7d1ZKAOBaYbnepLC1WqxfpimdeWfvqqSGwR2Q==}
+ engines: {node: ^18.17.0 || ^20.3.0 || >=21.0.0}
cpu: [x64]
os: [darwin]
'@img/[email protected]':
- resolution:
- {
- integrity: sha512-XblONe153h0O2zuFfTAbQYAX2JhYmDHeWikp1LM9Hul9gVPjFY427k6dFEcOL72O01QxQsWi761svJ/ev9xEDg==,
- }
+ resolution: {integrity: sha512-XblONe153h0O2zuFfTAbQYAX2JhYmDHeWikp1LM9Hul9gVPjFY427k6dFEcOL72O01QxQsWi761svJ/ev9xEDg==}
cpu: [arm64]
os: [darwin]
'@img/[email protected]':
- resolution:
- {
- integrity: sha512-xnGR8YuZYfJGmWPvmlunFaWJsb9T/AO2ykoP3Fz/0X5XV2aoYBPkX6xqCQvUTKKiLddarLaxpzNe+b1hjeWHAQ==,
- }
+ resolution: {integrity: sha512-xnGR8YuZYfJGmWPvmlunFaWJsb9T/AO2ykoP3Fz/0X5XV2aoYBPkX6xqCQvUTKKiLddarLaxpzNe+b1hjeWHAQ==}
cpu: [x64]
os: [darwin]
'@img/[email protected]':
- resolution:
- {
- integrity: sha512-9B+taZ8DlyyqzZQnoeIvDVR/2F4EbMepXMc/NdVbkzsJbzkUjhXv/70GQJ7tdLA4YJgNP25zukcxpX2/SueNrA==,
- }
+ resolution: {integrity: sha512-9B+taZ8DlyyqzZQnoeIvDVR/2F4EbMepXMc/NdVbkzsJbzkUjhXv/70GQJ7tdLA4YJgNP25zukcxpX2/SueNrA==}
cpu: [arm64]
os: [linux]
'@img/[email protected]':
- resolution:
- {
- integrity: sha512-gvcC4ACAOPRNATg/ov8/MnbxFDJqf/pDePbBnuBDcjsI8PssmjoKMAz4LtLaVi+OnSb5FK/yIOamqDwGmXW32g==,
- }
+ resolution: {integrity: sha512-gvcC4ACAOPRNATg/ov8/MnbxFDJqf/pDePbBnuBDcjsI8PssmjoKMAz4LtLaVi+OnSb5FK/yIOamqDwGmXW32g==}
cpu: [arm]
os: [linux]
'@img/[email protected]':
- resolution:
- {
- integrity: sha512-u7Wz6ntiSSgGSGcjZ55im6uvTrOxSIS8/dgoVMoiGE9I6JAfU50yH5BoDlYA1tcuGS7g/QNtetJnxA6QEsCVTA==,
- }
+ resolution: {integrity: sha512-u7Wz6ntiSSgGSGcjZ55im6uvTrOxSIS8/dgoVMoiGE9I6JAfU50yH5BoDlYA1tcuGS7g/QNtetJnxA6QEsCVTA==}
cpu: [s390x]
os: [linux]
'@img/[email protected]':
- resolution:
- {
- integrity: sha512-MmWmQ3iPFZr0Iev+BAgVMb3ZyC4KeFc3jFxnNbEPas60e1cIfevbtuyf9nDGIzOaW9PdnDciJm+wFFaTlj5xYw==,
- }
+ resolution: {integrity: sha512-MmWmQ3iPFZr0Iev+BAgVMb3ZyC4KeFc3jFxnNbEPas60e1cIfevbtuyf9nDGIzOaW9PdnDciJm+wFFaTlj5xYw==}
cpu: [x64]
os: [linux]
'@img/[email protected]':
- resolution:
- {
- integrity: sha512-9Ti+BbTYDcsbp4wfYib8Ctm1ilkugkA/uscUn6UXK1ldpC1JjiXbLfFZtRlBhjPZ5o1NCLiDbg8fhUPKStHoTA==,
- }
+ resolution: {integrity: sha512-9Ti+BbTYDcsbp4wfYib8Ctm1ilkugkA/uscUn6UXK1ldpC1JjiXbLfFZtRlBhjPZ5o1NCLiDbg8fhUPKStHoTA==}
cpu: [arm64]
os: [linux]
'@img/[email protected]':
- resolution:
- {
- integrity: sha512-viYN1KX9m+/hGkJtvYYp+CCLgnJXwiQB39damAO7WMdKWlIhmYTfHjwSbQeUK/20vY154mwezd9HflVFM1wVSw==,
- }
+ resolution: {integrity: sha512-viYN1KX9m+/hGkJtvYYp+CCLgnJXwiQB39damAO7WMdKWlIhmYTfHjwSbQeUK/20vY154mwezd9HflVFM1wVSw==}
cpu: [x64]
os: [linux]
'@img/[email protected]':
- resolution:
- {
- integrity: sha512-JMVv+AMRyGOHtO1RFBiJy/MBsgz0x4AWrT6QoEVVTyh1E39TrCUpTRI7mx9VksGX4awWASxqCYLCV4wBZHAYxA==,
- }
- engines: { node: ^18.17.0 || ^20.3.0 || >=21.0.0 }
+ resolution: {integrity: sha512-JMVv+AMRyGOHtO1RFBiJy/MBsgz0x4AWrT6QoEVVTyh1E39TrCUpTRI7mx9VksGX4awWASxqCYLCV4wBZHAYxA==}
+ engines: {node: ^18.17.0 || ^20.3.0 || >=21.0.0}
cpu: [arm64]
os: [linux]
'@img/[email protected]':
- resolution:
- {
- integrity: sha512-JTS1eldqZbJxjvKaAkxhZmBqPRGmxgu+qFKSInv8moZ2AmT5Yib3EQ1c6gp493HvrvV8QgdOXdyaIBrhvFhBMQ==,
- }
- engines: { node: ^18.17.0 || ^20.3.0 || >=21.0.0 }
+ resolution: {integrity: sha512-JTS1eldqZbJxjvKaAkxhZmBqPRGmxgu+qFKSInv8moZ2AmT5Yib3EQ1c6gp493HvrvV8QgdOXdyaIBrhvFhBMQ==}
+ engines: {node: ^18.17.0 || ^20.3.0 || >=21.0.0}
cpu: [arm]
os: [linux]
'@img/[email protected]':
- resolution:
- {
- integrity: sha512-y/5PCd+mP4CA/sPDKl2961b+C9d+vPAveS33s6Z3zfASk2j5upL6fXVPZi7ztePZ5CuH+1kW8JtvxgbuXHRa4Q==,
- }
- engines: { node: ^18.17.0 || ^20.3.0 || >=21.0.0 }
+ resolution: {integrity: sha512-y/5PCd+mP4CA/sPDKl2961b+C9d+vPAveS33s6Z3zfASk2j5upL6fXVPZi7ztePZ5CuH+1kW8JtvxgbuXHRa4Q==}
+ engines: {node: ^18.17.0 || ^20.3.0 || >=21.0.0}
cpu: [s390x]
os: [linux]
'@img/[email protected]':
- resolution:
- {
- integrity: sha512-opC+Ok5pRNAzuvq1AG0ar+1owsu842/Ab+4qvU879ippJBHvyY5n2mxF1izXqkPYlGuP/M556uh53jRLJmzTWA==,
- }
- engines: { node: ^18.17.0 || ^20.3.0 || >=21.0.0 }
+ resolution: {integrity: sha512-opC+Ok5pRNAzuvq1AG0ar+1owsu842/Ab+4qvU879ippJBHvyY5n2mxF1izXqkPYlGuP/M556uh53jRLJmzTWA==}
+ engines: {node: ^18.17.0 || ^20.3.0 || >=21.0.0}
cpu: [x64]
os: [linux]
'@img/[email protected]':
- resolution:
- {
- integrity: sha512-XrHMZwGQGvJg2V/oRSUfSAfjfPxO+4DkiRh6p2AFjLQztWUuY/o8Mq0eMQVIY7HJ1CDQUJlxGGZRw1a5bqmd1g==,
- }
- engines: { node: ^18.17.0 || ^20.3.0 || >=21.0.0 }
+ resolution: {integrity: sha512-XrHMZwGQGvJg2V/oRSUfSAfjfPxO+4DkiRh6p2AFjLQztWUuY/o8Mq0eMQVIY7HJ1CDQUJlxGGZRw1a5bqmd1g==}
+ engines: {node: ^18.17.0 || ^20.3.0 || >=21.0.0}
cpu: [arm64]
os: [linux]
'@img/[email protected]':
- resolution:
- {
- integrity: sha512-WT+d/cgqKkkKySYmqoZ8y3pxx7lx9vVejxW/W4DOFMYVSkErR+w7mf2u8m/y4+xHe7yY9DAXQMWQhpnMuFfScw==,
- }
- engines: { node: ^18.17.0 || ^20.3.0 || >=21.0.0 }
+ resolution: {integrity: sha512-WT+d/cgqKkkKySYmqoZ8y3pxx7lx9vVejxW/W4DOFMYVSkErR+w7mf2u8m/y4+xHe7yY9DAXQMWQhpnMuFfScw==}
+ engines: {node: ^18.17.0 || ^20.3.0 || >=21.0.0}
cpu: [x64]
os: [linux]
'@img/[email protected]':
- resolution:
- {
- integrity: sha512-ykUW4LVGaMcU9lu9thv85CbRMAwfeadCJHRsg2GmeRa/cJxsVY9Rbd57JcMxBkKHag5U/x7TSBpScF4U8ElVzg==,
- }
- engines: { node: ^18.17.0 || ^20.3.0 || >=21.0.0 }
+ resolution: {integrity: sha512-ykUW4LVGaMcU9lu9thv85CbRMAwfeadCJHRsg2GmeRa/cJxsVY9Rbd57JcMxBkKHag5U/x7TSBpScF4U8ElVzg==}
+ engines: {node: ^18.17.0 || ^20.3.0 || >=21.0.0}
cpu: [wasm32]
'@img/[email protected]':
- resolution:
- {
- integrity: sha512-T36PblLaTwuVJ/zw/LaH0PdZkRz5rd3SmMHX8GSmR7vtNSP5Z6bQkExdSK7xGWyxLw4sUknBuugTelgw2faBbQ==,
- }
- engines: { node: ^18.17.0 || ^20.3.0 || >=21.0.0 }
+ resolution: {integrity: sha512-T36PblLaTwuVJ/zw/LaH0PdZkRz5rd3SmMHX8GSmR7vtNSP5Z6bQkExdSK7xGWyxLw4sUknBuugTelgw2faBbQ==}
+ engines: {node: ^18.17.0 || ^20.3.0 || >=21.0.0}
cpu: [ia32]
os: [win32]
'@img/[email protected]':
- resolution:
- {
- integrity: sha512-MpY/o8/8kj+EcnxwvrP4aTJSWw/aZ7JIGR4aBeZkZw5B7/Jn+tY9/VNwtcoGmdT7GfggGIU4kygOMSbYnOrAbg==,
- }
- engines: { node: ^18.17.0 || ^20.3.0 || >=21.0.0 }
+ resolution: {integrity: sha512-MpY/o8/8kj+EcnxwvrP4aTJSWw/aZ7JIGR4aBeZkZw5B7/Jn+tY9/VNwtcoGmdT7GfggGIU4kygOMSbYnOrAbg==}
+ engines: {node: ^18.17.0 || ^20.3.0 || >=21.0.0}
cpu: [x64]
os: [win32]
'@isaacs/[email protected]':
- resolution:
- {
- integrity: sha512-O8jcjabXaleOG9DQ0+ARXWZBTfnP4WNAqzuiJK7ll44AmxGKv/J2M4TPjxjY3znBCfvBXFzucm1twdyFybFqEA==,
- }
- engines: { node: '>=12' }
+ resolution: {integrity: sha512-O8jcjabXaleOG9DQ0+ARXWZBTfnP4WNAqzuiJK7ll44AmxGKv/J2M4TPjxjY3znBCfvBXFzucm1twdyFybFqEA==}
+ engines: {node: '>=12'}
'@jridgewell/[email protected]':
- resolution:
- {
- integrity: sha512-IzL8ZoEDIBRWEzlCcRhOaCupYyN5gdIK+Q6fbFdPDg6HqX6jpkItn7DFIpW9LQzXG6Df9sA7+OKnq0qlz/GaQg==,
- }
- engines: { node: '>=6.0.0' }
+ resolution: {integrity: sha512-IzL8ZoEDIBRWEzlCcRhOaCupYyN5gdIK+Q6fbFdPDg6HqX6jpkItn7DFIpW9LQzXG6Df9sA7+OKnq0qlz/GaQg==}
+ engines: {node: '>=6.0.0'}
'@jridgewell/[email protected]':
- resolution:
- {
- integrity: sha512-bRISgCIjP20/tbWSPWMEi54QVPRZExkuD9lJL+UIxUKtwVJA8wW1Trb1jMs1RFXo1CBTNZ/5hpC9QvmKWdopKw==,
- }
- engines: { node: '>=6.0.0' }
+ resolution: {integrity: sha512-bRISgCIjP20/tbWSPWMEi54QVPRZExkuD9lJL+UIxUKtwVJA8wW1Trb1jMs1RFXo1CBTNZ/5hpC9QvmKWdopKw==}
+ engines: {node: '>=6.0.0'}
'@jridgewell/[email protected]':
- resolution:
- {
- integrity: sha512-R8gLRTZeyp03ymzP/6Lil/28tGeGEzhx1q2k703KGWRAI1VdvPIXdG70VJc2pAMw3NA6JKL5hhFu1sJX0Mnn/A==,
- }
- engines: { node: '>=6.0.0' }
+ resolution: {integrity: sha512-R8gLRTZeyp03ymzP/6Lil/28tGeGEzhx1q2k703KGWRAI1VdvPIXdG70VJc2pAMw3NA6JKL5hhFu1sJX0Mnn/A==}
+ engines: {node: '>=6.0.0'}
'@jridgewell/[email protected]':
- resolution:
- {
- integrity: sha512-gv3ZRaISU3fjPAgNsriBRqGWQL6quFx04YMPW/zD8XMLsU32mhCCbfbO6KZFLjvYpCZ8zyDEgqsgf+PwPaM7GQ==,
- }
+ resolution: {integrity: sha512-gv3ZRaISU3fjPAgNsriBRqGWQL6quFx04YMPW/zD8XMLsU32mhCCbfbO6KZFLjvYpCZ8zyDEgqsgf+PwPaM7GQ==}
'@jridgewell/[email protected]':
- resolution:
- {
- integrity: sha512-vNk6aEwybGtawWmy/PzwnGDOjCkLWSD2wqvjGGAgOAwCGWySYXfYoxt00IJkTF+8Lb57DwOb3Aa0o9CApepiYQ==,
- }
+ resolution: {integrity: sha512-vNk6aEwybGtawWmy/PzwnGDOjCkLWSD2wqvjGGAgOAwCGWySYXfYoxt00IJkTF+8Lb57DwOb3Aa0o9CApepiYQ==}
'@jsdevtools/[email protected]':
- resolution:
- {
- integrity: sha512-4JQNk+3mVzK3xh2rqd6RB4J46qUR19azEHBneZyTZM+c456qOrbbM/5xcR8huNCCcbVt7+UmizG6GuUvPvKUYg==,
- }
+ resolution: {integrity: sha512-4JQNk+3mVzK3xh2rqd6RB4J46qUR19azEHBneZyTZM+c456qOrbbM/5xcR8huNCCcbVt7+UmizG6GuUvPvKUYg==}
'@lexical/[email protected]':
- resolution:
- {
- integrity: sha512-oHmb9kSVHjeFCd2q8VrEXW22doUHMJ6cGXqo7Ican7Ljl4/9OgRWr+cq55yntoSaJfCrRYkTiZCLDejF2ciSiA==,
- }
+ resolution: {integrity: sha512-oHmb9kSVHjeFCd2q8VrEXW22doUHMJ6cGXqo7Ican7Ljl4/9OgRWr+cq55yntoSaJfCrRYkTiZCLDejF2ciSiA==}
'@lexical/[email protected]':
- resolution:
- {
- integrity: sha512-zFsVGuzIn4CQxEnlW4AG/Hq6cyATVZ4fZTxozE/f5oK4vDPvnY/goRxrzSuAMX73A/HRX3kTEzMDcm4taRM3Mg==,
- }
+ resolution: {integrity: sha512-zFsVGuzIn4CQxEnlW4AG/Hq6cyATVZ4fZTxozE/f5oK4vDPvnY/goRxrzSuAMX73A/HRX3kTEzMDcm4taRM3Mg==}
'@lexical/[email protected]':
- resolution:
- {
- integrity: sha512-/CnL+Dfpzw4koy2BTdUICkvrCkMIYG8Y73KB/S1Bt5UzJpD+PV300puWJ0NvUvAj24H78r73jxvK2QUG67Tdaw==,
- }
+ resolution: {integrity: sha512-/CnL+Dfpzw4koy2BTdUICkvrCkMIYG8Y73KB/S1Bt5UzJpD+PV300puWJ0NvUvAj24H78r73jxvK2QUG67Tdaw==}
peerDependencies:
react: '>=17.x'
react-dom: '>=17.x'
'@lexical/[email protected]':
- resolution:
- {
- integrity: sha512-3DAHF8mSKiPZtXCqu2P8ynSwS3fGXzg4G/V0lXNjBxhmozjzUzWZRWIWtmTlWdEu9GXsoyeM3agcaxyDPJJwkA==,
- }
+ resolution: {integrity: sha512-3DAHF8mSKiPZtXCqu2P8ynSwS3fGXzg4G/V0lXNjBxhmozjzUzWZRWIWtmTlWdEu9GXsoyeM3agcaxyDPJJwkA==}
'@lexical/[email protected]':
- resolution:
- {
- integrity: sha512-ldOP/d9tA6V9qvLyr3mRYkcYY5ySOHJ2BFOW/jZPxQcj6lWafS8Lk7XdMUpHHDjRpY2Hizsi5MHJkIqFglYXbw==,
- }
+ resolution: {integrity: sha512-ldOP/d9tA6V9qvLyr3mRYkcYY5ySOHJ2BFOW/jZPxQcj6lWafS8Lk7XdMUpHHDjRpY2Hizsi5MHJkIqFglYXbw==}
'@lexical/[email protected]':
- resolution:
- {
- integrity: sha512-PZ9Yxud7UOpVoq3oJ1wb3wb7NHyFt8XLc1IhdNAzTzbZ+L6c9lyomgBFvDs11u/3t9vjtLxGbzkzYKryQE80Ig==,
- }
+ resolution: {integrity: sha512-PZ9Yxud7UOpVoq3oJ1wb3wb7NHyFt8XLc1IhdNAzTzbZ+L6c9lyomgBFvDs11u/3t9vjtLxGbzkzYKryQE80Ig==}
'@lexical/[email protected]':
- resolution:
- {
- integrity: sha512-dXtIS31BU6RmLX2KwLAi1EgGl+USeyi+rshh19azACXHPFqONZgPd2t21LOLSFn7C1/W+cSp/kqVDlQVbZUZRA==,
- }
+ resolution: {integrity: sha512-dXtIS31BU6RmLX2KwLAi1EgGl+USeyi+rshh19azACXHPFqONZgPd2t21LOLSFn7C1/W+cSp/kqVDlQVbZUZRA==}
'@lexical/[email protected]':
- resolution:
- {
- integrity: sha512-ob7QHkEv+mhaZjlurDj90UmEyN9G4rzBPR5QV42PLnu1qMSviMEdI5V3a5/A5aFf/FDDQ+0GAgWBFnA/MEDczQ==,
- }
+ resolution: {integrity: sha512-ob7QHkEv+mhaZjlurDj90UmEyN9G4rzBPR5QV42PLnu1qMSviMEdI5V3a5/A5aFf/FDDQ+0GAgWBFnA/MEDczQ==}
'@lexical/[email protected]':
- resolution:
- {
- integrity: sha512-zicDcfgRZPRFZ8WOZv5er0Aqkde+i7QoFVkLQD4dNLLORjoMSJOISJH6VEdjBl3k7QJTxbfrt+xT5d/ZsAN5GA==,
- }
+ resolution: {integrity: sha512-zicDcfgRZPRFZ8WOZv5er0Aqkde+i7QoFVkLQD4dNLLORjoMSJOISJH6VEdjBl3k7QJTxbfrt+xT5d/ZsAN5GA==}
'@lexical/[email protected]':
- resolution:
- {
- integrity: sha512-ufSse8ui3ooUe0HA/yF/9STrG8wYhIDLMRhELOw80GFCkPJaxs6yRvjfmJooH5IC88rpUJ5XXFFiZKfGxEZLEw==,
- }
+ resolution: {integrity: sha512-ufSse8ui3ooUe0HA/yF/9STrG8wYhIDLMRhELOw80GFCkPJaxs6yRvjfmJooH5IC88rpUJ5XXFFiZKfGxEZLEw==}
'@lexical/[email protected]':
- resolution:
- {
- integrity: sha512-1P2izmkgZ4VDp+49rWO1KfWivL5aA30y5kkYbFZ/CS05fgbO7ogMjLSajpz+RN/zzW79v3q4YfikrMgaD23InA==,
- }
+ resolution: {integrity: sha512-1P2izmkgZ4VDp+49rWO1KfWivL5aA30y5kkYbFZ/CS05fgbO7ogMjLSajpz+RN/zzW79v3q4YfikrMgaD23InA==}
'@lexical/[email protected]':
- resolution:
- {
- integrity: sha512-ZoGsECejp9z6MEvc8l81b1h1aWbB3sTq6xOFeUTbDL5vKpA67z5CmQQLi0uZWrygrbO9dSE3Q/JGcodUrczxbw==,
- }
+ resolution: {integrity: sha512-ZoGsECejp9z6MEvc8l81b1h1aWbB3sTq6xOFeUTbDL5vKpA67z5CmQQLi0uZWrygrbO9dSE3Q/JGcodUrczxbw==}
'@lexical/[email protected]':
- resolution:
- {
- integrity: sha512-VMhxsxxDGnpVw0jgC8UlDf0Q2RHIHbS49uZgs3l9nP+O+G8s3b76Ta4Tb+iJOK2FY6874/TcQMbSuXGhfpQk8A==,
- }
+ resolution: {integrity: sha512-VMhxsxxDGnpVw0jgC8UlDf0Q2RHIHbS49uZgs3l9nP+O+G8s3b76Ta4Tb+iJOK2FY6874/TcQMbSuXGhfpQk8A==}
'@lexical/[email protected]':
- resolution:
- {
- integrity: sha512-z4lElzLm1FVifc7bzBZN4VNKeTuwygpyHQvCJVWXzF2Kbvex43PEYMi8u4A83idVqbmzbyBLASwUJS0voLoPLw==,
- }
+ resolution: {integrity: sha512-z4lElzLm1FVifc7bzBZN4VNKeTuwygpyHQvCJVWXzF2Kbvex43PEYMi8u4A83idVqbmzbyBLASwUJS0voLoPLw==}
'@lexical/[email protected]':
- resolution:
- {
- integrity: sha512-LvoC+9mm2Im1iO8GgtgaqSfW0T3mIE5GQl1xGxbVNdANmtHmBgRAJn2KfQm1XHZP6zydLRMhZkzC+jfInh2yfQ==,
- }
+ resolution: {integrity: sha512-LvoC+9mm2Im1iO8GgtgaqSfW0T3mIE5GQl1xGxbVNdANmtHmBgRAJn2KfQm1XHZP6zydLRMhZkzC+jfInh2yfQ==}
'@lexical/[email protected]':
- resolution:
- {
- integrity: sha512-5QbN5AFtZ9efXxU/M01ADhUZgthR0e8WKi5K/w5EPpWtYFDPQnUte3rKUjYJ7uwG1iwcvaCpuMbxJjHQ+i6pDQ==,
- }
+ resolution: {integrity: sha512-5QbN5AFtZ9efXxU/M01ADhUZgthR0e8WKi5K/w5EPpWtYFDPQnUte3rKUjYJ7uwG1iwcvaCpuMbxJjHQ+i6pDQ==}
peerDependencies:
react: '>=17.x'
react-dom: '>=17.x'
'@lexical/[email protected]':
- resolution:
- {
- integrity: sha512-BR1pACdMA+Ymef0f5EN1y+9yP8w7S+9MgmBP1yjr3w4KdqRnfSaGWyxwcHU8eA+zu16QfivpB6501VJ90YeuXw==,
- }
+ resolution: {integrity: sha512-BR1pACdMA+Ymef0f5EN1y+9yP8w7S+9MgmBP1yjr3w4KdqRnfSaGWyxwcHU8eA+zu16QfivpB6501VJ90YeuXw==}
'@lexical/[email protected]':
- resolution:
- {
- integrity: sha512-YnkH5UCMNN/em95or/6uwAV31vcENh1Roj+JOg5KD+gJuA7VGdDCy0vZl/o0+1badXozeZ2VRxXNC6JSK7T4+A==,
- }
+ resolution: {integrity: sha512-YnkH5UCMNN/em95or/6uwAV31vcENh1Roj+JOg5KD+gJuA7VGdDCy0vZl/o0+1badXozeZ2VRxXNC6JSK7T4+A==}
'@lexical/[email protected]':
- resolution:
- {
- integrity: sha512-qHuK2rvQUoQDx62YpvJE3Ev4yK9kjRFo79IDBapxrhoXg/wCGQOjMBzVD3G5PWkhyl/GDnww80GwYjLloQLQzg==,
- }
+ resolution: {integrity: sha512-qHuK2rvQUoQDx62YpvJE3Ev4yK9kjRFo79IDBapxrhoXg/wCGQOjMBzVD3G5PWkhyl/GDnww80GwYjLloQLQzg==}
'@lexical/[email protected]':
- resolution:
- {
- integrity: sha512-Fu64i5CIlEOlgucSdp9XFqB2XqoRsw4at76n93+6RF4+LgGDnu4nLXQVCVxNmLcGyh2WgczuTpnk5P2mHNAIUA==,
- }
+ resolution: {integrity: sha512-Fu64i5CIlEOlgucSdp9XFqB2XqoRsw4at76n93+6RF4+LgGDnu4nLXQVCVxNmLcGyh2WgczuTpnk5P2mHNAIUA==}
'@lexical/[email protected]':
- resolution:
- {
- integrity: sha512-sXIa2nowrNxY8VcjjuxZbJ/HovIql8bmInNaxBR03JAYfqMiL5I5/dYgjOQJV49NJnuR1uTY2GwVxVTXCTFUCw==,
- }
+ resolution: {integrity: sha512-sXIa2nowrNxY8VcjjuxZbJ/HovIql8bmInNaxBR03JAYfqMiL5I5/dYgjOQJV49NJnuR1uTY2GwVxVTXCTFUCw==}
'@lexical/[email protected]':
- resolution:
- {
- integrity: sha512-TiHNhu2VkhXN69V+fXVS3xjOQ6aLnheQUGwOAhuFkDPL3VLCb0yl2Mgydpayn+3Grwii4ZBHcF7oCC84GiU5bw==,
- }
+ resolution: {integrity: sha512-TiHNhu2VkhXN69V+fXVS3xjOQ6aLnheQUGwOAhuFkDPL3VLCb0yl2Mgydpayn+3Grwii4ZBHcF7oCC84GiU5bw==}
peerDependencies:
yjs: '>=13.5.22'
'@monaco-editor/[email protected]':
- resolution:
- {
- integrity: sha512-00ioBig0x642hytVspPl7DbQyaSWRaolYie/UFNjoTdvoKPzo6xrXLhTk9ixgIKcLH5b5vDOjVNiGyY+uDCUlg==,
- }
+ resolution: {integrity: sha512-00ioBig0x642hytVspPl7DbQyaSWRaolYie/UFNjoTdvoKPzo6xrXLhTk9ixgIKcLH5b5vDOjVNiGyY+uDCUlg==}
peerDependencies:
monaco-editor: '>= 0.21.0 < 1'
'@monaco-editor/[email protected]':
- resolution:
- {
- integrity: sha512-RFkU9/i7cN2bsq/iTkurMWOEErmYcY6JiQI3Jn+WeR/FGISH8JbHERjpS9oRuSOPvDMJI0Z8nJeKkbOs9sBYQw==,
- }
+ resolution: {integrity: sha512-RFkU9/i7cN2bsq/iTkurMWOEErmYcY6JiQI3Jn+WeR/FGISH8JbHERjpS9oRuSOPvDMJI0Z8nJeKkbOs9sBYQw==}
peerDependencies:
monaco-editor: '>= 0.25.0 < 1'
react: ^16.8.0 || ^17.0.0 || ^18.0.0
react-dom: ^16.8.0 || ^17.0.0 || ^18.0.0
'@mongodb-js/[email protected]':
- resolution:
- {
- integrity: sha512-tVkljjeEaAhCqTzajSdgbQ6gE6f3oneVwa3iXR6csiEwXXOFsiC6Uh9iAjAhXPtqa/XMDHWjjeNH/77m/Yq2dw==,
- }
+ resolution: {integrity: sha512-tVkljjeEaAhCqTzajSdgbQ6gE6f3oneVwa3iXR6csiEwXXOFsiC6Uh9iAjAhXPtqa/XMDHWjjeNH/77m/Yq2dw==}
'@next/[email protected]':
- resolution:
- {
- integrity: sha512-uVuRqoj28Ys/AI/5gVEgRAISd0KWI0HRjOO1CTpNgmX3ZsHb5mdn14Y59yk0IxizXdo7ZjsI2S7qbWnO+GNBcA==,
- }
+ resolution: {integrity: sha512-uVuRqoj28Ys/AI/5gVEgRAISd0KWI0HRjOO1CTpNgmX3ZsHb5mdn14Y59yk0IxizXdo7ZjsI2S7qbWnO+GNBcA==}
'@next/[email protected]':
- resolution:
- {
- integrity: sha512-UcCO481cROsqJuszPPXJnb7GGuLq617ve4xuAyyNG4VSSocJNtMU5Fsx+Lp6mlN8c7W58aZLc5y6D/2xNmaK+w==,
- }
+ resolution: {integrity: sha512-UcCO481cROsqJuszPPXJnb7GGuLq617ve4xuAyyNG4VSSocJNtMU5Fsx+Lp6mlN8c7W58aZLc5y6D/2xNmaK+w==}
'@next/[email protected]':
- resolution:
- {
- integrity: sha512-+jPT0h+nelBT6HC9ZCHGc7DgGVy04cv4shYdAe6tKlEbjQUtwU3LzQhzbDHQyY2m6g39m6B0kOFVuLGBrxxbGg==,
- }
+ resolution: {integrity: sha512-+jPT0h+nelBT6HC9ZCHGc7DgGVy04cv4shYdAe6tKlEbjQUtwU3LzQhzbDHQyY2m6g39m6B0kOFVuLGBrxxbGg==}
'@next/[email protected]':
- resolution:
- {
- integrity: sha512-ZU8d7xxpX14uIaFC3nsr4L++5ZS/AkWDm1PzPO6gD9xWhFkOj2hzSbSIxoncsnlJXB1CbLOfGVN4Zk9tg83PUw==,
- }
- engines: { node: '>= 10' }
+ resolution: {integrity: sha512-ZU8d7xxpX14uIaFC3nsr4L++5ZS/AkWDm1PzPO6gD9xWhFkOj2hzSbSIxoncsnlJXB1CbLOfGVN4Zk9tg83PUw==}
+ engines: {node: '>= 10'}
cpu: [arm64]
os: [darwin]
'@next/[email protected]':
- resolution:
- {
- integrity: sha512-DQ3RiUoW2XC9FcSM4ffpfndq1EsLV0fj0/UY33i7eklW5akPUCo6OX2qkcLXZ3jyPdo4sf2flwAED3AAq3Om2Q==,
- }
- engines: { node: '>= 10' }
+ resolution: {integrity: sha512-DQ3RiUoW2XC9FcSM4ffpfndq1EsLV0fj0/UY33i7eklW5akPUCo6OX2qkcLXZ3jyPdo4sf2flwAED3AAq3Om2Q==}
+ engines: {node: '>= 10'}
cpu: [x64]
os: [darwin]
'@next/[email protected]':
- resolution:
- {
- integrity: sha512-M+vhTovRS2F//LMx9KtxbkWk627l5Q7AqXWWWrfIzNIaUFiz2/NkOFkxCFyNyGACi5YbA8aekzCLtbDyfF/v5Q==,
- }
- engines: { node: '>= 10' }
+ resolution: {integrity: sha512-M+vhTovRS2F//LMx9KtxbkWk627l5Q7AqXWWWrfIzNIaUFiz2/NkOFkxCFyNyGACi5YbA8aekzCLtbDyfF/v5Q==}
+ engines: {node: '>= 10'}
cpu: [arm64]
os: [linux]
'@next/[email protected]':
- resolution:
- {
- integrity: sha512-Qn6vOuwaTCx3pNwygpSGtdIu0TfS1KiaYLYXLH5zq1scoTXdwYfdZtwvJTpB1WrLgiQE2Ne2kt8MZok3HlFqmg==,
- }
- engines: { node: '>= 10' }
+ resolution: {integrity: sha512-Qn6vOuwaTCx3pNwygpSGtdIu0TfS1KiaYLYXLH5zq1scoTXdwYfdZtwvJTpB1WrLgiQE2Ne2kt8MZok3HlFqmg==}
+ engines: {node: '>= 10'}
cpu: [arm64]
os: [linux]
'@next/[email protected]':
- resolution:
- {
- integrity: sha512-yeNh9ofMqzOZ5yTOk+2rwncBzucc6a1lyqtg8xZv0rH5znyjxHOWsoUtSq4cUTeeBIiXXX51QOOe+VoCjdXJRw==,
- }
- engines: { node: '>= 10' }
+ resolution: {integrity: sha512-yeNh9ofMqzOZ5yTOk+2rwncBzucc6a1lyqtg8xZv0rH5znyjxHOWsoUtSq4cUTeeBIiXXX51QOOe+VoCjdXJRw==}
+ engines: {node: '>= 10'}
cpu: [x64]
os: [linux]
'@next/[email protected]':
- resolution:
- {
- integrity: sha512-t9IfNkHQs/uKgPoyEtU912MG6a1j7Had37cSUyLTKx9MnUpjj+ZDKw9OyqTI9OwIIv0wmkr1pkZy+3T5pxhJPg==,
- }
- engines: { node: '>= 10' }
+ resolution: {integrity: sha512-t9IfNkHQs/uKgPoyEtU912MG6a1j7Had37cSUyLTKx9MnUpjj+ZDKw9OyqTI9OwIIv0wmkr1pkZy+3T5pxhJPg==}
+ engines: {node: '>= 10'}
cpu: [x64]
os: [linux]
'@next/[email protected]':
- resolution:
- {
- integrity: sha512-WEAoHyG14t5sTavZa1c6BnOIEukll9iqFRTavqRVPfYmfegOAd5MaZfXgOGG6kGo1RduyGdTHD4+YZQSdsNZXg==,
- }
- engines: { node: '>= 10' }
+ resolution: {integrity: sha512-WEAoHyG14t5sTavZa1c6BnOIEukll9iqFRTavqRVPfYmfegOAd5MaZfXgOGG6kGo1RduyGdTHD4+YZQSdsNZXg==}
+ engines: {node: '>= 10'}
cpu: [arm64]
os: [win32]
'@next/[email protected]':
- resolution:
- {
- integrity: sha512-J1YdKuJv9xcixzXR24Dv+4SaDKc2jj31IVUEMdO5xJivMTXuE6MAdIi4qPjSymHuFG8O5wbfWKnhJUcHHpj5CA==,
- }
- engines: { node: '>= 10' }
+ resolution: {integrity: sha512-J1YdKuJv9xcixzXR24Dv+4SaDKc2jj31IVUEMdO5xJivMTXuE6MAdIi4qPjSymHuFG8O5wbfWKnhJUcHHpj5CA==}
+ engines: {node: '>= 10'}
cpu: [x64]
os: [win32]
'@nodelib/[email protected]':
- resolution:
- {
- integrity: sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==,
- }
- engines: { node: '>= 8' }
+ resolution: {integrity: sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==}
+ engines: {node: '>= 8'}
'@nodelib/[email protected]':
- resolution:
- {
- integrity: sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==,
- }
- engines: { node: '>= 8' }
+ resolution: {integrity: sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==}
+ engines: {node: '>= 8'}
'@nodelib/[email protected]':
- resolution:
- {
- integrity: sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==,
- }
- engines: { node: '>= 8' }
+ resolution: {integrity: sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==}
+ engines: {node: '>= 8'}
'@nolyfill/[email protected]':
- resolution:
- {
- integrity: sha512-nn5ozdjYQpUCZlWGuxcJY/KpxkWQs4DcbMCmKojjyrYDEAGy4Ce19NN4v5MduafTwJlbKc99UA8YhSVqq9yPZA==,
- }
- engines: { node: '>=12.4.0' }
+ resolution: {integrity: sha512-nn5ozdjYQpUCZlWGuxcJY/KpxkWQs4DcbMCmKojjyrYDEAGy4Ce19NN4v5MduafTwJlbKc99UA8YhSVqq9yPZA==}
+ engines: {node: '>=12.4.0'}
'@one-ini/[email protected]':
- resolution:
- {
- integrity: sha512-XuySG1E38YScSJoMlqovLru4KTUNSjgVTIjyh7qMX6aNN5HY5Ct5LhRJdxO79JtTzKfzV/bnWpz+zquYrISsvw==,
- }
-
- '@payloadcms/[email protected]':
- resolution:
- {
- integrity: sha512-PysyhAv1QLLXhDb3SNCRgGEHD5Rwks87+5H1b4f+Cyp7/1aGVxAIE7rleJwJDZZjKI0DaETZrO7nmlFtD3JV2A==,
- }
+ resolution: {integrity: sha512-XuySG1E38YScSJoMlqovLru4KTUNSjgVTIjyh7qMX6aNN5HY5Ct5LhRJdxO79JtTzKfzV/bnWpz+zquYrISsvw==}
+
+ '@payloadcms/[email protected]':
+ resolution: {integrity: sha512-hCpPtQqM2hKpoe2fN7eWIpLlCf0lpnKdhTZd2pMDJZ5KTx6Ps6NDpMWHV3dqdPRPgSRNrkZ/6ghk36gp+jPSfA==}
peerDependencies:
- payload: 3.9.0
-
- '@payloadcms/[email protected]':
- resolution:
- {
- integrity: sha512-tvk4/Co1/jL0v6I0jN9973TvfhA7iyxgbM5bs0crHcItKtCsIAcbrMyyuKmMvKPvOCPfDR+B5Edi3UVHgbmwOg==,
- }
- engines: { node: ^18.20.2 || >=20.9.0 }
+ payload: 3.14.0
+
+ '@payloadcms/[email protected]':
+ resolution: {integrity: sha512-+mzxwdKRzNpGXBAULv8bqy20HXhZPUiPMxfpdx1Jc06rFoirxaq9qW4SC05lBt8WJfuyKybjWoC559SwDq/icw==}
+ engines: {node: ^18.20.2 || >=20.9.0}
peerDependencies:
- payload: 3.9.0
+ payload: 3.14.0
- '@payloadcms/[email protected]':
- resolution:
- {
- integrity: sha512-QkrlcvmVI3x1bHzzDcf3LAQo5q2BRO+kFVIe+ruyz1qHupGtbbKCZzhjZYzti46MWBVEocoTO0krF2YmA5BTeQ==,
- }
+ '@payloadcms/[email protected]':
+ resolution: {integrity: sha512-zOqEQ6JrKZ3jJve4XRq5SfUNxZaqBLMw7fKvVUI84tzOrQ3xXJSiyd2ZRrjpgGrSN/HopDChMv1slXe24jdQ5A==}
hasBin: true
peerDependencies:
graphql: ^16.8.1
- payload: 3.9.0
+ payload: 3.14.0
- '@payloadcms/[email protected]':
- resolution:
- {
- integrity: sha512-aBaKhDqEV3BTBww8GnOiE5UT2dbrXCoOx1rHxBuor+qxrdmkiLpYxLFH90cMT2V5e8cxWcs3Th8A6WU75QHqkQ==,
- }
+ '@payloadcms/[email protected]':
+ resolution: {integrity: sha512-U7XuAX3p7f527oBqb6KAfik9u4YdJveA+BhPhA/bcFrvAr5M3zTRfaMMYXhGcsd4omFTlI8cqFlLPWHBwKO+ng==}
peerDependencies:
react: ^19.0.0 || ^19.0.0-rc-65a56d0e-20241020
react-dom: ^19.0.0 || ^19.0.0-rc-65a56d0e-20241020
- '@payloadcms/[email protected]':
- resolution:
- {
- integrity: sha512-Zo4I8aOMNoxVb3nfEyUHVSHbhmhLBjVW66q32yTMEBas0QXcxk4vvr7oBxfhtUEPOLthMPTMFXS77TjltykOrQ==,
- }
-
- '@payloadcms/[email protected]':
- resolution:
- {
- integrity: sha512-/vu3kbZowEg4tSfFaOOwhKT65VHOTKyEeUpt8qMZsz9aggKdbEbJ+P59JlXT1kqJrpK4zvx4YRfiE+c6aPRpew==,
- }
- engines: { node: ^18.20.2 || >=20.9.0 }
+ '@payloadcms/[email protected]':
+ resolution: {integrity: sha512-Ll20rQeQreFSrjl3dwscXHSiuMYt+R6p3jvnoH31G4SOp/Pt+JS/Np5Cb7GGwjerUN9BamLW1m9bTCf0k5C0MA==}
+
+ '@payloadcms/[email protected]':
+ resolution: {integrity: sha512-Zx9iSjj0hg6V/wtAsu7E6YAEOiTOYOAPUhw2fxs40sMLH3u9nQOUwCNP5qZh29wNNqam2UJgQSuQaEgVStI58w==}
+ engines: {node: ^18.20.2 || >=20.9.0}
peerDependencies:
graphql: ^16.8.1
next: ^15.0.0
- payload: 3.9.0
+ payload: 3.14.0
- '@payloadcms/[email protected]':
- resolution:
- {
- integrity: sha512-w3Na6PGh015ushQ/u4rBLVR4PwkUL/bVMpQb+UHXhRUAQkZnTr/44uWCF4eQnBWSynk3sH+qo/qzqX3/wBY4uA==,
- }
+ '@payloadcms/[email protected]':
+ resolution: {integrity: sha512-7oL00m/RQkrL2HFR8NjhrrFKjIZ3QjR582eFtmD3zikTpI/ESPAP1buXEe0xMGdbEgbhacj6fJDjAuQHKs3m7A==}
peerDependencies:
- payload: 3.9.0
+ payload: 3.14.0
- '@payloadcms/[email protected]':
- resolution:
- {
- integrity: sha512-6wfi5gqaRP6zA+RAFDHCAT+hvKwe4fiL06hvfX6zu6BQd4JGCJuYB+0hGHjRvn8O8OBSUXJ3xFrnwOqi8dn+9Q==,
- }
+ '@payloadcms/[email protected]':
+ resolution: {integrity: sha512-SKXaQhlwKXMM5pysnRBSG+f6AwKE2bMgR2TWirvm30kGVWsOY37wl/pXf/csU4DKXic8L8imV/VTGeZnlCOMYw==}
peerDependencies:
- payload: 3.9.0
+ payload: 3.14.0
react: ^19.0.0 || ^19.0.0-rc-65a56d0e-20241020
react-dom: ^19.0.0 || ^19.0.0-rc-65a56d0e-20241020
- '@payloadcms/[email protected]':
- resolution:
- {
- integrity: sha512-EU/4H1fVTdjw7JqG+xWOBxs6VqUT07KnyuYRENa779XZ3uB76G33FOV1iGyR8T+uWGhgGeU9XTk+IPYSgSlYbA==,
- }
+ '@payloadcms/[email protected]':
+ resolution: {integrity: sha512-eiHE85p9i6i0xYjlAMVL49k/h66TbDC4sBzhiqCficFBgUSPULEdDKmORTfZmZhVoR6m7lIy+sboX5nQsuT4og==}
peerDependencies:
- payload: 3.9.0
+ payload: 3.14.0
- '@payloadcms/[email protected]':
- resolution:
- {
- integrity: sha512-t0KMcEaOwVVoc2HvYW98wXRKyYK6KyLYKiF9STA4ko/f54kY4JHZBZTC3w/c1uiA6j8qVptvxktITWciRO3iTw==,
- }
+ '@payloadcms/[email protected]':
+ resolution: {integrity: sha512-oje2ZUEdMwy1toVU+ZKLmqBoJHcq+Owq0Q3Kj08kV0O2uSzguRq0GPVtrNbBMRsymD9oR254OcULx4DRF+Btdg==}
peerDependencies:
- payload: 3.9.0
+ payload: 3.14.0
- '@payloadcms/[email protected]':
- resolution:
- {
- integrity: sha512-u7SRa5X+g5U2tF8egb7q/aY/MoRqj2+9JCd36gZLqeifzW4X7AqBozCouJ5R8Z08swCYWq27403pjSxWDaUEXg==,
- }
+ '@payloadcms/[email protected]':
+ resolution: {integrity: sha512-6sjqA/ztxwAZAOoRYB5fF4xBGhONx2zjitBPl3L0QuBFGuwSoX/F0EwlhO1BPnJxwtXUkfCWjvEXU3CIcmYazQ==}
peerDependencies:
- payload: 3.9.0
+ payload: 3.14.0
react: ^19.0.0 || ^19.0.0-rc-65a56d0e-20241020
react-dom: ^19.0.0 || ^19.0.0-rc-65a56d0e-20241020
- '@payloadcms/[email protected]':
- resolution:
- {
- integrity: sha512-vYld6JAe/PYgu8nxZtBJIV/DSsUK4hLty48hmA+5h2ZbaBYgVBk8XL6cY46NK1y14Dqgy1yzUwxS1tjajfDdGQ==,
- }
+ '@payloadcms/[email protected]':
+ resolution: {integrity: sha512-Qt5+DhtcC46kqyD9nVGNl5EoLb0AQJx/xtiq9zXnmOVIheMjZRzuZV3I9TEHHXh5LG9BNOb3ZMvYYrzpbYmKtw==}
peerDependencies:
- payload: 3.9.0
+ payload: 3.14.0
react: ^19.0.0 || ^19.0.0-rc-65a56d0e-20241020
react-dom: ^19.0.0 || ^19.0.0-rc-65a56d0e-20241020
- '@payloadcms/[email protected]':
- resolution:
- {
- integrity: sha512-yxNtrQvUzWum7hL1bsjath5gEJF0WKOah/tFR0FNuZW2FTi2voQEWZNa7PWtbt+tg3MA5C03UehE3RyIfnhWtw==,
- }
- engines: { node: ^18.20.2 || >=20.9.0 }
+ '@payloadcms/[email protected]':
+ resolution: {integrity: sha512-J01zWIFPRVTuX6ZmHxBFs/KmVETrUhkelBG9mTld/tsstZURqkQDt4dLcpGj1D1bsaiPQP4egXQ8kXFIsVw2/Q==}
+ engines: {node: ^18.20.2 || >=20.9.0}
peerDependencies:
'@faceless-ui/modal': 3.0.0-beta.2
'@faceless-ui/scroll-info': 2.0.0-beta.0
@@ -1681,54 +1080,36 @@ packages:
'@lexical/selection': 0.20.0
'@lexical/table': 0.20.0
'@lexical/utils': 0.20.0
- '@payloadcms/next': 3.9.0
+ '@payloadcms/next': 3.14.0
lexical: 0.20.0
- payload: 3.9.0
+ payload: 3.14.0
react: ^19.0.0 || ^19.0.0-rc-65a56d0e-20241020
react-dom: ^19.0.0 || ^19.0.0-rc-65a56d0e-20241020
- '@payloadcms/[email protected]':
- resolution:
- {
- integrity: sha512-GN8tHKksO1s+jGA9GCWTdY1JDXV4PMl/RjPTrxjT+EhDRtk75OPm3nIdbBeBs/NlmpLYrISbjiRvV1fXjDBILA==,
- }
-
- '@payloadcms/[email protected]':
- resolution:
- {
- integrity: sha512-gWUdhYx3Wza5z+ea+TLVVgSe41VlsW7/HWR14tQHdUTGBRs/2qocW1pPMEx2aXEaJOTsXYeAyQRlmoyH45zu+w==,
- }
- engines: { node: ^18.20.2 || >=20.9.0 }
+ '@payloadcms/[email protected]':
+ resolution: {integrity: sha512-rkjpJubbqpZKYSXZn/mW65oO5wykjRsflfwGutXwukorQJBQG1DlhZ83yb0rJtkeHUXnWaUMs3WFNZ2InUBw7g==}
+
+ '@payloadcms/[email protected]':
+ resolution: {integrity: sha512-mWENSRkm64F5Z9UtbeLpu3LbtTx4C3zuOZTmD9shGO73K9nq6XkcpDl17VU1rOLic1g84dq4V5nPmvNMHYSK4w==}
+ engines: {node: ^18.20.2 || >=20.9.0}
peerDependencies:
next: ^15.0.0
- payload: 3.9.0
+ payload: 3.14.0
react: ^19.0.0 || ^19.0.0-rc-65a56d0e-20241020
react-dom: ^19.0.0 || ^19.0.0-rc-65a56d0e-20241020
'@pkgjs/[email protected]':
- resolution:
- {
- integrity: sha512-+1VkjdD0QBLPodGrJUeqarH8VAIvQODIbwh9XpP5Syisf7YoQgsJKPNFoqqLQlu+VQ/tVSshMR6loPMn8U+dPg==,
- }
- engines: { node: '>=14' }
+ resolution: {integrity: sha512-+1VkjdD0QBLPodGrJUeqarH8VAIvQODIbwh9XpP5Syisf7YoQgsJKPNFoqqLQlu+VQ/tVSshMR6loPMn8U+dPg==}
+ engines: {node: '>=14'}
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-V3gRzhVNU1ldS5XhAPTom1fOIo4ccrjjJgmE+LI2h/WaFpHmx0MQApT+KZHnx8abG6Avtfcz4WoEciMnpFT3HQ==,
- }
+ resolution: {integrity: sha512-V3gRzhVNU1ldS5XhAPTom1fOIo4ccrjjJgmE+LI2h/WaFpHmx0MQApT+KZHnx8abG6Avtfcz4WoEciMnpFT3HQ==}
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-4Z8dn6Upk0qk4P74xBhZ6Hd/w0mPEzOOLxy4xiPXOXqjF7jZS0VAKk7/x/H6FyY2zCkYJqePf1G5KmkmNJ4RBA==,
- }
+ resolution: {integrity: sha512-4Z8dn6Upk0qk4P74xBhZ6Hd/w0mPEzOOLxy4xiPXOXqjF7jZS0VAKk7/x/H6FyY2zCkYJqePf1G5KmkmNJ4RBA==}
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-FmlW1rCg7hBpEBwFbjHwCW6AmWLQM6g/v0Sn8XbP9NvmSZ2San1FpQeyPtufzOMSIx7Y4dzjlHoifhp+7NkZhw==,
- }
+ resolution: {integrity: sha512-FmlW1rCg7hBpEBwFbjHwCW6AmWLQM6g/v0Sn8XbP9NvmSZ2San1FpQeyPtufzOMSIx7Y4dzjlHoifhp+7NkZhw==}
peerDependencies:
'@types/react': '*'
'@types/react-dom': '*'
@@ -1741,10 +1122,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-/i0fl686zaJbDQLNKrkCbMyDm6FQMt4jg323k7HuqitoANm9sE23Ql8yOK3Wusk34HSLKDChhMux05FnP6KUkw==,
- }
+ resolution: {integrity: sha512-/i0fl686zaJbDQLNKrkCbMyDm6FQMt4jg323k7HuqitoANm9sE23Ql8yOK3Wusk34HSLKDChhMux05FnP6KUkw==}
peerDependencies:
'@types/react': '*'
'@types/react-dom': '*'
@@ -1757,10 +1135,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-GZsZslMJEyo1VKm5L1ZJY8tGDxZNPAoUeQUIbKeJfoi7Q4kmig5AsgLMYYuyYbfjd8fBmFORAIwYAkXMnXZgZw==,
- }
+ resolution: {integrity: sha512-GZsZslMJEyo1VKm5L1ZJY8tGDxZNPAoUeQUIbKeJfoi7Q4kmig5AsgLMYYuyYbfjd8fBmFORAIwYAkXMnXZgZw==}
peerDependencies:
'@types/react': '*'
'@types/react-dom': '*'
@@ -1773,10 +1148,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-b4inOtiaOnYf9KWyO3jAeeCG6FeyfY6ldiEPanbUjWd+xIk5wZeHa8yVwmrJ2vderhu/BQvzCrJI0lHd+wIiqw==,
- }
+ resolution: {integrity: sha512-b4inOtiaOnYf9KWyO3jAeeCG6FeyfY6ldiEPanbUjWd+xIk5wZeHa8yVwmrJ2vderhu/BQvzCrJI0lHd+wIiqw==}
peerDependencies:
'@types/react': '*'
react: ^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc
@@ -1785,10 +1157,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-OKrckBy+sMEgYM/sMmqmErVn0kZqrHPJze+Ql3DzYsDDp0hl0L62nx/2122/Bvps1qz645jlcu2tD9lrRSdf8A==,
- }
+ resolution: {integrity: sha512-OKrckBy+sMEgYM/sMmqmErVn0kZqrHPJze+Ql3DzYsDDp0hl0L62nx/2122/Bvps1qz645jlcu2tD9lrRSdf8A==}
peerDependencies:
'@types/react': '*'
react: ^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc
@@ -1797,10 +1166,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-UASk9zi+crv9WteK/NU4PLvOoL3OuE6BWVKNF6hPRBtYBDXQ2u5iu3O59zUlJiTVvkyuycnqrztsHVJwcK9K+Q==,
- }
+ resolution: {integrity: sha512-UASk9zi+crv9WteK/NU4PLvOoL3OuE6BWVKNF6hPRBtYBDXQ2u5iu3O59zUlJiTVvkyuycnqrztsHVJwcK9K+Q==}
peerDependencies:
'@types/react': '*'
react: ^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc
@@ -1809,10 +1175,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-BUuBvgThEiAXh2DWu93XsT+a3aWrGqolGlqqw5VU1kG7p/ZH2cuDlM1sRLNnY3QcBS69UIz2mcKhMxDsdewhjg==,
- }
+ resolution: {integrity: sha512-BUuBvgThEiAXh2DWu93XsT+a3aWrGqolGlqqw5VU1kG7p/ZH2cuDlM1sRLNnY3QcBS69UIz2mcKhMxDsdewhjg==}
peerDependencies:
'@types/react': '*'
react: ^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc
@@ -1821,10 +1184,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-QSxg29lfr/xcev6kSz7MAlmDnzbP1eI/Dwn3Tp1ip0KT5CUELsxkekFEMVBEoykI3oV39hKT4TKZzBNMbcTZYQ==,
- }
+ resolution: {integrity: sha512-QSxg29lfr/xcev6kSz7MAlmDnzbP1eI/Dwn3Tp1ip0KT5CUELsxkekFEMVBEoykI3oV39hKT4TKZzBNMbcTZYQ==}
peerDependencies:
'@types/react': '*'
'@types/react-dom': '*'
@@ -1837,10 +1197,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-pSIwfrT1a6sIoDASCSpFwOasEwKTZWDw/iBdtnqKO7v6FeOzYJ7U53cPzYFVR3geGGXgVHaH+CdngrrAzqUGxg==,
- }
+ resolution: {integrity: sha512-pSIwfrT1a6sIoDASCSpFwOasEwKTZWDw/iBdtnqKO7v6FeOzYJ7U53cPzYFVR3geGGXgVHaH+CdngrrAzqUGxg==}
peerDependencies:
'@types/react': '*'
react: ^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc
@@ -1849,10 +1206,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-200UD8zylvEyL8Bx+z76RJnASR2gRMuxlgFCPAe/Q/679a/r0eK3MBVYMb7vZODZcffZBdob1EGnky78xmVvcA==,
- }
+ resolution: {integrity: sha512-200UD8zylvEyL8Bx+z76RJnASR2gRMuxlgFCPAe/Q/679a/r0eK3MBVYMb7vZODZcffZBdob1EGnky78xmVvcA==}
peerDependencies:
'@types/react': '*'
'@types/react-dom': '*'
@@ -1865,10 +1219,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-EJUrI8yYh7WOjNOqpoJaf1jlFIH2LvtgAl+YcFqNCa+4hj64ZXmPkAKOFs/ukjz3byN6bdb/AVUqHkI8/uWWMA==,
- }
+ resolution: {integrity: sha512-EJUrI8yYh7WOjNOqpoJaf1jlFIH2LvtgAl+YcFqNCa+4hj64ZXmPkAKOFs/ukjz3byN6bdb/AVUqHkI8/uWWMA==}
peerDependencies:
'@types/react': '*'
react: ^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc
@@ -1877,10 +1228,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-peLblDlFw/ngk3UWq0VnYaOLy6agTZZ+MUO/WhVfm14vJGML+xH4FAl2XQGLqdefjNb7ApRg6Yn7U42ZhmYXdw==,
- }
+ resolution: {integrity: sha512-peLblDlFw/ngk3UWq0VnYaOLy6agTZZ+MUO/WhVfm14vJGML+xH4FAl2XQGLqdefjNb7ApRg6Yn7U42ZhmYXdw==}
peerDependencies:
'@types/react': '*'
'@types/react-dom': '*'
@@ -1893,10 +1241,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-ZnRMshKF43aBxVWPWvbj21+7TQCvhuULWJ4gNIKYpRlQt5xGRhLx66tMp8pya2UkGHTSlhpXwmjqltDYHhw7Vg==,
- }
+ resolution: {integrity: sha512-ZnRMshKF43aBxVWPWvbj21+7TQCvhuULWJ4gNIKYpRlQt5xGRhLx66tMp8pya2UkGHTSlhpXwmjqltDYHhw7Vg==}
peerDependencies:
'@types/react': '*'
'@types/react-dom': '*'
@@ -1909,10 +1254,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-WeDYLGPxJb/5EGBoedyJbT0MpoULmwnIPMJMSldkuiMsBAv7N1cRdsTWZWht9vpPOiN3qyiGAtbK2is47/uMFg==,
- }
+ resolution: {integrity: sha512-WeDYLGPxJb/5EGBoedyJbT0MpoULmwnIPMJMSldkuiMsBAv7N1cRdsTWZWht9vpPOiN3qyiGAtbK2is47/uMFg==}
peerDependencies:
'@types/react': '*'
'@types/react-dom': '*'
@@ -1925,10 +1267,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-IeFXVi4YS1K0wVZzXNrbaaUvIJ3qdY+/Ih4eHFhWA9SwGR9UDX7Ck8abvL57C4cv3wwMvUE0OG69Qc3NCcTe/A==,
- }
+ resolution: {integrity: sha512-IeFXVi4YS1K0wVZzXNrbaaUvIJ3qdY+/Ih4eHFhWA9SwGR9UDX7Ck8abvL57C4cv3wwMvUE0OG69Qc3NCcTe/A==}
peerDependencies:
'@types/react': '*'
'@types/react-dom': '*'
@@ -1941,10 +1280,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-ZSpFm0/uHa8zTvKBDjLFWLo8dkr4MBsiDLz0g3gMUwqgLHz9rTaRRGYDgvZPtBJgYCBKXkS9fzmoySgr8CO6Cw==,
- }
+ resolution: {integrity: sha512-ZSpFm0/uHa8zTvKBDjLFWLo8dkr4MBsiDLz0g3gMUwqgLHz9rTaRRGYDgvZPtBJgYCBKXkS9fzmoySgr8CO6Cw==}
peerDependencies:
'@types/react': '*'
'@types/react-dom': '*'
@@ -1957,10 +1293,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-rZJtWmorC7dFRi0owDmoijm6nSJH1tVw64QGiNIZ9PNLyBDtG+iAq+XGsya052At4BfarzY/Dhv9wrrUr6IMZA==,
- }
+ resolution: {integrity: sha512-rZJtWmorC7dFRi0owDmoijm6nSJH1tVw64QGiNIZ9PNLyBDtG+iAq+XGsya052At4BfarzY/Dhv9wrrUr6IMZA==}
peerDependencies:
'@types/react': '*'
'@types/react-dom': '*'
@@ -1973,10 +1306,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-FUCf5XMfmW4dtYl69pdS4DbxKy8nj4M7SafBgPllysxmdachynNflAdp/gCsnYWNDnge6tI9onzMp5ARYc1KNw==,
- }
+ resolution: {integrity: sha512-FUCf5XMfmW4dtYl69pdS4DbxKy8nj4M7SafBgPllysxmdachynNflAdp/gCsnYWNDnge6tI9onzMp5ARYc1KNw==}
peerDependencies:
'@types/react': '*'
react: ^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc
@@ -1985,10 +1315,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-CasTfvsy+frcFkbXtSJ2Zu9JHpN8TYKxkgJGWbjiZhFivxaeW7rMeZt7QELGVLaYVfFMsKHjb7Ak0nMEe+2Vfw==,
- }
+ resolution: {integrity: sha512-CasTfvsy+frcFkbXtSJ2Zu9JHpN8TYKxkgJGWbjiZhFivxaeW7rMeZt7QELGVLaYVfFMsKHjb7Ak0nMEe+2Vfw==}
peerDependencies:
'@types/react': '*'
react: ^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc
@@ -1997,10 +1324,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-MtfMVJiSr2NjzS0Aa90NPTnvTSg6C/JLCV7ma0W6+OMV78vd8OyRpID+Ng9LxzsPbLeuBnWBA1Nq30AtBIDChw==,
- }
+ resolution: {integrity: sha512-MtfMVJiSr2NjzS0Aa90NPTnvTSg6C/JLCV7ma0W6+OMV78vd8OyRpID+Ng9LxzsPbLeuBnWBA1Nq30AtBIDChw==}
peerDependencies:
'@types/react': '*'
react: ^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc
@@ -2009,10 +1333,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-L7vwWlR1kTTQ3oh7g1O0CBF3YCyyTj8NmhLR+phShpyA50HCfBFKVJTpshm9PzLiKmehsrQzTYTpX9HvmC9rhw==,
- }
+ resolution: {integrity: sha512-L7vwWlR1kTTQ3oh7g1O0CBF3YCyyTj8NmhLR+phShpyA50HCfBFKVJTpshm9PzLiKmehsrQzTYTpX9HvmC9rhw==}
peerDependencies:
'@types/react': '*'
react: ^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc
@@ -2021,10 +1342,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-+FPE0rOdziWSrH9athwI1R0HDVbWlEhd+FR+aSDk4uWGmSJ9Z54sdZVDQPZAinJhJXwfT+qnj969mCsT2gfm5w==,
- }
+ resolution: {integrity: sha512-+FPE0rOdziWSrH9athwI1R0HDVbWlEhd+FR+aSDk4uWGmSJ9Z54sdZVDQPZAinJhJXwfT+qnj969mCsT2gfm5w==}
peerDependencies:
'@types/react': '*'
react: ^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc
@@ -2033,10 +1351,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-Z/e78qg2YFnnXcW88A4JmTtm4ADckLno6F7OXotmkQfeuCVaKuYzqAATPhVzl3delXE7CxIV8shofPn3jPc5Og==,
- }
+ resolution: {integrity: sha512-Z/e78qg2YFnnXcW88A4JmTtm4ADckLno6F7OXotmkQfeuCVaKuYzqAATPhVzl3delXE7CxIV8shofPn3jPc5Og==}
peerDependencies:
'@types/react': '*'
react: ^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc
@@ -2045,10 +1360,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-0Fmkebhr6PiseyZlYAOtLS+nb7jLmpqTrJyv61Pe68MKYW6OWdRE2kI70TaYY27u7H0lajqM3hSMMLFq18Z7nQ==,
- }
+ resolution: {integrity: sha512-0Fmkebhr6PiseyZlYAOtLS+nb7jLmpqTrJyv61Pe68MKYW6OWdRE2kI70TaYY27u7H0lajqM3hSMMLFq18Z7nQ==}
peerDependencies:
'@types/react': '*'
react: ^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc
@@ -2057,10 +1369,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-XW3/vWuIXHa+2Uwcc2ABSfcCledmXhhQPlGbfcRXbiUQI5Icjcg19BGCZVKKInYbvUCut/ufbbLLPFC5cbb1hw==,
- }
+ resolution: {integrity: sha512-XW3/vWuIXHa+2Uwcc2ABSfcCledmXhhQPlGbfcRXbiUQI5Icjcg19BGCZVKKInYbvUCut/ufbbLLPFC5cbb1hw==}
peerDependencies:
'@types/react': '*'
react: ^16.8 || ^17.0 || ^18.0 || ^19.0 || ^19.0.0-rc
@@ -2069,10 +1378,7 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-N8MDZqtgCgG5S3aV60INAB475osJousYpZ4cTJ2cFbMpdHS5Y6loLTH8LPtkj2QN0x93J30HT/M3qJXM0+lyeQ==,
- }
+ resolution: {integrity: sha512-N8MDZqtgCgG5S3aV60INAB475osJousYpZ4cTJ2cFbMpdHS5Y6loLTH8LPtkj2QN0x93J30HT/M3qJXM0+lyeQ==}
peerDependencies:
'@types/react': '*'
'@types/react-dom': '*'
@@ -2085,568 +1391,310 @@ packages:
optional: true
'@radix-ui/[email protected]':
- resolution:
- {
- integrity: sha512-A9+lCBZoaMJlVKcRBz2YByCG+Cp2t6nAnMnNba+XiWxnj6r4JUFqfsgwocMBZU9LPtdxC6wB56ySYpc7LQIoJg==,
- }
+ resolution: {integrity: sha512-A9+lCBZoaMJlVKcRBz2YByCG+Cp2t6nAnMnNba+XiWxnj6r4JUFqfsgwocMBZU9LPtdxC6wB56ySYpc7LQIoJg==}
'@react-email/[email protected]':
- resolution:
- {
- integrity: sha512-hMMhxk6TpOcDC5qnKzXPVJoVGEwfm+U5bGOPH+MyTTlx0F02RLQygcATBKsbP7aI/mvkmBAZoFbgPIHop7ovug==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-hMMhxk6TpOcDC5qnKzXPVJoVGEwfm+U5bGOPH+MyTTlx0F02RLQygcATBKsbP7aI/mvkmBAZoFbgPIHop7ovug==}
+ engines: {node: '>=16.0.0'}
'@rtsao/[email protected]':
- resolution:
- {
- integrity: sha512-zt6OdqaDoOnJ1ZYsCYGt9YmWzDXl4vQdKTyJev62gFhRGKdx7mcT54V9KIjg+d2wi9EXsPvAPKe7i7WjfVWB8g==,
- }
+ resolution: {integrity: sha512-zt6OdqaDoOnJ1ZYsCYGt9YmWzDXl4vQdKTyJev62gFhRGKdx7mcT54V9KIjg+d2wi9EXsPvAPKe7i7WjfVWB8g==}
'@rushstack/[email protected]':
- resolution:
- {
- integrity: sha512-WJgX9nzTqknM393q1QJDJmoW28kUfEnybeTfVNcNAPnIx210RXm2DiXiHzfNPJNIUUb1tJnz/l4QGtJ30PgWmA==,
- }
+ resolution: {integrity: sha512-WJgX9nzTqknM393q1QJDJmoW28kUfEnybeTfVNcNAPnIx210RXm2DiXiHzfNPJNIUUb1tJnz/l4QGtJ30PgWmA==}
'@selderee/[email protected]':
- resolution:
- {
- integrity: sha512-gW69MEamZ4wk1OsOq1nG1jcyhXIQcnrsX5JwixVw/9xaiav8TCyjESAruu1Rz9yyInhgBXxkNwMeygKnN2uxNA==,
- }
+ resolution: {integrity: sha512-gW69MEamZ4wk1OsOq1nG1jcyhXIQcnrsX5JwixVw/9xaiav8TCyjESAruu1Rz9yyInhgBXxkNwMeygKnN2uxNA==}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-+3DOBcUn5/rVjlxGvUPKc416SExarAQ+Qe0bqk30YSUjbepwpS7QN0cyKUSifvLJhdMZ0WPzPP5ymut0oonrpQ==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-+3DOBcUn5/rVjlxGvUPKc416SExarAQ+Qe0bqk30YSUjbepwpS7QN0cyKUSifvLJhdMZ0WPzPP5ymut0oonrpQ==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-VEYtPvh5rs/xlyqpm5NRnfYLZn+q0SRPELbvBV+C/G7IQ+ouTuo+NKKa3ShG5OaFR8NYVMXls9hPYLTvIKKDrQ==,
- }
+ resolution: {integrity: sha512-VEYtPvh5rs/xlyqpm5NRnfYLZn+q0SRPELbvBV+C/G7IQ+ouTuo+NKKa3ShG5OaFR8NYVMXls9hPYLTvIKKDrQ==}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-jSqRnZvkT4egkq/7b6/QRCNXmmYVcHwnJldqJ3IhVpQE2atObVJ137xmGeuGFhjFUr8gCEVAOKwSY79OvpbDaQ==,
- }
+ resolution: {integrity: sha512-jSqRnZvkT4egkq/7b6/QRCNXmmYVcHwnJldqJ3IhVpQE2atObVJ137xmGeuGFhjFUr8gCEVAOKwSY79OvpbDaQ==}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-YAJP9UJFZRZ8N+UruTeq78zkdjUHmzsY62J4qKWZ4SXB4QXJ/+680EfXXgkYA2xj77ooMqtUY9m406zGNqwivQ==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-YAJP9UJFZRZ8N+UruTeq78zkdjUHmzsY62J4qKWZ4SXB4QXJ/+680EfXXgkYA2xj77ooMqtUY9m406zGNqwivQ==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-iFh2Ymn2sCziBRLPuOOxRPkuCx/2gBdXtBGuCUFLUe6bWYjKnhHyIPqGeNkLZ5Aco/5GjebRTBFiWID3sDbrKw==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-iFh2Ymn2sCziBRLPuOOxRPkuCx/2gBdXtBGuCUFLUe6bWYjKnhHyIPqGeNkLZ5Aco/5GjebRTBFiWID3sDbrKw==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-cEfbau+rrWF8ylkmmVAObOmjbTIzKyUC5TkBL58SbLywD0RCBC4JAUKbmtSm2w5KUJNRPGgpGFMvE2FKnuNlWQ==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-cEfbau+rrWF8ylkmmVAObOmjbTIzKyUC5TkBL58SbLywD0RCBC4JAUKbmtSm2w5KUJNRPGgpGFMvE2FKnuNlWQ==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-F574nX0hhlNOjBnP+noLtsPFqXnWh2L0+nZKCwcu7P7J8k+k+rdIDs+RMnrMwrzhUE4mwMgyN0cYnEn0G8yrnQ==,
- }
+ resolution: {integrity: sha512-F574nX0hhlNOjBnP+noLtsPFqXnWh2L0+nZKCwcu7P7J8k+k+rdIDs+RMnrMwrzhUE4mwMgyN0cYnEn0G8yrnQ==}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-Nee9m+97o9Qj6/XeLz2g2vANS2SZgAxV4rDBMKGHvFJHU/xz88x2RwCkwsvEwYjSX4BV1NG1JXmxEaDUzZTAtw==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-Nee9m+97o9Qj6/XeLz2g2vANS2SZgAxV4rDBMKGHvFJHU/xz88x2RwCkwsvEwYjSX4BV1NG1JXmxEaDUzZTAtw==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-K1M0x7P7qbBUKB0UWIL5KOcyi6zqV5mPJoL0/o01HPJr0CSq3A9FYuJC6e11EX6hR8QTIR++DBiGrYveOu6trw==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-K1M0x7P7qbBUKB0UWIL5KOcyi6zqV5mPJoL0/o01HPJr0CSq3A9FYuJC6e11EX6hR8QTIR++DBiGrYveOu6trw==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-kiZymxXvZ4tnuYsPSMUHe+MMfc4FTeFWJIc0Q5wygJoUQM4rVHNghvd48y7ppuulNMbuYt95ah71pYc2+o4JOA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-kiZymxXvZ4tnuYsPSMUHe+MMfc4FTeFWJIc0Q5wygJoUQM4rVHNghvd48y7ppuulNMbuYt95ah71pYc2+o4JOA==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-1i8ifhLJrOZ+pEifTlF0EfZzMLUGQggYQ6WmZ4d5g77zEKf7oZ0kvh1yKWHPjofvOwqrkwRDVuxuYC8wVd662A==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-1i8ifhLJrOZ+pEifTlF0EfZzMLUGQggYQ6WmZ4d5g77zEKf7oZ0kvh1yKWHPjofvOwqrkwRDVuxuYC8wVd662A==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-bH7QW0+JdX0bPBadXt8GwMof/jz0H28I84hU1Uet9ISpzUqXqRQ3fEZJ+ANPOhzSEczYvANNl3uDQDYArSFDtA==,
- }
+ resolution: {integrity: sha512-bH7QW0+JdX0bPBadXt8GwMof/jz0H28I84hU1Uet9ISpzUqXqRQ3fEZJ+ANPOhzSEczYvANNl3uDQDYArSFDtA==}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-wOu78omaUuW5DE+PVWXiRKWRZLecARyP3xcq5SmkXUw9+utgN8HnSnBfrjL2B/4ZxgqPjaAJQkC/+JHf1ITVaQ==,
- }
+ resolution: {integrity: sha512-wOu78omaUuW5DE+PVWXiRKWRZLecARyP3xcq5SmkXUw9+utgN8HnSnBfrjL2B/4ZxgqPjaAJQkC/+JHf1ITVaQ==}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-3zWGWCHI+FlJ5WJwx73Mw2llYR8aflVyZN5JhoqLxbdPZi6UyKSdCeXAWJw9ja22m6S6Tzz1KZ+kAaSwvydi0g==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-3zWGWCHI+FlJ5WJwx73Mw2llYR8aflVyZN5JhoqLxbdPZi6UyKSdCeXAWJw9ja22m6S6Tzz1KZ+kAaSwvydi0g==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-3XfHBjSP3oDWxLmlxnt+F+FqXpL3WlXs+XXaB6bV9Wo8BBu87fK1dSEsyH7Z4ZHRmwZ4g9lFMdf08m9hoX1iRA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-3XfHBjSP3oDWxLmlxnt+F+FqXpL3WlXs+XXaB6bV9Wo8BBu87fK1dSEsyH7Z4ZHRmwZ4g9lFMdf08m9hoX1iRA==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-Lp2L65vFi+cj0vFMu2obpPW69DU+6O5g3086lmI4XcnRCG8PxvpWC7XyaVwJCxsZFzueHjXnrOH/E0pl0zikfA==,
- }
+ resolution: {integrity: sha512-Lp2L65vFi+cj0vFMu2obpPW69DU+6O5g3086lmI4XcnRCG8PxvpWC7XyaVwJCxsZFzueHjXnrOH/E0pl0zikfA==}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-GGP3O9QFD24uGeAXYUjwSTXARoqpZykHadOmA8G5vfJPK0/DC67qa//0qvqrJzL1xc8WQWX7/yc7fwudjPHPhA==,
- }
- engines: { node: '>=14.0.0' }
+ resolution: {integrity: sha512-GGP3O9QFD24uGeAXYUjwSTXARoqpZykHadOmA8G5vfJPK0/DC67qa//0qvqrJzL1xc8WQWX7/yc7fwudjPHPhA==}
+ engines: {node: '>=14.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-+Fsu6Q6C4RSJiy81Y8eApjEB5gVtM+oFKTffg+jSuwtvomJJrhUJBu2zS8wjXSgH/g1MKEWrzyChTBe6clb5FQ==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-+Fsu6Q6C4RSJiy81Y8eApjEB5gVtM+oFKTffg+jSuwtvomJJrhUJBu2zS8wjXSgH/g1MKEWrzyChTBe6clb5FQ==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-m3bv6dApflt3fS2Y1PyWPUtRP7iuBlvikEOGwu0HsCZ0vE7zcIX+dBoh3e+31/rddagw8nj92j0kJg2TfV+SJA==,
- }
+ resolution: {integrity: sha512-m3bv6dApflt3fS2Y1PyWPUtRP7iuBlvikEOGwu0HsCZ0vE7zcIX+dBoh3e+31/rddagw8nj92j0kJg2TfV+SJA==}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-1mDEXqzM20yywaMDuf5o9ue8OkJ373lSPbaSjyEvkWdqELhFMyNNgKGWL/rCSf4KME8B+HlHKuR8u9kRj8HzEQ==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-1mDEXqzM20yywaMDuf5o9ue8OkJ373lSPbaSjyEvkWdqELhFMyNNgKGWL/rCSf4KME8B+HlHKuR8u9kRj8HzEQ==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-TybiW2LA3kYVd3e+lWhINVu1o26KJbBwOpADnf0L4x/35vLVica77XVR5hvV9+kWeTGeSJ3IHTcYxbRxlbwhsg==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-TybiW2LA3kYVd3e+lWhINVu1o26KJbBwOpADnf0L4x/35vLVica77XVR5hvV9+kWeTGeSJ3IHTcYxbRxlbwhsg==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-vK2eDfvIXG1U64FEUhYxoZ1JSj4XFbYWkK36iz02i3pFwWiDz1Q7jKhGTBCwx/7KqJNk4VS7d7cDLXFOvP7M+g==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-vK2eDfvIXG1U64FEUhYxoZ1JSj4XFbYWkK36iz02i3pFwWiDz1Q7jKhGTBCwx/7KqJNk4VS7d7cDLXFOvP7M+g==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-MnAuhh+dD14F428ubSJuRnmRsfOpxSzvRhaGVTvd/lrUDE3kxzCCmH8lnVTvoNQnV2BbJ4c15QwZ3UdQBtFNZA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-MnAuhh+dD14F428ubSJuRnmRsfOpxSzvRhaGVTvd/lrUDE3kxzCCmH8lnVTvoNQnV2BbJ4c15QwZ3UdQBtFNZA==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-grCHyoiARDBBGPyw2BeicpjgpsDFWZZxptbVKb3CRd/ZA15F/T6rZjCCuBUjJwdck1nwUuIxYtsS4H9DDpbP5w==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-grCHyoiARDBBGPyw2BeicpjgpsDFWZZxptbVKb3CRd/ZA15F/T6rZjCCuBUjJwdck1nwUuIxYtsS4H9DDpbP5w==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-URq3gT3RpDikh/8MBJUB+QGZzfS7Bm6TQTqoh4CqE8NBuyPkWa5eUXj0XFcFfeZVgg3WMh1u19iaXn8FvvXxZw==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-URq3gT3RpDikh/8MBJUB+QGZzfS7Bm6TQTqoh4CqE8NBuyPkWa5eUXj0XFcFfeZVgg3WMh1u19iaXn8FvvXxZw==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-fr+UAOMGWh6bn4YSEezBCpJn9Ukp9oR4D32sCjCo7U81evE11YePOQ58ogzyfgmjIO79YeOdfXXqr0jyhPQeMg==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-fr+UAOMGWh6bn4YSEezBCpJn9Ukp9oR4D32sCjCo7U81evE11YePOQ58ogzyfgmjIO79YeOdfXXqr0jyhPQeMg==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-n1MJZGTorTH2DvyTVj+3wXnd4CzjJxyXeOgnTlgNVFxaaMeT4OteEp4QrzF8p9ee2yg42nvyVK6R/awLCakjeQ==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-n1MJZGTorTH2DvyTVj+3wXnd4CzjJxyXeOgnTlgNVFxaaMeT4OteEp4QrzF8p9ee2yg42nvyVK6R/awLCakjeQ==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-FP2LepWD0eJeOTm0SjssPcgqAlDFzOmRXqXmGhfIM52G7Lrox/pcpQf6RP4F21k0+O12zaqQt5fCDOeBtqY6Cg==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-FP2LepWD0eJeOTm0SjssPcgqAlDFzOmRXqXmGhfIM52G7Lrox/pcpQf6RP4F21k0+O12zaqQt5fCDOeBtqY6Cg==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-nT9CQF3EIJtIUepXQuBFb8dxJi3WVZS3XfuDksxSCSn+/CzZowRLdhDn+2acbBv8R6eaJqPupoI/aRFIImNVPQ==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-nT9CQF3EIJtIUepXQuBFb8dxJi3WVZS3XfuDksxSCSn+/CzZowRLdhDn+2acbBv8R6eaJqPupoI/aRFIImNVPQ==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-Oa0XDcpo9SmjhiDD9ua2UyM3uU01ZTuIrNdZvzwUTykW1PM8o2yJvMh1Do1rY5sUQg4NDV70dMi0JhDx4GyxuQ==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-Oa0XDcpo9SmjhiDD9ua2UyM3uU01ZTuIrNdZvzwUTykW1PM8o2yJvMh1Do1rY5sUQg4NDV70dMi0JhDx4GyxuQ==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-zHe642KCqDxXLuhs6xmHVgRwy078RfqxP2wRDpIyiF8EmsWXptMwnMwbVa50lw+WOGNrYm9zbaEg0oDe3PTtvQ==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-zHe642KCqDxXLuhs6xmHVgRwy078RfqxP2wRDpIyiF8EmsWXptMwnMwbVa50lw+WOGNrYm9zbaEg0oDe3PTtvQ==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-AUdrIZHFtUgmfSN4Gq9nHu3IkHMa1YDcN+s061Nfm+6pQ0mJy85YQDB0tZBCmls0Vuj22pLwDPmL92+Hvfwwlg==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-AUdrIZHFtUgmfSN4Gq9nHu3IkHMa1YDcN+s061Nfm+6pQ0mJy85YQDB0tZBCmls0Vuj22pLwDPmL92+Hvfwwlg==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-pPSQQ2v2vu9vc8iew7sszLd0O09I5TRc5zhY71KA+Ao0xYazIG+uLeHbTJfIWGO3BGVLiXjUr3EEeCcEQLjpWQ==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-pPSQQ2v2vu9vc8iew7sszLd0O09I5TRc5zhY71KA+Ao0xYazIG+uLeHbTJfIWGO3BGVLiXjUr3EEeCcEQLjpWQ==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-k0sybYT9zlP79sIKd1XGm4TmK0AS1nA2bzDHXx7m0nGi3RQ8dxxQUs4CPkSmQTKAo+KF9aINU3KzpGIpV7UoMw==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-k0sybYT9zlP79sIKd1XGm4TmK0AS1nA2bzDHXx7m0nGi3RQ8dxxQUs4CPkSmQTKAo+KF9aINU3KzpGIpV7UoMw==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-XKLcLXZY7sUQgvvWyeaL/qwNPp6V3dWcUjqrQKjSb+tzYiCy340R/c64LV5j+Tnb2GhmunEX0eou+L+m2hJNYA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-XKLcLXZY7sUQgvvWyeaL/qwNPp6V3dWcUjqrQKjSb+tzYiCy340R/c64LV5j+Tnb2GhmunEX0eou+L+m2hJNYA==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-j90NUalTSBR2NaZTuruEgavSdh8MLirf58LoGSk4AtQfyIymogIhgnGUU2Mga2bkMkpSoC9gxb74xBXL5afKAQ==,
- }
+ resolution: {integrity: sha512-j90NUalTSBR2NaZTuruEgavSdh8MLirf58LoGSk4AtQfyIymogIhgnGUU2Mga2bkMkpSoC9gxb74xBXL5afKAQ==}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-Kxvoh5Qtt0CDsfajiZOCpJxgtPHXOKwmM+Zy4waD43UoEMA+qPxxa98aE/7ZhdnBFZFXMOiBR5xbcaMhLtznQQ==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-Kxvoh5Qtt0CDsfajiZOCpJxgtPHXOKwmM+Zy4waD43UoEMA+qPxxa98aE/7ZhdnBFZFXMOiBR5xbcaMhLtznQQ==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-cbjJs2A1mLYmqmyVl80uoLTJhAcfzMOyPgjwAYusWKMdLeNtzmMz9YxNl3/jRLoxSS3wkqkf0jwNdtXWtyEBaQ==,
- }
+ resolution: {integrity: sha512-cbjJs2A1mLYmqmyVl80uoLTJhAcfzMOyPgjwAYusWKMdLeNtzmMz9YxNl3/jRLoxSS3wkqkf0jwNdtXWtyEBaQ==}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-Tj7pZ4bUloNUP6PzwhN7K386tmSmEET9QtQg0TgdNOnxhZvCssHji+oZTUIuzxECRfG8rdm2PMw2WCFs6eIYkA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-Tj7pZ4bUloNUP6PzwhN7K386tmSmEET9QtQg0TgdNOnxhZvCssHji+oZTUIuzxECRfG8rdm2PMw2WCFs6eIYkA==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-IJdWBbTcMQ6DA0gdNhh/BwrLkDR+ADW5Kr1aZmd4k3DIF6ezMV4R2NIAmT08wQJ3yUK82thHWmC/TnK/wpMMIA==,
- }
- engines: { node: '>=14.0.0' }
+ resolution: {integrity: sha512-IJdWBbTcMQ6DA0gdNhh/BwrLkDR+ADW5Kr1aZmd4k3DIF6ezMV4R2NIAmT08wQJ3yUK82thHWmC/TnK/wpMMIA==}
+ engines: {node: '>=14.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-aEOHCgq5RWFbP+UDPvPot26EJHjOC+bRgse5A8V3FSShqd5E5UN4qc7zkwsvJPPAVsf73QwYcHN1/gt/rtLwQA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-aEOHCgq5RWFbP+UDPvPot26EJHjOC+bRgse5A8V3FSShqd5E5UN4qc7zkwsvJPPAVsf73QwYcHN1/gt/rtLwQA==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-pbjk4s0fwq3Di/ANL+rCvJMKM5bzAQdE5S/6RL5NXgMExFAi6UgQMPOm5yPaIWPpr+EOXKXRonJ3FoxKf4mCJQ==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-pbjk4s0fwq3Di/ANL+rCvJMKM5bzAQdE5S/6RL5NXgMExFAi6UgQMPOm5yPaIWPpr+EOXKXRonJ3FoxKf4mCJQ==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-6bzwAbZpHRFVJsOztmov5PGDmJYsbNSoIEfHSJJyFLzfBGCCChiO3od9k7E/TLgrCsIifdAbB9nqbVbyE7wRUw==,
- }
- engines: { node: '>= 10.0.0' }
+ resolution: {integrity: sha512-6bzwAbZpHRFVJsOztmov5PGDmJYsbNSoIEfHSJJyFLzfBGCCChiO3od9k7E/TLgrCsIifdAbB9nqbVbyE7wRUw==}
+ engines: {node: '>= 10.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-78ENJDorV1CjOQselGmm3+z7Yqjj5HWCbjzh0Ixuq736dh1oEnD9sAttSBNSLlpZsX8VQnmERqA2fEFlmqWn8w==,
- }
- engines: { node: '>= 10.0.0' }
+ resolution: {integrity: sha512-78ENJDorV1CjOQselGmm3+z7Yqjj5HWCbjzh0Ixuq736dh1oEnD9sAttSBNSLlpZsX8VQnmERqA2fEFlmqWn8w==}
+ engines: {node: '>= 10.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-mFV1t3ndBh0yZOJgWxO9J/4cHZVn5UG1D8DeCc6/echfNkeEJWu9LD7mgGH5fHrEdR7LDoWw7PQO6QiGpHXhgA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-mFV1t3ndBh0yZOJgWxO9J/4cHZVn5UG1D8DeCc6/echfNkeEJWu9LD7mgGH5fHrEdR7LDoWw7PQO6QiGpHXhgA==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-eFndh1WEK5YMUYvy3lPlVmYY/fZcQE1D8oSf41Id2vCeIkKJXPcYDCZD+4+xViI6b1XSd7tE+s5AmXzz5ilabQ==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-eFndh1WEK5YMUYvy3lPlVmYY/fZcQE1D8oSf41Id2vCeIkKJXPcYDCZD+4+xViI6b1XSd7tE+s5AmXzz5ilabQ==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-eJO+/+RsrG2RpmY68jZdwQtnfsxjmPxzMlQpnHKjFPwrYqvlcT+fHdT+ZVwcjlWSrByOhGr9Ff2GG17efc192A==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-eJO+/+RsrG2RpmY68jZdwQtnfsxjmPxzMlQpnHKjFPwrYqvlcT+fHdT+ZVwcjlWSrByOhGr9Ff2GG17efc192A==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-1l4qatFp4PiU6j7UsbasUHL2VU023NRB/gfaa1M0rDqVrRN4g3mCArLRyH3OuktApA4ye+yjWQHjdziunw2eWA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-1l4qatFp4PiU6j7UsbasUHL2VU023NRB/gfaa1M0rDqVrRN4g3mCArLRyH3OuktApA4ye+yjWQHjdziunw2eWA==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-Ff68R5lJh2zj+AUTvbAU/4yx+6QPRzg7+pI7M1FbtQHcRIp7xvguxVsQBKyB3fwiOwhAKu0lnNyYBaQfSW6TNw==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-Ff68R5lJh2zj+AUTvbAU/4yx+6QPRzg7+pI7M1FbtQHcRIp7xvguxVsQBKyB3fwiOwhAKu0lnNyYBaQfSW6TNw==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-LqR7qYLgZTD7nWLBecUi4aqolw8Mhza9ArpNEQ881MJJIU2sE5iHCK6TdyqqzcDLy0OPe10IY4T8ctVdtynubg==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-LqR7qYLgZTD7nWLBecUi4aqolw8Mhza9ArpNEQ881MJJIU2sE5iHCK6TdyqqzcDLy0OPe10IY4T8ctVdtynubg==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-R8Rdn8Hy72KKcebgLiv8jQcQkXoLMOGGv5uI1/k0l+snqkOzQ1R0ChUBCxWMlBsFMekWjq0wRudIweFs7sKT5A==,
- }
- engines: { node: '>=14.0.0' }
+ resolution: {integrity: sha512-R8Rdn8Hy72KKcebgLiv8jQcQkXoLMOGGv5uI1/k0l+snqkOzQ1R0ChUBCxWMlBsFMekWjq0wRudIweFs7sKT5A==}
+ engines: {node: '>=14.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-rUeT12bxFnplYDe815GXbq/oixEGHfRFFtcTF3YdDi/JaENIM6aSYYLJydG83UNzLXeRI5K8abYd/8Sp/QM0kA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-rUeT12bxFnplYDe815GXbq/oixEGHfRFFtcTF3YdDi/JaENIM6aSYYLJydG83UNzLXeRI5K8abYd/8Sp/QM0kA==}
+ engines: {node: '>=16.0.0'}
'@smithy/[email protected]':
- resolution:
- {
- integrity: sha512-/aMXPANhMOlMPjfPtSrDfPeVP8l56SJlz93xeiLmhLe5xvlXA5T3abZ2ilEsDEPeY9T/wnN/vNGn9wa1SbufWA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-/aMXPANhMOlMPjfPtSrDfPeVP8l56SJlz93xeiLmhLe5xvlXA5T3abZ2ilEsDEPeY9T/wnN/vNGn9wa1SbufWA==}
+ engines: {node: '>=16.0.0'}
'@swc/[email protected]':
- resolution:
- {
- integrity: sha512-e2BR4lsJkkRlKZ/qCHPw9ZaSxc0MVUd7gtbtaB7aMvHeJVYe8sOB8DBZkP2DtISHGSku9sCK6T6cnY0CtXrOCQ==,
- }
+ resolution: {integrity: sha512-e2BR4lsJkkRlKZ/qCHPw9ZaSxc0MVUd7gtbtaB7aMvHeJVYe8sOB8DBZkP2DtISHGSku9sCK6T6cnY0CtXrOCQ==}
'@swc/[email protected]':
- resolution:
- {
- integrity: sha512-JQ5TuMi45Owi4/BIMAJBoSQoOJu12oOk/gADqlcUL9JEdHB8vyjUSsxqeNXnmXHjYKMi2WcYtezGEEhqUI/E2g==,
- }
+ resolution: {integrity: sha512-JQ5TuMi45Owi4/BIMAJBoSQoOJu12oOk/gADqlcUL9JEdHB8vyjUSsxqeNXnmXHjYKMi2WcYtezGEEhqUI/E2g==}
'@tailwindcss/[email protected]':
- resolution:
- {
- integrity: sha512-AqhlCXl+8grUz8uqExv5OTtgpjuVIwFTSXTrh8y9/pw6q2ek7fJ+Y8ZEVw7EB2DCcuCOtEjf9w3+J3rzts01uA==,
- }
+ resolution: {integrity: sha512-AqhlCXl+8grUz8uqExv5OTtgpjuVIwFTSXTrh8y9/pw6q2ek7fJ+Y8ZEVw7EB2DCcuCOtEjf9w3+J3rzts01uA==}
peerDependencies:
tailwindcss: '>=3.0.0 || insiders || >=4.0.0-alpha.20'
'@tokenizer/[email protected]':
- resolution:
- {
- integrity: sha512-OvjF+z51L3ov0OyAU0duzsYuvO01PH7x4t6DJx+guahgTnBHkhJdG7soQeTSFLWN3efnHyibZ4Z8l2EuWwJN3A==,
- }
+ resolution: {integrity: sha512-OvjF+z51L3ov0OyAU0duzsYuvO01PH7x4t6DJx+guahgTnBHkhJdG7soQeTSFLWN3efnHyibZ4Z8l2EuWwJN3A==}
'@types/[email protected]':
- resolution:
- {
- integrity: sha512-veQTnWP+1D/xbxVrPC3zHnCZRjSrKfhbMUlEA43iMZLu7EsnTtkJklIuwrCPbOi8YkvDQAiW05VQQFvvz9oieQ==,
- }
+ resolution: {integrity: sha512-veQTnWP+1D/xbxVrPC3zHnCZRjSrKfhbMUlEA43iMZLu7EsnTtkJklIuwrCPbOi8YkvDQAiW05VQQFvvz9oieQ==}
'@types/[email protected]':
- resolution:
- {
- integrity: sha512-kG7WrUuAKK0NoyxfQHsVE6j1m01s6kMma64E+OZenQABMQyTJop1DumUWcLwAQ2JzpefU7PDYoRDKl8uZosFjw==,
- }
+ resolution: {integrity: sha512-kG7WrUuAKK0NoyxfQHsVE6j1m01s6kMma64E+OZenQABMQyTJop1DumUWcLwAQ2JzpefU7PDYoRDKl8uZosFjw==}
'@types/[email protected]':
- resolution:
- {
- integrity: sha512-vIChWdVG3LG1SMxEvI/AK+FWJthlrqlTu7fbrlywTkkaONwk/UAGaULXRlf8vkzFBLVm0zkMdCquhL5aOjhXPQ==,
- }
+ resolution: {integrity: sha512-vIChWdVG3LG1SMxEvI/AK+FWJthlrqlTu7fbrlywTkkaONwk/UAGaULXRlf8vkzFBLVm0zkMdCquhL5aOjhXPQ==}
'@types/[email protected]':
- resolution:
- {
- integrity: sha512-qZ72SFTgUAZ5a7Tj6kf2SHLetiH5S6f8G5frB2SPQ3EyF02kxdyBFf4Tz4banE3xCgGnKgWLt//a6VuYHKYJTg==,
- }
+ resolution: {integrity: sha512-qZ72SFTgUAZ5a7Tj6kf2SHLetiH5S6f8G5frB2SPQ3EyF02kxdyBFf4Tz4banE3xCgGnKgWLt//a6VuYHKYJTg==}
'@types/[email protected]':
- resolution:
- {
- integrity: sha512-52CcUVNFyfb1A2ALocQw/Dd1BQFNmSdkuC3BkZ6iqhdMfQz7JWOFRuJFloOzjk+6WijU56m9oKXFAXc7o3Towg==,
- }
+ resolution: {integrity: sha512-52CcUVNFyfb1A2ALocQw/Dd1BQFNmSdkuC3BkZ6iqhdMfQz7JWOFRuJFloOzjk+6WijU56m9oKXFAXc7o3Towg==}
'@types/[email protected]':
- resolution:
- {
- integrity: sha512-AYnb1nQyY49te+VRAVgmzfcgjYS91mY5P0TKUDCLEM+gNnA+3T6rWITXRLYCpahpqSQbN5cE+gHpnPyXjHWxcw==,
- }
+ resolution: {integrity: sha512-AYnb1nQyY49te+VRAVgmzfcgjYS91mY5P0TKUDCLEM+gNnA+3T6rWITXRLYCpahpqSQbN5cE+gHpnPyXjHWxcw==}
'@types/[email protected]':
- resolution:
- {
- integrity: sha512-WPs+bbQw5aCj+x6laNGWLH3wviHtoCv/P3+otBhbOhJgG8qtpdAMlTCxLtsTWA7LH1Oh/bFCHsBn0TPS5m30EQ==,
- }
+ resolution: {integrity: sha512-WPs+bbQw5aCj+x6laNGWLH3wviHtoCv/P3+otBhbOhJgG8qtpdAMlTCxLtsTWA7LH1Oh/bFCHsBn0TPS5m30EQ==}
'@types/[email protected]':
- resolution:
- {
- integrity: sha512-5+fP8P8MFNC+AyZCDxrB2pkZFPGzqQWUzpSeuuVLvm8VMcorNYavBqoFcxK8bQz4Qsbn4oUEEem4wDLfcysGHA==,
- }
+ resolution: {integrity: sha512-5+fP8P8MFNC+AyZCDxrB2pkZFPGzqQWUzpSeuuVLvm8VMcorNYavBqoFcxK8bQz4Qsbn4oUEEem4wDLfcysGHA==}
'@types/[email protected]':
- resolution:
- {
- integrity: sha512-dRLjCWHYg4oaA77cxO64oO+7JwCwnIzkZPdrrC71jQmQtlhM556pwKo5bUzqvZndkVbeFLIIi+9TC40JNF5hNQ==,
- }
+ resolution: {integrity: sha512-dRLjCWHYg4oaA77cxO64oO+7JwCwnIzkZPdrrC71jQmQtlhM556pwKo5bUzqvZndkVbeFLIIi+9TC40JNF5hNQ==}
'@types/[email protected]':
- resolution:
- {
- integrity: sha512-lfx+dftrEZcdBPczf9d0Qv0x+j/rfNCMuC6OcfXmO8gkfeNAY88PgKUbvG56whcN23gc27yenwF6oJZXGFpYxg==,
- }
+ resolution: {integrity: sha512-lfx+dftrEZcdBPczf9d0Qv0x+j/rfNCMuC6OcfXmO8gkfeNAY88PgKUbvG56whcN23gc27yenwF6oJZXGFpYxg==}
'@types/[email protected]':
- resolution:
- {
- integrity: sha512-kGaNbPh1k7AFzgpud/gMdvIm5xuECykRR+JnWKQno9TAXVa6WIVCGTPvYGekIDL4uwCZQSYbUxNBSb1aUo79oA==,
- }
+ resolution: {integrity: sha512-kGaNbPh1k7AFzgpud/gMdvIm5xuECykRR+JnWKQno9TAXVa6WIVCGTPvYGekIDL4uwCZQSYbUxNBSb1aUo79oA==}
'@types/[email protected]':
- resolution:
- {
- integrity: sha512-nG96G3Wp6acyAgJqGasjODb+acrI7KltPiRxzHPXnP3NgI28bpQDRv53olbqGXbfcgF5aiiHmO3xpwEpS5Ld9g==,
- }
+ resolution: {integrity: sha512-nG96G3Wp6acyAgJqGasjODb+acrI7KltPiRxzHPXnP3NgI28bpQDRv53olbqGXbfcgF5aiiHmO3xpwEpS5Ld9g==}
'@types/[email protected]':
- resolution:
- {
- integrity: sha512-FDuKUJQm/ju9fT/SeX/6+gBzoPzlVCzfzmGkwKvRHQVxi4BntVbyIwf6a4Xn62mrvndLiml6z/UBXIdEVjQLXg==,
- }
+ resolution: {integrity: sha512-FDuKUJQm/ju9fT/SeX/6+gBzoPzlVCzfzmGkwKvRHQVxi4BntVbyIwf6a4Xn62mrvndLiml6z/UBXIdEVjQLXg==}
'@types/[email protected]':
- resolution:
- {
- integrity: sha512-dISoDXWWQwUquiKsyZ4Ng+HX2KsPL7LyHKHQwgGFEA3IaKac4Obd+h2a/a6waisAoepJlBcx9paWqjA8/HVjCw==,
- }
+ resolution: {integrity: sha512-dISoDXWWQwUquiKsyZ4Ng+HX2KsPL7LyHKHQwgGFEA3IaKac4Obd+h2a/a6waisAoepJlBcx9paWqjA8/HVjCw==}
'@types/[email protected]':
- resolution:
- {
- integrity: sha512-AUZTa7hQ2KY5L7AmtSiqxlhWxb4ina0yd8hNbl4TWuqnv/pFP0nDMb3YrfSBf4hJVGLh2YEIBfKaBW/9UEl6IQ==,
- }
+ resolution: {integrity: sha512-AUZTa7hQ2KY5L7AmtSiqxlhWxb4ina0yd8hNbl4TWuqnv/pFP0nDMb3YrfSBf4hJVGLh2YEIBfKaBW/9UEl6IQ==}
'@types/[email protected]':
- resolution:
- {
- integrity: sha512-hljHij7MpWPKF6u5vojuyfV0YA4YURsQG7KT6SzV0Zs2BXAtgdTxG6A229Ub/xiWV4w/7JL8fi6aAyjshH4meA==,
- }
+ resolution: {integrity: sha512-hljHij7MpWPKF6u5vojuyfV0YA4YURsQG7KT6SzV0Zs2BXAtgdTxG6A229Ub/xiWV4w/7JL8fi6aAyjshH4meA==}
'@types/[email protected]':
- resolution:
- {
- integrity: sha512-RM05tAniPZ5DZPzzNFP+DmrcOdD0efDUxMy3145oljWSl3x9ZV5vhme98gTxFrj2lhXvmGNnUiuDyJgY9IKkNA==,
- }
+ resolution: {integrity: sha512-RM05tAniPZ5DZPzzNFP+DmrcOdD0efDUxMy3145oljWSl3x9ZV5vhme98gTxFrj2lhXvmGNnUiuDyJgY9IKkNA==}
'@types/[email protected]':
- resolution:
- {
- integrity: sha512-YW6614BDhqbpR5KtUYzTA+zlA7nayzJRA9ljz9CQoxthR0sDisYZLuvSMsil36t4EH/uAt8T52Xb4sVw17G+SQ==,
- }
+ resolution: {integrity: sha512-YW6614BDhqbpR5KtUYzTA+zlA7nayzJRA9ljz9CQoxthR0sDisYZLuvSMsil36t4EH/uAt8T52Xb4sVw17G+SQ==}
'@types/[email protected]':
- resolution:
- {
- integrity: sha512-CmBKiL6NNo/OqgmMn95Fk9Whlp2mtvIv+KNpQKN2F4SjvrEesubTRWGYSg+BnWZOnlCaSTU1sMpsBOzgbYhnsA==,
- }
+ resolution: {integrity: sha512-CmBKiL6NNo/OqgmMn95Fk9Whlp2mtvIv+KNpQKN2F4SjvrEesubTRWGYSg+BnWZOnlCaSTU1sMpsBOzgbYhnsA==}
'@types/[email protected]':
- resolution:
- {
- integrity: sha512-ko/gIFJRv177XgZsZcBwnqJN5x/Gien8qNOn0D5bQU/zAzVf9Zt3BlcUiLqhV9y4ARk0GbT3tnUiPNgnTXzc/Q==,
- }
+ resolution: {integrity: sha512-ko/gIFJRv177XgZsZcBwnqJN5x/Gien8qNOn0D5bQU/zAzVf9Zt3BlcUiLqhV9y4ARk0GbT3tnUiPNgnTXzc/Q==}
'@types/[email protected]':
- resolution:
- {
- integrity: sha512-7gqG38EyHgyP1S+7+xomFtL+ZNHcKv6DwNaCZmJmo1vgMugyF3TCnXVg4t1uk89mLNwnLtnY3TpOpCOyp1/xHQ==,
- }
+ resolution: {integrity: sha512-7gqG38EyHgyP1S+7+xomFtL+ZNHcKv6DwNaCZmJmo1vgMugyF3TCnXVg4t1uk89mLNwnLtnY3TpOpCOyp1/xHQ==}
'@types/[email protected]':
- resolution:
- {
- integrity: sha512-CiJJvcRtIgzadHCYXw7dqEnMNRjhGZlYK05Mj9OyktqV8uVT8fD2BFOB7S1uwBE3Kj2Z+4UyPmFw/Ixgw/LAlA==,
- }
+ resolution: {integrity: sha512-CiJJvcRtIgzadHCYXw7dqEnMNRjhGZlYK05Mj9OyktqV8uVT8fD2BFOB7S1uwBE3Kj2Z+4UyPmFw/Ixgw/LAlA==}
'@types/[email protected]':
- resolution:
- {
- integrity: sha512-coYR071JRaHa+xoEvvYqvnIHaVqaYrLPbsufM9BF63HkwI5Lgmy2QR8Q5K/lYDYo5AK82wOvSOS0UsLTpTG7uQ==,
- }
+ resolution: {integrity: sha512-coYR071JRaHa+xoEvvYqvnIHaVqaYrLPbsufM9BF63HkwI5Lgmy2QR8Q5K/lYDYo5AK82wOvSOS0UsLTpTG7uQ==}
'@typescript-eslint/[email protected]':
- resolution:
- {
- integrity: sha512-HU1KAdW3Tt8zQkdvNoIijfWDMvdSweFYm4hWh+KwhPstv+sCmWb89hCIP8msFm9N1R/ooh9honpSuvqKWlYy3w==,
- }
- engines: { node: ^18.18.0 || ^20.9.0 || >=21.1.0 }
+ resolution: {integrity: sha512-HU1KAdW3Tt8zQkdvNoIijfWDMvdSweFYm4hWh+KwhPstv+sCmWb89hCIP8msFm9N1R/ooh9honpSuvqKWlYy3w==}
+ engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0}
peerDependencies:
'@typescript-eslint/parser': ^8.0.0 || ^8.0.0-alpha.0
eslint: ^8.57.0 || ^9.0.0
@@ -2656,11 +1704,8 @@ packages:
optional: true
'@typescript-eslint/[email protected]':
- resolution:
- {
- integrity: sha512-Drp39TXuUlD49F7ilHHCG7TTg8IkA+hxCuULdmzWYICxGXvDXmDmWEjJYZQYgf6l/TFfYNE167m7isnc3xlIEg==,
- }
- engines: { node: ^18.18.0 || ^20.9.0 || >=21.1.0 }
+ resolution: {integrity: sha512-Drp39TXuUlD49F7ilHHCG7TTg8IkA+hxCuULdmzWYICxGXvDXmDmWEjJYZQYgf6l/TFfYNE167m7isnc3xlIEg==}
+ engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0}
peerDependencies:
eslint: ^8.57.0 || ^9.0.0
typescript: '*'
@@ -2669,18 +1714,12 @@ packages:
optional: true
'@typescript-eslint/[email protected]':
- resolution:
- {
- integrity: sha512-/ewp4XjvnxaREtqsZjF4Mfn078RD/9GmiEAtTeLQ7yFdKnqwTOgRMSvFz4et9U5RiJQ15WTGXPLj89zGusvxBg==,
- }
- engines: { node: ^18.18.0 || ^20.9.0 || >=21.1.0 }
+ resolution: {integrity: sha512-/ewp4XjvnxaREtqsZjF4Mfn078RD/9GmiEAtTeLQ7yFdKnqwTOgRMSvFz4et9U5RiJQ15WTGXPLj89zGusvxBg==}
+ engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0}
'@typescript-eslint/[email protected]':
- resolution:
- {
- integrity: sha512-q38llWJYPd63rRnJ6wY/ZQqIzPrBCkPdpIsaCfkR3Q4t3p6sb422zougfad4TFW9+ElIFLVDzWGiGAfbb/v2qw==,
- }
- engines: { node: ^18.18.0 || ^20.9.0 || >=21.1.0 }
+ resolution: {integrity: sha512-q38llWJYPd63rRnJ6wY/ZQqIzPrBCkPdpIsaCfkR3Q4t3p6sb422zougfad4TFW9+ElIFLVDzWGiGAfbb/v2qw==}
+ engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0}
peerDependencies:
eslint: ^8.57.0 || ^9.0.0
typescript: '*'
@@ -2689,18 +1728,12 @@ packages:
optional: true
'@typescript-eslint/[email protected]':
- resolution:
- {
- integrity: sha512-gY2TVzeve3z6crqh2Ic7Cr+CAv6pfb0Egee7J5UAVWCpVvDI/F71wNfolIim4FE6hT15EbpZFVUj9j5i38jYXA==,
- }
- engines: { node: ^18.18.0 || ^20.9.0 || >=21.1.0 }
+ resolution: {integrity: sha512-gY2TVzeve3z6crqh2Ic7Cr+CAv6pfb0Egee7J5UAVWCpVvDI/F71wNfolIim4FE6hT15EbpZFVUj9j5i38jYXA==}
+ engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0}
'@typescript-eslint/[email protected]':
- resolution:
- {
- integrity: sha512-JqkOopc1nRKZpX+opvKqnM3XUlM7LpFMD0lYxTqOTKQfCWAmxw45e3qlOCsEqEB2yuacujivudOFpCnqkBDNMw==,
- }
- engines: { node: ^18.18.0 || ^20.9.0 || >=21.1.0 }
+ resolution: {integrity: sha512-JqkOopc1nRKZpX+opvKqnM3XUlM7LpFMD0lYxTqOTKQfCWAmxw45e3qlOCsEqEB2yuacujivudOFpCnqkBDNMw==}
+ engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0}
peerDependencies:
typescript: '*'
peerDependenciesMeta:
@@ -2708,11 +1741,8 @@ packages:
optional: true
'@typescript-eslint/[email protected]':
- resolution:
- {
- integrity: sha512-bQC8BnEkxqG8HBGKwG9wXlZqg37RKSMY7v/X8VEWD8JG2JuTHuNK0VFvMPMUKQcbk6B+tf05k+4AShAEtCtJ/w==,
- }
- engines: { node: ^18.18.0 || ^20.9.0 || >=21.1.0 }
+ resolution: {integrity: sha512-bQC8BnEkxqG8HBGKwG9wXlZqg37RKSMY7v/X8VEWD8JG2JuTHuNK0VFvMPMUKQcbk6B+tf05k+4AShAEtCtJ/w==}
+ engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0}
peerDependencies:
eslint: ^8.57.0 || ^9.0.0
typescript: '*'
@@ -2721,720 +1751,393 @@ packages:
optional: true
'@typescript-eslint/[email protected]':
- resolution:
- {
- integrity: sha512-1Hm7THLpO6ww5QU6H/Qp+AusUUl+z/CAm3cNZZ0jQvon9yicgO7Rwd+/WWRpMKLYV6p2UvdbR27c86rzCPpreg==,
- }
- engines: { node: ^18.18.0 || ^20.9.0 || >=21.1.0 }
+ resolution: {integrity: sha512-1Hm7THLpO6ww5QU6H/Qp+AusUUl+z/CAm3cNZZ0jQvon9yicgO7Rwd+/WWRpMKLYV6p2UvdbR27c86rzCPpreg==}
+ engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0}
[email protected]:
- resolution:
- {
- integrity: sha512-6/mh1E2u2YgEsCHdY0Yx5oW+61gZU+1vXaoiHHrpKeuRNNgFvS+/jrwHiQhB5apAf5oB7UB7E19ol2R2LKH8hQ==,
- }
- engines: { node: ^14.17.0 || ^16.13.0 || >=18.0.0 }
+ resolution: {integrity: sha512-6/mh1E2u2YgEsCHdY0Yx5oW+61gZU+1vXaoiHHrpKeuRNNgFvS+/jrwHiQhB5apAf5oB7UB7E19ol2R2LKH8hQ==}
+ engines: {node: ^14.17.0 || ^16.13.0 || >=18.0.0}
[email protected]:
- resolution:
- {
- integrity: sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==,
- }
+ resolution: {integrity: sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==}
peerDependencies:
acorn: ^6.0.0 || ^7.0.0 || ^8.0.0
[email protected]:
- resolution:
- {
- integrity: sha512-tcpGyI9zbizT9JbV6oYE477V6mTlXvvi0T0G3SNIYE2apm/G5huBa1+K89VGeovbg+jycCrfhl3ADxErOuO6Jg==,
- }
- engines: { node: '>=0.4.0' }
+ resolution: {integrity: sha512-tcpGyI9zbizT9JbV6oYE477V6mTlXvvi0T0G3SNIYE2apm/G5huBa1+K89VGeovbg+jycCrfhl3ADxErOuO6Jg==}
+ engines: {node: '>=0.4.0'}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-cl669nCJTZBsL97OF4kUQm5g5hC2uihk0NxY3WENAC0TYdILVkAyHymAntgxGkl7K+t0cXIrH5siy5S4XkFycA==,
- }
- engines: { node: '>=0.4.0' }
+ resolution: {integrity: sha512-cl669nCJTZBsL97OF4kUQm5g5hC2uihk0NxY3WENAC0TYdILVkAyHymAntgxGkl7K+t0cXIrH5siy5S4XkFycA==}
+ engines: {node: '>=0.4.0'}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==,
- }
+ resolution: {integrity: sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==}
[email protected]:
- resolution:
- {
- integrity: sha512-B/gBuNg5SiMTrPkC+A2+cW0RszwxYmn6VYxB/inlBStS5nx6xHIt/ehKRhIMhqusl7a8LjQoZnjCs5vhwxOQ1g==,
- }
+ resolution: {integrity: sha512-B/gBuNg5SiMTrPkC+A2+cW0RszwxYmn6VYxB/inlBStS5nx6xHIt/ehKRhIMhqusl7a8LjQoZnjCs5vhwxOQ1g==}
[email protected]:
- resolution:
- {
- integrity: sha512-s7NKDZgx336cp+oDeUtB2ZzT8jWJp/v2LWuYl+LQtMEODe22RF1IJ4nRiDATp+rp1pTffCZcm44Quw4jx2bqNg==,
- }
+ resolution: {integrity: sha512-s7NKDZgx336cp+oDeUtB2ZzT8jWJp/v2LWuYl+LQtMEODe22RF1IJ4nRiDATp+rp1pTffCZcm44Quw4jx2bqNg==}
[email protected]:
- resolution:
- {
- integrity: sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==,
- }
- engines: { node: '>=8' }
+ resolution: {integrity: sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==}
+ engines: {node: '>=8'}
[email protected]:
- resolution:
- {
- integrity: sha512-7HSX4QQb4CspciLpVFwyRe79O3xsIZDDLER21kERQ71oaPodF8jL725AgJMFAYbooIqolJoRLuM81SpeUkpkvA==,
- }
- engines: { node: '>=12' }
+ resolution: {integrity: sha512-7HSX4QQb4CspciLpVFwyRe79O3xsIZDDLER21kERQ71oaPodF8jL725AgJMFAYbooIqolJoRLuM81SpeUkpkvA==}
+ engines: {node: '>=12'}
[email protected]:
- resolution:
- {
- integrity: sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==,
- }
- engines: { node: '>=8' }
+ resolution: {integrity: sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==}
+ engines: {node: '>=8'}
[email protected]:
- resolution:
- {
- integrity: sha512-bN798gFfQX+viw3R7yrGWRqnrN2oRkEkUjjl4JNn4E8GxxbjtG3FbrEIIY3l8/hrwUwIeCZvi4QuOTP4MErVug==,
- }
- engines: { node: '>=12' }
+ resolution: {integrity: sha512-bN798gFfQX+viw3R7yrGWRqnrN2oRkEkUjjl4JNn4E8GxxbjtG3FbrEIIY3l8/hrwUwIeCZvi4QuOTP4MErVug==}
+ engines: {node: '>=12'}
[email protected]:
- resolution:
- {
- integrity: sha512-7UvmKalWRt1wgjL1RrGxoSJW/0QZFIegpeGvZG9kjp8vrRu55XTHbwnqq2GpXm9uLbcuhxm3IqX9OB4MZR1b2A==,
- }
+ resolution: {integrity: sha512-7UvmKalWRt1wgjL1RrGxoSJW/0QZFIegpeGvZG9kjp8vrRu55XTHbwnqq2GpXm9uLbcuhxm3IqX9OB4MZR1b2A==}
[email protected]:
- resolution:
- {
- integrity: sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==,
- }
- engines: { node: '>= 8' }
+ resolution: {integrity: sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==}
+ engines: {node: '>= 8'}
[email protected]:
- resolution:
- {
- integrity: sha512-PYjyFOLKQ9y57JvQ6QLo8dAgNqswh8M1RMJYdQduT6xbWSgK36P/Z/v+p888pM69jMMfS8Xd8F6I1kQ/I9HUGg==,
- }
+ resolution: {integrity: sha512-PYjyFOLKQ9y57JvQ6QLo8dAgNqswh8M1RMJYdQduT6xbWSgK36P/Z/v+p888pM69jMMfS8Xd8F6I1kQ/I9HUGg==}
[email protected]:
- resolution:
- {
- integrity: sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==,
- }
+ resolution: {integrity: sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==}
[email protected]:
- resolution:
- {
- integrity: sha512-y+CcFFwelSXpLZk/7fMB2mUbGtX9lKycf1MWJ7CaTIERyitVlyQx6C+sxcROU2BAJ24OiZyK+8wj2i8AlBoS3A==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-y+CcFFwelSXpLZk/7fMB2mUbGtX9lKycf1MWJ7CaTIERyitVlyQx6C+sxcROU2BAJ24OiZyK+8wj2i8AlBoS3A==}
+ engines: {node: '>=10'}
[email protected]:
- resolution:
- {
- integrity: sha512-COROpnaoap1E2F000S62r6A60uHZnmlvomhfyT2DlTcrY1OrBKn2UhH7qn5wTC9zMvD0AY7csdPSNwKP+7WiQw==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-COROpnaoap1E2F000S62r6A60uHZnmlvomhfyT2DlTcrY1OrBKn2UhH7qn5wTC9zMvD0AY7csdPSNwKP+7WiQw==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-ahC5W1xgou+KTXix4sAO8Ki12Q+jf4i0+tmk3sC+zgcynshkHxzpXdImBehiUYKKKDwvfFiJl1tZt6ewscS1Mg==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-ahC5W1xgou+KTXix4sAO8Ki12Q+jf4i0+tmk3sC+zgcynshkHxzpXdImBehiUYKKKDwvfFiJl1tZt6ewscS1Mg==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-itaWrbYbqpGXkGhZPGUulwnhVf5Hpy1xiCFsGqyIGglbBxmG5vSjxQen3/WGOjPpNEv1RtBLKxbmVXm8HpJStQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-itaWrbYbqpGXkGhZPGUulwnhVf5Hpy1xiCFsGqyIGglbBxmG5vSjxQen3/WGOjPpNEv1RtBLKxbmVXm8HpJStQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-CVvd6FHg1Z3POpBLxO6E6zr+rSKEQ9L6rZHAaY7lLfhKsWYUBBOuMs0e9o24oopj6H+geRCX0YJ+TJLBK2eHyQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-CVvd6FHg1Z3POpBLxO6E6zr+rSKEQ9L6rZHAaY7lLfhKsWYUBBOuMs0e9o24oopj6H+geRCX0YJ+TJLBK2eHyQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-zfETvRFA8o7EiNn++N5f/kaCw221hrpGsDmcpndVupkPzEc1Wuf3VgC0qby1BbHs7f5DVYjgtEU2LLh5bqeGfQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-zfETvRFA8o7EiNn++N5f/kaCw221hrpGsDmcpndVupkPzEc1Wuf3VgC0qby1BbHs7f5DVYjgtEU2LLh5bqeGfQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-djYB+Zx2vLewY8RWlNCUdHjDXs2XOgm602S9E7P/UpHgfeHL00cRiIF+IN/G/aUJ7kGPb6yO/ErDI5V2s8iycA==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-djYB+Zx2vLewY8RWlNCUdHjDXs2XOgm602S9E7P/UpHgfeHL00cRiIF+IN/G/aUJ7kGPb6yO/ErDI5V2s8iycA==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-Ewyx0c9PmpcsByhSW4r+9zDU7sGjFc86qf/kKtuSCRdhfbk0SNLLkaT5qvcHnRGgc5NP/ly/y+qkXkqONX54CQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-Ewyx0c9PmpcsByhSW4r+9zDU7sGjFc86qf/kKtuSCRdhfbk0SNLLkaT5qvcHnRGgc5NP/ly/y+qkXkqONX54CQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-p6Fx8B7b7ZhL/gmUsAy0D15WhvDccw3mnGNbZpi3pmeJdxtWsj2jEaI4Y6oo3XiHfzuSgPwKc04MYt6KgvC/wA==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-p6Fx8B7b7ZhL/gmUsAy0D15WhvDccw3mnGNbZpi3pmeJdxtWsj2jEaI4Y6oo3XiHfzuSgPwKc04MYt6KgvC/wA==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-bMxMKAjg13EBSVscxTaYA4mRc5t1UAXa2kXiGTNfZ079HIWXEkKmkgFrh/nJqamaLSrXO5H4WFFkPEaLJWbs3A==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-bMxMKAjg13EBSVscxTaYA4mRc5t1UAXa2kXiGTNfZ079HIWXEkKmkgFrh/nJqamaLSrXO5H4WFFkPEaLJWbs3A==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-OH/2E5Fg20h2aPrbe+QL8JZQFko0YZaF+j4mnQ7BGhfavO7OpSLa8a0y9sBwomHdSbkhTS8TQNayBfnW5DwbvQ==,
- }
+ resolution: {integrity: sha512-OH/2E5Fg20h2aPrbe+QL8JZQFko0YZaF+j4mnQ7BGhfavO7OpSLa8a0y9sBwomHdSbkhTS8TQNayBfnW5DwbvQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-Oei9OH4tRh0YqU3GxhX79dM/mwVgvbZJaSNaRk+bshkj0S5cfHcgYakreBjrHwatXKbz+IoIdYLxrKim2MjW0Q==,
- }
+ resolution: {integrity: sha512-Oei9OH4tRh0YqU3GxhX79dM/mwVgvbZJaSNaRk+bshkj0S5cfHcgYakreBjrHwatXKbz+IoIdYLxrKim2MjW0Q==}
[email protected]:
- resolution:
- {
- integrity: sha512-kNOjDqAh7px0XWNI+4QbzoiR/nTkHAWNud2uvnJquD1/x5a7EQZMJT0AczqK0Qn67oY/TTQ1LbUKajZpp3I9tQ==,
- }
- engines: { node: '>=8.0.0' }
+ resolution: {integrity: sha512-kNOjDqAh7px0XWNI+4QbzoiR/nTkHAWNud2uvnJquD1/x5a7EQZMJT0AczqK0Qn67oY/TTQ1LbUKajZpp3I9tQ==}
+ engines: {node: '>=8.0.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-XY25y5xSv/wEoqzDyXXME4AFfkZI0P23z6Fs3YgymDnKJkCGOnkL0iTxCa85UTqaSgfcqyf3UA6+c7wUvx/16g==,
- }
- engines: { node: ^10 || ^12 || >=14 }
+ resolution: {integrity: sha512-XY25y5xSv/wEoqzDyXXME4AFfkZI0P23z6Fs3YgymDnKJkCGOnkL0iTxCa85UTqaSgfcqyf3UA6+c7wUvx/16g==}
+ engines: {node: ^10 || ^12 || >=14}
hasBin: true
peerDependencies:
postcss: ^8.1.0
[email protected]:
- resolution:
- {
- integrity: sha512-wvUjBtSGN7+7SjNpq/9M2Tg350UZD3q62IFZLbRAR1bSMlCo1ZaeW+BJ+D090e4hIIZLBcTDWe4Mh4jvUDajzQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-wvUjBtSGN7+7SjNpq/9M2Tg350UZD3q62IFZLbRAR1bSMlCo1ZaeW+BJ+D090e4hIIZLBcTDWe4Mh4jvUDajzQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-RE3mdQ7P3FRSe7eqCWoeQ/Z9QXrtniSjp1wUjt5nRC3WIpz5rSCve6o3fsZ2aCpJtrZjSZgjwXAoTO5k4tEI0w==,
- }
- engines: { node: '>=4' }
+ resolution: {integrity: sha512-RE3mdQ7P3FRSe7eqCWoeQ/Z9QXrtniSjp1wUjt5nRC3WIpz5rSCve6o3fsZ2aCpJtrZjSZgjwXAoTO5k4tEI0w==}
+ engines: {node: '>=4'}
[email protected]:
- resolution:
- {
- integrity: sha512-S4XCWMEmzvo64T9GfvQDOXgYRDJ/wsSZc7Jvdgx5u1sd0JwsuPLqb3SYmusag+edF6ziyMensPVqLTSc1PiSEA==,
- }
+ resolution: {integrity: sha512-S4XCWMEmzvo64T9GfvQDOXgYRDJ/wsSZc7Jvdgx5u1sd0JwsuPLqb3SYmusag+edF6ziyMensPVqLTSc1PiSEA==}
[email protected]:
- resolution:
- {
- integrity: sha512-qIj0G9wZbMGNLjLmg1PT6v2mE9AH2zlnADJD/2tC6E00hgmhUOfEB6greHPAfLRSufHqROIUTkw6E+M3lH0PTQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-qIj0G9wZbMGNLjLmg1PT6v2mE9AH2zlnADJD/2tC6E00hgmhUOfEB6greHPAfLRSufHqROIUTkw6E+M3lH0PTQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-OnAYlL5b7LEkALw87fUVafQw5rVR9RjwGd4KUwNQ6DrrNmaVaUCgLipfVlzrPQ4tWOR9P0IXGNOx50jYCCdSJg==,
- }
+ resolution: {integrity: sha512-OnAYlL5b7LEkALw87fUVafQw5rVR9RjwGd4KUwNQ6DrrNmaVaUCgLipfVlzrPQ4tWOR9P0IXGNOx50jYCCdSJg==}
[email protected]:
- resolution:
- {
- integrity: sha512-Cg7TFGpIr01vOQNODXOOaGz2NpCU5gl8x1qJFbb6hbZxR7XrcE2vtbAsTAbJ7/xwJtUuJEw8K8Zr/AE0LHlesg==,
- }
- engines: { node: '>=10', npm: '>=6' }
+ resolution: {integrity: sha512-Cg7TFGpIr01vOQNODXOOaGz2NpCU5gl8x1qJFbb6hbZxR7XrcE2vtbAsTAbJ7/xwJtUuJEw8K8Zr/AE0LHlesg==}
+ engines: {node: '>=10', npm: '>=6'}
[email protected]:
- resolution:
- {
- integrity: sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==,
- }
+ resolution: {integrity: sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==}
[email protected]:
- resolution:
- {
- integrity: sha512-/E8dDe9dsbLyh2qrZ64PEPadOQ0F4gbl1sUJOrmph7xOiIxfY8vwab/4bFLh4Y88/Hk/ujKcrQKc+ps0mv873A==,
- }
+ resolution: {integrity: sha512-/E8dDe9dsbLyh2qrZ64PEPadOQ0F4gbl1sUJOrmph7xOiIxfY8vwab/4bFLh4Y88/Hk/ujKcrQKc+ps0mv873A==}
[email protected]:
- resolution:
- {
- integrity: sha512-SlE9eTxifPDJrT6YgemQ1WGFleevzwY+XAP1Xqgl56HtcrisC2CHCZ2tq6dBpcH2TnNxwUEUGhweo+lrQtYuiw==,
- }
+ resolution: {integrity: sha512-SlE9eTxifPDJrT6YgemQ1WGFleevzwY+XAP1Xqgl56HtcrisC2CHCZ2tq6dBpcH2TnNxwUEUGhweo+lrQtYuiw==}
[email protected]:
- resolution:
- {
- integrity: sha512-z3UiI2yi1mK0sXeRdc4O1Kk8aOa/e+FNWZcTiPB/dfTWyLypuE99LibgRaQki914Jq//yAWylcAt+mknKdixRQ==,
- }
+ resolution: {integrity: sha512-z3UiI2yi1mK0sXeRdc4O1Kk8aOa/e+FNWZcTiPB/dfTWyLypuE99LibgRaQki914Jq//yAWylcAt+mknKdixRQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-lh/eITfU8hrj9Ru5quUp0Io1kJWIk1bTjzo7JH1P5dWmQ2EL4hFUlfI8FonAhSlgIfhn63p84CDY/x+PisgcXA==,
- }
+ resolution: {integrity: sha512-lh/eITfU8hrj9Ru5quUp0Io1kJWIk1bTjzo7JH1P5dWmQ2EL4hFUlfI8FonAhSlgIfhn63p84CDY/x+PisgcXA==}
[email protected]:
- resolution:
- {
- integrity: sha512-XZ4ln/KV4KT+PXdIWTKjsLY+quqCaEtqqtgGJVPw9AoM73By03ij64YjepK0aQvHSWDb6AfAZwqKaFu68qkrdA==,
- }
+ resolution: {integrity: sha512-XZ4ln/KV4KT+PXdIWTKjsLY+quqCaEtqqtgGJVPw9AoM73By03ij64YjepK0aQvHSWDb6AfAZwqKaFu68qkrdA==}
[email protected]:
- resolution:
- {
- integrity: sha512-AKpaYlHn8t4SVbOHCy+b5+KKgvR4vrsD8vbvrbiQJps7fKDTkjkDry6ji0rUJjC0kzbNePLwzxq8iypo41qeWA==,
- }
+ resolution: {integrity: sha512-AKpaYlHn8t4SVbOHCy+b5+KKgvR4vrsD8vbvrbiQJps7fKDTkjkDry6ji0rUJjC0kzbNePLwzxq8iypo41qeWA==}
[email protected]:
- resolution:
- {
- integrity: sha512-Ceh+7ox5qe7LJuLHoY0feh3pHuUDHAcRUeyL2VYghZwfpkNIy/+8Ocg0a3UuSoYzavmylwuLWQOf3hl0jjMMIw==,
- }
- engines: { node: '>=8' }
+ resolution: {integrity: sha512-Ceh+7ox5qe7LJuLHoY0feh3pHuUDHAcRUeyL2VYghZwfpkNIy/+8Ocg0a3UuSoYzavmylwuLWQOf3hl0jjMMIw==}
+ engines: {node: '>=8'}
[email protected]:
- resolution:
- {
- integrity: sha512-1W07cM9gS6DcLperZfFSj+bWLtaPGSOHWhPiGzXmvVJbRLdG82sH/Kn8EtW1VqWVA54AKf2h5k5BbnIbwF3h6w==,
- }
+ resolution: {integrity: sha512-1W07cM9gS6DcLperZfFSj+bWLtaPGSOHWhPiGzXmvVJbRLdG82sH/Kn8EtW1VqWVA54AKf2h5k5BbnIbwF3h6w==}
[email protected]:
- resolution:
- {
- integrity: sha512-a7tP5+0Mw3YlUJcGAKUqIBkYYGlYxk2fnCasq/FUph1hadxlTRjF+gAcZksxANnaMnALjxEddmSi/H3OR8ugcQ==,
- }
+ resolution: {integrity: sha512-a7tP5+0Mw3YlUJcGAKUqIBkYYGlYxk2fnCasq/FUph1hadxlTRjF+gAcZksxANnaMnALjxEddmSi/H3OR8ugcQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-AlcaJBi/pqqJBIQ8U9Mcpc9i8Aqxn88Skv5d+xBX006BY5u8N3mGLHa5Lgppa7L/HfwgwLgZ6NYs+Ag6uUmJRA==,
- }
+ resolution: {integrity: sha512-AlcaJBi/pqqJBIQ8U9Mcpc9i8Aqxn88Skv5d+xBX006BY5u8N3mGLHa5Lgppa7L/HfwgwLgZ6NYs+Ag6uUmJRA==}
[email protected]:
- resolution:
- {
- integrity: sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==,
- }
+ resolution: {integrity: sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==}
[email protected]:
- resolution:
- {
- integrity: sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==,
- }
+ resolution: {integrity: sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==}
[email protected]:
- resolution:
- {
- integrity: sha512-yQbXgO/OSZVD2IsiLlro+7Hf6Q18EJrKSEsdoMzKePKXct3gvD8oLcOQdIzGupr5Fj+EDe8gO/lxc1BzfMpxvA==,
- }
- engines: { node: '>=8' }
+ resolution: {integrity: sha512-yQbXgO/OSZVD2IsiLlro+7Hf6Q18EJrKSEsdoMzKePKXct3gvD8oLcOQdIzGupr5Fj+EDe8gO/lxc1BzfMpxvA==}
+ engines: {node: '>=8'}
[email protected]:
- resolution:
- {
- integrity: sha512-ZIc+Q62revdMcqC6aChtW4jz3My3klmCO1fEmINZY/8J3EpBg5/A/D0AKmBveUh6pgoeycoMkVMko84tuYS+Gg==,
- }
- engines: { node: ^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7 }
+ resolution: {integrity: sha512-ZIc+Q62revdMcqC6aChtW4jz3My3klmCO1fEmINZY/8J3EpBg5/A/D0AKmBveUh6pgoeycoMkVMko84tuYS+Gg==}
+ engines: {node: ^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-vgnKAUzcDoa+AeyYwXCoHyF2q6u/8H46dxu5JN+4/TZeq/Dlinn0K6GvxsCLb3LHUJl0m/TLiEK31kUwtgocMQ==,
- }
+ resolution: {integrity: sha512-vgnKAUzcDoa+AeyYwXCoHyF2q6u/8H46dxu5JN+4/TZeq/Dlinn0K6GvxsCLb3LHUJl0m/TLiEK31kUwtgocMQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-P92xmHDQjSKPLHqFxefqMxASNq/aWJMEZugpCjf+AF/pgcUpMMQCg7t7+ewko0/u8AapvF3luf/FoehddEK+sA==,
- }
- engines: { node: '>=16.20.1' }
+ resolution: {integrity: sha512-P92xmHDQjSKPLHqFxefqMxASNq/aWJMEZugpCjf+AF/pgcUpMMQCg7t7+ewko0/u8AapvF3luf/FoehddEK+sA==}
+ engines: {node: '>=16.20.1'}
[email protected]:
- resolution:
- {
- integrity: sha512-xq+q3SRMOxGivLhBNaUdC64hDTQwejJ+H0T/NB1XMtTVEwNTrfFF3gAxiyW0Bu/xWEGhjVKgUcMhCrUy2+uCWg==,
- }
+ resolution: {integrity: sha512-xq+q3SRMOxGivLhBNaUdC64hDTQwejJ+H0T/NB1XMtTVEwNTrfFF3gAxiyW0Bu/xWEGhjVKgUcMhCrUy2+uCWg==}
[email protected]:
- resolution:
- {
- integrity: sha512-/gDYp/UtU0eA1ys8bOs9J6a+E/KWIY+DZ+Q2WESNUA0jFRsJOc0SNUO6xJ5SGA1xueg3NL65W6s+NY5l9cunuw==,
- }
+ resolution: {integrity: sha512-/gDYp/UtU0eA1ys8bOs9J6a+E/KWIY+DZ+Q2WESNUA0jFRsJOc0SNUO6xJ5SGA1xueg3NL65W6s+NY5l9cunuw==}
[email protected]:
- resolution:
- {
- integrity: sha512-EHcyIPBQ4BSGlvjB16k5KgAJ27CIsHY/2JBmCRReo48y9rQ3MaUzWX3KVlBa4U7MyX02HdVj0K7C3WaB3ju7FQ==,
- }
+ resolution: {integrity: sha512-EHcyIPBQ4BSGlvjB16k5KgAJ27CIsHY/2JBmCRReo48y9rQ3MaUzWX3KVlBa4U7MyX02HdVj0K7C3WaB3ju7FQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-8SFQbg/0hQ9xy3UNTB0YEnsNBbWfhf7RtnzpL7TkBiTBRfrQ9Fxcnz7VJsleJpyp6rVLvXiuORqjlHi5q+PYuA==,
- }
- engines: { node: '>=10.16.0' }
+ resolution: {integrity: sha512-8SFQbg/0hQ9xy3UNTB0YEnsNBbWfhf7RtnzpL7TkBiTBRfrQ9Fxcnz7VJsleJpyp6rVLvXiuORqjlHi5q+PYuA==}
+ engines: {node: '>=10.16.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-GHTSNSYICQ7scH7sZ+M2rFopRoLh8t2bLSW6BbgrtLsahOIB5iyAVJf9GjWK3cYTDaMj4XdBpM1cA6pIS0Kv2w==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-GHTSNSYICQ7scH7sZ+M2rFopRoLh8t2bLSW6BbgrtLsahOIB5iyAVJf9GjWK3cYTDaMj4XdBpM1cA6pIS0Kv2w==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==,
- }
- engines: { node: '>=6' }
+ resolution: {integrity: sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==}
+ engines: {node: '>=6'}
[email protected]:
- resolution:
- {
- integrity: sha512-QOSvevhslijgYwRx6Rv7zKdMF8lbRmx+uQGx2+vDc+KI/eBnsy9kit5aj23AgGu3pa4t9AgwbnXWqS+iOY+2aA==,
- }
- engines: { node: '>= 6' }
+ resolution: {integrity: sha512-QOSvevhslijgYwRx6Rv7zKdMF8lbRmx+uQGx2+vDc+KI/eBnsy9kit5aj23AgGu3pa4t9AgwbnXWqS+iOY+2aA==}
+ engines: {node: '>= 6'}
[email protected]:
- resolution:
- {
- integrity: sha512-Y7deg0Aergpa24M3qLC5xjNklnKnhsmSyR/V89dLZ1n0ucJIFNs7PgR2Yfa/Zf6W79SbBicgtGxZr2juHkEUIA==,
- }
+ resolution: {integrity: sha512-Y7deg0Aergpa24M3qLC5xjNklnKnhsmSyR/V89dLZ1n0ucJIFNs7PgR2Yfa/Zf6W79SbBicgtGxZr2juHkEUIA==}
[email protected]:
- resolution:
- {
- integrity: sha512-eyrF0jiFpY+3drT6383f1qhkbGsLSifNAjA61IUjZjmLCWjItY6LB9ft9YhoDgwfmclB2zhu51Lc7+95b8NRAg==,
- }
+ resolution: {integrity: sha512-eyrF0jiFpY+3drT6383f1qhkbGsLSifNAjA61IUjZjmLCWjItY6LB9ft9YhoDgwfmclB2zhu51Lc7+95b8NRAg==}
[email protected]:
- resolution:
- {
- integrity: sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==}
+ engines: {node: '>=10'}
[email protected]:
- resolution:
- {
- integrity: sha512-1v7fgQRj6hnSwFpq1Eu0ynr/CDEw0rXo2B61qXrLNdHZmPKgb7fqS1a2JwF0rISo9q77jDI8VMEHoApn8qDoZA==,
- }
+ resolution: {integrity: sha512-1v7fgQRj6hnSwFpq1Eu0ynr/CDEw0rXo2B61qXrLNdHZmPKgb7fqS1a2JwF0rISo9q77jDI8VMEHoApn8qDoZA==}
[email protected]:
- resolution:
- {
- integrity: sha512-RpPp0asT/6ufRm//AJVwpViZbGM/MkjQFxJccQRHmISF/22NBtsHqAWmL+/pmkPWoIUJdWyeVleTl1wydHATVQ==,
- }
+ resolution: {integrity: sha512-RpPp0asT/6ufRm//AJVwpViZbGM/MkjQFxJccQRHmISF/22NBtsHqAWmL+/pmkPWoIUJdWyeVleTl1wydHATVQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-shx7oQ0Awen/BRIdkjkvz54PnEEI/EjwXDSIZp86/KKdbafHh1Df/RYGBhn4hbe2+uKC9FnT5UCEdyPz3ai9hQ==,
- }
+ resolution: {integrity: sha512-shx7oQ0Awen/BRIdkjkvz54PnEEI/EjwXDSIZp86/KKdbafHh1Df/RYGBhn4hbe2+uKC9FnT5UCEdyPz3ai9hQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-iBZ4F4wRbyORVsu0jPV7gXkOsGYjGHPmAyv+HiHG8gi5PtC9KI2j1+v8/tlibRvjoWX027ypmG/n0HtO5t7unw==,
- }
+ resolution: {integrity: sha512-iBZ4F4wRbyORVsu0jPV7gXkOsGYjGHPmAyv+HiHG8gi5PtC9KI2j1+v8/tlibRvjoWX027ypmG/n0HtO5t7unw==}
[email protected]:
- resolution:
- {
- integrity: sha512-yrLQ/yVUFXkzg7EDQsPieE/53+0RlaWTs+wBrvW36cyilJ2SaDWfl4Yj7MtLTXleV9uEKefbAGUPv2/iWSooRA==,
- }
+ resolution: {integrity: sha512-yrLQ/yVUFXkzg7EDQsPieE/53+0RlaWTs+wBrvW36cyilJ2SaDWfl4Yj7MtLTXleV9uEKefbAGUPv2/iWSooRA==}
[email protected]:
- resolution:
- {
- integrity: sha512-7VT13fmjotKpGipCW9JEQAusEPE+Ei8nl6/g4FBAmIm0GOOLMua9NDDo/DWp0ZAxCr3cPq5ZpBqmPAQgDda2Pw==,
- }
- engines: { node: '>= 8.10.0' }
+ resolution: {integrity: sha512-7VT13fmjotKpGipCW9JEQAusEPE+Ei8nl6/g4FBAmIm0GOOLMua9NDDo/DWp0ZAxCr3cPq5ZpBqmPAQgDda2Pw==}
+ engines: {node: '>= 8.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-jJ0bqzaylmJtVnNgzTeSOs8DPavpbYgEr/b0YL8/2GO3xJEhInFmhKMUnEJQjZumK7KXGFhUy89PrsJWlakBVg==,
- }
+ resolution: {integrity: sha512-jJ0bqzaylmJtVnNgzTeSOs8DPavpbYgEr/b0YL8/2GO3xJEhInFmhKMUnEJQjZumK7KXGFhUy89PrsJWlakBVg==}
[email protected]:
- resolution:
- {
- integrity: sha512-HutrvTNsF48wnxkzERIXOe5/mlcfFcbfCmwcg6CJnizbSue78AbDt+1cgl26zwn61WFxhcPykPfZrbqjGmBb4A==,
- }
- engines: { node: '>=8' }
+ resolution: {integrity: sha512-HutrvTNsF48wnxkzERIXOe5/mlcfFcbfCmwcg6CJnizbSue78AbDt+1cgl26zwn61WFxhcPykPfZrbqjGmBb4A==}
+ engines: {node: '>=8'}
[email protected]:
- resolution:
- {
- integrity: sha512-Ka+9Trutv7G8M6WT6SeiRWz792K5qEqIGEGzXKhAE6xOWAY6pPH8U+9IY3oCMv6kqTmLsv7Xh/2w2RigkePMsg==,
- }
+ resolution: {integrity: sha512-Ka+9Trutv7G8M6WT6SeiRWz792K5qEqIGEGzXKhAE6xOWAY6pPH8U+9IY3oCMv6kqTmLsv7Xh/2w2RigkePMsg==}
[email protected]:
- resolution:
- {
- integrity: sha512-saHYOzhIQs6wy2sVxTM6bUDsQO4F50V9RQ22qBpEdCW+I+/Wmke2HOl6lS6dTpdxVhb88/I6+Hs+438c3lfUow==,
- }
+ resolution: {integrity: sha512-saHYOzhIQs6wy2sVxTM6bUDsQO4F50V9RQ22qBpEdCW+I+/Wmke2HOl6lS6dTpdxVhb88/I6+Hs+438c3lfUow==}
[email protected]:
- resolution:
- {
- integrity: sha512-IV3Ou0jSMzZrd3pZ48nLkT9DA7Ag1pnPzaiQhpW7c3RbcqqzvzzVu+L8gfqMp/8IM2MQtSiqaCxrrcfu8I8rMA==,
- }
+ resolution: {integrity: sha512-IV3Ou0jSMzZrd3pZ48nLkT9DA7Ag1pnPzaiQhpW7c3RbcqqzvzzVu+L8gfqMp/8IM2MQtSiqaCxrrcfu8I8rMA==}
[email protected]:
- resolution:
- {
- integrity: sha512-OcRE68cOsVMXp1Yvonl/fzkQOyjLSu/8bhPDfQt0e0/Eb283TKP20Fs2MqoPsr9SwA595rRCA+QMzYc9nBP+JQ==,
- }
+ resolution: {integrity: sha512-OcRE68cOsVMXp1Yvonl/fzkQOyjLSu/8bhPDfQt0e0/Eb283TKP20Fs2MqoPsr9SwA595rRCA+QMzYc9nBP+JQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-eYm0QWBtUrBWZWG0d386OGAw16Z995PiOVo2B7bjWSbHedGl5e0ZWaq65kOGgUSNesEIDkB9ISbTg/JK9dhCZA==,
- }
- engines: { node: '>=6' }
+ resolution: {integrity: sha512-eYm0QWBtUrBWZWG0d386OGAw16Z995PiOVo2B7bjWSbHedGl5e0ZWaq65kOGgUSNesEIDkB9ISbTg/JK9dhCZA==}
+ engines: {node: '>=6'}
[email protected]:
- resolution:
- {
- integrity: sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==,
- }
- engines: { node: '>=7.0.0' }
+ resolution: {integrity: sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==}
+ engines: {node: '>=7.0.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==,
- }
+ resolution: {integrity: sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==}
[email protected]:
- resolution:
- {
- integrity: sha512-shrVawQFojnZv6xM40anx4CkoDP+fZsw/ZerEMsW/pyzsRbElpsL/DBVW7q3ExxwusdNXI3lXpuhEZkzs8p5Eg==,
- }
+ resolution: {integrity: sha512-shrVawQFojnZv6xM40anx4CkoDP+fZsw/ZerEMsW/pyzsRbElpsL/DBVW7q3ExxwusdNXI3lXpuhEZkzs8p5Eg==}
[email protected]:
- resolution:
- {
- integrity: sha512-1rXeuUUiGGrykh+CeBdu5Ie7OJwinCgQY0bc7GCRxy5xVHy+moaqkpL/jqQq0MtQOeYcrqEz4abc5f0KtU7W4A==,
- }
- engines: { node: '>=12.5.0' }
+ resolution: {integrity: sha512-1rXeuUUiGGrykh+CeBdu5Ie7OJwinCgQY0bc7GCRxy5xVHy+moaqkpL/jqQq0MtQOeYcrqEz4abc5f0KtU7W4A==}
+ engines: {node: '>=12.5.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-IfEDxwoWIjkeXL1eXcDiow4UbKjhLdq6/EuSVR9GMN7KVH3r9gQ83e73hsz1Nd1T3ijd5xv1wcWRYO+D6kCI2w==,
- }
+ resolution: {integrity: sha512-IfEDxwoWIjkeXL1eXcDiow4UbKjhLdq6/EuSVR9GMN7KVH3r9gQ83e73hsz1Nd1T3ijd5xv1wcWRYO+D6kCI2w==}
[email protected]:
- resolution:
- {
- integrity: sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg==,
- }
- engines: { node: '>= 0.8' }
+ resolution: {integrity: sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg==}
+ engines: {node: '>= 0.8'}
[email protected]:
- resolution:
- {
- integrity: sha512-y4Mg2tXshplEbSGzx7amzPwKKOCGuoSRP/CjEdwwk0FOGlUbq6lKuoyDZTNZkmxHdJtp54hdfY/JUrdL7Xfdug==,
- }
- engines: { node: '>=14' }
+ resolution: {integrity: sha512-y4Mg2tXshplEbSGzx7amzPwKKOCGuoSRP/CjEdwwk0FOGlUbq6lKuoyDZTNZkmxHdJtp54hdfY/JUrdL7Xfdug==}
+ engines: {node: '>=14'}
[email protected]:
- resolution:
- {
- integrity: sha512-GpVkmM8vF2vQUkj2LvZmD35JxeJOLCwJ9cUkugyk2nuhbv3+mJvpLYYt+0+USMxE+oj+ey/lJEnhZw75x/OMcQ==,
- }
+ resolution: {integrity: sha512-GpVkmM8vF2vQUkj2LvZmD35JxeJOLCwJ9cUkugyk2nuhbv3+mJvpLYYt+0+USMxE+oj+ey/lJEnhZw75x/OMcQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-NOKm8xhkzAjzFx8B2v5OAHT+u5pRQc2UCa2Vq9jYL/31o2wi9mxBA7LIFs3sV5VSC49z6pEhfbMULvShKj26WA==,
- }
- engines: { node: '>= 6' }
+ resolution: {integrity: sha512-NOKm8xhkzAjzFx8B2v5OAHT+u5pRQc2UCa2Vq9jYL/31o2wi9mxBA7LIFs3sV5VSC49z6pEhfbMULvShKj26WA==}
+ engines: {node: '>= 6'}
[email protected]:
- resolution:
- {
- integrity: sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==,
- }
+ resolution: {integrity: sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==}
[email protected]:
- resolution:
- {
- integrity: sha512-P7X+QL9Hb9B/c8HI5BFFKmjgBu2XpQuF98WZ9XkO+dBGgk5XgwiQz7o1SmpglNWId3581UcS0SFAWfoIhMHPfg==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-P7X+QL9Hb9B/c8HI5BFFKmjgBu2XpQuF98WZ9XkO+dBGgk5XgwiQz7o1SmpglNWId3581UcS0SFAWfoIhMHPfg==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-qj+f8APARXHrM0hraqXYb2/bOVSV4PvJQlNZ/DVj0QrmNM2q2euizkeuVckQ57J+W0mRH6Hvi+k50M4Jul2VRQ==,
- }
+ resolution: {integrity: sha512-qj+f8APARXHrM0hraqXYb2/bOVSV4PvJQlNZ/DVj0QrmNM2q2euizkeuVckQ57J+W0mRH6Hvi+k50M4Jul2VRQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-wKGOQRRvdnd89pCeH96e2Fn4wkbenSP6LMHfjfyNLMbGuHEFbMqQNuxXqd0oXG9caIOQ1FTvc5Uijp9/4jujnQ==,
- }
+ resolution: {integrity: sha512-wKGOQRRvdnd89pCeH96e2Fn4wkbenSP6LMHfjfyNLMbGuHEFbMqQNuxXqd0oXG9caIOQ1FTvc5Uijp9/4jujnQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-ASFBup0Mz1uyiIjANan1jzLQami9z1PoYSZCiiYW2FczPbenXc45FZdBZLzOT+r6+iciuEModtmCti+hjaAk0A==,
- }
+ resolution: {integrity: sha512-ASFBup0Mz1uyiIjANan1jzLQami9z1PoYSZCiiYW2FczPbenXc45FZdBZLzOT+r6+iciuEModtmCti+hjaAk0A==}
[email protected]:
- resolution:
- {
- integrity: sha512-fereAvAvxDrQDOXybk3Qu3dPbOoKoysFMWtkY3mv5BsL8//OSZVL5DCLYqgRfY5cWirgRzlC+WSrxp6Bo3eNZg==,
- }
+ resolution: {integrity: sha512-fereAvAvxDrQDOXybk3Qu3dPbOoKoysFMWtkY3mv5BsL8//OSZVL5DCLYqgRfY5cWirgRzlC+WSrxp6Bo3eNZg==}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-ZQBvi1DcpJ4GDqanjucZ2Hj3wEO5pZDS89BWbkcrvdxksJorwUDDZamX9ldFkp9aw2lmBDLgkObEA4DWNJ9FYQ==,
- }
+ resolution: {integrity: sha512-ZQBvi1DcpJ4GDqanjucZ2Hj3wEO5pZDS89BWbkcrvdxksJorwUDDZamX9ldFkp9aw2lmBDLgkObEA4DWNJ9FYQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-AdmX6xUzdNASswsFtmwSt7Vj8po9IuqXm0UXz7QKPuEUmPB4XyjGfaAr2PSuELMwkRMVH1EpIkX5bTZGRB3eCA==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-AdmX6xUzdNASswsFtmwSt7Vj8po9IuqXm0UXz7QKPuEUmPB4XyjGfaAr2PSuELMwkRMVH1EpIkX5bTZGRB3eCA==}
+ engines: {node: '>=10'}
[email protected]:
- resolution:
- {
- integrity: sha512-onMB0OkDjkXunhdW9htFjEhqrD54+M94i6ackoUkjHKbRnXdyEyKRelp4nJ1kAz32+s27jP1FsebpJCVl0BsvA==,
- }
- engines: { node: '>=18.0' }
+ resolution: {integrity: sha512-onMB0OkDjkXunhdW9htFjEhqrD54+M94i6ackoUkjHKbRnXdyEyKRelp4nJ1kAz32+s27jP1FsebpJCVl0BsvA==}
+ engines: {node: '>=18.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-+/HKd6EgcQCJGh2PSjZuUitQBQynKor4wrFbRg4DtAgS1aWO+gU52xpH7M9ScGgXSYmAVS9bIJ8EzuaGw0oNAw==,
- }
- engines: { node: '>=10.14', npm: '>=6', yarn: '>=1' }
+ resolution: {integrity: sha512-+/HKd6EgcQCJGh2PSjZuUitQBQynKor4wrFbRg4DtAgS1aWO+gU52xpH7M9ScGgXSYmAVS9bIJ8EzuaGw0oNAw==}
+ engines: {node: '>=10.14', npm: '>=6', yarn: '>=1'}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==,
- }
- engines: { node: '>= 8' }
+ resolution: {integrity: sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==}
+ engines: {node: '>= 8'}
[email protected]:
- resolution:
- {
- integrity: sha512-mCxBlsHFYh9C+HVpiEacem8FEBnMXgU9gy4zmNC+SXAZNB/1idgp/aulFJ4FgCi7GPEVbfyng092GqL2k2rmow==,
- }
+ resolution: {integrity: sha512-mCxBlsHFYh9C+HVpiEacem8FEBnMXgU9gy4zmNC+SXAZNB/1idgp/aulFJ4FgCi7GPEVbfyng092GqL2k2rmow==}
[email protected]:
- resolution:
- {
- integrity: sha512-/Tb/JcjK111nNScGob5MNtsntNM1aCNUDipB/TkwZFhyDrrE47SOx/18wF2bbjgc3ZzCSKW1T5nt5EbFoAz/Vg==,
- }
- engines: { node: '>=4' }
+ resolution: {integrity: sha512-/Tb/JcjK111nNScGob5MNtsntNM1aCNUDipB/TkwZFhyDrrE47SOx/18wF2bbjgc3ZzCSKW1T5nt5EbFoAz/Vg==}
+ engines: {node: '>=4'}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-FAaLDaplstoRsDR8XGYH51znUN0UY7nMc6Z9/fvE8EXGwvJE9hu7W2vHwx1+bd6gCYnln9nLbzxFTrcO9YQDZw==,
- }
+ resolution: {integrity: sha512-FAaLDaplstoRsDR8XGYH51znUN0UY7nMc6Z9/fvE8EXGwvJE9hu7W2vHwx1+bd6gCYnln9nLbzxFTrcO9YQDZw==}
[email protected]:
- resolution:
- {
- integrity: sha512-M1uQkMl8rQK/szD0LNhtqxIPLpimGm8sOBwU7lLnCpSbTyY3yeU1Vc7l4KT5zT4s/yOxHH5O7tIuuLOCnLADRw==,
- }
+ resolution: {integrity: sha512-M1uQkMl8rQK/szD0LNhtqxIPLpimGm8sOBwU7lLnCpSbTyY3yeU1Vc7l4KT5zT4s/yOxHH5O7tIuuLOCnLADRw==}
[email protected]:
- resolution:
- {
- integrity: sha512-sdQSFB7+llfUcQHUQO3+B8ERRj0Oa4w9POWMI/puGtuf7gFywGmkaLCElnudfTiKZV+NvHqL0ifzdrI8Ro7ESA==,
- }
+ resolution: {integrity: sha512-sdQSFB7+llfUcQHUQO3+B8ERRj0Oa4w9POWMI/puGtuf7gFywGmkaLCElnudfTiKZV+NvHqL0ifzdrI8Ro7ESA==}
[email protected]:
- resolution:
- {
- integrity: sha512-0lht7OugA5x3iJLOWFhWK/5ehONdprk0ISXqVFn/NFrDu+cuc8iADFrGQz5BnRK7LLU3JmkbXSxaqX+/mXYtUA==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-0lht7OugA5x3iJLOWFhWK/5ehONdprk0ISXqVFn/NFrDu+cuc8iADFrGQz5BnRK7LLU3JmkbXSxaqX+/mXYtUA==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-4J7wRJD3ABAzr8wP+OcIcqq2dlUKp4DVflx++hs5h5ZKydWMI6/D/fAot+yh6g2tHh8fLFTvNOaVN357NvSrOQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-4J7wRJD3ABAzr8wP+OcIcqq2dlUKp4DVflx++hs5h5ZKydWMI6/D/fAot+yh6g2tHh8fLFTvNOaVN357NvSrOQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-t/Ygsytq+R995EJ5PZlD4Cu56sWa8InXySaViRzw9apusqsOO2bQP+SbYzAhR0pFKoB+43lYy8rWban9JSuXnA==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-t/Ygsytq+R995EJ5PZlD4Cu56sWa8InXySaViRzw9apusqsOO2bQP+SbYzAhR0pFKoB+43lYy8rWban9JSuXnA==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-y2krtASINtPFS1rSDjacrFgn1dcUuoREVabwlOGOe4SdxenREqwjwjElAdwvbGM7kgZz9a3KVicWR7vcz8rnzA==,
- }
+ resolution: {integrity: sha512-y2krtASINtPFS1rSDjacrFgn1dcUuoREVabwlOGOe4SdxenREqwjwjElAdwvbGM7kgZz9a3KVicWR7vcz8rnzA==}
[email protected]:
- resolution:
- {
- integrity: sha512-fRHTG8g/Gif+kSh50gaGEdToemgfj74aRX3swtiouboip5JDLAyDE9F11nHMIcvOaXeOC6D7SpNhi7uFyB7Uww==,
- }
+ resolution: {integrity: sha512-fRHTG8g/Gif+kSh50gaGEdToemgfj74aRX3swtiouboip5JDLAyDE9F11nHMIcvOaXeOC6D7SpNhi7uFyB7Uww==}
[email protected]:
- resolution:
- {
- integrity: sha512-Ukq0owbQXxa/U3EGtsdVBkR1w7KOQ5gIBqdH2hkvknzZPYvBxb/aa6E8L7tmjFtkwZBu3UXBbjIgPo/Ez4xaNg==,
- }
+ resolution: {integrity: sha512-Ukq0owbQXxa/U3EGtsdVBkR1w7KOQ5gIBqdH2hkvknzZPYvBxb/aa6E8L7tmjFtkwZBu3UXBbjIgPo/Ez4xaNg==}
[email protected]:
- resolution:
- {
- integrity: sha512-2P0p0pFGzHS5EMnhdxQi7aJN+iMheud0UhG4dlE1DLAlvL8JHjJJTX/CSm4JXwV0Ka5nGk3zC5mcb5bUQUxxMA==,
- }
+ resolution: {integrity: sha512-2P0p0pFGzHS5EMnhdxQi7aJN+iMheud0UhG4dlE1DLAlvL8JHjJJTX/CSm4JXwV0Ka5nGk3zC5mcb5bUQUxxMA==}
[email protected]:
- resolution:
- {
- integrity: sha512-CFjzYYAi4ThfiQvizrFQevTTXHtnCqWfe7x1AhgEscTz6ZbLbfoLRLPugTQyBth6f8ZERVUSyWHFD/7Wu4t1XQ==,
- }
+ resolution: {integrity: sha512-CFjzYYAi4ThfiQvizrFQevTTXHtnCqWfe7x1AhgEscTz6ZbLbfoLRLPugTQyBth6f8ZERVUSyWHFD/7Wu4t1XQ==}
peerDependencies:
supports-color: '*'
peerDependenciesMeta:
@@ -3442,11 +2145,8 @@ packages:
optional: true
[email protected]:
- resolution:
- {
- integrity: sha512-Er2nc/H7RrMXZBFCEim6TCmMk02Z8vLC2Rbi1KEBggpo0fS6l0S1nnapwmIi3yW/+GOJap1Krg4w0Hg80oCqgQ==,
- }
- engines: { node: '>=6.0' }
+ resolution: {integrity: sha512-Er2nc/H7RrMXZBFCEim6TCmMk02Z8vLC2Rbi1KEBggpo0fS6l0S1nnapwmIi3yW/+GOJap1Krg4w0Hg80oCqgQ==}
+ engines: {node: '>=6.0'}
peerDependencies:
supports-color: '*'
peerDependenciesMeta:
@@ -3454,288 +2154,159 @@ packages:
optional: true
[email protected]:
- resolution:
- {
- integrity: sha512-O8x12RzrUF8xyVcY0KJowWsmaJxQbmy0/EtnNtHRpsOcT7dFk5W598coHqBVpmWo1oQQfsCqfCmkZN5DJrZVdg==,
- }
+ resolution: {integrity: sha512-O8x12RzrUF8xyVcY0KJowWsmaJxQbmy0/EtnNtHRpsOcT7dFk5W598coHqBVpmWo1oQQfsCqfCmkZN5DJrZVdg==}
[email protected]:
- resolution:
- {
- integrity: sha512-aW35yZM6Bb/4oJlZncMH2LCoZtJXTRxES17vE3hoRiowU2kWHaJKFkSBDnDR+cm9J+9QhXmREyIfv0pji9ejCQ==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-aW35yZM6Bb/4oJlZncMH2LCoZtJXTRxES17vE3hoRiowU2kWHaJKFkSBDnDR+cm9J+9QhXmREyIfv0pji9ejCQ==}
+ engines: {node: '>=10'}
[email protected]:
- resolution:
- {
- integrity: sha512-LOHxIOaPYdHlJRtCQfDIVZtfw/ufM8+rVj649RIHzcm/vGwQRXFt6OPqIFWsm2XEMrNIEtWR64sY1LEKD2vAOA==,
- }
- engines: { node: '>=4.0.0' }
+ resolution: {integrity: sha512-LOHxIOaPYdHlJRtCQfDIVZtfw/ufM8+rVj649RIHzcm/vGwQRXFt6OPqIFWsm2XEMrNIEtWR64sY1LEKD2vAOA==}
+ engines: {node: '>=4.0.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==,
- }
+ resolution: {integrity: sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-3sUqbMEc77XqpdNO7FRyRog+eW3ph+GYCbj+rK+uYyRMuwsVy0rMiVtPn+QJlKFvWP/1PYpapqYn0Me2knFn+A==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-3sUqbMEc77XqpdNO7FRyRog+eW3ph+GYCbj+rK+uYyRMuwsVy0rMiVtPn+QJlKFvWP/1PYpapqYn0Me2knFn+A==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-rBMvIzlpA8v6E+SJZoo++HAYqsLrkg7MSfIinMPFhmkorw7X+dOXVJQs+QT69zGkzMyfDnIMN2Wid1+NbL3T+A==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-rBMvIzlpA8v6E+SJZoo++HAYqsLrkg7MSfIinMPFhmkorw7X+dOXVJQs+QT69zGkzMyfDnIMN2Wid1+NbL3T+A==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-8QmQKqEASLd5nx0U1B1okLElbUuuttJ/AnYmRXbbbGDWh6uS208EjD4Xqq/I9wK7u0v6O08XhTWnt5XtEbR6Dg==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-8QmQKqEASLd5nx0U1B1okLElbUuuttJ/AnYmRXbbbGDWh6uS208EjD4Xqq/I9wK7u0v6O08XhTWnt5XtEbR6Dg==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-ZySD7Nf91aLB0RxL4KGrKHBXl7Eds1DAmEdcoVawXnLD7SDhpNgtuII2aAkg7a7QS41jxPSZ17p4VdGnMHk3MQ==,
- }
- engines: { node: '>=0.4.0' }
+ resolution: {integrity: sha512-ZySD7Nf91aLB0RxL4KGrKHBXl7Eds1DAmEdcoVawXnLD7SDhpNgtuII2aAkg7a7QS41jxPSZ17p4VdGnMHk3MQ==}
+ engines: {node: '>=0.4.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-0je+qPKHEMohvfRTCEo3CrPG6cAzAYgmzKyxRiYSSDkS6eGJdyVJm7WaYA5ECaAD9wLB2T4EEeymA5aFVcYXCA==,
- }
- engines: { node: '>=6' }
+ resolution: {integrity: sha512-0je+qPKHEMohvfRTCEo3CrPG6cAzAYgmzKyxRiYSSDkS6eGJdyVJm7WaYA5ECaAD9wLB2T4EEeymA5aFVcYXCA==}
+ engines: {node: '>=6'}
[email protected]:
- resolution:
- {
- integrity: sha512-bwy0MGW55bG41VqxxypOsdSdGqLwXPI/focwgTYCFMbdUiBAxLg9CFzG08sz2aqzknwiX7Hkl0bQENjg8iLByw==,
- }
- engines: { node: '>=8' }
+ resolution: {integrity: sha512-bwy0MGW55bG41VqxxypOsdSdGqLwXPI/focwgTYCFMbdUiBAxLg9CFzG08sz2aqzknwiX7Hkl0bQENjg8iLByw==}
+ engines: {node: '>=8'}
[email protected]:
- resolution:
- {
- integrity: sha512-ypdmJU/TbBby2Dxibuv7ZLW3Bs1QEmM7nHjEANfohJLvE0XVujisn1qPJcZxg+qDucsr+bP6fLD1rPS3AhJ7EQ==,
- }
+ resolution: {integrity: sha512-ypdmJU/TbBby2Dxibuv7ZLW3Bs1QEmM7nHjEANfohJLvE0XVujisn1qPJcZxg+qDucsr+bP6fLD1rPS3AhJ7EQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-RWmIqhcFf1lRYBvNmr7qTNuyCt/7/ns2jbpp1+PalgE/rDQcBT0fioSMUpJ93irlUhC5hrg4cYqe6U+0ImW0rA==,
- }
+ resolution: {integrity: sha512-RWmIqhcFf1lRYBvNmr7qTNuyCt/7/ns2jbpp1+PalgE/rDQcBT0fioSMUpJ93irlUhC5hrg4cYqe6U+0ImW0rA==}
[email protected]:
- resolution:
- {
- integrity: sha512-gxtyfqMg7GKyhQmb056K7M3xszy/myH8w+B4RT+QXBQsvAOdc3XymqDDPHx1BgPgsdAA5SIifona89YtRATDzw==,
- }
+ resolution: {integrity: sha512-gxtyfqMg7GKyhQmb056K7M3xszy/myH8w+B4RT+QXBQsvAOdc3XymqDDPHx1BgPgsdAA5SIifona89YtRATDzw==}
[email protected]:
- resolution:
- {
- integrity: sha512-uIFDxqpRZGZ6ThOk84hEfqWoHx2devRFvpTZcTHur85vImfaxUbTW9Ryh4CpCuDnToOP1CEtXKIgytHBPVff5A==,
- }
- engines: { node: '>=0.3.1' }
+ resolution: {integrity: sha512-uIFDxqpRZGZ6ThOk84hEfqWoHx2devRFvpTZcTHur85vImfaxUbTW9Ryh4CpCuDnToOP1CEtXKIgytHBPVff5A==}
+ engines: {node: '>=0.3.1'}
[email protected]:
- resolution:
- {
- integrity: sha512-+HlytyjlPKnIG8XuRG8WvmBP8xs8P71y+SKKS6ZXWoEgLuePxtDoUEiH7WkdePWrQ5JBpE6aoVqfZfJUQkjXwA==,
- }
+ resolution: {integrity: sha512-+HlytyjlPKnIG8XuRG8WvmBP8xs8P71y+SKKS6ZXWoEgLuePxtDoUEiH7WkdePWrQ5JBpE6aoVqfZfJUQkjXwA==}
[email protected]:
- resolution:
- {
- integrity: sha512-35mSku4ZXK0vfCuHEDAwt55dg2jNajHZ1odvF+8SSr82EsZY4QmXfuWso8oEd8zRhVObSN18aM0CjSdoBX7zIw==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-35mSku4ZXK0vfCuHEDAwt55dg2jNajHZ1odvF+8SSr82EsZY4QmXfuWso8oEd8zRhVObSN18aM0CjSdoBX7zIw==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-nRCa7CK3VTrM2NmGkIy4cbK7IZlgBE/PYMn55rrXefr5xXDP0LdtfPnblFDoVdcAfslJ7or6iqAUnx0CCGIWQA==,
- }
+ resolution: {integrity: sha512-nRCa7CK3VTrM2NmGkIy4cbK7IZlgBE/PYMn55rrXefr5xXDP0LdtfPnblFDoVdcAfslJ7or6iqAUnx0CCGIWQA==}
[email protected]:
- resolution:
- {
- integrity: sha512-wIkAryiqt/nV5EQKqQpo3SToSOV9J0DnbJqwK7Wv/Trc92zIAYZ4FlMu+JPFW1DfGFt81ZTCGgDEabffXeLyJg==,
- }
+ resolution: {integrity: sha512-wIkAryiqt/nV5EQKqQpo3SToSOV9J0DnbJqwK7Wv/Trc92zIAYZ4FlMu+JPFW1DfGFt81ZTCGgDEabffXeLyJg==}
[email protected]:
- resolution:
- {
- integrity: sha512-OLETBj6w0OsagBwdXnPdN0cnMfF9opN69co+7ZrbfPGrdpPVNBUj02spi6B1N7wChLQiPn4CSH/zJvXw56gmHw==,
- }
+ resolution: {integrity: sha512-OLETBj6w0OsagBwdXnPdN0cnMfF9opN69co+7ZrbfPGrdpPVNBUj02spi6B1N7wChLQiPn4CSH/zJvXw56gmHw==}
[email protected]:
- resolution:
- {
- integrity: sha512-cgwlv/1iFQiFnU96XXgROh8xTeetsnJiDsTc7TYCLFd9+/WNkIqPTxiM/8pSd8VIrhXGTf1Ny1q1hquVqDJB5w==,
- }
- engines: { node: '>= 4' }
+ resolution: {integrity: sha512-cgwlv/1iFQiFnU96XXgROh8xTeetsnJiDsTc7TYCLFd9+/WNkIqPTxiM/8pSd8VIrhXGTf1Ny1q1hquVqDJB5w==}
+ engines: {node: '>= 4'}
[email protected]:
- resolution:
- {
- integrity: sha512-H78uMmQtI2AhgDJjWeQmHwJJ2bLPD3GMmO7Zja/ZZh84wkm+4ut+IUnUdRa8uCGX88DiVx1j6FRe1XfxEgjEZA==,
- }
+ resolution: {integrity: sha512-H78uMmQtI2AhgDJjWeQmHwJJ2bLPD3GMmO7Zja/ZZh84wkm+4ut+IUnUdRa8uCGX88DiVx1j6FRe1XfxEgjEZA==}
[email protected]:
- resolution:
- {
- integrity: sha512-I88TYZWc9XiYHRQ4/3c5rjjfgkjhLyW2luGIheGERbNQ6OY7yTybanSpDXZa8y7VUP9YmDcYa+eyq4ca7iLqWA==,
- }
+ resolution: {integrity: sha512-I88TYZWc9XiYHRQ4/3c5rjjfgkjhLyW2luGIheGERbNQ6OY7yTybanSpDXZa8y7VUP9YmDcYa+eyq4ca7iLqWA==}
[email protected]:
- resolution:
- {
- integrity: sha512-L9Qe08KWTlqYMVvMcTIvMAdl1cDUubzRNYL+WfA4bLDMHe4nemKkpmYzkznE1FwLKu0EEmy6obgQKzMJrg4x9Q==,
- }
- engines: { node: '>=14' }
+ resolution: {integrity: sha512-L9Qe08KWTlqYMVvMcTIvMAdl1cDUubzRNYL+WfA4bLDMHe4nemKkpmYzkznE1FwLKu0EEmy6obgQKzMJrg4x9Q==}
+ engines: {node: '>=14'}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-FgMdJlma0OzUYlbrtZ4AeXjKxKPk6KT8WOP8BjcqxWtlg8qyJQjRzPJzUtUn5GBg1oQ26hFs7HOOHJMYiJRnvQ==,
- }
+ resolution: {integrity: sha512-FgMdJlma0OzUYlbrtZ4AeXjKxKPk6KT8WOP8BjcqxWtlg8qyJQjRzPJzUtUn5GBg1oQ26hFs7HOOHJMYiJRnvQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==,
- }
+ resolution: {integrity: sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==}
[email protected]:
- resolution:
- {
- integrity: sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg==,
- }
+ resolution: {integrity: sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg==}
[email protected]:
- resolution:
- {
- integrity: sha512-+uw1inIHVPQoaVuHzRyXd21icM+cnt4CzD5rW+NC1wjOUSTOs+Te7FOv7AhN7vS9x/oIyhLP5PR1H+phQAHu5Q==,
- }
+ resolution: {integrity: sha512-+uw1inIHVPQoaVuHzRyXd21icM+cnt4CzD5rW+NC1wjOUSTOs+Te7FOv7AhN7vS9x/oIyhLP5PR1H+phQAHu5Q==}
[email protected]:
- resolution:
- {
- integrity: sha512-LMHl3dXhTcfv8gM4kEzIUeTQ+7fpdA0l2tUf34BddXPkz2A5xJ5L/Pchd5BL6rdccM9QGvu0sWZzK1Z1t4wwyg==,
- }
- engines: { node: '>=10.13.0' }
+ resolution: {integrity: sha512-LMHl3dXhTcfv8gM4kEzIUeTQ+7fpdA0l2tUf34BddXPkz2A5xJ5L/Pchd5BL6rdccM9QGvu0sWZzK1Z1t4wwyg==}
+ engines: {node: '>=10.13.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-V0hjH4dGPh9Ao5p0MoRY6BVqtwCjhz6vI5LT8AJ55H+4g9/4vbHx1I54fS0XuclLhDHArPQCiMjDxjaL8fPxhw==,
- }
- engines: { node: '>=0.12' }
+ resolution: {integrity: sha512-V0hjH4dGPh9Ao5p0MoRY6BVqtwCjhz6vI5LT8AJ55H+4g9/4vbHx1I54fS0XuclLhDHArPQCiMjDxjaL8fPxhw==}
+ engines: {node: '>=0.12'}
[email protected]:
- resolution:
- {
- integrity: sha512-7dFHNmqeFSEt2ZBsCriorKnn3Z2pj+fd9kmI6QoWw4//DL+icEBfc0U7qJCisqrTsKTjw4fNFy2pW9OqStD84g==,
- }
+ resolution: {integrity: sha512-7dFHNmqeFSEt2ZBsCriorKnn3Z2pj+fd9kmI6QoWw4//DL+icEBfc0U7qJCisqrTsKTjw4fNFy2pW9OqStD84g==}
[email protected]:
- resolution:
- {
- integrity: sha512-vlmniQ0WNPwXqA0BnmwV3Ng7HxiGlh6r5U6JcTMNx8OilcAGqVJBHJcPjqOMaczU9fRuRK5Px2BdVyPRnKMMVQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-vlmniQ0WNPwXqA0BnmwV3Ng7HxiGlh6r5U6JcTMNx8OilcAGqVJBHJcPjqOMaczU9fRuRK5Px2BdVyPRnKMMVQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-jxayLKShrEqqzJ0eumQbVhTYQM27CfT1T35+gCgDFoL82JLsXqTJ76zv6A0YLOgEnLUMvLzsDsGIrl8NFpT2gQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-jxayLKShrEqqzJ0eumQbVhTYQM27CfT1T35+gCgDFoL82JLsXqTJ76zv6A0YLOgEnLUMvLzsDsGIrl8NFpT2gQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-tpxqxncxnpw3c93u8n3VOzACmRFoVmWJqbWXvX/JfKbkhBw1oslgPrUfeSt2psuqyEJFD6N/9lg5i7bsKpoq+Q==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-tpxqxncxnpw3c93u8n3VOzACmRFoVmWJqbWXvX/JfKbkhBw1oslgPrUfeSt2psuqyEJFD6N/9lg5i7bsKpoq+Q==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-MZ4iQ6JwHOBQjahnjwaC1ZtIBH+2ohjamzAO3oaHcXYup7qxjF2fixyH+Q71voWHeOkI2q/TnJao/KfXYIZWbw==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-MZ4iQ6JwHOBQjahnjwaC1ZtIBH+2ohjamzAO3oaHcXYup7qxjF2fixyH+Q71voWHeOkI2q/TnJao/KfXYIZWbw==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-3T8uNMC3OQTHkFUsFq8r/BwAXLHvU/9O9mE0fBc/MY5iq/8H7ncvO947LmYA6ldWw9Uh8Yhf25zu6n7nML5QWQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-3T8uNMC3OQTHkFUsFq8r/BwAXLHvU/9O9mE0fBc/MY5iq/8H7ncvO947LmYA6ldWw9Uh8Yhf25zu6n7nML5QWQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-J3yBRXCzDu4ULnQwxyToo/OjdMx6akgVC7K6few0a7F/0wLtmKKN7I73AH5T2836UuXRqN7Qg+IIUw/+YJksRw==,
- }
+ resolution: {integrity: sha512-J3yBRXCzDu4ULnQwxyToo/OjdMx6akgVC7K6few0a7F/0wLtmKKN7I73AH5T2836UuXRqN7Qg+IIUw/+YJksRw==}
[email protected]:
- resolution:
- {
- integrity: sha512-w+5mJ3GuFL+NjVtJlvydShqE1eN3h3PbI7/5LAsYJP/2qtuMXjfL2LpHSRqo4b4eSF5K/DH1JXKUAHSB2UW50g==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-w+5mJ3GuFL+NjVtJlvydShqE1eN3h3PbI7/5LAsYJP/2qtuMXjfL2LpHSRqo4b4eSF5K/DH1JXKUAHSB2UW50g==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-VVNz/9Sa0bs5SELtn3f7qhJCDPCF5oMEl5cO9/SSinpE9hbPVvxbd572HH5AKiP7WD8INO53GgfDDhRjkylHEg==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-VVNz/9Sa0bs5SELtn3f7qhJCDPCF5oMEl5cO9/SSinpE9hbPVvxbd572HH5AKiP7WD8INO53GgfDDhRjkylHEg==}
+ engines: {node: '>=18'}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-WUj2qlxaQtO4g6Pq5c29GTcWGDyd8itL8zTlipgECz3JesAiiOKotd8JU6otB3PACgG6xkJUyVhboMS+bje/jA==,
- }
- engines: { node: '>=6' }
+ resolution: {integrity: sha512-WUj2qlxaQtO4g6Pq5c29GTcWGDyd8itL8zTlipgECz3JesAiiOKotd8JU6otB3PACgG6xkJUyVhboMS+bje/jA==}
+ engines: {node: '>=6'}
[email protected]:
- resolution:
- {
- integrity: sha512-NiSupZ4OeuGwr68lGIeym/ksIZMJodUGOSCZ/FSnTxcrekbvqrgdUxlJOMpijaKZVjAJrWrGs/6Jy8OMuyj9ow==,
- }
+ resolution: {integrity: sha512-NiSupZ4OeuGwr68lGIeym/ksIZMJodUGOSCZ/FSnTxcrekbvqrgdUxlJOMpijaKZVjAJrWrGs/6Jy8OMuyj9ow==}
[email protected]:
- resolution:
- {
- integrity: sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==}
+ engines: {node: '>=10'}
[email protected]:
- resolution:
- {
- integrity: sha512-gADO+nKVseGso3DtOrYX9H7TxB/MuX7AUYhMlvQMqLYvUWu4HrOQuU7cC1HW74tHIqkAvXdwgAz3TCbczzSEXw==,
- }
+ resolution: {integrity: sha512-gADO+nKVseGso3DtOrYX9H7TxB/MuX7AUYhMlvQMqLYvUWu4HrOQuU7cC1HW74tHIqkAvXdwgAz3TCbczzSEXw==}
peerDependencies:
eslint: ^7.23.0 || ^8.0.0 || ^9.0.0
typescript: '>=3.3.1'
@@ -3744,17 +2315,11 @@ packages:
optional: true
[email protected]:
- resolution:
- {
- integrity: sha512-WFj2isz22JahUv+B788TlO3N6zL3nNJGU8CcZbPZvVEkBPaJdCV4vy5wyghty5ROFbCRnm132v8BScu5/1BQ8g==,
- }
+ resolution: {integrity: sha512-WFj2isz22JahUv+B788TlO3N6zL3nNJGU8CcZbPZvVEkBPaJdCV4vy5wyghty5ROFbCRnm132v8BScu5/1BQ8g==}
[email protected]:
- resolution:
- {
- integrity: sha512-Vrwyi8HHxY97K5ebydMtffsWAn1SCR9eol49eCd5fJS4O1WV7PaAjbcjmbfJJSMz/t4Mal212Uz/fQZrOB8mow==,
- }
- engines: { node: ^14.18.0 || >=16.0.0 }
+ resolution: {integrity: sha512-Vrwyi8HHxY97K5ebydMtffsWAn1SCR9eol49eCd5fJS4O1WV7PaAjbcjmbfJJSMz/t4Mal212Uz/fQZrOB8mow==}
+ engines: {node: ^14.18.0 || >=16.0.0}
peerDependencies:
eslint: '*'
eslint-plugin-import: '*'
@@ -3766,11 +2331,8 @@ packages:
optional: true
[email protected]:
- resolution:
- {
- integrity: sha512-wALZ0HFoytlyh/1+4wuZ9FJCD/leWHQzzrxJ8+rebyReSLk7LApMyd3WJaLVoN+D5+WIdJyDK1c6JnE65V4Zyg==,
- }
- engines: { node: '>=4' }
+ resolution: {integrity: sha512-wALZ0HFoytlyh/1+4wuZ9FJCD/leWHQzzrxJ8+rebyReSLk7LApMyd3WJaLVoN+D5+WIdJyDK1c6JnE65V4Zyg==}
+ engines: {node: '>=4'}
peerDependencies:
'@typescript-eslint/parser': '*'
eslint: '*'
@@ -3790,11 +2352,8 @@ packages:
optional: true
[email protected]:
- resolution:
- {
- integrity: sha512-ixmkI62Rbc2/w8Vfxyh1jQRTdRTF52VxwRVHl/ykPAmqG+Nb7/kNn+byLP0LxPgI7zWA16Jt82SybJInmMia3A==,
- }
- engines: { node: '>=4' }
+ resolution: {integrity: sha512-ixmkI62Rbc2/w8Vfxyh1jQRTdRTF52VxwRVHl/ykPAmqG+Nb7/kNn+byLP0LxPgI7zWA16Jt82SybJInmMia3A==}
+ engines: {node: '>=4'}
peerDependencies:
'@typescript-eslint/parser': '*'
eslint: ^2 || ^3 || ^4 || ^5 || ^6 || ^7.2.0 || ^8 || ^9
@@ -3803,59 +2362,38 @@ packages:
optional: true
[email protected]:
- resolution:
- {
- integrity: sha512-scB3nz4WmG75pV8+3eRUQOHZlNSUhFNq37xnpgRkCCELU3XMvXAxLk1eqWWyE22Ki4Q01Fnsw9BA3cJHDPgn2Q==,
- }
- engines: { node: '>=4.0' }
+ resolution: {integrity: sha512-scB3nz4WmG75pV8+3eRUQOHZlNSUhFNq37xnpgRkCCELU3XMvXAxLk1eqWWyE22Ki4Q01Fnsw9BA3cJHDPgn2Q==}
+ engines: {node: '>=4.0'}
peerDependencies:
eslint: ^3 || ^4 || ^5 || ^6 || ^7 || ^8 || ^9
[email protected]:
- resolution:
- {
- integrity: sha512-hIOwI+5hYGpJEc4uPRmz2ulCjAGD/N13Lukkh8cLV0i2IRk/bdZDYjgLVHj+U9Z704kLIdIO6iueGvxNur0sgw==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-hIOwI+5hYGpJEc4uPRmz2ulCjAGD/N13Lukkh8cLV0i2IRk/bdZDYjgLVHj+U9Z704kLIdIO6iueGvxNur0sgw==}
+ engines: {node: '>=10'}
peerDependencies:
eslint: ^3.0.0 || ^4.0.0 || ^5.0.0 || ^6.0.0 || ^7.0.0 || ^8.0.0-0 || ^9.0.0
[email protected]:
- resolution:
- {
- integrity: sha512-EsTAnj9fLVr/GZleBLFbj/sSuXeWmp1eXIN60ceYnZveqEaUCyW4X+Vh4WTdUhCkW4xutXYqTXCUSyqD4rB75w==,
- }
- engines: { node: '>=4' }
+ resolution: {integrity: sha512-EsTAnj9fLVr/GZleBLFbj/sSuXeWmp1eXIN60ceYnZveqEaUCyW4X+Vh4WTdUhCkW4xutXYqTXCUSyqD4rB75w==}
+ engines: {node: '>=4'}
peerDependencies:
eslint: ^3 || ^4 || ^5 || ^6 || ^7 || ^8 || ^9.7
[email protected]:
- resolution:
- {
- integrity: sha512-PHlWUfG6lvPc3yvP5A4PNyBL1W8fkDUccmI21JUu/+GKZBoH/W5u6usENXUrWFRsyoW5ACUjFGgAFQp5gUlb/A==,
- }
- engines: { node: ^18.18.0 || ^20.9.0 || >=21.1.0 }
+ resolution: {integrity: sha512-PHlWUfG6lvPc3yvP5A4PNyBL1W8fkDUccmI21JUu/+GKZBoH/W5u6usENXUrWFRsyoW5ACUjFGgAFQp5gUlb/A==}
+ engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0}
[email protected]:
- resolution:
- {
- integrity: sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag==,
- }
- engines: { node: ^12.22.0 || ^14.17.0 || >=16.0.0 }
+ resolution: {integrity: sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag==}
+ engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
[email protected]:
- resolution:
- {
- integrity: sha512-UyLnSehNt62FFhSwjZlHmeokpRK59rcz29j+F1/aDgbkbRTk7wIc9XzdoasMUbRNKDM0qQt/+BJ4BrpFeABemw==,
- }
- engines: { node: ^18.18.0 || ^20.9.0 || >=21.1.0 }
+ resolution: {integrity: sha512-UyLnSehNt62FFhSwjZlHmeokpRK59rcz29j+F1/aDgbkbRTk7wIc9XzdoasMUbRNKDM0qQt/+BJ4BrpFeABemw==}
+ engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0}
[email protected]:
- resolution:
- {
- integrity: sha512-whp8mSQI4C8VXd+fLgSM0lh3UlmcFtVwUQjyKCFfsp+2ItAIYhlq/hqGahGqHE6cv9unM41VlqKk2VtKYR2TaA==,
- }
- engines: { node: ^18.18.0 || ^20.9.0 || >=21.1.0 }
+ resolution: {integrity: sha512-whp8mSQI4C8VXd+fLgSM0lh3UlmcFtVwUQjyKCFfsp+2ItAIYhlq/hqGahGqHE6cv9unM41VlqKk2VtKYR2TaA==}
+ engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0}
hasBin: true
peerDependencies:
jiti: '*'
@@ -3864,160 +2402,88 @@ packages:
optional: true
[email protected]:
- resolution:
- {
- integrity: sha512-0QYC8b24HWY8zjRnDTL6RiHfDbAWn63qb4LMj1Z4b076A4une81+z03Kg7l7mn/48PUTqoLptSXez8oknU8Clg==,
- }
- engines: { node: ^18.18.0 || ^20.9.0 || >=21.1.0 }
+ resolution: {integrity: sha512-0QYC8b24HWY8zjRnDTL6RiHfDbAWn63qb4LMj1Z4b076A4une81+z03Kg7l7mn/48PUTqoLptSXez8oknU8Clg==}
+ engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0}
[email protected]:
- resolution:
- {
- integrity: sha512-ca9pw9fomFcKPvFLXhBKUK90ZvGibiGOvRJNbjljY7s7uq/5YO4BOzcYtJqExdx99rF6aAcnRxHmcUHcz6sQsg==,
- }
- engines: { node: '>=0.10' }
+ resolution: {integrity: sha512-ca9pw9fomFcKPvFLXhBKUK90ZvGibiGOvRJNbjljY7s7uq/5YO4BOzcYtJqExdx99rF6aAcnRxHmcUHcz6sQsg==}
+ engines: {node: '>=0.10'}
[email protected]:
- resolution:
- {
- integrity: sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==,
- }
- engines: { node: '>=4.0' }
+ resolution: {integrity: sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==}
+ engines: {node: '>=4.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==,
- }
- engines: { node: '>=4.0' }
+ resolution: {integrity: sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==}
+ engines: {node: '>=4.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-hFtqIDZTIUZ9BXLb8y4pYGyk6+wekIivNVTcmvk8NoOh+VeRn5y6cEHzbURrWbfp1fIqdVipilzj+lfaadNZmg==,
- }
+ resolution: {integrity: sha512-hFtqIDZTIUZ9BXLb8y4pYGyk6+wekIivNVTcmvk8NoOh+VeRn5y6cEHzbURrWbfp1fIqdVipilzj+lfaadNZmg==}
[email protected]:
- resolution:
- {
- integrity: sha512-m5KgiH85xAhhW8Wta0vShLcUvOsh3LLPI2YVwcbio1l7E09NTLL1EyMZFM1OyWowoH0skScNbhOPl4kcBgzTww==,
- }
+ resolution: {integrity: sha512-m5KgiH85xAhhW8Wta0vShLcUvOsh3LLPI2YVwcbio1l7E09NTLL1EyMZFM1OyWowoH0skScNbhOPl4kcBgzTww==}
[email protected]:
- resolution:
- {
- integrity: sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-mQw+2fkQbALzQ7V0MY0IqdnXNOeTtP4r0lN9z7AAawCXgqea7bDii20AYrIBrFd/Hx0M2Ocz6S111CaFkUcb0Q==,
- }
- engines: { node: '>=0.8.x' }
+ resolution: {integrity: sha512-mQw+2fkQbALzQ7V0MY0IqdnXNOeTtP4r0lN9z7AAawCXgqea7bDii20AYrIBrFd/Hx0M2Ocz6S111CaFkUcb0Q==}
+ engines: {node: '>=0.8.x'}
[email protected]:
- resolution:
- {
- integrity: sha512-XYfuKMvj4O35f/pOXLObndIRvyQ+/+6AhODh+OKWj9S9498pHHn/IMszH+gt0fBCRWMNfk1ZSp5x3AifmnI2vg==,
- }
- engines: { node: '>=6' }
+ resolution: {integrity: sha512-XYfuKMvj4O35f/pOXLObndIRvyQ+/+6AhODh+OKWj9S9498pHHn/IMszH+gt0fBCRWMNfk1ZSp5x3AifmnI2vg==}
+ engines: {node: '>=6'}
[email protected]:
- resolution:
- {
- integrity: sha512-zCnTtlxNoAiDc3gqY2aYAWFx7XWWiasuF2K8Me5WbN8otHKTUKBwjPtNpRs/rbUZm7KxWAaNj7P1a/p52GbVug==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-zCnTtlxNoAiDc3gqY2aYAWFx7XWWiasuF2K8Me5WbN8otHKTUKBwjPtNpRs/rbUZm7KxWAaNj7P1a/p52GbVug==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-qwaScUgUGBYeDNRnbc/KyllVU88Jk1pRHPStuF/lO7B0/RTRLj7U0lkdTAutlBblY08rwZDff6tNU9cjv6j//Q==,
- }
+ resolution: {integrity: sha512-qwaScUgUGBYeDNRnbc/KyllVU88Jk1pRHPStuF/lO7B0/RTRLj7U0lkdTAutlBblY08rwZDff6tNU9cjv6j//Q==}
[email protected]:
- resolution:
- {
- integrity: sha512-dl0O9Vhju8IrcLndv2eU4ldt1ftXMqqfgN4H1cpmGV7P6jeB9FwpN9a2c8DPGE1Ys88rNUJVYDHq73CGAGOPfQ==,
- }
+ resolution: {integrity: sha512-dl0O9Vhju8IrcLndv2eU4ldt1ftXMqqfgN4H1cpmGV7P6jeB9FwpN9a2c8DPGE1Ys88rNUJVYDHq73CGAGOPfQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==,
- }
+ resolution: {integrity: sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==}
[email protected]:
- resolution:
- {
- integrity: sha512-/d9sfos4yxzpwkDkuN7k2SqFKtYNmCTzgfEpz82x34IM9/zc8KGxQoXg1liNC/izpRM/MBdt44Nmx41ZWqk+FQ==,
- }
+ resolution: {integrity: sha512-/d9sfos4yxzpwkDkuN7k2SqFKtYNmCTzgfEpz82x34IM9/zc8KGxQoXg1liNC/izpRM/MBdt44Nmx41ZWqk+FQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-kNFPyjhh5cKjrUltxs+wFx+ZkbRaxxmZ+X0ZU31SOsxCEtP9VPgtq2teZw1DebupL5GmDaNQ6yKMMVcM41iqDg==,
- }
- engines: { node: '>=8.6.0' }
+ resolution: {integrity: sha512-kNFPyjhh5cKjrUltxs+wFx+ZkbRaxxmZ+X0ZU31SOsxCEtP9VPgtq2teZw1DebupL5GmDaNQ6yKMMVcM41iqDg==}
+ engines: {node: '>=8.6.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-oX2ruAFQwf/Orj8m737Y5adxDQO0LAB7/S5MnxCdTNDd4p6BsyIVsv9JQsATbTSq8KHRpLwIHbVlUNatxd+1Ow==,
- }
- engines: { node: '>=8.6.0' }
+ resolution: {integrity: sha512-oX2ruAFQwf/Orj8m737Y5adxDQO0LAB7/S5MnxCdTNDd4p6BsyIVsv9JQsATbTSq8KHRpLwIHbVlUNatxd+1Ow==}
+ engines: {node: '>=8.6.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==,
- }
+ resolution: {integrity: sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==}
[email protected]:
- resolution:
- {
- integrity: sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==,
- }
+ resolution: {integrity: sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==}
[email protected]:
- resolution:
- {
- integrity: sha512-dwsoQlS7h9hMeYUq1W++23NDcBLV4KqONnITDV9DjfS3q1SgDGVrBdvvTLUotWtPSD7asWDV9/CmsZPy8Hf70A==,
- }
- engines: { node: '>=6' }
+ resolution: {integrity: sha512-dwsoQlS7h9hMeYUq1W++23NDcBLV4KqONnITDV9DjfS3q1SgDGVrBdvvTLUotWtPSD7asWDV9/CmsZPy8Hf70A==}
+ engines: {node: '>=6'}
[email protected]:
- resolution:
- {
- integrity: sha512-W+KJc2dmILlPplD/H4K9l9LcAHAfPtP6BY84uVLXQ6Evcz9Lcg33Y2z1IVblT6xdY54PXYVHEv+0Wpq8Io6zkA==,
- }
+ resolution: {integrity: sha512-W+KJc2dmILlPplD/H4K9l9LcAHAfPtP6BY84uVLXQ6Evcz9Lcg33Y2z1IVblT6xdY54PXYVHEv+0Wpq8Io6zkA==}
[email protected]:
- resolution:
- {
- integrity: sha512-aLrHthzCjH5He4Z2H9YZ+v6Ujb9ocRuW6ZzkJQOrTxleEijANq4v1TsaPaVG1PZcuurEzrLcWRyYBYXD5cEiaw==,
- }
+ resolution: {integrity: sha512-aLrHthzCjH5He4Z2H9YZ+v6Ujb9ocRuW6ZzkJQOrTxleEijANq4v1TsaPaVG1PZcuurEzrLcWRyYBYXD5cEiaw==}
[email protected]:
- resolution:
- {
- integrity: sha512-xkjOecfnKGkSsOwtZ5Pz7Us/T6mrbPQrq0nh+aCO5V9nk5NLWmasAHumTKjiPJPWANe+kAZ84Jc8ooJkzZ88Sw==,
- }
+ resolution: {integrity: sha512-xkjOecfnKGkSsOwtZ5Pz7Us/T6mrbPQrq0nh+aCO5V9nk5NLWmasAHumTKjiPJPWANe+kAZ84Jc8ooJkzZ88Sw==}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-sRVD3lWVIXWg6By68ZN7vho9a1pQcN/WBFaAAsDDFzlJjvoGx0P8z7V1t72grFJfJhu3YPZBuu25f7Kaw2jN1w==,
- }
+ resolution: {integrity: sha512-sRVD3lWVIXWg6By68ZN7vho9a1pQcN/WBFaAAsDDFzlJjvoGx0P8z7V1t72grFJfJhu3YPZBuu25f7Kaw2jN1w==}
[email protected]:
- resolution:
- {
- integrity: sha512-KnhMXsKSPZlAhp7+IjUkRZKPb4fUyccpDrdFXbi4QL1qkmFh9kVY09Yox+n4MaOb3lHZ1Tv829C3oaaXoMYPDQ==,
- }
+ resolution: {integrity: sha512-KnhMXsKSPZlAhp7+IjUkRZKPb4fUyccpDrdFXbi4QL1qkmFh9kVY09Yox+n4MaOb3lHZ1Tv829C3oaaXoMYPDQ==}
peerDependencies:
picomatch: ^3 || ^4
peerDependenciesMeta:
@@ -4025,64 +2491,37 @@ packages:
optional: true
[email protected]:
- resolution:
- {
- integrity: sha512-XXTUwCvisa5oacNGRP9SfNtYBNAMi+RPwBFmblZEF7N7swHYQS6/Zfk7SRwx4D5j3CH211YNRco1DEMNVfZCnQ==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-XXTUwCvisa5oacNGRP9SfNtYBNAMi+RPwBFmblZEF7N7swHYQS6/Zfk7SRwx4D5j3CH211YNRco1DEMNVfZCnQ==}
+ engines: {node: '>=16.0.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-mROwiKLZf/Kwa/2Rol+OOZQn1eyTkPB3ZTwC0ExY6OLFCbgxHYZvBm7xI77NvfZFMKBsmuXfmLJnD4eEftEhrA==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-mROwiKLZf/Kwa/2Rol+OOZQn1eyTkPB3ZTwC0ExY6OLFCbgxHYZvBm7xI77NvfZFMKBsmuXfmLJnD4eEftEhrA==}
+ engines: {node: '>=18'}
[email protected]:
- resolution:
- {
- integrity: sha512-YsGpe3WHLK8ZYi4tWDg2Jy3ebRz2rXowDxnld4bkQB00cc/1Zw9AWnC0i9ztDJitivtQvaI9KaLyKrc+hBW0yg==,
- }
- engines: { node: '>=8' }
+ resolution: {integrity: sha512-YsGpe3WHLK8ZYi4tWDg2Jy3ebRz2rXowDxnld4bkQB00cc/1Zw9AWnC0i9ztDJitivtQvaI9KaLyKrc+hBW0yg==}
+ engines: {node: '>=8'}
[email protected]:
- resolution:
- {
- integrity: sha512-NKfW6bec6GfKc0SGx1e07QZY9PE99u0Bft/0rzSD5k3sO/vwkVUpDUKVm5Gpp5Ue3YfShPFTX2070tDs5kB9Ng==,
- }
+ resolution: {integrity: sha512-NKfW6bec6GfKc0SGx1e07QZY9PE99u0Bft/0rzSD5k3sO/vwkVUpDUKVm5Gpp5Ue3YfShPFTX2070tDs5kB9Ng==}
[email protected]:
- resolution:
- {
- integrity: sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==}
+ engines: {node: '>=10'}
[email protected]:
- resolution:
- {
- integrity: sha512-f7ccFPK3SXFHpx15UIGyRJ/FJQctuKZ0zVuN3frBo4HnK3cay9VEW0R6yPYFHC0AgqhukPzKjq22t5DmAyqGyw==,
- }
- engines: { node: '>=16' }
+ resolution: {integrity: sha512-f7ccFPK3SXFHpx15UIGyRJ/FJQctuKZ0zVuN3frBo4HnK3cay9VEW0R6yPYFHC0AgqhukPzKjq22t5DmAyqGyw==}
+ engines: {node: '>=16'}
[email protected]:
- resolution:
- {
- integrity: sha512-AiwGJM8YcNOaobumgtng+6NHuOqC3A7MixFeDafM3X9cIUM+xUXoS5Vfgf+OihAYe20fxqNM9yPBXJzRtZ/4eA==,
- }
+ resolution: {integrity: sha512-AiwGJM8YcNOaobumgtng+6NHuOqC3A7MixFeDafM3X9cIUM+xUXoS5Vfgf+OihAYe20fxqNM9yPBXJzRtZ/4eA==}
[email protected]:
- resolution:
- {
- integrity: sha512-N7kHdlgsO/v+iD/dMoJKtsSqs5Dz/dXZVebRgJw23LDk+jMi/974zyiOYDziY2JPp8xivq9BmUGwIJMiuSBi7w==,
- }
+ resolution: {integrity: sha512-N7kHdlgsO/v+iD/dMoJKtsSqs5Dz/dXZVebRgJw23LDk+jMi/974zyiOYDziY2JPp8xivq9BmUGwIJMiuSBi7w==}
[email protected]:
- resolution:
- {
- integrity: sha512-gew4GsXizNgdoRyqmyfMHyAmXsZDk6mHkSxZFCzW9gwlbtOW44CDtYavM+y+72qD/Vq2l550kMF52DT8fOLJqQ==,
- }
- engines: { node: '>=4.0' }
+ resolution: {integrity: sha512-gew4GsXizNgdoRyqmyfMHyAmXsZDk6mHkSxZFCzW9gwlbtOW44CDtYavM+y+72qD/Vq2l550kMF52DT8fOLJqQ==}
+ engines: {node: '>=4.0'}
peerDependencies:
debug: '*'
peerDependenciesMeta:
@@ -4090,1212 +2529,664 @@ packages:
optional: true
[email protected]:
- resolution:
- {
- integrity: sha512-jqYfLp7mo9vIyQf8ykW2v7A+2N4QjeCeI5+Dz9XraiO1ign81wjiH7Fb9vSOWvQfNtmSa4H2RoQTrrXivdUZmw==,
- }
+ resolution: {integrity: sha512-jqYfLp7mo9vIyQf8ykW2v7A+2N4QjeCeI5+Dz9XraiO1ign81wjiH7Fb9vSOWvQfNtmSa4H2RoQTrrXivdUZmw==}
[email protected]:
- resolution:
- {
- integrity: sha512-Ld2g8rrAyMYFXBhEqMz8ZAHBi4J4uS1i/CxGMDnjyFWddMXLVcDp051DZfu+t7+ab7Wv6SMqpWmyFIj5UbfFvg==,
- }
- engines: { node: '>=14' }
+ resolution: {integrity: sha512-Ld2g8rrAyMYFXBhEqMz8ZAHBi4J4uS1i/CxGMDnjyFWddMXLVcDp051DZfu+t7+ab7Wv6SMqpWmyFIj5UbfFvg==}
+ engines: {node: '>=14'}
[email protected]:
- resolution:
- {
- integrity: sha512-tzN8e4TX8+kkxGPK8D5u0FNmjPUjw3lwC9lSLxxoB/+GtsJG91CO8bSWy73APlgAZzZbXEYZJuxjkHH2w+Ezhw==,
- }
- engines: { node: '>= 6' }
+ resolution: {integrity: sha512-tzN8e4TX8+kkxGPK8D5u0FNmjPUjw3lwC9lSLxxoB/+GtsJG91CO8bSWy73APlgAZzZbXEYZJuxjkHH2w+Ezhw==}
+ engines: {node: '>= 6'}
[email protected]:
- resolution:
- {
- integrity: sha512-ZsDfxO51wGAXREY55a7la9LScWpwv9RxIrYABrlvOFBlH/ShPnrtsXeuUIfXKKOVicNxQ+o8JTbJvjS4M89yew==,
- }
+ resolution: {integrity: sha512-ZsDfxO51wGAXREY55a7la9LScWpwv9RxIrYABrlvOFBlH/ShPnrtsXeuUIfXKKOVicNxQ+o8JTbJvjS4M89yew==}
[email protected]:
- resolution:
- {
- integrity: sha512-y6OAwoSIf7FyjMIv94u+b5rdheZEjzR63GTyZJm5qh4Bi+2YgwLCcI/fPFZkL5PSixOt6ZNKm+w+Hfp/Bciwow==,
- }
+ resolution: {integrity: sha512-y6OAwoSIf7FyjMIv94u+b5rdheZEjzR63GTyZJm5qh4Bi+2YgwLCcI/fPFZkL5PSixOt6ZNKm+w+Hfp/Bciwow==}
[email protected]:
- resolution:
- {
- integrity: sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==,
- }
+ resolution: {integrity: sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==}
[email protected]:
- resolution:
- {
- integrity: sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==,
- }
- engines: { node: ^8.16.0 || ^10.6.0 || >=11.0.0 }
+ resolution: {integrity: sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==}
+ engines: {node: ^8.16.0 || ^10.6.0 || >=11.0.0}
os: [darwin]
[email protected]:
- resolution:
- {
- integrity: sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==,
- }
+ resolution: {integrity: sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==}
[email protected]:
- resolution:
- {
- integrity: sha512-Z5kx79swU5P27WEayXM1tBi5Ze/lbIyiNgU3qyXUOf9b2rgXYyF9Dy9Cx+IQv/Lc8WCG6L82zwUPpSS9hGehIg==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-Z5kx79swU5P27WEayXM1tBi5Ze/lbIyiNgU3qyXUOf9b2rgXYyF9Dy9Cx+IQv/Lc8WCG6L82zwUPpSS9hGehIg==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-xckBUXyTIqT97tq2x2AMb+g163b5JFysYk0x4qxNFwbfQkmNZoiRHb6sPzI9/QV33WeuvVYBUIiD4NzNIyqaRQ==,
- }
+ resolution: {integrity: sha512-xckBUXyTIqT97tq2x2AMb+g163b5JFysYk0x4qxNFwbfQkmNZoiRHb6sPzI9/QV33WeuvVYBUIiD4NzNIyqaRQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-Q4gC1pBVPN+D579pBaz0TRRnGA4p9UK6elDY/xizXdFk/g4EKR5g0I+4p/Kj6gM0SajDBZ/0FvDV9ey9ud7BWw==,
- }
+ resolution: {integrity: sha512-Q4gC1pBVPN+D579pBaz0TRRnGA4p9UK6elDY/xizXdFk/g4EKR5g0I+4p/Kj6gM0SajDBZ/0FvDV9ey9ud7BWw==}
peerDependencies:
next: '>=13.2.0'
[email protected]:
- resolution:
- {
- integrity: sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==,
- }
- engines: { node: 6.* || 8.* || >= 10.* }
+ resolution: {integrity: sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==}
+ engines: {node: 6.* || 8.* || >= 10.*}
[email protected]:
- resolution:
- {
- integrity: sha512-5uYhsJH8VJBTv7oslg4BznJYhDoRI6waYCxMmCdnTrcCrHA/fCFKoTFz2JKKE0HdDFUF7/oQuhzumXJK7paBRQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-5uYhsJH8VJBTv7oslg4BznJYhDoRI6waYCxMmCdnTrcCrHA/fCFKoTFz2JKKE0HdDFUF7/oQuhzumXJK7paBRQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-FJhYRoDaiatfEkUK8HKlicmu/3SGFD51q3itKDGoSTysQJBnfOcxU5GxnhE1E6soB76MbT0MBtnKJuXyAx+96Q==,
- }
- engines: { node: '>=6' }
+ resolution: {integrity: sha512-FJhYRoDaiatfEkUK8HKlicmu/3SGFD51q3itKDGoSTysQJBnfOcxU5GxnhE1E6soB76MbT0MBtnKJuXyAx+96Q==}
+ engines: {node: '>=6'}
[email protected]:
- resolution:
- {
- integrity: sha512-g0QYk1dZBxGwk+Ngc+ltRH2IBp2f7zBkBMBJZCDerh6EhlhSR6+9irMCuT/09zD6qkarHUSn529sK/yL4S27mg==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-g0QYk1dZBxGwk+Ngc+ltRH2IBp2f7zBkBMBJZCDerh6EhlhSR6+9irMCuT/09zD6qkarHUSn529sK/yL4S27mg==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-k9PN+cFBmaLWtVz29SkUoqU5O0slLuHJXt/2P+tMVFT+phsSGXGkp9t3rQIqdz0e+06EHNGs3oM6ZX1s2zHxRg==,
- }
+ resolution: {integrity: sha512-k9PN+cFBmaLWtVz29SkUoqU5O0slLuHJXt/2P+tMVFT+phsSGXGkp9t3rQIqdz0e+06EHNGs3oM6ZX1s2zHxRg==}
[email protected]:
- resolution:
- {
- integrity: sha512-SyHy3T1v2NUXn29OsWdxmK6RwHD+vkj3v8en8AOBZ1wBQ/hCAQ5bAQTD02kW4W9tUp/3Qh6J8r9EvntiyCmOOw==,
- }
+ resolution: {integrity: sha512-SyHy3T1v2NUXn29OsWdxmK6RwHD+vkj3v8en8AOBZ1wBQ/hCAQ5bAQTD02kW4W9tUp/3Qh6J8r9EvntiyCmOOw==}
[email protected]:
- resolution:
- {
- integrity: sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==,
- }
- engines: { node: '>= 6' }
+ resolution: {integrity: sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==}
+ engines: {node: '>= 6'}
[email protected]:
- resolution:
- {
- integrity: sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==,
- }
- engines: { node: '>=10.13.0' }
+ resolution: {integrity: sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==}
+ engines: {node: '>=10.13.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-7Bv8RF0k6xjo7d4A/PxYLbUCfb6c+Vpd2/mB2yRDlew7Jb5hEXiCD9ibfO7wpk8i4sevK6DFny9h7EYbM3/sHg==,
- }
+ resolution: {integrity: sha512-7Bv8RF0k6xjo7d4A/PxYLbUCfb6c+Vpd2/mB2yRDlew7Jb5hEXiCD9ibfO7wpk8i4sevK6DFny9h7EYbM3/sHg==}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==,
- }
+ resolution: {integrity: sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==}
deprecated: Glob versions prior to v9 are no longer supported
[email protected]:
- resolution:
- {
- integrity: sha512-WOBp/EEGUiIsJSp7wcv/y6MO+lV9UoncWqxuFfm8eBwzWNgyfBd6Gz+IeKQ9jCmyhoH99g15M3T+QaVHFjizVA==,
- }
- engines: { node: '>=4' }
+ resolution: {integrity: sha512-WOBp/EEGUiIsJSp7wcv/y6MO+lV9UoncWqxuFfm8eBwzWNgyfBd6Gz+IeKQ9jCmyhoH99g15M3T+QaVHFjizVA==}
+ engines: {node: '>=4'}
[email protected]:
- resolution:
- {
- integrity: sha512-oahGvuMGQlPw/ivIYBjVSrWAfWLBeku5tpPE2fOPLi+WHffIWbuh2tCjhyQhTBPMf5E9jDEH4FOmTYgYwbKwtQ==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-oahGvuMGQlPw/ivIYBjVSrWAfWLBeku5tpPE2fOPLi+WHffIWbuh2tCjhyQhTBPMf5E9jDEH4FOmTYgYwbKwtQ==}
+ engines: {node: '>=18'}
[email protected]:
- resolution:
- {
- integrity: sha512-DpLKbNU4WylpxJykQujfCcwYWiV/Jhm50Goo0wrVILAv5jOr9d+H+UR3PhSCD2rCCEIg0uc+G+muBTwD54JhDQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-DpLKbNU4WylpxJykQujfCcwYWiV/Jhm50Goo0wrVILAv5jOr9d+H+UR3PhSCD2rCCEIg0uc+G+muBTwD54JhDQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-ZUKRh6/kUFoAiTAtTYPZJ3hw9wNxx+BIBOijnlG9PnrJsCcSjs1wyyD6vJpaYtgnzDrKYRSqf3OO6Rfa93xsRg==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-ZUKRh6/kUFoAiTAtTYPZJ3hw9wNxx+BIBOijnlG9PnrJsCcSjs1wyyD6vJpaYtgnzDrKYRSqf3OO6Rfa93xsRg==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ==,
- }
+ resolution: {integrity: sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-EtKwoO6kxCL9WO5xipiHTZlSzBm7WLT627TqC/uVRd0HKmq8NXyebnNYxDoBi7wt8eTWrUrKXCOVaFq9x1kgag==,
- }
+ resolution: {integrity: sha512-EtKwoO6kxCL9WO5xipiHTZlSzBm7WLT627TqC/uVRd0HKmq8NXyebnNYxDoBi7wt8eTWrUrKXCOVaFq9x1kgag==}
[email protected]:
- resolution:
- {
- integrity: sha512-sgUz/2DZt+QvY6WrpAsAXUvhnIkp2eX9jN78V8DAtFcpZi/nfDrzDt2byYjyoJzRcWuqhE0K63g1QMewt73U6A==,
- }
- engines: { node: '>=12' }
+ resolution: {integrity: sha512-sgUz/2DZt+QvY6WrpAsAXUvhnIkp2eX9jN78V8DAtFcpZi/nfDrzDt2byYjyoJzRcWuqhE0K63g1QMewt73U6A==}
+ engines: {node: '>=12'}
peerDependencies:
graphql: '>=0.11 <=16'
[email protected]:
- resolution:
- {
- integrity: sha512-tpCujhsJMva4aqE8ULnF7/l3xw4sNRZcSHu+R00VV+W0mfp+Q20Plvcrp+5UXD+2yS6oyCXncA+zoQJQqhGCEw==,
- }
+ resolution: {integrity: sha512-tpCujhsJMva4aqE8ULnF7/l3xw4sNRZcSHu+R00VV+W0mfp+Q20Plvcrp+5UXD+2yS6oyCXncA+zoQJQqhGCEw==}
[email protected]:
- resolution:
- {
- integrity: sha512-my9FB4GtghqXqi/lWSVAOPiTzTnnEzdOXCsAC2bb5V7EFNQjVjwy3cSSbUvgYOtDuDibd+ZsCDhz+4eykYOlhQ==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-my9FB4GtghqXqi/lWSVAOPiTzTnnEzdOXCsAC2bb5V7EFNQjVjwy3cSSbUvgYOtDuDibd+ZsCDhz+4eykYOlhQ==}
+ engines: {node: '>=10'}
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
[email protected]:
- resolution:
- {
- integrity: sha512-GGTKBX4SD7Wdb8mqeDLni2oaRGYQWjWHGKPQ24ZMnUtKfcsVoiv4uX8+LJr1K6U5VW2Lu1BwJnj7uiori0YtRw==,
- }
- engines: { node: ^12.22.0 || ^14.16.0 || ^16.0.0 || >=17.0.0 }
+ resolution: {integrity: sha512-GGTKBX4SD7Wdb8mqeDLni2oaRGYQWjWHGKPQ24ZMnUtKfcsVoiv4uX8+LJr1K6U5VW2Lu1BwJnj7uiori0YtRw==}
+ engines: {node: ^12.22.0 || ^14.16.0 || ^16.0.0 || >=17.0.0}
[email protected]:
- resolution:
- {
- integrity: sha512-tSvCKtBr9lkF0Ex0aQiP9N+OpV4zi2r/Nee5VkRDbaqv35RLYMzbwQfFSZZH0kR+Rd6302UJZ2p/bJCEoR3VoQ==,
- }
+ resolution: {integrity: sha512-tSvCKtBr9lkF0Ex0aQiP9N+OpV4zi2r/Nee5VkRDbaqv35RLYMzbwQfFSZZH0kR+Rd6302UJZ2p/bJCEoR3VoQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==,
- }
- engines: { node: '>=8' }
+ resolution: {integrity: sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==}
+ engines: {node: '>=8'}
[email protected]:
- resolution:
- {
- integrity: sha512-55JNKuIW+vq4Ke1BjOTjM2YctQIvCT7GFzHwmfZPGo5wnrgkid0YQtnAleFSqumZm4az3n2BS+erby5ipJdgrg==,
- }
+ resolution: {integrity: sha512-55JNKuIW+vq4Ke1BjOTjM2YctQIvCT7GFzHwmfZPGo5wnrgkid0YQtnAleFSqumZm4az3n2BS+erby5ipJdgrg==}
[email protected]:
- resolution:
- {
- integrity: sha512-QLdzI9IIO1Jg7f9GT1gXpPpXArAn6cS31R1eEZqz08Gc+uQ8/XiqHWt17Fiw+2p6oTTIq5GXEpQkAlA88YRl/Q==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-QLdzI9IIO1Jg7f9GT1gXpPpXArAn6cS31R1eEZqz08Gc+uQ8/XiqHWt17Fiw+2p6oTTIq5GXEpQkAlA88YRl/Q==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-1cDNdwJ2Jaohmb3sg4OmKaMBwuC48sYni5HUw2DvsC8LjGTLK9h+eb1X6RyuOHe4hT0ULCW68iomhjUoKUqlPQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-1cDNdwJ2Jaohmb3sg4OmKaMBwuC48sYni5HUw2DvsC8LjGTLK9h+eb1X6RyuOHe4hT0ULCW68iomhjUoKUqlPQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-NqADB8VjPFLM2V0VvHUewwwsw0ZWBaIdgo+ieHtK3hasLz4qeCRjYcqfB6AQrBggRKppKF8L52/VqdVsO47Dlw==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-NqADB8VjPFLM2V0VvHUewwwsw0ZWBaIdgo+ieHtK3hasLz4qeCRjYcqfB6AQrBggRKppKF8L52/VqdVsO47Dlw==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-7xgomUX6ADmcYzFik0HzAxh/73YlKR9bmFzf51CZwR+b6YtzU2m0u49hQCqV6SvlqIqsaxovfwdvbnsw3b/zpg==,
- }
+ resolution: {integrity: sha512-7xgomUX6ADmcYzFik0HzAxh/73YlKR9bmFzf51CZwR+b6YtzU2m0u49hQCqV6SvlqIqsaxovfwdvbnsw3b/zpg==}
[email protected]:
- resolution:
- {
- integrity: sha512-/gGivxi8JPKWNm/W0jSmzcMPpfpPLc3dY/6GxhX2hQ9iGj3aDfklV4ET7NjKpSinLpJ5vafa9iiGIEZg10SfBw==,
- }
+ resolution: {integrity: sha512-/gGivxi8JPKWNm/W0jSmzcMPpfpPLc3dY/6GxhX2hQ9iGj3aDfklV4ET7NjKpSinLpJ5vafa9iiGIEZg10SfBw==}
[email protected]:
- resolution:
- {
- integrity: sha512-hxDF1kVCF2uw4VUJ3vr2doc91pXf2D5ngKcNviSitNkhP9OMOaJkDrFIFL6RMvko7NisWTEiqGpQ9LAxcVok1w==,
- }
- engines: { node: '>=14' }
+ resolution: {integrity: sha512-hxDF1kVCF2uw4VUJ3vr2doc91pXf2D5ngKcNviSitNkhP9OMOaJkDrFIFL6RMvko7NisWTEiqGpQ9LAxcVok1w==}
+ engines: {node: '>=14'}
[email protected]:
- resolution:
- {
- integrity: sha512-GYdjWKDkbRLkZ5geuHs5NY1puJ+PXwP7+fHPRz06Eirsb9ugf6d8kkXav6ADhcODhFFPMIXyxkxSuMf3D6NCFA==,
- }
+ resolution: {integrity: sha512-GYdjWKDkbRLkZ5geuHs5NY1puJ+PXwP7+fHPRz06Eirsb9ugf6d8kkXav6ADhcODhFFPMIXyxkxSuMf3D6NCFA==}
[email protected]:
- resolution:
- {
- integrity: sha512-oUExvfNckrpTpDazph7kNG8sQi5au3BeTo0idaZFXEhTaJKu7GNJCLHI0rYY2wljm548MSTM+Ljj/c6anqu2zQ==,
- }
- engines: { node: '>= 0.4.0' }
+ resolution: {integrity: sha512-oUExvfNckrpTpDazph7kNG8sQi5au3BeTo0idaZFXEhTaJKu7GNJCLHI0rYY2wljm548MSTM+Ljj/c6anqu2zQ==}
+ engines: {node: '>= 0.4.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-dcyqhDvX1C46lXZcVqCpK+FtMRQVdIMN6/Df5js2zouUsqG7I6sFxitIC+7KYK29KdXOLHdu9zL4sFnoVQnqaA==,
- }
+ resolution: {integrity: sha512-dcyqhDvX1C46lXZcVqCpK+FtMRQVdIMN6/Df5js2zouUsqG7I6sFxitIC+7KYK29KdXOLHdu9zL4sFnoVQnqaA==}
[email protected]:
- resolution:
- {
- integrity: sha512-hsBTNUqQTDwkWtcdYI2i06Y/nUBEsNEDJKjWdigLvegy8kDuJAS8uRlpkkcQpyEXL0Z/pjDy5HBmMjRCJ2gq+g==,
- }
- engines: { node: '>= 4' }
+ resolution: {integrity: sha512-hsBTNUqQTDwkWtcdYI2i06Y/nUBEsNEDJKjWdigLvegy8kDuJAS8uRlpkkcQpyEXL0Z/pjDy5HBmMjRCJ2gq+g==}
+ engines: {node: '>= 4'}
[email protected]:
- resolution:
- {
- integrity: sha512-541xKlUw6jr/6gGuk92F+mYM5zaFAc5ahphvkqvNe2bQ6gVBkd6bfrmVJ2t4KDAfikAYZyIqTnktX3i6/aQDrQ==,
- }
- engines: { node: '>=16.x' }
+ resolution: {integrity: sha512-541xKlUw6jr/6gGuk92F+mYM5zaFAc5ahphvkqvNe2bQ6gVBkd6bfrmVJ2t4KDAfikAYZyIqTnktX3i6/aQDrQ==}
+ engines: {node: '>=16.x'}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-1hqclzwYwjRDFLjcFxOM5AYkkG0rpFPpr1RLPMEuGczoS7YA8gLhy8SWXYRAA/XwfEHpfo3cw5JGioS32fnMRw==,
- }
+ resolution: {integrity: sha512-1hqclzwYwjRDFLjcFxOM5AYkkG0rpFPpr1RLPMEuGczoS7YA8gLhy8SWXYRAA/XwfEHpfo3cw5JGioS32fnMRw==}
[email protected]:
- resolution:
- {
- integrity: sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==,
- }
- engines: { node: '>=6' }
+ resolution: {integrity: sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==}
+ engines: {node: '>=6'}
[email protected]:
- resolution:
- {
- integrity: sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==,
- }
- engines: { node: '>=0.8.19' }
+ resolution: {integrity: sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==}
+ engines: {node: '>=0.8.19'}
[email protected]:
- resolution:
- {
- integrity: sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==,
- }
+ resolution: {integrity: sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==}
deprecated: This module is not supported, and leaks memory. Do not use it. Check out lru-cache if you want a good and tested way to coalesce async requests by a key value, which is much more comprehensive and powerful.
[email protected]:
- resolution:
- {
- integrity: sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==,
- }
+ resolution: {integrity: sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-JV/yugV2uzW5iMRSiZAyDtQd+nxtUnjeLt0acNdw98kKLrvuRVyB80tsREOE7yvGVgalhZ6RNXCmEHkUKBKxew==,
- }
+ resolution: {integrity: sha512-JV/yugV2uzW5iMRSiZAyDtQd+nxtUnjeLt0acNdw98kKLrvuRVyB80tsREOE7yvGVgalhZ6RNXCmEHkUKBKxew==}
[email protected]:
- resolution:
- {
- integrity: sha512-NGnrKwXzSms2qUUih/ILZ5JBqNTSa1+ZmP6flaIp6KmSElgE9qdndzS3cqjrDovwFdmwsGsLdeFgB6suw+1e9g==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-NGnrKwXzSms2qUUih/ILZ5JBqNTSa1+ZmP6flaIp6KmSElgE9qdndzS3cqjrDovwFdmwsGsLdeFgB6suw+1e9g==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-phJfQVBuaJM5raOpJjSfkiD6BpbCE4Ns//LaXl6wGYtUBY83nWS6Rf9tXm2e8VaK60JEjYldbPif/A2B1C2gNA==,
- }
+ resolution: {integrity: sha512-phJfQVBuaJM5raOpJjSfkiD6BpbCE4Ns//LaXl6wGYtUBY83nWS6Rf9tXm2e8VaK60JEjYldbPif/A2B1C2gNA==}
[email protected]:
- resolution:
- {
- integrity: sha512-FWyyY60MeTNyeSRpkM2Iry0G9hpr7/9kD40mD/cGQEuilcZYS4okz8SN2Q6rLCJ8gbCt6fN+rC+6tMGS99LaxQ==,
- }
+ resolution: {integrity: sha512-FWyyY60MeTNyeSRpkM2Iry0G9hpr7/9kD40mD/cGQEuilcZYS4okz8SN2Q6rLCJ8gbCt6fN+rC+6tMGS99LaxQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-hmbYhX/9MUMF5uh7tOXyK/n0ZvWpad5caBA17GsC6vyuCqaWliRG5K1qS9inmUhEMaOBIW7/whAnSwveW/LtZw==,
- }
+ resolution: {integrity: sha512-hmbYhX/9MUMF5uh7tOXyK/n0ZvWpad5caBA17GsC6vyuCqaWliRG5K1qS9inmUhEMaOBIW7/whAnSwveW/LtZw==}
[email protected]:
- resolution:
- {
- integrity: sha512-wcjaerHw0ydZwfhiKbXJWLDY8A7yV7KhjQOpb83hGgGfId/aQa4TOvwyzn2PuswW2gPCYEL/nEAiSVpdOj1lXw==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-wcjaerHw0ydZwfhiKbXJWLDY8A7yV7KhjQOpb83hGgGfId/aQa4TOvwyzn2PuswW2gPCYEL/nEAiSVpdOj1lXw==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-zz06S8t0ozoDXMG+ube26zeCTNXcKIPJZJi8hBrF4idCLms4CG9QtK7qBl1boi5ODzFpjswb5JPmHCbMpjaYzg==,
- }
+ resolution: {integrity: sha512-zz06S8t0ozoDXMG+ube26zeCTNXcKIPJZJi8hBrF4idCLms4CG9QtK7qBl1boi5ODzFpjswb5JPmHCbMpjaYzg==}
[email protected]:
- resolution:
- {
- integrity: sha512-eVRqCvVlZbuw3GrM63ovNSNAeA1K16kaR/LRY/92w0zxQ5/1YzwblUX652i4Xs9RwAGjW9d9y6X88t8OaAJfWQ==,
- }
+ resolution: {integrity: sha512-eVRqCvVlZbuw3GrM63ovNSNAeA1K16kaR/LRY/92w0zxQ5/1YzwblUX652i4Xs9RwAGjW9d9y6X88t8OaAJfWQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-Y1JXKrfykRJGdlDwdKlLpLyMIiWqWvuSd17TvZk68PLAOGOoF4Xyav1z0Xhoi+gCYjZVeC5SI+hYFOfvXmGRCA==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-Y1JXKrfykRJGdlDwdKlLpLyMIiWqWvuSd17TvZk68PLAOGOoF4Xyav1z0Xhoi+gCYjZVeC5SI+hYFOfvXmGRCA==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-n4ZT37wG78iz03xPRKJrHTdZbe3IicyucEtdRsV5yglwc3GyUfbAfpSeD0FJ41NbUNSt5wbhqfp1fS+BgnvDFQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-n4ZT37wG78iz03xPRKJrHTdZbe3IicyucEtdRsV5yglwc3GyUfbAfpSeD0FJ41NbUNSt5wbhqfp1fS+BgnvDFQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==,
- }
- engines: { node: '>=8' }
+ resolution: {integrity: sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==}
+ engines: {node: '>=8'}
[email protected]:
- resolution:
- {
- integrity: sha512-kR5g0+dXf/+kXnqI+lu0URKYPKgICtHGGNCDSB10AaUFj3o/HkB3u7WfpRBJGFopxxY0oH3ux7ZsDjLtK7xqvw==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-kR5g0+dXf/+kXnqI+lu0URKYPKgICtHGGNCDSB10AaUFj3o/HkB3u7WfpRBJGFopxxY0oH3ux7ZsDjLtK7xqvw==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-NcdALwpXkTm5Zvvbk7owOUSvVvBKDgKP5/ewfXEznmQFfs4ZRmanOeKBTjRVjka3QFoN6XJ+9F3USqfHqTaU5w==,
- }
+ resolution: {integrity: sha512-NcdALwpXkTm5Zvvbk7owOUSvVvBKDgKP5/ewfXEznmQFfs4ZRmanOeKBTjRVjka3QFoN6XJ+9F3USqfHqTaU5w==}
[email protected]:
- resolution:
- {
- integrity: sha512-DgXeu5UWI0IsMQundYb5UAOzm6G2eVnarJ0byP6Tm55iZNKceD59LNPA2L4VvsScTtHcw0yEkVwSf7PC+QoLSA==,
- }
+ resolution: {integrity: sha512-DgXeu5UWI0IsMQundYb5UAOzm6G2eVnarJ0byP6Tm55iZNKceD59LNPA2L4VvsScTtHcw0yEkVwSf7PC+QoLSA==}
[email protected]:
- resolution:
- {
- integrity: sha512-1BC0BVFhS/p0qtw6enp8e+8OD0UrK0oFLztSjNzhcKA3WDuJxxAPXzPuPtKkjEY9UUoEWlX/8fgKeu2S8i9JTA==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-1BC0BVFhS/p0qtw6enp8e+8OD0UrK0oFLztSjNzhcKA3WDuJxxAPXzPuPtKkjEY9UUoEWlX/8fgKeu2S8i9JTA==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-z0vtXSwucUJtANQWldhbtbt7BnL0vxiFjIdDLAatwhDYty2bad6s+rijD6Ri4YuYJubLzIJLUidCh09e1djEVQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-z0vtXSwucUJtANQWldhbtbt7BnL0vxiFjIdDLAatwhDYty2bad6s+rijD6Ri4YuYJubLzIJLUidCh09e1djEVQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-AHkaJrsUVW6wq6JS8y3JnM/GJF/9cf+k20+iDzlSaJrinEo5+7vRiteOSwBhHRiAyQATN1AmY4hwzxJKPmYf+w==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-AHkaJrsUVW6wq6JS8y3JnM/GJF/9cf+k20+iDzlSaJrinEo5+7vRiteOSwBhHRiAyQATN1AmY4hwzxJKPmYf+w==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-9YQaSxsAiSwcvS33MBk3wTCVnWK+HhF8VZR2jRxehM16QcVOdHqPn4VPHmRK4lSr38n9JriurInLcP90xsYNfQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-9YQaSxsAiSwcvS33MBk3wTCVnWK+HhF8VZR2jRxehM16QcVOdHqPn4VPHmRK4lSr38n9JriurInLcP90xsYNfQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-AAB9hiomQs5DXWcRB1rqsxGUstbRroFOPPVAomNk/3XHR5JyEZChOyTWe2oayKnsSsr/kcGqF+z6yuH6HHpN0A==,
- }
+ resolution: {integrity: sha512-AAB9hiomQs5DXWcRB1rqsxGUstbRroFOPPVAomNk/3XHR5JyEZChOyTWe2oayKnsSsr/kcGqF+z6yuH6HHpN0A==}
[email protected]:
- resolution:
- {
- integrity: sha512-5BMULNob1vgFX6EjQw5izWDxrecWK9AM72rugNr0TFldMOi0fj6Jk+zeKIt0xGj4cEfQIJth4w3OKWOJ4f+AFw==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-5BMULNob1vgFX6EjQw5izWDxrecWK9AM72rugNr0TFldMOi0fj6Jk+zeKIt0xGj4cEfQIJth4w3OKWOJ4f+AFw==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-qfMdqbAQEwBw78ZyReKnlA8ezmPdb9BemzIIip/JkjaZUhitfXDkkr+3QTboW0JrSXT1QWyYShpvnNHGZ4c4yA==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-qfMdqbAQEwBw78ZyReKnlA8ezmPdb9BemzIIip/JkjaZUhitfXDkkr+3QTboW0JrSXT1QWyYShpvnNHGZ4c4yA==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==,
- }
- engines: { node: '>=8' }
+ resolution: {integrity: sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==}
+ engines: {node: '>=8'}
[email protected]:
- resolution:
- {
- integrity: sha512-jsEjy9l3yiXEQ+PsXdmBwEPcOxaXWLspKdplFUVI9vq1iZgIekeC0L167qeu86czQaxed3q/Uzuw0swL0irL8A==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-jsEjy9l3yiXEQ+PsXdmBwEPcOxaXWLspKdplFUVI9vq1iZgIekeC0L167qeu86czQaxed3q/Uzuw0swL0irL8A==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-DgZQp241c8oO6cA1SbTEWiXeoxV42vlcJxgH+B3hi1AiqqKruZR3ZGF8In3fj4+/y/7rHvlOZLZtgJ/4ttYGZg==,
- }
+ resolution: {integrity: sha512-DgZQp241c8oO6cA1SbTEWiXeoxV42vlcJxgH+B3hi1AiqqKruZR3ZGF8In3fj4+/y/7rHvlOZLZtgJ/4ttYGZg==}
[email protected]:
- resolution:
- {
- integrity: sha512-1Qed0/Hr2m+YqxnM09CjA2d/i6YZNfF6R2oRAOj36eUdS6qIV/huPJNSEpKbupewFs+ZsJlxsjjPbc0/afW6Lw==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-1Qed0/Hr2m+YqxnM09CjA2d/i6YZNfF6R2oRAOj36eUdS6qIV/huPJNSEpKbupewFs+ZsJlxsjjPbc0/afW6Lw==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-5KoIu2Ngpyek75jXodFvnafB6DJgr3u8uuK0LEZJjrU19DrMD3EVERaR8sjz8CCGgpZvxPl9SuE1GMVPFHx1mw==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-5KoIu2Ngpyek75jXodFvnafB6DJgr3u8uuK0LEZJjrU19DrMD3EVERaR8sjz8CCGgpZvxPl9SuE1GMVPFHx1mw==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-KVSZV0Dunv9DTPkhXwcZ3Q+tUc9TsaE1ZwX5J2WMvsSGS6Md8TFPun5uwh0yRdrNerI6vf/tbJxqSx4c1ZI1Lw==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-KVSZV0Dunv9DTPkhXwcZ3Q+tUc9TsaE1ZwX5J2WMvsSGS6Md8TFPun5uwh0yRdrNerI6vf/tbJxqSx4c1ZI1Lw==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==,
- }
- engines: { node: '>=0.12.0' }
+ resolution: {integrity: sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==}
+ engines: {node: '>=0.12.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-B6ohK4ZmoftlUe+uvenXSbPJFo6U37BH7oO1B3nQH8f/7h27N56s85MhUtbFJAziz5dcmuR3i8ovUl35zp8pFA==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-B6ohK4ZmoftlUe+uvenXSbPJFo6U37BH7oO1B3nQH8f/7h27N56s85MhUtbFJAziz5dcmuR3i8ovUl35zp8pFA==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-iPAjerrse27/ygGLxw+EBR9agv9Y6uLeYVJMu+QNCoouJ1/1ri0mGrcWpfCqFZuzzx3WjtwxG098X+n4OuRkPg==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-iPAjerrse27/ygGLxw+EBR9agv9Y6uLeYVJMu+QNCoouJ1/1ri0mGrcWpfCqFZuzzx3WjtwxG098X+n4OuRkPg==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-nA2hv5XIhLR3uVzDDfCIknerhx8XUKnstuOERPNNIinXG7v9u+ohXF67vxm4TPTEPU6lm61ZkwP3c9PCB97rhg==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-nA2hv5XIhLR3uVzDDfCIknerhx8XUKnstuOERPNNIinXG7v9u+ohXF67vxm4TPTEPU6lm61ZkwP3c9PCB97rhg==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-PlfzajuF9vSo5wErv3MJAKD/nqf9ngAs1NFQYm16nUYFO2IzxJ2hcm+IOCg+EEopdykNNUhVq5cz35cAUxU8+g==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-PlfzajuF9vSo5wErv3MJAKD/nqf9ngAs1NFQYm16nUYFO2IzxJ2hcm+IOCg+EEopdykNNUhVq5cz35cAUxU8+g==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-qS8KkNNXUZ/I+nX6QT8ZS1/Yx0A444yhzdTKxCzKkNjQ9sHErBxJnJAgh+f5YhusYECEcjo4XcyH87hn6+ks0A==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-qS8KkNNXUZ/I+nX6QT8ZS1/Yx0A444yhzdTKxCzKkNjQ9sHErBxJnJAgh+f5YhusYECEcjo4XcyH87hn6+ks0A==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-uZ25/bUAlUY5fR4OKT4rZQEBrzQWYV9ZJYGGsUmEJ6thodVJ1HX64ePQ6Z0qPWP+m+Uq6e9UugrE38jeYsDSMw==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-uZ25/bUAlUY5fR4OKT4rZQEBrzQWYV9ZJYGGsUmEJ6thodVJ1HX64ePQ6Z0qPWP+m+Uq6e9UugrE38jeYsDSMw==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-K5pXYOm9wqY1RgjpL3YTkF39tni1XajUIkawTLUo9EZEVUFga5gSQJF8nNS7ZwJQ02y+1YCNYcMh+HIf1ZqE+w==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-K5pXYOm9wqY1RgjpL3YTkF39tni1XajUIkawTLUo9EZEVUFga5gSQJF8nNS7ZwJQ02y+1YCNYcMh+HIf1ZqE+w==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-qctsuLZmIQ0+vSSMfoVvyFe2+GSEvnmZ2ezTup1SBse9+twCCeial6EEi3Nc2KFcf6+qz2FBPnjXsk8xhKSaPQ==,
- }
+ resolution: {integrity: sha512-qctsuLZmIQ0+vSSMfoVvyFe2+GSEvnmZ2ezTup1SBse9+twCCeial6EEi3Nc2KFcf6+qz2FBPnjXsk8xhKSaPQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-LvIm3/KWzS9oRFHugab7d+M/GcBXuXX5xZkzPmN+NxihdQlZUQ4dWuSV1xR/sq6upL1TJEDrfBgRepHFdBtSNQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-LvIm3/KWzS9oRFHugab7d+M/GcBXuXX5xZkzPmN+NxihdQlZUQ4dWuSV1xR/sq6upL1TJEDrfBgRepHFdBtSNQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-RydPhl4S6JwAyj0JJjshWJEFG6hNye3pZFBRZaTUfZFwGHxzppNaNOVgQuS/E/SlhrApuMXrpnK1EEIXfdo3Dg==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-RydPhl4S6JwAyj0JJjshWJEFG6hNye3pZFBRZaTUfZFwGHxzppNaNOVgQuS/E/SlhrApuMXrpnK1EEIXfdo3Dg==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-D2S+3GLxWH+uhrNEcoh/fnmYeP8E8/zHl644d/jdA0g2uyXvy3sb0qxotE+ne0LtccHknQzWwZEzhak7oJ0COQ==,
- }
+ resolution: {integrity: sha512-D2S+3GLxWH+uhrNEcoh/fnmYeP8E8/zHl644d/jdA0g2uyXvy3sb0qxotE+ne0LtccHknQzWwZEzhak7oJ0COQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-VLghIWNM6ELQzo7zwmcg0NmTVyWKYjvIeM83yjp0wRDTmUnrM678fQbcKBo6n2CJEF0szoG//ytg+TKla89ALQ==,
- }
+ resolution: {integrity: sha512-VLghIWNM6ELQzo7zwmcg0NmTVyWKYjvIeM83yjp0wRDTmUnrM678fQbcKBo6n2CJEF0szoG//ytg+TKla89ALQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-xHjhDr3cNBK0BzdUJSPXZntQUx/mwMS5Rw4A7lPJ90XGAO6ISP/ePDNuo0vhqOZU+UD5JoodwCAAoZQd3FeAKw==,
- }
+ resolution: {integrity: sha512-xHjhDr3cNBK0BzdUJSPXZntQUx/mwMS5Rw4A7lPJ90XGAO6ISP/ePDNuo0vhqOZU+UD5JoodwCAAoZQd3FeAKw==}
[email protected]:
- resolution:
- {
- integrity: sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==,
- }
+ resolution: {integrity: sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==}
[email protected]:
- resolution:
- {
- integrity: sha512-geDJjpoZ8N0kWexiwkX8F9NkTsXhetLPVbZFQ+JTW239QNOwvB0gniuR1Wc6f0AMTn7/mFGyXvHTifrCp/GH8Q==,
- }
+ resolution: {integrity: sha512-geDJjpoZ8N0kWexiwkX8F9NkTsXhetLPVbZFQ+JTW239QNOwvB0gniuR1Wc6f0AMTn7/mFGyXvHTifrCp/GH8Q==}
[email protected]:
- resolution:
- {
- integrity: sha512-PIeMbHqMt4DnUP3MA/Flc0HElYjMXArsw1qwJZcm9sqR8mq3l8NYizFMty0pWwE/tzIGH3EKK5+jes5mAr85yw==,
- }
+ resolution: {integrity: sha512-PIeMbHqMt4DnUP3MA/Flc0HElYjMXArsw1qwJZcm9sqR8mq3l8NYizFMty0pWwE/tzIGH3EKK5+jes5mAr85yw==}
[email protected]:
- resolution:
- {
- integrity: sha512-FW5iMbeQ6rBGm/oKgzq2aW4KvAGpxPzYES8N4g4xNXUKpL1mclMvOe+76AcLDTvD+Ze+sOpVhgdAQEKF4L9iGQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-FW5iMbeQ6rBGm/oKgzq2aW4KvAGpxPzYES8N4g4xNXUKpL1mclMvOe+76AcLDTvD+Ze+sOpVhgdAQEKF4L9iGQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-OGlZQpz2yfahA/Rd1Y8Cd9SIEsqvXkLVoSw/cgwhnhFMDbsQFeZYoJJ7bIZBS9BcamUW96asq/npPWugM+RQBw==,
- }
+ resolution: {integrity: sha512-OGlZQpz2yfahA/Rd1Y8Cd9SIEsqvXkLVoSw/cgwhnhFMDbsQFeZYoJJ7bIZBS9BcamUW96asq/npPWugM+RQBw==}
[email protected]:
- resolution:
- {
- integrity: sha512-2yTgeWTWzMWkHu6Jp9NKgePDaYHbntiwvYuuJLbbN9vl7DC9DvXKOB2BC3ZZ92D3cvV/aflH0osDfwpHepQ53w==,
- }
+ resolution: {integrity: sha512-2yTgeWTWzMWkHu6Jp9NKgePDaYHbntiwvYuuJLbbN9vl7DC9DvXKOB2BC3ZZ92D3cvV/aflH0osDfwpHepQ53w==}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-AMlnetc9+CV9asI19zHmrgS/WYsWUwCn2R7RzlbJWD7F9eWYUTGyBmU9o6PxngtLGOiDGPRu+Uc4fhKzbpteZQ==,
- }
+ resolution: {integrity: sha512-AMlnetc9+CV9asI19zHmrgS/WYsWUwCn2R7RzlbJWD7F9eWYUTGyBmU9o6PxngtLGOiDGPRu+Uc4fhKzbpteZQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-34wB/Y7MW7bzjKRjUKTa46I2Z7eV62Rkhva+KkopW7Qvv/OSWBqvkSY7vusOPrNuZcUG3tApvdVgNB8POj3SPw==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-34wB/Y7MW7bzjKRjUKTa46I2Z7eV62Rkhva+KkopW7Qvv/OSWBqvkSY7vusOPrNuZcUG3tApvdVgNB8POj3SPw==}
+ engines: {node: '>=10'}
[email protected]:
- resolution:
- {
- integrity: sha512-ESjNzSlt/sWE8sciZH8kBF8BPlwXPwhR6pWKAw8bw4Bwj+iZcnKW6ONWUutJ7eObuBZQpiIb8S7OYspWrKt7rA==,
- }
- engines: { node: '>=14' }
+ resolution: {integrity: sha512-ESjNzSlt/sWE8sciZH8kBF8BPlwXPwhR6pWKAw8bw4Bwj+iZcnKW6ONWUutJ7eObuBZQpiIb8S7OYspWrKt7rA==}
+ engines: {node: '>=14'}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-HvdH2LzI/EAZcUwA8+0nKNtWHqS+ZmijLA30RwZA0bo7ToCckjK5MkGhjED9KoRcXO6BaGI3I9UIzSA1FKFPOQ==,
- }
+ resolution: {integrity: sha512-HvdH2LzI/EAZcUwA8+0nKNtWHqS+ZmijLA30RwZA0bo7ToCckjK5MkGhjED9KoRcXO6BaGI3I9UIzSA1FKFPOQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-cEiJEAEoIbWfCZYKWhVwFuvPX1gETRYPw6LlaTKoxD3s2AkXzkCjnp6h0V77ozyqj0jakteJ4YqDJT830+lVGw==,
- }
- engines: { node: '>=14' }
+ resolution: {integrity: sha512-cEiJEAEoIbWfCZYKWhVwFuvPX1gETRYPw6LlaTKoxD3s2AkXzkCjnp6h0V77ozyqj0jakteJ4YqDJT830+lVGw==}
+ engines: {node: '>=14'}
[email protected]:
- resolution:
- {
- integrity: sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==,
- }
+ resolution: {integrity: sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==,
- }
+ resolution: {integrity: sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-xKqzzWXDttJuOcawBt4KnKHHIf5oQ/Cxax+0PWFG+DFDgHNAdi+TXECADI+RYiFUMmx8792xsMbbgXj4CwnP4g==,
- }
- engines: { node: '>=6' }
+ resolution: {integrity: sha512-xKqzzWXDttJuOcawBt4KnKHHIf5oQ/Cxax+0PWFG+DFDgHNAdi+TXECADI+RYiFUMmx8792xsMbbgXj4CwnP4g==}
+ engines: {node: '>=6'}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-4bV5BfR2mqfQTJm+V5tPPdf+ZpuhiIvTuAB5g8kcrXOZpTT/QwwVRWBywX1ozr6lEuPdbHxwaJlm9G6mI2sfSQ==,
- }
+ resolution: {integrity: sha512-4bV5BfR2mqfQTJm+V5tPPdf+ZpuhiIvTuAB5g8kcrXOZpTT/QwwVRWBywX1ozr6lEuPdbHxwaJlm9G6mI2sfSQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-xyFwyhro/JEof6Ghe2iz2NcXoj2sloNsWr/XsERDK/oiPCfaNhl5ONfp+jQdAZRQQ0IJWNzH9zIZF7li91kh2w==,
- }
+ resolution: {integrity: sha512-xyFwyhro/JEof6Ghe2iz2NcXoj2sloNsWr/XsERDK/oiPCfaNhl5ONfp+jQdAZRQQ0IJWNzH9zIZF7li91kh2w==}
[email protected]:
- resolution:
- {
- integrity: sha512-iOKdzTUWEVM4nlxpFudFsWyUiu/Jakkga4OZPEt7CGoSEsAsUgdOZqR6pcgx2STBek9Gm4hcarJpXSzIvZ/hKA==,
- }
- engines: { node: '>=16.0.0' }
+ resolution: {integrity: sha512-iOKdzTUWEVM4nlxpFudFsWyUiu/Jakkga4OZPEt7CGoSEsAsUgdOZqR6pcgx2STBek9Gm4hcarJpXSzIvZ/hKA==}
+ engines: {node: '>=16.0.0'}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==,
- }
+ resolution: {integrity: sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==}
[email protected]:
- resolution:
- {
- integrity: sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug==,
- }
+ resolution: {integrity: sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug==}
[email protected]:
- resolution:
- {
- integrity: sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==,
- }
+ resolution: {integrity: sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==}
[email protected]:
- resolution:
- {
- integrity: sha512-g1MWMLBiz8FKi1e4w0UyVL3w+iJceWAFBAaBnnGKOpNa5f8TLktkbre1+s6oICydWAm+HRUGTmI+//xv2hvXYA==,
- }
+ resolution: {integrity: sha512-g1MWMLBiz8FKi1e4w0UyVL3w+iJceWAFBAaBnnGKOpNa5f8TLktkbre1+s6oICydWAm+HRUGTmI+//xv2hvXYA==}
+ hasBin: true
+
+ [email protected]:
+ resolution: {integrity: sha512-9Ag50tKhpTwS6r5wh3MJSAvpSof0UBr39Pto8OnzFT32Z/pAbxAsKHzyvsyMEHVslELvHyO/4/jaQELHk8wDcw==}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-ZZow9HBI5O6EPgSJLUb8n2NKgmVWTwCvHGwFuJlMjvLFqlGG6pjirPhtdsseaLZjSibD8eegzmYpUZwoIlj2cQ==,
- }
- engines: { node: '>=4.0' }
+ resolution: {integrity: sha512-ZZow9HBI5O6EPgSJLUb8n2NKgmVWTwCvHGwFuJlMjvLFqlGG6pjirPhtdsseaLZjSibD8eegzmYpUZwoIlj2cQ==}
+ engines: {node: '>=4.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-C3iHfuGUXK2u8/ipq9LfjFfXFxAZMQJJq7vLS45r3D9Y2xQ/m4S8zaR4zMLFWh9AsNPXmcFfUDhTEO8UIC/V6Q==,
- }
- engines: { node: '>=12.0.0' }
+ resolution: {integrity: sha512-C3iHfuGUXK2u8/ipq9LfjFfXFxAZMQJJq7vLS45r3D9Y2xQ/m4S8zaR4zMLFWh9AsNPXmcFfUDhTEO8UIC/V6Q==}
+ engines: {node: '>=12.0.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-oxVHkHR/EJf2CNXnWxRLW6mg7JyCCUcG0DtEGmL2ctUo1PNTin1PUil+r/+4r5MpVgC/fn1kjsx7mjSujKqIpw==,
- }
+ resolution: {integrity: sha512-oxVHkHR/EJf2CNXnWxRLW6mg7JyCCUcG0DtEGmL2ctUo1PNTin1PUil+r/+4r5MpVgC/fn1kjsx7mjSujKqIpw==}
[email protected]:
- resolution:
- {
- integrity: sha512-NOW9QQXMoZGg/oqnVNoNTTIFEIid1627WCffUBJEdMxYApq7mNE7CpzucIPc+ZQg25Phej7IJSmX3hO+oblOtQ==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-NOW9QQXMoZGg/oqnVNoNTTIFEIid1627WCffUBJEdMxYApq7mNE7CpzucIPc+ZQg25Phej7IJSmX3hO+oblOtQ==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-eTIzlVOSUR+JxdDFepEYcBMtZ9Qqdef+rnzWdRZuMbOywu5tO2w2N7rqjoANZ5k9vywhL6Br1VRjUIgTQx4E8w==,
- }
- engines: { node: '>=6' }
+ resolution: {integrity: sha512-eTIzlVOSUR+JxdDFepEYcBMtZ9Qqdef+rnzWdRZuMbOywu5tO2w2N7rqjoANZ5k9vywhL6Br1VRjUIgTQx4E8w==}
+ engines: {node: '>=6'}
[email protected]:
- resolution:
- {
- integrity: sha512-0K65Lea881pHotoGEa5gDlMxt3pctLi2RplBb7Ezh4rRdLEOtgi7n4EwK9lamnUCkKBqaeKRVebTq6BAxSkpXQ==,
- }
+ resolution: {integrity: sha512-0K65Lea881pHotoGEa5gDlMxt3pctLi2RplBb7Ezh4rRdLEOtgi7n4EwK9lamnUCkKBqaeKRVebTq6BAxSkpXQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-MbjN408fEndfiQXbFQ1vnd+1NoLDsnQW41410oQBXiyXDMYH5z505juWa4KUE1LqxRC7DgOgZDbKLxHIwm27hA==,
- }
- engines: { node: '>=0.10' }
+ resolution: {integrity: sha512-MbjN408fEndfiQXbFQ1vnd+1NoLDsnQW41410oQBXiyXDMYH5z505juWa4KUE1LqxRC7DgOgZDbKLxHIwm27hA==}
+ engines: {node: '>=0.10'}
[email protected]:
- resolution:
- {
- integrity: sha512-y+SqErxb8h7nE/fiEX07jsbuhrpO9lL8eca7/Y1nuWV2moNlXhyd59iDGcRf6moVyDMbmTNzL40SUyrFU/yDpg==,
- }
+ resolution: {integrity: sha512-y+SqErxb8h7nE/fiEX07jsbuhrpO9lL8eca7/Y1nuWV2moNlXhyd59iDGcRf6moVyDMbmTNzL40SUyrFU/yDpg==}
[email protected]:
- resolution:
- {
- integrity: sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==,
- }
- engines: { node: '>= 0.8.0' }
+ resolution: {integrity: sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==}
+ engines: {node: '>= 0.8.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-lJEHLFACXqRf3u/VlIOu9T7MJ51O4la92uOBwiS9Sx+juDK3Nrru5Vgl1aUirV1qK8XEM3h6Org2HcrsrzZ3ZA==,
- }
+ resolution: {integrity: sha512-lJEHLFACXqRf3u/VlIOu9T7MJ51O4la92uOBwiS9Sx+juDK3Nrru5Vgl1aUirV1qK8XEM3h6Org2HcrsrzZ3ZA==}
[email protected]:
- resolution:
- {
- integrity: sha512-XteTiNO0qEXqqweWx+b21p/fBnNHUA1NwAtJNJek1oPrewEZs2uiT4gWivHKr9GqCjDPAhchz0UQO8NwU3bBNA==,
- }
- engines: { node: '>=16' }
+ resolution: {integrity: sha512-XteTiNO0qEXqqweWx+b21p/fBnNHUA1NwAtJNJek1oPrewEZs2uiT4gWivHKr9GqCjDPAhchz0UQO8NwU3bBNA==}
+ engines: {node: '>=16'}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-/vlFKAoH5Cgt3Ie+JLhRbwOsCQePABiU3tJ1egGvyQ+33R/vcwM2Zl2QR/LzjsBeItPt3oSVXapn+m4nQDvpzw==,
- }
- engines: { node: '>=14' }
+ resolution: {integrity: sha512-/vlFKAoH5Cgt3Ie+JLhRbwOsCQePABiU3tJ1egGvyQ+33R/vcwM2Zl2QR/LzjsBeItPt3oSVXapn+m4nQDvpzw==}
+ engines: {node: '>=14'}
[email protected]:
- resolution:
- {
- integrity: sha512-7ylylesZQ/PV29jhEDl3Ufjo6ZX7gCqJr5F7PKrqc93v7fzSymt1BpwEU8nAUXs8qzzvqhbjhK5QZg6Mt/HkBg==,
- }
+ resolution: {integrity: sha512-7ylylesZQ/PV29jhEDl3Ufjo6ZX7gCqJr5F7PKrqc93v7fzSymt1BpwEU8nAUXs8qzzvqhbjhK5QZg6Mt/HkBg==}
[email protected]:
- resolution:
- {
- integrity: sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==}
+ engines: {node: '>=10'}
[email protected]:
- resolution:
- {
- integrity: sha512-aVx8ztPv7/2ULbArGJ2Y42bG1mEQ5mGjpdvrbJcJFU3TbYybe+QlLS4pst9zV52ymy2in1KpFPiZnAOATxD4+Q==,
- }
+ resolution: {integrity: sha512-aVx8ztPv7/2ULbArGJ2Y42bG1mEQ5mGjpdvrbJcJFU3TbYybe+QlLS4pst9zV52ymy2in1KpFPiZnAOATxD4+Q==}
[email protected]:
- resolution:
- {
- integrity: sha512-oSXzaWypCMHkPC3NvBEaPHf0KsA5mvPrOPgQWDsbg8n7orZ290M0BmC/jgRZ4vcJ6DTAhjrsSYgdsW/F+MFOBA==,
- }
+ resolution: {integrity: sha512-oSXzaWypCMHkPC3NvBEaPHf0KsA5mvPrOPgQWDsbg8n7orZ290M0BmC/jgRZ4vcJ6DTAhjrsSYgdsW/F+MFOBA==}
[email protected]:
- resolution:
- {
- integrity: sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==,
- }
+ resolution: {integrity: sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg==,
- }
+ resolution: {integrity: sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg==}
[email protected]:
- resolution:
- {
- integrity: sha512-9Ri+o0JYgehTaVBBDoMqIl8GXtbWg711O3srftcHhZ0dqnETqLaoIK0x17fUw9rFSlK/0NlsKe0Ahhyl5pXE2g==,
- }
+ resolution: {integrity: sha512-9Ri+o0JYgehTaVBBDoMqIl8GXtbWg711O3srftcHhZ0dqnETqLaoIK0x17fUw9rFSlK/0NlsKe0Ahhyl5pXE2g==}
[email protected]:
- resolution:
- {
- integrity: sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q==,
- }
+ resolution: {integrity: sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q==}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-JNAzZcXrCt42VGLuYz0zfAzDfAvJWW6AfYlDBQyDV5DClI2m5sAmK+OIO7s59XfsRsWHp02jAJrRadPRGTt6SQ==,
- }
+ resolution: {integrity: sha512-JNAzZcXrCt42VGLuYz0zfAzDfAvJWW6AfYlDBQyDV5DClI2m5sAmK+OIO7s59XfsRsWHp02jAJrRadPRGTt6SQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-u6EPU8juLUk9ytRcyapkWI18epAv3RU+6+TC23ivjR0e+glWKBobFeSgRwOIJihzktILQuy6E0E80P2jVTDR5g==,
- }
+ resolution: {integrity: sha512-u6EPU8juLUk9ytRcyapkWI18epAv3RU+6+TC23ivjR0e+glWKBobFeSgRwOIJihzktILQuy6E0E80P2jVTDR5g==}
peerDependencies:
react: ^16.5.1 || ^17.0.0 || ^18.0.0
[email protected]:
- resolution:
- {
- integrity: sha512-T1GITYmFaKuO91vxyoQMFETst+O71VUPEU3ze5GNzDm0OWdP8v1ziTaAEPUr/3kLsY3Sftgz242A1SetQiDL7g==,
- }
+ resolution: {integrity: sha512-T1GITYmFaKuO91vxyoQMFETst+O71VUPEU3ze5GNzDm0OWdP8v1ziTaAEPUr/3kLsY3Sftgz242A1SetQiDL7g==}
[email protected]:
- resolution:
- {
- integrity: sha512-uZhTV/8NBuw0WHkPTrCqDOl0zVe1BIng5ZtHoDk49ME1qqcjYmmLmOf0gELgcRMxN4w2iuIeVso5/6QymSrgmA==,
- }
+ resolution: {integrity: sha512-uZhTV/8NBuw0WHkPTrCqDOl0zVe1BIng5ZtHoDk49ME1qqcjYmmLmOf0gELgcRMxN4w2iuIeVso5/6QymSrgmA==}
[email protected]:
- resolution:
- {
- integrity: sha512-bfOjvNt+1AcbPLTFMFWY149nJz0OjmewJs3LQQ5pIyVGxP4CdOqNVJL6kTaM5c68p8q82Xv3nCyFfUnuEcH3UQ==,
- }
+ resolution: {integrity: sha512-bfOjvNt+1AcbPLTFMFWY149nJz0OjmewJs3LQQ5pIyVGxP4CdOqNVJL6kTaM5c68p8q82Xv3nCyFfUnuEcH3UQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-TqICwyvJJpBwvGAMZjj4J2n0X8QWp21b9l0o7eXyVJ25YNWYbJDVIyD1bZXE6WtV6RmKJVYmQAKWa0zWOABz2w==,
- }
+ resolution: {integrity: sha512-TqICwyvJJpBwvGAMZjj4J2n0X8QWp21b9l0o7eXyVJ25YNWYbJDVIyD1bZXE6WtV6RmKJVYmQAKWa0zWOABz2w==}
[email protected]:
- resolution:
- {
- integrity: sha512-xj68wMTvGXVOKonmog6LwyJKrYXZPvlwabaryTjLh9LuvovB/KAH+kvi8Gjj+7rJjsFi23nkUxRQv1KqSroMqA==,
- }
+ resolution: {integrity: sha512-xj68wMTvGXVOKonmog6LwyJKrYXZPvlwabaryTjLh9LuvovB/KAH+kvi8Gjj+7rJjsFi23nkUxRQv1KqSroMqA==}
[email protected]:
- resolution:
- {
- integrity: sha512-0H44vDimn51F0YwvxSJSm0eCDOJTRlmN0R1yBh4HLj9wiV1Dn0QoXGbvFAWj2hSItVTlCmBF1hqKlIyUBVFLPg==,
- }
+ resolution: {integrity: sha512-0H44vDimn51F0YwvxSJSm0eCDOJTRlmN0R1yBh4HLj9wiV1Dn0QoXGbvFAWj2hSItVTlCmBF1hqKlIyUBVFLPg==}
[email protected]:
- resolution:
- {
- integrity: sha512-rkpe71W0N0c0Xz6QD0eJETuWAJGnJ9afsl1srmwPrI+yBCkge5EycXXbYRyvL29zZVUWQCY7InPRCv3GDXuZNw==,
- }
+ resolution: {integrity: sha512-rkpe71W0N0c0Xz6QD0eJETuWAJGnJ9afsl1srmwPrI+yBCkge5EycXXbYRyvL29zZVUWQCY7InPRCv3GDXuZNw==}
[email protected]:
- resolution:
- {
- integrity: sha512-ZS4Bp4r/Zoeq6+NLJpP+0Zzm0pR8whtGPf1XExKLJBAczGMnSi3It14OiNCStjQjM6NU1okjQGSxgEZN8eBYKg==,
- }
+ resolution: {integrity: sha512-ZS4Bp4r/Zoeq6+NLJpP+0Zzm0pR8whtGPf1XExKLJBAczGMnSi3It14OiNCStjQjM6NU1okjQGSxgEZN8eBYKg==}
[email protected]:
- resolution:
- {
- integrity: sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==,
- }
- engines: { node: '>= 8' }
+ resolution: {integrity: sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==}
+ engines: {node: '>= 8'}
[email protected]:
- resolution:
- {
- integrity: sha512-FKjQKbxd1cibWMM1P9N+H8TwlgGgSkWZMmfuVucLCHaYqeSvJ0hFeHsIa65pA2nYbes0f8LDHPMrd9X7Ujxg9w==,
- }
+ resolution: {integrity: sha512-FKjQKbxd1cibWMM1P9N+H8TwlgGgSkWZMmfuVucLCHaYqeSvJ0hFeHsIa65pA2nYbes0f8LDHPMrd9X7Ujxg9w==}
[email protected]:
- resolution:
- {
- integrity: sha512-vNuFb9czP8QCtAQcEJn0UJQJZA8Dk6DXKBqx+bg/w0WGuSxDxNr7hErW89tHUY31dUW4NqEOWwmEUNhjTFmHkg==,
- }
+ resolution: {integrity: sha512-vNuFb9czP8QCtAQcEJn0UJQJZA8Dk6DXKBqx+bg/w0WGuSxDxNr7hErW89tHUY31dUW4NqEOWwmEUNhjTFmHkg==}
[email protected]:
- resolution:
- {
- integrity: sha512-Xe6rDdJlkmbFRExpTOmRj9N3MaWmbAgdpSrBQvCFqhezUn4AHqJHbaEnfbVYYiexVSs//tqOdY/DxhjdCiJnIA==,
- }
+ resolution: {integrity: sha512-Xe6rDdJlkmbFRExpTOmRj9N3MaWmbAgdpSrBQvCFqhezUn4AHqJHbaEnfbVYYiexVSs//tqOdY/DxhjdCiJnIA==}
[email protected]:
- resolution:
- {
- integrity: sha512-VFMekyQExqIW7xIChcXn4ok29YE3rnuyveW3wZQWWqF4Nv9Wk5rgJ99KzPvHjkmPXF93FXIbBp6YdW3t71/7Vg==,
- }
+ resolution: {integrity: sha512-VFMekyQExqIW7xIChcXn4ok29YE3rnuyveW3wZQWWqF4Nv9Wk5rgJ99KzPvHjkmPXF93FXIbBp6YdW3t71/7Vg==}
[email protected]:
- resolution:
- {
- integrity: sha512-5E5I2pFzJyg2CtemqAbcyCktpHXuJbABnsb32wX2U8IQKhhVFBqkcZR5LRm1WVoFqa4kTueZK4abep7wdo9nrw==,
- }
+ resolution: {integrity: sha512-5E5I2pFzJyg2CtemqAbcyCktpHXuJbABnsb32wX2U8IQKhhVFBqkcZR5LRm1WVoFqa4kTueZK4abep7wdo9nrw==}
[email protected]:
- resolution:
- {
- integrity: sha512-zRkxjtBxxLd2Sc0d+fbnEunsTj46SWXgXciZmHq0kDYGnck/ZSGj9/wULTV95uoeYiK5hRXP2mJ98Uo4cq/LQg==,
- }
+ resolution: {integrity: sha512-zRkxjtBxxLd2Sc0d+fbnEunsTj46SWXgXciZmHq0kDYGnck/ZSGj9/wULTV95uoeYiK5hRXP2mJ98Uo4cq/LQg==}
[email protected]:
- resolution:
- {
- integrity: sha512-5bZ+3CjhAd9eChYTHsjy6TGxpOFSKgKKJPJxr293jTbfry2KDoWkhBb6TcPVB4NmzaPhMs1Frm9AZH7OD4Cjzw==,
- }
+ resolution: {integrity: sha512-5bZ+3CjhAd9eChYTHsjy6TGxpOFSKgKKJPJxr293jTbfry2KDoWkhBb6TcPVB4NmzaPhMs1Frm9AZH7OD4Cjzw==}
[email protected]:
- resolution:
- {
- integrity: sha512-Ob0nuZ3PKt/n0hORHyvoD9uZhr+Za8sFoP+OnMcnWK5lngSzALgQYKMr9RJVOWLqQYuyn6ulqGWSXdwf6F80lQ==,
- }
+ resolution: {integrity: sha512-Ob0nuZ3PKt/n0hORHyvoD9uZhr+Za8sFoP+OnMcnWK5lngSzALgQYKMr9RJVOWLqQYuyn6ulqGWSXdwf6F80lQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-wv8tdUTJ3thSFFFJKtpYKOYiGP2+v96Hvk4Tu8KpCAsTMs6yi+nVmGh1syvSCsaxz45J6Jbw+9DD6g97+NV67Q==,
- }
+ resolution: {integrity: sha512-wv8tdUTJ3thSFFFJKtpYKOYiGP2+v96Hvk4Tu8KpCAsTMs6yi+nVmGh1syvSCsaxz45J6Jbw+9DD6g97+NV67Q==}
[email protected]:
- resolution:
- {
- integrity: sha512-QUNFEOPELfmvv+4xiNg2sRYeS/P84pTW0TCgP5zc9FpXetHY0ab7SxKyAQCNCc1eK0459uoLI1y5oO5Vc1dbhA==,
- }
+ resolution: {integrity: sha512-QUNFEOPELfmvv+4xiNg2sRYeS/P84pTW0TCgP5zc9FpXetHY0ab7SxKyAQCNCc1eK0459uoLI1y5oO5Vc1dbhA==}
[email protected]:
- resolution:
- {
- integrity: sha512-K0kHzM6afW/MbeWYWLjoHQv1sgg2Q9EccHEDzSkxiP/EaagNzCm7T/WMKZ3rjMbvIpvBiZgwR3dKMygtA4mG1Q==,
- }
+ resolution: {integrity: sha512-K0kHzM6afW/MbeWYWLjoHQv1sgg2Q9EccHEDzSkxiP/EaagNzCm7T/WMKZ3rjMbvIpvBiZgwR3dKMygtA4mG1Q==}
[email protected]:
- resolution:
- {
- integrity: sha512-OnAnH8Ujmy59JcyZw8JSbK9cGpdVY44NKgSM7E9Eh7DiLS2E9RNQf0dONaGDzEG9yjEl5hcqeIsj4hfRkLH/Bg==,
- }
+ resolution: {integrity: sha512-OnAnH8Ujmy59JcyZw8JSbK9cGpdVY44NKgSM7E9Eh7DiLS2E9RNQf0dONaGDzEG9yjEl5hcqeIsj4hfRkLH/Bg==}
[email protected]:
- resolution:
- {
- integrity: sha512-ccUbYk6CwVdkmCQMyr64dXz42EfHGkPQlBj5p7YVGzq8I7CtjXZJrubAYezf7Rp+bjPseiROqe7G6foFd+lEuw==,
- }
+ resolution: {integrity: sha512-ccUbYk6CwVdkmCQMyr64dXz42EfHGkPQlBj5p7YVGzq8I7CtjXZJrubAYezf7Rp+bjPseiROqe7G6foFd+lEuw==}
[email protected]:
- resolution:
- {
- integrity: sha512-nDV/77Fj6eH1ynwscYTOsbK7rR//Uj0bZXBwJZRfaLEJ1iGBR6kIfNmlNqaqJf649EP0F3NWNdeJi03elllNUQ==,
- }
+ resolution: {integrity: sha512-nDV/77Fj6eH1ynwscYTOsbK7rR//Uj0bZXBwJZRfaLEJ1iGBR6kIfNmlNqaqJf649EP0F3NWNdeJi03elllNUQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-c3cVx2y4KqUnwopcO9b/SCdo2O67LwJJ/UyqGfbigahfegL9myoEFoDYZgkT7f36T0bLrM9hZTAaAyH+PCAXjw==,
- }
+ resolution: {integrity: sha512-c3cVx2y4KqUnwopcO9b/SCdo2O67LwJJ/UyqGfbigahfegL9myoEFoDYZgkT7f36T0bLrM9hZTAaAyH+PCAXjw==}
[email protected]:
- resolution:
- {
- integrity: sha512-Fk+xmBrOv9QZnEDguL9OI9/NQQp6Hz4FuQ4YmCb/5V7+9eAh1s6AYSvL20kHkD67YIg7EpE54TiSlcsf3vyZgA==,
- }
+ resolution: {integrity: sha512-Fk+xmBrOv9QZnEDguL9OI9/NQQp6Hz4FuQ4YmCb/5V7+9eAh1s6AYSvL20kHkD67YIg7EpE54TiSlcsf3vyZgA==}
[email protected]:
- resolution:
- {
- integrity: sha512-2cNEiYDhCWKI+Gs9T0Tiysk136SnR13hhO8yW6BGNyhOC4qYFnwF1nKfD3HFAIXA5c45RrIG1ub11GiXeYd1xA==,
- }
+ resolution: {integrity: sha512-2cNEiYDhCWKI+Gs9T0Tiysk136SnR13hhO8yW6BGNyhOC4qYFnwF1nKfD3HFAIXA5c45RrIG1ub11GiXeYd1xA==}
[email protected]:
- resolution:
- {
- integrity: sha512-sxPqmo70LyARJs0w2UclACPUUEqltCkJ6PhKdMIDuJ3gSf/Q+/GIe3WKl0Ijb/GyH9lOpUkRAO2wp0GVkLvS9Q==,
- }
+ resolution: {integrity: sha512-sxPqmo70LyARJs0w2UclACPUUEqltCkJ6PhKdMIDuJ3gSf/Q+/GIe3WKl0Ijb/GyH9lOpUkRAO2wp0GVkLvS9Q==}
[email protected]:
- resolution:
- {
- integrity: sha512-VdQyxFWFT2/FGJgwQnJYbe1jjQoNTS4RjglmSjTUlpUMa95Htx9NHeYW4rGDJzbjvCsl9eLjMQwGeElsqmzcHg==,
- }
+ resolution: {integrity: sha512-VdQyxFWFT2/FGJgwQnJYbe1jjQoNTS4RjglmSjTUlpUMa95Htx9NHeYW4rGDJzbjvCsl9eLjMQwGeElsqmzcHg==}
[email protected]:
- resolution:
- {
- integrity: sha512-9N9IomZ/YuGGZZmQec1MbgxtlgougxTodVwDzzEouPKo3qFWvymFHWcnDi2vzV1ff6kas9ucW+o3yzJK9YB1AQ==,
- }
+ resolution: {integrity: sha512-9N9IomZ/YuGGZZmQec1MbgxtlgougxTodVwDzzEouPKo3qFWvymFHWcnDi2vzV1ff6kas9ucW+o3yzJK9YB1AQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-VXJJuNxYWSoYL6AJ6OQECCFGhIU2GGHMw8tahogePBrjkG8aCCas3ibkp7RnVOSTClg2is05/R7maAhF1XyQMg==,
- }
+ resolution: {integrity: sha512-VXJJuNxYWSoYL6AJ6OQECCFGhIU2GGHMw8tahogePBrjkG8aCCas3ibkp7RnVOSTClg2is05/R7maAhF1XyQMg==}
[email protected]:
- resolution:
- {
- integrity: sha512-vs5t8Apaud9N28kgCrRUdEed4UJ+wWNvicHLPxCa9ENlYuAY31M0ETy5y1vA33YoNPDFTghEbnh6efaE8h4x0Q==,
- }
+ resolution: {integrity: sha512-vs5t8Apaud9N28kgCrRUdEed4UJ+wWNvicHLPxCa9ENlYuAY31M0ETy5y1vA33YoNPDFTghEbnh6efaE8h4x0Q==}
[email protected]:
- resolution:
- {
- integrity: sha512-534m2WhVTddrcKVepwmVEVnUAmtrx9bfIjNoQHRqfnvdaHQiFytEhJoTgpWJvDEXCO5gLTQh3wYC1PgOJA4NSQ==,
- }
+ resolution: {integrity: sha512-534m2WhVTddrcKVepwmVEVnUAmtrx9bfIjNoQHRqfnvdaHQiFytEhJoTgpWJvDEXCO5gLTQh3wYC1PgOJA4NSQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-eBPdkcoCNvYcxQOAKAlceo5SNdzZWfF+FcSupREAzdAh9rRmE239CEQAiTwIgblwnoM8zzj35sZ5ZwvSEOF6Kw==,
- }
+ resolution: {integrity: sha512-eBPdkcoCNvYcxQOAKAlceo5SNdzZWfF+FcSupREAzdAh9rRmE239CEQAiTwIgblwnoM8zzj35sZ5ZwvSEOF6Kw==}
[email protected]:
- resolution:
- {
- integrity: sha512-PXwfBhYu0hBCPw8Dn0E+WDYb7af3dSLVWKi3HGv84IdF4TyFoC0ysxFd0Goxw7nSv4T/PzEJQxsYsEiFCKo2BA==,
- }
- engines: { node: '>=8.6' }
+ resolution: {integrity: sha512-PXwfBhYu0hBCPw8Dn0E+WDYb7af3dSLVWKi3HGv84IdF4TyFoC0ysxFd0Goxw7nSv4T/PzEJQxsYsEiFCKo2BA==}
+ engines: {node: '>=8.6'}
[email protected]:
- resolution:
- {
- integrity: sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==,
- }
- engines: { node: '>= 0.6' }
+ resolution: {integrity: sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==}
+ engines: {node: '>= 0.6'}
[email protected]:
- resolution:
- {
- integrity: sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==,
- }
- engines: { node: '>= 0.6' }
+ resolution: {integrity: sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==}
+ engines: {node: '>= 0.6'}
[email protected]:
- resolution:
- {
- integrity: sha512-z0yWI+4FDrrweS8Zmt4Ej5HdJmky15+L2e6Wgn3+iK5fWzb6T3fhNFq2+MeTRb064c6Wr4N/wv0DzQTjNzHNGQ==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-z0yWI+4FDrrweS8Zmt4Ej5HdJmky15+L2e6Wgn3+iK5fWzb6T3fhNFq2+MeTRb064c6Wr4N/wv0DzQTjNzHNGQ==}
+ engines: {node: '>=10'}
[email protected]:
- resolution:
- {
- integrity: sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==,
- }
+ resolution: {integrity: sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==}
[email protected]:
- resolution:
- {
- integrity: sha512-0jWhJpD/MdhPXwPuiRkCbfYfSKp2qnn2eOc279qI7f+osl/l+prKSrvhg157zSYvx/1nmgn2NqdT6k2Z7zSH9w==,
- }
- engines: { node: '>=16 || 14 >=14.17' }
+ resolution: {integrity: sha512-0jWhJpD/MdhPXwPuiRkCbfYfSKp2qnn2eOc279qI7f+osl/l+prKSrvhg157zSYvx/1nmgn2NqdT6k2Z7zSH9w==}
+ engines: {node: '>=16 || 14 >=14.17'}
[email protected]:
- resolution:
- {
- integrity: sha512-G6T0ZX48xgozx7587koeX9Ys2NYy6Gmv//P89sEte9V9whIapMNF4idKxnW2QtCcLiTWlb/wfCabAtAFWhhBow==,
- }
- engines: { node: '>=16 || 14 >=14.17' }
+ resolution: {integrity: sha512-G6T0ZX48xgozx7587koeX9Ys2NYy6Gmv//P89sEte9V9whIapMNF4idKxnW2QtCcLiTWlb/wfCabAtAFWhhBow==}
+ engines: {node: '>=16 || 14 >=14.17'}
[email protected]:
- resolution:
- {
- integrity: sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==,
- }
+ resolution: {integrity: sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==}
[email protected]:
- resolution:
- {
- integrity: sha512-qOOzS1cBTWYF4BH8fVePDBOO9iptMnGUEZwNc/cMWnTV2nVLZ7VoNWEPHkYczZA0pdoA7dl6e7FL659nX9S2aw==,
- }
- engines: { node: '>=16 || 14 >=14.17' }
+ resolution: {integrity: sha512-qOOzS1cBTWYF4BH8fVePDBOO9iptMnGUEZwNc/cMWnTV2nVLZ7VoNWEPHkYczZA0pdoA7dl6e7FL659nX9S2aw==}
+ engines: {node: '>=16 || 14 >=14.17'}
[email protected]:
- resolution:
- {
- integrity: sha512-gKLcREMhtuZRwRAfqP3RFW+TK4JqApVBtOIftVgjuABpAtpxhPGaDcfvbhNvD0B8iD1oUr/txX35NjcaY6Ns/A==,
- }
+ resolution: {integrity: sha512-gKLcREMhtuZRwRAfqP3RFW+TK4JqApVBtOIftVgjuABpAtpxhPGaDcfvbhNvD0B8iD1oUr/txX35NjcaY6Ns/A==}
[email protected]:
- resolution:
- {
- integrity: sha512-vVqVZQyf3WLx2Shd0qJ9xuvqgAyKPLAiqITEtqW0oIUjzo3PePDd6fW9iFz30ef7Ysp/oiWqbhszeGWW2T6Gzw==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-vVqVZQyf3WLx2Shd0qJ9xuvqgAyKPLAiqITEtqW0oIUjzo3PePDd6fW9iFz30ef7Ysp/oiWqbhszeGWW2T6Gzw==}
+ engines: {node: '>=10'}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-OeWhNpABLCeTqubfqLMXGsqf6OmPU6pHM85kF3dhy6kq5hnhuVS1p3VrEW/XhWHc71P2tHyS5JFySD8mgs1crw==,
- }
+ resolution: {integrity: sha512-OeWhNpABLCeTqubfqLMXGsqf6OmPU6pHM85kF3dhy6kq5hnhuVS1p3VrEW/XhWHc71P2tHyS5JFySD8mgs1crw==}
[email protected]:
- resolution:
- {
- integrity: sha512-XqMGwRX0Lgn05TDB4PyG2h2kKO/FfWJyCzYQbIhXUxz7ETt0I/FqHjUeqj37irJ+Dl1ZtU82uYyj14u2XsZKfg==,
- }
+ resolution: {integrity: sha512-XqMGwRX0Lgn05TDB4PyG2h2kKO/FfWJyCzYQbIhXUxz7ETt0I/FqHjUeqj37irJ+Dl1ZtU82uYyj14u2XsZKfg==}
[email protected]:
- resolution:
- {
- integrity: sha512-gP9vduuYWb9ZkDM546M+MP2qKVk5ZG2wPF63OvSRuUbqCR+11ZCAE1mOfllhlAG0wcoJY5yDL/rV3OmYEwXIzg==,
- }
- engines: { node: '>=16.20.1' }
+ resolution: {integrity: sha512-gP9vduuYWb9ZkDM546M+MP2qKVk5ZG2wPF63OvSRuUbqCR+11ZCAE1mOfllhlAG0wcoJY5yDL/rV3OmYEwXIzg==}
+ engines: {node: '>=16.20.1'}
peerDependencies:
'@aws-sdk/credential-providers': ^3.188.0
'@mongodb-js/zstd': ^1.1.0
@@ -5321,88 +3212,52 @@ packages:
optional: true
[email protected]:
- resolution:
- {
- integrity: sha512-Ai478tHedZy3U2ITBEp2H4rQEviRan3TK4p/umlFqIzgPF1R0hNKvzzQGIb1l2h+Z32QLU3NqaoWKu4vOOUElQ==,
- }
- engines: { node: '>=4.0.0' }
+ resolution: {integrity: sha512-Ai478tHedZy3U2ITBEp2H4rQEviRan3TK4p/umlFqIzgPF1R0hNKvzzQGIb1l2h+Z32QLU3NqaoWKu4vOOUElQ==}
+ engines: {node: '>=4.0.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-kFxhot+yw9KmpAGSSrF/o+f00aC2uawgNUbhyaM0USS9L7dln1NA77/pLg4lgOaRgXMtfgCENamjqZwIM1Zrig==,
- }
- engines: { node: '>=4.0.0' }
+ resolution: {integrity: sha512-kFxhot+yw9KmpAGSSrF/o+f00aC2uawgNUbhyaM0USS9L7dln1NA77/pLg4lgOaRgXMtfgCENamjqZwIM1Zrig==}
+ engines: {node: '>=4.0.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-/I4n/DcXqXyIiLRfAmUIiTjj3vXfeISke8dt4U4Y8Wfm074Wa6sXnQrXN49NFOFf2mM1kUdOXryoBvkuCnr+Qw==,
- }
- engines: { node: '>=16.20.1' }
+ resolution: {integrity: sha512-/I4n/DcXqXyIiLRfAmUIiTjj3vXfeISke8dt4U4Y8Wfm074Wa6sXnQrXN49NFOFf2mM1kUdOXryoBvkuCnr+Qw==}
+ engines: {node: '>=16.20.1'}
[email protected]:
- resolution:
- {
- integrity: sha512-ikJRQTk8hw5DEoFVxHG1Gn9T/xcjtdnOKIU1JTmGjZZlg9LST2mBLmcX3/ICIbgJydT2GOc15RnNy5mHmzfSew==,
- }
- engines: { node: '>=4.0.0' }
+ resolution: {integrity: sha512-ikJRQTk8hw5DEoFVxHG1Gn9T/xcjtdnOKIU1JTmGjZZlg9LST2mBLmcX3/ICIbgJydT2GOc15RnNy5mHmzfSew==}
+ engines: {node: '>=4.0.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-iQMncpmEK8R8ncT8HJGsGc9Dsp8xcgYMVSbs5jgnm1lFHTZqMJTUWTDx1LBO8+mK3tPNZWFLBghQEIOULSTHZg==,
- }
- engines: { node: '>=14.0.0' }
+ resolution: {integrity: sha512-iQMncpmEK8R8ncT8HJGsGc9Dsp8xcgYMVSbs5jgnm1lFHTZqMJTUWTDx1LBO8+mK3tPNZWFLBghQEIOULSTHZg==}
+ engines: {node: '>=14.0.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==,
- }
+ resolution: {integrity: sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==}
[email protected]:
- resolution:
- {
- integrity: sha512-z81GNO7nnYMEhrGh9LeymoE4+Yr0Wn5McHIZMK5cfQCl+NDX08sCZgUc9/6MHni9IWuFLm1Z3HTCXu2z9fN62Q==,
- }
+ resolution: {integrity: sha512-z81GNO7nnYMEhrGh9LeymoE4+Yr0Wn5McHIZMK5cfQCl+NDX08sCZgUc9/6MHni9IWuFLm1Z3HTCXu2z9fN62Q==}
[email protected]:
- resolution:
- {
- integrity: sha512-WNLf5Sd8oZxOm+TzppcYk8gVOgP+l58xNy58D0nbUnOxOWRWvlcCV4kUF7ltmI6PsrLl/BgKEyS4mqsGChFN0w==,
- }
- engines: { node: ^10 || ^12 || ^13.7 || ^14 || >=15.0.1 }
+ resolution: {integrity: sha512-WNLf5Sd8oZxOm+TzppcYk8gVOgP+l58xNy58D0nbUnOxOWRWvlcCV4kUF7ltmI6PsrLl/BgKEyS4mqsGChFN0w==}
+ engines: {node: ^10 || ^12 || ^13.7 || ^14 || >=15.0.1}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-ONmRUqK7zj7DWX0D9ADe03wbwOBZxNAfF20PlGfCWQcD3+/MakShIHrMqx9YwPTfxDdF1zLeL+RGZiR9kGMLdg==,
- }
+ resolution: {integrity: sha512-ONmRUqK7zj7DWX0D9ADe03wbwOBZxNAfF20PlGfCWQcD3+/MakShIHrMqx9YwPTfxDdF1zLeL+RGZiR9kGMLdg==}
[email protected]:
- resolution:
- {
- integrity: sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==,
- }
+ resolution: {integrity: sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==}
[email protected]:
- resolution:
- {
- integrity: sha512-vjdCxeDuWDzldhCnyFCQipw5bfpl4HmZA7uoo3GAaYGjGgfL4Cxb1CiztPuWGmS+auYs7/8OekRS8C2cjdAsjQ==,
- }
- engines: { node: '>=14.18' }
+ resolution: {integrity: sha512-vjdCxeDuWDzldhCnyFCQipw5bfpl4HmZA7uoo3GAaYGjGgfL4Cxb1CiztPuWGmS+auYs7/8OekRS8C2cjdAsjQ==}
+ engines: {node: '>=14.18'}
hasBin: true
peerDependencies:
next: '*'
[email protected]:
- resolution:
- {
- integrity: sha512-QKhzt6Y8rgLNlj30izdMbxAwjHMFANnLwDwZ+WQh5sMhyt4lEBqDK9QpvWHtIM4rINKPoJ8aiRZKg5ULSybVHw==,
- }
- engines: { node: ^18.18.0 || ^19.8.0 || >= 20.0.0 }
+ resolution: {integrity: sha512-QKhzt6Y8rgLNlj30izdMbxAwjHMFANnLwDwZ+WQh5sMhyt4lEBqDK9QpvWHtIM4rINKPoJ8aiRZKg5ULSybVHw==}
+ engines: {node: ^18.18.0 || ^19.8.0 || >= 20.0.0}
hasBin: true
peerDependencies:
'@opentelemetry/api': ^1.1.0
@@ -5422,24 +3277,15 @@ packages:
optional: true
[email protected]:
- resolution:
- {
- integrity: sha512-SZ40vRiy/+wRTf21hxkkEjPJZpARzUMVcJoQse2EF8qkUWbbO2z7vd5oA/H6bVH6SZQ5STGcu0KRDS7biNRfxw==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-SZ40vRiy/+wRTf21hxkkEjPJZpARzUMVcJoQse2EF8qkUWbbO2z7vd5oA/H6bVH6SZQ5STGcu0KRDS7biNRfxw==}
+ engines: {node: '>=10'}
[email protected]:
- resolution:
- {
- integrity: sha512-+eawOlIgy680F0kBzPUNFhMZGtJ1YmqM6l4+Crf4IkImjYrO/mqPwRMh352g23uIaQKFItcQ64I7KMaJxHgAVA==,
- }
+ resolution: {integrity: sha512-+eawOlIgy680F0kBzPUNFhMZGtJ1YmqM6l4+Crf4IkImjYrO/mqPwRMh352g23uIaQKFItcQ64I7KMaJxHgAVA==}
[email protected]:
- resolution:
- {
- integrity: sha512-c4FRfUm/dbcWZ7U+1Wq0AwCyFL+3nt2bEw05wfxSz+DWpWsitgmSgYmy2dQdWyKC1694ELPqMs/YzUSNozLt8A==,
- }
- engines: { node: 4.x || >=6.0.0 }
+ resolution: {integrity: sha512-c4FRfUm/dbcWZ7U+1Wq0AwCyFL+3nt2bEw05wfxSz+DWpWsitgmSgYmy2dQdWyKC1694ELPqMs/YzUSNozLt8A==}
+ engines: {node: 4.x || >=6.0.0}
peerDependencies:
encoding: ^0.1.0
peerDependenciesMeta:
@@ -5447,358 +3293,205 @@ packages:
optional: true
[email protected]:
- resolution:
- {
- integrity: sha512-d9VeXT4SJ7ZeOqGX6R5EM022wpL+eWPooLI+5UpWn2jCT1aosUQEhQP214x33Wkwx3JQMvIm+tIoVOdodFS40g==,
- }
+ resolution: {integrity: sha512-d9VeXT4SJ7ZeOqGX6R5EM022wpL+eWPooLI+5UpWn2jCT1aosUQEhQP214x33Wkwx3JQMvIm+tIoVOdodFS40g==}
[email protected]:
- resolution:
- {
- integrity: sha512-qtoKfGFhvIFW5kLfrkw2R6Nm6Ur4LNUMykyqu6n9BRKJuyQrqEGwdXXUAbwWEKt33dlWUGXb7rzmJP/p4+O+CA==,
- }
- engines: { node: '>=6.0.0' }
+ resolution: {integrity: sha512-qtoKfGFhvIFW5kLfrkw2R6Nm6Ur4LNUMykyqu6n9BRKJuyQrqEGwdXXUAbwWEKt33dlWUGXb7rzmJP/p4+O+CA==}
+ engines: {node: '>=6.0.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-lNDU9VJaOPxUmXcLb+HQFeUgQQPtMI24Gt6hgfuMHRJgMRHMF/qZ4HJD3GDru4sSw9IQl2jPjAYnQrdIeLbwow==,
- }
+ resolution: {integrity: sha512-lNDU9VJaOPxUmXcLb+HQFeUgQQPtMI24Gt6hgfuMHRJgMRHMF/qZ4HJD3GDru4sSw9IQl2jPjAYnQrdIeLbwow==}
[email protected]:
- resolution:
- {
- integrity: sha512-taM24ViiimT/XntxbPyJQzCG+p4EKOpgD3mxFwW38mGjVUrfERQOeY4EDHjdnptttfHuHQXFx+lTP08Q+mLa/w==,
- }
- engines: { node: ^14.17.0 || ^16.13.0 || >=18.0.0 }
+ resolution: {integrity: sha512-taM24ViiimT/XntxbPyJQzCG+p4EKOpgD3mxFwW38mGjVUrfERQOeY4EDHjdnptttfHuHQXFx+lTP08Q+mLa/w==}
+ engines: {node: ^14.17.0 || ^16.13.0 || >=18.0.0}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-bdok/XvKII3nUpklnV6P2hxtMNrCboOjAcyBuQnWEhO665FwrSNRxU+AqpsyvO6LgGYPspN+lu5CLtw4jPRKNA==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-bdok/XvKII3nUpklnV6P2hxtMNrCboOjAcyBuQnWEhO665FwrSNRxU+AqpsyvO6LgGYPspN+lu5CLtw4jPRKNA==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-RSn9F68PjH9HqtltsSnqYC1XXoWe9Bju5+213R98cNGttag9q9yAOTzdbsqvIa7aNm5WffBZFpWYr2aWrklWAw==,
- }
- engines: { node: '>= 6' }
+ resolution: {integrity: sha512-RSn9F68PjH9HqtltsSnqYC1XXoWe9Bju5+213R98cNGttag9q9yAOTzdbsqvIa7aNm5WffBZFpWYr2aWrklWAw==}
+ engines: {node: '>= 6'}
[email protected]:
- resolution:
- {
- integrity: sha512-kDCGIbxkDSXE3euJZZXzc6to7fCrKHNI/hSRQnRuQ+BWjFNzZwiFF8fj/6o2t2G9/jTj8PSIYTfCLelLZEeRpA==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-kDCGIbxkDSXE3euJZZXzc6to7fCrKHNI/hSRQnRuQ+BWjFNzZwiFF8fj/6o2t2G9/jTj8PSIYTfCLelLZEeRpA==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-QiM9D0NiU5jV6J6tjE1g7b4Z2tcUnKs1OPUi4iMb2zH+7jwlcUrASghgkFk9GtzqNNq8rTQJtT8AzjBAvLoNMw==,
- }
+ resolution: {integrity: sha512-QiM9D0NiU5jV6J6tjE1g7b4Z2tcUnKs1OPUi4iMb2zH+7jwlcUrASghgkFk9GtzqNNq8rTQJtT8AzjBAvLoNMw==}
[email protected]:
- resolution:
- {
- integrity: sha512-byy+U7gp+FVwmyzKPYhW2h5l3crpmGsxl7X2s8y43IgxvG4g3QZ6CffDtsNQy1WsmZpQbO+ybo0AlW7TY6DcBQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-byy+U7gp+FVwmyzKPYhW2h5l3crpmGsxl7X2s8y43IgxvG4g3QZ6CffDtsNQy1WsmZpQbO+ybo0AlW7TY6DcBQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-cmopxi8VwRIAw/fkijJohSfpef5PdN0pMQJN6VC/ZKvn0LIknWD8KtgY6KlQdEc4tIjcQ3HxSMmnvtzIscdaYQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-cmopxi8VwRIAw/fkijJohSfpef5PdN0pMQJN6VC/ZKvn0LIknWD8KtgY6KlQdEc4tIjcQ3HxSMmnvtzIscdaYQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-k6E21FzySsSK5a21KRADBd/NGneRegFO5pLHfdQLpRDETUNJueLXs3WCzyQ3tFRDYgbq3KHGXfTbi2bs8WQ6rQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-k6E21FzySsSK5a21KRADBd/NGneRegFO5pLHfdQLpRDETUNJueLXs3WCzyQ3tFRDYgbq3KHGXfTbi2bs8WQ6rQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-+Lhy3TQTuzXI5hevh8sBGqbmurHbbIjAi0Z4S63nthVLmLxfbj4T54a4CfZrXIrt9iP4mVAPYMo/v99taj3wjQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-+Lhy3TQTuzXI5hevh8sBGqbmurHbbIjAi0Z4S63nthVLmLxfbj4T54a4CfZrXIrt9iP4mVAPYMo/v99taj3wjQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-yBYjY9QX2hnRmZHAjG/f13MzmBzxzYgQhFrke06TTyKY5zSTEqkOeukBzIdVA3j3ulu8Qa3MbVFShV7T2RmGtQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-yBYjY9QX2hnRmZHAjG/f13MzmBzxzYgQhFrke06TTyKY5zSTEqkOeukBzIdVA3j3ulu8Qa3MbVFShV7T2RmGtQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-0eJJY6hXLGf1udHwfNftBqH+g73EU4B504nZeKpz1sYRKafAghwxEJunB2O7rDZkL4PGfsMVnTXZ2EjibbqcsA==,
- }
- engines: { node: '>=14.0.0' }
+ resolution: {integrity: sha512-0eJJY6hXLGf1udHwfNftBqH+g73EU4B504nZeKpz1sYRKafAghwxEJunB2O7rDZkL4PGfsMVnTXZ2EjibbqcsA==}
+ engines: {node: '>=14.0.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==,
- }
+ resolution: {integrity: sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==}
[email protected]:
- resolution:
- {
- integrity: sha512-6IpQ7mKUxRcZNLIObR0hz7lxsapSSIYNZJwXPGeF0mTVqGKFIXj1DQcMoT22S3ROcLyY/rz0PWaWZ9ayWmad9g==,
- }
- engines: { node: '>= 0.8.0' }
+ resolution: {integrity: sha512-6IpQ7mKUxRcZNLIObR0hz7lxsapSSIYNZJwXPGeF0mTVqGKFIXj1DQcMoT22S3ROcLyY/rz0PWaWZ9ayWmad9g==}
+ engines: {node: '>= 0.8.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==}
+ engines: {node: '>=10'}
[email protected]:
- resolution:
- {
- integrity: sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==}
+ engines: {node: '>=10'}
[email protected]:
- resolution:
- {
- integrity: sha512-UEZIS3/by4OC8vL3P2dTXRETpebLI2NiI5vIrjaD/5UtrkFX/tNbwjTSRAGC/+7CAo2pIcBaRgWmcBBHcsaCIw==,
- }
+ resolution: {integrity: sha512-UEZIS3/by4OC8vL3P2dTXRETpebLI2NiI5vIrjaD/5UtrkFX/tNbwjTSRAGC/+7CAo2pIcBaRgWmcBBHcsaCIw==}
[email protected]:
- resolution:
- {
- integrity: sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==,
- }
- engines: { node: '>=6' }
+ resolution: {integrity: sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==}
+ engines: {node: '>=6'}
[email protected]:
- resolution:
- {
- integrity: sha512-SWzvYcSJh4d/SGLIOQfZ/CoNv6BTlI6YEQ7Nj82oDVnRpwe/Z/F1EMx42x3JAOwGBlCjeCH0BRJQbQ/opHL17w==,
- }
+ resolution: {integrity: sha512-SWzvYcSJh4d/SGLIOQfZ/CoNv6BTlI6YEQ7Nj82oDVnRpwe/Z/F1EMx42x3JAOwGBlCjeCH0BRJQbQ/opHL17w==}
[email protected]:
- resolution:
- {
- integrity: sha512-ayCKvm/phCGxOkYRSCM82iDwct8/EonSEgCSxWxD7ve6jHggsFl4fZVQBPRNgQoKiuV/odhFrGzQXZwbifC8Rg==,
- }
- engines: { node: '>=8' }
+ resolution: {integrity: sha512-ayCKvm/phCGxOkYRSCM82iDwct8/EonSEgCSxWxD7ve6jHggsFl4fZVQBPRNgQoKiuV/odhFrGzQXZwbifC8Rg==}
+ engines: {node: '>=8'}
[email protected]:
- resolution:
- {
- integrity: sha512-VfcwXlBWgTF+unPcr7yu3HSSA6QUdDaDnrHcytVfj5Z8azAyKBDrYnSIfeSxlrEayndNcLmrXzg+Vxbo6DWRXQ==,
- }
+ resolution: {integrity: sha512-VfcwXlBWgTF+unPcr7yu3HSSA6QUdDaDnrHcytVfj5Z8azAyKBDrYnSIfeSxlrEayndNcLmrXzg+Vxbo6DWRXQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==,
- }
- engines: { node: '>=8' }
+ resolution: {integrity: sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==}
+ engines: {node: '>=8'}
[email protected]:
- resolution:
- {
- integrity: sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==,
- }
- engines: { node: '>=8' }
+ resolution: {integrity: sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==}
+ engines: {node: '>=8'}
[email protected]:
- resolution:
- {
- integrity: sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==,
- }
+ resolution: {integrity: sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==}
[email protected]:
- resolution:
- {
- integrity: sha512-Xa4Nw17FS9ApQFJ9umLiJS4orGjm7ZzwUrwamcGQuHSzDyth9boKDaycYdDcZDuqYATXw4HFXgaqWTctW/v1HA==,
- }
- engines: { node: '>=16 || 14 >=14.18' }
+ resolution: {integrity: sha512-Xa4Nw17FS9ApQFJ9umLiJS4orGjm7ZzwUrwamcGQuHSzDyth9boKDaycYdDcZDuqYATXw4HFXgaqWTctW/v1HA==}
+ engines: {node: '>=16 || 14 >=14.18'}
[email protected]:
- resolution:
- {
- integrity: sha512-Yhpw4T9C6hPpgPeA28us07OJeqZ5EzQTkbfwuhsUg0c237RomFoETJgmp2sa3F/41gfLE6G5cqcYwznmeEeOlQ==,
- }
+ resolution: {integrity: sha512-Yhpw4T9C6hPpgPeA28us07OJeqZ5EzQTkbfwuhsUg0c237RomFoETJgmp2sa3F/41gfLE6G5cqcYwznmeEeOlQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==,
- }
- engines: { node: '>=8' }
+ resolution: {integrity: sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==}
+ engines: {node: '>=8'}
[email protected]:
- resolution:
- {
- integrity: sha512-hpQdOiPq4LpWTkbuAnvxDf5wQ2ysMp9kQt+X2U+FfvBwD1U6qoxJfmUymG1OjLlaZzCZ93FlOdTl4u4Z0/m/SA==,
- }
+ resolution: {integrity: sha512-hpQdOiPq4LpWTkbuAnvxDf5wQ2ysMp9kQt+X2U+FfvBwD1U6qoxJfmUymG1OjLlaZzCZ93FlOdTl4u4Z0/m/SA==}
peerDependencies:
react: ^16.8.0 || ^17.0.0 || ^18.0.0
react-dom: ^16.8.0 || ^17.0.0 || ^18.0.0
- [email protected]:
- resolution:
- {
- integrity: sha512-7RYx64ZHyEXJCgNpzGBgzpwDYCBRQUqKhfB8FhozQQ6OHn9uOHTn6htUngfx0/d0ijSdoDsK8cyMFD09xUfuPw==,
- }
- engines: { node: ^18.20.2 || >=20.9.0 }
+ [email protected]:
+ resolution: {integrity: sha512-frbWjci/VXcqBjrpG6cJBjtiJluXuBDrPghjPSdzRXpvR3REyijgSaGP7T32c9z2zR0Erauw67oWV9w0G1AlXw==}
+ engines: {node: ^18.20.2 || >=20.9.0}
hasBin: true
peerDependencies:
graphql: ^16.8.1
[email protected]:
- resolution:
- {
- integrity: sha512-YYEs+eauIjDH5nUEGi18EohWE0nV2QbGTqmxQcqgZ/0g+laPCQmuIqq7EBLVi9uim9zMgfJv0QBZEnQ3uHw/Tw==,
- }
+ resolution: {integrity: sha512-YYEs+eauIjDH5nUEGi18EohWE0nV2QbGTqmxQcqgZ/0g+laPCQmuIqq7EBLVi9uim9zMgfJv0QBZEnQ3uHw/Tw==}
[email protected]:
- resolution:
- {
- integrity: sha512-GVlENSDW6KHaXcd9zkZltB7tCLosKB/4Hg0fqBJkAoBgYG2Tn1xtMgXtSUuMU9AK/gCm/tTdT8mgAeF4YNeeqw==,
- }
- engines: { node: '>=14.16' }
+ resolution: {integrity: sha512-GVlENSDW6KHaXcd9zkZltB7tCLosKB/4Hg0fqBJkAoBgYG2Tn1xtMgXtSUuMU9AK/gCm/tTdT8mgAeF4YNeeqw==}
+ engines: {node: '>=14.16'}
[email protected]:
- resolution:
- {
- integrity: sha512-xceH2snhtb5M9liqDsmEw56le376mTZkEX/jEb/RxNFyegNul7eNslCXP9FDj/Lcu0X8KEyMceP2ntpaHrDEVA==,
- }
+ resolution: {integrity: sha512-xceH2snhtb5M9liqDsmEw56le376mTZkEX/jEb/RxNFyegNul7eNslCXP9FDj/Lcu0X8KEyMceP2ntpaHrDEVA==}
[email protected]:
- resolution:
- {
- integrity: sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==,
- }
- engines: { node: '>=8.6' }
+ resolution: {integrity: sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==}
+ engines: {node: '>=8.6'}
[email protected]:
- resolution:
- {
- integrity: sha512-M7BAV6Rlcy5u+m6oPhAPFgJTzAioX/6B0DxyvDlo9l8+T3nLKbrczg2WLUyzd45L8RqfUMyGPzekbMvX2Ldkwg==,
- }
- engines: { node: '>=12' }
+ resolution: {integrity: sha512-M7BAV6Rlcy5u+m6oPhAPFgJTzAioX/6B0DxyvDlo9l8+T3nLKbrczg2WLUyzd45L8RqfUMyGPzekbMvX2Ldkwg==}
+ engines: {node: '>=12'}
[email protected]:
- resolution:
- {
- integrity: sha512-udgsAY+fTnvv7kI7aaxbqwWNb0AHiB0qBO89PZKPkoTmGOgdbrHDKD+0B2X4uTfJ/FT1R09r9gTsjUjNJotuog==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-udgsAY+fTnvv7kI7aaxbqwWNb0AHiB0qBO89PZKPkoTmGOgdbrHDKD+0B2X4uTfJ/FT1R09r9gTsjUjNJotuog==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-F63x5tizV6WCh4R6RHyi2Ml+M70DNRXt/+HANowMflpgGFMAym/VKm6G7ZOQRjqN7XbGxK1Lg9t6ZrtzOaivMw==,
- }
+ resolution: {integrity: sha512-F63x5tizV6WCh4R6RHyi2Ml+M70DNRXt/+HANowMflpgGFMAym/VKm6G7ZOQRjqN7XbGxK1Lg9t6ZrtzOaivMw==}
[email protected]:
- resolution:
- {
- integrity: sha512-cQBBIVG3YajgoUjo1FdKVRX6t9XPxwB9lcNJVD5GCnNM4Y6T12YYx8c6zEejxQsU0wrg9TwmDulcE9LR7qcJqA==,
- }
+ resolution: {integrity: sha512-cQBBIVG3YajgoUjo1FdKVRX6t9XPxwB9lcNJVD5GCnNM4Y6T12YYx8c6zEejxQsU0wrg9TwmDulcE9LR7qcJqA==}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-e906FRY0+tV27iq4juKzSYPbUj2do2X2JX4EzSca1631EB2QJQUqGbDuERal7LCtOpxl6x3+nvo9NPZcmjkiFA==,
- }
+ resolution: {integrity: sha512-e906FRY0+tV27iq4juKzSYPbUj2do2X2JX4EzSca1631EB2QJQUqGbDuERal7LCtOpxl6x3+nvo9NPZcmjkiFA==}
[email protected]:
- resolution:
- {
- integrity: sha512-xSEmD4pLnV54t0NOUN16yCl7RIB1c5UUOse5HSyEXtBp+FgFQyPeDutc+Q2ZO7/22vImV7VfEjH/1zV2QuqvYw==,
- }
+ resolution: {integrity: sha512-xSEmD4pLnV54t0NOUN16yCl7RIB1c5UUOse5HSyEXtBp+FgFQyPeDutc+Q2ZO7/22vImV7VfEjH/1zV2QuqvYw==}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-saLsH7WeYYPiD25LDuLRRY/i+6HaPYr6G1OUlN39otzkSTxKnubR9RTxS3/Kk50s1g2JTgFwWQDQyplC5/SHZg==,
- }
- engines: { node: '>= 6' }
+ resolution: {integrity: sha512-saLsH7WeYYPiD25LDuLRRY/i+6HaPYr6G1OUlN39otzkSTxKnubR9RTxS3/Kk50s1g2JTgFwWQDQyplC5/SHZg==}
+ engines: {node: '>= 6'}
[email protected]:
- resolution:
- {
- integrity: sha512-Nc3IT5yHzflTfbjgqWcCPpo7DaKy4FnpB0l/zCAW0Tc7jxAiuqSxHasntB3D7887LSrA93kDJ9IXovxJYxyLCA==,
- }
- engines: { node: '>=4' }
+ resolution: {integrity: sha512-Nc3IT5yHzflTfbjgqWcCPpo7DaKy4FnpB0l/zCAW0Tc7jxAiuqSxHasntB3D7887LSrA93kDJ9IXovxJYxyLCA==}
+ engines: {node: '>=4'}
[email protected]:
- resolution:
- {
- integrity: sha512-d7Uw+eZoloe0EHDIYoe+bQ5WXnGMOpmiZFTuMWCwpjzzkL2nTjcKiAk4hh8TjnGye2TwWOk3UXucZ+3rbmBa8Q==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-d7Uw+eZoloe0EHDIYoe+bQ5WXnGMOpmiZFTuMWCwpjzzkL2nTjcKiAk4hh8TjnGye2TwWOk3UXucZ+3rbmBa8Q==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-hpr+J05B2FVYUAXHeK1YyI267J/dDDhMU6B6civm8hSY1jYJnBXxzKDKDswzJmtLHryrjhnDjqqp/49t8FALew==,
- }
- engines: { node: '>=14.0.0' }
+ resolution: {integrity: sha512-hpr+J05B2FVYUAXHeK1YyI267J/dDDhMU6B6civm8hSY1jYJnBXxzKDKDswzJmtLHryrjhnDjqqp/49t8FALew==}
+ engines: {node: '>=14.0.0'}
peerDependencies:
postcss: ^8.0.0
[email protected]:
- resolution:
- {
- integrity: sha512-dDLF8pEO191hJMtlHFPRa8xsizHaM82MLfNkUHdUtVEV3tgTp5oj+8qbEqYM57SLfc74KSbw//4SeJma2LRVIw==,
- }
- engines: { node: ^12 || ^14 || >= 16 }
+ resolution: {integrity: sha512-dDLF8pEO191hJMtlHFPRa8xsizHaM82MLfNkUHdUtVEV3tgTp5oj+8qbEqYM57SLfc74KSbw//4SeJma2LRVIw==}
+ engines: {node: ^12 || ^14 || >= 16}
peerDependencies:
postcss: ^8.4.21
[email protected]:
- resolution:
- {
- integrity: sha512-bSVhyJGL00wMVoPUzAVAnbEoWyqRxkjv64tUl427SKnPrENtq6hJwUojroMz2VB+Q1edmi4IfrAPpami5VVgMQ==,
- }
- engines: { node: '>= 14' }
+ resolution: {integrity: sha512-bSVhyJGL00wMVoPUzAVAnbEoWyqRxkjv64tUl427SKnPrENtq6hJwUojroMz2VB+Q1edmi4IfrAPpami5VVgMQ==}
+ engines: {node: '>= 14'}
peerDependencies:
postcss: '>=8.0.9'
ts-node: '>=9.0.0'
@@ -5809,262 +3502,154 @@ packages:
optional: true
[email protected]:
- resolution:
- {
- integrity: sha512-HQbt28KulC5AJzG+cZtj9kvKB93CFCdLvog1WFLf1D+xmMvPGlBstkpTEZfK5+AN9hfJocyBFCNiqyS48bpgzQ==,
- }
- engines: { node: '>=12.0' }
+ resolution: {integrity: sha512-HQbt28KulC5AJzG+cZtj9kvKB93CFCdLvog1WFLf1D+xmMvPGlBstkpTEZfK5+AN9hfJocyBFCNiqyS48bpgzQ==}
+ engines: {node: '>=12.0'}
peerDependencies:
postcss: ^8.2.14
[email protected]:
- resolution:
- {
- integrity: sha512-IQ7TZdoaqbT+LCpShg46jnZVlhWD2w6iQYAcYXfHARZ7X1t/UGhhceQDs5X0cGqKvYlHNOuv7Oa1xmb0oQuA3w==,
- }
- engines: { node: '>=4' }
+ resolution: {integrity: sha512-IQ7TZdoaqbT+LCpShg46jnZVlhWD2w6iQYAcYXfHARZ7X1t/UGhhceQDs5X0cGqKvYlHNOuv7Oa1xmb0oQuA3w==}
+ engines: {node: '>=4'}
[email protected]:
- resolution:
- {
- integrity: sha512-Q8qQfPiZ+THO/3ZrOrO0cJJKfpYCagtMUkXbnEfmgUjwXg6z/WBeOyS9APBBPCTSiDV+s4SwQGu8yFsiMRIudg==,
- }
- engines: { node: '>=4' }
+ resolution: {integrity: sha512-Q8qQfPiZ+THO/3ZrOrO0cJJKfpYCagtMUkXbnEfmgUjwXg6z/WBeOyS9APBBPCTSiDV+s4SwQGu8yFsiMRIudg==}
+ engines: {node: '>=4'}
[email protected]:
- resolution:
- {
- integrity: sha512-1NNCs6uurfkVbeXG4S8JFT9t19m45ICnif8zWLd5oPSZ50QnwMfK+H3jv408d4jw/7Bttv5axS5IiHoLaVNHeQ==,
- }
+ resolution: {integrity: sha512-1NNCs6uurfkVbeXG4S8JFT9t19m45ICnif8zWLd5oPSZ50QnwMfK+H3jv408d4jw/7Bttv5axS5IiHoLaVNHeQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-PS08Iboia9mts/2ygV3eLpY5ghnUcfLV/EXTOW1E2qYxJKGGBUtNjN76FYHnMs36RmARn41bC0AZmn+rR0OVpQ==,
- }
- engines: { node: ^10 || ^12 || >=14 }
+ resolution: {integrity: sha512-PS08Iboia9mts/2ygV3eLpY5ghnUcfLV/EXTOW1E2qYxJKGGBUtNjN76FYHnMs36RmARn41bC0AZmn+rR0OVpQ==}
+ engines: {node: ^10 || ^12 || >=14}
[email protected]:
- resolution:
- {
- integrity: sha512-OCVPnIObs4N29kxTjzLfUryOkvZEq+pf8jTF0lg8E7uETuWHA+v7j3c/xJmiqpX450191LlmZfUKkXxkTry7nA==,
- }
- engines: { node: ^10 || ^12 || >=14 }
+ resolution: {integrity: sha512-OCVPnIObs4N29kxTjzLfUryOkvZEq+pf8jTF0lg8E7uETuWHA+v7j3c/xJmiqpX450191LlmZfUKkXxkTry7nA==}
+ engines: {node: ^10 || ^12 || >=14}
[email protected]:
- resolution:
- {
- integrity: sha512-UnNke3IQb6sgarcZIDU3gbMeTp/9SSU1DAIkil7PrqG1vZlBtY5msYccSKSHDqa3hNg436IXK+SNImReuA1wEQ==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-UnNke3IQb6sgarcZIDU3gbMeTp/9SSU1DAIkil7PrqG1vZlBtY5msYccSKSHDqa3hNg436IXK+SNImReuA1wEQ==}
+ engines: {node: '>=10'}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==,
- }
- engines: { node: '>= 0.8.0' }
+ resolution: {integrity: sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==}
+ engines: {node: '>= 0.8.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-e9MewbtFo+Fevyuxn/4rrcDAaq0IYxPGLvObpQjiZBMAzB9IGmzlnG9RZy3FFas+eBMu2vA0CszMeduow5dIuQ==,
- }
- engines: { node: '>=14' }
+ resolution: {integrity: sha512-e9MewbtFo+Fevyuxn/4rrcDAaq0IYxPGLvObpQjiZBMAzB9IGmzlnG9RZy3FFas+eBMu2vA0CszMeduow5dIuQ==}
+ engines: {node: '>=14'}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-G9xUchgTEiNpormdYBl+Pha50gOUovT18IvAe7EYMZ1/f9W/WWMPRn+xI68yXNMUk3QXHDwo/1wV/4NejVNe1w==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-G9xUchgTEiNpormdYBl+Pha50gOUovT18IvAe7EYMZ1/f9W/WWMPRn+xI68yXNMUk3QXHDwo/1wV/4NejVNe1w==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-327BsVCD/unU4CNLZTWVHyUHKnsqcvj2qbPlQ8MiBE2eq2rgctjigPA1Gp9HLF83kZ20zNN6jgizHJeEsyFYOw==,
- }
+ resolution: {integrity: sha512-327BsVCD/unU4CNLZTWVHyUHKnsqcvj2qbPlQ8MiBE2eq2rgctjigPA1Gp9HLF83kZ20zNN6jgizHJeEsyFYOw==}
peerDependencies:
react: '>=16.0.0'
[email protected]:
- resolution:
- {
- integrity: sha512-Kx/1w86q/epKcmte75LNrEoT+lX8pBpavuAbvJWRXar7Hz8jrtF+e3vY751p0R8H9HdArwaCTNDDzHg/ScJK1Q==,
- }
- engines: { node: '>=6' }
+ resolution: {integrity: sha512-Kx/1w86q/epKcmte75LNrEoT+lX8pBpavuAbvJWRXar7Hz8jrtF+e3vY751p0R8H9HdArwaCTNDDzHg/ScJK1Q==}
+ engines: {node: '>=6'}
[email protected]:
- resolution:
- {
- integrity: sha512-3ouUOpQhtgrbOa17J7+uxOTpITYWaGP7/AhoR3+A+/1e9skrzelGi/dXzEYyvbxubEF6Wn2ypscTKiKJFFn1ag==,
- }
+ resolution: {integrity: sha512-3ouUOpQhtgrbOa17J7+uxOTpITYWaGP7/AhoR3+A+/1e9skrzelGi/dXzEYyvbxubEF6Wn2ypscTKiKJFFn1ag==}
[email protected]:
- resolution:
- {
- integrity: sha512-/MyYDxttz7DfGMMHiysAsFE4qF+pQYAA8ziO/3NcRVrQ5fSk+Mns4QZA/oRPFzvcqNoVJXQNWNAsdwBXLUkQKw==,
- }
+ resolution: {integrity: sha512-/MyYDxttz7DfGMMHiysAsFE4qF+pQYAA8ziO/3NcRVrQ5fSk+Mns4QZA/oRPFzvcqNoVJXQNWNAsdwBXLUkQKw==}
[email protected]:
- resolution:
- {
- integrity: sha512-NxNv/kLguCA7p3jE8oL2aEBsrJWgAakBpgmgK6lpPWV+WuOmY6r2/zbAVnP+T8bQlA0nzHXSJSJW0Hq7ylaD2Q==,
- }
- engines: { node: '>= 6' }
+ resolution: {integrity: sha512-NxNv/kLguCA7p3jE8oL2aEBsrJWgAakBpgmgK6lpPWV+WuOmY6r2/zbAVnP+T8bQlA0nzHXSJSJW0Hq7ylaD2Q==}
+ engines: {node: '>= 6'}
[email protected]:
- resolution:
- {
- integrity: sha512-oj87CgZICdulUohogVAR7AjlC0327U4el4L6eAvOqCeudMDVU0NThNaV+b9Df4dXgSP1gXMTnPdhfe/2qDH5cg==,
- }
+ resolution: {integrity: sha512-oj87CgZICdulUohogVAR7AjlC0327U4el4L6eAvOqCeudMDVU0NThNaV+b9Df4dXgSP1gXMTnPdhfe/2qDH5cg==}
[email protected]:
- resolution:
- {
- integrity: sha512-vtK/94akxsTMhe0/cbfpR+syPuszcuwhqVjJq26CuNDgFGj682oRBXOP5MJpv2r7JtE8MsiepGIqvvOTBwn2vA==,
- }
+ resolution: {integrity: sha512-vtK/94akxsTMhe0/cbfpR+syPuszcuwhqVjJq26CuNDgFGj682oRBXOP5MJpv2r7JtE8MsiepGIqvvOTBwn2vA==}
[email protected]:
- resolution:
- {
- integrity: sha512-D+zkORCbA9f1tdWRK0RaCR3GPv50cMxcrz4X8k5LTSUD1Dkw47mKJEZQNunItRTkWwgtaUSo1RVFRIG9ZXiFYg==,
- }
+ resolution: {integrity: sha512-D+zkORCbA9f1tdWRK0RaCR3GPv50cMxcrz4X8k5LTSUD1Dkw47mKJEZQNunItRTkWwgtaUSo1RVFRIG9ZXiFYg==}
[email protected]:
- resolution:
- {
- integrity: sha512-tUPXtzlGM8FE3P0ZL6DVs/3P58k9nk8/jZeQCurTJylQA8qFYzHFfhBJkuqyE0FifOsQ0uKWekiZ5g8wtr28cw==,
- }
+ resolution: {integrity: sha512-tUPXtzlGM8FE3P0ZL6DVs/3P58k9nk8/jZeQCurTJylQA8qFYzHFfhBJkuqyE0FifOsQ0uKWekiZ5g8wtr28cw==}
[email protected]:
- resolution:
- {
- integrity: sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg==,
- }
- engines: { node: '>=6' }
+ resolution: {integrity: sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg==}
+ engines: {node: '>=6'}
[email protected]:
- resolution:
- {
- integrity: sha512-D8NAthKSD7SGn748v+GLaaO6k08Mvpoqroa35PqIQC4gtUa8/Pb/k+r0m0NnGBVbHDP1gKZ2nVywqfMisRhV5A==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-D8NAthKSD7SGn748v+GLaaO6k08Mvpoqroa35PqIQC4gtUa8/Pb/k+r0m0NnGBVbHDP1gKZ2nVywqfMisRhV5A==}
+ engines: {node: '>=18'}
[email protected]:
- resolution:
- {
- integrity: sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==,
- }
+ resolution: {integrity: sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==}
[email protected]:
- resolution:
- {
- integrity: sha512-kJt5qhMxoszgU/62PLP1CJytzd2NKetjSRnyuj31fDd3Rlcz3fzlFdFLD1SItunPwyqEOkca6GbV612BWfaBag==,
- }
+ resolution: {integrity: sha512-kJt5qhMxoszgU/62PLP1CJytzd2NKetjSRnyuj31fDd3Rlcz3fzlFdFLD1SItunPwyqEOkca6GbV612BWfaBag==}
[email protected]:
- resolution:
- {
- integrity: sha512-iHZWu+q3IdFZFX36ro/lKBkSvfkztY5Y7HMiPlOUjhupPcG2JMfst2KKEpu5XndviX/3UhFbRngUPNKtgvtZiA==,
- }
+ resolution: {integrity: sha512-iHZWu+q3IdFZFX36ro/lKBkSvfkztY5Y7HMiPlOUjhupPcG2JMfst2KKEpu5XndviX/3UhFbRngUPNKtgvtZiA==}
[email protected]:
- resolution:
- {
- integrity: sha512-tYC1Q1hgyRuHgloV/YXs2w15unPVh8qfu/qCTfhTYamaw7fyhumKa2yGpdSo87vY32rIclj+4fWYQXUMs9EHvg==,
- }
+ resolution: {integrity: sha512-tYC1Q1hgyRuHgloV/YXs2w15unPVh8qfu/qCTfhTYamaw7fyhumKa2yGpdSo87vY32rIclj+4fWYQXUMs9EHvg==}
[email protected]:
- resolution:
- {
- integrity: sha512-y3bGgqKj3QBdxLbLkomlohkvsA8gdAiUQlSBJnBhfn+BPxg4bc62d8TcBW15wavDfgexCgccckhcZvywyQYPOw==,
- }
+ resolution: {integrity: sha512-y3bGgqKj3QBdxLbLkomlohkvsA8gdAiUQlSBJnBhfn+BPxg4bc62d8TcBW15wavDfgexCgccckhcZvywyQYPOw==}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-6MzeamV8cWSOcduwePHfGqY40acuGlS1cG//ePHT6bVbLxWyqngaStenfH03n1wbzOibFggF66kWaBTb1SbTtQ==,
- }
+ resolution: {integrity: sha512-6MzeamV8cWSOcduwePHfGqY40acuGlS1cG//ePHT6bVbLxWyqngaStenfH03n1wbzOibFggF66kWaBTb1SbTtQ==}
peerDependencies:
react: ^16.9.0 || ^17 || ^18
react-dom: ^16.9.0 || ^17 || ^18
[email protected]:
- resolution:
- {
- integrity: sha512-GrzyqQnjIMoej+jMjWvtVSsQqhXgzEGqpXlJ2dAGfOk7Q26qcm8Gu6xtI430PBUyZsERe8BJSQf+7VZZo8IBNQ==,
- }
- engines: { node: '>= 8' }
+ resolution: {integrity: sha512-GrzyqQnjIMoej+jMjWvtVSsQqhXgzEGqpXlJ2dAGfOk7Q26qcm8Gu6xtI430PBUyZsERe8BJSQf+7VZZo8IBNQ==}
+ engines: {node: '>= 8'}
peerDependencies:
react: ^15.3.0 || ^16.0.0 || ^17.0.0 || ^18.0.0
react-dom: ^15.3.0 || ^16.0.0 || ^17.0.0 || ^18.0.0
[email protected]:
- resolution:
- {
- integrity: sha512-6IMTriUmvsjHUjNtEDudZfuDQUoWXVxKHhlEGSk81n4YFS+r/Kl99wXiwlVXtPBtJenozv2P+hxDsw9eA7Xo6g==,
- }
+ resolution: {integrity: sha512-6IMTriUmvsjHUjNtEDudZfuDQUoWXVxKHhlEGSk81n4YFS+r/Kl99wXiwlVXtPBtJenozv2P+hxDsw9eA7Xo6g==}
peerDependencies:
react: ^18.2.0
[email protected]:
- resolution:
- {
- integrity: sha512-4GV5sHFG0e/0AD4X+ySy6UJd3jVl1iNsNHdpad0qhABJ11twS3TTBnseqsKurKcsNqCEFeGL3uLpVChpIO3QfQ==,
- }
+ resolution: {integrity: sha512-4GV5sHFG0e/0AD4X+ySy6UJd3jVl1iNsNHdpad0qhABJ11twS3TTBnseqsKurKcsNqCEFeGL3uLpVChpIO3QfQ==}
peerDependencies:
react: ^19.0.0
[email protected]:
- resolution:
- {
- integrity: sha512-uM9uPzZJTF6wRQORmSrvOIgt4lJ9MC1sNgEOj2XGsDTRE4kmpWxg7ENK9EWNKJRMAOY9z0MuF4yIfl6gp4sotA==,
- }
- engines: { node: '>=10', npm: '>=6' }
+ resolution: {integrity: sha512-uM9uPzZJTF6wRQORmSrvOIgt4lJ9MC1sNgEOj2XGsDTRE4kmpWxg7ENK9EWNKJRMAOY9z0MuF4yIfl6gp4sotA==}
+ engines: {node: '>=10', npm: '>=6'}
peerDependencies:
react: '>=16.13.1'
[email protected]:
- resolution:
- {
- integrity: sha512-GQDxZ5Jd+Aq/qUxbCm1UtzmL/s++V7zKgE8yMktJiCQXCCFZnMZh9ng+6/Ne6PjNSXH0L9CjeOEREfRnq6Duag==,
- }
+ resolution: {integrity: sha512-GQDxZ5Jd+Aq/qUxbCm1UtzmL/s++V7zKgE8yMktJiCQXCCFZnMZh9ng+6/Ne6PjNSXH0L9CjeOEREfRnq6Duag==}
peerDependencies:
react: '>=16.13.1'
[email protected]:
- resolution:
- {
- integrity: sha512-HGDV1JOOBPZj10LB3+OZgfDBTn+IeEsNOKiq/cxbQAIbKaiJUe/KV8DBUzsx0Gx/7IG/orWqRRm736JwOfUSWQ==,
- }
- engines: { node: '>=12.22.0' }
+ resolution: {integrity: sha512-HGDV1JOOBPZj10LB3+OZgfDBTn+IeEsNOKiq/cxbQAIbKaiJUe/KV8DBUzsx0Gx/7IG/orWqRRm736JwOfUSWQ==}
+ engines: {node: '>=12.22.0'}
peerDependencies:
react: ^16.8.0 || ^17 || ^18
[email protected]:
- resolution:
- {
- integrity: sha512-4rb8XtXNx7ZaOZarKKnckgz4xLMvds/YrU6mpJfGhGAsy2Mg4mIw1x+DCCGngVGq2soTBVVOxx2s/C6mTX9+pA==,
- }
+ resolution: {integrity: sha512-4rb8XtXNx7ZaOZarKKnckgz4xLMvds/YrU6mpJfGhGAsy2Mg4mIw1x+DCCGngVGq2soTBVVOxx2s/C6mTX9+pA==}
peerDependencies:
react: '>=16.13.1'
[email protected]:
- resolution:
- {
- integrity: sha512-24e6ynE2H+OKt4kqsOvNd8kBpV65zoxbA4BVsEOB3ARVWQki/DHzaUoC5KuON/BiccDaCCTZBuOcfZs70kR8bQ==,
- }
+ resolution: {integrity: sha512-24e6ynE2H+OKt4kqsOvNd8kBpV65zoxbA4BVsEOB3ARVWQki/DHzaUoC5KuON/BiccDaCCTZBuOcfZs70kR8bQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-DtSYaao4mBmX+HDo5YWYdBWQwYIQQshUV/dVxFxK+KM26Wjwp1gZ6rv6OC3oujI6Bfu6Xyg3TwK533AQutsn/g==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-DtSYaao4mBmX+HDo5YWYdBWQwYIQQshUV/dVxFxK+KM26Wjwp1gZ6rv6OC3oujI6Bfu6Xyg3TwK533AQutsn/g==}
+ engines: {node: '>=10'}
peerDependencies:
'@types/react': ^16.8.0 || ^17.0.0 || ^18.0.0
react: ^16.8.0 || ^17.0.0 || ^18.0.0
@@ -6073,11 +3658,8 @@ packages:
optional: true
[email protected]:
- resolution:
- {
- integrity: sha512-I2U4JVEsQenxDAKaVa3VZ/JeJZe0/2DxPWL8Tj8yLKctQJQiZM52pn/GWFpSp8dftjM3pSAHVJZscAnC/y+ySQ==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-I2U4JVEsQenxDAKaVa3VZ/JeJZe0/2DxPWL8Tj8yLKctQJQiZM52pn/GWFpSp8dftjM3pSAHVJZscAnC/y+ySQ==}
+ engines: {node: '>=10'}
peerDependencies:
'@types/react': ^16.8.0 || ^17.0.0 || ^18.0.0
react: ^16.8.0 || ^17.0.0 || ^18.0.0
@@ -6086,20 +3668,14 @@ packages:
optional: true
[email protected]:
- resolution:
- {
- integrity: sha512-nwRKGanVHGjdccsnzhFte/PULziueZxGD8LL2WojON78Mvnq7LdAMEtu2frrwld1fr3geixg3iiMBIc/LLAZpw==,
- }
+ resolution: {integrity: sha512-nwRKGanVHGjdccsnzhFte/PULziueZxGD8LL2WojON78Mvnq7LdAMEtu2frrwld1fr3geixg3iiMBIc/LLAZpw==}
peerDependencies:
react: ^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0
react-dom: ^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0
[email protected]:
- resolution:
- {
- integrity: sha512-ZWj0fHEMyWkHzKYUr2Bs/4zU6XLmq9HsgBURm7g5pAVfyn49DgUiNgY2d4lXRlYSiCif9YBGpQleewkcqddc7g==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-ZWj0fHEMyWkHzKYUr2Bs/4zU6XLmq9HsgBURm7g5pAVfyn49DgUiNgY2d4lXRlYSiCif9YBGpQleewkcqddc7g==}
+ engines: {node: '>=10'}
peerDependencies:
'@types/react': ^16.8.0 || ^17.0.0 || ^18.0.0
react: ^16.8.0 || ^17.0.0 || ^18.0.0
@@ -6108,536 +3684,296 @@ packages:
optional: true
[email protected]:
- resolution:
- {
- integrity: sha512-pZcd1MCJoiKiBR2NRxeCRg13uCXbydPnmB4EOeRrY7480qNWO8IIgQG6zlDkm6uRMsURXPuKq0GWtiM59a5Q6g==,
- }
+ resolution: {integrity: sha512-pZcd1MCJoiKiBR2NRxeCRg13uCXbydPnmB4EOeRrY7480qNWO8IIgQG6zlDkm6uRMsURXPuKq0GWtiM59a5Q6g==}
peerDependencies:
react: '>=16.6.0'
react-dom: '>=16.6.0'
[email protected]:
- resolution:
- {
- integrity: sha512-/3IjMdb2L9QbBdWiW5e3P2/npwMBaU9mHCSCUzNln0ZCYbcfTsGbTJrU/kGemdH2IWmB2ioZ+zkxtmq6g09fGQ==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-/3IjMdb2L9QbBdWiW5e3P2/npwMBaU9mHCSCUzNln0ZCYbcfTsGbTJrU/kGemdH2IWmB2ioZ+zkxtmq6g09fGQ==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-V8AVnmPIICiWpGfm6GLzCR/W5FXLchHop40W4nXBmdlEceh16rCN8O8LNWm5bh5XUX91fh7KpA+W0TgMKmgTpQ==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-V8AVnmPIICiWpGfm6GLzCR/W5FXLchHop40W4nXBmdlEceh16rCN8O8LNWm5bh5XUX91fh7KpA+W0TgMKmgTpQ==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-Owdv/Ft7IjOgm/i0xvNDZ1LrRANRfew4b2prF3OWMQLxLfu3bS8FVhCsrSCMK4lR56Y9ya+AThoTpDCTxCmpRA==,
- }
+ resolution: {integrity: sha512-Owdv/Ft7IjOgm/i0xvNDZ1LrRANRfew4b2prF3OWMQLxLfu3bS8FVhCsrSCMK4lR56Y9ya+AThoTpDCTxCmpRA==}
[email protected]:
- resolution:
- {
- integrity: sha512-ok1qVCJuRkNmvebYikljxJA/UEsKwLl2nI1OmaqAu4/UE+h0wKCHok4XkL/gvi39OacXvw59RJUOFUkDib2rHg==,
- }
+ resolution: {integrity: sha512-ok1qVCJuRkNmvebYikljxJA/UEsKwLl2nI1OmaqAu4/UE+h0wKCHok4XkL/gvi39OacXvw59RJUOFUkDib2rHg==}
[email protected]:
- resolution:
- {
- integrity: sha512-8p0AUk4XODgIewSi0l8Epjs+EVnWiK7NoDIEGU0HhE7+ZyY8D1IMY7odu5lRrFXGg71L15KG8QrPmum45RTtdA==,
- }
+ resolution: {integrity: sha512-8p0AUk4XODgIewSi0l8Epjs+EVnWiK7NoDIEGU0HhE7+ZyY8D1IMY7odu5lRrFXGg71L15KG8QrPmum45RTtdA==}
[email protected]:
- resolution:
- {
- integrity: sha512-9u/sniCrY3D5WdsERHzHE4G2YCXqoG5FTHUiCC4SIbr6XcLZBY05ya9EKjYek9O5xOAwjGq+1JdGBAS7Q9ScoA==,
- }
- engines: { node: '>= 6' }
+ resolution: {integrity: sha512-9u/sniCrY3D5WdsERHzHE4G2YCXqoG5FTHUiCC4SIbr6XcLZBY05ya9EKjYek9O5xOAwjGq+1JdGBAS7Q9ScoA==}
+ engines: {node: '>= 6'}
[email protected]:
- resolution:
- {
- integrity: sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==,
- }
- engines: { node: '>=8.10.0' }
+ resolution: {integrity: sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==}
+ engines: {node: '>=8.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-57frrGM/OCTLqLOAh0mhVA9VBMHd+9U7Zb2THMGdBUoZVOtGbJzjxsYGDJ3A9AYYCP4hn6y1TVbaOfzWtm5GFg==,
- }
- engines: { node: '>= 12.13.0' }
+ resolution: {integrity: sha512-57frrGM/OCTLqLOAh0mhVA9VBMHd+9U7Zb2THMGdBUoZVOtGbJzjxsYGDJ3A9AYYCP4hn6y1TVbaOfzWtm5GFg==}
+ engines: {node: '>= 12.13.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-bMvFGIUKlc/eSfXNX+aZ+EL95/EgZzuwA0OBPTbZZDEJw/0AkentjMuM1oiRfwHrshqk4RzdgiTg5CcDalXN5g==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-bMvFGIUKlc/eSfXNX+aZ+EL95/EgZzuwA0OBPTbZZDEJw/0AkentjMuM1oiRfwHrshqk4RzdgiTg5CcDalXN5g==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-dYnhHh0nJoMfnkZs6GmmhFknAGRrLznOu5nc9ML+EJxGvrx6H7teuevqVqCuPcPK//3eDrrjQhehXVx9cnkGdw==,
- }
+ resolution: {integrity: sha512-dYnhHh0nJoMfnkZs6GmmhFknAGRrLznOu5nc9ML+EJxGvrx6H7teuevqVqCuPcPK//3eDrrjQhehXVx9cnkGdw==}
[email protected]:
- resolution:
- {
- integrity: sha512-vqlC04+RQoFalODCbCumG2xIOvapzVMHwsyIGM/SIE8fRhFFsXeH8/QQ+s0T0kDAhKc4k30s73/0ydkHQz6HlQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-vqlC04+RQoFalODCbCumG2xIOvapzVMHwsyIGM/SIE8fRhFFsXeH8/QQ+s0T0kDAhKc4k30s73/0ydkHQz6HlQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-fGxEI7+wsG9xrvdjsrlmL22OMTTiHRwAMroiEeMgq8gzoLC/PQr7RsRDSTLUg/bZAZtF+TVIkHc6/4RIKrui+Q==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-fGxEI7+wsG9xrvdjsrlmL22OMTTiHRwAMroiEeMgq8gzoLC/PQr7RsRDSTLUg/bZAZtF+TVIkHc6/4RIKrui+Q==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-Xf0nWe6RseziFMu+Ap9biiUbmplq6S9/p+7w7YXP/JBHhrUDDUhwa+vANyubuqfZWTveU//DYVGsDG7RKL/vEw==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-Xf0nWe6RseziFMu+Ap9biiUbmplq6S9/p+7w7YXP/JBHhrUDDUhwa+vANyubuqfZWTveU//DYVGsDG7RKL/vEw==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-lakm76u4MiIDeMF1s2tCmjtksOhwZOs4WcAXkA7aUTvl+63/h+0h6Q6WnkB8RGtj6GakUhQuUkiZshfXgtIrGw==,
- }
+ resolution: {integrity: sha512-lakm76u4MiIDeMF1s2tCmjtksOhwZOs4WcAXkA7aUTvl+63/h+0h6Q6WnkB8RGtj6GakUhQuUkiZshfXgtIrGw==}
[email protected]:
- resolution:
- {
- integrity: sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==,
- }
- engines: { node: '>=4' }
+ resolution: {integrity: sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==}
+ engines: {node: '>=4'}
[email protected]:
- resolution:
- {
- integrity: sha512-seS2Tj26TBVOC2NIc2rOe2y2ZO7efxITtLZcGSOnHHNOQ7CkiUBfw0Iw2ck6xkIhPwLhKNLS8BO+hEpngQlqzw==,
- }
+ resolution: {integrity: sha512-seS2Tj26TBVOC2NIc2rOe2y2ZO7efxITtLZcGSOnHHNOQ7CkiUBfw0Iw2ck6xkIhPwLhKNLS8BO+hEpngQlqzw==}
[email protected]:
- resolution:
- {
- integrity: sha512-oKWePCxqpd6FlLvGV1VU0x7bkPmmCNolxzjMf4NczoDnQcIWrAF+cPtZn5i6n+RfD2d9i0tzpKnG6Yk168yIyw==,
- }
+ resolution: {integrity: sha512-oKWePCxqpd6FlLvGV1VU0x7bkPmmCNolxzjMf4NczoDnQcIWrAF+cPtZn5i6n+RfD2d9i0tzpKnG6Yk168yIyw==}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-U7WjGVG9sH8tvjW5SmGbQuui75FiyjAX72HX15DwBBwF9dNiQZRQAg9nnPhYy+TUnE0+VcrttuvNI8oSxZcocA==,
- }
+ resolution: {integrity: sha512-U7WjGVG9sH8tvjW5SmGbQuui75FiyjAX72HX15DwBBwF9dNiQZRQAg9nnPhYy+TUnE0+VcrttuvNI8oSxZcocA==}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==,
- }
- engines: { iojs: '>=1.0.0', node: '>=0.10.0' }
+ resolution: {integrity: sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==}
+ engines: {iojs: '>=1.0.0', node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==,
- }
+ resolution: {integrity: sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==}
[email protected]:
- resolution:
- {
- integrity: sha512-vj6RsCsWBCf19jIeHEfkRMw8DPiBb+DMXklQ/1SGDHOMlHdPUkZXFQ2YdplS23zESTijAcurb1aSgJA3AgMu1Q==,
- }
- engines: { node: '>=0.4' }
+ resolution: {integrity: sha512-vj6RsCsWBCf19jIeHEfkRMw8DPiBb+DMXklQ/1SGDHOMlHdPUkZXFQ2YdplS23zESTijAcurb1aSgJA3AgMu1Q==}
+ engines: {node: '>=0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==,
- }
+ resolution: {integrity: sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==}
[email protected]:
- resolution:
- {
- integrity: sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==,
- }
+ resolution: {integrity: sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-CdASjNJPvRa7roO6Ra/gLYBTzYzzPyyBXxIMdGW3USQLyjWEls2RgW5UBTXaQVp+OrpeCK3bLem8smtmheoRuw==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-CdASjNJPvRa7roO6Ra/gLYBTzYzzPyyBXxIMdGW3USQLyjWEls2RgW5UBTXaQVp+OrpeCK3bLem8smtmheoRuw==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-b3rppTKm9T+PsVCBEOUR46GWI7fdOs00VKZ1+9c1EWDaDMvjQc6tUwuFyIprgGgTcWoVHSKrU8H31ZHA2e0RHA==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-b3rppTKm9T+PsVCBEOUR46GWI7fdOs00VKZ1+9c1EWDaDMvjQc6tUwuFyIprgGgTcWoVHSKrU8H31ZHA2e0RHA==}
+ engines: {node: '>=10'}
[email protected]:
- resolution:
- {
- integrity: sha512-y/52Mcy7aw3gRm7IrcGDFx/bCk4AhRh2eI9luHOQM86nZsqwiRkkq2GekHXBBD+SmPidc8i2PqtYZl+pWJ8Oeg==,
- }
+ resolution: {integrity: sha512-y/52Mcy7aw3gRm7IrcGDFx/bCk4AhRh2eI9luHOQM86nZsqwiRkkq2GekHXBBD+SmPidc8i2PqtYZl+pWJ8Oeg==}
[email protected]:
- resolution:
- {
- integrity: sha512-vcF3Ckow6g939GMA4PeU7b2K/9FALXk2KF9J87txdHzXbUF9XRQRwSxcAs/fGaTnJeBFd7UoV22j3lzMLdM0Pw==,
- }
- engines: { node: '>=14.0.0' }
+ resolution: {integrity: sha512-vcF3Ckow6g939GMA4PeU7b2K/9FALXk2KF9J87txdHzXbUF9XRQRwSxcAs/fGaTnJeBFd7UoV22j3lzMLdM0Pw==}
+ engines: {node: '>=14.0.0'}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-UOShsPwz7NrMUqhR6t0hWjFduvOzbtv7toDH1/hIrfRNIDBnnBWd0CwJTGvTpngVlmwGCdP9/Zl/tVrDqcuYzQ==,
- }
+ resolution: {integrity: sha512-UOShsPwz7NrMUqhR6t0hWjFduvOzbtv7toDH1/hIrfRNIDBnnBWd0CwJTGvTpngVlmwGCdP9/Zl/tVrDqcuYzQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-xFVuu11jh+xcO7JOAGJNOXld8/TcEHK/4CituBUeUb5hqxJLj9YuemAEuvm9gQ/+pgXYfbQuqAkiYu+u7YEsNA==,
- }
+ resolution: {integrity: sha512-xFVuu11jh+xcO7JOAGJNOXld8/TcEHK/4CituBUeUb5hqxJLj9YuemAEuvm9gQ/+pgXYfbQuqAkiYu+u7YEsNA==}
[email protected]:
- resolution:
- {
- integrity: sha512-o/mRQGk9Rcer/jEEw/yw4mwo3EU/NvYvp577/Btqrym9Qy5/MdWGBqipbALgd2lrdWTJ5/gqDusxfnQBxOxT2Q==,
- }
+ resolution: {integrity: sha512-o/mRQGk9Rcer/jEEw/yw4mwo3EU/NvYvp577/Btqrym9Qy5/MdWGBqipbALgd2lrdWTJ5/gqDusxfnQBxOxT2Q==}
[email protected]:
- resolution:
- {
- integrity: sha512-6aU+Rwsezw7VR8/nyvKTx8QpWH9FrcYiXXlqC4z5d5XQBDRqtbfsRjnwGyqbi3gddNtWHuEk9OANUotL26qKUw==,
- }
+ resolution: {integrity: sha512-6aU+Rwsezw7VR8/nyvKTx8QpWH9FrcYiXXlqC4z5d5XQBDRqtbfsRjnwGyqbi3gddNtWHuEk9OANUotL26qKUw==}
[email protected]:
- resolution:
- {
- integrity: sha512-DEL/RW/f4qLw/NrVg97xKaEBC8IpzIG2fvxnzCp3Z4yk4jQ3MXom+Imav9wApjxX2dfS3eW7x0DXafJr85i39A==,
- }
+ resolution: {integrity: sha512-DEL/RW/f4qLw/NrVg97xKaEBC8IpzIG2fvxnzCp3Z4yk4jQ3MXom+Imav9wApjxX2dfS3eW7x0DXafJr85i39A==}
[email protected]:
- resolution:
- {
- integrity: sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==,
- }
+ resolution: {integrity: sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-oVekP1cKtI+CTDvHWYFUcMtsK/00wmAEfyqKfNdARm8u1wNVhSgaX7A8d4UuIlUI5e84iEwOhs7ZPYRmzU9U6A==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-oVekP1cKtI+CTDvHWYFUcMtsK/00wmAEfyqKfNdARm8u1wNVhSgaX7A8d4UuIlUI5e84iEwOhs7ZPYRmzU9U6A==}
+ engines: {node: '>=10'}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-pgRc4hJ4/sNjWCSS9AmnS40x3bNMDTknHgL5UaMBTMyJnU90EgWh1Rz+MC9eFu4BuN/UwZjKQuY/1v3rM7HMfg==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-pgRc4hJ4/sNjWCSS9AmnS40x3bNMDTknHgL5UaMBTMyJnU90EgWh1Rz+MC9eFu4BuN/UwZjKQuY/1v3rM7HMfg==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-7PGFlmtwsEADb0WYyvCMa1t+yke6daIG4Wirafur5kcf+MhUnPms1UeR0CKQdTZD81yESwMHbtn+TR+dMviakQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-7PGFlmtwsEADb0WYyvCMa1t+yke6daIG4Wirafur5kcf+MhUnPms1UeR0CKQdTZD81yESwMHbtn+TR+dMviakQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-KyLTWwgcR9Oe4d9HwCwNM2l7+J0dUQwn/yf7S0EnTtb0eVS4RxO0eUSvxPtzT4F3SY+C4K6fqdv/DO27sJ/v/w==,
- }
- engines: { node: '>=14.15.0' }
+ resolution: {integrity: sha512-KyLTWwgcR9Oe4d9HwCwNM2l7+J0dUQwn/yf7S0EnTtb0eVS4RxO0eUSvxPtzT4F3SY+C4K6fqdv/DO27sJ/v/w==}
+ engines: {node: '>=14.15.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-haPVm1EkS9pgvHrQ/F3Xy+hgcuMV0Wm9vfIBSiwZ05k+xgb0PkBQpGsAA/oWdDobNaZTH5ppvHtzCFbnSEwHVw==,
- }
- engines: { node: ^18.17.0 || ^20.3.0 || >=21.0.0 }
+ resolution: {integrity: sha512-haPVm1EkS9pgvHrQ/F3Xy+hgcuMV0Wm9vfIBSiwZ05k+xgb0PkBQpGsAA/oWdDobNaZTH5ppvHtzCFbnSEwHVw==}
+ engines: {node: ^18.17.0 || ^20.3.0 || >=21.0.0}
[email protected]:
- resolution:
- {
- integrity: sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==,
- }
- engines: { node: '>=8' }
+ resolution: {integrity: sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==}
+ engines: {node: '>=8'}
[email protected]:
- resolution:
- {
- integrity: sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==,
- }
- engines: { node: '>=8' }
+ resolution: {integrity: sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==}
+ engines: {node: '>=8'}
[email protected]:
- resolution:
- {
- integrity: sha512-fDW/EZ6Q9RiO8eFG8Hj+7u/oW+XrPTIChwCOM2+th2A6OblDtYYIpve9m+KvI9Z4C9qSEXlaGR6bTEYHReuglA==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-fDW/EZ6Q9RiO8eFG8Hj+7u/oW+XrPTIChwCOM2+th2A6OblDtYYIpve9m+KvI9Z4C9qSEXlaGR6bTEYHReuglA==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-Rtlj66/b0ICeFzYTuNvX/EF1igRbbnGSvEyT79McoZa/DeGhMyC5pWKOEsZKnpkqtSeovd5FL/bjHWC3CIIvCQ==,
- }
+ resolution: {integrity: sha512-Rtlj66/b0ICeFzYTuNvX/EF1igRbbnGSvEyT79McoZa/DeGhMyC5pWKOEsZKnpkqtSeovd5FL/bjHWC3CIIvCQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-bzyZ1e88w9O1iNJbKnOlvYTrWPDl46O1bG0D3XInv+9tkPrxrN8jUUTiFlDkkmKWgn1M6CfIA13SuGqOa9Korw==,
- }
- engines: { node: '>=14' }
+ resolution: {integrity: sha512-bzyZ1e88w9O1iNJbKnOlvYTrWPDl46O1bG0D3XInv+9tkPrxrN8jUUTiFlDkkmKWgn1M6CfIA13SuGqOa9Korw==}
+ engines: {node: '>=14'}
[email protected]:
- resolution:
- {
- integrity: sha512-cSFtAPtRhljv69IK0hTVZQ+OfE9nePi/rtJmw5UjHeVyVroEqJXP1sFztKUy1qU+xvz3u/sfYJLa947b7nAN2Q==,
- }
+ resolution: {integrity: sha512-cSFtAPtRhljv69IK0hTVZQ+OfE9nePi/rtJmw5UjHeVyVroEqJXP1sFztKUy1qU+xvz3u/sfYJLa947b7nAN2Q==}
[email protected]:
- resolution:
- {
- integrity: sha512-brv7p5WgH0jmQJr1ZDDfKDOSeWWg+OVypG99A/5vYGPqJ6pxiaHLy8nxtFjBA7oMa01ebA9gfh1uMCFqOuXxvA==,
- }
+ resolution: {integrity: sha512-brv7p5WgH0jmQJr1ZDDfKDOSeWWg+OVypG99A/5vYGPqJ6pxiaHLy8nxtFjBA7oMa01ebA9gfh1uMCFqOuXxvA==}
[email protected]:
- resolution:
- {
- integrity: sha512-JA//kQgZtbuY83m+xT+tXJkmJncGMTFT+C+g2h2R9uxkYIrE2yy9sgmcLhCnw57/WSD+Eh3J97FPEDFnbXnDUg==,
- }
+ resolution: {integrity: sha512-JA//kQgZtbuY83m+xT+tXJkmJncGMTFT+C+g2h2R9uxkYIrE2yy9sgmcLhCnw57/WSD+Eh3J97FPEDFnbXnDUg==}
[email protected]:
- resolution:
- {
- integrity: sha512-xMO/8eNREtaROt7tJvWJqHBDTMFN4eiQ5I4JRMuilwfnFcV5W9u7RUkueNkdw0jPqGMX36iCywelS5yilTuOxg==,
- }
+ resolution: {integrity: sha512-xMO/8eNREtaROt7tJvWJqHBDTMFN4eiQ5I4JRMuilwfnFcV5W9u7RUkueNkdw0jPqGMX36iCywelS5yilTuOxg==}
[email protected]:
- resolution:
- {
- integrity: sha512-bLGGlR1QxBcynn2d5YmDX4MGjlZvy2MRBDRNHLJ8VI6l6+9FUiyTFNJ0IveOSP0bcXgVDPRcfGqA0pjaqUpfVg==,
- }
+ resolution: {integrity: sha512-bLGGlR1QxBcynn2d5YmDX4MGjlZvy2MRBDRNHLJ8VI6l6+9FUiyTFNJ0IveOSP0bcXgVDPRcfGqA0pjaqUpfVg==}
[email protected]:
- resolution:
- {
- integrity: sha512-INb7TM37/mAcsGmc9hyyI6+QR3rR1zVRu36B0NeGXKnOOLiZOfER5SA+N7X7k3yUYRzLWafduTDvJAfDswwEww==,
- }
+ resolution: {integrity: sha512-INb7TM37/mAcsGmc9hyyI6+QR3rR1zVRu36B0NeGXKnOOLiZOfER5SA+N7X7k3yUYRzLWafduTDvJAfDswwEww==}
[email protected]:
- resolution:
- {
- integrity: sha512-W6dH7m5MujEPyug3lpI2l3TC3Pp1+LTgK0Efg+IHDrBbtEjyCmCHHo6yfNBOsf1tFZ6zf+jceWwB38baC8yO9g==,
- }
+ resolution: {integrity: sha512-W6dH7m5MujEPyug3lpI2l3TC3Pp1+LTgK0Efg+IHDrBbtEjyCmCHHo6yfNBOsf1tFZ6zf+jceWwB38baC8yO9g==}
peerDependencies:
react: ^18.0.0 || ^19.0.0 || ^19.0.0-rc
react-dom: ^18.0.0 || ^19.0.0 || ^19.0.0-rc
[email protected]:
- resolution:
- {
- integrity: sha512-UXWMKhLOwVKb728IUtQPXxfYU+usdybtUrK/8uGE8CQMvrhOpwvzDBwj0QhSL7MQc7vIsISBG8VQ8+IDQxpfQA==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-UXWMKhLOwVKb728IUtQPXxfYU+usdybtUrK/8uGE8CQMvrhOpwvzDBwj0QhSL7MQc7vIsISBG8VQ8+IDQxpfQA==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-LbrmJOMUSdEVxIKvdcJzQC+nQhe8FUZQTXQy6+I75skNgn3OoQ0DZA8YnFa7gp8tqtL3KPf1kmo0R5DoApeSGQ==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-LbrmJOMUSdEVxIKvdcJzQC+nQhe8FUZQTXQy6+I75skNgn3OoQ0DZA8YnFa7gp8tqtL3KPf1kmo0R5DoApeSGQ==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-kvzhi7vqKTfkh0PZU+2D2PIllw2ymqJKujUcyPMd9Y75Nv4nPbGJZXNhxsgdQab2BmlDct1YnfQCguEvHr7VsQ==,
- }
+ resolution: {integrity: sha512-kvzhi7vqKTfkh0PZU+2D2PIllw2ymqJKujUcyPMd9Y75Nv4nPbGJZXNhxsgdQab2BmlDct1YnfQCguEvHr7VsQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-UcjcJOWknrNkF6PLX83qcHM6KHgVKNkV62Y8a5uYDVv9ydGQVwAHMKqHdJje1VTWpljG0WYpCDhrCdAOYH4TWg==,
- }
- engines: { node: '>= 10.x' }
+ resolution: {integrity: sha512-UcjcJOWknrNkF6PLX83qcHM6KHgVKNkV62Y8a5uYDVv9ydGQVwAHMKqHdJje1VTWpljG0WYpCDhrCdAOYH4TWg==}
+ engines: {node: '>= 10.x'}
[email protected]:
- resolution:
- {
- integrity: sha512-LjdcbuBeLcdETCrPn9i8AYAZ1eCtu4ECAWtP7UleOiZ9LzVxRzzUZEoZ8zB24nhkQnDWyET0I+3sWokSDS3E7g==,
- }
+ resolution: {integrity: sha512-LjdcbuBeLcdETCrPn9i8AYAZ1eCtu4ECAWtP7UleOiZ9LzVxRzzUZEoZ8zB24nhkQnDWyET0I+3sWokSDS3E7g==}
[email protected]:
- resolution:
- {
- integrity: sha512-HTEHMNieakEnoe33shBYcZ7NX83ACUjCu8c40iOGEZsngj9zRnkqS9j1pqQPXwobB0ZcVTk27REb7COQ0UR59w==,
- }
+ resolution: {integrity: sha512-HTEHMNieakEnoe33shBYcZ7NX83ACUjCu8c40iOGEZsngj9zRnkqS9j1pqQPXwobB0ZcVTk27REb7COQ0UR59w==}
[email protected]:
- resolution:
- {
- integrity: sha512-H73RAHsVBapbim0tU2JwwOiXUj+fikfiaoYAKHF3VJfA0pe2BCzkhAHBlLG6REzE+2WNZcxOXjK7lkso+9euLA==,
- }
+ resolution: {integrity: sha512-H73RAHsVBapbim0tU2JwwOiXUj+fikfiaoYAKHF3VJfA0pe2BCzkhAHBlLG6REzE+2WNZcxOXjK7lkso+9euLA==}
[email protected]:
- resolution:
- {
- integrity: sha512-Mcc5wHehp9aXz1ax6bZUyY5afg9u2rv5cqQI3mRrYkGC8rW2hM02jWuwjtL++LS5qinSyhj2QfLyNsuc+VsExg==,
- }
- engines: { node: '>=10.0.0' }
+ resolution: {integrity: sha512-Mcc5wHehp9aXz1ax6bZUyY5afg9u2rv5cqQI3mRrYkGC8rW2hM02jWuwjtL++LS5qinSyhj2QfLyNsuc+VsExg==}
+ engines: {node: '>=10.0.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-Qz6MsDZXJ6ur9u+b+4xCG18TluU7PGlRfXVAAjNiGsFrBUt/ioyLkxbFaKJygoPs+/kW4VyBj0bSj89Qu0IGyg==,
- }
+ resolution: {integrity: sha512-Qz6MsDZXJ6ur9u+b+4xCG18TluU7PGlRfXVAAjNiGsFrBUt/ioyLkxbFaKJygoPs+/kW4VyBj0bSj89Qu0IGyg==}
[email protected]:
- resolution:
- {
- integrity: sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==,
- }
- engines: { node: '>=8' }
+ resolution: {integrity: sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==}
+ engines: {node: '>=8'}
[email protected]:
- resolution:
- {
- integrity: sha512-HnLOCR3vjcY8beoNLtcjZ5/nxn2afmME6lhrDrebokqMap+XbeW8n9TXpPDOqdGK5qcI3oT0GKTW6wC7EMiVqA==,
- }
- engines: { node: '>=12' }
+ resolution: {integrity: sha512-HnLOCR3vjcY8beoNLtcjZ5/nxn2afmME6lhrDrebokqMap+XbeW8n9TXpPDOqdGK5qcI3oT0GKTW6wC7EMiVqA==}
+ engines: {node: '>=12'}
[email protected]:
- resolution:
- {
- integrity: sha512-o7+c9bW6zpAdJHTtujeePODAhkuicdAryFsfVKwA+wGw89wJ4GTY484WTucM9hLtDEOpOvI+aHnzqnC5lHp4Rg==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-o7+c9bW6zpAdJHTtujeePODAhkuicdAryFsfVKwA+wGw89wJ4GTY484WTucM9hLtDEOpOvI+aHnzqnC5lHp4Rg==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-NUdh0aDavY2og7IbBPenWqR9exH+E26Sv8e0/eTe1tltDGZL+GtBkDAnnyBtmekfK6/Dq3MkcGtzXFEd1LQrtg==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-NUdh0aDavY2og7IbBPenWqR9exH+E26Sv8e0/eTe1tltDGZL+GtBkDAnnyBtmekfK6/Dq3MkcGtzXFEd1LQrtg==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-0u/TldDbKD8bFCQ/4f5+mNRrXwZ8hg2w7ZR8wa16e8z9XpePWl3eGEcUD0OXpEH/VJH/2G3gjUtR3ZOiBe2S/w==,
- }
+ resolution: {integrity: sha512-0u/TldDbKD8bFCQ/4f5+mNRrXwZ8hg2w7ZR8wa16e8z9XpePWl3eGEcUD0OXpEH/VJH/2G3gjUtR3ZOiBe2S/w==}
[email protected]:
- resolution:
- {
- integrity: sha512-klHuCNxiMZ8MlsOihJhJEBJAiMVqU3Z2nEXWfWnIqjN0gEFS9J9+IxKozWWtQGcgoa1WUZzLjKPTr4ZHNFTFxw==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-klHuCNxiMZ8MlsOihJhJEBJAiMVqU3Z2nEXWfWnIqjN0gEFS9J9+IxKozWWtQGcgoa1WUZzLjKPTr4ZHNFTFxw==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-p73uL5VCHCO2BZZ6krwwQE3kCzM7NKmis8S//xEC6fQonchbum4eP6kR4DLEjQFO3Wnj3Fuo8NM0kOSjVdHjZQ==,
- }
+ resolution: {integrity: sha512-p73uL5VCHCO2BZZ6krwwQE3kCzM7NKmis8S//xEC6fQonchbum4eP6kR4DLEjQFO3Wnj3Fuo8NM0kOSjVdHjZQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-UXSH262CSZY1tfu3G3Secr6uGLCFVPMhIqHjlgCUtCCcgihYc/xKs9djMTMUOb2j1mVSeU8EU6NWc/iQKU6Gfg==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-UXSH262CSZY1tfu3G3Secr6uGLCFVPMhIqHjlgCUtCCcgihYc/xKs9djMTMUOb2j1mVSeU8EU6NWc/iQKU6Gfg==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-ev2QzSzWPYmy9GuqfIVildA4OdcGLeFZQrq5ys6RtiuF+RQQiZWr8TZNyAcuVXyQRYfEO+MsoB/1BuQVhOJuoQ==,
- }
+ resolution: {integrity: sha512-ev2QzSzWPYmy9GuqfIVildA4OdcGLeFZQrq5ys6RtiuF+RQQiZWr8TZNyAcuVXyQRYfEO+MsoB/1BuQVhOJuoQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-n/ShnvDi6FHbbVfviro+WojiFzv+s8MPMHBczVePfUpDJLwoLT0ht1l4YwBCbi8pJAveEEdnkHyPyTP/mzRfwg==,
- }
+ resolution: {integrity: sha512-n/ShnvDi6FHbbVfviro+WojiFzv+s8MPMHBczVePfUpDJLwoLT0ht1l4YwBCbi8pJAveEEdnkHyPyTP/mzRfwg==}
[email protected]:
- resolution:
- {
- integrity: sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA==,
- }
+ resolution: {integrity: sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA==}
[email protected]:
- resolution:
- {
- integrity: sha512-IwfBptatlO+QCJUo19AqvrPNqlVMpW9YEL2LIVY+Rpv2qsjCGxaDLNRgeGsQWJhfItebuJhsGSLjaBbNSQ+ieg==,
- }
+ resolution: {integrity: sha512-IwfBptatlO+QCJUo19AqvrPNqlVMpW9YEL2LIVY+Rpv2qsjCGxaDLNRgeGsQWJhfItebuJhsGSLjaBbNSQ+ieg==}
[email protected]:
- resolution:
- {
- integrity: sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==,
- }
- engines: { node: '>=8' }
+ resolution: {integrity: sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==}
+ engines: {node: '>=8'}
[email protected]:
- resolution:
- {
- integrity: sha512-iq6eVVI64nQQTRYq2KtEg2d2uU7LElhTJwsH4YzIHZshxlgZms/wIc4VoDQTlG/IvVIrBKG06CrZnp0qv7hkcQ==,
- }
- engines: { node: '>=12' }
+ resolution: {integrity: sha512-iq6eVVI64nQQTRYq2KtEg2d2uU7LElhTJwsH4YzIHZshxlgZms/wIc4VoDQTlG/IvVIrBKG06CrZnp0qv7hkcQ==}
+ engines: {node: '>=12'}
[email protected]:
- resolution:
- {
- integrity: sha512-vavAMRXOgBVNF6nyEEmL3DBK19iRpDcoIwW+swQ+CbGiu7lju6t+JklA1MHweoWtadgt4ISVUsXLyDq34ddcwA==,
- }
- engines: { node: '>=4' }
+ resolution: {integrity: sha512-vavAMRXOgBVNF6nyEEmL3DBK19iRpDcoIwW+swQ+CbGiu7lju6t+JklA1MHweoWtadgt4ISVUsXLyDq34ddcwA==}
+ engines: {node: '>=4'}
[email protected]:
- resolution:
- {
- integrity: sha512-4gB8na07fecVVkOI6Rs4e7T6NOTki5EmL7TUduTs6bu3EdnSycntVJ4re8kgZA+wx9IueI2Y11bfbgwtzuE0KQ==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-4gB8na07fecVVkOI6Rs4e7T6NOTki5EmL7TUduTs6bu3EdnSycntVJ4re8kgZA+wx9IueI2Y11bfbgwtzuE0KQ==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==,
- }
- engines: { node: '>=8' }
+ resolution: {integrity: sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==}
+ engines: {node: '>=8'}
[email protected]:
- resolution:
- {
- integrity: sha512-J8bbNyKKXl5qYcR36TIO8W3mVGVHrmmxsd5PAItGkmyzwJvybiw2IVq5nqd0i4LSNSkB/sx9VHllbfFdr9k1JA==,
- }
+ resolution: {integrity: sha512-J8bbNyKKXl5qYcR36TIO8W3mVGVHrmmxsd5PAItGkmyzwJvybiw2IVq5nqd0i4LSNSkB/sx9VHllbfFdr9k1JA==}
[email protected]:
- resolution:
- {
- integrity: sha512-ExzDvHYPj6F6QkSNe/JxSlBxTh3OrI6wrAIz53ulxo1c4hBJ1bT9C/JrAthEKHWG9riVH3Xzg7B03Oxty6S2Lw==,
- }
- engines: { node: '>=16' }
+ resolution: {integrity: sha512-ExzDvHYPj6F6QkSNe/JxSlBxTh3OrI6wrAIz53ulxo1c4hBJ1bT9C/JrAthEKHWG9riVH3Xzg7B03Oxty6S2Lw==}
+ engines: {node: '>=16'}
[email protected]:
- resolution:
- {
- integrity: sha512-qSVyDTeMotdvQYoHWLNGwRFJHC+i+ZvdBRYosOFgC+Wg1vx4frN2/RG/NA7SYqqvKNLf39P2LSRA2pu6n0XYZA==,
- }
- engines: { node: '>= 12.0.0' }
+ resolution: {integrity: sha512-qSVyDTeMotdvQYoHWLNGwRFJHC+i+ZvdBRYosOFgC+Wg1vx4frN2/RG/NA7SYqqvKNLf39P2LSRA2pu6n0XYZA==}
+ engines: {node: '>= 12.0.0'}
peerDependencies:
'@babel/core': '*'
babel-plugin-macros: '*'
@@ -6649,178 +3985,100 @@ packages:
optional: true
[email protected]:
- resolution:
- {
- integrity: sha512-Orov6g6BB1sDfYgzWfTHDOxamtX1bE/zo104Dh9e6fqJ3PooipYyfJ0pUmrZO2wAvO8YbEyeFrkV91XTsGMSrw==,
- }
+ resolution: {integrity: sha512-Orov6g6BB1sDfYgzWfTHDOxamtX1bE/zo104Dh9e6fqJ3PooipYyfJ0pUmrZO2wAvO8YbEyeFrkV91XTsGMSrw==}
[email protected]:
- resolution:
- {
- integrity: sha512-8EbVDiu9iN/nESwxeSxDKe0dunta1GOlHufmSSXxMD2z2/tMZpDMpvXQGsc+ajGo8y2uYUmixaSRUc/QPoQ0GA==,
- }
- engines: { node: '>=16 || 14 >=14.17' }
+ resolution: {integrity: sha512-8EbVDiu9iN/nESwxeSxDKe0dunta1GOlHufmSSXxMD2z2/tMZpDMpvXQGsc+ajGo8y2uYUmixaSRUc/QPoQ0GA==}
+ engines: {node: '>=16 || 14 >=14.17'}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==,
- }
- engines: { node: '>=8' }
+ resolution: {integrity: sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==}
+ engines: {node: '>=8'}
[email protected]:
- resolution:
- {
- integrity: sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-Cat63mxsVJlzYvN51JmVXIgNoUokrIaT2zLclCXjRd8boZ0004U4KCs/sToJ75C6sdlByWxpYnb5Boif1VSFew==,
- }
+ resolution: {integrity: sha512-Cat63mxsVJlzYvN51JmVXIgNoUokrIaT2zLclCXjRd8boZ0004U4KCs/sToJ75C6sdlByWxpYnb5Boif1VSFew==}
[email protected]:
- resolution:
- {
- integrity: sha512-0LXunzzAZzo0tEPxV3I297ffKZPlKDrjj7NXphC8V5ak9yHC5zRmxnOe2m/Rd/7ivsOMJe3JZ2JVocoDdQTRBA==,
- }
+ resolution: {integrity: sha512-0LXunzzAZzo0tEPxV3I297ffKZPlKDrjj7NXphC8V5ak9yHC5zRmxnOe2m/Rd/7ivsOMJe3JZ2JVocoDdQTRBA==}
[email protected]:
- resolution:
- {
- integrity: sha512-bl6mpH3T7I3UFxuvDEXLxy/VuFxBk5bbzplh7tXI68mwMokNYd1t9qPBHlnyTwfa4JGC4zP516I1hYYtQ/vspA==,
- }
+ resolution: {integrity: sha512-bl6mpH3T7I3UFxuvDEXLxy/VuFxBk5bbzplh7tXI68mwMokNYd1t9qPBHlnyTwfa4JGC4zP516I1hYYtQ/vspA==}
peerDependencies:
tailwindcss: '>=3.0.0 || insiders'
[email protected]:
- resolution:
- {
- integrity: sha512-TI4Cyx7gDiZ6r44ewaJmt0o6BrMCT5aK5e0rmJ/G9Xq3w7CX/5VXl/zIPEJZFUK5VEqwByyhqNPycPlvcK4ZNw==,
- }
- engines: { node: '>=14.0.0' }
+ resolution: {integrity: sha512-TI4Cyx7gDiZ6r44ewaJmt0o6BrMCT5aK5e0rmJ/G9Xq3w7CX/5VXl/zIPEJZFUK5VEqwByyhqNPycPlvcK4ZNw==}
+ engines: {node: '>=14.0.0'}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-GNzQvQTOIP6RyTfE2Qxb8ZVlNmw0n88vp1szwWRimP02mnTsx3Wtn5qRdqY9w2XduFNUgvOwhNnQsjwCp+kqaQ==,
- }
- engines: { node: '>=6' }
+ resolution: {integrity: sha512-GNzQvQTOIP6RyTfE2Qxb8ZVlNmw0n88vp1szwWRimP02mnTsx3Wtn5qRdqY9w2XduFNUgvOwhNnQsjwCp+kqaQ==}
+ engines: {node: '>=6'}
[email protected]:
- resolution:
- {
- integrity: sha512-V0r2Y9scmbDRLCNex/+hYzvp/zyYjvFbHPNgVTKfQvVrb6guiE/fxP+XblDNR011utopbkex2nM4dHNV6GDsng==,
- }
+ resolution: {integrity: sha512-V0r2Y9scmbDRLCNex/+hYzvp/zyYjvFbHPNgVTKfQvVrb6guiE/fxP+XblDNR011utopbkex2nM4dHNV6GDsng==}
[email protected]:
- resolution:
- {
- integrity: sha512-iokBDQQkUyeXhgPYaZxmczGPhnhXZ0CmrqI+MOb/WFGS9DW5wnfrLgtjUJBvz50vQ3qfRwJ62QVoCFu8mPVu5w==,
- }
+ resolution: {integrity: sha512-iokBDQQkUyeXhgPYaZxmczGPhnhXZ0CmrqI+MOb/WFGS9DW5wnfrLgtjUJBvz50vQ3qfRwJ62QVoCFu8mPVu5w==}
[email protected]:
- resolution:
- {
- integrity: sha512-ujeqbceABgwMZxEJnk2HDY2DlnUZ+9oEcb1KzTVfYHio0UE6dG71n60d8D2I4qNvleWrrXpmjpt7vZeF1LnMZQ==,
- }
- engines: { node: '>=6' }
+ resolution: {integrity: sha512-ujeqbceABgwMZxEJnk2HDY2DlnUZ+9oEcb1KzTVfYHio0UE6dG71n60d8D2I4qNvleWrrXpmjpt7vZeF1LnMZQ==}
+ engines: {node: '>=6'}
[email protected]:
- resolution:
- {
- integrity: sha512-qJj60CXt7IU1Ffyc3NJMjh6EkuCFej46zUqJ4J7pqYlThyd9bO0XBTmcOIhSzZJVWfsLks0+nle/j538YAW9RQ==,
- }
+ resolution: {integrity: sha512-qJj60CXt7IU1Ffyc3NJMjh6EkuCFej46zUqJ4J7pqYlThyd9bO0XBTmcOIhSzZJVWfsLks0+nle/j538YAW9RQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-x9v3H/lTKIJKQQe7RPQkLfKAnc9lUTkWDypIQgTzPJAq+5/GCDHonmshfvlsNSj58yyshbIJJDLmU15qNERrXQ==,
- }
+ resolution: {integrity: sha512-x9v3H/lTKIJKQQe7RPQkLfKAnc9lUTkWDypIQgTzPJAq+5/GCDHonmshfvlsNSj58yyshbIJJDLmU15qNERrXQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-RNxQH/qI8/t3thXJDwcstUO4zeqo64+Uy/+sNVRBx4Xn2OX+OZ9oP+iJnNFqplFra2ZUVeKCSa2oVWi3T4uVmA==,
- }
- engines: { node: '>=0.8' }
+ resolution: {integrity: sha512-RNxQH/qI8/t3thXJDwcstUO4zeqo64+Uy/+sNVRBx4Xn2OX+OZ9oP+iJnNFqplFra2ZUVeKCSa2oVWi3T4uVmA==}
+ engines: {node: '>=0.8'}
[email protected]:
- resolution:
- {
- integrity: sha512-RVZSIV5IG10Hk3enotrhvz0T9em6cyHBLkH/YAZuKqd8hRkKhSfCGIcP2KUY0EPxndzANBmNllzWPwak+bheSw==,
- }
+ resolution: {integrity: sha512-RVZSIV5IG10Hk3enotrhvz0T9em6cyHBLkH/YAZuKqd8hRkKhSfCGIcP2KUY0EPxndzANBmNllzWPwak+bheSw==}
[email protected]:
- resolution:
- {
- integrity: sha512-OqyPZ9u96VohAyMfJykzmivOrY2wfMSf3C5TtFJVgN+Hm6aj+voFhlK+kZEIv2FBh1X6Xp3DlnCOfEQ3B2J86A==,
- }
+ resolution: {integrity: sha512-OqyPZ9u96VohAyMfJykzmivOrY2wfMSf3C5TtFJVgN+Hm6aj+voFhlK+kZEIv2FBh1X6Xp3DlnCOfEQ3B2J86A==}
[email protected]:
- resolution:
- {
- integrity: sha512-/mrRod8xqpA+IHSLyGCQ2s8SPHiCDEeQJSep1jqLYeEUClOFG2Qsh+4FU6G9VeqpZnGW/Su8LQGc4YKni5rYSQ==,
- }
+ resolution: {integrity: sha512-/mrRod8xqpA+IHSLyGCQ2s8SPHiCDEeQJSep1jqLYeEUClOFG2Qsh+4FU6G9VeqpZnGW/Su8LQGc4YKni5rYSQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-Zc+8eJlFMvgatPZTl6A9L/yht8QqdmUNtURHaKZLmKBE12hNPSrqNkUp2cs3M/UKmNVVAMFQYSjYIVHDjW5zew==,
- }
- engines: { node: '>=12.0.0' }
+ resolution: {integrity: sha512-Zc+8eJlFMvgatPZTl6A9L/yht8QqdmUNtURHaKZLmKBE12hNPSrqNkUp2cs3M/UKmNVVAMFQYSjYIVHDjW5zew==}
+ engines: {node: '>=12.0.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==,
- }
- engines: { node: '>=8.0' }
+ resolution: {integrity: sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==}
+ engines: {node: '>=8.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-lbDrTLVsHhOMljPscd0yitpozq7Ga2M5Cvez5AjGg8GASBjtt6iERCAJ93yommPmz62fb45oFIXHEZ3u9bfJEA==,
- }
- engines: { node: '>=14.16' }
+ resolution: {integrity: sha512-lbDrTLVsHhOMljPscd0yitpozq7Ga2M5Cvez5AjGg8GASBjtt6iERCAJ93yommPmz62fb45oFIXHEZ3u9bfJEA==}
+ engines: {node: '>=14.16'}
[email protected]:
- resolution:
- {
- integrity: sha512-N3WMsuqV66lT30CrXNbEjx4GEwlow3v6rr4mCcv6prnfwhS01rkgyFdjPNBYd9br7LpXV1+Emh01fHnq2Gdgrw==,
- }
+ resolution: {integrity: sha512-N3WMsuqV66lT30CrXNbEjx4GEwlow3v6rr4mCcv6prnfwhS01rkgyFdjPNBYd9br7LpXV1+Emh01fHnq2Gdgrw==}
[email protected]:
- resolution:
- {
- integrity: sha512-2lv/66T7e5yNyhAAC4NaKe5nVavzuGJQVVtRYLyQ2OI8tsJ61PMLlelehb0wi2Hx6+hT/OJUWZcw8MjlSRnxvw==,
- }
- engines: { node: '>=14' }
+ resolution: {integrity: sha512-2lv/66T7e5yNyhAAC4NaKe5nVavzuGJQVVtRYLyQ2OI8tsJ61PMLlelehb0wi2Hx6+hT/OJUWZcw8MjlSRnxvw==}
+ engines: {node: '>=14'}
[email protected]:
- resolution:
- {
- integrity: sha512-95Pu1QXQvruGEhv62XCMO3Mm90GscOCClvrIUwCM0PYOXK3kaF3l3sIHxx71ThJfcbM2O5Au6SO3AWCSEfW4mQ==,
- }
+ resolution: {integrity: sha512-95Pu1QXQvruGEhv62XCMO3Mm90GscOCClvrIUwCM0PYOXK3kaF3l3sIHxx71ThJfcbM2O5Au6SO3AWCSEfW4mQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-i3eMG77UTMD0hZhgRS562pv83RC6ukSAC2GMNWc+9dieh/+jDM5u5YG+NHX6VNDRHQcHwmsTHctP9LhbC3WxVw==,
- }
- engines: { node: '>=16' }
+ resolution: {integrity: sha512-i3eMG77UTMD0hZhgRS562pv83RC6ukSAC2GMNWc+9dieh/+jDM5u5YG+NHX6VNDRHQcHwmsTHctP9LhbC3WxVw==}
+ engines: {node: '>=16'}
peerDependencies:
typescript: '>=4.2.0'
[email protected]:
- resolution:
- {
- integrity: sha512-/FrVAZ76JLTWxJOERk04fm8hYENDo0PWSP3YLQKxevLwWtxemGcl5JJEzN4iqfDlRve0ckyfFaOBu4xbNH/wZw==,
- }
+ resolution: {integrity: sha512-/FrVAZ76JLTWxJOERk04fm8hYENDo0PWSP3YLQKxevLwWtxemGcl5JJEzN4iqfDlRve0ckyfFaOBu4xbNH/wZw==}
peerDependencies:
typescript: '>=4.5.0'
peerDependenciesMeta:
@@ -6828,176 +4086,98 @@ packages:
optional: true
[email protected]:
- resolution:
- {
- integrity: sha512-Y/arvbn+rrz3JCKl9C4kVNfTfSm2/mEp5FSz5EsZSANGPSlQrpRI5M4PKF+mJnE52jOO90PnPSc3Ur3bTQw0gA==,
- }
+ resolution: {integrity: sha512-Y/arvbn+rrz3JCKl9C4kVNfTfSm2/mEp5FSz5EsZSANGPSlQrpRI5M4PKF+mJnE52jOO90PnPSc3Ur3bTQw0gA==}
[email protected]:
- resolution:
- {
- integrity: sha512-2Ac2RgzDe/cn48GvOe3M+o82pEFewD3UPbyoUHHdKasHwJKjds4fLXWf/Ux5kATBKN20oaFGu+jbElp1pos0mg==,
- }
+ resolution: {integrity: sha512-2Ac2RgzDe/cn48GvOe3M+o82pEFewD3UPbyoUHHdKasHwJKjds4fLXWf/Ux5kATBKN20oaFGu+jbElp1pos0mg==}
[email protected]:
- resolution:
- {
- integrity: sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==,
- }
+ resolution: {integrity: sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==}
[email protected]:
- resolution:
- {
- integrity: sha512-oJFu94HQb+KVduSUQL7wnpmqnfmLsOA/nAh6b6EH0wCEoK0/mPeXU6c3wKDV83MkOuHPRHtSXKKU99IBazS/2w==,
- }
+ resolution: {integrity: sha512-oJFu94HQb+KVduSUQL7wnpmqnfmLsOA/nAh6b6EH0wCEoK0/mPeXU6c3wKDV83MkOuHPRHtSXKKU99IBazS/2w==}
[email protected]:
- resolution:
- {
- integrity: sha512-pOUl6Vo2LUq/bSa8S5q7b91cgNSjctn9ugq/+Mvow99qW6x/UZYwzxy/3NmqoT66eHYfCVvFvACC58UBPFf28g==,
- }
- engines: { node: '>=18.0.0' }
+ resolution: {integrity: sha512-pOUl6Vo2LUq/bSa8S5q7b91cgNSjctn9ugq/+Mvow99qW6x/UZYwzxy/3NmqoT66eHYfCVvFvACC58UBPFf28g==}
+ engines: {node: '>=18.0.0'}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-McnNiV1l8RYeY8tBgEpuodCC1mLUdbSN+CYBL7kJsJNInOP8UjDDEwdk6Mw60vdLLrr5NHKZhMAOSrR2NZuQ+w==,
- }
+ resolution: {integrity: sha512-McnNiV1l8RYeY8tBgEpuodCC1mLUdbSN+CYBL7kJsJNInOP8UjDDEwdk6Mw60vdLLrr5NHKZhMAOSrR2NZuQ+w==}
[email protected]:
- resolution:
- {
- integrity: sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==,
- }
- engines: { node: '>= 0.8.0' }
+ resolution: {integrity: sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==}
+ engines: {node: '>= 0.8.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-Gur3yQGM9qiLNs0KPP7LPgeRbio2QTt4xXouobMCarR0/wyW3F+F/+OWwshg3NG0Adon7uQfSZBpB46NfhoF1A==,
- }
- engines: { node: '>=14.16' }
+ resolution: {integrity: sha512-Gur3yQGM9qiLNs0KPP7LPgeRbio2QTt4xXouobMCarR0/wyW3F+F/+OWwshg3NG0Adon7uQfSZBpB46NfhoF1A==}
+ engines: {node: '>=14.16'}
[email protected]:
- resolution:
- {
- integrity: sha512-gEymJYKZtKXzzBzM4jqa9w6Q1Jjm7x2d+sh19AdsD4wqnMPDYyvwpsIc2Q/835kHuo3BEQ7CjelGhfTsoBb2MQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-gEymJYKZtKXzzBzM4jqa9w6Q1Jjm7x2d+sh19AdsD4wqnMPDYyvwpsIc2Q/835kHuo3BEQ7CjelGhfTsoBb2MQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-3iMJ9q0ao7WE9tWcaYKIptkNBuOIcZCCT0d4MRvuuH88fEoEH62IuQe0OtraD3ebQEoTRk8XCBoknUNc1Y67pw==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-3iMJ9q0ao7WE9tWcaYKIptkNBuOIcZCCT0d4MRvuuH88fEoEH62IuQe0OtraD3ebQEoTRk8XCBoknUNc1Y67pw==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-GsvTyUHTriq6o/bHcTd0vM7OQ9JEdlvluu9YISaA7+KzDzPaIzEeDFNkTfhdE3MYcNhNi0vq/LlegYgIs5yPAw==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-GsvTyUHTriq6o/bHcTd0vM7OQ9JEdlvluu9YISaA7+KzDzPaIzEeDFNkTfhdE3MYcNhNi0vq/LlegYgIs5yPAw==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-3KS2b+kL7fsuk/eJZ7EQdnEmQoaho/r6KUef7hxvltNA5DR8NAUM+8wJMbJyZ4G9/7i3v5zPBIMN5aybAh2/Jg==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-3KS2b+kL7fsuk/eJZ7EQdnEmQoaho/r6KUef7hxvltNA5DR8NAUM+8wJMbJyZ4G9/7i3v5zPBIMN5aybAh2/Jg==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-i5t66RHxDvVN40HfDd1PsEThGNnlMCMT3jMUuoh9/0TaqWevNontacunWyN02LA9/fIbEWlcHZcgTKb9QoaLfg==,
- }
- engines: { node: '>=14.17' }
+ resolution: {integrity: sha512-i5t66RHxDvVN40HfDd1PsEThGNnlMCMT3jMUuoh9/0TaqWevNontacunWyN02LA9/fIbEWlcHZcgTKb9QoaLfg==}
+ engines: {node: '>=14.17'}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-ZPtzy0hu4cZjv3z5NW9gfKnNLjoz4y6uv4HlelAjDK7sY/xOkKZv9xK/WQpcsBB3jEybChz9DPC2U/+cusjJVQ==,
- }
- engines: { node: '>=18' }
+ resolution: {integrity: sha512-ZPtzy0hu4cZjv3z5NW9gfKnNLjoz4y6uv4HlelAjDK7sY/xOkKZv9xK/WQpcsBB3jEybChz9DPC2U/+cusjJVQ==}
+ engines: {node: '>=18'}
[email protected]:
- resolution:
- {
- integrity: sha512-61pPlCD9h51VoreyJ0BReideM3MDKMKnh6+V9L08331ipq6Q8OFXZYiqP6n/tbHx4s5I9uRhcye6BrbkizkBDw==,
- }
+ resolution: {integrity: sha512-61pPlCD9h51VoreyJ0BReideM3MDKMKnh6+V9L08331ipq6Q8OFXZYiqP6n/tbHx4s5I9uRhcye6BrbkizkBDw==}
[email protected]:
- resolution:
- {
- integrity: sha512-ve2KP6f/JnbPBFyobGHuerC9g1FYGn/F8n1LWTwNxCEzd6IfqTwUQcNXgEtmmQ6DlRrC1hrSrBnCZPokRrDHjw==,
- }
+ resolution: {integrity: sha512-ve2KP6f/JnbPBFyobGHuerC9g1FYGn/F8n1LWTwNxCEzd6IfqTwUQcNXgEtmmQ6DlRrC1hrSrBnCZPokRrDHjw==}
[email protected]:
- resolution:
- {
- integrity: sha512-F9p7yYCn6cIW9El1zi0HI6vqpeIvBsr3dSuRO6Xuppb1u5rXpCPmMvLSyECLhybr9isec8Ohl0hPekMVrEinDA==,
- }
+ resolution: {integrity: sha512-F9p7yYCn6cIW9El1zi0HI6vqpeIvBsr3dSuRO6Xuppb1u5rXpCPmMvLSyECLhybr9isec8Ohl0hPekMVrEinDA==}
[email protected]:
- resolution:
- {
- integrity: sha512-2qCTHimwdxLfz+YzdGfkqNlH0tLi9xjTnHddPmJwtIG9MGsdbutfTc4P+haPD7l7Cjxf/WZj+we5qfVPvvxfYw==,
- }
+ resolution: {integrity: sha512-2qCTHimwdxLfz+YzdGfkqNlH0tLi9xjTnHddPmJwtIG9MGsdbutfTc4P+haPD7l7Cjxf/WZj+we5qfVPvvxfYw==}
[email protected]:
- resolution:
- {
- integrity: sha512-KaFVRjoqLyF6YXCbVLNad/eS4+OfPQQn2yOd7zF/h5T/CSL2v8NpN6a5TPvtbXthAGw5nG+PuTtq+DdIZr+cRQ==,
- }
+ resolution: {integrity: sha512-KaFVRjoqLyF6YXCbVLNad/eS4+OfPQQn2yOd7zF/h5T/CSL2v8NpN6a5TPvtbXthAGw5nG+PuTtq+DdIZr+cRQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-0ASV06AAoKCDkS2+xw5RXJywruurpbC4JZSm7nr7MOt1ojAzvyyaO+UxZf18j8FCF6kmzCZKcAgN/yu2gm2XgQ==,
- }
+ resolution: {integrity: sha512-0ASV06AAoKCDkS2+xw5RXJywruurpbC4JZSm7nr7MOt1ojAzvyyaO+UxZf18j8FCF6kmzCZKcAgN/yu2gm2XgQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-L/PqWzfTP9lzzEa6CKs0k2nARxTdZduw3zyh8d2NVBnsyvHjSX4TWse388YrrQKbvI8w20fGjGlhgT96WwKykw==,
- }
+ resolution: {integrity: sha512-L/PqWzfTP9lzzEa6CKs0k2nARxTdZduw3zyh8d2NVBnsyvHjSX4TWse388YrrQKbvI8w20fGjGlhgT96WwKykw==}
[email protected]:
- resolution:
- {
- integrity: sha512-MR04uvD+07cwl/yhVuVWAtw+3GOR/knlL55Nd/wAdblk27GCVt3lqpTivy/tkJcZoNPzTwS1Y+KMojlLDhoTzg==,
- }
+ resolution: {integrity: sha512-MR04uvD+07cwl/yhVuVWAtw+3GOR/knlL55Nd/wAdblk27GCVt3lqpTivy/tkJcZoNPzTwS1Y+KMojlLDhoTzg==}
[email protected]:
- resolution:
- {
- integrity: sha512-KK8xQ1mkzZeg9inewmFVDNkg3l5LUhoq9kN6iWYB/CC9YMG8HA+c1Q8HwDe6dEX7kErrEVNVBO3fWsVq5iDgtw==,
- }
- engines: { node: '>=8' }
+ resolution: {integrity: sha512-KK8xQ1mkzZeg9inewmFVDNkg3l5LUhoq9kN6iWYB/CC9YMG8HA+c1Q8HwDe6dEX7kErrEVNVBO3fWsVq5iDgtw==}
+ engines: {node: '>=8'}
[email protected]:
- resolution:
- {
- integrity: sha512-R8UzCaa9Az+38REPiJ1tXlImTJXlVfgHZsglwBD/k6nj76ctsH1E3q4doGrukiLQd3sGQYu56r5+lo5r94l29A==,
- }
+ resolution: {integrity: sha512-R8UzCaa9Az+38REPiJ1tXlImTJXlVfgHZsglwBD/k6nj76ctsH1E3q4doGrukiLQd3sGQYu56r5+lo5r94l29A==}
hasBin: true
peerDependencies:
browserslist: '>= 4.21.0'
[email protected]:
- resolution:
- {
- integrity: sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==,
- }
+ resolution: {integrity: sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==}
[email protected]:
- resolution:
- {
- integrity: sha512-elOQwe6Q8gqZgDA8mrh44qRTQqpIHDcZ3hXTLjBe1i4ph8XpNJnO+aQf3NaG+lriLopI4HMx9VjQLfPQ6vhnoA==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-elOQwe6Q8gqZgDA8mrh44qRTQqpIHDcZ3hXTLjBe1i4ph8XpNJnO+aQf3NaG+lriLopI4HMx9VjQLfPQ6vhnoA==}
+ engines: {node: '>=10'}
peerDependencies:
'@types/react': ^16.8.0 || ^17.0.0 || ^18.0.0
react: ^16.8.0 || ^17.0.0 || ^18.0.0
@@ -7006,19 +4186,13 @@ packages:
optional: true
[email protected]:
- resolution:
- {
- integrity: sha512-owfuSmUNd3eNp3J9CdDl0kMgfidV+MkDvHPpvthN5ThqM+ibMccNE0k+Iq7TWC6JPFvGZqanqiGCuQx6DyV24g==,
- }
+ resolution: {integrity: sha512-owfuSmUNd3eNp3J9CdDl0kMgfidV+MkDvHPpvthN5ThqM+ibMccNE0k+Iq7TWC6JPFvGZqanqiGCuQx6DyV24g==}
peerDependencies:
react: '>=18.0.0'
scheduler: '>=0.19.0'
[email protected]:
- resolution:
- {
- integrity: sha512-q6ayo8DWoPZT0VdG4u3D3uxcgONP3Mevx2i2b0434cwWBoL+aelL1DzkXI6w3PhTZzUeR2kaVlZn70iCiseP6w==,
- }
+ resolution: {integrity: sha512-q6ayo8DWoPZT0VdG4u3D3uxcgONP3Mevx2i2b0434cwWBoL+aelL1DzkXI6w3PhTZzUeR2kaVlZn70iCiseP6w==}
peerDependencies:
'@types/react': '*'
react: ^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0
@@ -7027,11 +4201,8 @@ packages:
optional: true
[email protected]:
- resolution:
- {
- integrity: sha512-epTbsLuzZ7lPClpz2TyryBfztm7m+28DlEv2ZCQ3MDr5ssiwyOwGH/e5F9CkfWjJ1t4clvI58yF822/GUkjjhw==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-epTbsLuzZ7lPClpz2TyryBfztm7m+28DlEv2ZCQ3MDr5ssiwyOwGH/e5F9CkfWjJ1t4clvI58yF822/GUkjjhw==}
+ engines: {node: '>=10'}
peerDependencies:
'@types/react': ^16.9.0 || ^17.0.0 || ^18.0.0
react: ^16.8.0 || ^17.0.0 || ^18.0.0
@@ -7040,132 +4211,75 @@ packages:
optional: true
[email protected]:
- resolution:
- {
- integrity: sha512-Xn0w3MtiQ6zoz2vFyUVruaCL53O/DwUvkEeOvj+uulMm0BkUGYWmBYVyElqZaSLhY6ZD0ulfU3aBra2aVT4xfA==,
- }
+ resolution: {integrity: sha512-Xn0w3MtiQ6zoz2vFyUVruaCL53O/DwUvkEeOvj+uulMm0BkUGYWmBYVyElqZaSLhY6ZD0ulfU3aBra2aVT4xfA==}
[email protected]:
- resolution:
- {
- integrity: sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==,
- }
+ resolution: {integrity: sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==}
[email protected]:
- resolution:
- {
- integrity: sha512-8XkAphELsDnEGrDxUOHB3RGvXz6TeuYSGEZBOjtTtPm2lwhGBjLgOzLHB63IUWfBpNucQjND6d3AOudO+H3RWQ==,
- }
+ resolution: {integrity: sha512-8XkAphELsDnEGrDxUOHB3RGvXz6TeuYSGEZBOjtTtPm2lwhGBjLgOzLHB63IUWfBpNucQjND6d3AOudO+H3RWQ==}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-b+1eJOlsR9K8HJpow9Ok3fiWOWSIcIzXodvv0rQjVoOVNpWMpxf1wZNpt4y9h10odCNrqnYp1OBzRktckBe3sA==,
- }
+ resolution: {integrity: sha512-b+1eJOlsR9K8HJpow9Ok3fiWOWSIcIzXodvv0rQjVoOVNpWMpxf1wZNpt4y9h10odCNrqnYp1OBzRktckBe3sA==}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-jRDZ1IMLttGj41KcZvlrYAaI3CfqpLpfpf+Mfig13viT6NKvRzWZ+lXz0Y5D60w6uJIBAOGq9mSHf0gktF0duw==,
- }
+ resolution: {integrity: sha512-jRDZ1IMLttGj41KcZvlrYAaI3CfqpLpfpf+Mfig13viT6NKvRzWZ+lXz0Y5D60w6uJIBAOGq9mSHf0gktF0duw==}
[email protected]:
- resolution:
- {
- integrity: sha512-2JAn3z8AR6rjK8Sm8orRC0h/bcl/DqL7tRPdGZ4I1CjdF+EaMLmYxBHyXuKL849eucPFhvBoxMsflfOb8kxaeQ==,
- }
+ resolution: {integrity: sha512-2JAn3z8AR6rjK8Sm8orRC0h/bcl/DqL7tRPdGZ4I1CjdF+EaMLmYxBHyXuKL849eucPFhvBoxMsflfOb8kxaeQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-VwddBukDzu71offAQR975unBIGqfKZpM+8ZX6ySk8nYhVoo5CYaZyzt3YBvYtRtO+aoGlqxPg/B87NGVZ/fu6g==,
- }
- engines: { node: '>=12' }
+ resolution: {integrity: sha512-VwddBukDzu71offAQR975unBIGqfKZpM+8ZX6ySk8nYhVoo5CYaZyzt3YBvYtRtO+aoGlqxPg/B87NGVZ/fu6g==}
+ engines: {node: '>=12'}
[email protected]:
- resolution:
- {
- integrity: sha512-9WWbymnqj57+XEuqADHrCJ2eSXzn8WXIW/YSGaZtb2WKAInQ6CHfaUUcTyyver0p8BDg5StLQq8h1vtZuwmOig==,
- }
- engines: { node: '>=16' }
+ resolution: {integrity: sha512-9WWbymnqj57+XEuqADHrCJ2eSXzn8WXIW/YSGaZtb2WKAInQ6CHfaUUcTyyver0p8BDg5StLQq8h1vtZuwmOig==}
+ engines: {node: '>=16'}
[email protected]:
- resolution:
- {
- integrity: sha512-saE57nupxk6v3HY35+jzBwYa0rKSy0XR8JSxZPwgLr7ys0IBzhGviA1/TUGJLmSVqs8pb9AnvICXEuOHLprYTw==,
- }
+ resolution: {integrity: sha512-saE57nupxk6v3HY35+jzBwYa0rKSy0XR8JSxZPwgLr7ys0IBzhGviA1/TUGJLmSVqs8pb9AnvICXEuOHLprYTw==}
[email protected]:
- resolution:
- {
- integrity: sha512-Ei7Miu/AXe2JJ4iNF5j/UphAgRoma4trE6PtisM09bPygb3egMH3YLW/befsWb1A1AxvNSFidOFTB18XtnIIng==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-Ei7Miu/AXe2JJ4iNF5j/UphAgRoma4trE6PtisM09bPygb3egMH3YLW/befsWb1A1AxvNSFidOFTB18XtnIIng==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-I+qLGQ/vucCby4tf5HsLmGueEla4ZhwTBSqaooS+Y0BuxN4Cp+okmGuV+8mXZ84KDI9BA+oklo+RzKg0ONdSUA==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-I+qLGQ/vucCby4tf5HsLmGueEla4ZhwTBSqaooS+Y0BuxN4Cp+okmGuV+8mXZ84KDI9BA+oklo+RzKg0ONdSUA==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-K4jVyjnBdgvc86Y6BkaLZEN933SwYOuBFkdmBu9ZfkcAbdVbpITnDmjvZ/aQjRXQrv5EPkTnD1s39GiiqbngCw==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-K4jVyjnBdgvc86Y6BkaLZEN933SwYOuBFkdmBu9ZfkcAbdVbpITnDmjvZ/aQjRXQrv5EPkTnD1s39GiiqbngCw==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-g+N+GAWiRj66DngFwHvISJd+ITsyphZvD1vChfVg6cEdnzy53GzB3oy0fUNlvhz7H7+MiqhYr26qxQShCpKTTQ==,
- }
- engines: { node: '>= 0.4' }
+ resolution: {integrity: sha512-g+N+GAWiRj66DngFwHvISJd+ITsyphZvD1vChfVg6cEdnzy53GzB3oy0fUNlvhz7H7+MiqhYr26qxQShCpKTTQ==}
+ engines: {node: '>= 0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==,
- }
- engines: { node: '>= 8' }
+ resolution: {integrity: sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==}
+ engines: {node: '>= 8'}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-BN22B5eaMMI9UMtjrGd5g5eCYPpCPDUy0FJXbYsaT5zYxjFOckS53SQDE3pWkVoWpHXVb3BrYcEN4Twa55B5cA==,
- }
- engines: { node: '>=0.10.0' }
+ resolution: {integrity: sha512-BN22B5eaMMI9UMtjrGd5g5eCYPpCPDUy0FJXbYsaT5zYxjFOckS53SQDE3pWkVoWpHXVb3BrYcEN4Twa55B5cA==}
+ engines: {node: '>=0.10.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==}
+ engines: {node: '>=10'}
[email protected]:
- resolution:
- {
- integrity: sha512-si7QWI6zUMq56bESFvagtmzMdGOtoxfR+Sez11Mobfc7tm+VkUckk9bW2UeffTGVUbOksxmSw0AA2gs8g71NCQ==,
- }
- engines: { node: '>=12' }
+ resolution: {integrity: sha512-si7QWI6zUMq56bESFvagtmzMdGOtoxfR+Sez11Mobfc7tm+VkUckk9bW2UeffTGVUbOksxmSw0AA2gs8g71NCQ==}
+ engines: {node: '>=12'}
[email protected]:
- resolution:
- {
- integrity: sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==,
- }
+ resolution: {integrity: sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==}
[email protected]:
- resolution:
- {
- integrity: sha512-8VbfWfHLbbwu3+N6OKsOMpBdT4kXPDDB9cJk2bJ6mh9ucxdlnNvH1e+roYkKmN9Nxw2yjz7VzeO9oOz2zJ04Pw==,
- }
- engines: { node: '>=10.0.0' }
+ resolution: {integrity: sha512-8VbfWfHLbbwu3+N6OKsOMpBdT4kXPDDB9cJk2bJ6mh9ucxdlnNvH1e+roYkKmN9Nxw2yjz7VzeO9oOz2zJ04Pw==}
+ engines: {node: '>=10.0.0'}
peerDependencies:
bufferutil: ^4.0.1
utf-8-validate: '>=5.0.2'
@@ -7176,77 +4290,48 @@ packages:
optional: true
[email protected]:
- resolution:
- {
- integrity: sha512-FVdlVVC67WOIPvfOwhoMETV72f6GbW7aOabBC3WxN/oUdoEMDyLz4OgRv5/gck2ZeNqEQu+Tb0kloovXOfpYVg==,
- }
- engines: { node: '>= 0.10.0' }
+ resolution: {integrity: sha512-FVdlVVC67WOIPvfOwhoMETV72f6GbW7aOabBC3WxN/oUdoEMDyLz4OgRv5/gck2ZeNqEQu+Tb0kloovXOfpYVg==}
+ engines: {node: '>= 0.10.0'}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-LKYU1iAXJXUgAXn9URjiu+MWhyUXHsvfp7mcuYm9dSUKK0/CjtrUwFAxD82/mCWbtLsGjFIad0wIsod4zrTAEQ==,
- }
- engines: { node: '>=0.4' }
+ resolution: {integrity: sha512-LKYU1iAXJXUgAXn9URjiu+MWhyUXHsvfp7mcuYm9dSUKK0/CjtrUwFAxD82/mCWbtLsGjFIad0wIsod4zrTAEQ==}
+ engines: {node: '>=0.4'}
[email protected]:
- resolution:
- {
- integrity: sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==}
+ engines: {node: '>=10'}
[email protected]:
- resolution:
- {
- integrity: sha512-r3vXyErRCYJ7wg28yvBY5VSoAF8ZvlcW9/BwUzEtUsjvX/DKs24dIkuwjtuprwJJHsbyUbLApepYTR1BN4uHrg==,
- }
- engines: { node: '>= 6' }
+ resolution: {integrity: sha512-r3vXyErRCYJ7wg28yvBY5VSoAF8ZvlcW9/BwUzEtUsjvX/DKs24dIkuwjtuprwJJHsbyUbLApepYTR1BN4uHrg==}
+ engines: {node: '>= 6'}
[email protected]:
- resolution:
- {
- integrity: sha512-7r0XPzioN/Q9kXBro/XPnA6kznR73DHq+GXh5ON7ZozRO6aMjbmiBuKste2wslTFkC5d1dw0GooOCepZXJ2SAg==,
- }
- engines: { node: '>= 14' }
+ resolution: {integrity: sha512-7r0XPzioN/Q9kXBro/XPnA6kznR73DHq+GXh5ON7ZozRO6aMjbmiBuKste2wslTFkC5d1dw0GooOCepZXJ2SAg==}
+ engines: {node: '>= 14'}
hasBin: true
[email protected]:
- resolution:
- {
- integrity: sha512-y11nGElTIV+CT3Zv9t7VKl+Q3hTQoT9a1Qzezhhl6Rp21gJ/IVTW7Z3y9EWXhuUBC2Shnf+DX0antecpAwSP8w==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-y11nGElTIV+CT3Zv9t7VKl+Q3hTQoT9a1Qzezhhl6Rp21gJ/IVTW7Z3y9EWXhuUBC2Shnf+DX0antecpAwSP8w==}
+ engines: {node: '>=10'}
[email protected]:
- resolution:
- {
- integrity: sha512-D1mvvtDG0L5ft/jGWkLpG1+m0eQxOfaBvTNELraWj22wSVUMWxZUvYgJYcKh6jGGIkJFhH4IZPQhR4TKpc8mBw==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-D1mvvtDG0L5ft/jGWkLpG1+m0eQxOfaBvTNELraWj22wSVUMWxZUvYgJYcKh6jGGIkJFhH4IZPQhR4TKpc8mBw==}
+ engines: {node: '>=10'}
[email protected]:
- resolution:
- {
- integrity: sha512-Z2YZI+SYqK7XdWlloI3lhMiKnCdFCVC4PchpdO+mCYwtiTwncjUbnRK9R1JmkNfdmHyDXuWN3ibJAt0wsqTbLQ==,
- }
- engines: { node: '>=16.0.0', npm: '>=8.0.0' }
+ resolution: {integrity: sha512-Z2YZI+SYqK7XdWlloI3lhMiKnCdFCVC4PchpdO+mCYwtiTwncjUbnRK9R1JmkNfdmHyDXuWN3ibJAt0wsqTbLQ==}
+ engines: {node: '>=16.0.0', npm: '>=8.0.0'}
[email protected]:
- resolution:
- {
- integrity: sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==,
- }
- engines: { node: '>=10' }
+ resolution: {integrity: sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==}
+ engines: {node: '>=10'}
[email protected]:
- resolution:
- {
- integrity: sha512-bXE4cR/kVZhKZX/RjPEflHaKVhUVl85noU3v6b8apfQEc1x4A+zBxjZ4lN8LqGd6WZ3dl98pY4o717VFmoPp+A==,
- }
+ resolution: {integrity: sha512-bXE4cR/kVZhKZX/RjPEflHaKVhUVl85noU3v6b8apfQEc1x4A+zBxjZ4lN8LqGd6WZ3dl98pY4o717VFmoPp+A==}
snapshots:
+
'@alloc/[email protected]': {}
'@apidevtools/[email protected]':
@@ -8517,13 +5602,13 @@ snapshots:
'@one-ini/[email protected]': {}
- '@payloadcms/[email protected](@aws-sdk/[email protected](@aws-sdk/[email protected](@aws-sdk/[email protected])))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))':
+ '@payloadcms/[email protected](@aws-sdk/[email protected](@aws-sdk/[email protected](@aws-sdk/[email protected])))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))':
dependencies:
http-status: 1.6.2
mongoose: 8.8.3(@aws-sdk/[email protected](@aws-sdk/[email protected](@aws-sdk/[email protected])))
mongoose-aggregate-paginate-v2: 1.1.2
mongoose-paginate-v2: 1.8.5
- payload: 3.9.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
+ payload: 3.14.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
prompts: 2.4.2
uuid: 10.0.0
transitivePeerDependencies:
@@ -8536,36 +5621,36 @@ snapshots:
- socks
- supports-color
- '@payloadcms/[email protected]([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))':
+ '@payloadcms/[email protected]([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))':
dependencies:
nodemailer: 6.9.10
- payload: 3.9.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
+ payload: 3.14.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
- '@payloadcms/[email protected]([email protected])([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected])':
+ '@payloadcms/[email protected]([email protected])([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected])':
dependencies:
graphql: 16.9.0
graphql-scalars: 1.22.2([email protected])
- payload: 3.9.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
+ payload: 3.14.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
pluralize: 8.0.0
ts-essentials: 10.0.3([email protected])
tsx: 4.19.2
transitivePeerDependencies:
- typescript
- '@payloadcms/[email protected]([email protected]([email protected]))([email protected])':
+ '@payloadcms/[email protected]([email protected]([email protected]))([email protected])':
dependencies:
- '@payloadcms/live-preview': 3.9.0
+ '@payloadcms/live-preview': 3.14.0
react: 19.0.0
react-dom: 19.0.0([email protected])
- '@payloadcms/[email protected]': {}
+ '@payloadcms/[email protected]': {}
- '@payloadcms/[email protected](@types/[email protected])([email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])':
+ '@payloadcms/[email protected](@types/[email protected])([email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])':
dependencies:
'@dnd-kit/core': 6.0.8([email protected]([email protected]))([email protected])
- '@payloadcms/graphql': 3.9.0([email protected])([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected])
- '@payloadcms/translations': 3.9.0
- '@payloadcms/ui': 3.9.0(@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
+ '@payloadcms/graphql': 3.14.0([email protected])([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected])
+ '@payloadcms/translations': 3.14.0
+ '@payloadcms/ui': 3.14.0(@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
busboy: 1.6.0
file-type: 19.3.0
graphql: 16.9.0
@@ -8574,7 +5659,7 @@ snapshots:
http-status: 1.6.2
next: 15.1.0([email protected]([email protected]))([email protected])([email protected])
path-to-regexp: 6.3.0
- payload: 3.9.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
+ payload: 3.14.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
qs-esm: 7.0.2
react-diff-viewer-continued: 3.2.6([email protected]([email protected]))([email protected])
sass: 1.77.4
@@ -8588,16 +5673,16 @@ snapshots:
- supports-color
- typescript
- '@payloadcms/[email protected](@aws-sdk/[email protected](@aws-sdk/[email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))':
+ '@payloadcms/[email protected](@aws-sdk/[email protected](@aws-sdk/[email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))':
dependencies:
'@aws-sdk/client-cognito-identity': 3.699.0
'@aws-sdk/client-s3': 3.705.0
'@aws-sdk/credential-providers': 3.699.0(@aws-sdk/[email protected](@aws-sdk/[email protected]))
'@aws-sdk/lib-storage': 3.705.0(@aws-sdk/[email protected])
- '@payloadcms/email-nodemailer': 3.9.0([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))
+ '@payloadcms/email-nodemailer': 3.14.0([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))
amazon-cognito-identity-js: 6.3.12
nodemailer: 6.9.10
- payload: 3.9.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
+ payload: 3.14.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
resend: 0.17.2
transitivePeerDependencies:
- '@aws-sdk/client-sso-oidc'
@@ -8605,11 +5690,11 @@ snapshots:
- debug
- encoding
- '@payloadcms/[email protected](@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])':
+ '@payloadcms/[email protected](@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])':
dependencies:
- '@payloadcms/ui': 3.9.0(@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
+ '@payloadcms/ui': 3.14.0(@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
escape-html: 1.0.3
- payload: 3.9.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
+ payload: 3.14.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
react: 19.0.0
react-dom: 19.0.0([email protected])
transitivePeerDependencies:
@@ -8619,19 +5704,19 @@ snapshots:
- supports-color
- typescript
- '@payloadcms/[email protected]([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))':
+ '@payloadcms/[email protected]([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))':
dependencies:
- payload: 3.9.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
+ payload: 3.14.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
- '@payloadcms/[email protected]([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))':
+ '@payloadcms/[email protected]([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))':
dependencies:
- payload: 3.9.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
+ payload: 3.14.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
- '@payloadcms/[email protected](@types/[email protected])([email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])':
+ '@payloadcms/[email protected](@types/[email protected])([email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])':
dependencies:
- '@payloadcms/next': 3.9.0(@types/[email protected])([email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
- '@payloadcms/ui': 3.9.0(@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
- payload: 3.9.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
+ '@payloadcms/next': 3.14.0(@types/[email protected])([email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
+ '@payloadcms/ui': 3.14.0(@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
+ payload: 3.14.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
react: 19.0.0
react-dom: 19.0.0([email protected])
transitivePeerDependencies:
@@ -8642,11 +5727,11 @@ snapshots:
- supports-color
- typescript
- '@payloadcms/[email protected](@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])':
+ '@payloadcms/[email protected](@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])':
dependencies:
- '@payloadcms/translations': 3.9.0
- '@payloadcms/ui': 3.9.0(@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
- payload: 3.9.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
+ '@payloadcms/translations': 3.14.0
+ '@payloadcms/ui': 3.14.0(@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
+ payload: 3.14.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
react: 19.0.0
react-dom: 19.0.0([email protected])
transitivePeerDependencies:
@@ -8656,7 +5741,7 @@ snapshots:
- supports-color
- typescript
- '@payloadcms/[email protected](7itv6fc3joecxsg6yikkxxnf4i)':
+ '@payloadcms/[email protected](cq4exh765h77wwzjevtcexrxb4)':
dependencies:
'@faceless-ui/modal': 3.0.0-beta.2([email protected]([email protected]))([email protected])
'@faceless-ui/scroll-info': 2.0.0-beta.0([email protected]([email protected]))([email protected])
@@ -8670,19 +5755,20 @@ snapshots:
'@lexical/selection': 0.20.0
'@lexical/table': 0.20.0
'@lexical/utils': 0.20.0
- '@payloadcms/next': 3.9.0(@types/[email protected])([email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
- '@payloadcms/translations': 3.9.0
- '@payloadcms/ui': 3.9.0(@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
+ '@payloadcms/next': 3.14.0(@types/[email protected])([email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
+ '@payloadcms/translations': 3.14.0
+ '@payloadcms/ui': 3.14.0(@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])
'@types/uuid': 10.0.0
acorn: 8.12.1
bson-objectid: 2.0.4
dequal: 2.0.3
escape-html: 1.0.3
+ jsox: 1.2.121
lexical: 0.20.0
mdast-util-from-markdown: 2.0.2
mdast-util-mdx-jsx: 3.1.3
micromark-extension-mdx-jsx: 3.0.1
- payload: 3.9.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
+ payload: 3.14.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
react: 19.0.0
react-dom: 19.0.0([email protected])
react-error-boundary: 4.1.2([email protected])
@@ -8695,11 +5781,11 @@ snapshots:
- supports-color
- typescript
- '@payloadcms/[email protected]':
+ '@payloadcms/[email protected]':
dependencies:
date-fns: 4.1.0
- '@payloadcms/[email protected](@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])':
+ '@payloadcms/[email protected](@types/[email protected])([email protected])([email protected]([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]))([email protected]([email protected]))([email protected])([email protected])':
dependencies:
'@dnd-kit/core': 6.0.8([email protected]([email protected]))([email protected])
'@dnd-kit/sortable': 7.0.2(@dnd-kit/[email protected]([email protected]([email protected]))([email protected]))([email protected])
@@ -8707,7 +5793,7 @@ snapshots:
'@faceless-ui/scroll-info': 2.0.0-beta.0([email protected]([email protected]))([email protected])
'@faceless-ui/window-info': 3.0.0-beta.0([email protected]([email protected]))([email protected])
'@monaco-editor/react': 4.6.0([email protected])([email protected]([email protected]))([email protected])
- '@payloadcms/translations': 3.9.0
+ '@payloadcms/translations': 3.14.0
body-scroll-lock: 4.0.0-beta.0
bson-objectid: 2.0.4
date-fns: 4.1.0
@@ -8715,7 +5801,7 @@ snapshots:
md5: 2.3.0
next: 15.1.0([email protected]([email protected]))([email protected])([email protected])
object-to-formdata: 4.5.1
- payload: 3.9.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
+ payload: 3.14.0([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected])
qs-esm: 7.0.2
react: 19.0.0
react-datepicker: 7.5.0([email protected]([email protected]))([email protected])
@@ -10206,7 +7292,7 @@ snapshots:
transitivePeerDependencies:
- supports-color
- [email protected](@typescript-eslint/[email protected]([email protected]([email protected]))([email protected]))([email protected])([email protected])([email protected]([email protected])):
+ [email protected](@typescript-eslint/[email protected]([email protected]([email protected]))([email protected]))([email protected])([email protected]([email protected])([email protected]([email protected])))([email protected]([email protected])):
dependencies:
debug: 3.2.7
optionalDependencies:
@@ -10228,7 +7314,7 @@ snapshots:
doctrine: 2.1.0
eslint: 9.16.0([email protected])
eslint-import-resolver-node: 0.3.9
- eslint-module-utils: 2.12.0(@typescript-eslint/[email protected]([email protected]([email protected]))([email protected]))([email protected])([email protected])([email protected]([email protected]))
+ eslint-module-utils: 2.12.0(@typescript-eslint/[email protected]([email protected]([email protected]))([email protected]))([email protected])([email protected]([email protected])([email protected]([email protected])))([email protected]([email protected]))
hasown: 2.0.2
is-core-module: 2.15.1
is-glob: 4.0.3
@@ -10864,6 +7950,8 @@ snapshots:
dependencies:
minimist: 1.2.8
+ [email protected]: {}
+
[email protected]:
dependencies:
array-includes: 3.1.8
@@ -11437,11 +8525,11 @@ snapshots:
react: 19.0.0
react-dom: 19.0.0([email protected])
- [email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]):
+ [email protected]([email protected])([email protected])([email protected]([email protected]))([email protected])([email protected]):
dependencies:
'@monaco-editor/react': 4.6.0([email protected])([email protected]([email protected]))([email protected])
'@next/env': 15.1.0
- '@payloadcms/translations': 3.9.0
+ '@payloadcms/translations': 3.14.0
'@types/busboy': 1.5.4
ajv: 8.17.1
bson-objectid: 2.0.4
diff --git a/templates/with-postgres/Dockerfile b/templates/with-postgres/Dockerfile
index 12f8fb01d06..93465cfa57a 100644
--- a/templates/with-postgres/Dockerfile
+++ b/templates/with-postgres/Dockerfile
@@ -1,6 +1,7 @@
+# To use this Dockerfile, you have to set `output: 'standalone'` in your next.config.mjs file.
# From https://github.com/vercel/next.js/blob/canary/examples/with-docker/Dockerfile
-FROM node:18-alpine AS base
+FROM node:22.12.0-alpine AS base
# Install dependencies only when needed
FROM base AS deps
diff --git a/templates/with-postgres/package.json b/templates/with-postgres/package.json
index 25a7d5b73ce..46750844b13 100644
--- a/templates/with-postgres/package.json
+++ b/templates/with-postgres/package.json
@@ -6,27 +6,27 @@
"type": "module",
"scripts": {
"build": "cross-env NODE_OPTIONS=--no-deprecation next build",
+ "ci": "payload migrate && pnpm build",
"dev": "cross-env NODE_OPTIONS=--no-deprecation next dev",
"devsafe": "rm -rf .next && cross-env NODE_OPTIONS=--no-deprecation next dev",
"generate:importmap": "cross-env NODE_OPTIONS=--no-deprecation payload generate:importmap",
"generate:types": "cross-env NODE_OPTIONS=--no-deprecation payload generate:types",
"lint": "cross-env NODE_OPTIONS=--no-deprecation next lint",
"payload": "cross-env NODE_OPTIONS=--no-deprecation payload",
- "start": "cross-env NODE_OPTIONS=--no-deprecation next start",
- "ci": "payload migrate && pnpm build"
+ "start": "cross-env NODE_OPTIONS=--no-deprecation next start"
},
"dependencies": {
- "@payloadcms/next": "3.9.0",
- "@payloadcms/payload-cloud": "3.9.0",
- "@payloadcms/richtext-lexical": "3.9.0",
+ "@payloadcms/db-postgres": "latest",
+ "@payloadcms/next": "latest",
+ "@payloadcms/payload-cloud": "latest",
+ "@payloadcms/richtext-lexical": "latest",
"cross-env": "^7.0.3",
"graphql": "^16.8.1",
"next": "15.1.0",
- "payload": "3.9.0",
+ "payload": "latest",
"react": "19.0.0",
"react-dom": "19.0.0",
- "sharp": "0.32.6",
- "@payloadcms/db-postgres": "3.9.0"
+ "sharp": "0.32.6"
},
"devDependencies": {
"@eslint/eslintrc": "^3.2.0",
diff --git a/templates/with-postgres/src/migrations/20250103_134356_initial.json b/templates/with-postgres/src/migrations/20250106_144518_initial.json
similarity index 99%
rename from templates/with-postgres/src/migrations/20250103_134356_initial.json
rename to templates/with-postgres/src/migrations/20250106_144518_initial.json
index c90d4619a40..960d3d587c2 100644
--- a/templates/with-postgres/src/migrations/20250103_134356_initial.json
+++ b/templates/with-postgres/src/migrations/20250106_144518_initial.json
@@ -1,5 +1,5 @@
{
- "id": "a636bbc7-ad86-4874-995a-a466f3d08115",
+ "id": "5975a8a1-66fc-4dfb-be77-56fa516e372c",
"prevId": "00000000-0000-0000-0000-000000000000",
"version": "7",
"dialect": "postgresql",
diff --git a/templates/with-postgres/src/migrations/20250103_134356_initial.ts b/templates/with-postgres/src/migrations/20250106_144518_initial.ts
similarity index 100%
rename from templates/with-postgres/src/migrations/20250103_134356_initial.ts
rename to templates/with-postgres/src/migrations/20250106_144518_initial.ts
diff --git a/templates/with-postgres/src/migrations/index.ts b/templates/with-postgres/src/migrations/index.ts
index ad0e154c57f..3ce99a53a57 100644
--- a/templates/with-postgres/src/migrations/index.ts
+++ b/templates/with-postgres/src/migrations/index.ts
@@ -1,9 +1,9 @@
-import * as migration_20250103_134356_initial from './20250103_134356_initial'
+import * as migration_20250106_144518_initial from './20250106_144518_initial'
export const migrations = [
{
- up: migration_20250103_134356_initial.up,
- down: migration_20250103_134356_initial.down,
- name: '20250103_134356_initial',
+ up: migration_20250106_144518_initial.up,
+ down: migration_20250106_144518_initial.down,
+ name: '20250106_144518_initial',
},
]
diff --git a/templates/with-vercel-mongodb/Dockerfile b/templates/with-vercel-mongodb/Dockerfile
index 12f8fb01d06..93465cfa57a 100644
--- a/templates/with-vercel-mongodb/Dockerfile
+++ b/templates/with-vercel-mongodb/Dockerfile
@@ -1,6 +1,7 @@
+# To use this Dockerfile, you have to set `output: 'standalone'` in your next.config.mjs file.
# From https://github.com/vercel/next.js/blob/canary/examples/with-docker/Dockerfile
-FROM node:18-alpine AS base
+FROM node:22.12.0-alpine AS base
# Install dependencies only when needed
FROM base AS deps
diff --git a/templates/with-vercel-mongodb/package.json b/templates/with-vercel-mongodb/package.json
index 668ac0e8b17..1e00736a96e 100644
--- a/templates/with-vercel-mongodb/package.json
+++ b/templates/with-vercel-mongodb/package.json
@@ -15,17 +15,17 @@
"start": "cross-env NODE_OPTIONS=--no-deprecation next start"
},
"dependencies": {
- "@payloadcms/db-mongodb": "3.9.0",
- "@payloadcms/next": "3.9.0",
- "@payloadcms/payload-cloud": "3.9.0",
- "@payloadcms/richtext-lexical": "3.9.0",
+ "@payloadcms/db-mongodb": "latest",
+ "@payloadcms/next": "latest",
+ "@payloadcms/payload-cloud": "latest",
+ "@payloadcms/richtext-lexical": "latest",
+ "@payloadcms/storage-vercel-blob": "latest",
"cross-env": "^7.0.3",
"graphql": "^16.8.1",
"next": "15.1.0",
- "payload": "3.9.0",
+ "payload": "latest",
"react": "19.0.0",
- "react-dom": "19.0.0",
- "@payloadcms/storage-vercel-blob": "3.9.0"
+ "react-dom": "19.0.0"
},
"devDependencies": {
"@eslint/eslintrc": "^3.2.0",
diff --git a/templates/with-vercel-postgres/Dockerfile b/templates/with-vercel-postgres/Dockerfile
index 12f8fb01d06..93465cfa57a 100644
--- a/templates/with-vercel-postgres/Dockerfile
+++ b/templates/with-vercel-postgres/Dockerfile
@@ -1,6 +1,7 @@
+# To use this Dockerfile, you have to set `output: 'standalone'` in your next.config.mjs file.
# From https://github.com/vercel/next.js/blob/canary/examples/with-docker/Dockerfile
-FROM node:18-alpine AS base
+FROM node:22.12.0-alpine AS base
# Install dependencies only when needed
FROM base AS deps
diff --git a/templates/with-vercel-postgres/package.json b/templates/with-vercel-postgres/package.json
index 893d7dfa5cd..92108c2d8a6 100644
--- a/templates/with-vercel-postgres/package.json
+++ b/templates/with-vercel-postgres/package.json
@@ -6,27 +6,27 @@
"type": "module",
"scripts": {
"build": "cross-env NODE_OPTIONS=--no-deprecation next build",
+ "ci": "payload migrate && pnpm build",
"dev": "cross-env NODE_OPTIONS=--no-deprecation next dev",
"devsafe": "rm -rf .next && cross-env NODE_OPTIONS=--no-deprecation next dev",
"generate:importmap": "cross-env NODE_OPTIONS=--no-deprecation payload generate:importmap",
"generate:types": "cross-env NODE_OPTIONS=--no-deprecation payload generate:types",
"lint": "cross-env NODE_OPTIONS=--no-deprecation next lint",
"payload": "cross-env NODE_OPTIONS=--no-deprecation payload",
- "start": "cross-env NODE_OPTIONS=--no-deprecation next start",
- "ci": "payload migrate && pnpm build"
+ "start": "cross-env NODE_OPTIONS=--no-deprecation next start"
},
"dependencies": {
- "@payloadcms/next": "3.9.0",
- "@payloadcms/payload-cloud": "3.9.0",
- "@payloadcms/richtext-lexical": "3.9.0",
+ "@payloadcms/db-vercel-postgres": "latest",
+ "@payloadcms/next": "latest",
+ "@payloadcms/payload-cloud": "latest",
+ "@payloadcms/richtext-lexical": "latest",
+ "@payloadcms/storage-vercel-blob": "latest",
"cross-env": "^7.0.3",
"graphql": "^16.8.1",
"next": "15.1.0",
- "payload": "3.9.0",
+ "payload": "latest",
"react": "19.0.0",
- "react-dom": "19.0.0",
- "@payloadcms/db-vercel-postgres": "3.9.0",
- "@payloadcms/storage-vercel-blob": "3.9.0"
+ "react-dom": "19.0.0"
},
"devDependencies": {
"@eslint/eslintrc": "^3.2.0",
diff --git a/templates/with-vercel-postgres/src/migrations/20250103_134332_initial.json b/templates/with-vercel-postgres/src/migrations/20250106_144508_initial.json
similarity index 99%
rename from templates/with-vercel-postgres/src/migrations/20250103_134332_initial.json
rename to templates/with-vercel-postgres/src/migrations/20250106_144508_initial.json
index c487a8e2045..14dcb9204d3 100644
--- a/templates/with-vercel-postgres/src/migrations/20250103_134332_initial.json
+++ b/templates/with-vercel-postgres/src/migrations/20250106_144508_initial.json
@@ -1,5 +1,5 @@
{
- "id": "590d2b1b-4c1f-4243-b543-5f0b0a118c92",
+ "id": "79783224-02aa-4049-83b4-401b5771ff92",
"prevId": "00000000-0000-0000-0000-000000000000",
"version": "7",
"dialect": "postgresql",
diff --git a/templates/with-vercel-postgres/src/migrations/20250103_134332_initial.ts b/templates/with-vercel-postgres/src/migrations/20250106_144508_initial.ts
similarity index 100%
rename from templates/with-vercel-postgres/src/migrations/20250103_134332_initial.ts
rename to templates/with-vercel-postgres/src/migrations/20250106_144508_initial.ts
diff --git a/templates/with-vercel-postgres/src/migrations/index.ts b/templates/with-vercel-postgres/src/migrations/index.ts
index 65e61d636e5..d9edc82f8aa 100644
--- a/templates/with-vercel-postgres/src/migrations/index.ts
+++ b/templates/with-vercel-postgres/src/migrations/index.ts
@@ -1,9 +1,9 @@
-import * as migration_20250103_134332_initial from './20250103_134332_initial'
+import * as migration_20250106_144508_initial from './20250106_144508_initial'
export const migrations = [
{
- up: migration_20250103_134332_initial.up,
- down: migration_20250103_134332_initial.down,
- name: '20250103_134332_initial',
+ up: migration_20250106_144508_initial.up,
+ down: migration_20250106_144508_initial.down,
+ name: '20250106_144508_initial',
},
]
diff --git a/templates/with-vercel-website/package.json b/templates/with-vercel-website/package.json
index 7e0d4c37a35..ea860f70869 100644
--- a/templates/with-vercel-website/package.json
+++ b/templates/with-vercel-website/package.json
@@ -7,6 +7,7 @@
"scripts": {
"build": "cross-env NODE_OPTIONS=--no-deprecation next build",
"postbuild": "next-sitemap --config next-sitemap.config.cjs",
+ "ci": "payload migrate && pnpm build",
"dev": "cross-env NODE_OPTIONS=--no-deprecation next dev",
"dev:prod": "cross-env NODE_OPTIONS=--no-deprecation rm -rf .next && pnpm build && pnpm start",
"generate:importmap": "cross-env NODE_OPTIONS=--no-deprecation payload generate:importmap",
@@ -16,20 +17,21 @@
"lint:fix": "cross-env NODE_OPTIONS=--no-deprecation next lint --fix",
"payload": "cross-env NODE_OPTIONS=--no-deprecation payload",
"reinstall": "cross-env NODE_OPTIONS=--no-deprecation rm -rf node_modules && rm pnpm-lock.yaml && pnpm --ignore-workspace install",
- "start": "cross-env NODE_OPTIONS=--no-deprecation next start",
- "ci": "payload migrate && pnpm build"
+ "start": "cross-env NODE_OPTIONS=--no-deprecation next start"
},
"dependencies": {
- "@payloadcms/live-preview-react": "3.9.0",
- "@payloadcms/next": "3.9.0",
- "@payloadcms/payload-cloud": "3.9.0",
- "@payloadcms/plugin-form-builder": "3.9.0",
- "@payloadcms/plugin-nested-docs": "3.9.0",
- "@payloadcms/plugin-redirects": "3.9.0",
- "@payloadcms/plugin-search": "3.9.0",
- "@payloadcms/plugin-seo": "3.9.0",
- "@payloadcms/richtext-lexical": "3.9.0",
- "@payloadcms/ui": "3.9.0",
+ "@payloadcms/db-vercel-postgres": "latest",
+ "@payloadcms/live-preview-react": "latest",
+ "@payloadcms/next": "latest",
+ "@payloadcms/payload-cloud": "latest",
+ "@payloadcms/plugin-form-builder": "latest",
+ "@payloadcms/plugin-nested-docs": "latest",
+ "@payloadcms/plugin-redirects": "latest",
+ "@payloadcms/plugin-search": "latest",
+ "@payloadcms/plugin-seo": "latest",
+ "@payloadcms/richtext-lexical": "latest",
+ "@payloadcms/storage-vercel-blob": "latest",
+ "@payloadcms/ui": "latest",
"@radix-ui/react-checkbox": "^1.0.4",
"@radix-ui/react-label": "^2.0.2",
"@radix-ui/react-select": "^2.0.0",
@@ -42,7 +44,7 @@
"lucide-react": "^0.378.0",
"next": "^15.1.0",
"next-sitemap": "^4.2.3",
- "payload": "3.9.0",
+ "payload": "latest",
"payload-admin-bar": "^1.0.6",
"prism-react-renderer": "^2.3.1",
"react": "^19.0.0",
@@ -50,9 +52,7 @@
"react-hook-form": "7.45.4",
"sharp": "0.32.6",
"tailwind-merge": "^2.3.0",
- "tailwindcss-animate": "^1.0.7",
- "@payloadcms/db-vercel-postgres": "3.9.0",
- "@payloadcms/storage-vercel-blob": "3.9.0"
+ "tailwindcss-animate": "^1.0.7"
},
"devDependencies": {
"@eslint/eslintrc": "^3.2.0",
diff --git a/templates/with-vercel-website/src/components/ui/button.tsx b/templates/with-vercel-website/src/components/ui/button.tsx
index e2c3269ca7c..78ef80b8e2a 100644
--- a/templates/with-vercel-website/src/components/ui/button.tsx
+++ b/templates/with-vercel-website/src/components/ui/button.tsx
@@ -34,9 +34,10 @@ export interface ButtonProps
extends React.ButtonHTMLAttributes<HTMLButtonElement>,
VariantProps<typeof buttonVariants> {
asChild?: boolean
+ ref?: React.Ref<HTMLButtonElement>
}
-const Button: React.FC<ButtonProps & { ref?: React.Ref<HTMLButtonElement> }> = ({
+const Button: React.FC<ButtonProps> = ({
asChild = false,
className,
size,
diff --git a/templates/with-vercel-website/src/components/ui/card.tsx b/templates/with-vercel-website/src/components/ui/card.tsx
index 81a6e93dc7f..5a7e35a51fd 100644
--- a/templates/with-vercel-website/src/components/ui/card.tsx
+++ b/templates/with-vercel-website/src/components/ui/card.tsx
@@ -1,84 +1,48 @@
-'use client'
-import { cn } from '@/utilities/cn'
-import useClickableCard from '@/utilities/useClickableCard'
-import Link from 'next/link'
-import React, { Fragment } from 'react'
-
-import type { Post } from '@/payload-types'
-
-import { Media } from '@/components/Media'
-
-export type CardPostData = Pick<Post, 'slug' | 'categories' | 'meta' | 'title'>
-
-export const Card: React.FC<{
- alignItems?: 'center'
- className?: string
- doc?: CardPostData
- relationTo?: 'posts'
- showCategories?: boolean
- title?: string
-}> = (props) => {
- const { card, link } = useClickableCard({})
- const { className, doc, relationTo, showCategories, title: titleFromProps } = props
-
- const { slug, categories, meta, title } = doc || {}
- const { description, image: metaImage } = meta || {}
-
- const hasCategories = categories && Array.isArray(categories) && categories.length > 0
- const titleToUse = titleFromProps || title
- const sanitizedDescription = description?.replace(/\s/g, ' ') // replace non-breaking space with white space
- const href = `/${relationTo}/${slug}`
-
- return (
- <article
- className={cn(
- 'border border-border rounded-lg overflow-hidden bg-card hover:cursor-pointer',
- className,
- )}
- ref={card.ref}
- >
- <div className="relative w-full ">
- {!metaImage && <div className="">No image</div>}
- {metaImage && typeof metaImage !== 'string' && <Media resource={metaImage} size="33vw" />}
- </div>
- <div className="p-4">
- {showCategories && hasCategories && (
- <div className="uppercase text-sm mb-4">
- {showCategories && hasCategories && (
- <div>
- {categories?.map((category, index) => {
- if (typeof category === 'object') {
- const { title: titleFromCategory } = category
-
- const categoryTitle = titleFromCategory || 'Untitled category'
-
- const isLast = index === categories.length - 1
-
- return (
- <Fragment key={index}>
- {categoryTitle}
- {!isLast && <Fragment>, </Fragment>}
- </Fragment>
- )
- }
-
- return null
- })}
- </div>
- )}
- </div>
- )}
- {titleToUse && (
- <div className="prose">
- <h3>
- <Link className="not-prose" href={href} ref={link.ref}>
- {titleToUse}
- </Link>
- </h3>
- </div>
- )}
- {description && <div className="mt-2">{description && <p>{sanitizedDescription}</p>}</div>}
- </div>
- </article>
- )
-}
+import { cn } from 'src/utilities/cn'
+import * as React from 'react'
+
+const Card: React.FC<
+ { ref?: React.Ref<HTMLDivElement> } & React.HTMLAttributes<HTMLDivElement>
+> = ({ className, ref, ...props }) => (
+ <div
+ className={cn('rounded-lg border bg-card text-card-foreground shadow-sm', className)}
+ ref={ref}
+ {...props}
+ />
+)
+
+const CardHeader: React.FC<
+ { ref?: React.Ref<HTMLDivElement> } & React.HTMLAttributes<HTMLDivElement>
+> = ({ className, ref, ...props }) => (
+ <div className={cn('flex flex-col space-y-1.5 p-6', className)} ref={ref} {...props} />
+)
+
+const CardTitle: React.FC<
+ { ref?: React.Ref<HTMLHeadingElement> } & React.HTMLAttributes<HTMLHeadingElement>
+> = ({ className, ref, ...props }) => (
+ <h3
+ className={cn('text-2xl font-semibold leading-none tracking-tight', className)}
+ ref={ref}
+ {...props}
+ />
+)
+
+const CardDescription: React.FC<
+ { ref?: React.Ref<HTMLParagraphElement> } & React.HTMLAttributes<HTMLParagraphElement>
+> = ({ className, ref, ...props }) => (
+ <p className={cn('text-sm text-muted-foreground', className)} ref={ref} {...props} />
+)
+
+const CardContent: React.FC<
+ { ref?: React.Ref<HTMLDivElement> } & React.HTMLAttributes<HTMLDivElement>
+> = ({ className, ref, ...props }) => (
+ <div className={cn('p-6 pt-0', className)} ref={ref} {...props} />
+)
+
+const CardFooter: React.FC<
+ { ref?: React.Ref<HTMLDivElement> } & React.HTMLAttributes<HTMLDivElement>
+> = ({ className, ref, ...props }) => (
+ <div className={cn('flex items-center p-6 pt-0', className)} ref={ref} {...props} />
+)
+
+export { Card, CardContent, CardDescription, CardFooter, CardHeader, CardTitle }
diff --git a/templates/with-vercel-website/src/migrations/20250103_134345_initial.json b/templates/with-vercel-website/src/migrations/20250106_144513_initial.json
similarity index 99%
rename from templates/with-vercel-website/src/migrations/20250103_134345_initial.json
rename to templates/with-vercel-website/src/migrations/20250106_144513_initial.json
index 575dcc64cde..fb44ff37115 100644
--- a/templates/with-vercel-website/src/migrations/20250103_134345_initial.json
+++ b/templates/with-vercel-website/src/migrations/20250106_144513_initial.json
@@ -1,5 +1,5 @@
{
- "id": "ec50d6f4-b64d-4128-8284-44ae11253432",
+ "id": "898ebda1-5c98-48b3-8bf8-155d06ba1097",
"prevId": "00000000-0000-0000-0000-000000000000",
"version": "7",
"dialect": "postgresql",
@@ -8235,6 +8235,11 @@
}
},
"enums": {
+ "public.enum_pages_hero_type": {
+ "name": "enum_pages_hero_type",
+ "schema": "public",
+ "values": ["none", "highImpact", "mediumImpact", "lowImpact"]
+ },
"public.enum_pages_hero_links_link_type": {
"name": "enum_pages_hero_links_link_type",
"schema": "public",
@@ -8280,16 +8285,16 @@
"schema": "public",
"values": ["posts"]
},
- "public.enum_pages_hero_type": {
- "name": "enum_pages_hero_type",
- "schema": "public",
- "values": ["none", "highImpact", "mediumImpact", "lowImpact"]
- },
"public.enum_pages_status": {
"name": "enum_pages_status",
"schema": "public",
"values": ["draft", "published"]
},
+ "public.enum__pages_v_version_hero_type": {
+ "name": "enum__pages_v_version_hero_type",
+ "schema": "public",
+ "values": ["none", "highImpact", "mediumImpact", "lowImpact"]
+ },
"public.enum__pages_v_version_hero_links_link_type": {
"name": "enum__pages_v_version_hero_links_link_type",
"schema": "public",
@@ -8335,11 +8340,6 @@
"schema": "public",
"values": ["posts"]
},
- "public.enum__pages_v_version_hero_type": {
- "name": "enum__pages_v_version_hero_type",
- "schema": "public",
- "values": ["none", "highImpact", "mediumImpact", "lowImpact"]
- },
"public.enum__pages_v_version_status": {
"name": "enum__pages_v_version_status",
"schema": "public",
diff --git a/templates/with-vercel-website/src/migrations/20250103_134345_initial.ts b/templates/with-vercel-website/src/migrations/20250106_144513_initial.ts
similarity index 99%
rename from templates/with-vercel-website/src/migrations/20250103_134345_initial.ts
rename to templates/with-vercel-website/src/migrations/20250106_144513_initial.ts
index 25b1708875f..a393d3205bd 100644
--- a/templates/with-vercel-website/src/migrations/20250103_134345_initial.ts
+++ b/templates/with-vercel-website/src/migrations/20250106_144513_initial.ts
@@ -1,8 +1,9 @@
import { MigrateUpArgs, MigrateDownArgs, sql } from '@payloadcms/db-vercel-postgres'
-export async function up({ db, payload, req }: MigrateUpArgs): Promise<void> {
- await db.execute(sql`
- CREATE TYPE "public"."enum_pages_hero_links_link_type" AS ENUM('reference', 'custom');
+export async function up({ payload, req }: MigrateUpArgs): Promise<void> {
+ await payload.db.drizzle.execute(sql`
+ CREATE TYPE "public"."enum_pages_hero_type" AS ENUM('none', 'highImpact', 'mediumImpact', 'lowImpact');
+ CREATE TYPE "public"."enum_pages_hero_links_link_type" AS ENUM('reference', 'custom');
CREATE TYPE "public"."enum_pages_hero_links_link_appearance" AS ENUM('default', 'outline');
CREATE TYPE "public"."enum_pages_blocks_cta_links_link_type" AS ENUM('reference', 'custom');
CREATE TYPE "public"."enum_pages_blocks_cta_links_link_appearance" AS ENUM('default', 'outline');
@@ -11,8 +12,8 @@ export async function up({ db, payload, req }: MigrateUpArgs): Promise<void> {
CREATE TYPE "public"."enum_pages_blocks_content_columns_link_appearance" AS ENUM('default', 'outline');
CREATE TYPE "public"."enum_pages_blocks_archive_populate_by" AS ENUM('collection', 'selection');
CREATE TYPE "public"."enum_pages_blocks_archive_relation_to" AS ENUM('posts');
- CREATE TYPE "public"."enum_pages_hero_type" AS ENUM('none', 'highImpact', 'mediumImpact', 'lowImpact');
CREATE TYPE "public"."enum_pages_status" AS ENUM('draft', 'published');
+ CREATE TYPE "public"."enum__pages_v_version_hero_type" AS ENUM('none', 'highImpact', 'mediumImpact', 'lowImpact');
CREATE TYPE "public"."enum__pages_v_version_hero_links_link_type" AS ENUM('reference', 'custom');
CREATE TYPE "public"."enum__pages_v_version_hero_links_link_appearance" AS ENUM('default', 'outline');
CREATE TYPE "public"."enum__pages_v_blocks_cta_links_link_type" AS ENUM('reference', 'custom');
@@ -22,7 +23,6 @@ export async function up({ db, payload, req }: MigrateUpArgs): Promise<void> {
CREATE TYPE "public"."enum__pages_v_blocks_content_columns_link_appearance" AS ENUM('default', 'outline');
CREATE TYPE "public"."enum__pages_v_blocks_archive_populate_by" AS ENUM('collection', 'selection');
CREATE TYPE "public"."enum__pages_v_blocks_archive_relation_to" AS ENUM('posts');
- CREATE TYPE "public"."enum__pages_v_version_hero_type" AS ENUM('none', 'highImpact', 'mediumImpact', 'lowImpact');
CREATE TYPE "public"."enum__pages_v_version_status" AS ENUM('draft', 'published');
CREATE TYPE "public"."enum_posts_status" AS ENUM('draft', 'published');
CREATE TYPE "public"."enum__posts_v_version_status" AS ENUM('draft', 'published');
@@ -1498,8 +1498,8 @@ export async function up({ db, payload, req }: MigrateUpArgs): Promise<void> {
CREATE INDEX IF NOT EXISTS "footer_rels_posts_id_idx" ON "footer_rels" USING btree ("posts_id");`)
}
-export async function down({ db, payload, req }: MigrateDownArgs): Promise<void> {
- await db.execute(sql`
+export async function down({ payload, req }: MigrateDownArgs): Promise<void> {
+ await payload.db.drizzle.execute(sql`
DROP TABLE "pages_hero_links" CASCADE;
DROP TABLE "pages_blocks_cta_links" CASCADE;
DROP TABLE "pages_blocks_cta" CASCADE;
@@ -1560,6 +1560,7 @@ export async function down({ db, payload, req }: MigrateDownArgs): Promise<void>
DROP TABLE "footer_nav_items" CASCADE;
DROP TABLE "footer" CASCADE;
DROP TABLE "footer_rels" CASCADE;
+ DROP TYPE "public"."enum_pages_hero_type";
DROP TYPE "public"."enum_pages_hero_links_link_type";
DROP TYPE "public"."enum_pages_hero_links_link_appearance";
DROP TYPE "public"."enum_pages_blocks_cta_links_link_type";
@@ -1569,8 +1570,8 @@ export async function down({ db, payload, req }: MigrateDownArgs): Promise<void>
DROP TYPE "public"."enum_pages_blocks_content_columns_link_appearance";
DROP TYPE "public"."enum_pages_blocks_archive_populate_by";
DROP TYPE "public"."enum_pages_blocks_archive_relation_to";
- DROP TYPE "public"."enum_pages_hero_type";
DROP TYPE "public"."enum_pages_status";
+ DROP TYPE "public"."enum__pages_v_version_hero_type";
DROP TYPE "public"."enum__pages_v_version_hero_links_link_type";
DROP TYPE "public"."enum__pages_v_version_hero_links_link_appearance";
DROP TYPE "public"."enum__pages_v_blocks_cta_links_link_type";
@@ -1580,7 +1581,6 @@ export async function down({ db, payload, req }: MigrateDownArgs): Promise<void>
DROP TYPE "public"."enum__pages_v_blocks_content_columns_link_appearance";
DROP TYPE "public"."enum__pages_v_blocks_archive_populate_by";
DROP TYPE "public"."enum__pages_v_blocks_archive_relation_to";
- DROP TYPE "public"."enum__pages_v_version_hero_type";
DROP TYPE "public"."enum__pages_v_version_status";
DROP TYPE "public"."enum_posts_status";
DROP TYPE "public"."enum__posts_v_version_status";
diff --git a/templates/with-vercel-website/src/migrations/index.ts b/templates/with-vercel-website/src/migrations/index.ts
index a473b2dd483..85c6dd3238d 100644
--- a/templates/with-vercel-website/src/migrations/index.ts
+++ b/templates/with-vercel-website/src/migrations/index.ts
@@ -1,9 +1,9 @@
-import * as migration_20250103_134345_initial from './20250103_134345_initial'
+import * as migration_20250106_144513_initial from './20250106_144513_initial'
export const migrations = [
{
- up: migration_20250103_134345_initial.up,
- down: migration_20250103_134345_initial.down,
- name: '20250103_134345_initial',
+ up: migration_20250106_144513_initial.up,
+ down: migration_20250106_144513_initial.down,
+ name: '20250106_144513_initial',
},
]
diff --git a/templates/with-vercel-website/src/payload-types.ts b/templates/with-vercel-website/src/payload-types.ts
index 19a638fc1ad..6845cd1abba 100644
--- a/templates/with-vercel-website/src/payload-types.ts
+++ b/templates/with-vercel-website/src/payload-types.ts
@@ -820,11 +820,80 @@ export interface PagesSelect<T extends boolean = true> {
layout?:
| T
| {
- cta?: T | CallToActionBlockSelect<T>;
- content?: T | ContentBlockSelect<T>;
- mediaBlock?: T | MediaBlockSelect<T>;
- archive?: T | ArchiveBlockSelect<T>;
- formBlock?: T | FormBlockSelect<T>;
+ cta?:
+ | T
+ | {
+ richText?: T;
+ links?:
+ | T
+ | {
+ link?:
+ | T
+ | {
+ type?: T;
+ newTab?: T;
+ reference?: T;
+ url?: T;
+ label?: T;
+ appearance?: T;
+ };
+ id?: T;
+ };
+ id?: T;
+ blockName?: T;
+ };
+ content?:
+ | T
+ | {
+ columns?:
+ | T
+ | {
+ size?: T;
+ richText?: T;
+ enableLink?: T;
+ link?:
+ | T
+ | {
+ type?: T;
+ newTab?: T;
+ reference?: T;
+ url?: T;
+ label?: T;
+ appearance?: T;
+ };
+ id?: T;
+ };
+ id?: T;
+ blockName?: T;
+ };
+ mediaBlock?:
+ | T
+ | {
+ media?: T;
+ id?: T;
+ blockName?: T;
+ };
+ archive?:
+ | T
+ | {
+ introContent?: T;
+ populateBy?: T;
+ relationTo?: T;
+ categories?: T;
+ limit?: T;
+ selectedDocs?: T;
+ id?: T;
+ blockName?: T;
+ };
+ formBlock?:
+ | T
+ | {
+ form?: T;
+ enableIntro?: T;
+ introContent?: T;
+ id?: T;
+ blockName?: T;
+ };
};
meta?:
| T
@@ -840,90 +909,6 @@ export interface PagesSelect<T extends boolean = true> {
createdAt?: T;
_status?: T;
}
-/**
- * This interface was referenced by `Config`'s JSON-Schema
- * via the `definition` "CallToActionBlock_select".
- */
-export interface CallToActionBlockSelect<T extends boolean = true> {
- richText?: T;
- links?:
- | T
- | {
- link?:
- | T
- | {
- type?: T;
- newTab?: T;
- reference?: T;
- url?: T;
- label?: T;
- appearance?: T;
- };
- id?: T;
- };
- id?: T;
- blockName?: T;
-}
-/**
- * This interface was referenced by `Config`'s JSON-Schema
- * via the `definition` "ContentBlock_select".
- */
-export interface ContentBlockSelect<T extends boolean = true> {
- columns?:
- | T
- | {
- size?: T;
- richText?: T;
- enableLink?: T;
- link?:
- | T
- | {
- type?: T;
- newTab?: T;
- reference?: T;
- url?: T;
- label?: T;
- appearance?: T;
- };
- id?: T;
- };
- id?: T;
- blockName?: T;
-}
-/**
- * This interface was referenced by `Config`'s JSON-Schema
- * via the `definition` "MediaBlock_select".
- */
-export interface MediaBlockSelect<T extends boolean = true> {
- media?: T;
- id?: T;
- blockName?: T;
-}
-/**
- * This interface was referenced by `Config`'s JSON-Schema
- * via the `definition` "ArchiveBlock_select".
- */
-export interface ArchiveBlockSelect<T extends boolean = true> {
- introContent?: T;
- populateBy?: T;
- relationTo?: T;
- categories?: T;
- limit?: T;
- selectedDocs?: T;
- id?: T;
- blockName?: T;
-}
-/**
- * This interface was referenced by `Config`'s JSON-Schema
- * via the `definition` "FormBlock_select".
- */
-export interface FormBlockSelect<T extends boolean = true> {
- form?: T;
- enableIntro?: T;
- introContent?: T;
- id?: T;
- blockName?: T;
-}
/**
* This interface was referenced by `Config`'s JSON-Schema
* via the `definition` "posts_select".
|
9821aeb67af6fb26953b232e79735de1cd312858
|
2024-09-18 05:58:52
|
Paul
|
feat(plugin-form-builder): new wildcards {{*}} and {{*:table}} are now supported in email bodies and emails fall back to a global configuration value in addition to base email configuration (#8271)
| false
|
new wildcards {{*}} and {{*:table}} are now supported in email bodies and emails fall back to a global configuration value in addition to base email configuration (#8271)
|
feat
|
diff --git a/docs/plugins/form-builder.mdx b/docs/plugins/form-builder.mdx
index 7c36c04c1f6..acc7c583724 100644
--- a/docs/plugins/form-builder.mdx
+++ b/docs/plugins/form-builder.mdx
@@ -136,6 +136,18 @@ const beforeEmail: BeforeEmail<FormSubmission> = (emailsToSend, beforeChangePara
}
```
+### `defaultToEmail`
+
+Provide a fallback for the email address to send form submissions to. If the email in form configuration does not have a to email set, this email address will be used. If this is not provided then it falls back to the `defaultFromAddress` in your [email configuration](https://payloadcms.com/docs/beta/email/overview).
+
+```ts
+// payload.config.ts
+formBuilder({
+ // ...
+ defaultToEmail: '[email protected]',
+})
+```
+
### `formOverrides`
Override anything on the `forms` collection by sending a [Payload Collection Config](https://payloadcms.com/docs/configuration/collections) to the `formOverrides` property.
@@ -396,7 +408,19 @@ formBuilder({
## Email
-This plugin relies on the [email configuration](https://payloadcms.com/docs/email/overview) defined in your `payload.init()`. It will read from your config and attempt to send your emails using the credentials provided.
+This plugin relies on the [email configuration](https://payloadcms.com/docs/beta/email/overview) defined in your payload configuration. It will read from your config and attempt to send your emails using the credentials provided.
+
+### Email formatting
+
+The email contents supports rich text which will be serialised to HTML on the server before being sent. By default it reads the global configuration of your rich text editor.
+
+The email subject and body supports inserting dynamic fields from the form submission data using the `{{field_name}}` syntax. For example, if you have a field called `name` in your form, you can include this in the email body like so:
+
+```html
+Thank you for your submission, {{name}}!
+```
+
+You can also use `{{*}}` as a wildcard to output all the data in a key:value format and `{{*:table}}` to output all the data in a table format.
## TypeScript
diff --git a/packages/plugin-form-builder/src/collections/FormSubmissions/hooks/sendEmail.ts b/packages/plugin-form-builder/src/collections/FormSubmissions/hooks/sendEmail.ts
index 53f9767e2f6..239aeeb7f69 100644
--- a/packages/plugin-form-builder/src/collections/FormSubmissions/hooks/sendEmail.ts
+++ b/packages/plugin-form-builder/src/collections/FormSubmissions/hooks/sendEmail.ts
@@ -22,7 +22,7 @@ export const sendEmail = async (
const { form: formID, submissionData } = data || {}
- const { beforeEmail, formOverrides } = formConfig || {}
+ const { beforeEmail, defaultToEmail, formOverrides } = formConfig || {}
try {
const form = await payload.findByID({
@@ -41,12 +41,14 @@ export const sendEmail = async (
bcc: emailBCC,
cc: emailCC,
emailFrom,
- emailTo,
+ emailTo: emailToFromConfig,
message,
replyTo: emailReplyTo,
subject,
} = email
+ const emailTo = emailToFromConfig || defaultToEmail || payload.email.defaultFromAddress
+
const to = replaceDoubleCurlys(emailTo, submissionData)
const cc = emailCC ? replaceDoubleCurlys(emailCC, submissionData) : ''
const bcc = emailBCC ? replaceDoubleCurlys(emailBCC, submissionData) : ''
diff --git a/packages/plugin-form-builder/src/collections/Forms/index.ts b/packages/plugin-form-builder/src/collections/Forms/index.ts
index 1229fd64c78..63117bf9c18 100644
--- a/packages/plugin-form-builder/src/collections/Forms/index.ts
+++ b/packages/plugin-form-builder/src/collections/Forms/index.ts
@@ -140,7 +140,7 @@ export const generateFormCollection = (formConfig: FormBuilderPluginConfig): Col
type: 'array',
admin: {
description:
- "Send custom emails when the form submits. Use comma separated lists to send the same email to multiple recipients. To reference a value from this form, wrap that field's name with double curly brackets, i.e. {{firstName}}.",
+ "Send custom emails when the form submits. Use comma separated lists to send the same email to multiple recipients. To reference a value from this form, wrap that field's name with double curly brackets, i.e. {{firstName}}. You can use a wildcard {{*}} to output all data and {{*:table}} to format it as an HTML table in the email.",
},
fields: [
{
diff --git a/packages/plugin-form-builder/src/types.ts b/packages/plugin-form-builder/src/types.ts
index 9e7037a7fc5..7a9ec4951ff 100644
--- a/packages/plugin-form-builder/src/types.ts
+++ b/packages/plugin-form-builder/src/types.ts
@@ -53,6 +53,11 @@ export type FieldsOverride = (args: { defaultFields: Field[] }) => Field[]
export type FormBuilderPluginConfig = {
beforeEmail?: BeforeEmail
+ /**
+ * Set a default email address to send form submissions to if no email is provided in the form configuration
+ * Falls back to the defaultFromAddress in the email configuration
+ */
+ defaultToEmail?: string
fields?: FieldsConfig
formOverrides?: { fields?: FieldsOverride } & Partial<Omit<CollectionConfig, 'fields'>>
formSubmissionOverrides?: { fields?: FieldsOverride } & Partial<Omit<CollectionConfig, 'fields'>>
diff --git a/packages/plugin-form-builder/src/utilities/keyValuePairToHtmlTable.ts b/packages/plugin-form-builder/src/utilities/keyValuePairToHtmlTable.ts
new file mode 100644
index 00000000000..940df29c5cc
--- /dev/null
+++ b/packages/plugin-form-builder/src/utilities/keyValuePairToHtmlTable.ts
@@ -0,0 +1,10 @@
+export function keyValuePairToHtmlTable(obj: { [key: string]: string }): string {
+ let htmlTable = '<table>'
+
+ for (const [key, value] of Object.entries(obj)) {
+ htmlTable += `<tr><td>${key}</td><td>${value}</td></tr>`
+ }
+
+ htmlTable += '</table>'
+ return htmlTable
+}
diff --git a/packages/plugin-form-builder/src/utilities/replaceDoubleCurlys.ts b/packages/plugin-form-builder/src/utilities/replaceDoubleCurlys.ts
index e053d8d0a73..1ecef76ab68 100644
--- a/packages/plugin-form-builder/src/utilities/replaceDoubleCurlys.ts
+++ b/packages/plugin-form-builder/src/utilities/replaceDoubleCurlys.ts
@@ -1,3 +1,5 @@
+import { keyValuePairToHtmlTable } from './keyValuePairToHtmlTable.js'
+
interface EmailVariable {
field: string
value: string
@@ -8,11 +10,27 @@ type EmailVariables = EmailVariable[]
export const replaceDoubleCurlys = (str: string, variables?: EmailVariables): string => {
const regex = /\{\{(.+?)\}\}/g
if (str && variables) {
- return str.replace(regex, (_, variable) => {
- const foundVariable = variables.find(({ field: fieldName }) => variable === fieldName)
- if (foundVariable) {
- return foundVariable.value
+ return str.replace(regex, (_, variable: string) => {
+ if (variable.includes('*')) {
+ if (variable === '*') {
+ return variables.map(({ field, value }) => `${field} : ${value}`).join(' <br /> ')
+ } else if (variable === '*:table') {
+ return keyValuePairToHtmlTable(
+ variables.reduce((acc, { field, value }) => {
+ acc[field] = value
+ return acc
+ }, {}),
+ )
+ }
+ } else {
+ const foundVariable = variables.find(({ field: fieldName }) => {
+ return variable === fieldName
+ })
+ if (foundVariable) {
+ return foundVariable.value
+ }
}
+
return variable
})
}
diff --git a/packages/plugin-form-builder/src/utilities/slate/serializeSlate.ts b/packages/plugin-form-builder/src/utilities/slate/serializeSlate.ts
index 493c7ba3b01..674a030b574 100644
--- a/packages/plugin-form-builder/src/utilities/slate/serializeSlate.ts
+++ b/packages/plugin-form-builder/src/utilities/slate/serializeSlate.ts
@@ -20,7 +20,9 @@ export const serializeSlate = (children?: Node[], submissionData?: any): string
children
?.map((node: Node) => {
if (isTextNode(node)) {
- let text = `<span>${escapeHTML(replaceDoubleCurlys(node.text, submissionData))}</span>`
+ let text = node.text.includes('{{*')
+ ? replaceDoubleCurlys(node.text, submissionData)
+ : `<span>${escapeHTML(replaceDoubleCurlys(node.text, submissionData))}</span>`
if (node.bold) {
text = `
diff --git a/test/plugin-form-builder/config.ts b/test/plugin-form-builder/config.ts
index acfc65594bf..cfa28c217ea 100644
--- a/test/plugin-form-builder/config.ts
+++ b/test/plugin-form-builder/config.ts
@@ -5,8 +5,9 @@ const dirname = path.dirname(filename)
import type { BeforeEmail } from '@payloadcms/plugin-form-builder/types'
import type { Block } from 'payload'
+//import { nodemailerAdapter } from '@payloadcms/email-nodemailer'
import { formBuilderPlugin, fields as formFields } from '@payloadcms/plugin-form-builder'
-import { slateEditor } from '@payloadcms/richtext-slate'
+import { lexicalEditor } from '@payloadcms/richtext-lexical'
import type { FormSubmission } from './payload-types.js'
@@ -41,7 +42,7 @@ export default buildConfigWithDefaults({
},
},
collections: [Pages, Users],
- editor: slateEditor({}),
+ editor: lexicalEditor({}),
localization: {
defaultLocale: 'en',
fallback: true,
@@ -58,9 +59,11 @@ export default buildConfigWithDefaults({
await seed(payload)
},
+ //email: nodemailerAdapter(),
plugins: [
formBuilderPlugin({
// handlePayment: handleFormPayments,
+ //defaultToEmail: '[email protected]',
fields: {
colorField,
payment: true,
diff --git a/test/plugin-form-builder/int.spec.ts b/test/plugin-form-builder/int.spec.ts
index df3aa3df6ef..3db96392440 100644
--- a/test/plugin-form-builder/int.spec.ts
+++ b/test/plugin-form-builder/int.spec.ts
@@ -9,7 +9,7 @@ import type { Form } from './payload-types.js'
import { serializeLexical } from '../../packages/plugin-form-builder/src/utilities/lexical/serializeLexical.js'
import { serializeSlate } from '../../packages/plugin-form-builder/src/utilities/slate/serializeSlate.js'
import { initPayloadInt } from '../helpers/initPayloadInt.js'
-import { formSubmissionsSlug, formsSlug } from './shared.js'
+import { formsSlug, formSubmissionsSlug } from './shared.js'
let payload: Payload
let form: Form
@@ -22,12 +22,38 @@ describe('@payloadcms/plugin-form-builder', () => {
;({ payload } = await initPayloadInt(dirname))
const formConfig: Omit<Form, 'createdAt' | 'id' | 'updatedAt'> = {
- confirmationMessage: [
- {
- type: 'text',
- text: 'Confirmed.',
+ confirmationType: 'message',
+ confirmationMessage: {
+ root: {
+ children: [
+ {
+ children: [
+ {
+ detail: 0,
+ format: 0,
+ mode: 'normal',
+ style: '',
+ text: 'Confirmed.',
+ type: 'text',
+ version: 1,
+ },
+ ],
+ direction: 'ltr',
+ format: '',
+ indent: 0,
+ type: 'paragraph',
+ version: 1,
+ textFormat: 0,
+ textStyle: '',
+ },
+ ],
+ direction: 'ltr',
+ format: '',
+ indent: 0,
+ type: 'root',
+ version: 1,
},
- ],
+ },
fields: [
{
name: 'name',
@@ -64,12 +90,38 @@ describe('@payloadcms/plugin-form-builder', () => {
describe('form building', () => {
it('can create a simple form', async () => {
const formConfig: Omit<Form, 'createdAt' | 'id' | 'updatedAt'> = {
- confirmationMessage: [
- {
- type: 'text',
- text: 'Confirmed.',
+ confirmationType: 'message',
+ confirmationMessage: {
+ root: {
+ children: [
+ {
+ children: [
+ {
+ detail: 0,
+ format: 0,
+ mode: 'normal',
+ style: '',
+ text: 'Confirmed.',
+ type: 'text',
+ version: 1,
+ },
+ ],
+ direction: 'ltr',
+ format: '',
+ indent: 0,
+ type: 'paragraph',
+ version: 1,
+ textFormat: 0,
+ textStyle: '',
+ },
+ ],
+ direction: 'ltr',
+ format: '',
+ indent: 0,
+ type: 'root',
+ version: 1,
},
- ],
+ },
fields: [
{
name: 'name',
@@ -91,12 +143,38 @@ describe('@payloadcms/plugin-form-builder', () => {
it('can use form overrides', async () => {
const formConfig: Omit<Form, 'createdAt' | 'id' | 'updatedAt'> = {
- confirmationMessage: [
- {
- type: 'text',
- text: 'Confirmed.',
+ confirmationType: 'message',
+ confirmationMessage: {
+ root: {
+ children: [
+ {
+ children: [
+ {
+ detail: 0,
+ format: 0,
+ mode: 'normal',
+ style: '',
+ text: 'Confirmed.',
+ type: 'text',
+ version: 1,
+ },
+ ],
+ direction: 'ltr',
+ format: '',
+ indent: 0,
+ type: 'paragraph',
+ version: 1,
+ textFormat: 0,
+ textStyle: '',
+ },
+ ],
+ direction: 'ltr',
+ format: '',
+ indent: 0,
+ type: 'root',
+ version: 1,
},
- ],
+ },
custom: 'custom',
title: 'Test Form',
}
@@ -152,65 +230,196 @@ describe('@payloadcms/plugin-form-builder', () => {
await expect(req).rejects.toThrow(ValidationError)
})
- it('replaces curly braces with data when using slate serializer', () => {
- const mockName = 'Test Submission'
- const mockEmail = '[email protected]'
+ describe('replaces curly braces', () => {
+ describe('slate serializer', () => {
+ it('specific field names', () => {
+ const mockName = 'Test Submission'
+ const mockEmail = '[email protected]'
- const serializedEmail = serializeSlate(
- [
- { text: 'Welcome {{name}}. Here is a dynamic ' },
- {
- type: 'link',
- children: [
+ const serializedEmail = serializeSlate(
+ [
+ { text: 'Welcome {{name}}. Here is a dynamic ' },
{
- text: 'link',
+ type: 'link',
+ children: [
+ {
+ text: 'link',
+ },
+ ],
+ url: 'www.test.com?email={{email}}',
},
],
- url: 'www.test.com?email={{email}}',
- },
- ],
- [
- { field: 'name', value: mockName },
- { field: 'email', value: mockEmail },
- ],
- )
+ [
+ { field: 'name', value: mockName },
+ { field: 'email', value: mockEmail },
+ ],
+ )
- expect(serializedEmail).toContain(mockName)
- expect(serializedEmail).toContain(mockEmail)
- })
+ expect(serializedEmail).toContain(mockName)
+ expect(serializedEmail).toContain(mockEmail)
+ })
- it('replaces curly braces with data when using lexical serializer', async () => {
- const mockName = 'Test Submission'
- const mockEmail = '[email protected]'
+ it('wildcard "{{*}}"', () => {
+ const mockName = 'Test Submission'
+ const mockEmail = '[email protected]'
- const serializedEmail = await serializeLexical(
- {
- root: {
- type: 'root',
- children: [
- {
- type: 'paragraph',
+ const serializedEmail = serializeSlate(
+ [{ text: '{{*}}' }],
+ [
+ { field: 'name', value: mockName },
+ { field: 'email', value: mockEmail },
+ ],
+ )
+
+ expect(serializedEmail).toContain(`name : ${mockName}`)
+ expect(serializedEmail).toContain(`email : ${mockEmail}`)
+ })
+
+ it('wildcard with table formatting "{{*:table}}"', () => {
+ const mockName = 'Test Submission'
+ const mockEmail = '[email protected]'
+
+ const serializedEmail = serializeSlate(
+ [{ text: '{{*:table}}' }],
+ [
+ { field: 'name', value: mockName },
+ { field: 'email', value: mockEmail },
+ ],
+ )
+
+ expect(serializedEmail).toContain(`<table>`)
+ expect(serializedEmail).toContain(`<tr><td>name</td><td>${mockName}</td></tr>`)
+ expect(serializedEmail).toContain(`<tr><td>email</td><td>${mockEmail}</td></tr>`)
+ })
+ })
+
+ describe('lexical serializer', () => {
+ it('specific field names', async () => {
+ const mockName = 'Test Submission'
+ const mockEmail = '[email protected]'
+
+ const serializedEmail = await serializeLexical(
+ {
+ root: {
+ type: 'root',
children: [
{
- type: 'text',
- detail: 0,
- format: 0,
- mode: 'normal',
- style: '',
- text: 'Name: {{name}}',
+ type: 'paragraph',
+ children: [
+ {
+ type: 'text',
+ detail: 0,
+ format: 0,
+ mode: 'normal',
+ style: '',
+ text: 'Name: {{name}}',
+ version: 1,
+ },
+ {
+ type: 'linebreak',
+ version: 1,
+ },
+ {
+ type: 'text',
+ detail: 0,
+ format: 0,
+ mode: 'normal',
+ style: '',
+ text: 'Email: {{email}}',
+ version: 1,
+ },
+ ],
+ direction: 'ltr',
+ format: '',
+ indent: 0,
version: 1,
},
+ ],
+ direction: 'ltr',
+ format: '',
+ indent: 0,
+ version: 1,
+ },
+ },
+ [
+ { field: 'name', value: mockName },
+ { field: 'email', value: mockEmail },
+ ],
+ )
+
+ expect(serializedEmail).toContain(`Name: ${mockName}`)
+ expect(serializedEmail).toContain(`Email: ${mockEmail}`)
+ })
+
+ it('wildcard "{{*}}"', async () => {
+ const mockName = 'Test Submission'
+ const mockEmail = '[email protected]'
+
+ const serializedEmail = await serializeLexical(
+ {
+ root: {
+ type: 'root',
+ children: [
{
- type: 'linebreak',
+ type: 'paragraph',
+ children: [
+ {
+ type: 'text',
+ detail: 0,
+ format: 0,
+ mode: 'normal',
+ style: '',
+ text: '{{*}}',
+ version: 1,
+ },
+ ],
+ direction: 'ltr',
+ format: '',
+ indent: 0,
version: 1,
},
+ ],
+ direction: 'ltr',
+ format: '',
+ indent: 0,
+ version: 1,
+ },
+ },
+ [
+ { field: 'name', value: mockName },
+ { field: 'email', value: mockEmail },
+ ],
+ )
+
+ expect(serializedEmail).toContain(`name : ${mockName}`)
+ expect(serializedEmail).toContain(`email : ${mockEmail}`)
+ })
+
+ it('wildcard with table formatting "{{*:table}}"', async () => {
+ const mockName = 'Test Submission'
+ const mockEmail = '[email protected]'
+
+ const serializedEmail = await serializeLexical(
+ {
+ root: {
+ type: 'root',
+ children: [
{
- type: 'text',
- detail: 0,
- format: 0,
- mode: 'normal',
- style: '',
- text: 'Email: {{email}}',
+ type: 'paragraph',
+ children: [
+ {
+ type: 'text',
+ detail: 0,
+ format: 0,
+ mode: 'normal',
+ style: '',
+ text: '{{*:table}}',
+ version: 1,
+ },
+ ],
+ direction: 'ltr',
+ format: '',
+ indent: 0,
version: 1,
},
],
@@ -219,21 +428,18 @@ describe('@payloadcms/plugin-form-builder', () => {
indent: 0,
version: 1,
},
+ },
+ [
+ { field: 'name', value: mockName },
+ { field: 'email', value: mockEmail },
],
- direction: 'ltr',
- format: '',
- indent: 0,
- version: 1,
- },
- },
- [
- { field: 'name', value: mockName },
- { field: 'email', value: mockEmail },
- ],
- )
+ )
- expect(serializedEmail).toContain(`Name: ${mockName}`)
- expect(serializedEmail).toContain(`Email: ${mockEmail}`)
+ expect(serializedEmail).toContain(`<table>`)
+ expect(serializedEmail).toContain(`<tr><td>name</td><td>${mockName}</td></tr>`)
+ expect(serializedEmail).toContain(`<tr><td>email</td><td>${mockEmail}</td></tr>`)
+ })
+ })
})
})
})
diff --git a/test/plugin-form-builder/payload-types.ts b/test/plugin-form-builder/payload-types.ts
index 1fc0e4f1085..792f06f27a4 100644
--- a/test/plugin-form-builder/payload-types.ts
+++ b/test/plugin-form-builder/payload-types.ts
@@ -95,11 +95,21 @@ export interface Form {
blockType: 'email';
}
| {
- message?:
- | {
+ message?: {
+ root: {
+ type: string;
+ children: {
+ type: string;
+ version: number;
[k: string]: unknown;
- }[]
- | null;
+ }[];
+ direction: ('ltr' | 'rtl') | null;
+ format: 'left' | 'start' | 'center' | 'right' | 'end' | 'justify' | '';
+ indent: number;
+ version: number;
+ };
+ [k: string]: unknown;
+ } | null;
id?: string | null;
blockName?: string | null;
blockType: 'message';
@@ -191,11 +201,21 @@ export interface Form {
| null;
submitButtonLabel?: string | null;
confirmationType?: ('message' | 'redirect') | null;
- confirmationMessage?:
- | {
+ confirmationMessage?: {
+ root: {
+ type: string;
+ children: {
+ type: string;
+ version: number;
[k: string]: unknown;
- }[]
- | null;
+ }[];
+ direction: ('ltr' | 'rtl') | null;
+ format: 'left' | 'start' | 'center' | 'right' | 'end' | 'justify' | '';
+ indent: number;
+ version: number;
+ };
+ [k: string]: unknown;
+ } | null;
redirect?: {
type?: ('reference' | 'custom') | null;
reference?: {
@@ -212,11 +232,21 @@ export interface Form {
replyTo?: string | null;
emailFrom?: string | null;
subject: string;
- message?:
- | {
+ message?: {
+ root: {
+ type: string;
+ children: {
+ type: string;
+ version: number;
[k: string]: unknown;
- }[]
- | null;
+ }[];
+ direction: ('ltr' | 'rtl') | null;
+ format: 'left' | 'start' | 'center' | 'right' | 'end' | 'justify' | '';
+ indent: number;
+ version: number;
+ };
+ [k: string]: unknown;
+ } | null;
id?: string | null;
}[]
| null;
diff --git a/test/plugin-form-builder/seed/index.ts b/test/plugin-form-builder/seed/index.ts
index 11e1cf2cc6d..a508889208f 100644
--- a/test/plugin-form-builder/seed/index.ts
+++ b/test/plugin-form-builder/seed/index.ts
@@ -1,6 +1,6 @@
import type { Payload, PayloadRequest } from 'payload'
-import { formSubmissionsSlug, formsSlug, pagesSlug } from '../shared.js'
+import { formsSlug, formSubmissionsSlug, pagesSlug } from '../shared.js'
export const seed = async (payload: Payload): Promise<boolean> => {
payload.logger.info('Seeding data...')
@@ -28,12 +28,38 @@ export const seed = async (payload: Payload): Promise<boolean> => {
const { id: formID } = await payload.create({
collection: formsSlug,
data: {
- confirmationMessage: [
- {
- type: 'paragraph',
- text: 'Confirmed',
+ confirmationType: 'message',
+ confirmationMessage: {
+ root: {
+ children: [
+ {
+ children: [
+ {
+ detail: 0,
+ format: 0,
+ mode: 'normal',
+ style: '',
+ text: 'Confirmed',
+ type: 'text',
+ version: 1,
+ },
+ ],
+ direction: 'ltr',
+ format: '',
+ indent: 0,
+ type: 'paragraph',
+ version: 1,
+ textFormat: 0,
+ textStyle: '',
+ },
+ ],
+ direction: 'ltr',
+ format: '',
+ indent: 0,
+ type: 'root',
+ version: 1,
},
- ],
+ },
fields: [
{
name: 'name',
|
6cb128aa60ff749ebbe2191e9b16286a079e33dd
|
2024-10-07 19:18:04
|
Germán Jabloñski
|
fix(richtext-lexical): linkFeature doesn't respect admin.routes from payload.config.ts (#8513)
| false
|
linkFeature doesn't respect admin.routes from payload.config.ts (#8513)
|
fix
|
diff --git a/packages/richtext-lexical/src/features/link/client/plugins/floatingLinkEditor/LinkEditor/index.tsx b/packages/richtext-lexical/src/features/link/client/plugins/floatingLinkEditor/LinkEditor/index.tsx
index 4750e60f153..b218bc77cb3 100644
--- a/packages/richtext-lexical/src/features/link/client/plugins/floatingLinkEditor/LinkEditor/index.tsx
+++ b/packages/richtext-lexical/src/features/link/client/plugins/floatingLinkEditor/LinkEditor/index.tsx
@@ -124,7 +124,7 @@ export function LinkEditor({ anchorElem }: { anchorElem: HTMLElement }): React.R
} else {
// internal link
setLinkUrl(
- `/admin/collections/${focusLinkParent.getFields()?.doc?.relationTo}/${
+ `${config.routes.admin === '/' ? '' : config.routes.admin}/collections/${focusLinkParent.getFields()?.doc?.relationTo}/${
focusLinkParent.getFields()?.doc?.value
}`,
)
|
9661c6d40acc41d21eebc42b0cc1871f28d35a73
|
2021-08-06 21:48:20
|
James
|
feat: allow completely disabling local file storage
| false
|
allow completely disabling local file storage
|
feat
|
diff --git a/demo/collections/UnstoredMedia.ts b/demo/collections/UnstoredMedia.ts
new file mode 100644
index 00000000000..2ef589f0e17
--- /dev/null
+++ b/demo/collections/UnstoredMedia.ts
@@ -0,0 +1,35 @@
+import { CollectionConfig } from '../../src/collections/config/types';
+
+const UnstoredMedia: CollectionConfig = {
+ slug: 'unstored-media',
+ labels: {
+ singular: 'Unstored Media',
+ plural: 'Unstored Media',
+ },
+ access: {
+ read: () => true,
+ },
+ upload: {
+ staticURL: '/unstored-media',
+ disableLocalStorage: true,
+ imageSizes: [
+ {
+ name: 'tablet',
+ width: 640,
+ height: 480,
+ crop: 'left top',
+ },
+ ],
+ },
+ fields: [
+ {
+ name: 'alt',
+ label: 'Alt Text',
+ type: 'text',
+ required: true,
+ localized: true,
+ },
+ ],
+};
+
+export default UnstoredMedia;
diff --git a/demo/payload.config.ts b/demo/payload.config.ts
index ba43ea5e929..b621c7ed21d 100644
--- a/demo/payload.config.ts
+++ b/demo/payload.config.ts
@@ -30,6 +30,7 @@ import Uniques from './collections/Uniques';
import BlocksGlobal from './globals/BlocksGlobal';
import NavigationArray from './globals/NavigationArray';
import GlobalWithStrictAccess from './globals/GlobalWithStrictAccess';
+import UnstoredMedia from './collections/UnstoredMedia';
export default buildConfig({
cookiePrefix: 'payload',
@@ -81,6 +82,7 @@ export default buildConfig({
StrictPolicies,
Validations,
Uniques,
+ UnstoredMedia,
],
globals: [
NavigationArray,
diff --git a/docs/upload/overview.mdx b/docs/upload/overview.mdx
index c9bd17e533d..248398e3e33 100644
--- a/docs/upload/overview.mdx
+++ b/docs/upload/overview.mdx
@@ -37,13 +37,14 @@ Every Payload Collection can opt-in to supporting Uploads by specifying the `upl
#### Collection Upload Options
-| Option | Description |
-| ---------------------- | -------------|
-| **`staticURL`** * | The base URL path to use to access you uploads. Example: `/media` |
-| **`staticDir`** * | The folder directory to use to store media in. Can be either an absolute path or relative to the directory that contains your config. |
-| **`imageSizes`** | If specified, image uploads will be automatically resized in accordance to these image sizes. [More](#image-sizes) |
-| **`adminThumbnail`** | Set the way that the Admin panel will display thumbnails for this Collection. [More](#admin-thumbnails) |
-| **`mimeTypes`** | Restrict mimeTypes in the file picker. Array of valid mimetypes or mimetype wildcards [More](#mimetypes) |
+| Option | Description |
+| ------------------------- | -------------|
+| **`staticURL`** * | The base URL path to use to access you uploads. Example: `/media` |
+| **`staticDir`** * | The folder directory to use to store media in. Can be either an absolute path or relative to the directory that contains your config. |
+| **`imageSizes`** | If specified, image uploads will be automatically resized in accordance to these image sizes. [More](#image-sizes) |
+| **`adminThumbnail`** | Set the way that the Admin panel will display thumbnails for this Collection. [More](#admin-thumbnails) |
+| **`mimeTypes`** | Restrict mimeTypes in the file picker. Array of valid mimetypes or mimetype wildcards [More](#mimetypes) |
+| **`disableLocalStorage`** | Completely disable uploading files to disk locally. [More](#disabling-local-upload-storage) |
*An asterisk denotes that a property above is required.*
@@ -129,6 +130,16 @@ All auto-resized images are exposed to be re-used in hooks and similar via an ob
The object will have keys for each size generated, and each key will be set equal to a buffer containing the file data.
+### Disabling Local Upload Storage
+
+If you are using a plugin to send your files off to a third-party file storage host or CDN, like Amazon S3 or similar, you may not want to store your files locally at all. You can prevent Payload from writing files to disk by specifying `disableLocalStorage: true` on your collection's upload config.
+
+<Banner type="warning">
+ <strong>Note:</strong><br/>
+ This is a fairly advanced feature. If you do disable local file storage, by default, your admin panel's thumbnails will be broken as you will not have stored a file. It will be totally up to you to use either a plugin or your own hooks to store your files in a permanent manner, as well as provide your own admin thumbnail using <strong>upload.adminThumbnail</strong>.
+</Banner>
+Note: you need to manually provide
+
### Admin thumbnails
You can specify how Payload retrieves admin thumbnails for your upload-enabled Collections. This property accepts two different configurations:
diff --git a/src/collections/config/schema.ts b/src/collections/config/schema.ts
index 1fe0d31511f..a516fbe698a 100644
--- a/src/collections/config/schema.ts
+++ b/src/collections/config/schema.ts
@@ -77,6 +77,7 @@ const collectionSchema = joi.object().keys({
joi.object({
staticURL: joi.string(),
staticDir: joi.string(),
+ disableLocalStorage: joi.bool(),
adminThumbnail: joi.alternatives().try(
joi.string(),
joi.func(),
diff --git a/src/collections/operations/create.ts b/src/collections/operations/create.ts
index 3256df6d1d5..7c0a9a2d9d0 100644
--- a/src/collections/operations/create.ts
+++ b/src/collections/operations/create.ts
@@ -77,7 +77,7 @@ async function create(this: Payload, incomingArgs: Arguments): Promise<Document>
if (collectionConfig.upload) {
const fileData: Partial<FileData> = {};
- const { staticDir, imageSizes } = collectionConfig.upload;
+ const { staticDir, imageSizes, disableLocalStorage } = collectionConfig.upload;
const file = ((req.files && req.files.file) ? req.files.file : req.file) as UploadedFile;
@@ -91,21 +91,25 @@ async function create(this: Payload, incomingArgs: Arguments): Promise<Document>
staticPath = path.join(config.paths.configDir, staticDir);
}
- mkdirp.sync(staticPath);
+ if (!disableLocalStorage) {
+ mkdirp.sync(staticPath);
+ }
const fsSafeName = await getSafeFilename(staticPath, file.name);
try {
- await saveBufferToFile(file.data, `${staticPath}/${fsSafeName}`);
+ if (!disableLocalStorage) {
+ await saveBufferToFile(file.data, `${staticPath}/${fsSafeName}`);
+ }
if (isImage(file.mimetype)) {
- const dimensions = await getImageSize(`${staticPath}/${fsSafeName}`);
+ const dimensions = await getImageSize(file);
fileData.width = dimensions.width;
fileData.height = dimensions.height;
if (Array.isArray(imageSizes) && file.mimetype !== 'image/svg+xml') {
req.payloadUploadSizes = {};
- fileData.sizes = await resizeAndSave(req, staticPath, collectionConfig, fsSafeName, fileData.mimeType);
+ fileData.sizes = await resizeAndSave(req, file.data, dimensions, staticPath, collectionConfig, fsSafeName, fileData.mimeType);
}
}
} catch (err) {
@@ -113,7 +117,6 @@ async function create(this: Payload, incomingArgs: Arguments): Promise<Document>
throw new FileUploadError();
}
-
fileData.filename = fsSafeName;
fileData.filesize = file.size;
fileData.mimeType = file.mimetype;
diff --git a/src/collections/operations/update.ts b/src/collections/operations/update.ts
index 0f60a23eb16..a0f6517c440 100644
--- a/src/collections/operations/update.ts
+++ b/src/collections/operations/update.ts
@@ -124,7 +124,7 @@ async function update(incomingArgs: Arguments): Promise<Document> {
if (collectionConfig.upload) {
const fileData: Partial<FileData> = {};
- const { staticDir, imageSizes } = collectionConfig.upload;
+ const { staticDir, imageSizes, disableLocalStorage } = collectionConfig.upload;
let staticPath = staticDir;
@@ -138,20 +138,22 @@ async function update(incomingArgs: Arguments): Promise<Document> {
const fsSafeName = await getSafeFilename(staticPath, file.name);
try {
- await saveBufferToFile(file.data, `${staticPath}/${fsSafeName}`);
+ if (!disableLocalStorage) {
+ await saveBufferToFile(file.data, `${staticPath}/${fsSafeName}`);
+ }
fileData.filename = fsSafeName;
fileData.filesize = file.size;
fileData.mimeType = file.mimetype;
if (isImage(file.mimetype)) {
- const dimensions = await getImageSize(`${staticPath}/${fsSafeName}`);
+ const dimensions = await getImageSize(file);
fileData.width = dimensions.width;
fileData.height = dimensions.height;
if (Array.isArray(imageSizes) && file.mimetype !== 'image/svg+xml') {
req.payloadUploadSizes = {};
- fileData.sizes = await resizeAndSave(req, staticPath, collectionConfig, fsSafeName, fileData.mimeType);
+ fileData.sizes = await resizeAndSave(req, file.data, dimensions, staticPath, collectionConfig, fsSafeName, fileData.mimeType);
}
}
} catch (err) {
diff --git a/src/collections/tests/uploads.spec.js b/src/collections/tests/uploads.spec.js
index c8f1b1526b0..ffb04c185f2 100644
--- a/src/collections/tests/uploads.spec.js
+++ b/src/collections/tests/uploads.spec.js
@@ -109,6 +109,43 @@ describe('Collections - REST', () => {
});
});
+ it('creates media without storing a file', async () => {
+ const formData = new FormData();
+ formData.append('file', fs.createReadStream(path.join(__dirname, '../../..', 'tests/api/assets/image.png')));
+ formData.append('alt', 'test media');
+ formData.append('locale', 'en');
+
+ const response = await fetch(`${url}/api/unstored-media`, {
+ body: formData,
+ headers,
+ method: 'post',
+ });
+
+ const data = await response.json();
+
+ expect(response.status).toBe(201);
+
+ // Check for files
+ expect(await !fileExists(path.join(mediaDir, 'image.png'))).toBe(false);
+ expect(await !fileExists(path.join(mediaDir, 'image-640x480.png'))).toBe(false);
+
+ // Check api response
+ expect(data).toMatchObject({
+ doc: {
+ alt: 'test media',
+ filename: 'image.png',
+ mimeType: 'image/png',
+ sizes: {
+ tablet: {
+ filename: 'image-640x480.png',
+ width: 640,
+ height: 480,
+ },
+ },
+ },
+ });
+ });
+
it('creates with same name', async () => {
const formData = new FormData();
formData.append('file', fs.createReadStream(path.join(__dirname, '../../..', 'tests/api/assets/samename.png')));
diff --git a/src/uploads/getImageSize.ts b/src/uploads/getImageSize.ts
index 805d9dcf3df..4a24c86ce55 100644
--- a/src/uploads/getImageSize.ts
+++ b/src/uploads/getImageSize.ts
@@ -1,14 +1,13 @@
-import fs from 'fs';
+import { UploadedFile } from 'express-fileupload';
import probeImageSize from 'probe-image-size';
-type ProbedImageSize = {
+export type ProbedImageSize = {
width: number,
height: number,
type: string,
mime: string,
}
-export default async function (path: string): Promise<ProbedImageSize> {
- const image = fs.createReadStream(path);
- return probeImageSize(image);
+export default async function (image: UploadedFile): Promise<ProbedImageSize> {
+ return probeImageSize.sync(image.data);
}
diff --git a/src/uploads/imageResizer.ts b/src/uploads/imageResizer.ts
index 0af840e3dbb..a6706c50661 100644
--- a/src/uploads/imageResizer.ts
+++ b/src/uploads/imageResizer.ts
@@ -1,7 +1,7 @@
import fs from 'fs';
import sharp from 'sharp';
import sanitize from 'sanitize-filename';
-import getImageSize from './getImageSize';
+import { ProbedImageSize } from './getImageSize';
import fileExists from './fileExists';
import { SanitizedCollectionConfig } from '../collections/config/types';
import { FileSizes, ImageSize } from './types';
@@ -29,21 +29,19 @@ function getOutputImage(sourceImage: string, size: ImageSize) {
*/
export default async function resizeAndSave(
req: PayloadRequest,
+ file: Buffer,
+ dimensions: ProbedImageSize,
staticPath: string,
config: SanitizedCollectionConfig,
savedFilename: string,
mimeType: string,
): Promise<FileSizes> {
- const { imageSizes } = config.upload;
-
- const sourceImage = `${staticPath}/${savedFilename}`;
-
- const dimensions = await getImageSize(sourceImage);
+ const { imageSizes, disableLocalStorage } = config.upload;
const sizes = imageSizes
.filter((desiredSize) => desiredSize.width < dimensions.width)
.map(async (desiredSize) => {
- const resized = await sharp(sourceImage)
+ const resized = await sharp(file)
.resize(desiredSize.width, desiredSize.height, {
position: desiredSize.crop || 'centre',
});
@@ -63,7 +61,9 @@ export default async function resizeAndSave(
fs.unlinkSync(imagePath);
}
- await resized.toFile(imagePath);
+ if (!disableLocalStorage) {
+ await resized.toFile(imagePath);
+ }
return {
name: desiredSize.name,
diff --git a/src/uploads/types.ts b/src/uploads/types.ts
index f2e4c981d5e..1eee67e616b 100644
--- a/src/uploads/types.ts
+++ b/src/uploads/types.ts
@@ -33,6 +33,7 @@ export type IncomingUploadType = {
imageSizes?: ImageSize[];
staticURL?: string;
staticDir?: string;
+ disableLocalStorage?: boolean
adminThumbnail?: string | GetAdminThumbnail;
mimeTypes?: string[];
}
@@ -42,6 +43,7 @@ export type Upload = {
imageSizes?: ImageSize[]
staticURL: string
staticDir: string
+ disableLocalStorage: boolean
adminThumbnail?: string | GetAdminThumbnail
mimeTypes?: string[];
}
|
28b7c0468110fd921f7f3202bb428222fd612175
|
2025-01-17 14:08:23
|
Sasha
|
ci: disable integration tests retrying (#10615)
| false
|
disable integration tests retrying (#10615)
|
ci
|
diff --git a/.github/workflows/main.yml b/.github/workflows/main.yml
index d4e3914cb0e..a248a4ce6d4 100644
--- a/.github/workflows/main.yml
+++ b/.github/workflows/main.yml
@@ -254,17 +254,11 @@ jobs:
if: matrix.database == 'supabase'
- name: Integration Tests
- uses: nick-fields/retry@v3
+ run: pnpm test:int
env:
NODE_OPTIONS: --max-old-space-size=8096
PAYLOAD_DATABASE: ${{ matrix.database }}
POSTGRES_URL: ${{ env.POSTGRES_URL }}
- with:
- retry_on: any
- max_attempts: 5
- timeout_minutes: 15
- command: pnpm test:int
- on_retry_command: pnpm clean:build && pnpm install --no-frozen-lockfile
tests-e2e:
runs-on: ubuntu-24.04
|
1f959f357c42a24aac0fa302bc488c4950c9922c
|
2021-12-11 00:58:36
|
Jacob Fletcher
|
feat: includes subsite in meta title generation
| false
|
includes subsite in meta title generation
|
feat
|
diff --git a/packages/plugin-seo/fields/MetaTitle.tsx b/packages/plugin-seo/fields/MetaTitle.tsx
index dbd016febfb..e5e70442831 100644
--- a/packages/plugin-seo/fields/MetaTitle.tsx
+++ b/packages/plugin-seo/fields/MetaTitle.tsx
@@ -31,8 +31,11 @@ export const MetaTitle: React.FC<TextFieldType> = (props) => {
} = field;
const regenerateTitle = useCallback(() => {
- const generatedTitle = generateMetaTitle(fields);
- setValue(generatedTitle);
+ const getTitle = async () => {
+ const generatedTitle = await generateMetaTitle(fields);
+ setValue(generatedTitle);
+ }
+ getTitle();
}, [
fields,
setValue,
diff --git a/packages/plugin-seo/utilities/generateMetaTitle.ts b/packages/plugin-seo/utilities/generateMetaTitle.ts
index 23a6e2cff09..ad31f6a3645 100644
--- a/packages/plugin-seo/utilities/generateMetaTitle.ts
+++ b/packages/plugin-seo/utilities/generateMetaTitle.ts
@@ -1,13 +1,30 @@
import { Fields } from 'payload/dist/admin/components/forms/Form/types';
-export const generateMetaTitle = (fields: Fields): string => {
+const base = 'Hope Network';
+
+export const generateMetaTitle = async (fields: Fields): Promise<string> => {
const {
title: {
value: docTitle,
},
+ subsite,
} = fields;
- const title = `Hope Network – ${docTitle}`;
+ if (subsite) {
+ const {
+ value: subsiteID
+ } = subsite;
+
+ const req = await fetch(`${process.env.PAYLOAD_PUBLIC_SERVER_URL}/api/subsites/${subsiteID}`);
+ const doc = await req.json();
+ if (doc) {
+ const {
+ title: subsiteTitle
+ } = doc;
+
+ return `${base} | ${subsiteTitle} - ${docTitle}`;
+ }
+ }
- return title;
+ return `${base} | ${docTitle}`
};
|
3c435daf65781157d01035610d0d1c6edc590039
|
2023-01-20 07:03:02
|
James
|
chore: canary release
| false
|
canary release
|
chore
|
diff --git a/CHANGELOG.md b/CHANGELOG.md
index a1984a0252f..36e8224ba3b 100644
--- a/CHANGELOG.md
+++ b/CHANGELOG.md
@@ -1,4 +1,4 @@
-## [1.5.13-canary.0](https://github.com/payloadcms/payload/compare/v1.5.9...v1.5.13-canary.0) (2023-01-19)
+## [1.5.14-canary.0](https://github.com/payloadcms/payload/compare/v1.5.9...v1.5.14-canary.0) (2023-01-20)
### 🐛 Bug Fixes
diff --git a/package.json b/package.json
index 748dcb4d71e..ed05b334d24 100644
--- a/package.json
+++ b/package.json
@@ -1,6 +1,6 @@
{
"name": "payload",
- "version": "1.5.13-canary.0",
+ "version": "1.5.14-canary.0",
"description": "Node, React and MongoDB Headless CMS and Application Framework",
"license": "MIT",
"engines": {
|
1300fc864c09030b5d6d3019356642fdf99ac36e
|
2023-05-19 19:40:24
|
Jessica Boezwinkle
|
docs: additional params for find operation rest-api
| false
|
additional params for find operation rest-api
|
docs
|
diff --git a/docs/rest-api/overview.mdx b/docs/rest-api/overview.mdx
index aec9d5f48e5..92e072b7a84 100644
--- a/docs/rest-api/overview.mdx
+++ b/docs/rest-api/overview.mdx
@@ -48,6 +48,29 @@ Note: Collection slugs must be formatted in kebab-case
updatedAt: "2023-04-27T11:27:32.419Z",
},
},
+ drawerContent: (
+ <>
+ <h6>Additional <code>find</code> query parameters</h6>
+ The <code>find</code> endpoint supports the following additional query parameters:
+ <ul>
+ <li>
+ <a href="/docs/queries/overview#sort">sort</a> - sort by field
+ </li>
+ <li>
+ <a href="/docs/queries/overview">where</a> - pass a where query to constrain returned
+ documents
+ </li>
+ <li>
+ <a href="/docs/queries/pagination#pagination-controls">limit</a> - limit the returned
+ documents to a certain number
+ </li>
+ <li>
+ <a href="/docs/queries/pagination#pagination-controls">page</a> - get a specific page of
+ documents
+ </li>
+ </ul>
+ </>
+ ),
},
},
{
@@ -135,6 +158,11 @@ Note: Collection slugs must be formatted in kebab-case
headers: true,
body: {
title: "I have been updated by ID!",
+ categories: "example-uuid",
+ tags: {
+ relationTo: "location",
+ value: "another-example-uuid",
+ },
},
},
res: {
@@ -143,6 +171,19 @@ Note: Collection slugs must be formatted in kebab-case
id: "644a5c24cc1383022535fc7c",
title: "I have been updated by ID!",
content: "REST API examples",
+ categories: {
+ id: "example-uuid",
+ name: "Test Category",
+ },
+ tags: [
+ {
+ relationTo: "location",
+ value: {
+ id: "another-example-uuid",
+ name: "Test Location",
+ },
+ },
+ ],
slug: "home",
createdAt: "2023-04-27T11:27:32.419Z",
updatedAt: "2023-04-28T10:47:59.259Z",
@@ -196,17 +237,9 @@ Note: Collection slugs must be formatted in kebab-case
},
},
},
- ]}
-/>
-##### Additional `find` query parameters
-
-The `find` endpoint supports the following additional query parameters:
-
-- [sort](/docs/queries/overview#sort) - sort by field
-- [where](/docs/queries/overview) - pass a `where` query to constrain returned documents
-- [limit](/docs/queries/pagination#pagination-controls) - limit the returned documents to a certain number
-- [page](/docs/queries/pagination#pagination-controls) - get a specific page of documents
+]}
+/>
## Auth Operations
|
b94a265fad73518cc4afebdcaa493cfe6956a3ba
|
2024-05-07 00:37:16
|
Alessio Gravili
|
fix(richtext-lexical): ensure inline toolbar is positioned between link editor and fixed toolbar
| false
|
ensure inline toolbar is positioned between link editor and fixed toolbar
|
fix
|
diff --git a/packages/richtext-lexical/src/field/features/link/plugins/floatingLinkEditor/index.scss b/packages/richtext-lexical/src/field/features/link/plugins/floatingLinkEditor/index.scss
index 7c7d261acbb..93138377f82 100644
--- a/packages/richtext-lexical/src/field/features/link/plugins/floatingLinkEditor/index.scss
+++ b/packages/richtext-lexical/src/field/features/link/plugins/floatingLinkEditor/index.scss
@@ -7,7 +7,7 @@ html[data-theme='light'] {
}
.link-editor {
- z-index: 2;
+ z-index: 1;
display: flex;
align-items: center;
background: var(--color-base-0);
diff --git a/packages/richtext-lexical/src/field/features/toolbars/fixed/Toolbar/index.scss b/packages/richtext-lexical/src/field/features/toolbars/fixed/Toolbar/index.scss
index 143204fdeaa..fc69d306fd5 100644
--- a/packages/richtext-lexical/src/field/features/toolbars/fixed/Toolbar/index.scss
+++ b/packages/richtext-lexical/src/field/features/toolbars/fixed/Toolbar/index.scss
@@ -52,7 +52,7 @@ html[data-theme='dark'] {
vertical-align: middle;
height: 37.5px;
position: sticky;
- z-index: 3;
+ z-index: 2;
top: var(--doc-controls-height);
margin-bottom: $baseline;
border: $style-stroke-width-s solid var(--theme-elevation-150);
|
26691377d2935adbf985939ee115ac2a3dcd3bd6
|
2024-11-11 21:11:48
|
Nate
|
chore: update README.md asset URL (#9104)
| false
|
update README.md asset URL (#9104)
|
chore
|
diff --git a/README.md b/README.md
index 72955f72959..9d9e8ef0807 100644
--- a/README.md
+++ b/README.md
@@ -1,4 +1,4 @@
-<a href="https://payloadcms.com"><img width="100%" src="https://github.com/payloadcms/payload/blob/main/packages/payload/src/admin/assets/images/github-banner-nextjs-native.jpg?raw=true" alt="Payload headless CMS Admin panel built with React" /></a>
+<a href="https://payloadcms.com"><img width="100%" src="https://github.com/payloadcms/payload/blob/beta/packages/payload/src/assets/images/github-banner-nextjs-native.jpg" alt="Payload headless CMS Admin panel built with React" /></a>
<br />
<br />
|
65e080671d24060151b9bc02ccb8bd75595204b8
|
2023-09-27 01:03:24
|
Elliot DeNolf
|
chore: use utilities dir
| false
|
use utilities dir
|
chore
|
diff --git a/packages/db-postgres/src/createMigration.ts b/packages/db-postgres/src/createMigration.ts
index 0368ecbbca6..ca53f5b7209 100644
--- a/packages/db-postgres/src/createMigration.ts
+++ b/packages/db-postgres/src/createMigration.ts
@@ -7,7 +7,7 @@ import fs from 'fs'
import type { PostgresAdapter } from './types'
-import { createMigrationTable, migrationTableExists } from './utils'
+import { migrationTableExists } from './utilities/migrationTableExists'
const migrationTemplate = (
upSQL?: string,
diff --git a/packages/db-postgres/src/migrate.ts b/packages/db-postgres/src/migrate.ts
index 556d5b415a1..7090785945f 100644
--- a/packages/db-postgres/src/migrate.ts
+++ b/packages/db-postgres/src/migrate.ts
@@ -4,7 +4,8 @@ import { readMigrationFiles } from 'payload/database'
import type { PostgresAdapter } from './types'
-import { createMigrationTable, migrationTableExists } from './utils'
+import { createMigrationTable } from './utilities/createMigrationTable'
+import { migrationTableExists } from './utilities/migrationTableExists'
export async function migrate(this: PostgresAdapter): Promise<void> {
const { payload } = this
diff --git a/packages/db-postgres/src/migrateStatus.ts b/packages/db-postgres/src/migrateStatus.ts
index e7f62bb3781..aa466290c36 100644
--- a/packages/db-postgres/src/migrateStatus.ts
+++ b/packages/db-postgres/src/migrateStatus.ts
@@ -3,7 +3,7 @@ import { getMigrations, readMigrationFiles } from 'payload/database'
import type { PostgresAdapter } from './types'
-import { migrationTableExists } from './utils'
+import { migrationTableExists } from './utilities/migrationTableExists'
export async function migrateStatus(this: PostgresAdapter): Promise<void> {
const { payload } = this
diff --git a/packages/db-postgres/src/utils.ts b/packages/db-postgres/src/utilities/createMigrationTable.ts
similarity index 53%
rename from packages/db-postgres/src/utils.ts
rename to packages/db-postgres/src/utilities/createMigrationTable.ts
index 22b1bb76142..5757b4f44d2 100644
--- a/packages/db-postgres/src/utils.ts
+++ b/packages/db-postgres/src/utilities/createMigrationTable.ts
@@ -1,14 +1,6 @@
import { sql } from 'drizzle-orm'
-import type { DrizzleDB } from './types'
-
-export const migrationTableExists = async (db: DrizzleDB): Promise<boolean> => {
- const queryRes = await db.execute(sql`SELECT to_regclass('public.payload_migrations');`)
-
- // Returns table name 'payload_migrations' or null
- const exists = queryRes.rows?.[0]?.to_regclass === 'payload_migrations'
- return exists
-}
+import type { DrizzleDB } from '../types'
export const createMigrationTable = async (db: DrizzleDB): Promise<void> => {
await db.execute(sql`CREATE TABLE IF NOT EXISTS "payload_migrations" (
diff --git a/packages/db-postgres/src/utilities/migrationTableExists.ts b/packages/db-postgres/src/utilities/migrationTableExists.ts
new file mode 100644
index 00000000000..39ea2ba5ec6
--- /dev/null
+++ b/packages/db-postgres/src/utilities/migrationTableExists.ts
@@ -0,0 +1,11 @@
+import { sql } from 'drizzle-orm'
+
+import type { DrizzleDB } from '../types'
+
+export const migrationTableExists = async (db: DrizzleDB): Promise<boolean> => {
+ const queryRes = await db.execute(sql`SELECT to_regclass('public.payload_migrations');`)
+
+ // Returns table name 'payload_migrations' or null
+ const exists = queryRes.rows?.[0]?.to_regclass === 'payload_migrations'
+ return exists
+}
|
e597b4c66b5e7a4680ca1382ef9874e6fb44796b
|
2022-03-29 23:41:22
|
James
|
chore: optimizes validation extended args
| false
|
optimizes validation extended args
|
chore
|
diff --git a/src/admin/components/forms/DraggableSection/index.tsx b/src/admin/components/forms/DraggableSection/index.tsx
index 86f021c995f..f3f8d1b828e 100644
--- a/src/admin/components/forms/DraggableSection/index.tsx
+++ b/src/admin/components/forms/DraggableSection/index.tsx
@@ -8,7 +8,7 @@ import PositionPanel from './PositionPanel';
import Button from '../../elements/Button';
import { NegativeFieldGutterProvider } from '../FieldTypeGutter/context';
import FieldTypeGutter from '../FieldTypeGutter';
-import RenderFields, { useRenderedFields } from '../RenderFields';
+import RenderFields from '../RenderFields';
import { Props } from './types';
import HiddenInput from '../field-types/HiddenInput';
@@ -38,7 +38,6 @@ const DraggableSection: React.FC<Props> = (props) => {
} = props;
const [isHovered, setIsHovered] = useState(false);
- const { operation } = useRenderedFields();
const classes = [
baseClass,
@@ -105,7 +104,6 @@ const DraggableSection: React.FC<Props> = (props) => {
>
<NegativeFieldGutterProvider allow={false}>
<RenderFields
- operation={operation}
readOnly={readOnly}
fieldTypes={fieldTypes}
key={rowIndex}
diff --git a/src/admin/components/forms/Form/buildStateFromSchema.ts b/src/admin/components/forms/Form/buildStateFromSchema.ts
index 34b91adf51f..66a69c8b5f9 100644
--- a/src/admin/components/forms/Form/buildStateFromSchema.ts
+++ b/src/admin/components/forms/Form/buildStateFromSchema.ts
@@ -9,12 +9,12 @@ import {
} from '../../../../fields/config/types';
import { Fields, Field, Data } from './types';
-const buildValidationPromise = async (fieldState: Field, options: ValidateOptions<FieldAffectingData, unknown, unknown>) => {
+const buildValidationPromise = async (fieldState: Field, options: ValidateOptions<unknown, unknown, FieldSchema>) => {
const validatedFieldState = fieldState;
let validationResult: boolean | string = true;
- if (typeof options.field.validate === 'function') {
+ if (fieldAffectsData(options.field) && typeof options.field.validate === 'function') {
validationResult = await options.field.validate(fieldState.value, options);
}
@@ -26,7 +26,7 @@ const buildValidationPromise = async (fieldState: Field, options: ValidateOption
}
};
-type Props = {
+type Args = {
fieldSchema: FieldSchema[]
data?: Data,
siblingData?: Data,
@@ -35,7 +35,7 @@ type Props = {
operation?: 'create' | 'update'
}
-const buildStateFromSchema = async (props: Props): Promise<Fields> => {
+const buildStateFromSchema = async (args: Args): Promise<Fields> => {
const {
fieldSchema,
data: fullData = {},
@@ -43,7 +43,8 @@ const buildStateFromSchema = async (props: Props): Promise<Fields> => {
user,
id,
operation,
- } = props;
+ } = args;
+
if (fieldSchema) {
const validationPromises = [];
diff --git a/src/admin/components/forms/Form/index.tsx b/src/admin/components/forms/Form/index.tsx
index 0d30e0f5a60..8af44e5750f 100644
--- a/src/admin/components/forms/Form/index.tsx
+++ b/src/admin/components/forms/Form/index.tsx
@@ -16,13 +16,13 @@ import reduceFieldsToValues from './reduceFieldsToValues';
import getSiblingDataFunc from './getSiblingData';
import getDataByPathFunc from './getDataByPath';
import wait from '../../../../utilities/wait';
+import { Field, FieldAffectingData } from '../../../../fields/config/types';
import buildInitialState from './buildInitialState';
import errorMessages from './errorMessages';
import { Context as FormContextType, Props, SubmitOptions } from './types';
-
import { SubmittedContext, ProcessingContext, ModifiedContext, FormContext, FormWatchContext } from './context';
import buildStateFromSchema from './buildStateFromSchema';
-import { Field, FieldAffectingData } from '../../../../fields/config/types';
+import { useOperation } from '../../utilities/OperationProvider';
const baseClass = 'form';
@@ -42,13 +42,13 @@ const Form: React.FC<Props> = (props) => {
initialData, // values only, paths are required as key - form should build initial state as convenience
waitForAutocomplete,
log,
- validationOperation,
} = props;
const history = useHistory();
const locale = useLocale();
const { refreshCookie, user } = useAuth();
const { id } = useDocumentInfo();
+ const operation = useOperation();
const [modified, setModified] = useState(false);
const [processing, setProcessing] = useState(false);
@@ -91,7 +91,7 @@ const Form: React.FC<Props> = (props) => {
siblingData: contextRef.current.getSiblingData(path),
user,
id,
- operation: validationOperation,
+ operation,
});
}
@@ -110,7 +110,7 @@ const Form: React.FC<Props> = (props) => {
dispatchFields({ type: 'REPLACE_STATE', state: validatedFieldState });
return isValid;
- }, [contextRef, id, user, validationOperation]);
+ }, [contextRef, id, user, operation]);
const submit = useCallback(async (options: SubmitOptions = {}, e): Promise<void> => {
const {
@@ -324,10 +324,10 @@ const Form: React.FC<Props> = (props) => {
}, [contextRef]);
const reset = useCallback(async (fieldSchema: Field[], data: unknown) => {
- const state = await buildStateFromSchema({ fieldSchema, data, user, id, operation: validationOperation });
+ const state = await buildStateFromSchema({ fieldSchema, data, user, id, operation });
contextRef.current = { ...initContextState } as FormContextType;
dispatchFields({ type: 'REPLACE_STATE', state });
- }, [id, user, validationOperation]);
+ }, [id, user, operation]);
contextRef.current.dispatchFields = dispatchFields;
contextRef.current.submit = submit;
diff --git a/src/admin/components/forms/RenderFields/index.tsx b/src/admin/components/forms/RenderFields/index.tsx
index 21dc16d68aa..028f658b0af 100644
--- a/src/admin/components/forms/RenderFields/index.tsx
+++ b/src/admin/components/forms/RenderFields/index.tsx
@@ -1,8 +1,9 @@
-import React, { createContext, useEffect, useContext, useState } from 'react';
+import React, { useEffect, useState } from 'react';
import RenderCustomComponent from '../../utilities/RenderCustomComponent';
import useIntersect from '../../../hooks/useIntersect';
-import { Props, Context } from './types';
+import { Props } from './types';
import { fieldAffectsData, fieldIsPresentationalOnly } from '../../../../fields/config/types';
+import { useOperation } from '../../utilities/OperationProvider';
const baseClass = 'render-fields';
@@ -10,10 +11,6 @@ const intersectionObserverOptions = {
rootMargin: '1000px',
};
-const RenderedFieldContext = createContext({} as Context);
-
-export const useRenderedFields = (): Context => useContext(RenderedFieldContext);
-
const RenderFields: React.FC<Props> = (props) => {
const {
fieldSchema,
@@ -21,30 +18,17 @@ const RenderFields: React.FC<Props> = (props) => {
filter,
permissions,
readOnly: readOnlyOverride,
- operation: operationFromProps,
className,
} = props;
const [hasRendered, setHasRendered] = useState(false);
const [intersectionRef, entry] = useIntersect(intersectionObserverOptions);
+ const operation = useOperation();
+
const isIntersecting = Boolean(entry?.isIntersecting);
const isAboveViewport = entry?.boundingClientRect?.top < 0;
-
const shouldRender = isIntersecting || isAboveViewport;
- const { operation: operationFromContext } = useRenderedFields();
-
- const operation = operationFromProps || operationFromContext;
-
- const [contextValue, setContextValue] = useState({
- operation,
- });
-
- useEffect(() => {
- setContextValue({
- operation,
- });
- }, [operation]);
useEffect(() => {
if (shouldRender && !hasRendered) {
@@ -64,80 +48,78 @@ const RenderFields: React.FC<Props> = (props) => {
className={classes}
>
{hasRendered && (
- <RenderedFieldContext.Provider value={contextValue}>
- {fieldSchema.map((field, i) => {
- const fieldIsPresentational = fieldIsPresentationalOnly(field);
- let FieldComponent = fieldTypes[field.type];
-
- if (fieldIsPresentational || (!field?.hidden && field?.admin?.disabled !== true)) {
- if ((filter && typeof filter === 'function' && filter(field)) || !filter) {
- if (fieldIsPresentational) {
- return (
- <FieldComponent
- {...field}
- key={i}
- />
- );
- }
+ fieldSchema.map((field, i) => {
+ const fieldIsPresentational = fieldIsPresentationalOnly(field);
+ let FieldComponent = fieldTypes[field.type];
+
+ if (fieldIsPresentational || (!field?.hidden && field?.admin?.disabled !== true)) {
+ if ((filter && typeof filter === 'function' && filter(field)) || !filter) {
+ if (fieldIsPresentational) {
+ return (
+ <FieldComponent
+ {...field}
+ key={i}
+ />
+ );
+ }
- if (field?.admin?.hidden) {
- FieldComponent = fieldTypes.hidden;
- }
+ if (field?.admin?.hidden) {
+ FieldComponent = fieldTypes.hidden;
+ }
+
+ const isFieldAffectingData = fieldAffectsData(field);
+
+ const fieldPermissions = isFieldAffectingData ? permissions?.[field.name] : permissions;
+
+ let { admin: { readOnly } = {} } = field;
- const isFieldAffectingData = fieldAffectsData(field);
-
- const fieldPermissions = isFieldAffectingData ? permissions?.[field.name] : permissions;
-
- let { admin: { readOnly } = {} } = field;
-
- if (readOnlyOverride) readOnly = true;
-
- if ((isFieldAffectingData && permissions?.[field?.name]?.read?.permission !== false) || !isFieldAffectingData) {
- if (isFieldAffectingData && permissions?.[field?.name]?.[operation]?.permission === false) {
- readOnly = true;
- }
-
- if (FieldComponent) {
- return (
- <RenderCustomComponent
- key={i}
- CustomComponent={field?.admin?.components?.Field}
- DefaultComponent={FieldComponent}
- componentProps={{
- ...field,
- path: field.path || (isFieldAffectingData ? field.name : undefined),
- fieldTypes,
- admin: {
- ...(field.admin || {}),
- readOnly,
- },
- permissions: fieldPermissions,
- }}
- />
- );
- }
+ if (readOnlyOverride) readOnly = true;
+ if ((isFieldAffectingData && permissions?.[field?.name]?.read?.permission !== false) || !isFieldAffectingData) {
+ if (isFieldAffectingData && permissions?.[field?.name]?.[operation]?.permission === false) {
+ readOnly = true;
+ }
+
+ if (FieldComponent) {
return (
- <div
- className="missing-field"
+ <RenderCustomComponent
key={i}
- >
- No matched field found for
- {' '}
- "
- {field.label}
- "
- </div>
+ CustomComponent={field?.admin?.components?.Field}
+ DefaultComponent={FieldComponent}
+ componentProps={{
+ ...field,
+ path: field.path || (isFieldAffectingData ? field.name : undefined),
+ fieldTypes,
+ admin: {
+ ...(field.admin || {}),
+ readOnly,
+ },
+ permissions: fieldPermissions,
+ }}
+ />
);
}
- }
- return null;
+ return (
+ <div
+ className="missing-field"
+ key={i}
+ >
+ No matched field found for
+ {' '}
+ "
+ {field.label}
+ "
+ </div>
+ );
+ }
}
return null;
- })}
- </RenderedFieldContext.Provider>
+ }
+
+ return null;
+ })
)}
</div>
);
diff --git a/src/admin/components/forms/RenderFields/types.ts b/src/admin/components/forms/RenderFields/types.ts
index 3bdd3045da7..72d3151e18a 100644
--- a/src/admin/components/forms/RenderFields/types.ts
+++ b/src/admin/components/forms/RenderFields/types.ts
@@ -2,15 +2,8 @@ import { FieldPermissions } from '../../../../auth/types';
import { FieldWithPath, Field } from '../../../../fields/config/types';
import { FieldTypes } from '../field-types';
-export type Operation = 'create' | 'update'
-
-export type Context = {
- operation: Operation
-}
-
export type Props = {
className?: string
- operation?: Operation
readOnly?: boolean
permissions?: {
[field: string]: FieldPermissions
diff --git a/src/admin/components/forms/field-types/RichText/elements/upload/Element/EditModal/index.tsx b/src/admin/components/forms/field-types/RichText/elements/upload/Element/EditModal/index.tsx
index 7e68f01e1bf..d2145b313cc 100644
--- a/src/admin/components/forms/field-types/RichText/elements/upload/Element/EditModal/index.tsx
+++ b/src/admin/components/forms/field-types/RichText/elements/upload/Element/EditModal/index.tsx
@@ -80,7 +80,6 @@ export const EditModal: React.FC<Props> = ({ slug, closeModal, relatedCollection
<Form
onSubmit={handleUpdateEditData}
initialState={initialState}
- validationOperation="update"
>
<RenderFields
readOnly={false}
diff --git a/src/admin/components/forms/useField/index.tsx b/src/admin/components/forms/useField/index.tsx
index d1c92aebada..5465fb00f2e 100644
--- a/src/admin/components/forms/useField/index.tsx
+++ b/src/admin/components/forms/useField/index.tsx
@@ -6,7 +6,7 @@ import { useFormProcessing, useFormSubmitted, useFormModified, useForm } from '.
import useDebounce from '../../../hooks/useDebounce';
import { Options, FieldType } from './types';
import { useDocumentInfo } from '../../utilities/DocumentInfo';
-import { useRenderedFields } from '../RenderFields';
+import { useOperation } from '../../utilities/OperationProvider';
const useField = <T extends unknown>(options: Options): FieldType<T> => {
const {
@@ -24,11 +24,13 @@ const useField = <T extends unknown>(options: Options): FieldType<T> => {
const modified = useFormModified();
const { user } = useAuth();
const { id } = useDocumentInfo();
- const { operation } = useRenderedFields();
+ const operation = useOperation();
const {
dispatchFields,
getField,
+ getData,
+ getSiblingData,
setModified,
} = formContext || {};
@@ -65,8 +67,8 @@ const useField = <T extends unknown>(options: Options): FieldType<T> => {
id,
field: field?.field,
user,
- data: formContext.getData(),
- siblingData: formContext.getSiblingData(path),
+ data: getData(),
+ siblingData: getSiblingData(path),
operation,
};
@@ -87,7 +89,8 @@ const useField = <T extends unknown>(options: Options): FieldType<T> => {
disableFormData,
dispatchFields,
field,
- formContext,
+ getData,
+ getSiblingData,
id,
ignoreWhileFlattening,
initialValue,
diff --git a/src/admin/components/utilities/OperationProvider/index.tsx b/src/admin/components/utilities/OperationProvider/index.tsx
new file mode 100644
index 00000000000..e5b1a6c02d6
--- /dev/null
+++ b/src/admin/components/utilities/OperationProvider/index.tsx
@@ -0,0 +1,7 @@
+import { useContext, createContext } from 'react';
+
+export const OperationContext = createContext(undefined);
+
+export type Operation = 'create' | 'update'
+
+export const useOperation = (): Operation | undefined => useContext(OperationContext);
diff --git a/src/admin/components/views/Account/Default.tsx b/src/admin/components/views/Account/Default.tsx
index 1baf99b410e..81cfa6e03e5 100644
--- a/src/admin/components/views/Account/Default.tsx
+++ b/src/admin/components/views/Account/Default.tsx
@@ -15,6 +15,7 @@ import Meta from '../../utilities/Meta';
import Auth from '../collections/Edit/Auth';
import Loading from '../../elements/Loading';
import { Props } from './types';
+import { OperationContext } from '../../utilities/OperationProvider';
import './index.scss';
@@ -55,116 +56,115 @@ const DefaultAccount: React.FC<Props> = (props) => {
<Loading />
)}
{!isLoading && (
- <Form
- className={`${baseClass}__form`}
- method="put"
- action={action}
- initialState={initialState}
- disabled={!hasSavePermission}
- validationOperation="update"
- >
- <div className={`${baseClass}__main`}>
- <Meta
- title="Account"
- description="Account of current user"
- keywords="Account, Dashboard, Payload, CMS"
- />
- <Eyebrow />
- {!(collection.versions?.drafts && collection.versions?.drafts?.autosave) && (
- <LeaveWithoutSaving />
- )}
- <div className={`${baseClass}__edit`}>
- <header className={`${baseClass}__header`}>
- <h1>
- <RenderTitle {...{ data, useAsTitle, fallback: '[Untitled]' }} />
- </h1>
- </header>
- <Auth
- useAPIKey={auth.useAPIKey}
- collection={collection}
- email={data?.email}
- operation="update"
- />
- <RenderFields
- operation="update"
- permissions={permissions.fields}
- readOnly={!hasSavePermission}
- filter={(field) => field?.admin?.position !== 'sidebar'}
- fieldTypes={fieldTypes}
- fieldSchema={fields}
+ <OperationContext.Provider value="update">
+ <Form
+ className={`${baseClass}__form`}
+ method="put"
+ action={action}
+ initialState={initialState}
+ disabled={!hasSavePermission}
+ >
+ <div className={`${baseClass}__main`}>
+ <Meta
+ title="Account"
+ description="Account of current user"
+ keywords="Account, Dashboard, Payload, CMS"
/>
+ <Eyebrow />
+ {!(collection.versions?.drafts && collection.versions?.drafts?.autosave) && (
+ <LeaveWithoutSaving />
+ )}
+ <div className={`${baseClass}__edit`}>
+ <header className={`${baseClass}__header`}>
+ <h1>
+ <RenderTitle {...{ data, useAsTitle, fallback: '[Untitled]' }} />
+ </h1>
+ </header>
+ <Auth
+ useAPIKey={auth.useAPIKey}
+ collection={collection}
+ email={data?.email}
+ operation="update"
+ />
+ <RenderFields
+ permissions={permissions.fields}
+ readOnly={!hasSavePermission}
+ filter={(field) => field?.admin?.position !== 'sidebar'}
+ fieldTypes={fieldTypes}
+ fieldSchema={fields}
+ />
+ </div>
</div>
- </div>
- <div className={`${baseClass}__sidebar-wrap`}>
- <div className={`${baseClass}__sidebar`}>
- <div className={`${baseClass}__sidebar-sticky-wrap`}>
- <ul className={`${baseClass}__collection-actions`}>
- {(permissions?.create?.permission) && (
- <React.Fragment>
- <li><Link to={`${admin}/collections/${slug}/create`}>Create New</Link></li>
- </React.Fragment>
- )}
- </ul>
- <div className={`${baseClass}__document-actions${preview ? ` ${baseClass}__document-actions--with-preview` : ''}`}>
- <PreviewButton
- generatePreviewURL={preview}
- data={data}
- />
- {hasSavePermission && (
- <FormSubmit>Save</FormSubmit>
- )}
- </div>
- <div className={`${baseClass}__sidebar-fields`}>
- <RenderFields
- operation="update"
- permissions={permissions.fields}
- readOnly={!hasSavePermission}
- filter={(field) => field?.admin?.position === 'sidebar'}
- fieldTypes={fieldTypes}
- fieldSchema={fields}
- />
- </div>
- <ul className={`${baseClass}__meta`}>
- <li className={`${baseClass}__api-url`}>
- <span className={`${baseClass}__label`}>
- API URL
- {' '}
- <CopyToClipboard value={apiURL} />
- </span>
- <a
- href={apiURL}
- target="_blank"
- rel="noopener noreferrer"
- >
- {apiURL}
- </a>
- </li>
- <li>
- <div className={`${baseClass}__label`}>ID</div>
- <div>{data?.id}</div>
- </li>
- {timestamps && (
- <React.Fragment>
- {data.updatedAt && (
- <li>
- <div className={`${baseClass}__label`}>Last Modified</div>
- <div>{format(new Date(data.updatedAt), dateFormat)}</div>
- </li>
+ <div className={`${baseClass}__sidebar-wrap`}>
+ <div className={`${baseClass}__sidebar`}>
+ <div className={`${baseClass}__sidebar-sticky-wrap`}>
+ <ul className={`${baseClass}__collection-actions`}>
+ {(permissions?.create?.permission) && (
+ <React.Fragment>
+ <li><Link to={`${admin}/collections/${slug}/create`}>Create New</Link></li>
+ </React.Fragment>
+ )}
+ </ul>
+ <div className={`${baseClass}__document-actions${preview ? ` ${baseClass}__document-actions--with-preview` : ''}`}>
+ <PreviewButton
+ generatePreviewURL={preview}
+ data={data}
+ />
+ {hasSavePermission && (
+ <FormSubmit>Save</FormSubmit>
)}
- {data.createdAt && (
+ </div>
+ <div className={`${baseClass}__sidebar-fields`}>
+ <RenderFields
+ permissions={permissions.fields}
+ readOnly={!hasSavePermission}
+ filter={(field) => field?.admin?.position === 'sidebar'}
+ fieldTypes={fieldTypes}
+ fieldSchema={fields}
+ />
+ </div>
+ <ul className={`${baseClass}__meta`}>
+ <li className={`${baseClass}__api-url`}>
+ <span className={`${baseClass}__label`}>
+ API URL
+ {' '}
+ <CopyToClipboard value={apiURL} />
+ </span>
+ <a
+ href={apiURL}
+ target="_blank"
+ rel="noopener noreferrer"
+ >
+ {apiURL}
+ </a>
+ </li>
<li>
- <div className={`${baseClass}__label`}>Created</div>
- <div>{format(new Date(data.createdAt), dateFormat)}</div>
+ <div className={`${baseClass}__label`}>ID</div>
+ <div>{data?.id}</div>
</li>
+ {timestamps && (
+ <React.Fragment>
+ {data.updatedAt && (
+ <li>
+ <div className={`${baseClass}__label`}>Last Modified</div>
+ <div>{format(new Date(data.updatedAt), dateFormat)}</div>
+ </li>
+ )}
+ {data.createdAt && (
+ <li>
+ <div className={`${baseClass}__label`}>Created</div>
+ <div>{format(new Date(data.createdAt), dateFormat)}</div>
+ </li>
+ )}
+ </React.Fragment>
)}
- </React.Fragment>
- )}
- </ul>
+ </ul>
+ </div>
</div>
</div>
- </div>
- </Form>
+ </Form>
+ </OperationContext.Provider>
)}
</div>
);
diff --git a/src/admin/components/views/Global/Default.tsx b/src/admin/components/views/Global/Default.tsx
index af0540249a8..9e13969692b 100644
--- a/src/admin/components/views/Global/Default.tsx
+++ b/src/admin/components/views/Global/Default.tsx
@@ -21,6 +21,7 @@ import Status from '../../elements/Status';
import Autosave from '../../elements/Autosave';
import './index.scss';
+import { OperationContext } from '../../utilities/OperationProvider';
const baseClass = 'global-edit';
@@ -51,135 +52,134 @@ const DefaultGlobalView: React.FC<Props> = (props) => {
<Loading />
)}
{!isLoading && (
- <Form
- className={`${baseClass}__form`}
- method="post"
- action={action}
- onSuccess={onSave}
- disabled={!hasSavePermission}
- initialState={initialState}
- validationOperation="update"
- >
- <div className={`${baseClass}__main`}>
- <Meta
- title={label}
- description={label}
- keywords={`${label}, Payload, CMS`}
- />
- <Eyebrow />
- {!(global.versions?.drafts && global.versions?.drafts?.autosave) && (
- <LeaveWithoutSaving />
- )}
- <div className={`${baseClass}__edit`}>
- <header className={`${baseClass}__header`}>
- <h1>
- Edit
- {' '}
- {label}
- </h1>
- {description && (
- <div className={`${baseClass}__sub-header`}>
- <ViewDescription description={description} />
- </div>
- )}
- </header>
- <RenderFields
- operation="update"
- readOnly={!hasSavePermission}
- permissions={permissions.fields}
- filter={(field) => (!field.admin.position || (field.admin.position && field.admin.position !== 'sidebar'))}
- fieldTypes={fieldTypes}
- fieldSchema={fields}
+ <OperationContext.Provider value="update">
+ <Form
+ className={`${baseClass}__form`}
+ method="post"
+ action={action}
+ onSuccess={onSave}
+ disabled={!hasSavePermission}
+ initialState={initialState}
+ >
+ <div className={`${baseClass}__main`}>
+ <Meta
+ title={label}
+ description={label}
+ keywords={`${label}, Payload, CMS`}
/>
- </div>
- </div>
- <div className={`${baseClass}__sidebar-wrap`}>
- <div className={`${baseClass}__sidebar`}>
- <div className={`${baseClass}__sidebar-sticky-wrap`}>
- <div className={`${baseClass}__document-actions${((global.versions?.drafts && !global.versions?.drafts?.autosave) || preview) ? ` ${baseClass}__document-actions--has-2` : ''}`}>
- {(preview && (!global.versions?.drafts || global.versions?.drafts?.autosave)) && (
- <PreviewButton
- generatePreviewURL={preview}
- data={data}
- />
+ <Eyebrow />
+ {!(global.versions?.drafts && global.versions?.drafts?.autosave) && (
+ <LeaveWithoutSaving />
+ )}
+ <div className={`${baseClass}__edit`}>
+ <header className={`${baseClass}__header`}>
+ <h1>
+ Edit
+ {' '}
+ {label}
+ </h1>
+ {description && (
+ <div className={`${baseClass}__sub-header`}>
+ <ViewDescription description={description} />
+ </div>
)}
- {hasSavePermission && (
- <React.Fragment>
- {global.versions?.drafts && (
- <React.Fragment>
- {!global.versions.drafts.autosave && (
- <SaveDraft />
- )}
- <Publish />
- </React.Fragment>
- )}
- {!global.versions?.drafts && (
- <FormSubmit>Save</FormSubmit>
- )}
- </React.Fragment>
- )}
- </div>
- <div className={`${baseClass}__sidebar-fields`}>
- {(preview && (global.versions?.drafts && !global.versions?.drafts?.autosave)) && (
- <PreviewButton
- generatePreviewURL={preview}
- data={data}
+ </header>
+ <RenderFields
+ readOnly={!hasSavePermission}
+ permissions={permissions.fields}
+ filter={(field) => (!field.admin.position || (field.admin.position && field.admin.position !== 'sidebar'))}
+ fieldTypes={fieldTypes}
+ fieldSchema={fields}
+ />
+ </div>
+ </div>
+ <div className={`${baseClass}__sidebar-wrap`}>
+ <div className={`${baseClass}__sidebar`}>
+ <div className={`${baseClass}__sidebar-sticky-wrap`}>
+ <div className={`${baseClass}__document-actions${((global.versions?.drafts && !global.versions?.drafts?.autosave) || preview) ? ` ${baseClass}__document-actions--has-2` : ''}`}>
+ {(preview && (!global.versions?.drafts || global.versions?.drafts?.autosave)) && (
+ <PreviewButton
+ generatePreviewURL={preview}
+ data={data}
+ />
+ )}
+ {hasSavePermission && (
+ <React.Fragment>
+ {global.versions?.drafts && (
+ <React.Fragment>
+ {!global.versions.drafts.autosave && (
+ <SaveDraft />
+ )}
+ <Publish />
+ </React.Fragment>
+ )}
+ {!global.versions?.drafts && (
+ <FormSubmit>Save</FormSubmit>
+ )}
+ </React.Fragment>
+ )}
+ </div>
+ <div className={`${baseClass}__sidebar-fields`}>
+ {(preview && (global.versions?.drafts && !global.versions?.drafts?.autosave)) && (
+ <PreviewButton
+ generatePreviewURL={preview}
+ data={data}
+ />
+ )}
+ {global.versions?.drafts && (
+ <React.Fragment>
+ <Status />
+ {(global.versions.drafts.autosave && hasSavePermission) && (
+ <Autosave
+ publishedDocUpdatedAt={publishedDoc?.updatedAt || data?.createdAt}
+ global={global}
+ />
+ )}
+ </React.Fragment>
+ )}
+ <RenderFields
+ readOnly={!hasSavePermission}
+ permissions={permissions.fields}
+ filter={(field) => field.admin.position === 'sidebar'}
+ fieldTypes={fieldTypes}
+ fieldSchema={fields}
/>
- )}
- {global.versions?.drafts && (
- <React.Fragment>
- <Status />
- {(global.versions.drafts.autosave && hasSavePermission) && (
- <Autosave
- publishedDocUpdatedAt={publishedDoc?.updatedAt || data?.createdAt}
- global={global}
- />
- )}
- </React.Fragment>
- )}
- <RenderFields
- operation="update"
- readOnly={!hasSavePermission}
- permissions={permissions.fields}
- filter={(field) => field.admin.position === 'sidebar'}
- fieldTypes={fieldTypes}
- fieldSchema={fields}
- />
+ </div>
+ <ul className={`${baseClass}__meta`}>
+ {versions && (
+ <li>
+ <div className={`${baseClass}__label`}>Versions</div>
+ <VersionsCount global={global} />
+ </li>
+ )}
+ {(data && !hideAPIURL) && (
+ <li className={`${baseClass}__api-url`}>
+ <span className={`${baseClass}__label`}>
+ API URL
+ {' '}
+ <CopyToClipboard value={apiURL} />
+ </span>
+ <a
+ href={apiURL}
+ target="_blank"
+ rel="noopener noreferrer"
+ >
+ {apiURL}
+ </a>
+ </li>
+ )}
+ {data.updatedAt && (
+ <li>
+ <div className={`${baseClass}__label`}>Last Modified</div>
+ <div>{format(new Date(data.updatedAt as string), dateFormat)}</div>
+ </li>
+ )}
+ </ul>
</div>
- <ul className={`${baseClass}__meta`}>
- {versions && (
- <li>
- <div className={`${baseClass}__label`}>Versions</div>
- <VersionsCount global={global} />
- </li>
- )}
- {(data && !hideAPIURL) && (
- <li className={`${baseClass}__api-url`}>
- <span className={`${baseClass}__label`}>
- API URL
- {' '}
- <CopyToClipboard value={apiURL} />
- </span>
- <a
- href={apiURL}
- target="_blank"
- rel="noopener noreferrer"
- >
- {apiURL}
- </a>
- </li>
- )}
- {data.updatedAt && (
- <li>
- <div className={`${baseClass}__label`}>Last Modified</div>
- <div>{format(new Date(data.updatedAt as string), dateFormat)}</div>
- </li>
- )}
- </ul>
</div>
</div>
- </div>
- </Form>
+ </Form>
+ </OperationContext.Provider>
)}
</div>
);
diff --git a/src/admin/components/views/Login/index.tsx b/src/admin/components/views/Login/index.tsx
index 6dfc45303e1..649724e49b5 100644
--- a/src/admin/components/views/Login/index.tsx
+++ b/src/admin/components/views/Login/index.tsx
@@ -86,7 +86,6 @@ const Login: React.FC = () => {
onSuccess={onSuccess}
method="post"
action={`${serverURL}${api}/${userSlug}/login`}
- validationOperation="update"
>
<Email
label="Email Address"
diff --git a/src/admin/components/views/collections/Edit/Auth/APIKey.tsx b/src/admin/components/views/collections/Edit/Auth/APIKey.tsx
index 9f2bb6cbf28..85436dab10a 100644
--- a/src/admin/components/views/collections/Edit/Auth/APIKey.tsx
+++ b/src/admin/components/views/collections/Edit/Auth/APIKey.tsx
@@ -10,7 +10,7 @@ import GenerateConfirmation from '../../../../elements/GenerateConfirmation';
const path = 'apiKey';
const baseClass = 'api-key';
-const validate = (val) => text(val, { minLength: 24, maxLength: 48 });
+const validate = (val) => text(val, { field: { minLength: 24, maxLength: 48 }, data: {}, siblingData: {} });
const APIKey: React.FC = () => {
const [initialAPIKey, setInitialAPIKey] = useState(null);
diff --git a/src/admin/components/views/collections/Edit/Default.tsx b/src/admin/components/views/collections/Edit/Default.tsx
index 813e59b3b52..adfc0cf48d1 100644
--- a/src/admin/components/views/collections/Edit/Default.tsx
+++ b/src/admin/components/views/collections/Edit/Default.tsx
@@ -25,6 +25,7 @@ import Status from '../../../elements/Status';
import Publish from '../../../elements/Publish';
import SaveDraft from '../../../elements/SaveDraft';
import { useDocumentInfo } from '../../../utilities/DocumentInfo';
+import { OperationContext } from '../../../utilities/OperationProvider';
import './index.scss';
@@ -76,32 +77,33 @@ const DefaultEditView: React.FC<Props> = (props) => {
<Loading />
)}
{!isLoading && (
- <Form
- className={`${baseClass}__form`}
- method={id ? 'put' : 'post'}
- action={action}
- onSuccess={onSave}
- disabled={!hasSavePermission}
- initialState={initialState}
- validationOperation={isEditing ? 'update' : 'create'}
- >
- <div className={`${baseClass}__main`}>
- <Meta
- title={`${isEditing ? 'Editing' : 'Creating'} - ${collection.labels.singular}`}
- description={`${isEditing ? 'Editing' : 'Creating'} - ${collection.labels.singular}`}
- keywords={`${collection.labels.singular}, Payload, CMS`}
- />
- <Eyebrow />
- {!(collection.versions?.drafts && collection.versions?.drafts?.autosave) && (
+ <OperationContext.Provider value={operation}>
+ <Form
+ className={`${baseClass}__form`}
+ method={id ? 'put' : 'post'}
+ action={action}
+ onSuccess={onSave}
+ disabled={!hasSavePermission}
+ initialState={initialState}
+ validationOperation={isEditing ? 'update' : 'create'}
+ >
+ <div className={`${baseClass}__main`}>
+ <Meta
+ title={`${isEditing ? 'Editing' : 'Creating'} - ${collection.labels.singular}`}
+ description={`${isEditing ? 'Editing' : 'Creating'} - ${collection.labels.singular}`}
+ keywords={`${collection.labels.singular}, Payload, CMS`}
+ />
+ <Eyebrow />
+ {!(collection.versions?.drafts && collection.versions?.drafts?.autosave) && (
<LeaveWithoutSaving />
- )}
- <div className={`${baseClass}__edit`}>
- <header className={`${baseClass}__header`}>
- <h1>
- <RenderTitle {...{ data, useAsTitle, fallback: '[Untitled]' }} />
- </h1>
- </header>
- {auth && (
+ )}
+ <div className={`${baseClass}__edit`}>
+ <header className={`${baseClass}__header`}>
+ <h1>
+ <RenderTitle {...{ data, useAsTitle, fallback: '[Untitled]' }} />
+ </h1>
+ </header>
+ {auth && (
<Auth
useAPIKey={auth.useAPIKey}
requirePassword={!isEditing}
@@ -110,36 +112,35 @@ const DefaultEditView: React.FC<Props> = (props) => {
email={data?.email}
operation={operation}
/>
- )}
- {upload && (
+ )}
+ {upload && (
<Upload
data={data}
collection={collection}
/>
- )}
- <RenderFields
- operation={operation}
- readOnly={!hasSavePermission}
- permissions={permissions.fields}
- filter={(field) => (!field?.admin?.position || (field?.admin?.position !== 'sidebar'))}
- fieldTypes={fieldTypes}
- fieldSchema={fields}
- />
+ )}
+ <RenderFields
+ readOnly={!hasSavePermission}
+ permissions={permissions.fields}
+ filter={(field) => (!field?.admin?.position || (field?.admin?.position !== 'sidebar'))}
+ fieldTypes={fieldTypes}
+ fieldSchema={fields}
+ />
+ </div>
</div>
- </div>
- <div className={`${baseClass}__sidebar-wrap`}>
- <div className={`${baseClass}__sidebar`}>
- <div className={`${baseClass}__sidebar-sticky-wrap`}>
- <ul className={`${baseClass}__collection-actions`}>
- {(permissions?.create?.permission) && (
+ <div className={`${baseClass}__sidebar-wrap`}>
+ <div className={`${baseClass}__sidebar`}>
+ <div className={`${baseClass}__sidebar-sticky-wrap`}>
+ <ul className={`${baseClass}__collection-actions`}>
+ {(permissions?.create?.permission) && (
<React.Fragment>
<li><Link to={`${admin}/collections/${slug}/create`}>Create New</Link></li>
{!disableDuplicate && (
<li><DuplicateDocument slug={slug} /></li>
)}
</React.Fragment>
- )}
- {permissions?.delete?.permission && (
+ )}
+ {permissions?.delete?.permission && (
<li>
<DeleteDocument
collection={collection}
@@ -147,15 +148,15 @@ const DefaultEditView: React.FC<Props> = (props) => {
/>
</li>
)}
- </ul>
- <div className={`${baseClass}__document-actions${((collection.versions?.drafts && !collection.versions?.drafts?.autosave) || (isEditing && preview)) ? ` ${baseClass}__document-actions--has-2` : ''}`}>
- {(preview && (!collection.versions?.drafts || collection.versions?.drafts?.autosave)) && (
+ </ul>
+ <div className={`${baseClass}__document-actions${((collection.versions?.drafts && !collection.versions?.drafts?.autosave) || (isEditing && preview)) ? ` ${baseClass}__document-actions--has-2` : ''}`}>
+ {(preview && (!collection.versions?.drafts || collection.versions?.drafts?.autosave)) && (
<PreviewButton
generatePreviewURL={preview}
data={data}
/>
- )}
- {hasSavePermission && (
+ )}
+ {hasSavePermission && (
<React.Fragment>
{collection.versions?.drafts && (
<React.Fragment>
@@ -169,16 +170,16 @@ const DefaultEditView: React.FC<Props> = (props) => {
<FormSubmit>Save</FormSubmit>
)}
</React.Fragment>
- )}
- </div>
- <div className={`${baseClass}__sidebar-fields`}>
- {(isEditing && preview && (collection.versions?.drafts && !collection.versions?.drafts?.autosave)) && (
+ )}
+ </div>
+ <div className={`${baseClass}__sidebar-fields`}>
+ {(isEditing && preview && (collection.versions?.drafts && !collection.versions?.drafts?.autosave)) && (
<PreviewButton
generatePreviewURL={preview}
data={data}
/>
- )}
- {collection.versions?.drafts && (
+ )}
+ {collection.versions?.drafts && (
<React.Fragment>
<Status />
{(collection.versions?.drafts.autosave && hasSavePermission) && (
@@ -190,16 +191,15 @@ const DefaultEditView: React.FC<Props> = (props) => {
)}
</React.Fragment>
)}
- <RenderFields
- operation={isEditing ? 'update' : 'create'}
- readOnly={!hasSavePermission}
- permissions={permissions.fields}
- filter={(field) => field?.admin?.position === 'sidebar'}
- fieldTypes={fieldTypes}
- fieldSchema={fields}
- />
- </div>
- {isEditing && (
+ <RenderFields
+ readOnly={!hasSavePermission}
+ permissions={permissions.fields}
+ filter={(field) => field?.admin?.position === 'sidebar'}
+ fieldTypes={fieldTypes}
+ fieldSchema={fields}
+ />
+ </div>
+ {isEditing && (
<ul className={`${baseClass}__meta`}>
{!hideAPIURL && (
<li className={`${baseClass}__api-url`}>
@@ -243,11 +243,12 @@ const DefaultEditView: React.FC<Props> = (props) => {
</React.Fragment>
)}
</ul>
- )}
+ )}
+ </div>
</div>
</div>
- </div>
- </Form>
+ </Form>
+ </OperationContext.Provider>
)}
</div>
);
diff --git a/src/fields/config/types.ts b/src/fields/config/types.ts
index 226c6bf5f50..6dd3af38714 100644
--- a/src/fields/config/types.ts
+++ b/src/fields/config/types.ts
@@ -51,16 +51,16 @@ export type Labels = {
plural: string;
};
-export type ValidateOptions<F, T, S> = {
+export type ValidateOptions<T, S, F> = {
field: F
data: Partial<T>
siblingData: Partial<S>
id?: string | number
user?: Partial<User>
- operation: Operation
+ operation?: Operation
}
-export type Validate<F = any, T = any, S = any, TT = any> = (value?: T, options?: ValidateOptions<F, S, TT>) => string | true | Promise<string | true>;
+export type Validate<T = any, S = any, F = any, TT = any> = (value?: T, options?: ValidateOptions<F, S, TT>) => string | true | Promise<string | true>;
export type OptionObject = {
label: string
diff --git a/src/fields/traverseFields.ts b/src/fields/traverseFields.ts
index 38303b5eb28..668706969a3 100644
--- a/src/fields/traverseFields.ts
+++ b/src/fields/traverseFields.ts
@@ -13,7 +13,6 @@ import { Operation } from '../types';
import { PayloadRequest } from '../express/types';
import { Payload } from '..';
import richTextRelationshipPromise from './richText/relationshipPromise';
-import getSiblingData from '../admin/components/forms/Form/getSiblingData';
type Arguments = {
fields: Field[]
@@ -380,9 +379,10 @@ const traverseFields = (args: Arguments): void => {
validationPromises.push(() => validationPromise({
errors,
hook,
- newData: { [field.name]: newRowCount },
- existingData: { [field.name]: existingRowCount },
- siblingData: getSiblingData(data, field.name),
+ data: { [field.name]: newRowCount },
+ fullData,
+ originalDoc: { [field.name]: existingRowCount },
+ fullOriginalDoc,
field,
path,
skipValidation: skipValidationFromHere,
@@ -394,9 +394,10 @@ const traverseFields = (args: Arguments): void => {
validationPromises.push(() => validationPromise({
errors,
hook,
- newData: data,
- existingData: originalDoc,
- siblingData: getSiblingData(data, field.name),
+ data,
+ fullData,
+ originalDoc,
+ fullOriginalDoc,
field,
path,
skipValidation: skipValidationFromHere,
diff --git a/src/fields/validationPromise.ts b/src/fields/validationPromise.ts
index 21499bac130..cca72be062f 100644
--- a/src/fields/validationPromise.ts
+++ b/src/fields/validationPromise.ts
@@ -1,5 +1,6 @@
-import { User } from 'payload/auth';
-import { Operation } from 'payload/types';
+import merge from 'deepmerge';
+import { User } from '../auth';
+import { Operation } from '../types';
import { HookName, FieldAffectingData } from './config/types';
type Arguments = {
@@ -7,9 +8,10 @@ type Arguments = {
field: FieldAffectingData
path: string
errors: {message: string, field: string}[]
- newData: Record<string, unknown>
- existingData: Record<string, unknown>
- siblingData: Record<string, unknown>
+ data: Record<string, unknown>
+ fullData: Record<string, unknown>
+ originalDoc: Record<string, unknown>
+ fullOriginalDoc: Record<string, unknown>
id?: string | number
skipValidation?: boolean
user: User
@@ -19,9 +21,10 @@ type Arguments = {
const validationPromise = async ({
errors,
hook,
- newData,
- existingData,
- siblingData,
+ originalDoc,
+ fullOriginalDoc,
+ data,
+ fullData,
id,
field,
path,
@@ -33,16 +36,15 @@ const validationPromise = async ({
const hasCondition = field.admin && field.admin.condition;
const shouldValidate = field.validate && !hasCondition;
- const dataToValidate = newData || existingData;
- let valueToValidate = newData?.[field.name];
- if (valueToValidate === undefined) valueToValidate = existingData?.[field.name];
+ let valueToValidate = data?.[field.name];
+ if (valueToValidate === undefined) valueToValidate = originalDoc?.[field.name];
if (valueToValidate === undefined) valueToValidate = field.defaultValue;
const result = shouldValidate ? await field.validate(valueToValidate, {
field,
- data: dataToValidate,
- siblingData,
+ data: merge(fullOriginalDoc, fullData),
+ siblingData: merge(originalDoc, data),
id,
operation,
user,
diff --git a/src/fields/validations.ts b/src/fields/validations.ts
index 05c0a628f7a..8b01649199d 100644
--- a/src/fields/validations.ts
+++ b/src/fields/validations.ts
@@ -13,7 +13,7 @@ import {
const defaultMessage = 'This field is required.';
-export const number: Validate<NumberField> = (value: string, options) => {
+export const number: Validate<unknown, unknown, NumberField> = (value: string, options) => {
const parsedValue = parseInt(value, 10);
if ((value && typeof parsedValue !== 'number') || (options.field.required && Number.isNaN(parsedValue))) {
@@ -35,7 +35,7 @@ export const number: Validate<NumberField> = (value: string, options) => {
return true;
};
-export const text: Validate<TextField> = (value: string, options) => {
+export const text: Validate<unknown, unknown, TextField> = (value: string, options) => {
if (value && options.field.maxLength && value.length > options.field.maxLength) {
return `This value must be shorter than the max length of ${options.field.maxLength} characters.`;
}
@@ -53,7 +53,7 @@ export const text: Validate<TextField> = (value: string, options) => {
return true;
};
-export const password: Validate<TextField> = (value: string, options) => {
+export const password: Validate<unknown, unknown, TextField> = (value: string, options) => {
if (value && options.field.maxLength && value.length > options.field.maxLength) {
return `This value must be shorter than the max length of ${options.field.maxLength} characters.`;
}
@@ -69,7 +69,7 @@ export const password: Validate<TextField> = (value: string, options) => {
return true;
};
-export const email: Validate<EmailField> = (value: string, options) => {
+export const email: Validate<unknown, unknown, EmailField> = (value: string, options) => {
if ((value && !/\S+@\S+\.\S+/.test(value))
|| (!value && options.field.required)) {
return 'Please enter a valid email address.';
@@ -78,7 +78,7 @@ export const email: Validate<EmailField> = (value: string, options) => {
return true;
};
-export const textarea: Validate<TextareaField> = (value: string, options) => {
+export const textarea: Validate<unknown, unknown, TextareaField> = (value: string, options) => {
if (value && options.field.maxLength && value.length > options.field.maxLength) {
return `This value must be shorter than the max length of ${options.field.maxLength} characters.`;
}
@@ -94,7 +94,7 @@ export const textarea: Validate<TextareaField> = (value: string, options) => {
return true;
};
-export const wysiwyg: Validate<TextareaField> = (value: string, options) => {
+export const wysiwyg: Validate<unknown, unknown, TextareaField> = (value: string, options) => {
if (options.field.required && !value) {
return defaultMessage;
}
@@ -102,7 +102,7 @@ export const wysiwyg: Validate<TextareaField> = (value: string, options) => {
return true;
};
-export const code: Validate<CodeField> = (value: string, options) => {
+export const code: Validate<unknown, unknown, CodeField> = (value: string, options) => {
if (options.field.required && value === undefined) {
return defaultMessage;
}
@@ -110,7 +110,7 @@ export const code: Validate<CodeField> = (value: string, options) => {
return true;
};
-export const richText: Validate<RichTextField> = (value, options) => {
+export const richText: Validate<unknown, unknown, RichTextField> = (value, options) => {
if (options.field.required) {
const stringifiedDefaultValue = JSON.stringify(defaultRichTextValue);
if (value && JSON.stringify(value) !== stringifiedDefaultValue) return true;
@@ -120,7 +120,7 @@ export const richText: Validate<RichTextField> = (value, options) => {
return true;
};
-export const checkbox: Validate<CheckboxField> = (value: boolean, options) => {
+export const checkbox: Validate<unknown, unknown, CheckboxField> = (value: boolean, options) => {
if ((value && typeof value !== 'boolean')
|| (options.field.required && typeof value !== 'boolean')) {
return 'This field can only be equal to true or false.';
@@ -129,7 +129,7 @@ export const checkbox: Validate<CheckboxField> = (value: boolean, options) => {
return true;
};
-export const date: Validate<DateField> = (value, options) => {
+export const date: Validate<unknown, unknown, DateField> = (value, options) => {
if (value && !isNaN(Date.parse(value.toString()))) { /* eslint-disable-line */
return true;
}
@@ -145,17 +145,17 @@ export const date: Validate<DateField> = (value, options) => {
return true;
};
-export const upload: Validate<UploadField> = (value: string, options) => {
+export const upload: Validate<unknown, unknown, UploadField> = (value: string, options) => {
if (value || !options.field.required) return true;
return defaultMessage;
};
-export const relationship: Validate<RelationshipField> = (value, options) => {
+export const relationship: Validate<unknown, unknown, RelationshipField> = (value, options) => {
if (value || !options.field.required) return true;
return defaultMessage;
};
-export const array: Validate<ArrayField> = (value, options) => {
+export const array: Validate<unknown, unknown, ArrayField> = (value, options) => {
if (options.field.minRows && value < options.field.minRows) {
return `This field requires at least ${options.field.minRows} row(s).`;
}
@@ -171,7 +171,7 @@ export const array: Validate<ArrayField> = (value, options) => {
return true;
};
-export const select: Validate<SelectField> = (value, options) => {
+export const select: Validate<unknown, unknown, SelectField> = (value, options) => {
if (Array.isArray(value) && value.some((input) => !options.field.options.some((option) => (option === input || (typeof option !== 'string' && option?.value === input))))) {
return 'This field has an invalid selection';
}
@@ -189,13 +189,13 @@ export const select: Validate<SelectField> = (value, options) => {
return true;
};
-export const radio: Validate<RadioField> = (value, options) => {
+export const radio: Validate<unknown, unknown, RadioField> = (value, options) => {
const stringValue = String(value);
if ((typeof value !== 'undefined' || !options.field.required) && (options.field.options.find((option) => String(typeof option !== 'string' && option?.value) === stringValue))) return true;
return defaultMessage;
};
-export const blocks: Validate<BlockField> = (value, options) => {
+export const blocks: Validate<unknown, unknown, BlockField> = (value, options) => {
if (options.field.minRows && value < options.field.minRows) {
return `This field requires at least ${options.field.minRows} row(s).`;
}
@@ -211,7 +211,7 @@ export const blocks: Validate<BlockField> = (value, options) => {
return true;
};
-export const point: Validate<PointField> = (value: [number | string, number | string] = ['', ''], options) => {
+export const point: Validate<unknown, unknown, PointField> = (value: [number | string, number | string] = ['', ''], options) => {
const lng = parseFloat(String(value[0]));
const lat = parseFloat(String(value[1]));
if (
|
fa89057aacc412872634480ded24aaad442ab03c
|
2024-04-29 23:28:06
|
Jacob Fletcher
|
fix(next,ui): properly sets document operation for globals (#6116)
| false
|
properly sets document operation for globals (#6116)
|
fix
|
diff --git a/packages/next/src/views/Edit/Default/index.tsx b/packages/next/src/views/Edit/Default/index.tsx
index 0b4345141e6..7c1f6bd66ac 100644
--- a/packages/next/src/views/Edit/Default/index.tsx
+++ b/packages/next/src/views/Edit/Default/index.tsx
@@ -88,7 +88,7 @@ export const DefaultEditView: React.FC = () => {
globalSlug: globalConfig?.slug,
})
- const operation = id ? 'update' : 'create'
+ const operation = collectionSlug && !id ? 'create' : 'update'
const auth = collectionConfig ? collectionConfig.auth : undefined
const upload = collectionConfig ? collectionConfig.upload : undefined
diff --git a/packages/ui/src/elements/DocumentFields/index.tsx b/packages/ui/src/elements/DocumentFields/index.tsx
index 0ec5a4580cb..7d6d46181dd 100644
--- a/packages/ui/src/elements/DocumentFields/index.tsx
+++ b/packages/ui/src/elements/DocumentFields/index.tsx
@@ -63,7 +63,7 @@ export const DocumentFields: React.FC<Args> = ({
className={`${baseClass}__fields`}
fieldMap={mainFields}
path=""
- permissions={docPermissions?.['fields']}
+ permissions={docPermissions?.fields}
readOnly={readOnly}
schemaPath={schemaPath}
/>
diff --git a/packages/ui/src/providers/DocumentInfo/index.tsx b/packages/ui/src/providers/DocumentInfo/index.tsx
index e07215763f1..bb03fb96d35 100644
--- a/packages/ui/src/providers/DocumentInfo/index.tsx
+++ b/packages/ui/src/providers/DocumentInfo/index.tsx
@@ -81,7 +81,7 @@ export const DocumentInfoProvider: React.FC<
}
}
- const isEditing = Boolean(id)
+ const operation = collectionSlug && !id ? 'create' : 'update'
const shouldFetchVersions = Boolean(versionsConfig && docPermissions?.readVersions?.permission)
const getVersions = useCallback(async () => {
@@ -286,7 +286,7 @@ export const DocumentInfoProvider: React.FC<
docPreferences,
globalSlug,
locale,
- operation: isEditing ? 'update' : 'create',
+ operation,
schemaPath: collectionSlug || globalSlug,
},
serverURL,
@@ -301,7 +301,7 @@ export const DocumentInfoProvider: React.FC<
getDocPreferences,
globalSlug,
id,
- isEditing,
+ operation,
locale,
onSaveFromProps,
serverURL,
@@ -323,7 +323,7 @@ export const DocumentInfoProvider: React.FC<
collectionSlug,
globalSlug,
locale,
- operation: isEditing ? 'update' : 'create',
+ operation,
schemaPath: collectionSlug || globalSlug,
},
onError: onLoadError,
@@ -353,7 +353,7 @@ export const DocumentInfoProvider: React.FC<
}
}, [
api,
- isEditing,
+ operation,
collectionSlug,
serverURL,
id,
diff --git a/test/_community/config.ts b/test/_community/config.ts
index 6af2188edae..cb68318a201 100644
--- a/test/_community/config.ts
+++ b/test/_community/config.ts
@@ -16,10 +16,10 @@ export default buildConfigWithDefaults({
PostsCollection,
// MediaCollection
],
- // globals: [
- // MenuGlobal,
- // // ...add more globals here
- // ],
+ globals: [
+ MenuGlobal,
+ // ...add more globals here
+ ],
cors: ['http://localhost:3000', 'http://localhost:3001'],
onInit: async (payload) => {
await payload.create({
diff --git a/test/access-control/config.ts b/test/access-control/config.ts
index 2f921cda0ae..259d09121ef 100644
--- a/test/access-control/config.ts
+++ b/test/access-control/config.ts
@@ -10,6 +10,7 @@ import {
hiddenAccessSlug,
hiddenFieldsSlug,
noAdminAccessEmail,
+ readOnlyGlobalSlug,
readOnlySlug,
relyOnRequestHeadersSlug,
restrictedSlug,
@@ -73,6 +74,19 @@ export default buildConfigWithDefaults({
},
},
},
+ {
+ slug: readOnlyGlobalSlug,
+ fields: [
+ {
+ name: 'name',
+ type: 'text',
+ },
+ ],
+ access: {
+ read: () => true,
+ update: () => false,
+ },
+ },
],
collections: [
{
diff --git a/test/access-control/e2e.spec.ts b/test/access-control/e2e.spec.ts
index b588e4a842f..fc61ee15cae 100644
--- a/test/access-control/e2e.spec.ts
+++ b/test/access-control/e2e.spec.ts
@@ -26,6 +26,7 @@ import { POLL_TOPASS_TIMEOUT } from '../playwright.config.js'
import {
docLevelAccessSlug,
noAdminAccessEmail,
+ readOnlyGlobalSlug,
readOnlySlug,
restrictedSlug,
restrictedVersionsSlug,
@@ -50,7 +51,8 @@ describe('access control', () => {
let page: Page
let url: AdminUrlUtil
let restrictedUrl: AdminUrlUtil
- let readOnlyUrl: AdminUrlUtil
+ let readOnlyCollectionUrl: AdminUrlUtil
+ let readOnlyGlobalUrl: AdminUrlUtil
let restrictedVersionsUrl: AdminUrlUtil
let serverURL: string
@@ -59,7 +61,8 @@ describe('access control', () => {
url = new AdminUrlUtil(serverURL, slug)
restrictedUrl = new AdminUrlUtil(serverURL, restrictedSlug)
- readOnlyUrl = new AdminUrlUtil(serverURL, readOnlySlug)
+ readOnlyCollectionUrl = new AdminUrlUtil(serverURL, readOnlySlug)
+ readOnlyGlobalUrl = new AdminUrlUtil(serverURL, readOnlySlug)
restrictedVersionsUrl = new AdminUrlUtil(serverURL, restrictedVersionsSlug)
const context = await browser.newContext()
@@ -175,12 +178,12 @@ describe('access control', () => {
})
test('should have collection url', async () => {
- await page.goto(readOnlyUrl.list)
- await expect(page).toHaveURL(new RegExp(`${readOnlyUrl.list}.*`)) // will redirect to ?limit=10 at the end, so we have to use a wildcard at the end
+ await page.goto(readOnlyCollectionUrl.list)
+ await expect(page).toHaveURL(new RegExp(`${readOnlyCollectionUrl.list}.*`)) // will redirect to ?limit=10 at the end, so we have to use a wildcard at the end
})
test('should not have "Create New" button', async () => {
- await page.goto(readOnlyUrl.create)
+ await page.goto(readOnlyCollectionUrl.create)
await expect(page.locator('.collection-list__header a')).toHaveCount(0)
})
@@ -190,17 +193,20 @@ describe('access control', () => {
})
test('edit view should not have actions buttons', async () => {
- await page.goto(readOnlyUrl.edit(existingDoc.id))
+ await page.goto(readOnlyCollectionUrl.edit(existingDoc.id))
await expect(page.locator('.collection-edit__collection-actions li')).toHaveCount(0)
})
test('fields should be read-only', async () => {
- await page.goto(readOnlyUrl.edit(existingDoc.id))
+ await page.goto(readOnlyCollectionUrl.edit(existingDoc.id))
+ await expect(page.locator('#field-name')).toBeDisabled()
+
+ await page.goto(readOnlyGlobalUrl.global(readOnlyGlobalSlug))
await expect(page.locator('#field-name')).toBeDisabled()
})
test('should not render dot menu popup when `create` and `delete` access control is set to false', async () => {
- await page.goto(readOnlyUrl.edit(existingDoc.id))
+ await page.goto(readOnlyCollectionUrl.edit(existingDoc.id))
await expect(page.locator('.collection-edit .doc-controls .doc-controls__popup')).toBeHidden()
})
})
diff --git a/test/access-control/shared.ts b/test/access-control/shared.ts
index 0063b6da261..5944244efb2 100644
--- a/test/access-control/shared.ts
+++ b/test/access-control/shared.ts
@@ -4,6 +4,7 @@ export const secondArrayText = 'second-array-text'
export const slug = 'posts'
export const unrestrictedSlug = 'unrestricted'
export const readOnlySlug = 'read-only-collection'
+export const readOnlyGlobalSlug = 'read-only-global'
export const userRestrictedSlug = 'user-restricted'
export const restrictedSlug = 'restricted'
|
6b176066ec50de179ab8559ce85d4125332989f4
|
2024-03-19 21:53:57
|
James
|
chore: progress to removing barrel file reliance
| false
|
progress to removing barrel file reliance
|
chore
|
diff --git a/package.json b/package.json
index 318b868a2eb..344f7cf5eb6 100644
--- a/package.json
+++ b/package.json
@@ -41,7 +41,7 @@
"clean:cache": "rimraf node_modules/.cache && rimraf packages/payload/node_modules/.cache && rimraf .next",
"clean:build": "find . \\( -type d \\( -name dist -o -name .cache -o -name .next -o -name .turbo \\) -o -type f -name tsconfig.tsbuildinfo \\) -not -path '*/node_modules/*' -exec rm -rf {} +",
"clean:all": "find . \\( -type d \\( -name node_modules -o -name dist -o -name .cache -o -name .next -o -name .turbo \\) -o -type f -name tsconfig.tsbuildinfo \\) -exec rm -rf {} +",
- "dev": "cross-env NODE_OPTIONS=--no-deprecation tsx ./test/dev.ts",
+ "dev": "cross-env NODE_OPTIONS=--no-deprecation node ./test/dev.js",
"devsafe": "rimraf .next && pnpm dev",
"dev:generate-graphql-schema": "cross-env NODE_OPTIONS=--no-deprecation tsx ./test/generateGraphQLSchema.ts",
"dev:generate-types": "cross-env NODE_OPTIONS=--no-deprecation tsx ./test/generateTypes.ts",
diff --git a/packages/live-preview/src/handleMessage.d.ts b/packages/live-preview/src/handleMessage.d.ts
new file mode 100644
index 00000000000..85c68a0d672
--- /dev/null
+++ b/packages/live-preview/src/handleMessage.d.ts
@@ -0,0 +1,8 @@
+export declare const handleMessage: <T>(args: {
+ apiRoute?: string
+ depth?: number
+ event: MessageEvent
+ initialData: T
+ serverURL: string
+}) => Promise<T>
+//# sourceMappingURL=handleMessage.d.ts.map
diff --git a/packages/live-preview/src/handleMessage.d.ts.map b/packages/live-preview/src/handleMessage.d.ts.map
new file mode 100644
index 00000000000..b9436b60f54
--- /dev/null
+++ b/packages/live-preview/src/handleMessage.d.ts.map
@@ -0,0 +1 @@
+{"version":3,"file":"handleMessage.d.ts","sourceRoot":"","sources":["handleMessage.ts"],"names":[],"mappings":"AAYA,eAAO,MAAM,aAAa;eACb,MAAM;YACT,MAAM;WACP,YAAY;;eAER,MAAM;gBAyClB,CAAA"}
\ No newline at end of file
diff --git a/packages/live-preview/src/index.d.ts b/packages/live-preview/src/index.d.ts
new file mode 100644
index 00000000000..28d7623a7dc
--- /dev/null
+++ b/packages/live-preview/src/index.d.ts
@@ -0,0 +1,6 @@
+export { handleMessage } from './handleMessage.js'
+export { mergeData } from './mergeData.js'
+export { ready } from './ready.js'
+export { subscribe } from './subscribe.js'
+export { unsubscribe } from './unsubscribe.js'
+//# sourceMappingURL=index.d.ts.map
diff --git a/packages/live-preview/src/index.d.ts.map b/packages/live-preview/src/index.d.ts.map
new file mode 100644
index 00000000000..9040a8fb2fe
--- /dev/null
+++ b/packages/live-preview/src/index.d.ts.map
@@ -0,0 +1 @@
+{"version":3,"file":"index.d.ts","sourceRoot":"","sources":["index.ts"],"names":[],"mappings":"AAAA,OAAO,EAAE,aAAa,EAAE,MAAM,oBAAoB,CAAA;AAClD,OAAO,EAAE,SAAS,EAAE,MAAM,gBAAgB,CAAA;AAC1C,OAAO,EAAE,KAAK,EAAE,MAAM,YAAY,CAAA;AAClC,OAAO,EAAE,SAAS,EAAE,MAAM,gBAAgB,CAAA;AAC1C,OAAO,EAAE,WAAW,EAAE,MAAM,kBAAkB,CAAA"}
\ No newline at end of file
diff --git a/packages/live-preview/src/mergeData.d.ts b/packages/live-preview/src/mergeData.d.ts
new file mode 100644
index 00000000000..881b9be9f32
--- /dev/null
+++ b/packages/live-preview/src/mergeData.d.ts
@@ -0,0 +1,26 @@
+import type { fieldSchemaToJSON } from 'payload/utilities'
+import type { UpdatedDocument } from './types.js'
+export declare const mergeData: <T>(args: {
+ apiRoute?: string
+ collectionPopulationRequestHandler?: ({
+ apiPath,
+ endpoint,
+ serverURL,
+ }: {
+ apiPath: string
+ endpoint: string
+ serverURL: string
+ }) => Promise<Response>
+ depth?: number
+ externallyUpdatedRelationship?: UpdatedDocument
+ fieldSchema: ReturnType<typeof fieldSchemaToJSON>
+ incomingData: Partial<T>
+ initialData: T
+ returnNumberOfRequests?: boolean
+ serverURL: string
+}) => Promise<
+ T & {
+ _numberOfRequests?: number
+ }
+>
+//# sourceMappingURL=mergeData.d.ts.map
diff --git a/packages/live-preview/src/mergeData.d.ts.map b/packages/live-preview/src/mergeData.d.ts.map
new file mode 100644
index 00000000000..16aba4761e6
--- /dev/null
+++ b/packages/live-preview/src/mergeData.d.ts.map
@@ -0,0 +1 @@
+{"version":3,"file":"mergeData.d.ts","sourceRoot":"","sources":["mergeData.ts"],"names":[],"mappings":"AACA,OAAO,KAAK,EAAE,iBAAiB,EAAE,MAAM,mBAAmB,CAAA;AAE1D,OAAO,KAAK,EAA2B,eAAe,EAAE,MAAM,YAAY,CAAA;AAc1E,eAAO,MAAM,SAAS;eACT,MAAM;;iBAMN,MAAM;kBACL,MAAM;mBACL,MAAM;UACb,QAAQ,QAAQ,CAAC;YACf,MAAM;oCACkB,eAAe;iBAClC,WAAW,wBAAwB,CAAC;;;6BAGxB,OAAO;eACrB,MAAM;;wBAGK,MAAM;EA6D7B,CAAA"}
\ No newline at end of file
diff --git a/packages/live-preview/src/subscribe.d.ts b/packages/live-preview/src/subscribe.d.ts
new file mode 100644
index 00000000000..b4f207ce866
--- /dev/null
+++ b/packages/live-preview/src/subscribe.d.ts
@@ -0,0 +1,8 @@
+export declare const subscribe: <T>(args: {
+ apiRoute?: string
+ callback: (data: T) => void
+ depth?: number
+ initialData: T
+ serverURL: string
+}) => (event: MessageEvent) => void
+//# sourceMappingURL=subscribe.d.ts.map
diff --git a/packages/live-preview/src/subscribe.d.ts.map b/packages/live-preview/src/subscribe.d.ts.map
new file mode 100644
index 00000000000..835927e2c56
--- /dev/null
+++ b/packages/live-preview/src/subscribe.d.ts.map
@@ -0,0 +1 @@
+{"version":3,"file":"subscribe.d.ts","sourceRoot":"","sources":["subscribe.ts"],"names":[],"mappings":"AAEA,eAAO,MAAM,SAAS;eACT,MAAM;2BACM,IAAI;YACnB,MAAM;;eAEH,MAAM;cACN,YAAY,KAAK,IAa7B,CAAA"}
\ No newline at end of file
diff --git a/packages/live-preview/src/traverseFields.d.ts b/packages/live-preview/src/traverseFields.d.ts
new file mode 100644
index 00000000000..7eca67d89f1
--- /dev/null
+++ b/packages/live-preview/src/traverseFields.d.ts
@@ -0,0 +1,10 @@
+import type { fieldSchemaToJSON } from 'payload/utilities'
+import type { PopulationsByCollection, UpdatedDocument } from './types.js'
+export declare const traverseFields: <T>(args: {
+ externallyUpdatedRelationship?: UpdatedDocument
+ fieldSchema: ReturnType<typeof fieldSchemaToJSON>
+ incomingData: T
+ populationsByCollection: PopulationsByCollection
+ result: T
+}) => void
+//# sourceMappingURL=traverseFields.d.ts.map
diff --git a/packages/live-preview/src/traverseFields.d.ts.map b/packages/live-preview/src/traverseFields.d.ts.map
new file mode 100644
index 00000000000..772a3f8801c
--- /dev/null
+++ b/packages/live-preview/src/traverseFields.d.ts.map
@@ -0,0 +1 @@
+{"version":3,"file":"traverseFields.d.ts","sourceRoot":"","sources":["traverseFields.ts"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,iBAAiB,EAAE,MAAM,mBAAmB,CAAA;AAE1D,OAAO,KAAK,EAAE,uBAAuB,EAAE,eAAe,EAAE,MAAM,YAAY,CAAA;AAI1E,eAAO,MAAM,cAAc;oCACO,eAAe;iBAClC,WAAW,wBAAwB,CAAC;;6BAExB,uBAAuB;;MAE9C,IA4QH,CAAA"}
\ No newline at end of file
diff --git a/packages/next/src/elements/LeaveWithoutSaving/index.tsx b/packages/next/src/elements/LeaveWithoutSaving/index.tsx
index 8ce6ceee073..e5331b277ac 100644
--- a/packages/next/src/elements/LeaveWithoutSaving/index.tsx
+++ b/packages/next/src/elements/LeaveWithoutSaving/index.tsx
@@ -1,7 +1,7 @@
'use client'
-import { Modal, useModal } from '@payloadcms/ui'
-import { Button } from '@payloadcms/ui/elements'
+import { Button, Modal } from '@payloadcms/ui/elements'
import { useFormModified } from '@payloadcms/ui/forms'
+import { useModal } from '@payloadcms/ui/hooks'
import { useAuth } from '@payloadcms/ui/providers'
import { useTranslation } from '@payloadcms/ui/providers'
import React, { useCallback, useEffect } from 'react'
diff --git a/packages/next/src/exports/utilities.ts b/packages/next/src/exports/utilities.ts
new file mode 100644
index 00000000000..da58ed2d5d0
--- /dev/null
+++ b/packages/next/src/exports/utilities.ts
@@ -0,0 +1 @@
+export { getPayloadHMR } from '../utilities/getPayloadHMR.js'
diff --git a/packages/next/src/layouts/Root/index.tsx b/packages/next/src/layouts/Root/index.tsx
index 39abe6dc235..116212da233 100644
--- a/packages/next/src/layouts/Root/index.tsx
+++ b/packages/next/src/layouts/Root/index.tsx
@@ -1,8 +1,9 @@
import type { SanitizedConfig } from 'payload/types'
import { translations } from '@payloadcms/translations/client'
-import { RootProvider, buildComponentMap } from '@payloadcms/ui'
+import { RootProvider } from '@payloadcms/ui/providers'
import '@payloadcms/ui/scss/app.scss'
+import { buildComponentMap } from '@payloadcms/ui/utilities'
import { headers as getHeaders, cookies as nextCookies } from 'next/headers.js'
import { parseCookies } from 'payload/auth'
import { createClientConfig } from 'payload/config'
diff --git a/packages/next/src/routes/rest/buildFormState.ts b/packages/next/src/routes/rest/buildFormState.ts
index 7433395e69b..4142e1be2da 100644
--- a/packages/next/src/routes/rest/buildFormState.ts
+++ b/packages/next/src/routes/rest/buildFormState.ts
@@ -1,7 +1,9 @@
-import type { BuildFormStateArgs, FieldSchemaMap } from '@payloadcms/ui'
+import type { BuildFormStateArgs } from '@payloadcms/ui/form-utilities'
+import type { FieldSchemaMap } from '@payloadcms/ui/utilities'
import type { Field, PayloadRequest, SanitizedConfig } from 'payload/types'
-import { buildFieldSchemaMap, buildStateFromSchema, reduceFieldsToValues } from '@payloadcms/ui'
+import { buildStateFromSchema, reduceFieldsToValues } from '@payloadcms/ui/form-utilities'
+import { buildFieldSchemaMap } from '@payloadcms/ui/utilities'
import httpStatus from 'http-status'
let cached = global._payload_fieldSchemaMap
diff --git a/packages/next/src/utilities/initPage.ts b/packages/next/src/utilities/initPage.ts
index 940000bdda2..1957b90e115 100644
--- a/packages/next/src/utilities/initPage.ts
+++ b/packages/next/src/utilities/initPage.ts
@@ -8,7 +8,7 @@ import type {
import { initI18n } from '@payloadcms/translations'
import { translations } from '@payloadcms/translations/client'
-import { findLocaleFromCode } from '@payloadcms/ui'
+import { findLocaleFromCode } from '@payloadcms/ui/utilities'
import { headers as getHeaders } from 'next/headers.js'
import { notFound, redirect } from 'next/navigation.js'
import { createLocalReq } from 'payload/utilities'
diff --git a/packages/next/src/views/API/index.client.tsx b/packages/next/src/views/API/index.client.tsx
index e88dcd437dc..5ae500bfb6e 100644
--- a/packages/next/src/views/API/index.client.tsx
+++ b/packages/next/src/views/API/index.client.tsx
@@ -1,20 +1,15 @@
'use client'
+import { CopyToClipboard, Gutter, SetViewActions } from '@payloadcms/ui/elements'
+import { Checkbox, Form, Number as NumberInput, Select } from '@payloadcms/ui/forms'
+import { MinimizeMaximize } from '@payloadcms/ui/icons'
import {
- Checkbox,
- CopyToClipboard,
- Form,
- Gutter,
- MinimizeMaximize,
- Number as NumberInput,
- Select,
- SetViewActions,
useComponentMap,
useConfig,
useDocumentInfo,
useLocale,
useTranslation,
-} from '@payloadcms/ui'
+} from '@payloadcms/ui/providers'
import { useSearchParams } from 'next/navigation.js'
import qs from 'qs'
import * as React from 'react'
diff --git a/packages/next/src/views/Account/Settings/index.tsx b/packages/next/src/views/Account/Settings/index.tsx
index 5a1d8812bb2..88502037d47 100644
--- a/packages/next/src/views/Account/Settings/index.tsx
+++ b/packages/next/src/views/Account/Settings/index.tsx
@@ -1,5 +1,6 @@
'use client'
-import { Label, ReactSelect } from '@payloadcms/ui'
+import { ReactSelect } from '@payloadcms/ui/elements'
+import { Label } from '@payloadcms/ui/forms'
import { useTranslation } from '@payloadcms/ui/providers'
import React from 'react'
diff --git a/packages/next/src/views/Account/ToggleTheme/index.tsx b/packages/next/src/views/Account/ToggleTheme/index.tsx
index b6f38b250c2..400e95842ed 100644
--- a/packages/next/src/views/Account/ToggleTheme/index.tsx
+++ b/packages/next/src/views/Account/ToggleTheme/index.tsx
@@ -1,7 +1,9 @@
'use client'
-import type { OnChange, Theme } from '@payloadcms/ui'
+import type { OnChange } from '@payloadcms/ui/forms'
+import type { Theme } from '@payloadcms/ui/providers'
-import { RadioGroupInput, useTheme, useTranslation } from '@payloadcms/ui'
+import { RadioGroupInput } from '@payloadcms/ui/forms'
+import { useTheme, useTranslation } from '@payloadcms/ui/providers'
import React, { useCallback } from 'react'
export const ToggleTheme: React.FC = () => {
diff --git a/packages/next/src/views/Account/index.tsx b/packages/next/src/views/Account/index.tsx
index 79e44b2644c..ba1c856441d 100644
--- a/packages/next/src/views/Account/index.tsx
+++ b/packages/next/src/views/Account/index.tsx
@@ -1,16 +1,10 @@
import type { DocumentPreferences, ServerSideEditViewProps, TypeWithID } from 'payload/types'
import type { AdminViewProps } from 'payload/types'
-import {
- DocumentHeader,
- DocumentInfoProvider,
- FormQueryParamsProvider,
- HydrateClientUser,
- RenderCustomComponent,
- buildStateFromSchema,
- formatDocTitle,
- formatFields,
-} from '@payloadcms/ui'
+import { DocumentHeader, HydrateClientUser, RenderCustomComponent } from '@payloadcms/ui/elements'
+import { buildStateFromSchema } from '@payloadcms/ui/form-utilities'
+import { DocumentInfoProvider, FormQueryParamsProvider } from '@payloadcms/ui/providers'
+import { formatDocTitle, formatFields } from '@payloadcms/ui/utilities'
import { notFound } from 'next/navigation.js'
import React from 'react'
diff --git a/packages/payload/uploads.d.ts b/packages/payload/uploads.d.ts
new file mode 100644
index 00000000000..65a126c3f11
--- /dev/null
+++ b/packages/payload/uploads.d.ts
@@ -0,0 +1,2 @@
+export { default as getFileByPath } from './dist/uploads/getFileByPath.js'
+//# sourceMappingURL=uploads.d.ts.map
diff --git a/packages/payload/uploads.js b/packages/payload/uploads.js
new file mode 100644
index 00000000000..795f4aacc22
--- /dev/null
+++ b/packages/payload/uploads.js
@@ -0,0 +1,3 @@
+export { default as getFileByPath } from './dist/uploads/getFileByPath.js'
+
+//# sourceMappingURL=uploads.js.map
diff --git a/packages/ui/src/exports/form-utilities.ts b/packages/ui/src/exports/form-utilities.ts
new file mode 100644
index 00000000000..6d4081b07a7
--- /dev/null
+++ b/packages/ui/src/exports/form-utilities.ts
@@ -0,0 +1,3 @@
+export { default as reduceFieldsToValues } from '../forms/Form/reduceFieldsToValues.js'
+export { buildStateFromSchema } from '../forms/buildStateFromSchema/index.js'
+export type { BuildFormStateArgs } from '../forms/buildStateFromSchema/index.js'
diff --git a/packages/ui/src/exports/forms.ts b/packages/ui/src/exports/forms.ts
index c64dd099c78..a27f94b894f 100644
--- a/packages/ui/src/exports/forms.ts
+++ b/packages/ui/src/exports/forms.ts
@@ -14,15 +14,13 @@ export {
export { useFormModified } from '../forms/Form/context.js'
export { createNestedFieldPath } from '../forms/Form/createNestedFieldPath.js'
export { default as Form } from '../forms/Form/index.js'
-export { default as reduceFieldsToValues } from '../forms/Form/reduceFieldsToValues.js'
export type { Props as FormProps } from '../forms/Form/types.js'
export { default as Label } from '../forms/Label/index.js'
export { RenderFields } from '../forms/RenderFields/index.js'
export { useRowLabel } from '../forms/RowLabel/Context/index.js'
export { default as FormSubmit } from '../forms/Submit/index.js'
export { default as Submit } from '../forms/Submit/index.js'
-export { buildStateFromSchema } from '../forms/buildStateFromSchema/index.js'
-export type { BuildFormStateArgs } from '../forms/buildStateFromSchema/index.js'
+
export type { ArrayFieldProps } from '../forms/fields/Array/types.js'
export { default as SectionTitle } from '../forms/fields/Blocks/SectionTitle/index.js'
export type { BlocksFieldProps } from '../forms/fields/Blocks/types.js'
@@ -60,5 +58,3 @@ export { fieldBaseClass } from '../forms/fields/shared.js'
export { useField } from '../forms/useField/index.js'
export type { FieldType, Options } from '../forms/useField/types.js'
export { withCondition } from '../forms/withCondition/index.js'
-export { buildComponentMap } from '../utilities/buildComponentMap/index.js'
-export type { ReducedBlock } from '../utilities/buildComponentMap/types.js'
diff --git a/packages/ui/src/exports/index.ts b/packages/ui/src/exports/index.ts
deleted file mode 100644
index 0acf8370437..00000000000
--- a/packages/ui/src/exports/index.ts
+++ /dev/null
@@ -1,9 +0,0 @@
-export * from './elements.js'
-export * from './forms.js'
-export * from './hooks.js'
-export * from './providers.js'
-export * from './utilities.js'
-export * from './templates.js'
-export * from './graphics.js'
-export * from './icons.js'
-export * from './types.js'
diff --git a/packages/ui/src/exports/utilities.ts b/packages/ui/src/exports/utilities.ts
index 49cadfeee00..a3aaadff680 100644
--- a/packages/ui/src/exports/utilities.ts
+++ b/packages/ui/src/exports/utilities.ts
@@ -1,5 +1,7 @@
+export { buildComponentMap } from '../utilities/buildComponentMap/index.js'
export { mapFields } from '../utilities/buildComponentMap/mapFields.js'
export type { FieldMap, MappedField } from '../utilities/buildComponentMap/types.js'
+export type { ReducedBlock } from '../utilities/buildComponentMap/types.js'
export { buildFieldSchemaMap } from '../utilities/buildFieldSchemaMap/index.js'
export type { FieldSchemaMap } from '../utilities/buildFieldSchemaMap/types.js'
export { default as canUseDOM } from '../utilities/canUseDOM.js'
diff --git a/packages/ui/src/index.ts b/packages/ui/src/index.ts
deleted file mode 100644
index 5da3f91f9ec..00000000000
--- a/packages/ui/src/index.ts
+++ /dev/null
@@ -1 +0,0 @@
-export * from './exports/index.js'
diff --git a/test/dev.js b/test/dev.js
index 8af524b9dc7..a87b5aaf1de 100644
--- a/test/dev.js
+++ b/test/dev.js
@@ -24,8 +24,10 @@ process.env.PAYLOAD_DROP_DATABASE = 'true'
const { afterTest, beforeTest } = await createTestHooks(testSuiteArg)
await beforeTest()
+const rootDir = resolve(_dirname, './')
+
// @ts-expect-error
-await nextDev({ _: [resolve(_dirname, '..')], port: process.env.PORT || 3000 })
+await nextDev({ port: process.env.PORT || 3000, dirname: rootDir }, 'default', rootDir)
// On cmd+c, clean up
process.on('SIGINT', async () => {
diff --git a/test/helpers/initPayloadE2E.ts b/test/helpers/initPayloadE2E.ts
index 06efaa2b983..009da727d6f 100644
--- a/test/helpers/initPayloadE2E.ts
+++ b/test/helpers/initPayloadE2E.ts
@@ -1,12 +1,13 @@
import type { SanitizedConfig } from 'payload/config'
+import { getPayloadHMR } from '@payloadcms/next/utilities'
import { createServer } from 'http'
import nextImport from 'next'
+import path from 'path'
import { type Payload } from 'payload'
import { wait } from 'payload/utilities'
import { parse } from 'url'
-import { getPayloadHMR } from '../../packages/next/src/utilities/getPayloadHMR.js'
import { startMemoryDB } from '../startMemoryDB.js'
import { createTestHooks } from '../testHooks.js'
@@ -39,7 +40,13 @@ export async function initPayloadE2E({ config, dirname }: Args): Promise<Result>
const serverURL = `http://localhost:${port}`
// @ts-expect-error
- const app = nextImport({ dev: true, hostname: 'localhost', port })
+ const app = nextImport({
+ dev: true,
+ hostname: 'localhost',
+ port,
+ dir: path.resolve(dirname, '../'),
+ })
+
const handle = app.getRequestHandler()
let resolveServer
diff --git a/test/tsconfig.json b/test/tsconfig.json
index 67b704ce75e..98aa0d5fb74 100644
--- a/test/tsconfig.json
+++ b/test/tsconfig.json
@@ -49,8 +49,6 @@
],
"include": [
"./**/*.ts",
- "../packages/**/*.ts",
- "../packages/**/*.tsx",
".next/types/**/*.ts"
],
"references": []
diff --git a/tsconfig.json b/tsconfig.json
index f6045448986..8350e3acf05 100644
--- a/tsconfig.json
+++ b/tsconfig.json
@@ -94,7 +94,7 @@
"./packages/graphql/src"
],
"@payload-config": [
- "./test/auth/config.ts"
+ "./test/_community/config.ts"
]
}
},
|
4a903371ac305190c4ec761c22d7a157835bbc52
|
2024-03-02 02:22:11
|
Alessio Gravili
|
chore: add missing devDependencies
| false
|
add missing devDependencies
|
chore
|
diff --git a/packages/plugin-seo/package.json b/packages/plugin-seo/package.json
index ff4a8a227d6..3476339f747 100644
--- a/packages/plugin-seo/package.json
+++ b/packages/plugin-seo/package.json
@@ -38,6 +38,8 @@
"@types/express": "4.17.17",
"@types/react": "18.2.15",
"payload": "workspace:*",
+ "@payloadcms/translations": "workspace:*",
+ "@payloadcms/ui": "workspace:*",
"react": "^18.0.0"
},
"exports": {
diff --git a/packages/richtext-lexical/package.json b/packages/richtext-lexical/package.json
index 6ef4b12036d..fbaa05db9d3 100644
--- a/packages/richtext-lexical/package.json
+++ b/packages/richtext-lexical/package.json
@@ -28,7 +28,6 @@
"@lexical/rich-text": "0.13.1",
"@lexical/selection": "0.13.1",
"@lexical/utils": "0.13.1",
- "@payloadcms/translations": "workspace:*",
"bson-objectid": "2.0.4",
"classnames": "^2.3.2",
"deep-equal": "2.2.3",
@@ -42,12 +41,13 @@
},
"devDependencies": {
"@payloadcms/eslint-config": "workspace:*",
- "@payloadcms/ui": "workspace:*",
"@types/json-schema": "7.0.15",
"@types/node": "20.6.2",
"@types/react": "18.2.15",
"@types/react-dom": "18.2.7",
- "payload": "workspace:*"
+ "payload": "workspace:*",
+ "@payloadcms/translations": "workspace:*",
+ "@payloadcms/ui": "workspace:*"
},
"peerDependencies": {
"@payloadcms/translations": "workspace:*",
diff --git a/pnpm-lock.yaml b/pnpm-lock.yaml
index c5ad992d20f..b4ef3e6d7e8 100644
--- a/pnpm-lock.yaml
+++ b/pnpm-lock.yaml
@@ -1090,17 +1090,16 @@ importers:
version: 5.90.3(@swc/[email protected])([email protected])
packages/plugin-seo:
- dependencies:
+ devDependencies:
+ '@payloadcms/eslint-config':
+ specifier: workspace:*
+ version: link:../eslint-config-payload
'@payloadcms/translations':
specifier: workspace:*
version: link:../translations
'@payloadcms/ui':
specifier: workspace:*
version: link:../ui
- devDependencies:
- '@payloadcms/eslint-config':
- specifier: workspace:*
- version: link:../eslint-config-payload
'@types/express':
specifier: 4.17.17
version: 4.17.17
@@ -1189,9 +1188,6 @@ importers:
'@lexical/utils':
specifier: 0.13.1
version: 0.13.1([email protected])
- '@payloadcms/translations':
- specifier: workspace:*
- version: link:../translations
bson-objectid:
specifier: 2.0.4
version: 2.0.4
@@ -1226,6 +1222,9 @@ importers:
'@payloadcms/eslint-config':
specifier: workspace:*
version: link:../eslint-config-payload
+ '@payloadcms/translations':
+ specifier: workspace:*
+ version: link:../translations
'@payloadcms/ui':
specifier: workspace:*
version: link:../ui
|
30db52ac4588ca288a79f93a057106ce73ff828c
|
2023-11-01 20:39:21
|
Alessio Gravili
|
docs: add "previewing docs" section to the contributing.md
| false
|
add "previewing docs" section to the contributing.md
|
docs
|
diff --git a/CONTRIBUTING.md b/CONTRIBUTING.md
index 4fcdfc02a90..179d6d07d44 100644
--- a/CONTRIBUTING.md
+++ b/CONTRIBUTING.md
@@ -89,3 +89,14 @@ If you are committing to [templates](./templates) or [examples](./examples), use
## Pull Requests
For all Pull Requests, you should be extremely descriptive about both your problem and proposed solution. If there are any affected open or closed issues, please leave the issue number in your PR message.
+
+## Previewing docs
+
+This is how you can preview changes you made locally to the docs:
+
+1. Clone our [website repository](https://github.com/payloadcms/website)
+2. Run `yarn install`
+3. Duplicate the `.env.example` file and rename it to `.env`
+4. Add a `DOCS_DIR` environment variable to the `.env` file which points to the absolute path of your modified docs folder. For example `DOCS_DIR=/Users/yourname/Documents/GitHub/payload/docs`
+5. Run `yarn run fetchDocs:local`. If this was successful, you should see no error messages and the following output: *Docs successfully written to /.../website/src/app/docs.json*. There could be error messages if you have incorrect markdown in your local docs folder. In this case, it will tell you how you can fix it
+6. You're done! Now you can start the website locally using `yarn run dev` and preview the docs under [http://localhost:3000/docs/](http://localhost:3000/docs/)
|
53aea622f94a711fb92e5e2a09a309f75db03a61
|
2025-01-06 20:45:25
|
Boyan Bratvanov
|
docs: fix all other links to live-preview example (#10385)
| false
|
fix all other links to live-preview example (#10385)
|
docs
|
diff --git a/docs/live-preview/client.mdx b/docs/live-preview/client.mdx
index f386e9d54a8..00309da457e 100644
--- a/docs/live-preview/client.mdx
+++ b/docs/live-preview/client.mdx
@@ -239,7 +239,7 @@ export const useLivePreview = <T extends any>(props: {
## Example
-For a working demonstration of this, check out the official [Live Preview Example](https://github.com/payloadcms/payload/tree/main/examples/live-preview/payload). There you will find examples of various front-end frameworks and how to integrate each one of them, including:
+For a working demonstration of this, check out the official [Live Preview Example](https://github.com/payloadcms/payload/tree/main/examples/live-preview). There you will find examples of various front-end frameworks and how to integrate each one of them, including:
- [Next.js App Router](https://github.com/payloadcms/payload/tree/main/examples/live-preview/next-app)
- [Next.js Pages Router](https://github.com/payloadcms/payload/tree/main/examples/live-preview/next-pages)
diff --git a/docs/live-preview/server.mdx b/docs/live-preview/server.mdx
index cbd945011b8..6a754ffdff8 100644
--- a/docs/live-preview/server.mdx
+++ b/docs/live-preview/server.mdx
@@ -160,7 +160,7 @@ export const RefreshRouteOnSave: React.FC<{
## Example
-For a working demonstration of this, check out the official [Live Preview Example](https://github.com/payloadcms/payload/tree/main/examples/live-preview/payload). There you will find a fully working example of how to implement Live Preview in your Next.js App Router application.
+For a working demonstration of this, check out the official [Live Preview Example](https://github.com/payloadcms/payload/tree/main/examples/live-preview). There you will find a fully working example of how to implement Live Preview in your Next.js App Router application.
## Troubleshooting
diff --git a/examples/live-preview/README.md b/examples/live-preview/README.md
index 93c41012a1e..800e4de0d2b 100644
--- a/examples/live-preview/README.md
+++ b/examples/live-preview/README.md
@@ -1,6 +1,6 @@
# Payload Live Preview Example
-The [Payload Live Preview Example](https://github.com/payloadcms/payload/tree/main/examples/live-preview/payload) demonstrates how to implement [Live Preview](https://payloadcms.com/docs/live-preview/overview) in [Payload](https://github.com/payloadcms/payload). With Live Preview you can render your front-end application directly within the Admin panel. As you type, your changes take effect in real-time. No need to save a draft or publish your changes.
+The [Payload Live Preview Example](https://github.com/payloadcms/payload/tree/main/examples/live-preview) demonstrates how to implement [Live Preview](https://payloadcms.com/docs/live-preview/overview) in [Payload](https://github.com/payloadcms/payload). With Live Preview you can render your front-end application directly within the Admin panel. As you type, your changes take effect in real-time. No need to save a draft or publish your changes.
**IMPORTANT—This example includes a fully integrated Next.js App Router front-end that runs on the same server as Payload.**
|
0066b858d6031fca3a77fab41753de4cc4daeeba
|
2024-03-08 22:29:37
|
Jarrod Flesch
|
fix: simplify searchParams provider, leverage next router properly (#5273)
| false
|
simplify searchParams provider, leverage next router properly (#5273)
|
fix
|
diff --git a/packages/ui/src/elements/DeleteMany/index.tsx b/packages/ui/src/elements/DeleteMany/index.tsx
index d8b126d9da4..941058bc196 100644
--- a/packages/ui/src/elements/DeleteMany/index.tsx
+++ b/packages/ui/src/elements/DeleteMany/index.tsx
@@ -1,6 +1,7 @@
'use client'
import * as facelessUIImport from '@faceless-ui/modal'
import { getTranslation } from '@payloadcms/translations'
+import { useRouter } from 'next/navigation.js'
import React, { useCallback, useState } from 'react'
import { toast } from 'react-toastify'
@@ -33,7 +34,8 @@ export const DeleteMany: React.FC<Props> = (props) => {
const { count, getQueryParams, selectAll, toggleAll } = useSelection()
const { i18n, t } = useTranslation()
const [deleting, setDeleting] = useState(false)
- const { dispatchSearchParams } = useSearchParams()
+ const router = useRouter()
+ const { stringifyParams } = useSearchParams()
const collectionPermissions = permissions?.collections?.[slug]
const hasDeletePermission = collectionPermissions?.delete?.permission
@@ -60,11 +62,14 @@ export const DeleteMany: React.FC<Props> = (props) => {
if (res.status < 400) {
toast.success(json.message || t('general:deletedSuccessfully'), { autoClose: 3000 })
toggleAll()
- dispatchSearchParams({
- type: 'SET',
- browserHistory: 'replace',
- params: { page: selectAll ? '1' : undefined },
- })
+ router.replace(
+ stringifyParams({
+ params: {
+ page: selectAll ? '1' : undefined,
+ },
+ replace: true,
+ }),
+ )
return null
}
@@ -81,13 +86,14 @@ export const DeleteMany: React.FC<Props> = (props) => {
}, [
addDefaultError,
api,
- dispatchSearchParams,
getQueryParams,
i18n.language,
modalSlug,
+ router,
selectAll,
serverURL,
slug,
+ stringifyParams,
t,
toggleAll,
toggleModal,
diff --git a/packages/ui/src/elements/EditMany/index.tsx b/packages/ui/src/elements/EditMany/index.tsx
index 47fba403e27..e9643fe51e8 100644
--- a/packages/ui/src/elements/EditMany/index.tsx
+++ b/packages/ui/src/elements/EditMany/index.tsx
@@ -3,6 +3,7 @@ import type { FormState } from 'payload/types'
import * as facelessUIImport from '@faceless-ui/modal'
import { getTranslation } from '@payloadcms/translations'
+import { useRouter } from 'next/navigation.js'
import React, { useCallback, useState } from 'react'
import type { Props } from './types.js'
@@ -102,7 +103,8 @@ export const EditMany: React.FC<Props> = (props) => {
const { count, getQueryParams, selectAll } = useSelection()
const { i18n, t } = useTranslation()
const [selected, setSelected] = useState([])
- const { dispatchSearchParams } = useSearchParams()
+ const { stringifyParams } = useSearchParams()
+ const router = useRouter()
const { componentMap } = useComponentMap()
const [reducedFieldMap, setReducedFieldMap] = useState([])
const [initialState, setInitialState] = useState<FormState>()
@@ -155,11 +157,11 @@ export const EditMany: React.FC<Props> = (props) => {
}
const onSuccess = () => {
- dispatchSearchParams({
- type: 'SET',
- browserHistory: 'replace',
- params: { page: selectAll === SelectAllStatus.AllAvailable ? '1' : undefined },
- })
+ router.replace(
+ stringifyParams({
+ params: { page: selectAll === SelectAllStatus.AllAvailable ? '1' : undefined },
+ }),
+ )
}
return (
diff --git a/packages/ui/src/elements/Localizer/index.tsx b/packages/ui/src/elements/Localizer/index.tsx
index 85affd629d6..fe4b0609586 100644
--- a/packages/ui/src/elements/Localizer/index.tsx
+++ b/packages/ui/src/elements/Localizer/index.tsx
@@ -1,4 +1,5 @@
import { getTranslation } from '@payloadcms/translations'
+import { useRouter } from 'next/navigation.js'
import React from 'react'
import { useConfig } from '../../providers/Config/index.js'
@@ -21,7 +22,8 @@ const Localizer: React.FC<{
const { i18n } = useTranslation()
const locale = useLocale()
- const { dispatchSearchParams, searchParams } = useSearchParams()
+ const { stringifyParams } = useSearchParams()
+ const router = useRouter()
if (localization) {
const { locales } = localization
@@ -34,25 +36,21 @@ const Localizer: React.FC<{
render={({ close }) => (
<PopupList.ButtonGroup>
{locales.map((localeOption) => {
- const newParams = {
- ...searchParams,
- locale: localeOption.code,
- }
const localeOptionLabel = getTranslation(localeOption.label, i18n)
return (
<PopupList.Button
active={locale.code === localeOption.code}
- href={{ query: newParams }}
key={localeOption.code}
onClick={() => {
+ router.replace(
+ stringifyParams({
+ params: {
+ locale: localeOption.code,
+ },
+ }),
+ )
close()
- dispatchSearchParams({
- type: 'SET',
- params: {
- locale: searchParams.locale,
- },
- })
}}
>
{localeOptionLabel}
diff --git a/packages/ui/src/elements/PublishMany/index.tsx b/packages/ui/src/elements/PublishMany/index.tsx
index 9ccedb4e050..77a063b4eb9 100644
--- a/packages/ui/src/elements/PublishMany/index.tsx
+++ b/packages/ui/src/elements/PublishMany/index.tsx
@@ -1,6 +1,7 @@
'use client'
import * as facelessUIImport from '@faceless-ui/modal'
import { getTranslation } from '@payloadcms/translations'
+import { useRouter } from 'next/navigation.js'
import React, { useCallback, useState } from 'react'
import { toast } from 'react-toastify'
@@ -33,7 +34,8 @@ export const PublishMany: React.FC<Props> = (props) => {
const { i18n, t } = useTranslation()
const { getQueryParams, selectAll } = useSelection()
const [submitted, setSubmitted] = useState(false)
- const { dispatchSearchParams } = useSearchParams()
+ const router = useRouter()
+ const { stringifyParams } = useSearchParams()
const collectionPermissions = permissions?.collections?.[slug]
const hasPermission = collectionPermissions?.update?.permission
@@ -65,11 +67,13 @@ export const PublishMany: React.FC<Props> = (props) => {
toggleModal(modalSlug)
if (res.status < 400) {
toast.success(t('general:updatedSuccessfully'))
- dispatchSearchParams({
- type: 'SET',
- browserHistory: 'replace',
- params: { page: selectAll ? '1' : undefined },
- })
+ router.replace(
+ stringifyParams({
+ params: {
+ page: selectAll ? '1' : undefined,
+ },
+ }),
+ )
return null
}
@@ -94,7 +98,6 @@ export const PublishMany: React.FC<Props> = (props) => {
slug,
t,
toggleModal,
- dispatchSearchParams,
])
if (!versions?.drafts || selectAll === SelectAllStatus.None || !hasPermission) {
diff --git a/packages/ui/src/elements/UnpublishMany/index.tsx b/packages/ui/src/elements/UnpublishMany/index.tsx
index a17e858258d..ca834aaf7f9 100644
--- a/packages/ui/src/elements/UnpublishMany/index.tsx
+++ b/packages/ui/src/elements/UnpublishMany/index.tsx
@@ -1,6 +1,7 @@
'use client'
import * as facelessUIImport from '@faceless-ui/modal'
import { getTranslation } from '@payloadcms/translations'
+import { useRouter } from 'next/navigation.js'
import React, { useCallback, useState } from 'react'
import { toast } from 'react-toastify'
@@ -32,7 +33,8 @@ export const UnpublishMany: React.FC<Props> = (props) => {
const { i18n, t } = useTranslation()
const { getQueryParams, selectAll } = useSelection()
const [submitted, setSubmitted] = useState(false)
- const { dispatchSearchParams } = useSearchParams()
+ const { stringifyParams } = useSearchParams()
+ const router = useRouter()
const collectionPermissions = permissions?.collections?.[slug]
const hasPermission = collectionPermissions?.update?.permission
@@ -61,11 +63,13 @@ export const UnpublishMany: React.FC<Props> = (props) => {
toggleModal(modalSlug)
if (res.status < 400) {
toast.success(t('general:updatedSuccessfully'))
- dispatchSearchParams({
- type: 'SET',
- browserHistory: 'replace',
- params: { page: selectAll ? '1' : undefined },
- })
+ router.replace(
+ stringifyParams({
+ params: {
+ page: selectAll ? '1' : undefined,
+ },
+ }),
+ )
return null
}
@@ -82,7 +86,6 @@ export const UnpublishMany: React.FC<Props> = (props) => {
}, [
addDefaultError,
api,
- dispatchSearchParams,
getQueryParams,
i18n.language,
modalSlug,
diff --git a/packages/ui/src/providers/Locale/index.tsx b/packages/ui/src/providers/Locale/index.tsx
index 93425a177bc..81982465339 100644
--- a/packages/ui/src/providers/Locale/index.tsx
+++ b/packages/ui/src/providers/Locale/index.tsx
@@ -2,8 +2,6 @@
import type { Locale } from 'payload/config'
-// TODO: abstract the `next/navigation` dependency out from this component
-import { useRouter } from 'next/navigation.js'
import React, { createContext, useContext, useEffect, useState } from 'react'
import { findLocaleFromCode } from '../../utilities/findLocaleFromCode.js'
@@ -18,15 +16,14 @@ export const LocaleProvider: React.FC<{ children?: React.ReactNode }> = ({ child
const { localization } = useConfig()
const { user } = useAuth()
-
const defaultLocale =
localization && localization.defaultLocale ? localization.defaultLocale : 'en'
- const { dispatchSearchParams, searchParams } = useSearchParams()
- const router = useRouter()
+ const { searchParams } = useSearchParams()
+ const localeFromParams = searchParams?.locale || ''
const [localeCode, setLocaleCode] = useState<string>(
- (searchParams?.locale as string) || defaultLocale,
+ (localeFromParams as string) || defaultLocale,
)
const [locale, setLocale] = useState<Locale | null>(
@@ -35,53 +32,55 @@ export const LocaleProvider: React.FC<{ children?: React.ReactNode }> = ({ child
const { getPreference, setPreference } = usePreferences()
- const localeFromParams = searchParams.locale
-
- useEffect(() => {
- async function localeChangeHandler() {
+ const switchLocale = React.useCallback(
+ async (newLocale: string) => {
if (!localization) {
return
}
- // set locale from search param
- if (localeFromParams && localization.localeCodes.indexOf(localeFromParams as string) > -1) {
- setLocaleCode(localeFromParams as string)
- setLocale(findLocaleFromCode(localization, localeFromParams as string))
- if (user) await setPreference('locale', localeFromParams)
- return
- }
+ const localeToSet =
+ localization.localeCodes.indexOf(newLocale) > -1 ? newLocale : defaultLocale
- // set locale from preferences or default
- let preferenceLocale: string
- let isPreferenceInConfig: boolean
- if (user) {
- preferenceLocale = await getPreference<string>('locale')
- isPreferenceInConfig =
- preferenceLocale && localization.localeCodes.indexOf(preferenceLocale) > -1
- if (isPreferenceInConfig) {
- setLocaleCode(preferenceLocale)
- setLocale(findLocaleFromCode(localization, preferenceLocale))
- return
+ if (localeToSet !== localeCode) {
+ setLocaleCode(localeToSet)
+ setLocale(findLocaleFromCode(localization, localeToSet))
+ try {
+ if (user) await setPreference('locale', localeToSet)
+ } catch (error) {
+ // swallow error
}
- await setPreference('locale', defaultLocale)
}
- setLocaleCode(defaultLocale)
- setLocale(findLocaleFromCode(localization, defaultLocale))
- }
-
- void localeChangeHandler()
- }, [defaultLocale, getPreference, localeFromParams, setPreference, user, localization, router])
+ },
+ [localization, setPreference, user, defaultLocale, localeCode],
+ )
useEffect(() => {
- if (searchParams?.locale) {
- dispatchSearchParams({
- type: 'SET',
- params: {
- locale: searchParams.locale,
- },
- })
+ async function setInitialLocale() {
+ let localeToSet = defaultLocale
+
+ if (typeof localeFromParams === 'string') {
+ localeToSet = localeFromParams
+ } else if (user) {
+ try {
+ localeToSet = await getPreference<string>('locale')
+ } catch (error) {
+ // swallow error
+ }
+ }
+
+ await switchLocale(localeToSet)
}
- }, [searchParams.locale, dispatchSearchParams])
+
+ void setInitialLocale()
+ }, [
+ defaultLocale,
+ getPreference,
+ localization,
+ localeFromParams,
+ setPreference,
+ user,
+ switchLocale,
+ ])
return <LocaleContext.Provider value={locale}>{children}</LocaleContext.Provider>
}
diff --git a/packages/ui/src/providers/SearchParams/index.tsx b/packages/ui/src/providers/SearchParams/index.tsx
index b43bb6473d7..ac56c0c670f 100644
--- a/packages/ui/src/providers/SearchParams/index.tsx
+++ b/packages/ui/src/providers/SearchParams/index.tsx
@@ -1,13 +1,13 @@
'use client'
-import { useSearchParams as useNextSearchParams, useRouter } from 'next/navigation.js'
+import { useSearchParams as useNextSearchParams } from 'next/navigation.js'
import qs from 'qs'
import React, { createContext, useContext } from 'react'
-import type { Action, SearchParamsContext, State } from './types.js'
+import type { SearchParamsContext, State } from './types.js'
const initialContext: SearchParamsContext = {
- dispatchSearchParams: () => {},
searchParams: {},
+ stringifyParams: () => '',
}
const Context = createContext(initialContext)
@@ -15,46 +15,36 @@ const Context = createContext(initialContext)
// TODO: abstract the `next/navigation` dependency out from this provider so that it can be used in other contexts
export const SearchParamsProvider: React.FC<{ children?: React.ReactNode }> = ({ children }) => {
const nextSearchParams = useNextSearchParams()
- const router = useRouter()
- const initialParams = qs.parse(nextSearchParams.toString(), {
+ const searchString = nextSearchParams.toString()
+ const initialParams = qs.parse(searchString, {
depth: 10,
ignoreQueryPrefix: true,
})
- const [searchParams, dispatchSearchParams] = React.useReducer((state: State, action: Action) => {
- const stackAction = action.browserHistory || 'push'
- let paramsToSet
-
- switch (action.type) {
- case 'SET':
- paramsToSet = {
- ...state,
- ...action.params,
- }
- break
- case 'REPLACE':
- paramsToSet = action.params
- break
- case 'CLEAR':
- paramsToSet = {}
- break
- default:
- return state
- }
-
- const newSearchString = qs.stringify(paramsToSet, { addQueryPrefix: true })
- if (stackAction === 'push') {
- router.push(newSearchString)
- } else if (stackAction === 'replace') {
- router.replace(newSearchString)
- }
-
- return paramsToSet
- }, initialParams)
-
- return (
- <Context.Provider value={{ dispatchSearchParams, searchParams }}>{children}</Context.Provider>
+ const [searchParams, setSearchParams] = React.useState(initialParams)
+
+ const stringifyParams = React.useCallback(
+ ({ params, replace = false }: { params: State; replace?: boolean }) => {
+ return qs.stringify(
+ {
+ ...(replace ? {} : searchParams),
+ ...params,
+ },
+ { addQueryPrefix: true },
+ )
+ },
+ [searchParams],
)
+
+ React.useEffect(() => {
+ const newSearchParams = qs.parse(searchString, {
+ depth: 10,
+ ignoreQueryPrefix: true,
+ })
+ setSearchParams(newSearchParams)
+ }, [searchString])
+
+ return <Context.Provider value={{ searchParams, stringifyParams }}>{children}</Context.Provider>
}
export const useSearchParams = (): SearchParamsContext => useContext(Context)
diff --git a/packages/ui/src/providers/SearchParams/types.ts b/packages/ui/src/providers/SearchParams/types.ts
index d941d74d802..ec4e617d001 100644
--- a/packages/ui/src/providers/SearchParams/types.ts
+++ b/packages/ui/src/providers/SearchParams/types.ts
@@ -1,27 +1,6 @@
export type SearchParamsContext = {
- dispatchSearchParams: (action: Action) => void
searchParams: qs.ParsedQs
+ stringifyParams: ({ params, replace }: { params: State; replace?: boolean }) => string
}
export type State = qs.ParsedQs
-
-export type Action = (
- | {
- params: qs.ParsedQs
- type: 'REPLACE'
- }
- | {
- params: qs.ParsedQs
- type: 'SET'
- }
- | {
- type: 'CLEAR'
- }
-) & {
- /**
- * `push` will add a new entry to the browser history stack.
- * `replace` will overwrite the browser history entry.
- * @default 'push'
- * */
- browserHistory?: 'push' | 'replace'
-}
|
b70c8ff6b826ddce5c154963b491db33e2a7906b
|
2023-12-09 19:37:33
|
Alessio Gravili
|
chore(richtext-lexical): Slash Menu: Don't show scroll bar if not needed (#4432)
| false
|
Slash Menu: Don't show scroll bar if not needed (#4432)
|
chore
|
diff --git a/packages/richtext-lexical/src/field/lexical/plugins/SlashMenu/index.scss b/packages/richtext-lexical/src/field/lexical/plugins/SlashMenu/index.scss
index 486e805866b..a2dec9b4a0a 100644
--- a/packages/richtext-lexical/src/field/lexical/plugins/SlashMenu/index.scss
+++ b/packages/richtext-lexical/src/field/lexical/plugins/SlashMenu/index.scss
@@ -14,7 +14,7 @@ html[data-theme='light'] {
list-style: none;
font-family: var(--font-body);
max-height: 300px;
- overflow-y: scroll;
+ overflow-y: auto;
z-index: 10;
position: absolute;
|
21eb19edd1b1f34cb93b02ff336df42098d20cf4
|
2022-09-12 09:27:30
|
James
|
chore: further refinements
| false
|
further refinements
|
chore
|
diff --git a/docs/hooks/fields.mdx b/docs/hooks/fields.mdx
index 6dbec801258..ca8879d7593 100644
--- a/docs/hooks/fields.mdx
+++ b/docs/hooks/fields.mdx
@@ -61,7 +61,7 @@ Field Hooks receive one `args` argument that contains the following properties:
| **`data`** | The data passed to update the document within `create` and `update` operations, and the full document itself in the `afterRead` hook. |
| **`findMany`** | Boolean to denote if this hook is running against finding one, or finding many within the `afterRead` hook. |
| **`operation`** | A string relating to which operation the field type is currently executing within. Useful within `beforeValidate`, `beforeChange`, and `afterChange` hooks to differentiate between `create` and `update` operations. |
-| **`originalDoc`** | The full original document in `update` operations. |
+| **`originalDoc`** | The full original document in `update` operations. In the `afterChange` hook, this is the resulting document of the operation. |
| **`req`** | The Express `request` object. It is mocked for Local API operations. |
| **`siblingData`** | The sibling data passed to a field that the hook is running against. |
| **`value`** | The value of the field. |
diff --git a/src/fields/config/types.ts b/src/fields/config/types.ts
index 2ec3e8a0d85..d94bce189e2 100644
--- a/src/fields/config/types.ts
+++ b/src/fields/config/types.ts
@@ -10,12 +10,19 @@ import { User } from '../../auth';
import { Payload } from '../..';
export type FieldHookArgs<T extends TypeWithID = any, P = any, S = any> = {
+ /** The data passed to update the document within create and update operations, and the full document itself in the afterRead hook. */
data?: Partial<T>,
+ /** Boolean to denote if this hook is running against finding one, or finding many within the afterRead hook. */
findMany?: boolean
+ /** The full original document in `update` operations. In the `afterChange` hook, this is the resulting document of the operation. */
originalDoc?: T,
+ /** A string relating to which operation the field type is currently executing within. Useful within beforeValidate, beforeChange, and afterChange hooks to differentiate between create and update operations. */
operation?: 'create' | 'read' | 'update' | 'delete',
+ /** The Express request object. It is mocked for Local API operations. */
req: PayloadRequest
+ /** The sibling data passed to a field that the hook is running against. */
siblingData: Partial<S>
+ /** The value of the field. */
value?: P,
}
@@ -203,6 +210,7 @@ export type TabsField = Omit<FieldBase, 'admin' | 'name' | 'localized'> & {
export type TabAsField = Tab & {
type: 'tab'
+ name?: string
};
export type UIField = {
@@ -389,6 +397,7 @@ export type FieldAffectingData =
| UploadField
| CodeField
| PointField
+ | TabAsField
export type NonPresentationalField =
TextField
diff --git a/src/fields/hooks/afterChange/promise.ts b/src/fields/hooks/afterChange/promise.ts
index 615108b6a0a..1f9d6f9ce13 100644
--- a/src/fields/hooks/afterChange/promise.ts
+++ b/src/fields/hooks/afterChange/promise.ts
@@ -126,14 +126,12 @@ export const promise = async ({
}
case 'tab': {
- let tabSiblingData;
- let tabSiblingDoc;
+ let tabSiblingData = siblingData;
+ let tabSiblingDoc = siblingDoc;
+
if (tabHasName(field)) {
- tabSiblingData = siblingData[field.name] || {};
- tabSiblingDoc = siblingDoc[field.name];
- } else {
- tabSiblingData = siblingData || {};
- tabSiblingDoc = { ...siblingDoc };
+ tabSiblingData = siblingData[field.name] as Record<string, unknown>;
+ tabSiblingDoc = siblingDoc[field.name] as Record<string, unknown>;
}
await traverseFields({
diff --git a/src/fields/hooks/afterRead/promise.ts b/src/fields/hooks/afterRead/promise.ts
index d9d51009fa0..8cfcfd3f723 100644
--- a/src/fields/hooks/afterRead/promise.ts
+++ b/src/fields/hooks/afterRead/promise.ts
@@ -49,14 +49,13 @@ export const promise = async ({
const hasLocalizedValue = flattenLocales
&& fieldAffectsData(field)
&& (typeof siblingDoc[field.name] === 'object' && siblingDoc[field.name] !== null)
- && field.name
&& field.localized
&& req.locale !== 'all';
if (hasLocalizedValue) {
let localizedValue = siblingDoc[field.name][req.locale];
if (typeof localizedValue === 'undefined' && req.fallbackLocale) localizedValue = siblingDoc[field.name][req.fallbackLocale];
- if (typeof localizedValue === 'undefined' && field.type === 'group') localizedValue = {};
+ if (typeof localizedValue === 'undefined' && (field.type === 'group' || field.type === 'tab')) localizedValue = {};
if (typeof localizedValue === 'undefined') localizedValue = null;
siblingDoc[field.name] = localizedValue;
}
diff --git a/src/fields/hooks/beforeChange/promise.ts b/src/fields/hooks/beforeChange/promise.ts
index 66e13f63f92..7f459e49f3d 100644
--- a/src/fields/hooks/beforeChange/promise.ts
+++ b/src/fields/hooks/beforeChange/promise.ts
@@ -286,11 +286,16 @@ export const promise = async ({
let tabSiblingData = siblingData;
let tabSiblingDoc = siblingDoc;
let tabSiblingDocWithLocales = siblingDocWithLocales;
+
if (tabHasName(field)) {
tabPath = `${path}${field.name}.`;
- tabSiblingData = typeof siblingData[field.name] === 'object' ? siblingData[field.name] as Record<string, unknown> : {};
- tabSiblingDoc = typeof siblingDoc[field.name] === 'object' ? siblingDoc[field.name] as Record<string, unknown> : {};
- tabSiblingDocWithLocales = typeof siblingDocWithLocales[field.name] === 'object' ? siblingDocWithLocales[field.name] as Record<string, unknown> : {};
+ if (typeof siblingData[field.name] !== 'object') siblingData[field.name] = {};
+ if (typeof siblingDoc[field.name] !== 'object') siblingDoc[field.name] = {};
+ if (typeof siblingDocWithLocales[field.name] !== 'object') siblingDocWithLocales[field.name] = {};
+
+ tabSiblingData = siblingData[field.name] as Record<string, unknown>;
+ tabSiblingDoc = siblingDoc[field.name] as Record<string, unknown>;
+ tabSiblingDocWithLocales = siblingDocWithLocales[field.name] as Record<string, unknown>;
}
await traverseFields({
diff --git a/test/access-control/payload-types.ts b/test/access-control/payload-types.ts
index cbbace518a7..87bc313598c 100644
--- a/test/access-control/payload-types.ts
+++ b/test/access-control/payload-types.ts
@@ -5,33 +5,52 @@
* and re-run `payload generate:types` to regenerate this file.
*/
-export interface Config { }
+export interface Config {}
/**
* This interface was referenced by `Config`'s JSON-Schema
- * via the `definition` "autosave-global".
+ * via the `definition` "posts".
*/
-export interface AutosaveGlobal {
+export interface Post {
id: string;
- _status?: 'draft' | 'published';
- title: string;
+ restrictedField?: string;
+ createdAt: string;
+ updatedAt: string;
+}
+/**
+ * This interface was referenced by `Config`'s JSON-Schema
+ * via the `definition` "restricted".
+ */
+export interface Restricted {
+ id: string;
+ name?: string;
+ createdAt: string;
+ updatedAt: string;
}
/**
* This interface was referenced by `Config`'s JSON-Schema
- * via the `definition` "autosave-posts".
+ * via the `definition` "read-only-collection".
*/
-export interface AutosavePost {
+export interface ReadOnlyCollection {
id: string;
- _status?: 'draft' | 'published';
- title: string;
- description: string;
+ name?: string;
+ createdAt: string;
+ updatedAt: string;
+}
+/**
+ * This interface was referenced by `Config`'s JSON-Schema
+ * via the `definition` "restricted-versions".
+ */
+export interface RestrictedVersion {
+ id: string;
+ name?: string;
createdAt: string;
updatedAt: string;
}
/**
* This interface was referenced by `Config`'s JSON-Schema
- * via the `definition` "draft-posts".
+ * via the `definition` "sibling-data".
*/
-export interface DraftPost {
+export interface SiblingDatum {
id: string;
array: {
allowPublicReadability?: boolean;
diff --git a/test/fields/collections/Tabs/index.ts b/test/fields/collections/Tabs/index.ts
index 2b36a99591c..d742e433c9e 100644
--- a/test/fields/collections/Tabs/index.ts
+++ b/test/fields/collections/Tabs/index.ts
@@ -190,10 +190,9 @@ const TabsFields: CollectionConfig = {
},
],
afterChange: [
- ({ data = {} }) => {
- if (!data.hooksTab) data.hooksTab = {};
- data.hooksTab.afterChange = true;
- return data.hooksTab;
+ ({ originalDoc }) => {
+ originalDoc.hooksTab.afterChange = true;
+ return originalDoc.hooksTab;
},
],
afterRead: [
diff --git a/test/fields/int.spec.ts b/test/fields/int.spec.ts
index 85a8591d7b3..5466e2802f3 100644
--- a/test/fields/int.spec.ts
+++ b/test/fields/int.spec.ts
@@ -357,14 +357,14 @@ describe('Fields', () => {
});
it('should allow hooks on a named tab', async () => {
- document = await payload.findByID({
+ const newDocument = await payload.create<TabsField>({
collection: tabsSlug,
- id: document.id,
+ data: tabsDoc,
});
- expect(document.hooksTab.beforeValidate).toBe(true);
- expect(document.hooksTab.beforeChange).toBe(true);
- expect(document.hooksTab.afterChange).toBe(true);
- expect(document.hooksTab.afterRead).toBe(true);
+ expect(newDocument.hooksTab.beforeValidate).toBe(true);
+ expect(newDocument.hooksTab.beforeChange).toBe(true);
+ expect(newDocument.hooksTab.afterChange).toBe(true);
+ expect(newDocument.hooksTab.afterRead).toBe(true);
});
it('should return empty object for groups when no data present', async () => {
diff --git a/test/fields/payload-types.ts b/test/fields/payload-types.ts
index fbb64ed0f3e..1183cad9760 100644
--- a/test/fields/payload-types.ts
+++ b/test/fields/payload-types.ts
@@ -72,6 +72,13 @@ export interface BlockField {
blockName?: string;
blockType: 'subBlocks';
}
+ | {
+ textInCollapsible?: string;
+ textInRow?: string;
+ id?: string;
+ blockName?: string;
+ blockType: 'tabs';
+ }
)[];
localizedBlocks: (
| {
@@ -108,6 +115,13 @@ export interface BlockField {
blockName?: string;
blockType: 'subBlocks';
}
+ | {
+ textInCollapsible?: string;
+ textInRow?: string;
+ id?: string;
+ blockName?: string;
+ blockType: 'tabs';
+ }
)[];
createdAt: string;
updatedAt: string;
@@ -273,12 +287,25 @@ export interface TabsField {
blockName?: string;
blockType: 'subBlocks';
}
+ | {
+ textInCollapsible?: string;
+ textInRow?: string;
+ id?: string;
+ blockName?: string;
+ blockType: 'tabs';
+ }
)[];
group: {
number: number;
};
textInRow: string;
numberInRow: number;
+ text?: string;
+ defaultValue?: string;
+ beforeValidate?: boolean;
+ beforeChange?: boolean;
+ afterChange?: boolean;
+ afterRead?: boolean;
textarea?: string;
anotherText: string;
createdAt: string;
@@ -325,6 +352,8 @@ export interface Upload {
filename?: string;
mimeType?: string;
filesize?: number;
+ width?: number;
+ height?: number;
createdAt: string;
updatedAt: string;
}
diff --git a/test/uploads/payload-types.ts b/test/uploads/payload-types.ts
index 8c8ceb6ed4f..ffb7080e8cf 100644
--- a/test/uploads/payload-types.ts
+++ b/test/uploads/payload-types.ts
@@ -75,6 +75,8 @@ export interface UnstoredMedia {
filename?: string;
mimeType?: string;
filesize?: number;
+ width?: number;
+ height?: number;
createdAt: string;
updatedAt: string;
}
|
ee22a488c09d5bea6affaea708239f9f5ebcc58e
|
2023-10-02 01:17:16
|
James
|
chore: able to select bundler in dev
| false
|
able to select bundler in dev
|
chore
|
diff --git a/packages/bundler-vite/src/config.ts b/packages/bundler-vite/src/config.ts
index 8bb9ba888e3..56a1c34cacf 100644
--- a/packages/bundler-vite/src/config.ts
+++ b/packages/bundler-vite/src/config.ts
@@ -131,12 +131,17 @@ export const getViteConfig = async (payloadConfig: SanitizedConfig): Promise<Inl
// TODO: need to handle this better. This is overly simple.
if (source.startsWith('.')) {
fullSourcePath = path.resolve(path.dirname(importer), source)
- }
- if (fullSourcePath) {
- const aliasMatch = absoluteAliases[fullSourcePath]
- if (aliasMatch) {
- return aliasMatch
+ if (fullSourcePath) {
+ const exactMatch = absoluteAliases[fullSourcePath]
+ if (exactMatch) return exactMatch
+
+ const indexMatch = absoluteAliases[`${fullSourcePath}/index`]
+ if (indexMatch) return indexMatch
+
+ const withoutFileExtensionMatch =
+ absoluteAliases[`${fullSourcePath.replace(/\.[^/.]+$/, '')}`]
+ if (withoutFileExtensionMatch) return withoutFileExtensionMatch
}
}
diff --git a/packages/payload/src/exports/components/fields/Blocks.ts b/packages/payload/src/exports/components/fields/Blocks.ts
index 711e712056d..1820c078d77 100644
--- a/packages/payload/src/exports/components/fields/Blocks.ts
+++ b/packages/payload/src/exports/components/fields/Blocks.ts
@@ -4,5 +4,5 @@ export { default as BlockSearch } from '../../../admin/components/forms/field-ty
export type { Props as BlocksDrawerProps } from '../../../admin/components/forms/field-types/Blocks/BlocksDrawer/types'
export { RowActions } from '../../../admin/components/forms/field-types/Blocks/RowActions'
export { default as SectionTitle } from '../../../admin/components/forms/field-types/Blocks/SectionTitle/index'
-export { Props as SectionTitleProps } from '../../../admin/components/forms/field-types/Blocks/SectionTitle/types'
+export type { Props as SectionTitleProps } from '../../../admin/components/forms/field-types/Blocks/SectionTitle/types'
export type { Props } from '../../../admin/components/forms/field-types/Blocks/types'
diff --git a/packages/richtext-lexical/src/index.ts b/packages/richtext-lexical/src/index.ts
index 07c94ae0547..0406676a6ff 100644
--- a/packages/richtext-lexical/src/index.ts
+++ b/packages/richtext-lexical/src/index.ts
@@ -62,10 +62,12 @@ export function createLexical({
export { BlockQuoteFeature } from './field/features/BlockQuote'
export { BlocksFeature } from './field/features/Blocks'
export { HeadingFeature } from './field/features/Heading'
-export { LinkFeature, LinkFeatureProps } from './field/features/Link'
+export { LinkFeature } from './field/features/Link'
+export type { LinkFeatureProps } from './field/features/Link'
export { ParagraphFeature } from './field/features/Paragraph'
export { RelationshipFeature } from './field/features/Relationship'
-export { UploadFeature, UploadFeatureProps } from './field/features/Upload'
+export { UploadFeature } from './field/features/Upload'
+export type { UploadFeatureProps } from './field/features/Upload'
export { AlignFeature } from './field/features/align'
export { TextDropdownSectionWithEntries } from './field/features/common/floatingSelectToolbarTextDropdownSection'
export { TreeviewFeature } from './field/features/debug/TreeView'
@@ -82,7 +84,7 @@ export { CheckListFeature } from './field/features/lists/CheckList'
export { OrderedListFeature } from './field/features/lists/OrderedList'
export { UnoderedListFeature } from './field/features/lists/UnorderedList'
-export {
+export type {
Feature,
FeatureProvider,
FeatureProviderMap,
diff --git a/test/buildConfigWithDefaults.ts b/test/buildConfigWithDefaults.ts
index c4443d7bb55..dafd51a2bb4 100644
--- a/test/buildConfigWithDefaults.ts
+++ b/test/buildConfigWithDefaults.ts
@@ -2,15 +2,20 @@ import path from 'path'
import type { Config, SanitizedConfig } from '../packages/payload/src/config/types'
-// import { viteBundler } from '../packages/bundler-vite/src'
+import { viteBundler } from '../packages/bundler-vite/src'
import { webpackBundler } from '../packages/bundler-webpack/src'
-import { mongooseAdapter } from '../packages/db-mongodb/src/index'
-import { postgresAdapter } from '../packages/db-postgres/src/index'
+import { mongooseAdapter } from '../packages/db-mongodb/src'
+import { postgresAdapter } from '../packages/db-postgres/src'
import { buildConfig as buildPayloadConfig } from '../packages/payload/src/config/build'
import { createSlate } from '../packages/richtext-slate/src'
// process.env.PAYLOAD_DATABASE = 'postgres'
+const bundlerAdapters = {
+ vite: viteBundler(),
+ webpack: webpackBundler(),
+}
+
const databaseAdapters = {
mongoose: mongooseAdapter({
url: 'mongodb://127.0.0.1/payloadtests',
@@ -46,8 +51,7 @@ export function buildConfigWithDefaults(testConfig?: Partial<Config>): Promise<S
password: 'test',
},
...(config.admin || {}),
- // bundler: viteBundler(),
- bundler: webpackBundler(),
+ bundler: bundlerAdapters[process.env.PAYLOAD_BUNDLER || 'webpack'],
webpack: (webpackConfig) => {
const existingConfig =
typeof testConfig?.admin?.webpack === 'function'
@@ -81,8 +85,10 @@ export function buildConfigWithDefaults(testConfig?: Partial<Config>): Promise<S
__dirname,
'../packages/bundler-webpack/src/mocks/emptyModule.js',
),
- '@payloadcms/db-mongodb': path.resolve(__dirname, '../packages/db-mongodb/src/mock'),
- '@payloadcms/db-postgres': path.resolve(__dirname, '../packages/db-postgres/src/mock'),
+ [path.resolve(__dirname, '../packages/bundler-vite/src/index')]: path.resolve(
+ __dirname,
+ '../packages/bundler-vite/src/mock.js',
+ ),
react: path.resolve(__dirname, '../packages/payload/node_modules/react'),
},
},
|
63bf7d9303ad2ca14fcccfc613060f031fbba876
|
2023-10-09 18:34:44
|
Elliot DeNolf
|
chore(release): [email protected]
| false
|
chore
|
diff --git a/packages/payload/package.json b/packages/payload/package.json
index c53905b63ac..4eb75dd1a77 100644
--- a/packages/payload/package.json
+++ b/packages/payload/package.json
@@ -1,6 +1,6 @@
{
"name": "payload",
- "version": "2.0.1",
+ "version": "2.0.2",
"description": "Node, React and MongoDB Headless CMS and Application Framework",
"license": "MIT",
"main": "./dist/index.js",
|
|
36ef3789fbe00cafe8b3587d6c370e28efd5a187
|
2022-10-22 01:09:29
|
James
|
fix: obscure bug where upload collection has upload field relating to itself
| false
|
obscure bug where upload collection has upload field relating to itself
|
fix
|
diff --git a/src/admin/components/forms/field-types/Upload/Input.tsx b/src/admin/components/forms/field-types/Upload/Input.tsx
index 683ad3d2f60..d4bbeea54d2 100644
--- a/src/admin/components/forms/field-types/Upload/Input.tsx
+++ b/src/admin/components/forms/field-types/Upload/Input.tsx
@@ -11,6 +11,7 @@ import { FieldTypes } from '..';
import AddModal from './Add';
import SelectExistingModal from './SelectExisting';
import { SanitizedCollectionConfig } from '../../../../../collections/config/types';
+import { useEditDepth, EditDepthContext } from '../../../utilities/EditDepth';
import './index.scss';
@@ -58,13 +59,15 @@ const UploadInput: React.FC<UploadInputProps> = (props) => {
filterOptions,
} = props;
- const { toggleModal } = useModal();
+ const { toggleModal, modalState } = useModal();
+ const editDepth = useEditDepth();
- const addModalSlug = `${path}-add`;
- const selectExistingModalSlug = `${path}-select-existing`;
+ const addModalSlug = `${path}-add-depth-${editDepth}`;
+ const selectExistingModalSlug = `${path}-select-existing-depth-${editDepth}`;
const [file, setFile] = useState(undefined);
const [missingFile, setMissingFile] = useState(false);
+ const [modalToRender, setModalToRender] = useState<string>();
const classes = [
'field-type',
@@ -98,6 +101,12 @@ const UploadInput: React.FC<UploadInputProps> = (props) => {
serverURL,
]);
+ useEffect(() => {
+ if (!modalState[addModalSlug]?.isOpen && !modalState[selectExistingModalSlug]?.isOpen) {
+ setModalToRender(undefined);
+ }
+ }, [modalState, addModalSlug, selectExistingModalSlug]);
+
return (
<div
className={classes}
@@ -132,6 +141,7 @@ const UploadInput: React.FC<UploadInputProps> = (props) => {
buttonStyle="secondary"
onClick={() => {
toggleModal(addModalSlug);
+ setModalToRender(addModalSlug);
}}
>
Upload new
@@ -142,33 +152,40 @@ const UploadInput: React.FC<UploadInputProps> = (props) => {
buttonStyle="secondary"
onClick={() => {
toggleModal(selectExistingModalSlug);
+ setModalToRender(selectExistingModalSlug);
}}
>
Choose from existing
</Button>
</div>
)}
- <AddModal
- {...{
- collection,
- slug: addModalSlug,
- fieldTypes,
- setValue: (e) => {
- setMissingFile(false);
- onChange(e);
- },
- }}
- />
- <SelectExistingModal
- {...{
- collection,
- slug: selectExistingModalSlug,
- setValue: onChange,
- addModalSlug,
- filterOptions,
- path,
- }}
- />
+ <EditDepthContext.Provider value={editDepth + 1}>
+ {modalToRender === addModalSlug && (
+ <AddModal
+ {...{
+ collection,
+ slug: addModalSlug,
+ fieldTypes,
+ setValue: (e) => {
+ setMissingFile(false);
+ onChange(e);
+ },
+ }}
+ />
+ )}
+ {modalToRender === selectExistingModalSlug && (
+ <SelectExistingModal
+ {...{
+ collection,
+ slug: selectExistingModalSlug,
+ setValue: onChange,
+ addModalSlug,
+ filterOptions,
+ path,
+ }}
+ />
+ )}
+ </EditDepthContext.Provider>
<FieldDescription
value={file}
description={description}
diff --git a/test/fields/collections/Upload/index.ts b/test/fields/collections/Upload/index.ts
index 4d6e54f0dc5..91ed422ed72 100644
--- a/test/fields/collections/Upload/index.ts
+++ b/test/fields/collections/Upload/index.ts
@@ -1,5 +1,5 @@
-import { CollectionConfig } from '../../../../src/collections/config/types';
import path from 'path';
+import { CollectionConfig } from '../../../../src/collections/config/types';
const Uploads: CollectionConfig = {
slug: 'uploads',
@@ -11,6 +11,11 @@ const Uploads: CollectionConfig = {
type: 'text',
name: 'text',
},
+ {
+ type: 'upload',
+ name: 'media',
+ relationTo: 'uploads',
+ },
],
};
|
6253ec5d1a410cf5b9e89552761b90726261f5a3
|
2024-09-06 23:30:53
|
Jacob Fletcher
|
fix(ui): optimizes the relationship field by sharing a single document drawer across all values (#8094)
| false
|
optimizes the relationship field by sharing a single document drawer across all values (#8094)
|
fix
|
diff --git a/packages/ui/src/elements/ReactSelect/types.ts b/packages/ui/src/elements/ReactSelect/types.ts
index 60e50ab929c..8dd6842fa3a 100644
--- a/packages/ui/src/elements/ReactSelect/types.ts
+++ b/packages/ui/src/elements/ReactSelect/types.ts
@@ -7,6 +7,11 @@ type CustomSelectProps = {
disableMouseDown?: boolean
draggableProps?: any
droppableRef?: React.RefObject<HTMLDivElement | null>
+ onDocumentDrawerOpen: (args: {
+ collectionSlug: string
+ hasReadPermission: boolean
+ id: number | string
+ }) => void
onSave?: DocumentDrawerProps['onSave']
setDrawerIsOpen?: (isOpen: boolean) => void
}
diff --git a/packages/ui/src/fields/Relationship/index.tsx b/packages/ui/src/fields/Relationship/index.tsx
index 5439a9399fa..31dde81ebf8 100644
--- a/packages/ui/src/fields/Relationship/index.tsx
+++ b/packages/ui/src/fields/Relationship/index.tsx
@@ -6,9 +6,11 @@ import * as qs from 'qs-esm'
import React, { useCallback, useEffect, useReducer, useRef, useState } from 'react'
import type { DocumentDrawerProps } from '../../elements/DocumentDrawer/types.js'
+import type { ReactSelectAdapterProps } from '../../elements/ReactSelect/types.js'
import type { GetResults, Option, Value } from './types.js'
import { AddNewRelation } from '../../elements/AddNewRelation/index.js'
+import { useDocumentDrawer } from '../../elements/DocumentDrawer/index.js'
import { ReactSelect } from '../../elements/ReactSelect/index.js'
import { useFieldProps } from '../../forms/FieldPropsProvider/index.js'
import { useField } from '../../forms/useField/index.js'
@@ -75,6 +77,15 @@ const RelationshipFieldComponent: React.FC<RelationshipFieldProps> = (props) =>
const { permissions } = useAuth()
const { code: locale } = useLocale()
const hasMultipleRelations = Array.isArray(relationTo)
+
+ const [currentlyOpenRelationship, setCurrentlyOpenRelationship] = useState<
+ Parameters<ReactSelectAdapterProps['customProps']['onDocumentDrawerOpen']>[0]
+ >({
+ id: undefined,
+ collectionSlug: undefined,
+ hasReadPermission: false,
+ })
+
const [lastFullyLoadedRelation, setLastFullyLoadedRelation] = useState(-1)
const [lastLoadedPage, setLastLoadedPage] = useState<Record<string, number>>({})
const [errorLoading, setErrorLoading] = useState('')
@@ -114,7 +125,12 @@ const RelationshipFieldComponent: React.FC<RelationshipFieldProps> = (props) =>
const valueRef = useRef(value)
valueRef.current = value
- const [drawerIsOpen, setDrawerIsOpen] = useState(false)
+ const [DocumentDrawer, , { isDrawerOpen, openDrawer }] = useDocumentDrawer({
+ id: currentlyOpenRelationship.id,
+ collectionSlug: currentlyOpenRelationship.collectionSlug,
+ })
+
+ const openDrawerWhenRelationChanges = useRef(false)
const getResults: GetResults = useCallback(
async ({
@@ -406,7 +422,6 @@ const RelationshipFieldComponent: React.FC<RelationshipFieldProps> = (props) =>
// When (`relationTo` || `filterOptions` || `locale`) changes, reset component
// Note - effect should not run on first run
useIgnoredEffect(
-
() => {
// If the menu is open while filterOptions changes
// due to latency of getFormState and fast clicking into this field,
@@ -473,6 +488,24 @@ const RelationshipFieldComponent: React.FC<RelationshipFieldProps> = (props) =>
return r.test(string.slice(-breakApartThreshold))
}, [])
+ const onDocumentDrawerOpen = useCallback<
+ ReactSelectAdapterProps['customProps']['onDocumentDrawerOpen']
+ >(({ id, collectionSlug, hasReadPermission }) => {
+ openDrawerWhenRelationChanges.current = true
+ setCurrentlyOpenRelationship({
+ id,
+ collectionSlug,
+ hasReadPermission,
+ })
+ }, [])
+
+ useEffect(() => {
+ if (openDrawerWhenRelationChanges.current) {
+ openDrawer()
+ openDrawerWhenRelationChanges.current = false
+ }
+ }, [openDrawer, currentlyOpenRelationship])
+
const valueToRender = findOptionsByValue({ options, value })
if (!Array.isArray(valueToRender) && valueToRender?.value === 'null') {
@@ -515,18 +548,18 @@ const RelationshipFieldComponent: React.FC<RelationshipFieldProps> = (props) =>
{!errorLoading && (
<div className={`${baseClass}__wrap`}>
<ReactSelect
- backspaceRemovesValue={!drawerIsOpen}
+ backspaceRemovesValue={!isDrawerOpen}
components={{
MultiValueLabel,
SingleValue,
}}
customProps={{
- disableKeyDown: drawerIsOpen,
- disableMouseDown: drawerIsOpen,
+ disableKeyDown: isDrawerOpen,
+ disableMouseDown: isDrawerOpen,
+ onDocumentDrawerOpen,
onSave,
- setDrawerIsOpen,
}}
- disabled={readOnly || formProcessing || drawerIsOpen}
+ disabled={readOnly || formProcessing || isDrawerOpen}
filterOption={enableWordBoundarySearch ? filterOption : undefined}
getOptionValue={(option) => {
if (!option) {
@@ -623,6 +656,9 @@ const RelationshipFieldComponent: React.FC<RelationshipFieldProps> = (props) =>
{...(descriptionProps || {})}
/>
</div>
+ {currentlyOpenRelationship.collectionSlug && currentlyOpenRelationship.hasReadPermission && (
+ <DocumentDrawer onSave={onSave} />
+ )}
</div>
)
}
diff --git a/packages/ui/src/fields/Relationship/select-components/MultiValueLabel/index.scss b/packages/ui/src/fields/Relationship/select-components/MultiValueLabel/index.scss
index 3c6f25f8f48..3bc489235ef 100644
--- a/packages/ui/src/fields/Relationship/select-components/MultiValueLabel/index.scss
+++ b/packages/ui/src/fields/Relationship/select-components/MultiValueLabel/index.scss
@@ -21,6 +21,10 @@
}
&__drawer-toggler {
+ border: none;
+ background-color: transparent;
+ padding: 0;
+ cursor: pointer;
position: relative;
display: flex;
align-items: center;
diff --git a/packages/ui/src/fields/Relationship/select-components/MultiValueLabel/index.tsx b/packages/ui/src/fields/Relationship/select-components/MultiValueLabel/index.tsx
index 77ce0269e28..f222f6cda7c 100644
--- a/packages/ui/src/fields/Relationship/select-components/MultiValueLabel/index.tsx
+++ b/packages/ui/src/fields/Relationship/select-components/MultiValueLabel/index.tsx
@@ -1,12 +1,12 @@
'use client'
import type { MultiValueProps } from 'react-select'
-import React, { Fragment, useEffect, useState } from 'react'
+import React, { Fragment, useState } from 'react'
import { components } from 'react-select'
+import type { ReactSelectAdapterProps } from '../../../../elements/ReactSelect/types.js'
import type { Option } from '../../types.js'
-import { useDocumentDrawer } from '../../../../elements/DocumentDrawer/index.js'
import { Tooltip } from '../../../../elements/Tooltip/index.js'
import { EditIcon } from '../../../../icons/Edit/index.js'
import { useAuth } from '../../../../providers/Auth/index.js'
@@ -15,19 +15,17 @@ import './index.scss'
const baseClass = 'relationship--multi-value-label'
-export const MultiValueLabel: React.FC<MultiValueProps<Option>> = (props) => {
+export const MultiValueLabel: React.FC<
+ {
+ selectProps: {
+ // TODO Fix this - moduleResolution 16 breaks our declare module
+ customProps: ReactSelectAdapterProps['customProps']
+ }
+ } & MultiValueProps<Option>
+> = (props) => {
const {
data: { label, relationTo, value },
- selectProps: {
- // @ts-expect-error-next-line // TODO Fix this - moduleResolution 16 breaks our declare module
- customProps: {
- // @ts-expect-error-next-line// TODO Fix this - moduleResolution 16 breaks our declare module
- draggableProps,
- // @ts-expect-error-next-line // TODO Fix this - moduleResolution 16 breaks our declare module
- setDrawerIsOpen,
- // onSave,
- } = {},
- } = {},
+ selectProps: { customProps: { draggableProps, onDocumentDrawerOpen } = {} } = {},
} = props
const { permissions } = useAuth()
@@ -35,17 +33,6 @@ export const MultiValueLabel: React.FC<MultiValueProps<Option>> = (props) => {
const { t } = useTranslation()
const hasReadPermission = Boolean(permissions?.collections?.[relationTo]?.read?.permission)
- const [DocumentDrawer, DocumentDrawerToggler, { isDrawerOpen }] = useDocumentDrawer({
- id: value?.toString(),
- collectionSlug: relationTo,
- })
-
- useEffect(() => {
- if (typeof setDrawerIsOpen === 'function') {
- setDrawerIsOpen(isDrawerOpen)
- }
- }, [isDrawerOpen, setDrawerIsOpen])
-
return (
<div className={baseClass}>
<div className={`${baseClass}__content`}>
@@ -59,10 +46,17 @@ export const MultiValueLabel: React.FC<MultiValueProps<Option>> = (props) => {
</div>
{relationTo && hasReadPermission && (
<Fragment>
- <DocumentDrawerToggler
+ <button
aria-label={`Edit ${label}`}
className={`${baseClass}__drawer-toggler`}
- onClick={() => setShowTooltip(false)}
+ onClick={() => {
+ setShowTooltip(false)
+ onDocumentDrawerOpen({
+ id: value,
+ collectionSlug: relationTo,
+ hasReadPermission,
+ })
+ }}
onKeyDown={(e) => {
if (e.key === 'Enter') {
e.stopPropagation()
@@ -72,13 +66,13 @@ export const MultiValueLabel: React.FC<MultiValueProps<Option>> = (props) => {
onMouseEnter={() => setShowTooltip(true)}
onMouseLeave={() => setShowTooltip(false)}
onTouchEnd={(e) => e.stopPropagation()} // prevents react-select dropdown from opening
+ type="button"
>
<Tooltip className={`${baseClass}__tooltip`} show={showTooltip}>
{t('general:editLabel', { label: '' })}
</Tooltip>
<EditIcon className={`${baseClass}__icon`} />
- </DocumentDrawerToggler>
- <DocumentDrawer onSave={/* onSave */ null} />
+ </button>
</Fragment>
)}
</div>
diff --git a/packages/ui/src/fields/Relationship/select-components/SingleValue/index.scss b/packages/ui/src/fields/Relationship/select-components/SingleValue/index.scss
index c2b9d0fdc42..2fad7cc2ad8 100644
--- a/packages/ui/src/fields/Relationship/select-components/SingleValue/index.scss
+++ b/packages/ui/src/fields/Relationship/select-components/SingleValue/index.scss
@@ -21,6 +21,10 @@
}
&__drawer-toggler {
+ border: none;
+ background-color: transparent;
+ padding: 0;
+ cursor: pointer;
position: relative;
display: inline-flex;
align-items: center;
diff --git a/packages/ui/src/fields/Relationship/select-components/SingleValue/index.tsx b/packages/ui/src/fields/Relationship/select-components/SingleValue/index.tsx
index 0d2ebe372d7..87c4a5b4776 100644
--- a/packages/ui/src/fields/Relationship/select-components/SingleValue/index.tsx
+++ b/packages/ui/src/fields/Relationship/select-components/SingleValue/index.tsx
@@ -1,12 +1,12 @@
'use client'
import type { SingleValueProps } from 'react-select'
-import React, { Fragment, useEffect, useState } from 'react'
+import React, { Fragment, useState } from 'react'
import { components as SelectComponents } from 'react-select'
+import type { ReactSelectAdapterProps } from '../../../../elements/ReactSelect/types.js'
import type { Option } from '../../types.js'
-import { useDocumentDrawer } from '../../../../elements/DocumentDrawer/index.js'
import { Tooltip } from '../../../../elements/Tooltip/index.js'
import { EditIcon } from '../../../../icons/Edit/index.js'
import { useAuth } from '../../../../providers/Auth/index.js'
@@ -15,12 +15,18 @@ import './index.scss'
const baseClass = 'relationship--single-value'
-export const SingleValue: React.FC<SingleValueProps<Option>> = (props) => {
+export const SingleValue: React.FC<
+ {
+ selectProps: {
+ // TODO Fix this - moduleResolution 16 breaks our declare module
+ customProps: ReactSelectAdapterProps['customProps']
+ }
+ } & SingleValueProps<Option>
+> = (props) => {
const {
children,
data: { label, relationTo, value },
- // @ts-expect-error-next-line // TODO Fix this - moduleResolution 16 breaks our declare module
- selectProps: { customProps: { onSave, setDrawerIsOpen } = {} } = {},
+ selectProps: { customProps: { onDocumentDrawerOpen } = {} } = {},
} = props
const [showTooltip, setShowTooltip] = useState(false)
@@ -28,17 +34,6 @@ export const SingleValue: React.FC<SingleValueProps<Option>> = (props) => {
const { permissions } = useAuth()
const hasReadPermission = Boolean(permissions?.collections?.[relationTo]?.read?.permission)
- const [DocumentDrawer, DocumentDrawerToggler, { isDrawerOpen }] = useDocumentDrawer({
- id: value.toString(),
- collectionSlug: relationTo,
- })
-
- useEffect(() => {
- if (typeof setDrawerIsOpen === 'function') {
- setDrawerIsOpen(isDrawerOpen)
- }
- }, [isDrawerOpen, setDrawerIsOpen])
-
return (
<React.Fragment>
<SelectComponents.SingleValue {...props} className={baseClass}>
@@ -47,10 +42,17 @@ export const SingleValue: React.FC<SingleValueProps<Option>> = (props) => {
<div className={`${baseClass}__text`}>{children}</div>
{relationTo && hasReadPermission && (
<Fragment>
- <DocumentDrawerToggler
+ <button
aria-label={t('general:editLabel', { label })}
className={`${baseClass}__drawer-toggler`}
- onClick={() => setShowTooltip(false)}
+ onClick={() => {
+ setShowTooltip(false)
+ onDocumentDrawerOpen({
+ id: value,
+ collectionSlug: relationTo,
+ hasReadPermission,
+ })
+ }}
onKeyDown={(e) => {
if (e.key === 'Enter') {
e.stopPropagation()
@@ -60,17 +62,17 @@ export const SingleValue: React.FC<SingleValueProps<Option>> = (props) => {
onMouseEnter={() => setShowTooltip(true)}
onMouseLeave={() => setShowTooltip(false)}
onTouchEnd={(e) => e.stopPropagation()} // prevents react-select dropdown from opening
+ type="button"
>
<Tooltip className={`${baseClass}__tooltip`} show={showTooltip}>
{t('general:edit')}
</Tooltip>
<EditIcon />
- </DocumentDrawerToggler>
+ </button>
</Fragment>
)}
</div>
</div>
- {relationTo && hasReadPermission && <DocumentDrawer onSave={onSave} />}
</SelectComponents.SingleValue>
</React.Fragment>
)
diff --git a/test/admin/e2e/1/e2e.spec.ts b/test/admin/e2e/1/e2e.spec.ts
index 36dd88c5599..df8f358143d 100644
--- a/test/admin/e2e/1/e2e.spec.ts
+++ b/test/admin/e2e/1/e2e.spec.ts
@@ -976,18 +976,14 @@ describe('admin1', () => {
await page.locator('#field-title').fill(title)
await saveDocAndAssert(page)
await page
- .locator(
- '.field-type.relationship .relationship--single-value__drawer-toggler.doc-drawer__toggler',
- )
+ .locator('.field-type.relationship .relationship--single-value__drawer-toggler')
.click()
await wait(500)
const drawer1Content = page.locator('[id^=doc-drawer_posts_1_] .drawer__content')
await expect(drawer1Content).toBeVisible()
const drawerLeft = await drawer1Content.boundingBox().then((box) => box.x)
await drawer1Content
- .locator(
- '.field-type.relationship .relationship--single-value__drawer-toggler.doc-drawer__toggler',
- )
+ .locator('.field-type.relationship .relationship--single-value__drawer-toggler')
.click()
const drawer2Content = page.locator('[id^=doc-drawer_posts_2_] .drawer__content')
await expect(drawer2Content).toBeVisible()
|
bf0d20461ab68d813c8bde20f6a01b10a26e2ee7
|
2020-10-13 22:57:55
|
Elliot DeNolf
|
fix: handle undefined in DateCell and DatePicker, homogenize formatting
| false
|
handle undefined in DateCell and DatePicker, homogenize formatting
|
fix
|
diff --git a/src/admin/components/elements/DatePicker/DatePicker.js b/src/admin/components/elements/DatePicker/DatePicker.js
index 21b47742557..146e9af083a 100644
--- a/src/admin/components/elements/DatePicker/DatePicker.js
+++ b/src/admin/components/elements/DatePicker/DatePicker.js
@@ -31,8 +31,8 @@ const DateTime = (props) => {
let dateTimeFormat = inputDateTimeFormat;
if (!dateTimeFormat) {
- if (useTime && useDate) dateTimeFormat = 'MMM d, yyy h:mma';
- else if (useTime) dateTimeFormat = 'h:mma';
+ if (useTime && useDate) dateTimeFormat = 'MMM d, yyy h:mm a';
+ else if (useTime) dateTimeFormat = 'h:mm a';
else dateTimeFormat = 'MMM d, yyy';
}
@@ -102,7 +102,10 @@ DateTime.propTypes = {
maxTime: PropTypes.instanceOf(Date),
timeIntervals: PropTypes.number,
timeFormat: PropTypes.string,
- value: PropTypes.instanceOf(Date),
+ value: PropTypes.oneOfType([
+ PropTypes.instanceOf(Date),
+ PropTypes.string,
+ ]),
onChange: PropTypes.func,
admin: PropTypes.shape({
readOnly: PropTypes.bool,
diff --git a/src/admin/components/views/Account/Default.js b/src/admin/components/views/Account/Default.js
index 7b7b9a9d876..ff0ddbb018a 100644
--- a/src/admin/components/views/Account/Default.js
+++ b/src/admin/components/views/Account/Default.js
@@ -138,13 +138,13 @@ const DefaultAccount = (props) => {
{data.updatedAt && (
<li>
<div className={`${baseClass}__label`}>Last Modified</div>
- <div>{format(new Date(data.updatedAt), 'MMMM do yyyy, h:mma')}</div>
+ <div>{format(new Date(data.updatedAt), 'MMMM do yyyy, h:mm a')}</div>
</li>
)}
{data.createdAt && (
<li>
<div className={`${baseClass}__label`}>Created</div>
- <div>{format(new Date(data.createdAt), 'MMMM do yyyy, h:mma')}</div>
+ <div>{format(new Date(data.createdAt), 'MMMM do yyyy, h:mm a')}</div>
</li>
)}
</React.Fragment>
diff --git a/src/admin/components/views/Global/Default.js b/src/admin/components/views/Global/Default.js
index 33a61b8836e..d209605ce1d 100644
--- a/src/admin/components/views/Global/Default.js
+++ b/src/admin/components/views/Global/Default.js
@@ -104,7 +104,7 @@ const DefaultGlobalView = (props) => {
{data.updatedAt && (
<li>
<div className={`${baseClass}__label`}>Last Modified</div>
- <div>{format(new Date(data.updatedAt), 'MMMM do yyyy, h:mma')}</div>
+ <div>{format(new Date(data.updatedAt), 'MMMM do yyyy, h:mm a')}</div>
</li>
)}
</ul>
diff --git a/src/admin/components/views/collections/Edit/Default.js b/src/admin/components/views/collections/Edit/Default.js
index 4f647c6e6dc..04c2a11735a 100644
--- a/src/admin/components/views/collections/Edit/Default.js
+++ b/src/admin/components/views/collections/Edit/Default.js
@@ -186,13 +186,13 @@ const DefaultEditView = (props) => {
{data.updatedAt && (
<li>
<div className={`${baseClass}__label`}>Last Modified</div>
- <div>{format(new Date(data.updatedAt), 'MMMM do yyyy, h:mma')}</div>
+ <div>{format(new Date(data.updatedAt), 'MMMM do yyyy, h:mm a')}</div>
</li>
)}
{data.createdAt && (
<li>
<div className={`${baseClass}__label`}>Created</div>
- <div>{format(new Date(data.createdAt), 'MMMM do yyyy, h:mma')}</div>
+ <div>{format(new Date(data.createdAt), 'MMMM do yyyy, h:mm a')}</div>
</li>
)}
</React.Fragment>
diff --git a/src/admin/components/views/collections/List/Cell/cellTypes.spec.js b/src/admin/components/views/collections/List/Cell/cellTypes.spec.js
index ee2d67975df..deae9f29835 100644
--- a/src/admin/components/views/collections/List/Cell/cellTypes.spec.js
+++ b/src/admin/components/views/collections/List/Cell/cellTypes.spec.js
@@ -66,6 +66,13 @@ describe('Cell Types', () => {
const el = container.querySelector('span');
expect(el.textContent).toMatch(dateMatch);
});
+
+ it('handles undefined', () => {
+ const timeStamp = undefined;
+ const { container } = render(<DateCell data={timeStamp} />);
+ const el = container.querySelector('span');
+ expect(el.textContent).toBe('');
+ });
});
describe('Checkbox', () => {
diff --git a/src/admin/components/views/collections/List/Cell/types/Date/index.js b/src/admin/components/views/collections/List/Cell/types/Date/index.js
index 6ece10fcb73..dc8915044b7 100644
--- a/src/admin/components/views/collections/List/Cell/types/Date/index.js
+++ b/src/admin/components/views/collections/List/Cell/types/Date/index.js
@@ -4,12 +4,16 @@ import format from 'date-fns/format';
const DateCell = ({ data }) => (
<span>
- {format(new Date(data), 'MMMM do yyyy, h:mm a')}
+ {data && format(new Date(data), 'MMMM do yyyy, h:mm a')}
</span>
);
+DateCell.defaultProps = {
+ data: undefined,
+};
+
DateCell.propTypes = {
- data: PropTypes.string.isRequired,
+ data: PropTypes.string,
};
export default DateCell;
|
a64f37e014d78a292cfd2fb7390260caf00f29dc
|
2024-07-26 20:03:46
|
Elliot DeNolf
|
feat(cpa): support next.config.ts (#7367)
| false
|
support next.config.ts (#7367)
|
feat
|
diff --git a/packages/create-payload-app/package.json b/packages/create-payload-app/package.json
index e6cd8c45892..060df596582 100644
--- a/packages/create-payload-app/package.json
+++ b/packages/create-payload-app/package.json
@@ -50,6 +50,7 @@
"dependencies": {
"@clack/prompts": "^0.7.0",
"@sindresorhus/slugify": "^1.1.0",
+ "@swc/core": "^1.6.13",
"arg": "^5.0.0",
"chalk": "^4.1.0",
"comment-json": "^4.2.3",
diff --git a/packages/create-payload-app/src/lib/init-next.ts b/packages/create-payload-app/src/lib/init-next.ts
index eeb82615a95..d196dd74718 100644
--- a/packages/create-payload-app/src/lib/init-next.ts
+++ b/packages/create-payload-app/src/lib/init-next.ts
@@ -79,7 +79,7 @@ export async function initNext(args: InitNextArgs): Promise<InitNextResult> {
const installSpinner = p.spinner()
installSpinner.start('Installing Payload and dependencies...')
- const configurationResult = installAndConfigurePayload({
+ const configurationResult = await installAndConfigurePayload({
...args,
nextAppDetails,
nextConfigType,
@@ -143,15 +143,16 @@ async function addPayloadConfigToTsConfig(projectDir: string, isSrcDir: boolean)
}
}
-function installAndConfigurePayload(
+async function installAndConfigurePayload(
args: {
nextAppDetails: NextAppDetails
nextConfigType: NextConfigType
useDistFiles?: boolean
} & InitNextArgs,
-):
+): Promise<
| { payloadConfigPath: string; success: true }
- | { payloadConfigPath?: string; reason: string; success: false } {
+ | { payloadConfigPath?: string; reason: string; success: false }
+> {
const {
'--debug': debug,
nextAppDetails: { isSrcDir, nextAppDir, nextConfigPath } = {},
@@ -212,7 +213,7 @@ function installAndConfigurePayload(
copyRecursiveSync(templateSrcDir, path.dirname(nextConfigPath), debug)
// Wrap next.config.js with withPayload
- wrapNextConfig({ nextConfigPath, nextConfigType })
+ await wrapNextConfig({ nextConfigPath, nextConfigType })
return {
payloadConfigPath: path.resolve(nextAppDir, '../payload.config.ts'),
@@ -240,7 +241,7 @@ export async function getNextAppDetails(projectDir: string): Promise<NextAppDeta
const isSrcDir = fs.existsSync(path.resolve(projectDir, 'src'))
const nextConfigPath: string | undefined = (
- await globby('next.config.*js', { absolute: true, cwd: projectDir })
+ await globby('next.config.*(t|j)s', { absolute: true, cwd: projectDir })
)?.[0]
if (!nextConfigPath || nextConfigPath.length === 0) {
@@ -286,8 +287,13 @@ export async function getNextAppDetails(projectDir: string): Promise<NextAppDeta
function getProjectType(args: {
nextConfigPath: string
packageObj: Record<string, unknown>
-}): 'cjs' | 'esm' {
+}): NextConfigType {
const { nextConfigPath, packageObj } = args
+
+ if (nextConfigPath.endsWith('.ts')) {
+ return 'ts'
+ }
+
if (nextConfigPath.endsWith('.mjs')) {
return 'esm'
}
diff --git a/packages/create-payload-app/src/lib/wrap-next-config.spec.ts b/packages/create-payload-app/src/lib/wrap-next-config.spec.ts
index 4f67b5e3d97..fa9e978928d 100644
--- a/packages/create-payload-app/src/lib/wrap-next-config.spec.ts
+++ b/packages/create-payload-app/src/lib/wrap-next-config.spec.ts
@@ -3,6 +3,35 @@ import { jest } from '@jest/globals'
import { parseAndModifyConfigContent, withPayloadStatement } from './wrap-next-config.js'
+const tsConfigs = {
+ defaultNextConfig: `import type { NextConfig } from "next";
+
+const nextConfig: NextConfig = {};
+export default nextConfig;`,
+
+ nextConfigExportNamedDefault: `import type { NextConfig } from "next";
+const nextConfig: NextConfig = {};
+const wrapped = someFunc(asdf);
+export { wrapped as default };
+`,
+ nextConfigWithFunc: `import type { NextConfig } from "next";
+const nextConfig: NextConfig = {};
+export default someFunc(nextConfig);
+`,
+ nextConfigWithFuncMultiline: `import type { NextConfig } from "next";
+const nextConfig: NextConfig = {};
+export default someFunc(
+ nextConfig
+);
+`,
+ nextConfigWithSpread: `import type { NextConfig } from "next";
+const nextConfig: NextConfig = {
+ ...someConfig,
+};
+export default nextConfig;
+`,
+}
+
const esmConfigs = {
defaultNextConfig: `/** @type {import('next').NextConfig} */
const nextConfig = {};
@@ -52,27 +81,66 @@ module.exports = nextConfig;
}
describe('parseAndInsertWithPayload', () => {
+ describe('ts', () => {
+ const configType = 'ts'
+ const importStatement = withPayloadStatement[configType]
+
+ it('should parse the default next config', async () => {
+ const { modifiedConfigContent } = await parseAndModifyConfigContent(
+ tsConfigs.defaultNextConfig,
+ configType,
+ )
+ expect(modifiedConfigContent).toContain(importStatement)
+ expect(modifiedConfigContent).toContain('withPayload(nextConfig)')
+ })
+
+ it('should parse the config with a function', async () => {
+ const { modifiedConfigContent: modifiedConfigContent2 } = await parseAndModifyConfigContent(
+ tsConfigs.nextConfigWithFunc,
+ configType,
+ )
+ expect(modifiedConfigContent2).toContain('withPayload(someFunc(nextConfig))')
+ })
+
+ it('should parse the config with a multi-lined function', async () => {
+ const { modifiedConfigContent } = await parseAndModifyConfigContent(
+ tsConfigs.nextConfigWithFuncMultiline,
+ configType,
+ )
+ expect(modifiedConfigContent).toContain(importStatement)
+ expect(modifiedConfigContent).toMatch(/withPayload\(someFunc\(\n {2}nextConfig\n\)\)/)
+ })
+
+ it('should parse the config with a spread', async () => {
+ const { modifiedConfigContent } = await parseAndModifyConfigContent(
+ tsConfigs.nextConfigWithSpread,
+ configType,
+ )
+ expect(modifiedConfigContent).toContain(importStatement)
+ expect(modifiedConfigContent).toContain('withPayload(nextConfig)')
+ })
+ })
describe('esm', () => {
const configType = 'esm'
const importStatement = withPayloadStatement[configType]
- it('should parse the default next config', () => {
- const { modifiedConfigContent } = parseAndModifyConfigContent(
+ it('should parse the default next config', async () => {
+ const { modifiedConfigContent } = await parseAndModifyConfigContent(
esmConfigs.defaultNextConfig,
configType,
)
expect(modifiedConfigContent).toContain(importStatement)
expect(modifiedConfigContent).toContain('withPayload(nextConfig)')
})
- it('should parse the config with a function', () => {
- const { modifiedConfigContent } = parseAndModifyConfigContent(
+ it('should parse the config with a function', async () => {
+ const { modifiedConfigContent } = await parseAndModifyConfigContent(
esmConfigs.nextConfigWithFunc,
configType,
)
expect(modifiedConfigContent).toContain('withPayload(someFunc(nextConfig))')
})
- it('should parse the config with a function on a new line', () => {
- const { modifiedConfigContent } = parseAndModifyConfigContent(
+ it('should parse the config with a multi-lined function', async () => {
+ const { modifiedConfigContent } = await parseAndModifyConfigContent(
esmConfigs.nextConfigWithFuncMultiline,
configType,
)
@@ -80,8 +148,8 @@ describe('parseAndInsertWithPayload', () => {
expect(modifiedConfigContent).toMatch(/withPayload\(someFunc\(\n {2}nextConfig\n\)\)/)
})
- it('should parse the config with a spread', () => {
- const { modifiedConfigContent } = parseAndModifyConfigContent(
+ it('should parse the config with a spread', async () => {
+ const { modifiedConfigContent } = await parseAndModifyConfigContent(
esmConfigs.nextConfigWithSpread,
configType,
)
@@ -90,10 +158,10 @@ describe('parseAndInsertWithPayload', () => {
})
// Unsupported: export { wrapped as default }
- it('should give warning with a named export as default', () => {
+ it('should give warning with a named export as default', async () => {
const warnLogSpy = jest.spyOn(p.log, 'warn').mockImplementation(() => {})
- const { modifiedConfigContent, success } = parseAndModifyConfigContent(
+ const { modifiedConfigContent, success } = await parseAndModifyConfigContent(
esmConfigs.nextConfigExportNamedDefault,
configType,
)
@@ -109,39 +177,39 @@ describe('parseAndInsertWithPayload', () => {
describe('cjs', () => {
const configType = 'cjs'
const requireStatement = withPayloadStatement[configType]
- it('should parse the default next config', () => {
- const { modifiedConfigContent } = parseAndModifyConfigContent(
+ it('should parse the default next config', async () => {
+ const { modifiedConfigContent } = await parseAndModifyConfigContent(
cjsConfigs.defaultNextConfig,
configType,
)
expect(modifiedConfigContent).toContain(requireStatement)
expect(modifiedConfigContent).toContain('withPayload(nextConfig)')
})
- it('should parse anonymous default config', () => {
- const { modifiedConfigContent } = parseAndModifyConfigContent(
+ it('should parse anonymous default config', async () => {
+ const { modifiedConfigContent } = await parseAndModifyConfigContent(
cjsConfigs.anonConfig,
configType,
)
expect(modifiedConfigContent).toContain(requireStatement)
expect(modifiedConfigContent).toContain('withPayload({})')
})
- it('should parse the config with a function', () => {
- const { modifiedConfigContent } = parseAndModifyConfigContent(
+ it('should parse the config with a function', async () => {
+ const { modifiedConfigContent } = await parseAndModifyConfigContent(
cjsConfigs.nextConfigWithFunc,
configType,
)
expect(modifiedConfigContent).toContain('withPayload(someFunc(nextConfig))')
})
- it('should parse the config with a function on a new line', () => {
- const { modifiedConfigContent } = parseAndModifyConfigContent(
+ it('should parse the config with a multi-lined function', async () => {
+ const { modifiedConfigContent } = await parseAndModifyConfigContent(
cjsConfigs.nextConfigWithFuncMultiline,
configType,
)
expect(modifiedConfigContent).toContain(requireStatement)
expect(modifiedConfigContent).toMatch(/withPayload\(someFunc\(\n {2}nextConfig\n\)\)/)
})
- it('should parse the config with a named export as default', () => {
- const { modifiedConfigContent } = parseAndModifyConfigContent(
+ it('should parse the config with a named export as default', async () => {
+ const { modifiedConfigContent } = await parseAndModifyConfigContent(
cjsConfigs.nextConfigExportNamedDefault,
configType,
)
@@ -149,8 +217,8 @@ describe('parseAndInsertWithPayload', () => {
expect(modifiedConfigContent).toContain('withPayload(wrapped)')
})
- it('should parse the config with a spread', () => {
- const { modifiedConfigContent } = parseAndModifyConfigContent(
+ it('should parse the config with a spread', async () => {
+ const { modifiedConfigContent } = await parseAndModifyConfigContent(
cjsConfigs.nextConfigWithSpread,
configType,
)
diff --git a/packages/create-payload-app/src/lib/wrap-next-config.ts b/packages/create-payload-app/src/lib/wrap-next-config.ts
index b06195773a2..b2e1e208a97 100644
--- a/packages/create-payload-app/src/lib/wrap-next-config.ts
+++ b/packages/create-payload-app/src/lib/wrap-next-config.ts
@@ -1,25 +1,27 @@
-import type { Program } from 'esprima-next'
+import type { ExportDefaultExpression, ModuleItem } from '@swc/core'
+import swc from '@swc/core'
import chalk from 'chalk'
import { Syntax, parseModule } from 'esprima-next'
import fs from 'fs'
+import type { NextConfigType } from '../types.js'
+
import { log, warning } from '../utils/log.js'
export const withPayloadStatement = {
- cjs: `const { withPayload } = require('@payloadcms/next/withPayload')\n`,
- esm: `import { withPayload } from '@payloadcms/next/withPayload'\n`,
+ cjs: `const { withPayload } = require("@payloadcms/next/withPayload");`,
+ esm: `import { withPayload } from "@payloadcms/next/withPayload";`,
+ ts: `import { withPayload } from "@payloadcms/next/withPayload";`,
}
-type NextConfigType = 'cjs' | 'esm'
-
-export const wrapNextConfig = (args: {
+export const wrapNextConfig = async (args: {
nextConfigPath: string
nextConfigType: NextConfigType
}) => {
const { nextConfigPath, nextConfigType: configType } = args
const configContent = fs.readFileSync(nextConfigPath, 'utf8')
- const { modifiedConfigContent: newConfig, success } = parseAndModifyConfigContent(
+ const { modifiedConfigContent: newConfig, success } = await parseAndModifyConfigContent(
configContent,
configType,
)
@@ -34,113 +36,142 @@ export const wrapNextConfig = (args: {
/**
* Parses config content with AST and wraps it with withPayload function
*/
-export function parseAndModifyConfigContent(
+export async function parseAndModifyConfigContent(
content: string,
configType: NextConfigType,
-): { modifiedConfigContent: string; success: boolean } {
- content = withPayloadStatement[configType] + content
-
- let ast: Program | undefined
- try {
- ast = parseModule(content, { loc: true })
- } catch (error: unknown) {
- if (error instanceof Error) {
- warning(`Unable to parse Next config. Error: ${error.message} `)
- warnUserWrapNotSuccessful(configType)
- }
- return {
- modifiedConfigContent: content,
- success: false,
- }
- }
-
- if (configType === 'esm') {
- const exportDefaultDeclaration = ast.body.find(
- (p) => p.type === Syntax.ExportDefaultDeclaration,
- ) as Directive | undefined
-
- const exportNamedDeclaration = ast.body.find(
- (p) => p.type === Syntax.ExportNamedDeclaration,
- ) as ExportNamedDeclaration | undefined
-
- if (!exportDefaultDeclaration && !exportNamedDeclaration) {
- throw new Error('Could not find ExportDefaultDeclaration in next.config.js')
- }
+): Promise<{ modifiedConfigContent: string; success: boolean }> {
+ content = withPayloadStatement[configType] + '\n' + content
+
+ console.log({ configType, content })
+
+ if (configType === 'cjs' || configType === 'esm') {
+ try {
+ const ast = parseModule(content, { loc: true })
+
+ if (configType === 'cjs') {
+ // Find `module.exports = X`
+ const moduleExports = ast.body.find(
+ (p) =>
+ p.type === Syntax.ExpressionStatement &&
+ p.expression?.type === Syntax.AssignmentExpression &&
+ p.expression.left?.type === Syntax.MemberExpression &&
+ p.expression.left.object?.type === Syntax.Identifier &&
+ p.expression.left.object.name === 'module' &&
+ p.expression.left.property?.type === Syntax.Identifier &&
+ p.expression.left.property.name === 'exports',
+ // eslint-disable-next-line @typescript-eslint/no-explicit-any
+ ) as any
+
+ if (moduleExports && moduleExports.expression.right?.loc) {
+ const modifiedConfigContent = insertBeforeAndAfter(
+ content,
+ moduleExports.expression.right.loc,
+ )
+ return { modifiedConfigContent, success: true }
+ }
- if (exportDefaultDeclaration && exportDefaultDeclaration.declaration?.loc) {
- const modifiedConfigContent = insertBeforeAndAfter(
- content,
- exportDefaultDeclaration.declaration.loc,
- )
- return { modifiedConfigContent, success: true }
- } else if (exportNamedDeclaration) {
- const exportSpecifier = exportNamedDeclaration.specifiers.find(
- (s) =>
- s.type === 'ExportSpecifier' &&
- s.exported?.name === 'default' &&
- s.local?.type === 'Identifier' &&
- s.local?.name,
- )
+ return Promise.resolve({
+ modifiedConfigContent: content,
+ success: false,
+ })
+ } else if (configType === 'esm') {
+ const exportDefaultDeclaration = ast.body.find(
+ (p) => p.type === Syntax.ExportDefaultDeclaration,
+ ) as Directive | undefined
+
+ const exportNamedDeclaration = ast.body.find(
+ (p) => p.type === Syntax.ExportNamedDeclaration,
+ ) as ExportNamedDeclaration | undefined
+
+ if (!exportDefaultDeclaration && !exportNamedDeclaration) {
+ throw new Error('Could not find ExportDefaultDeclaration in next.config.js')
+ }
- if (exportSpecifier) {
- warning('Could not automatically wrap next.config.js with withPayload.')
- warning('Automatic wrapping of named exports as default not supported yet.')
+ if (exportDefaultDeclaration && exportDefaultDeclaration.declaration?.loc) {
+ const modifiedConfigContent = insertBeforeAndAfter(
+ content,
+ exportDefaultDeclaration.declaration.loc,
+ )
+ return { modifiedConfigContent, success: true }
+ } else if (exportNamedDeclaration) {
+ const exportSpecifier = exportNamedDeclaration.specifiers.find(
+ (s) =>
+ s.type === 'ExportSpecifier' &&
+ s.exported?.name === 'default' &&
+ s.local?.type === 'Identifier' &&
+ s.local?.name,
+ )
+
+ if (exportSpecifier) {
+ warning('Could not automatically wrap next.config.js with withPayload.')
+ warning('Automatic wrapping of named exports as default not supported yet.')
+
+ warnUserWrapNotSuccessful(configType)
+ return {
+ modifiedConfigContent: content,
+ success: false,
+ }
+ }
+ }
+ warning('Could not automatically wrap Next config with withPayload.')
warnUserWrapNotSuccessful(configType)
- return {
+ return Promise.resolve({
modifiedConfigContent: content,
success: false,
- }
+ })
+ }
+ } catch (error: unknown) {
+ if (error instanceof Error) {
+ warning(`Unable to parse Next config. Error: ${error.message} `)
+ warnUserWrapNotSuccessful(configType)
+ }
+ return {
+ modifiedConfigContent: content,
+ success: false,
}
}
+ } else if (configType === 'ts') {
+ const { moduleItems, parseOffset } = await compileTypeScriptFileToAST(content)
+
+ const exportDefaultDeclaration = moduleItems.find(
+ (m) =>
+ m.type === 'ExportDefaultExpression' &&
+ (m.expression.type === 'Identifier' || m.expression.type === 'CallExpression'),
+ ) as ExportDefaultExpression | undefined
+
+ if (exportDefaultDeclaration) {
+ if (!('span' in exportDefaultDeclaration.expression)) {
+ warning('Could not automatically wrap Next config with withPayload.')
+ warnUserWrapNotSuccessful(configType)
+ return Promise.resolve({
+ modifiedConfigContent: content,
+ success: false,
+ })
+ }
- warning('Could not automatically wrap Next config with withPayload.')
- warnUserWrapNotSuccessful(configType)
- return {
- modifiedConfigContent: content,
- success: false,
- }
- } else if (configType === 'cjs') {
- // Find `module.exports = X`
- const moduleExports = ast.body.find(
- (p) =>
- p.type === Syntax.ExpressionStatement &&
- p.expression?.type === Syntax.AssignmentExpression &&
- p.expression.left?.type === Syntax.MemberExpression &&
- p.expression.left.object?.type === Syntax.Identifier &&
- p.expression.left.object.name === 'module' &&
- p.expression.left.property?.type === Syntax.Identifier &&
- p.expression.left.property.name === 'exports',
- // eslint-disable-next-line @typescript-eslint/no-explicit-any
- ) as any
-
- if (moduleExports && moduleExports.expression.right?.loc) {
- const modifiedConfigContent = insertBeforeAndAfter(
+ const modifiedConfigContent = insertBeforeAndAfterSWC(
content,
- moduleExports.expression.right.loc,
+ exportDefaultDeclaration.expression.span,
+ parseOffset,
)
return { modifiedConfigContent, success: true }
}
-
- return {
- modifiedConfigContent: content,
- success: false,
- }
}
warning('Could not automatically wrap Next config with withPayload.')
warnUserWrapNotSuccessful(configType)
- return {
+ return Promise.resolve({
modifiedConfigContent: content,
success: false,
- }
+ })
}
function warnUserWrapNotSuccessful(configType: NextConfigType) {
// Output directions for user to update next.config.js
const withPayloadMessage = `
- ${chalk.bold(`Please manually wrap your existing next.config.js with the withPayload function. Here is an example:`)}
+ ${chalk.bold(`Please manually wrap your existing Next config with the withPayload function. Here is an example:`)}
${withPayloadStatement[configType]}
@@ -148,7 +179,7 @@ function warnUserWrapNotSuccessful(configType: NextConfigType) {
// Your Next.js config here
}
- ${configType === 'esm' ? 'export default withPayload(nextConfig)' : 'module.exports = withPayload(nextConfig)'}
+ ${configType === 'cjs' ? 'module.exports = withPayload(nextConfig)' : 'export default withPayload(nextConfig)'}
`
@@ -186,7 +217,7 @@ type Loc = {
start: { column: number; line: number }
}
-function insertBeforeAndAfter(content: string, loc: Loc) {
+function insertBeforeAndAfter(content: string, loc: Loc): string {
const { end, start } = loc
const lines = content.split('\n')
@@ -205,3 +236,57 @@ function insertBeforeAndAfter(content: string, loc: Loc) {
return lines.join('\n')
}
+
+function insertBeforeAndAfterSWC(
+ content: string,
+ span: ModuleItem['span'],
+ /**
+ * WARNING: This is ONLY for unit tests. Defaults to 0 otherwise.
+ *
+ * @see compileTypeScriptFileToAST
+ */
+ parseOffset: number,
+): string {
+ const { end: preOffsetEnd, start: preOffsetStart } = span
+
+ const start = preOffsetStart - parseOffset
+ const end = preOffsetEnd - parseOffset
+
+ const insert = (pos: number, text: string): string => {
+ return content.slice(0, pos) + text + content.slice(pos)
+ }
+
+ // insert ) after end
+ content = insert(end - 1, ')')
+ // insert withPayload before start
+ content = insert(start - 1, 'withPayload(')
+
+ return content
+}
+
+/**
+ * Compile typescript to AST using the swc compiler
+ */
+async function compileTypeScriptFileToAST(
+ fileContent: string,
+): Promise<{ moduleItems: ModuleItem[]; parseOffset: number }> {
+ let parseOffset = 0
+
+ /**
+ * WARNING: This is ONLY for unit tests.
+ *
+ * Multiple instances of swc DO NOT reset the .span.end value.
+ * During unit tests, the .spawn.end value is read and accounted for.
+ *
+ * https://github.com/swc-project/swc/issues/1366
+ */
+ if (process.env.NODE_ENV === 'test') {
+ parseOffset = (await swc.parse('')).span.end
+ }
+
+ const module = await swc.parse(fileContent, {
+ syntax: 'typescript',
+ })
+
+ return { moduleItems: module.body, parseOffset }
+}
diff --git a/packages/create-payload-app/src/types.ts b/packages/create-payload-app/src/types.ts
index 28308a7fbbb..8fee9f4b645 100644
--- a/packages/create-payload-app/src/types.ts
+++ b/packages/create-payload-app/src/types.ts
@@ -75,6 +75,6 @@ export type NextAppDetails = {
nextConfigType?: NextConfigType
}
-export type NextConfigType = 'cjs' | 'esm'
+export type NextConfigType = 'cjs' | 'esm' | 'ts'
export type StorageAdapterType = 'localDisk' | 'payloadCloud' | 'vercelBlobStorage'
diff --git a/pnpm-lock.yaml b/pnpm-lock.yaml
index 7443f39a523..9a2b6db1354 100644
--- a/pnpm-lock.yaml
+++ b/pnpm-lock.yaml
@@ -206,6 +206,9 @@ importers:
'@sindresorhus/slugify':
specifier: ^1.1.0
version: 1.1.2
+ '@swc/core':
+ specifier: ^1.6.13
+ version: 1.6.13
arg:
specifier: ^5.0.0
version: 5.0.2
diff --git a/test/create-payload-app/int.spec.ts b/test/create-payload-app/int.spec.ts
index ea2cb372ba8..a7537ad2398 100644
--- a/test/create-payload-app/int.spec.ts
+++ b/test/create-payload-app/int.spec.ts
@@ -1,3 +1,4 @@
+/* eslint-disable jest/no-conditional-in-test */
import type { CompilerOptions } from 'typescript'
import * as CommentJson from 'comment-json'
@@ -13,11 +14,12 @@ import { promisify } from 'util'
const readFile = promisify(fs.readFile)
const writeFile = promisify(fs.writeFile)
-const commonNextCreateParams = '--typescript --eslint --no-tailwind --app --import-alias="@/*"'
+const commonNextCreateParams =
+ '--typescript --eslint --no-tailwind --app --import-alias="@/*" --turbo --yes'
const nextCreateCommands: Partial<Record<'noSrcDir' | 'srcDir', string>> = {
- noSrcDir: `pnpm create next-app@latest . ${commonNextCreateParams} --no-src-dir`,
- srcDir: `pnpm create next-app@latest . ${commonNextCreateParams} --src-dir`,
+ noSrcDir: `pnpm create next-app@canary . ${commonNextCreateParams} --no-src-dir`,
+ srcDir: `pnpm create next-app@canary . ${commonNextCreateParams} --src-dir`,
}
describe('create-payload-app', () => {
@@ -41,7 +43,11 @@ describe('create-payload-app', () => {
// Create a new Next.js project with default options
console.log(`Running: ${nextCreateCommands[nextCmdKey]} in ${projectDir}`)
const [cmd, ...args] = nextCreateCommands[nextCmdKey].split(' ')
- const { exitCode, stderr } = await execa(cmd, [...args], { cwd: projectDir })
+ console.log(`Running: ${cmd} ${args.join(' ')}`)
+ const { exitCode, stderr } = await execa(cmd, [...args], {
+ cwd: projectDir,
+ stdio: 'inherit',
+ })
if (exitCode !== 0) {
console.error({ exitCode, stderr })
}
|
d3b0a045be36831181808c5aa24327d8f1a3a53b
|
2024-11-19 07:50:23
|
Blain Maguire
|
fix: allow setting admin path route from config (#8085)
| false
|
allow setting admin path route from config (#8085)
|
fix
|
diff --git a/packages/payload/src/bin/generateImportMap/index.ts b/packages/payload/src/bin/generateImportMap/index.ts
index 850ce084b05..fe0679f4756 100644
--- a/packages/payload/src/bin/generateImportMap/index.ts
+++ b/packages/payload/src/bin/generateImportMap/index.ts
@@ -183,6 +183,7 @@ export async function generateImportMap(
await writeImportMap({
componentMap: importMap,
+ config,
fileName: 'importMap.js',
force: options?.force,
importMap: imports,
@@ -193,6 +194,7 @@ export async function generateImportMap(
export async function writeImportMap({
componentMap,
+ config,
fileName,
force,
importMap,
@@ -200,6 +202,7 @@ export async function writeImportMap({
rootDir,
}: {
componentMap: InternalImportMap
+ config: SanitizedConfig
fileName: string
force?: boolean
importMap: Imports
@@ -207,13 +210,13 @@ export async function writeImportMap({
rootDir: string
}) {
let importMapFolderPath = ''
- if (fs.existsSync(path.resolve(rootDir, 'app/(payload)/admin/'))) {
- importMapFolderPath = path.resolve(rootDir, 'app/(payload)/admin/')
- } else if (fs.existsSync(path.resolve(rootDir, 'src/app/(payload)/admin/'))) {
- importMapFolderPath = path.resolve(rootDir, 'src/app/(payload)/admin/')
+ if (fs.existsSync(path.resolve(rootDir, `app/(payload)${config.routes.admin}/`))) {
+ importMapFolderPath = path.resolve(rootDir, `app/(payload)${config.routes.admin}/`)
+ } else if (fs.existsSync(path.resolve(rootDir, `src/app/(payload)${config.routes.admin}/`))) {
+ importMapFolderPath = path.resolve(rootDir, `src/app/(payload)${config.routes.admin}/`)
} else {
throw new Error(
- `Could not find the payload admin directory. Looked in ${path.resolve(rootDir, 'app/(payload)/admin/')} and ${path.resolve(rootDir, 'src/app/(payload)/admin/')}`,
+ `Could not find the payload admin directory. Looked in ${path.resolve(rootDir, `app/(payload)${config.routes.admin}/`)} and ${path.resolve(rootDir, `src/app/(payload)${config.routes.admin}/`)}`,
)
}
|
ddc6cb927b2dd4817b6b5397313d4443c1aeb57e
|
2023-10-02 07:19:30
|
James
|
chore: exports database adapter from base payload
| false
|
exports database adapter from base payload
|
chore
|
diff --git a/packages/payload/src/index.ts b/packages/payload/src/index.ts
index aef61fce45d..eec4326c715 100644
--- a/packages/payload/src/index.ts
+++ b/packages/payload/src/index.ts
@@ -1,14 +1,13 @@
import type { Config as GeneratedTypes } from 'payload/generated-types'
import type { InitOptions } from './config/types'
+import type { DatabaseAdapter } from './database/types'
import type { RequestContext } from './express/types'
import type { Payload as LocalPayload } from './payload'
import { initHTTP } from './initHTTP'
import { BasePayload } from './payload'
-export { DatabaseAdapter } from './database/types'
-
export { getPayload } from './payload'
require('isomorphic-fetch')
@@ -33,3 +32,6 @@ export default payload
module.exports = payload
// Export RequestContext type
export type { RequestContext }
+
+// Export DatabaseAdapter type
+export type { DatabaseAdapter }
diff --git a/packages/payload/src/payload.ts b/packages/payload/src/payload.ts
index 9825724c155..10395e37094 100644
--- a/packages/payload/src/payload.ts
+++ b/packages/payload/src/payload.ts
@@ -9,6 +9,7 @@ import type pino from 'pino'
import crypto from 'crypto'
import path from 'path'
+import type { DatabaseAdapter } from './'
import type { Result as ForgotPasswordResult } from './auth/operations/forgotPassword'
import type { Options as ForgotPasswordOptions } from './auth/operations/local/forgotPassword'
import type { Options as LoginOptions } from './auth/operations/local/login'
@@ -35,7 +36,6 @@ import type {
Options as UpdateOptions,
} from './collections/operations/local/update'
import type { EmailOptions, InitOptions, SanitizedConfig } from './config/types'
-import type { DatabaseAdapter } from './database/types'
import type { PaginatedDocs } from './database/types'
import type { BuildEmailResult } from './email/types'
import type { PayloadAuthenticate } from './express/middleware/authenticate'
|
10c6ffafc392ac1530a77cbc916761cb5d281ba6
|
2024-06-11 23:15:49
|
Patrik
|
fix: only use `metadata.pages` for height if animated (#6728)
| false
|
only use `metadata.pages` for height if animated (#6728)
|
fix
|
diff --git a/packages/payload/src/uploads/generateFileData.ts b/packages/payload/src/uploads/generateFileData.ts
index b9193c686e6..c6575538624 100644
--- a/packages/payload/src/uploads/generateFileData.ts
+++ b/packages/payload/src/uploads/generateFileData.ts
@@ -219,7 +219,7 @@ export const generateFileData = async <T>({
fileData.height = info.height
if (fileIsAnimated) {
const metadata = await sharpFile.metadata()
- fileData.height = info.height / metadata.pages
+ fileData.height = metadata.pages ? info.height / metadata.pages : info.height
}
fileData.filesize = info.size
diff --git a/packages/payload/src/uploads/imageResizer.ts b/packages/payload/src/uploads/imageResizer.ts
index f17a26350c3..052b8427ee4 100644
--- a/packages/payload/src/uploads/imageResizer.ts
+++ b/packages/payload/src/uploads/imageResizer.ts
@@ -364,7 +364,7 @@ export async function resizeAndTransformImageSizes({
name: imageResizeConfig.name,
filename: imageNameWithDimensions,
filesize: size,
- height: fileIsAnimated ? height / metadata.pages : height,
+ height: fileIsAnimated && metadata.pages ? height / metadata.pages : height,
mimeType: mimeInfo?.mime || mimeType,
sizesToSave: [{ buffer: bufferData, path: imagePath }],
width,
|
e565fa6f1ce13d76b8111e543d4c799a5d7f450e
|
2021-04-30 04:00:11
|
Elliot DeNolf
|
feat: shrink image thumbnails on larger screens
| false
|
shrink image thumbnails on larger screens
|
feat
|
diff --git a/src/admin/components/elements/UploadGallery/index.scss b/src/admin/components/elements/UploadGallery/index.scss
index c57a3e8f37c..8bc9c068b7f 100644
--- a/src/admin/components/elements/UploadGallery/index.scss
+++ b/src/admin/components/elements/UploadGallery/index.scss
@@ -10,7 +10,7 @@
li {
min-width: 0;
- width: 25%;
+ width: 16.66%;
}
.upload-card {
|
cf14b323556ac308dcc80a1a82149a55d9706764
|
2024-03-01 23:34:58
|
Alessio Gravili
|
feat(richtext-lexical): lexicalPluginToLexical
| false
|
lexicalPluginToLexical
|
feat
|
diff --git a/packages/richtext-lexical/src/field/features/createFeaturePropComponent.tsx b/packages/richtext-lexical/src/field/features/createFeaturePropComponent.tsx
new file mode 100644
index 00000000000..83932c9b663
--- /dev/null
+++ b/packages/richtext-lexical/src/field/features/createFeaturePropComponent.tsx
@@ -0,0 +1,23 @@
+'use client'
+
+import type React from 'react'
+
+import { useAddClientFunction, useFieldPath } from '@payloadcms/ui'
+
+const useLexicalFeatureProp = <T,>(featureKey: string, componentKey: string, prop: T) => {
+ const { schemaPath } = useFieldPath()
+
+ useAddClientFunction(
+ `lexicalFeature.${schemaPath}.${featureKey}.components.${componentKey}`,
+ prop,
+ )
+}
+
+export const createFeaturePropComponent = <T = unknown,>(
+ prop: T,
+): React.FC<{ componentKey: string; featureKey: string }> => {
+ return (props) => {
+ useLexicalFeatureProp(props.featureKey, props.componentKey, prop)
+ return null
+ }
+}
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/heading/client.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/heading/client.ts
new file mode 100644
index 00000000000..39aaa775960
--- /dev/null
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/heading/client.ts
@@ -0,0 +1,6 @@
+'use client'
+
+import { createFeaturePropComponent } from '../../../../../createFeaturePropComponent'
+import { _HeadingConverter } from './converter'
+
+export const HeadingConverterClient = createFeaturePropComponent(_HeadingConverter)
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/heading.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/heading/converter.ts
similarity index 61%
rename from packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/heading.ts
rename to packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/heading/converter.ts
index ec785e5ef32..21de0ad49f4 100644
--- a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/heading.ts
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/heading/converter.ts
@@ -1,17 +1,17 @@
import type { SerializedHeadingNode } from '@lexical/rich-text'
-import type { LexicalPluginNodeConverter } from '../types'
+import type { LexicalPluginNodeConverter } from '../../types'
-import { convertLexicalPluginNodesToLexical } from '..'
+import { convertLexicalPluginNodesToLexical } from '../../index'
-export const HeadingConverter: LexicalPluginNodeConverter = {
+export const _HeadingConverter: LexicalPluginNodeConverter = {
converter({ converters, lexicalPluginNode }) {
return {
...lexicalPluginNode,
type: 'heading',
children: convertLexicalPluginNodesToLexical({
converters,
- lexicalPluginNodes: (lexicalPluginNode as any).children || [],
+ lexicalPluginNodes: lexicalPluginNode.children,
parentNodeType: 'heading',
}),
version: 1,
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/heading/index.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/heading/index.ts
new file mode 100644
index 00000000000..55d0a1fb238
--- /dev/null
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/heading/index.ts
@@ -0,0 +1,9 @@
+import type { LexicalPluginNodeConverterProvider } from '../../types'
+
+import { HeadingConverterClient } from './client'
+import { _HeadingConverter } from './converter'
+
+export const HeadingConverter: LexicalPluginNodeConverterProvider = {
+ ClientComponent: HeadingConverterClient,
+ converter: _HeadingConverter,
+}
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/link/client.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/link/client.ts
new file mode 100644
index 00000000000..ee5ed6d8653
--- /dev/null
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/link/client.ts
@@ -0,0 +1,5 @@
+'use client'
+import { createFeaturePropComponent } from '../../../../../createFeaturePropComponent'
+import { _LinkConverter } from './converter'
+
+export const LinkConverterClient = createFeaturePropComponent(_LinkConverter)
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/link.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/link/converter.ts
similarity index 76%
rename from packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/link.ts
rename to packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/link/converter.ts
index 6e2f9109071..8cdbf6bb2a4 100644
--- a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/link.ts
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/link/converter.ts
@@ -1,16 +1,18 @@
/* eslint-disable @typescript-eslint/no-explicit-any */
-import type { SerializedLinkNode } from '../../../../link/nodes/LinkNode'
-import type { LexicalPluginNodeConverter } from '../types'
-import { convertLexicalPluginNodesToLexical } from '..'
+import type { SerializedLinkNode } from '@payloadcms/richtext-lexical'
-export const LinkConverter: LexicalPluginNodeConverter = {
+import type { LexicalPluginNodeConverter } from '../../types'
+
+import { convertLexicalPluginNodesToLexical } from '../../index'
+
+export const _LinkConverter: LexicalPluginNodeConverter = {
converter({ converters, lexicalPluginNode }) {
return {
type: 'link',
children: convertLexicalPluginNodesToLexical({
converters,
- lexicalPluginNodes: (lexicalPluginNode as any).children || [],
+ lexicalPluginNodes: lexicalPluginNode.children,
parentNodeType: 'link',
}),
direction: (lexicalPluginNode as any).direction || 'ltr',
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/link/index.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/link/index.ts
new file mode 100644
index 00000000000..c65809a24bf
--- /dev/null
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/link/index.ts
@@ -0,0 +1,9 @@
+import type { LexicalPluginNodeConverterProvider } from '../../types'
+
+import { LinkConverterClient } from './client'
+import { _LinkConverter } from './converter'
+
+export const LinkConverter: LexicalPluginNodeConverterProvider = {
+ ClientComponent: LinkConverterClient,
+ converter: _LinkConverter,
+}
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/list/client.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/list/client.ts
new file mode 100644
index 00000000000..b1ed8ba854f
--- /dev/null
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/list/client.ts
@@ -0,0 +1,6 @@
+'use client'
+
+import { createFeaturePropComponent } from '../../../../../createFeaturePropComponent'
+import { _ListConverter } from './converter'
+
+export const ListConverterClient = createFeaturePropComponent(_ListConverter)
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/list.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/list/converter.ts
similarity index 61%
rename from packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/list.ts
rename to packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/list/converter.ts
index 59fb51b2756..b219b881ad2 100644
--- a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/list.ts
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/list/converter.ts
@@ -1,17 +1,19 @@
+/* eslint-disable @typescript-eslint/no-explicit-any */
+
import type { SerializedListNode } from '@lexical/list'
-import type { LexicalPluginNodeConverter } from '../types'
+import type { LexicalPluginNodeConverter } from '../../types'
-import { convertLexicalPluginNodesToLexical } from '..'
+import { convertLexicalPluginNodesToLexical } from '../../index'
-export const ListConverter: LexicalPluginNodeConverter = {
+export const _ListConverter: LexicalPluginNodeConverter = {
converter({ converters, lexicalPluginNode }) {
return {
...lexicalPluginNode,
type: 'list',
children: convertLexicalPluginNodesToLexical({
converters,
- lexicalPluginNodes: (lexicalPluginNode as any).children || [],
+ lexicalPluginNodes: lexicalPluginNode.children,
parentNodeType: 'list',
}),
listType: (lexicalPluginNode as any)?.listType || 'number',
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/list/index.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/list/index.ts
new file mode 100644
index 00000000000..f2d5d1cf3ea
--- /dev/null
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/list/index.ts
@@ -0,0 +1,9 @@
+import type { LexicalPluginNodeConverterProvider } from '../../types'
+
+import { ListConverterClient } from './client'
+import { _ListConverter } from './converter'
+
+export const ListConverter: LexicalPluginNodeConverterProvider = {
+ ClientComponent: ListConverterClient,
+ converter: _ListConverter,
+}
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/listItem/client.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/listItem/client.ts
new file mode 100644
index 00000000000..fb7f5b8b962
--- /dev/null
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/listItem/client.ts
@@ -0,0 +1,5 @@
+'use client'
+import { createFeaturePropComponent } from '../../../../../createFeaturePropComponent'
+import { _ListItemConverter } from './converter'
+
+export const ListItemConverterClient = createFeaturePropComponent(_ListItemConverter)
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/listItem.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/listItem/converter.ts
similarity index 64%
rename from packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/listItem.ts
rename to packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/listItem/converter.ts
index d6b74a85845..67278929379 100644
--- a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/listItem.ts
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/listItem/converter.ts
@@ -1,10 +1,10 @@
import type { SerializedListItemNode } from '@lexical/list'
-import type { LexicalPluginNodeConverter } from '../types'
+import type { LexicalPluginNodeConverter } from '../../types'
-import { convertLexicalPluginNodesToLexical } from '..'
+import { convertLexicalPluginNodesToLexical } from '../../index'
-export const ListItemConverter: LexicalPluginNodeConverter = {
+export const _ListItemConverter: LexicalPluginNodeConverter = {
converter({ childIndex, converters, lexicalPluginNode }) {
return {
...lexicalPluginNode,
@@ -12,7 +12,7 @@ export const ListItemConverter: LexicalPluginNodeConverter = {
checked: undefined,
children: convertLexicalPluginNodesToLexical({
converters,
- lexicalPluginNodes: (lexicalPluginNode as any)?.children || [],
+ lexicalPluginNodes: lexicalPluginNode.children,
parentNodeType: 'listitem',
}),
value: childIndex + 1,
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/listItem/index.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/listItem/index.ts
new file mode 100644
index 00000000000..5768610c929
--- /dev/null
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/listItem/index.ts
@@ -0,0 +1,9 @@
+import type { LexicalPluginNodeConverterProvider } from '../../types'
+
+import { ListItemConverterClient } from './client'
+import { _ListItemConverter } from './converter'
+
+export const ListItemConverter: LexicalPluginNodeConverterProvider = {
+ ClientComponent: ListItemConverterClient,
+ converter: _ListItemConverter,
+}
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/quote.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/quote.ts
deleted file mode 100644
index 4236699a1e8..00000000000
--- a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/quote.ts
+++ /dev/null
@@ -1,21 +0,0 @@
-import type { SerializedHeadingNode } from '@lexical/rich-text'
-
-import type { LexicalPluginNodeConverter } from '../types'
-
-import { convertLexicalPluginNodesToLexical } from '..'
-
-export const QuoteConverter: LexicalPluginNodeConverter = {
- converter({ converters, lexicalPluginNode }) {
- return {
- ...lexicalPluginNode,
- type: 'quote',
- children: convertLexicalPluginNodesToLexical({
- converters,
- lexicalPluginNodes: (lexicalPluginNode as any).children || [],
- parentNodeType: 'quote',
- }),
- version: 1,
- } as const as SerializedHeadingNode
- },
- nodeTypes: ['quote'],
-}
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/quote/client.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/quote/client.ts
new file mode 100644
index 00000000000..24745ab20f8
--- /dev/null
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/quote/client.ts
@@ -0,0 +1,6 @@
+'use client'
+
+import { createFeaturePropComponent } from '../../../../../createFeaturePropComponent'
+import { _QuoteConverter } from './converter'
+
+export const QuoteConverterClient = createFeaturePropComponent(_QuoteConverter)
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/quote/converter.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/quote/converter.ts
new file mode 100644
index 00000000000..32665a2e25c
--- /dev/null
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/quote/converter.ts
@@ -0,0 +1,21 @@
+import type { SerializedQuoteNode } from '@lexical/rich-text'
+
+import type { LexicalPluginNodeConverter } from '../../types'
+
+import { convertLexicalPluginNodesToLexical } from '../../index'
+
+export const _QuoteConverter: LexicalPluginNodeConverter = {
+ converter({ converters, lexicalPluginNode }) {
+ return {
+ ...lexicalPluginNode,
+ type: 'quote',
+ children: convertLexicalPluginNodesToLexical({
+ converters,
+ lexicalPluginNodes: lexicalPluginNode.children,
+ parentNodeType: 'quote',
+ }),
+ version: 1,
+ } as const as SerializedQuoteNode
+ },
+ nodeTypes: ['quote'],
+}
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/quote/index.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/quote/index.ts
new file mode 100644
index 00000000000..e787415246c
--- /dev/null
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/quote/index.ts
@@ -0,0 +1,9 @@
+import type { LexicalPluginNodeConverterProvider } from '../../types'
+
+import { QuoteConverterClient } from './client'
+import { _QuoteConverter } from './converter'
+
+export const QuoteConverter: LexicalPluginNodeConverterProvider = {
+ ClientComponent: QuoteConverterClient,
+ converter: _QuoteConverter,
+}
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/unknown/client.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/unknown/client.ts
new file mode 100644
index 00000000000..c220cc0f7d1
--- /dev/null
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/unknown/client.ts
@@ -0,0 +1,5 @@
+'use client'
+import { createFeaturePropComponent } from '../../../../../createFeaturePropComponent'
+import { _UnknownConverter } from './converter'
+
+export const UnknownConverterClient = createFeaturePropComponent(_UnknownConverter)
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/unknown.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/unknown/converter.ts
similarity index 59%
rename from packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/unknown.ts
rename to packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/unknown/converter.ts
index 8aea580670d..0bd15ab9eb3 100644
--- a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/unknown.ts
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/unknown/converter.ts
@@ -1,15 +1,15 @@
-import type { SerializedUnknownConvertedNode } from '../../nodes/unknownConvertedNode'
-import type { LexicalPluginNodeConverter } from '../types'
+import type { SerializedUnknownConvertedNode } from '../../../nodes/unknownConvertedNode'
+import type { LexicalPluginNodeConverter } from '../../types'
-import { convertLexicalPluginNodesToLexical } from '..'
+import { convertLexicalPluginNodesToLexical } from '../../index'
-export const UnknownConverter: LexicalPluginNodeConverter = {
+export const _UnknownConverter: LexicalPluginNodeConverter = {
converter({ converters, lexicalPluginNode }) {
return {
type: 'unknownConverted',
children: convertLexicalPluginNodesToLexical({
converters,
- lexicalPluginNodes: (lexicalPluginNode as any)?.children || [],
+ lexicalPluginNodes: lexicalPluginNode.children,
parentNodeType: 'unknownConverted',
}),
data: {
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/unknown/index.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/unknown/index.ts
new file mode 100644
index 00000000000..910b40fbd6b
--- /dev/null
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/unknown/index.ts
@@ -0,0 +1,9 @@
+import type { LexicalPluginNodeConverterProvider } from '../../types'
+
+import { UnknownConverterClient } from './client'
+import { _UnknownConverter } from './converter'
+
+export const UnknownConverter: LexicalPluginNodeConverterProvider = {
+ ClientComponent: UnknownConverterClient,
+ converter: _UnknownConverter,
+}
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/upload/client.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/upload/client.ts
new file mode 100644
index 00000000000..245dd85ec5d
--- /dev/null
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/upload/client.ts
@@ -0,0 +1,6 @@
+'use client'
+
+import { createFeaturePropComponent } from '../../../../../createFeaturePropComponent'
+import { _UploadConverter } from './converter'
+
+export const UploadConverterClient = createFeaturePropComponent(_UploadConverter)
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/upload.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/upload/converter.ts
similarity index 69%
rename from packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/upload.ts
rename to packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/upload/converter.ts
index 15be2413239..a3095b5d812 100644
--- a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/upload.ts
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/upload/converter.ts
@@ -1,7 +1,10 @@
-import type { SerializedUploadNode } from '../../../../../..'
-import type { LexicalPluginNodeConverter } from '../types'
+/* eslint-disable @typescript-eslint/no-explicit-any */
-export const UploadConverter: LexicalPluginNodeConverter = {
+import type { SerializedUploadNode } from '@payloadcms/richtext-lexical'
+
+import type { LexicalPluginNodeConverter } from '../../types'
+
+export const _UploadConverter: LexicalPluginNodeConverter = {
converter({ lexicalPluginNode }) {
let fields = {}
if ((lexicalPluginNode as any)?.caption?.editorState) {
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/upload/index.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/upload/index.ts
new file mode 100644
index 00000000000..4a3134adadf
--- /dev/null
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/converters/upload/index.ts
@@ -0,0 +1,9 @@
+import type { LexicalPluginNodeConverterProvider } from '../../types'
+
+import { UploadConverterClient } from './client'
+import { _UploadConverter } from './converter'
+
+export const UploadConverter: LexicalPluginNodeConverterProvider = {
+ ClientComponent: UploadConverterClient,
+ converter: _UploadConverter,
+}
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/defaultConverters.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/defaultConverters.ts
index a93e28d70e7..9977d9c838e 100644
--- a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/defaultConverters.ts
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/defaultConverters.ts
@@ -1,4 +1,4 @@
-import type { LexicalPluginNodeConverter } from './types'
+import type { LexicalPluginNodeConverterProvider } from './types'
import { HeadingConverter } from './converters/heading'
import { LinkConverter } from './converters/link'
@@ -8,12 +8,12 @@ import { QuoteConverter } from './converters/quote'
import { UnknownConverter } from './converters/unknown'
import { UploadConverter } from './converters/upload'
-export const defaultConverters: LexicalPluginNodeConverter[] = [
- UnknownConverter,
- UploadConverter,
+export const defaultConverters: LexicalPluginNodeConverterProvider[] = [
+ HeadingConverter,
+ LinkConverter,
ListConverter,
ListItemConverter,
- LinkConverter,
- HeadingConverter,
QuoteConverter,
+ UnknownConverter,
+ UploadConverter,
]
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/index.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/index.ts
index 6840b8731a7..5ca5677f18f 100644
--- a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/index.ts
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/index.ts
@@ -36,12 +36,15 @@ export function convertLexicalPluginNodesToLexical({
parentNodeType,
}: {
converters: LexicalPluginNodeConverter[]
- lexicalPluginNodes: SerializedLexicalNode[]
+ lexicalPluginNodes: SerializedLexicalNode[] | undefined
/**
* Type of the parent lexical node (not the type of the original, parent payload-plugin-lexical type)
*/
parentNodeType: string
}): SerializedLexicalNode[] {
+ if (!lexicalPluginNodes?.length) {
+ return []
+ }
const unknownConverter = converters.find((converter) => converter.nodeTypes.includes('unknown'))
return (
lexicalPluginNodes.map((lexicalPluginNode, i) => {
@@ -92,7 +95,3 @@ export function convertParagraphNode(
export function convertTextNode(node: SerializedLexicalNode): SerializedTextNode {
return node as SerializedTextNode
}
-
-export function convertNodeToFormat(node: SerializedLexicalNode): number {
- return (node as any).format
-}
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/types.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/types.ts
index 3d2f9b1879c..297379a5c6f 100644
--- a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/types.ts
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/converter/types.ts
@@ -1,4 +1,5 @@
import type { SerializedEditorState, SerializedLexicalNode } from 'lexical'
+import type React from 'react'
export type LexicalPluginNodeConverter<T extends SerializedLexicalNode = SerializedLexicalNode> = {
converter: ({
@@ -9,7 +10,7 @@ export type LexicalPluginNodeConverter<T extends SerializedLexicalNode = Seriali
}: {
childIndex: number
converters: LexicalPluginNodeConverter[]
- lexicalPluginNode: SerializedLexicalNode
+ lexicalPluginNode: SerializedLexicalNode & { children?: SerializedLexicalNode[] }
parentNodeType: string
}) => T
nodeTypes: string[]
@@ -24,3 +25,13 @@ export type PayloadPluginLexicalData = {
preview: string
words: number
}
+
+export type LexicalPluginNodeConverterClientComponent = React.FC<{
+ componentKey: string
+ featureKey: string
+}>
+
+export type LexicalPluginNodeConverterProvider = {
+ ClientComponent: LexicalPluginNodeConverterClientComponent
+ converter: LexicalPluginNodeConverter
+}
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/feature.client.tsx b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/feature.client.tsx
new file mode 100644
index 00000000000..df3b604aa10
--- /dev/null
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/feature.client.tsx
@@ -0,0 +1,40 @@
+'use client'
+
+import type { FeatureProviderProviderClient } from '../../types'
+import type { PayloadPluginLexicalData } from './converter/types'
+
+import { createClientComponent } from '../../createClientComponent'
+import { convertLexicalPluginToLexical } from './converter'
+import { UnknownConvertedNode } from './nodes/unknownConvertedNode'
+
+const LexicalPluginToLexicalFeatureClient: FeatureProviderProviderClient<null> = (props) => {
+ return {
+ clientFeatureProps: props,
+ feature: ({ clientFunctions, resolvedFeatures }) => {
+ const converters = Object.values(clientFunctions)
+
+ return {
+ clientFeatureProps: props,
+ hooks: {
+ load({ incomingEditorState }) {
+ if (!incomingEditorState || !('jsonContent' in incomingEditorState)) {
+ // incomingEditorState null or not from Lexical Plugin
+ return incomingEditorState
+ }
+ // Lexical Plugin => convert to lexical
+
+ return convertLexicalPluginToLexical({
+ converters,
+ lexicalPluginData: incomingEditorState as unknown as PayloadPluginLexicalData,
+ })
+ },
+ },
+ nodes: [UnknownConvertedNode],
+ }
+ },
+ }
+}
+
+export const LexicalPluginToLexicalFeatureClientComponent = createClientComponent(
+ LexicalPluginToLexicalFeatureClient,
+)
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/feature.server.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/feature.server.ts
new file mode 100644
index 00000000000..bfdde9d60af
--- /dev/null
+++ b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/feature.server.ts
@@ -0,0 +1,68 @@
+import type React from 'react'
+
+import type { FeatureProviderProviderServer } from '../../types'
+import type { LexicalPluginNodeConverterProvider } from './converter/types'
+
+import { defaultConverters } from './converter/defaultConverters'
+import { LexicalPluginToLexicalFeatureClientComponent } from './feature.client'
+import { UnknownConvertedNode } from './nodes/unknownConvertedNode'
+
+export type LexicalPluginToLexicalFeatureProps = {
+ converters?:
+ | (({
+ defaultConverters,
+ }: {
+ defaultConverters: LexicalPluginNodeConverterProvider[]
+ }) => LexicalPluginNodeConverterProvider[])
+ | LexicalPluginNodeConverterProvider[]
+}
+
+export const LexicalPluginToLexicalFeature: FeatureProviderProviderServer<
+ LexicalPluginToLexicalFeatureProps,
+ null
+> = (props) => {
+ if (!props) {
+ props = {}
+ }
+
+ let converters: LexicalPluginNodeConverterProvider[] = []
+
+ if (props?.converters && typeof props?.converters === 'function') {
+ converters = props.converters({ defaultConverters })
+ } else if (!props?.converters) {
+ converters = defaultConverters
+ }
+
+ props.converters = converters
+
+ return {
+ feature: () => {
+ return {
+ ClientComponent: LexicalPluginToLexicalFeatureClientComponent,
+ clientFeatureProps: null,
+ generateComponentMap: () => {
+ const map: {
+ [key: string]: React.FC
+ } = {}
+
+ for (const converter of converters) {
+ if (converter.ClientComponent) {
+ const key = converter.converter.nodeTypes.join('-')
+ map[key] = converter.ClientComponent
+ }
+ }
+
+ return map
+ },
+ nodes: [
+ {
+ node: UnknownConvertedNode,
+ },
+ ],
+ serverFeatureProps: props,
+ }
+ },
+ key: 'lexicalPluginToLexical',
+ serverFeatureProps: props,
+ }
+}
diff --git a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/index.ts b/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/index.ts
deleted file mode 100644
index 7dd855a7b2d..00000000000
--- a/packages/richtext-lexical/src/field/features/migrations/lexicalPluginToLexical/index.ts
+++ /dev/null
@@ -1,56 +0,0 @@
-import type { FeatureProvider } from '../../types'
-import type { LexicalPluginNodeConverter, PayloadPluginLexicalData } from './converter/types'
-
-import { convertLexicalPluginToLexical } from './converter'
-import { defaultConverters } from './converter/defaultConverters'
-import { UnknownConvertedNode } from './nodes/unknownConvertedNode'
-
-type Props = {
- converters?:
- | (({
- defaultConverters,
- }: {
- defaultConverters: LexicalPluginNodeConverter[]
- }) => LexicalPluginNodeConverter[])
- | LexicalPluginNodeConverter[]
-}
-
-export const LexicalPluginToLexicalFeature = (props?: Props): FeatureProvider => {
- if (!props) {
- props = {}
- }
-
- props.converters =
- props?.converters && typeof props?.converters === 'function'
- ? props.converters({ defaultConverters: defaultConverters })
- : (props?.converters as LexicalPluginNodeConverter[]) || defaultConverters
-
- return {
- feature: ({ resolvedFeatures, unSanitizedEditorConfig }) => {
- return {
- hooks: {
- load({ incomingEditorState }) {
- if (!incomingEditorState || !('jsonContent' in incomingEditorState)) {
- // incomingEditorState null or not from Lexical Plugin
- return incomingEditorState
- }
- // Lexical Plugin => convert to lexical
-
- return convertLexicalPluginToLexical({
- converters: props.converters as LexicalPluginNodeConverter[],
- lexicalPluginData: incomingEditorState as unknown as PayloadPluginLexicalData,
- })
- },
- },
- nodes: [
- {
- type: UnknownConvertedNode.getType(),
- node: UnknownConvertedNode,
- },
- ],
- props,
- }
- },
- key: 'lexicalPluginToLexical',
- }
-}
diff --git a/packages/richtext-lexical/src/field/features/types.ts b/packages/richtext-lexical/src/field/features/types.ts
index 526d548c177..848e8a057f8 100644
--- a/packages/richtext-lexical/src/field/features/types.ts
+++ b/packages/richtext-lexical/src/field/features/types.ts
@@ -98,6 +98,7 @@ export type FeatureProviderClient<ClientFeatureProps> = {
*/
clientFeatureProps: ClientComponentProps<ClientFeatureProps>
feature: (props: {
+ clientFunctions: Record<string, any>
/** unSanitizedEditorConfig.features, but mapped */
featureProviderMap: ClientFeatureProviderMap
// other resolved features, which have been loaded before this one. All features declared in 'dependencies' should be available here
@@ -180,7 +181,7 @@ export type ServerFeature<ServerProps, ClientFeatureProps> = {
props: ServerProps
schemaPath: string
}) => {
- [key: string]: React.FC
+ [key: string]: React.FC<{ componentKey: string; featureKey: string }>
}
generateSchemaMap?: (args: {
config: SanitizedConfig
diff --git a/packages/richtext-lexical/src/field/index.tsx b/packages/richtext-lexical/src/field/index.tsx
index 63e1eaaa0d0..281a5359589 100644
--- a/packages/richtext-lexical/src/field/index.tsx
+++ b/packages/richtext-lexical/src/field/index.tsx
@@ -39,17 +39,26 @@ export const RichTextField: React.FC<
// order by order
featureProviderComponents = featureProviderComponents.sort((a, b) => a.order - b.order)
+ const featureComponentsWithFeaturesLength =
+ Array.from(richTextComponentMap.keys()).filter(
+ (key) => key.startsWith(`feature.`) && !key.includes('.fields.'),
+ ).length + featureProviderComponents.length
+
useEffect(() => {
if (!hasLoadedFeatures) {
const featureProvidersLocal: FeatureProviderClient<unknown>[] = []
+ let featureProvidersAndComponentsLoaded = 0
Object.entries(clientFunctions).forEach(([key, plugin]) => {
if (key.startsWith(`lexicalFeature.${schemaPath}.`)) {
- featureProvidersLocal.push(plugin)
+ if (!key.includes('.components.')) {
+ featureProvidersLocal.push(plugin)
+ }
+ featureProvidersAndComponentsLoaded++
}
})
- if (featureProvidersLocal.length === featureProviderComponents.length) {
+ if (featureProvidersAndComponentsLoaded === featureComponentsWithFeaturesLength) {
setFeatureProviders(featureProvidersLocal)
setHasLoadedFeatures(true)
@@ -58,6 +67,8 @@ export const RichTextField: React.FC<
*/
const resolvedClientFeatures = loadClientFeatures({
+ clientFunctions,
+ schemaPath,
unSanitizedEditorConfig: {
features: featureProvidersLocal,
lexical: lexicalEditorConfig,
@@ -80,16 +91,30 @@ export const RichTextField: React.FC<
featureProviders,
finalSanitizedEditorConfig,
lexicalEditorConfig,
+ featureComponentsWithFeaturesLength,
])
if (!hasLoadedFeatures) {
return (
<React.Fragment>
{Array.isArray(featureProviderComponents) &&
- featureProviderComponents.map((FeatureProvider) => {
+ featureProviderComponents.map((featureProvider) => {
+ // get all components starting with key feature.${FeatureProvider.key}.components.{featureComponentKey}
+ const featureComponentKeys = Array.from(richTextComponentMap.keys()).filter((key) =>
+ key.startsWith(`feature.${featureProvider.key}.components.`),
+ )
+ const featureComponents: React.ReactNode[] = featureComponentKeys.map((key) => {
+ return richTextComponentMap.get(key)
+ })
+
return (
- <React.Fragment key={FeatureProvider.key}>
- {FeatureProvider.ClientComponent}
+ <React.Fragment key={featureProvider.key}>
+ {featureComponents?.length
+ ? featureComponents.map((FeatureComponent) => {
+ return FeatureComponent
+ })
+ : null}
+ {featureProvider.ClientComponent}
</React.Fragment>
)
})}
diff --git a/packages/richtext-lexical/src/field/lexical/config/client/loader.ts b/packages/richtext-lexical/src/field/lexical/config/client/loader.ts
index c9643106b43..88502055176 100644
--- a/packages/richtext-lexical/src/field/lexical/config/client/loader.ts
+++ b/packages/richtext-lexical/src/field/lexical/config/client/loader.ts
@@ -12,8 +12,12 @@ import type {
* @param unSanitizedEditorConfig
*/
export function loadClientFeatures({
+ clientFunctions,
+ schemaPath,
unSanitizedEditorConfig,
}: {
+ clientFunctions?: Record<string, any>
+ schemaPath: string
unSanitizedEditorConfig: ClientEditorConfig
}): ResolvedClientFeatureMap {
for (const featureProvider of unSanitizedEditorConfig.features) {
@@ -44,7 +48,25 @@ export function loadClientFeatures({
// Make sure all dependencies declared in the respective features exist
let loaded = 0
for (const featureProvider of unSanitizedEditorConfig.features) {
+ /**
+ * Load relevant clientFunctions scoped to this feature and then pass them to the client feature
+ */
+ const relevantClientFunctions: Record<string, any> = {}
+ Object.entries(clientFunctions).forEach(([key, plugin]) => {
+ if (
+ key.startsWith(
+ `lexicalFeature.${schemaPath}.${featureProvider.clientFeatureProps.featureKey}.components.`,
+ )
+ ) {
+ const featureComponentKey = key.split(
+ `${schemaPath}.${featureProvider.clientFeatureProps.featureKey}.components.`,
+ )[1]
+ relevantClientFunctions[featureComponentKey] = plugin
+ }
+ })
+
const feature = featureProvider.feature({
+ clientFunctions: relevantClientFunctions,
featureProviderMap,
resolvedFeatures,
unSanitizedEditorConfig,
diff --git a/packages/richtext-lexical/src/field/lexical/plugins/MarkdownShortcut/index.tsx b/packages/richtext-lexical/src/field/lexical/plugins/MarkdownShortcut/index.tsx
index b216bb91d8e..5eaf4fffa53 100644
--- a/packages/richtext-lexical/src/field/lexical/plugins/MarkdownShortcut/index.tsx
+++ b/packages/richtext-lexical/src/field/lexical/plugins/MarkdownShortcut/index.tsx
@@ -7,6 +7,5 @@ import { useEditorConfigContext } from '../../config/client/EditorConfigProvider
export const MarkdownShortcutPlugin: React.FC = () => {
const { editorConfig } = useEditorConfigContext()
- console.log('traaaaa', editorConfig.features.markdownTransformers)
return <LexicalMarkdownShortcutPlugin transformers={editorConfig.features.markdownTransformers} />
}
diff --git a/packages/richtext-lexical/src/generateComponentMap.tsx b/packages/richtext-lexical/src/generateComponentMap.tsx
index e27e7d2ef4d..9587b190a86 100644
--- a/packages/richtext-lexical/src/generateComponentMap.tsx
+++ b/packages/richtext-lexical/src/generateComponentMap.tsx
@@ -44,7 +44,14 @@ export const getGenerateComponentMap =
for (const componentKey in components) {
const Component = components[componentKey]
if (Component) {
- componentMap.set(`feature.${featureKey}.components.${componentKey}`, <Component />)
+ componentMap.set(
+ `feature.${featureKey}.components.${componentKey}`,
+ <Component
+ componentKey={componentKey}
+ featureKey={resolvedFeature.key}
+ key={`${resolvedFeature.key}-${componentKey}`}
+ />,
+ )
}
}
}
@@ -94,10 +101,15 @@ export const getGenerateComponentMap =
<ClientComponent
{...clientComponentProps}
featureKey={resolvedFeature.key}
+ key={resolvedFeature.key}
order={resolvedFeature.order}
/>
) : (
- <ClientComponent featureKey={resolvedFeature.key} order={resolvedFeature.order} />
+ <ClientComponent
+ featureKey={resolvedFeature.key}
+ key={resolvedFeature.key}
+ order={resolvedFeature.order}
+ />
),
key: resolvedFeature.key,
order: resolvedFeature.order,
diff --git a/packages/richtext-lexical/src/index.ts b/packages/richtext-lexical/src/index.ts
index cc7200fdb40..65d0ce6d5b2 100644
--- a/packages/richtext-lexical/src/index.ts
+++ b/packages/richtext-lexical/src/index.ts
@@ -295,7 +295,7 @@ export type {
export { CheckListFeature } from './field/features/lists/checklist/feature.server'
export { OrderedListFeature } from './field/features/lists/orderedlist/feature.server'
export { UnorderedListFeature } from './field/features/lists/unorderedlist/feature.server'
-export { LexicalPluginToLexicalFeature } from './field/features/migrations/lexicalPluginToLexical'
+export { LexicalPluginToLexicalFeature } from './field/features/migrations/lexicalPluginToLexical/feature.server'
export { SlateBlockquoteConverter } from './field/features/migrations/slateToLexical/converter/converters/blockquote'
export { SlateHeadingConverter } from './field/features/migrations/slateToLexical/converter/converters/heading'
export { SlateIndentConverter } from './field/features/migrations/slateToLexical/converter/converters/indent'
diff --git a/packages/richtext-lexical/src/useLexicalFeature.tsx b/packages/richtext-lexical/src/useLexicalFeature.tsx
index 3e56dac5637..7f3122e4fc1 100644
--- a/packages/richtext-lexical/src/useLexicalFeature.tsx
+++ b/packages/richtext-lexical/src/useLexicalFeature.tsx
@@ -1,12 +1,15 @@
'use client'
import { useAddClientFunction } from '@payloadcms/ui/providers'
-import type { FeatureProvider } from './field/features/types'
+import type { FeatureProviderClient } from './field/features/types'
import { useFieldPath } from '../../ui/src/forms/FieldPathProvider'
-export const useLexicalFeature = (key: string, feature: FeatureProvider) => {
+export const useLexicalFeature = <ClientFeatureProps,>(
+ featureKey: string,
+ feature: FeatureProviderClient<ClientFeatureProps>,
+) => {
const { schemaPath } = useFieldPath()
- useAddClientFunction(`lexicalFeature.${schemaPath}.${key}`, feature)
+ useAddClientFunction(`lexicalFeature.${schemaPath}.${featureKey}`, feature)
}
diff --git a/test/buildConfigWithDefaults.ts b/test/buildConfigWithDefaults.ts
index 78c084736fb..0f24e54bb66 100644
--- a/test/buildConfigWithDefaults.ts
+++ b/test/buildConfigWithDefaults.ts
@@ -8,6 +8,7 @@ import {
IndentFeature,
InlineCodeFeature,
ItalicFeature,
+ LexicalPluginToLexicalFeature,
LinkFeature,
OrderedListFeature,
StrikethroughFeature,
@@ -107,6 +108,7 @@ export function buildConfigWithDefaults(testConfig?: Partial<Config>): Promise<S
SuperscriptFeature(),
InlineCodeFeature(),
TreeViewFeature(),
+ LexicalPluginToLexicalFeature(),
HeadingFeature(),
IndentFeature(),
BlocksFeature({
|
6407e577d30d2e04a4aac8a5787416e67fd146c2
|
2024-11-19 06:40:16
|
Elliot DeNolf
|
chore(release): v3.0.0 [skip ci]
| false
|
v3.0.0 [skip ci]
|
chore
|
diff --git a/package.json b/package.json
index cd5f89129f8..482144b50b8 100644
--- a/package.json
+++ b/package.json
@@ -1,6 +1,6 @@
{
"name": "payload-monorepo",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"private": true,
"type": "module",
"scripts": {
diff --git a/packages/create-payload-app/package.json b/packages/create-payload-app/package.json
index cd615db5d44..fd3c080ef00 100644
--- a/packages/create-payload-app/package.json
+++ b/packages/create-payload-app/package.json
@@ -1,6 +1,6 @@
{
"name": "create-payload-app",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"homepage": "https://payloadcms.com",
"repository": {
"type": "git",
diff --git a/packages/db-mongodb/package.json b/packages/db-mongodb/package.json
index 60f919aee1f..ab6613d573f 100644
--- a/packages/db-mongodb/package.json
+++ b/packages/db-mongodb/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/db-mongodb",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "The officially supported MongoDB database adapter for Payload",
"homepage": "https://payloadcms.com",
"repository": {
diff --git a/packages/db-postgres/package.json b/packages/db-postgres/package.json
index 48d40572347..0d828957cb4 100644
--- a/packages/db-postgres/package.json
+++ b/packages/db-postgres/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/db-postgres",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "The officially supported Postgres database adapter for Payload",
"homepage": "https://payloadcms.com",
"repository": {
diff --git a/packages/db-sqlite/package.json b/packages/db-sqlite/package.json
index e57fa08741f..33f5c8625b8 100644
--- a/packages/db-sqlite/package.json
+++ b/packages/db-sqlite/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/db-sqlite",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "The officially supported SQLite database adapter for Payload",
"homepage": "https://payloadcms.com",
"repository": {
diff --git a/packages/db-vercel-postgres/package.json b/packages/db-vercel-postgres/package.json
index a98ef62294d..1aca40abb51 100644
--- a/packages/db-vercel-postgres/package.json
+++ b/packages/db-vercel-postgres/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/db-vercel-postgres",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "Vercel Postgres adapter for Payload",
"homepage": "https://payloadcms.com",
"repository": {
diff --git a/packages/drizzle/package.json b/packages/drizzle/package.json
index dcaff76f7f3..64e078ba146 100644
--- a/packages/drizzle/package.json
+++ b/packages/drizzle/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/drizzle",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "A library of shared functions used by different payload database adapters",
"homepage": "https://payloadcms.com",
"repository": {
diff --git a/packages/email-nodemailer/package.json b/packages/email-nodemailer/package.json
index 1207394449f..0a56031f129 100644
--- a/packages/email-nodemailer/package.json
+++ b/packages/email-nodemailer/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/email-nodemailer",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "Payload Nodemailer Email Adapter",
"homepage": "https://payloadcms.com",
"repository": {
diff --git a/packages/email-resend/package.json b/packages/email-resend/package.json
index a2584cb05c4..ff5c89b823a 100644
--- a/packages/email-resend/package.json
+++ b/packages/email-resend/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/email-resend",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "Payload Resend Email Adapter",
"homepage": "https://payloadcms.com",
"repository": {
diff --git a/packages/graphql/package.json b/packages/graphql/package.json
index dc68ca7a28d..e13b9b2506c 100644
--- a/packages/graphql/package.json
+++ b/packages/graphql/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/graphql",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"homepage": "https://payloadcms.com",
"repository": {
"type": "git",
diff --git a/packages/live-preview-react/package.json b/packages/live-preview-react/package.json
index 00b8c329f80..b398ba4d535 100644
--- a/packages/live-preview-react/package.json
+++ b/packages/live-preview-react/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/live-preview-react",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "The official React SDK for Payload Live Preview",
"homepage": "https://payloadcms.com",
"repository": {
diff --git a/packages/live-preview-vue/package.json b/packages/live-preview-vue/package.json
index 5e5c0004eda..f338f100abe 100644
--- a/packages/live-preview-vue/package.json
+++ b/packages/live-preview-vue/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/live-preview-vue",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "The official Vue SDK for Payload Live Preview",
"homepage": "https://payloadcms.com",
"repository": {
diff --git a/packages/live-preview/package.json b/packages/live-preview/package.json
index 4198c84d01a..9ce7f90db0e 100644
--- a/packages/live-preview/package.json
+++ b/packages/live-preview/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/live-preview",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "The official live preview JavaScript SDK for Payload",
"homepage": "https://payloadcms.com",
"repository": {
diff --git a/packages/next/package.json b/packages/next/package.json
index 4d249433b9a..35074579f90 100644
--- a/packages/next/package.json
+++ b/packages/next/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/next",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"homepage": "https://payloadcms.com",
"repository": {
"type": "git",
diff --git a/packages/payload-cloud/package.json b/packages/payload-cloud/package.json
index fafe4be6bf6..90bcca969d8 100644
--- a/packages/payload-cloud/package.json
+++ b/packages/payload-cloud/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/payload-cloud",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "The official Payload Cloud plugin",
"homepage": "https://payloadcms.com",
"repository": {
diff --git a/packages/payload/package.json b/packages/payload/package.json
index ce9c3a1581f..64cd087e279 100644
--- a/packages/payload/package.json
+++ b/packages/payload/package.json
@@ -1,6 +1,6 @@
{
"name": "payload",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "Node, React, Headless CMS and Application Framework built on Next.js",
"keywords": [
"admin panel",
diff --git a/packages/plugin-cloud-storage/package.json b/packages/plugin-cloud-storage/package.json
index db0f84904f6..b976be13374 100644
--- a/packages/plugin-cloud-storage/package.json
+++ b/packages/plugin-cloud-storage/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/plugin-cloud-storage",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "The official cloud storage plugin for Payload CMS",
"homepage": "https://payloadcms.com",
"repository": {
diff --git a/packages/plugin-form-builder/package.json b/packages/plugin-form-builder/package.json
index 737e83e1c19..96c9b5d9944 100644
--- a/packages/plugin-form-builder/package.json
+++ b/packages/plugin-form-builder/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/plugin-form-builder",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "Form builder plugin for Payload CMS",
"keywords": [
"payload",
diff --git a/packages/plugin-nested-docs/package.json b/packages/plugin-nested-docs/package.json
index 99b2ea602c8..414410fca36 100644
--- a/packages/plugin-nested-docs/package.json
+++ b/packages/plugin-nested-docs/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/plugin-nested-docs",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "The official Nested Docs plugin for Payload",
"homepage": "https://payloadcms.com",
"repository": {
diff --git a/packages/plugin-redirects/package.json b/packages/plugin-redirects/package.json
index 10433cb911c..5f0a4147668 100644
--- a/packages/plugin-redirects/package.json
+++ b/packages/plugin-redirects/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/plugin-redirects",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "Redirects plugin for Payload",
"keywords": [
"payload",
diff --git a/packages/plugin-search/package.json b/packages/plugin-search/package.json
index c9aab68f884..d6e21a381a4 100644
--- a/packages/plugin-search/package.json
+++ b/packages/plugin-search/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/plugin-search",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "Search plugin for Payload",
"keywords": [
"payload",
diff --git a/packages/plugin-sentry/package.json b/packages/plugin-sentry/package.json
index e71e9aaf85c..1f558d60f4b 100644
--- a/packages/plugin-sentry/package.json
+++ b/packages/plugin-sentry/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/plugin-sentry",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "Sentry plugin for Payload",
"keywords": [
"payload",
diff --git a/packages/plugin-seo/package.json b/packages/plugin-seo/package.json
index fa663f28067..6175d47130a 100644
--- a/packages/plugin-seo/package.json
+++ b/packages/plugin-seo/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/plugin-seo",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "SEO plugin for Payload",
"keywords": [
"payload",
diff --git a/packages/plugin-stripe/package.json b/packages/plugin-stripe/package.json
index 73c8faaa886..ca96ebc1cad 100644
--- a/packages/plugin-stripe/package.json
+++ b/packages/plugin-stripe/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/plugin-stripe",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "Stripe plugin for Payload",
"keywords": [
"payload",
diff --git a/packages/richtext-lexical/package.json b/packages/richtext-lexical/package.json
index 99fac125ba6..df91fa0ef02 100644
--- a/packages/richtext-lexical/package.json
+++ b/packages/richtext-lexical/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/richtext-lexical",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "The officially supported Lexical richtext adapter for Payload",
"homepage": "https://payloadcms.com",
"repository": {
diff --git a/packages/richtext-slate/package.json b/packages/richtext-slate/package.json
index f783394b581..2535477effa 100644
--- a/packages/richtext-slate/package.json
+++ b/packages/richtext-slate/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/richtext-slate",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "The officially supported Slate richtext adapter for Payload",
"homepage": "https://payloadcms.com",
"repository": {
diff --git a/packages/storage-azure/package.json b/packages/storage-azure/package.json
index 9ec02e0ceb8..2f130eecf73 100644
--- a/packages/storage-azure/package.json
+++ b/packages/storage-azure/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/storage-azure",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "Payload storage adapter for Azure Blob Storage",
"homepage": "https://payloadcms.com",
"repository": {
diff --git a/packages/storage-gcs/package.json b/packages/storage-gcs/package.json
index 857b7fda541..1cb268a4d81 100644
--- a/packages/storage-gcs/package.json
+++ b/packages/storage-gcs/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/storage-gcs",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "Payload storage adapter for Google Cloud Storage",
"homepage": "https://payloadcms.com",
"repository": {
diff --git a/packages/storage-s3/package.json b/packages/storage-s3/package.json
index ace48772996..241878b86e4 100644
--- a/packages/storage-s3/package.json
+++ b/packages/storage-s3/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/storage-s3",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "Payload storage adapter for Amazon S3",
"homepage": "https://payloadcms.com",
"repository": {
diff --git a/packages/storage-uploadthing/package.json b/packages/storage-uploadthing/package.json
index 5fd246a2065..e3cd8d908d4 100644
--- a/packages/storage-uploadthing/package.json
+++ b/packages/storage-uploadthing/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/storage-uploadthing",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "Payload storage adapter for uploadthing",
"homepage": "https://payloadcms.com",
"repository": {
diff --git a/packages/storage-vercel-blob/package.json b/packages/storage-vercel-blob/package.json
index 56231330938..d3c70575e29 100644
--- a/packages/storage-vercel-blob/package.json
+++ b/packages/storage-vercel-blob/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/storage-vercel-blob",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"description": "Payload storage adapter for Vercel Blob Storage",
"homepage": "https://payloadcms.com",
"repository": {
diff --git a/packages/translations/package.json b/packages/translations/package.json
index 1e1106908a9..9963aae942d 100644
--- a/packages/translations/package.json
+++ b/packages/translations/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/translations",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"homepage": "https://payloadcms.com",
"repository": {
"type": "git",
diff --git a/packages/ui/package.json b/packages/ui/package.json
index 63954bc21f1..2ee4b1d363a 100644
--- a/packages/ui/package.json
+++ b/packages/ui/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/ui",
- "version": "3.0.0-beta.135",
+ "version": "3.0.0",
"homepage": "https://payloadcms.com",
"repository": {
"type": "git",
|
755355ea681da92ca8715f322e7a7d01b8fd7ef5
|
2024-10-31 06:27:54
|
Said Akhrarov
|
fix(ui): description undefined error on empty tabs array (#8830)
| false
|
description undefined error on empty tabs array (#8830)
|
fix
|
diff --git a/packages/ui/src/fields/Tabs/index.tsx b/packages/ui/src/fields/Tabs/index.tsx
index b7e1f18bceb..6d95a988b0f 100644
--- a/packages/ui/src/fields/Tabs/index.tsx
+++ b/packages/ui/src/fields/Tabs/index.tsx
@@ -112,7 +112,7 @@ const TabsFieldComponent: TabsFieldClientComponent = (props) => {
return tabPath
}
- const activeTabDescription = activeTabConfig.description
+ const activeTabDescription = activeTabConfig?.description
const activeTabStaticDescription =
typeof activeTabDescription === 'function'
? activeTabDescription({ t: i18n.t })
|
9bb7a88526569a726de468de6b2010d52169ea77
|
2023-11-28 02:46:53
|
Jacob Fletcher
|
feat: useDocumentEvents (#4284)
| false
|
useDocumentEvents (#4284)
|
feat
|
diff --git a/docs/admin/hooks.mdx b/docs/admin/hooks.mdx
index d75265cac87..b66fe20c5b1 100644
--- a/docs/admin/hooks.mdx
+++ b/docs/admin/hooks.mdx
@@ -784,3 +784,33 @@ const MyComponent: React.FC = () => {
</button>
)
}
+```
+
+### useDocumentEvents
+
+The `useDocumentEvents` hook provides a way of subscribing to cross-document events, such as updates made to nested documents within a drawer. This hook will report document events that are outside the scope of the document currently being edited. This hook provides the following:
+
+| Property | Description |
+|---------------------------|-------------------------------------------------------------------------------------------------------------------------------------------|
+| **`mostRecentUpdate`** | An object containing the most recently updated document. It contains the `entitySlug`, `id` (if collection), and `updatedAt` properties |
+| **`reportUpdate`** | A method used to report updates to documents. It accepts the same arguments as the `mostRecentUpdate` property. |
+
+**Example:**
+
+```tsx
+import { useDocumentEvents } from 'payload/components/utilities'
+
+const ListenForUpdates: React.FC = () => {
+ const { mostRecentUpdate } = useDocumentEvents()
+
+ return (
+ <span>
+ {JSON.stringify(mostRecentUpdate)}
+ </span>
+ )
+}
+```
+
+<Banner type="info">
+ Right now the `useDocumentEvents` hook only tracks recently updated documents, but in the future it will track more document-related events as needed, such as document creation, deletion, etc.
+</Banner>
diff --git a/packages/payload/src/admin/Root.tsx b/packages/payload/src/admin/Root.tsx
index 0662bb1e0ba..5a925b14d73 100644
--- a/packages/payload/src/admin/Root.tsx
+++ b/packages/payload/src/admin/Root.tsx
@@ -17,6 +17,7 @@ import { StepNavProvider } from './components/elements/StepNav'
import { AuthProvider } from './components/utilities/Auth'
import { ConfigProvider } from './components/utilities/Config'
import { CustomProvider } from './components/utilities/CustomProvider'
+import { DocumentEventsProvider } from './components/utilities/DocumentEvents'
import { I18n } from './components/utilities/I18n'
import { LoadingOverlayProvider } from './components/utilities/LoadingOverlay'
import { LocaleProvider } from './components/utilities/Locale'
@@ -49,11 +50,13 @@ const Root = ({ config: incomingConfig }: { config?: SanitizedConfig }) => {
<LocaleProvider>
<StepNavProvider>
<LoadingOverlayProvider>
- <NavProvider>
- <CustomProvider>
- <Routes />
- </CustomProvider>
- </NavProvider>
+ <DocumentEventsProvider>
+ <NavProvider>
+ <CustomProvider>
+ <Routes />
+ </CustomProvider>
+ </NavProvider>
+ </DocumentEventsProvider>
</LoadingOverlayProvider>
</StepNavProvider>
</LocaleProvider>
diff --git a/packages/payload/src/admin/components/utilities/DocumentEvents/index.tsx b/packages/payload/src/admin/components/utilities/DocumentEvents/index.tsx
new file mode 100644
index 00000000000..99090a758ed
--- /dev/null
+++ b/packages/payload/src/admin/components/utilities/DocumentEvents/index.tsx
@@ -0,0 +1,16 @@
+import React, { createContext, useContext, useState } from 'react'
+
+import type { UpdatedDocument } from './types'
+
+const Context = createContext({
+ mostRecentUpdate: null,
+ reportUpdate: (doc: UpdatedDocument) => null, // eslint-disable-line @typescript-eslint/no-unused-vars
+})
+
+export const DocumentEventsProvider: React.FC<{ children: React.ReactNode }> = ({ children }) => {
+ const [mostRecentUpdate, reportUpdate] = useState<UpdatedDocument>(null)
+
+ return <Context.Provider value={{ mostRecentUpdate, reportUpdate }}>{children}</Context.Provider>
+}
+
+export const useDocumentEvents = () => useContext(Context)
diff --git a/packages/payload/src/admin/components/utilities/DocumentEvents/types.ts b/packages/payload/src/admin/components/utilities/DocumentEvents/types.ts
new file mode 100644
index 00000000000..01420a8b251
--- /dev/null
+++ b/packages/payload/src/admin/components/utilities/DocumentEvents/types.ts
@@ -0,0 +1,10 @@
+export type UpdatedDocument = {
+ entitySlug: string
+ id?: string
+ updatedAt: string
+}
+
+export type DocumentEventsContext = {
+ mostRecentUpdate: UpdatedDocument
+ reportUpdate: (updatedDocument: Array<UpdatedDocument>) => void
+}
diff --git a/packages/payload/src/admin/components/views/Global/index.tsx b/packages/payload/src/admin/components/views/Global/index.tsx
index 333fbf16d8a..32914602e1e 100644
--- a/packages/payload/src/admin/components/views/Global/index.tsx
+++ b/packages/payload/src/admin/components/views/Global/index.tsx
@@ -11,6 +11,7 @@ import buildStateFromSchema from '../../forms/Form/buildStateFromSchema'
import { fieldTypes } from '../../forms/field-types'
import { useAuth } from '../../utilities/Auth'
import { useConfig } from '../../utilities/Config'
+import { useDocumentEvents } from '../../utilities/DocumentEvents'
import { useDocumentInfo } from '../../utilities/DocumentInfo'
import { EditDepthContext } from '../../utilities/EditDepth'
import { useLocale } from '../../utilities/Locale'
@@ -37,10 +38,17 @@ const GlobalView: React.FC<IndexProps> = (props) => {
serverURL,
} = useConfig()
+ const { reportUpdate } = useDocumentEvents()
+
const { admin: { components: { views: { Edit: Edit } = {} } = {} } = {}, fields, slug } = global
const onSave = useCallback(
async (json) => {
+ reportUpdate({
+ entitySlug: global.slug,
+ updatedAt: json?.result?.updatedAt || new Date().toISOString(),
+ })
+
getVersions()
getDocPermissions()
setUpdatedAt(json?.result?.updatedAt)
@@ -59,7 +67,18 @@ const GlobalView: React.FC<IndexProps> = (props) => {
})
setInitialState(state)
},
- [getVersions, fields, user, locale, t, getDocPermissions, getDocPreferences, config],
+ [
+ getVersions,
+ fields,
+ user,
+ locale,
+ t,
+ getDocPermissions,
+ getDocPreferences,
+ config,
+ global,
+ reportUpdate,
+ ],
)
const [{ data, isLoading: isLoadingData }] = usePayloadAPI(`${serverURL}${api}/globals/${slug}`, {
diff --git a/packages/payload/src/admin/components/views/collections/Edit/Default.tsx b/packages/payload/src/admin/components/views/collections/Edit/Default.tsx
index af1781dfb69..664ec081cf7 100644
--- a/packages/payload/src/admin/components/views/collections/Edit/Default.tsx
+++ b/packages/payload/src/admin/components/views/collections/Edit/Default.tsx
@@ -9,6 +9,7 @@ import { DocumentHeader } from '../../../elements/DocumentHeader'
import { FormLoadingOverlayToggle } from '../../../elements/Loading'
import Form from '../../../forms/Form'
import { useAuth } from '../../../utilities/Auth'
+import { useDocumentEvents } from '../../../utilities/DocumentEvents'
import { OperationContext } from '../../../utilities/OperationProvider'
import { CollectionRoutes } from './Routes'
import { CustomCollectionComponent } from './Routes/CustomComponent'
@@ -42,12 +43,19 @@ const DefaultEditView: React.FC<DefaultEditViewProps> = (props) => {
onSave: onSaveFromProps,
} = props
+ const { reportUpdate } = useDocumentEvents()
+
const { auth } = collection
const classes = [baseClass, isEditing && `${baseClass}--is-editing`].filter(Boolean).join(' ')
const onSave = useCallback(
async (json) => {
+ reportUpdate({
+ id,
+ entitySlug: collection.slug,
+ updatedAt: json?.result?.updatedAt || new Date().toISOString(),
+ })
if (auth && id === user.id) {
await refreshCookieAsync()
}
@@ -59,7 +67,7 @@ const DefaultEditView: React.FC<DefaultEditViewProps> = (props) => {
})
}
},
- [id, onSaveFromProps, auth, user, refreshCookieAsync],
+ [id, onSaveFromProps, auth, user, refreshCookieAsync, collection, reportUpdate],
)
const operation = isEditing ? 'update' : 'create'
|
774ffa14d33c3b8c771bcab0f3fc7433123378e6
|
2023-07-25 22:17:08
|
Jacob Fletcher
|
chore: updates e-commerce template (#3072)
| false
|
updates e-commerce template (#3072)
|
chore
|
diff --git a/templates/ecommerce/README.md b/templates/ecommerce/README.md
index be1f6a91c85..582999c40d1 100644
--- a/templates/ecommerce/README.md
+++ b/templates/ecommerce/README.md
@@ -75,6 +75,10 @@ See the [Collections](https://payloadcms.com/docs/configuration/collections) do
Products can also restrict access to content or digital assets behind a paywall (gated content), see [Paywall](#paywall) for more details.
+- #### Orders
+
+ Orders are created when a user successfully completes a checkout. They contain all the data about the order including the products purchased, the total price, and the user who placed the order. See [Checkout](#checkout) for more details.
+
- #### Pages
All pages are layout builder enabled so you can generate unique layouts for each page using layout-building blocks, see [Layout Builder](#layout-builder) for more details.
@@ -173,17 +177,7 @@ To integrate with Stripe, follow these steps:
## Checkout
-A custom endpoint is opened at `POST /api/payment-intent` which initiates the checkout process. This endpoint creates a [Stripe Payment Intent](https://stripe.com/docs/payments/payment-intents) with the items in the cart using the Stripe's [Invoices API](https://stripe.com/docs/api/invoices). First, an invoice is drafted, then each item in your cart is appended as a line-item to the invoice. The total price is recalculated on the server to ensure accuracy and security, and once completed, passes the `client_secret` back in the response for your front-end to finalize the payment. Once the payment has succeeded, the draft invoice will be set to paid, each purchased product will be recorded to the user's profile, and the user's cart will be cleared.
-
-## Orders
-
- When an order is placed, an invoice is created in Stripe. To easily query orders from Stripe, two custom endpoints are opened which proxy the Stripe API for these invoices. This allows you to safely query Stripe from your front-end without exposing your sensitive Stripe API key.
-
- - `GET /api/users/orders` - Returns all orders for the current user
- - `GET /api/users/orders/:id` - Returns a single order by ID
- - `POST /api/users/purchases` - Adds new purchases to the user's profile
-
- For more details on how to extend this functionality, see the [Custom Endpoints](https://payloadcms.com/docs/rest-api/overview#custom-endpoints) docs.
+A custom endpoint is opened at `POST /api/create-payment-intent` which initiates the checkout process. This endpoint totals your cart and creates a [Stripe Payment Intent](https://stripe.com/docs/payments/payment-intents). The total price is recalculated on the server to ensure accuracy and security, and once completed, passes the `client_secret` back in the response for your front-end to finalize the payment. Once the payment has succeeded, an [Order](#orders) will be created in Payload with a `stripePaymentIntentID`. Each purchased product will be recorded to the user's profile, and the user's cart will be automatically cleared.
## Paywall
diff --git a/templates/ecommerce/next.config.js b/templates/ecommerce/next.config.js
index e958640d3c0..8947ed26800 100644
--- a/templates/ecommerce/next.config.js
+++ b/templates/ecommerce/next.config.js
@@ -2,13 +2,13 @@
const ContentSecurityPolicy = `
default-src 'self';
- script-src 'self' 'unsafe-inline' 'unsafe-eval' https://checkout.stripe.com https://js.stripe.com;
+ script-src 'self' 'unsafe-inline' 'unsafe-eval' https://checkout.stripe.com https://js.stripe.com https://maps.googleapis.com;
child-src 'self';
style-src 'self' 'unsafe-inline' https://fonts.googleapis.com;
img-src 'self' https://*.stripe.com https://raw.githubusercontent.com;
font-src 'self';
- frame-src 'self' https://checkout.stripe.com https://js.stripe.com;
- connect-src 'self' https://checkout.stripe.com;
+ frame-src 'self' https://checkout.stripe.com https://js.stripe.com https://hooks.stripe.com;
+ connect-src 'self' https://checkout.stripe.com https://api.stripe.com https://maps.googleapis.com;
`
const nextConfig = {
diff --git a/templates/ecommerce/src/app/(pages)/account/page.tsx b/templates/ecommerce/src/app/(pages)/account/page.tsx
index ca35fa82d85..61da7e08dd7 100644
--- a/templates/ecommerce/src/app/(pages)/account/page.tsx
+++ b/templates/ecommerce/src/app/(pages)/account/page.tsx
@@ -63,7 +63,7 @@ export default async function Account() {
<p>
These are the products you have purchased over time. This provides a way for you to access
digital assets or gated content behind a paywall. This is different from your orders,
- which are directly associated with invoices.
+ which are directly associated with individual payments.
</p>
<div>
{user?.purchases?.length || 0 > 0 ? (
@@ -89,8 +89,8 @@ export default async function Account() {
<HR />
<h2>Orders</h2>
<p>
- These are the orders you have placed over time. Each order is associated with an invoice.
- As you order products, they will appear in your "purchased products" list.
+ These are the orders you have placed over time. Each order is associated with an payment
+ intent. As you order products, they will appear in your "purchased products" list.
</p>
<Button
className={classes.ordersButton}
diff --git a/templates/ecommerce/src/app/(pages)/cart/CartPage/index.module.scss b/templates/ecommerce/src/app/(pages)/cart/CartPage/index.module.scss
index dd09c3fd215..33916abf64e 100644
--- a/templates/ecommerce/src/app/(pages)/cart/CartPage/index.module.scss
+++ b/templates/ecommerce/src/app/(pages)/cart/CartPage/index.module.scss
@@ -20,6 +20,10 @@
display: flex;
flex-direction: column;
gap: calc(var(--base) / 2);
+
+ & > * {
+ margin: 0;
+ }
}
.warning {
@@ -100,8 +104,7 @@
}
.cartTotal {
- margin-top: var(--base);
- font-weight: 600;
+ margin: 0;
}
.checkoutButton {
diff --git a/templates/ecommerce/src/app/(pages)/cart/CartPage/index.tsx b/templates/ecommerce/src/app/(pages)/cart/CartPage/index.tsx
index 097aaf84c53..96844a25400 100644
--- a/templates/ecommerce/src/app/(pages)/cart/CartPage/index.tsx
+++ b/templates/ecommerce/src/app/(pages)/cart/CartPage/index.tsx
@@ -20,7 +20,7 @@ export const CartPage: React.FC<{
page: Page
}> = props => {
const {
- settings: { shopPage },
+ settings: { productsPage },
} = props
const { user } = useAuth()
@@ -39,10 +39,10 @@ export const CartPage: React.FC<{
{cartIsEmpty ? (
<div className={classes.empty}>
Your cart is empty.
- {typeof shopPage === 'object' && shopPage?.slug && (
+ {typeof productsPage === 'object' && productsPage?.slug && (
<Fragment>
{' '}
- <Link href={`/${shopPage.slug}`}>Click here</Link>
+ <Link href={`/${productsPage.slug}`}>Click here</Link>
{` to shop.`}
</Fragment>
)}
@@ -108,11 +108,11 @@ export const CartPage: React.FC<{
{'.'}
</p>
)}
- <h6 className={classes.title}>
+ <h5 className={classes.title}>
<Link href={`/products/${product.slug}`} className={classes.titleLink}>
{title}
</Link>
- </h6>
+ </h5>
<div className={classes.actions}>
<label>
Quantity
@@ -141,7 +141,8 @@ export const CartPage: React.FC<{
}
return null
})}
- <div className={classes.cartTotal}>{`Cart total: ${cartTotal.formatted}`}</div>
+ <HR />
+ <h5 className={classes.cartTotal}>{`Total: ${cartTotal.formatted}`}</h5>
<Button
className={classes.checkoutButton}
href={user ? '/checkout' : '/login?redirect=%2Fcheckout'}
diff --git a/templates/ecommerce/src/app/(pages)/checkout/CheckoutForm/index.module.scss b/templates/ecommerce/src/app/(pages)/checkout/CheckoutForm/index.module.scss
index 92b3a101353..54a3ab1d73b 100644
--- a/templates/ecommerce/src/app/(pages)/checkout/CheckoutForm/index.module.scss
+++ b/templates/ecommerce/src/app/(pages)/checkout/CheckoutForm/index.module.scss
@@ -1,9 +1,13 @@
@import "../../../_css/common";
-.checkoutButton {
- margin-top: var(--base);
+.form {
+ display: flex;
+ flex-direction: column;
+ gap: var(--base);
}
-.error {
- margin-top: calc(var(--block-padding) - var(--base));
+.actions {
+ display: flex;
+ flex-wrap: wrap;
+ gap: var(--base);
}
diff --git a/templates/ecommerce/src/app/(pages)/checkout/CheckoutForm/index.tsx b/templates/ecommerce/src/app/(pages)/checkout/CheckoutForm/index.tsx
index 3d27ded4e6b..3baea340f79 100644
--- a/templates/ecommerce/src/app/(pages)/checkout/CheckoutForm/index.tsx
+++ b/templates/ecommerce/src/app/(pages)/checkout/CheckoutForm/index.tsx
@@ -4,7 +4,10 @@ import React, { useCallback } from 'react'
import { PaymentElement, useElements, useStripe } from '@stripe/react-stripe-js'
import { useRouter } from 'next/navigation'
+import { Order } from '../../../../payload/payload-types'
import { Button } from '../../../_components/Button'
+import { Message } from '../../../_components/Message'
+import { priceFromJSON } from '../../../_components/Price'
import { useCart } from '../../../_providers/Cart'
import classes from './index.module.scss'
@@ -15,7 +18,7 @@ export const CheckoutForm: React.FC<{}> = () => {
const [error, setError] = React.useState<string | null>(null)
const [isLoading, setIsLoading] = React.useState(false)
const router = useRouter()
- const { cart } = useCart()
+ const { cart, cartTotal } = useCart()
const handleSubmit = useCallback(
async e => {
@@ -27,7 +30,7 @@ export const CheckoutForm: React.FC<{}> = () => {
elements: elements!,
redirect: 'if_required',
confirmParams: {
- return_url: `${process.env.NEXT_PUBLIC_SERVER_URL}/order-confirmation?clear_cart=true`,
+ return_url: `${process.env.NEXT_PUBLIC_SERVER_URL}/order-confirmation`,
},
})
@@ -37,34 +40,50 @@ export const CheckoutForm: React.FC<{}> = () => {
}
if (paymentIntent) {
- // Before redirecting to the order confirmation page, we need to notify Payload
+ // Before redirecting to the order confirmation page, we need to create the order in Payload
// Cannot clear the cart yet because if you clear the cart while in the checkout
// you will be redirected to the `/cart` page before this redirect happens
- // Instead, we clear the cart on the `/order-confirmation` page via the `clear_cart` query param
+ // Instead, we clear the cart in an `afterChange` hook on the `orders` collection in Payload
try {
- await fetch(`${process.env.NEXT_PUBLIC_SERVER_URL}/api/users/purchases`, {
+ const orderReq = await fetch(`${process.env.NEXT_PUBLIC_SERVER_URL}/api/orders`, {
method: 'POST',
credentials: 'include',
headers: {
'Content-Type': 'application/json',
},
body: JSON.stringify({
- purchases: (cart?.items || [])?.map(({ product }) =>
- typeof product === 'string' ? product : product.id,
- ), // eslint-disable-line function-paren-newline
+ total: cartTotal.raw,
+ stripePaymentIntentID: paymentIntent.id,
+ items: (cart?.items || [])?.map(({ product, quantity }) => ({
+ product: typeof product === 'string' ? product : product.id,
+ quantity,
+ price:
+ typeof product === 'object'
+ ? priceFromJSON(product.priceJSON, 1, true)
+ : undefined,
+ })),
}),
})
- // Do not throw an error if the sync fails because their payment has technically gone through
- // Instead, silently fail and let the user know that their order was placed but we couldn't sync purchases
- // if (!purchasesReq.ok) throw new Error(purchasesReq.statusText || 'Something went wrong.')
- // const purchasesRes = await purchasesReq.json()
- // if (purchasesRes.error) throw new Error(purchasesRes.error)
- router.push(
- `/order-confirmation?payment_intent_client_secret=${paymentIntent.client_secret}&payment_intent=${paymentIntent.id}&clear_cart=true`,
- )
+ if (!orderReq.ok) throw new Error(orderReq.statusText || 'Something went wrong.')
+
+ const {
+ error: errorFromRes,
+ doc,
+ }: {
+ message?: string
+ error?: string
+ doc: Order
+ } = await orderReq.json()
+
+ if (errorFromRes) throw new Error(errorFromRes)
+
+ router.push(`/order-confirmation?order_id=${doc.id}`)
} catch (err) {
- throw new Error(`Error syncing purchases: ${err.message}`)
+ // don't throw an error if the order was not created successfully
+ // this is because payment _did_ in fact go through, and we don't want the user to pay twice
+ console.error(err.message) // eslint-disable-line no-console
+ router.push(`/order-confirmation?error=${encodeURIComponent(err.message)}`)
}
}
} catch (err) {
@@ -73,20 +92,22 @@ export const CheckoutForm: React.FC<{}> = () => {
setIsLoading(false)
}
},
- [stripe, elements, router, cart],
+ [stripe, elements, router, cart, cartTotal],
)
return (
- <form onSubmit={handleSubmit}>
- {error && <div className={classes.error}>{error}</div>}
+ <form onSubmit={handleSubmit} className={classes.form}>
+ {error && <Message error={error} />}
<PaymentElement />
- <Button
- className={classes.checkoutButton}
- label={isLoading ? 'Loading...' : 'Checkout'}
- type="submit"
- appearance="primary"
- disabled={!stripe || isLoading}
- />
+ <div className={classes.actions}>
+ <Button label="Back to cart" href="/cart" appearance="secondary" />
+ <Button
+ label={isLoading ? 'Loading...' : 'Checkout'}
+ type="submit"
+ appearance="primary"
+ disabled={!stripe || isLoading}
+ />
+ </div>
</form>
)
}
diff --git a/templates/ecommerce/src/app/(pages)/checkout/CheckoutPage/index.tsx b/templates/ecommerce/src/app/(pages)/checkout/CheckoutPage/index.tsx
index 08d1104dc1e..35fb78cdfe6 100644
--- a/templates/ecommerce/src/app/(pages)/checkout/CheckoutPage/index.tsx
+++ b/templates/ecommerce/src/app/(pages)/checkout/CheckoutPage/index.tsx
@@ -7,12 +7,15 @@ import Link from 'next/link'
import { useRouter } from 'next/navigation'
import { Settings } from '../../../../payload/payload-types'
+import { Button } from '../../../_components/Button'
import { HR } from '../../../_components/HR'
import { LoadingShimmer } from '../../../_components/LoadingShimmer'
import { Media } from '../../../_components/Media'
import { Price } from '../../../_components/Price'
import { useAuth } from '../../../_providers/Auth'
import { useCart } from '../../../_providers/Cart'
+import { useTheme } from '../../../_providers/Theme'
+import cssVariables from '../../../cssVariables'
import { CheckoutForm } from '../CheckoutForm'
import classes from './index.module.scss'
@@ -24,7 +27,7 @@ export const CheckoutPage: React.FC<{
settings: Settings
}> = props => {
const {
- settings: { shopPage },
+ settings: { productsPage },
} = props
const { user } = useAuth()
@@ -32,6 +35,7 @@ export const CheckoutPage: React.FC<{
const [error, setError] = React.useState<string | null>(null)
const [clientSecret, setClientSecret] = React.useState()
const hasMadePaymentIntent = React.useRef(false)
+ const { theme } = useTheme()
const { cart, cartIsEmpty, cartTotal } = useCart()
@@ -48,7 +52,7 @@ export const CheckoutPage: React.FC<{
const makeIntent = async () => {
try {
const paymentReq = await fetch(
- `${process.env.NEXT_PUBLIC_SERVER_URL}/api/payment-intent`,
+ `${process.env.NEXT_PUBLIC_SERVER_URL}/api/create-payment-intent`,
{
method: 'POST',
credentials: 'include',
@@ -81,10 +85,10 @@ export const CheckoutPage: React.FC<{
{'Your '}
<Link href="/cart">cart</Link>
{' is empty.'}
- {typeof shopPage === 'object' && shopPage?.slug && (
+ {typeof productsPage === 'object' && productsPage?.slug && (
<Fragment>
{' '}
- <Link href={`/${shopPage.slug}`}>Continue shopping?</Link>
+ <Link href={`/${productsPage.slug}`}>Continue shopping?</Link>
</Fragment>
)}
</div>
@@ -99,7 +103,7 @@ export const CheckoutPage: React.FC<{
product: { id, stripeProductID, title, meta },
} = item
- if (quantity === 0) return null
+ if (!quantity) return null
const isLast = index === (cart?.items?.length || 0) - 1
@@ -146,21 +150,41 @@ export const CheckoutPage: React.FC<{
)}
{!clientSecret && !error && (
<div className={classes.loading}>
- <LoadingShimmer />
+ <LoadingShimmer number={2} />
</div>
)}
{!clientSecret && error && (
<div className={classes.error}>
<p>{`Error: ${error}`}</p>
+ <Button label="Back to cart" href="/cart" appearance="secondary" />
</div>
)}
{clientSecret && (
<Fragment>
- {error && <p>{error}</p>}
+ {error && <p>{`Error: ${error}`}</p>}
<Elements
stripe={stripe}
options={{
clientSecret,
+ appearance: {
+ theme: 'stripe',
+ variables: {
+ colorText:
+ theme === 'dark' ? cssVariables.colors.base0 : cssVariables.colors.base1000,
+ fontSizeBase: '16px',
+ fontWeightNormal: '500',
+ fontWeightBold: '600',
+ colorBackground:
+ theme === 'dark' ? cssVariables.colors.base850 : cssVariables.colors.base0,
+ fontFamily: 'Inter, sans-serif',
+ colorTextPlaceholder: cssVariables.colors.base500,
+ colorIcon:
+ theme === 'dark' ? cssVariables.colors.base0 : cssVariables.colors.base1000,
+ borderRadius: '0px',
+ colorDanger: cssVariables.colors.error500,
+ colorDangerText: cssVariables.colors.error500,
+ },
+ },
}}
>
<CheckoutForm />
diff --git a/templates/ecommerce/src/app/(pages)/checkout/page.tsx b/templates/ecommerce/src/app/(pages)/checkout/page.tsx
index d401b5a4dcf..2a1170b416d 100644
--- a/templates/ecommerce/src/app/(pages)/checkout/page.tsx
+++ b/templates/ecommerce/src/app/(pages)/checkout/page.tsx
@@ -66,14 +66,26 @@ export default async function Checkout() {
type: 'paragraph',
children: [
{
- text: `This is a self-hosted, secure checkout using Stripe's Payment Element component. Use credit card number `,
+ text: `This is a self-hosted, secure checkout using Stripe's Payment Element component. To create a mock purchase, use a `,
+ },
+ {
+ type: 'link',
+ url: 'https://stripe.com/docs/testing#cards',
+ children: [
+ {
+ text: 'test credit card',
+ },
+ ],
+ },
+ {
+ text: ' like ',
},
{
text: '4242 4242 4242 4242',
bold: true,
},
{
- text: ' with any future date and CVC to create a mock purchase. An order will be generated in the CMS and will appear in your account.',
+ text: ' with any future date and CVC. An order will be generated in Stripe and will appear in your account. In production, this checkout form will require a real card with sufficient funds.',
},
],
},
diff --git a/templates/ecommerce/src/app/(pages)/logout/LogoutPage/index.tsx b/templates/ecommerce/src/app/(pages)/logout/LogoutPage/index.tsx
index 666cb48b901..a88d007ad10 100644
--- a/templates/ecommerce/src/app/(pages)/logout/LogoutPage/index.tsx
+++ b/templates/ecommerce/src/app/(pages)/logout/LogoutPage/index.tsx
@@ -10,7 +10,7 @@ export const LogoutPage: React.FC<{
settings: Settings
}> = props => {
const {
- settings: { shopPage },
+ settings: { productsPage },
} = props
const { logout } = useAuth()
const [success, setSuccess] = useState('')
@@ -36,10 +36,10 @@ export const LogoutPage: React.FC<{
<h1>{error || success}</h1>
<p>
{'What would you like to do next?'}
- {typeof shopPage === 'object' && shopPage?.slug && (
+ {typeof productsPage === 'object' && productsPage?.slug && (
<Fragment>
{' '}
- <Link href={`/${shopPage.slug}`}>Click here</Link>
+ <Link href={`/${productsPage.slug}`}>Click here</Link>
{` to shop.`}
</Fragment>
)}
diff --git a/templates/ecommerce/src/app/(pages)/order-confirmation/OrderConfirmationPage/index.module.scss b/templates/ecommerce/src/app/(pages)/order-confirmation/OrderConfirmationPage/index.module.scss
index 593025dcf0a..7224a6071b5 100644
--- a/templates/ecommerce/src/app/(pages)/order-confirmation/OrderConfirmationPage/index.module.scss
+++ b/templates/ecommerce/src/app/(pages)/order-confirmation/OrderConfirmationPage/index.module.scss
@@ -1 +1,7 @@
@import '../../../_css/common';
+
+.actions {
+ display: flex;
+ flex-wrap: wrap;
+ gap: calc(var(--base) / 2);
+}
diff --git a/templates/ecommerce/src/app/(pages)/order-confirmation/OrderConfirmationPage/index.tsx b/templates/ecommerce/src/app/(pages)/order-confirmation/OrderConfirmationPage/index.tsx
new file mode 100644
index 00000000000..c7636af9198
--- /dev/null
+++ b/templates/ecommerce/src/app/(pages)/order-confirmation/OrderConfirmationPage/index.tsx
@@ -0,0 +1,58 @@
+'use client'
+
+import React, { Fragment, useEffect } from 'react'
+import { useSearchParams } from 'next/navigation'
+
+import { Button } from '../../../_components/Button'
+import { Message } from '../../../_components/Message'
+import { useCart } from '../../../_providers/Cart'
+
+import classes from './index.module.scss'
+
+export const OrderConfirmationPage: React.FC<{}> = () => {
+ const searchParams = useSearchParams()
+ const orderID = searchParams.get('order_id')
+ const error = searchParams.get('error')
+
+ const { clearCart } = useCart()
+
+ useEffect(() => {
+ clearCart()
+ }, [clearCart])
+
+ return (
+ <div>
+ {error ? (
+ <Fragment>
+ <Message error={error} />
+ <p>
+ {`Your payment was successful but there was an error processing your order. Please contact us to resolve this issue.`}
+ </p>
+ <div className={classes.actions}>
+ <Button href="/account" label="View account" appearance="primary" />
+ <Button
+ href={`${process.env.NEXT_PUBLIC_SERVER_URL}/orders`}
+ label="View all orders"
+ appearance="secondary"
+ />
+ </div>
+ </Fragment>
+ ) : (
+ <Fragment>
+ <h1>Thank you for your order!</h1>
+ <p>
+ {`Your order has been confirmed. You will receive an email confirmation shortly. Your order ID is ${orderID}.`}
+ </p>
+ <div className={classes.actions}>
+ <Button href={`/orders/${orderID}`} label="View order" appearance="primary" />
+ <Button
+ href={`${process.env.NEXT_PUBLIC_SERVER_URL}/orders`}
+ label="View all orders"
+ appearance="secondary"
+ />
+ </div>
+ </Fragment>
+ )}
+ </div>
+ )
+}
diff --git a/templates/ecommerce/src/app/(pages)/order-confirmation/OrderConfirmationPage/page.tsx b/templates/ecommerce/src/app/(pages)/order-confirmation/OrderConfirmationPage/page.tsx
deleted file mode 100644
index ce490430042..00000000000
--- a/templates/ecommerce/src/app/(pages)/order-confirmation/OrderConfirmationPage/page.tsx
+++ /dev/null
@@ -1,77 +0,0 @@
-'use client'
-
-import React, { Fragment, useEffect, useRef, useState } from 'react'
-import { loadStripe } from '@stripe/stripe-js'
-import { useSearchParams } from 'next/navigation'
-
-import { LoadingShimmer } from '../../../_components/LoadingShimmer'
-import { useCart } from '../../../_providers/Cart'
-
-const apiKey = `${process.env.NEXT_PUBLIC_STRIPE_PUBLISHABLE_KEY}`
-const stripePromise = loadStripe(apiKey)
-
-// Stripe redirects to this page after a successful payment
-// The URL contains a `payment_intent_client_secret` query param
-// We use this to retrieve the payment intent using the Stripe API and display the status
-const OrderConfirmationPage: React.FC = () => {
- const [message, setMessage] = useState<string | null>(null)
- const searchParams = useSearchParams()
- const paymentIntent = searchParams.get('payment_intent')
-
- const { clearCart } = useCart()
- const hasRetrievedPaymentIntent = useRef(false)
-
- useEffect(() => {
- if (hasRetrievedPaymentIntent.current) return
- hasRetrievedPaymentIntent.current = true
-
- const getPaymentIntent = async () => {
- const stripe = await stripePromise
-
- if (!stripe) return
-
- const params = new URLSearchParams(window.location.search)
- const clientSecret = params.get('payment_intent_client_secret')
- const shouldClearCart = params.get('clear_cart')
- const { paymentIntent } = await stripe.retrievePaymentIntent(clientSecret || '')
-
- switch (paymentIntent?.status) {
- case 'succeeded':
- if (shouldClearCart) clearCart()
- setMessage('Success! Payment received.')
- break
- case 'processing':
- if (shouldClearCart) clearCart()
- setMessage("Payment processing. We'll update you when payment is received.")
- break
- case 'requires_payment_method':
- setMessage('Payment failed. Please try another payment method.')
- break
- default:
- setMessage('Something went wrong.')
- break
- }
- }
-
- getPaymentIntent()
- }, [clearCart])
-
- return (
- <div>
- {!message ? (
- <Fragment>
- <LoadingShimmer />
- <br />
- </Fragment>
- ) : (
- <p>
- {`Status: ${message}`}
- <br />
- {`Stripe Payment ID: ${paymentIntent}`}
- </p>
- )}
- </div>
- )
-}
-
-export default OrderConfirmationPage
diff --git a/templates/ecommerce/src/app/(pages)/order-confirmation/page.tsx b/templates/ecommerce/src/app/(pages)/order-confirmation/page.tsx
index ea51fe51384..4a5789d66c1 100644
--- a/templates/ecommerce/src/app/(pages)/order-confirmation/page.tsx
+++ b/templates/ecommerce/src/app/(pages)/order-confirmation/page.tsx
@@ -1,19 +1,18 @@
-import React from 'react'
+import React, { Suspense } from 'react'
import { Metadata } from 'next'
-import { Button } from '../../_components/Button'
import { Gutter } from '../../_components/Gutter'
import { mergeOpenGraph } from '../../_utilities/mergeOpenGraph'
-import OrderConfirmationPage from './OrderConfirmationPage/page'
+import { OrderConfirmationPage } from './OrderConfirmationPage'
import classes from './index.module.scss'
export default async function OrderConfirmation() {
return (
<Gutter className={classes.confirmationPage}>
- <h1>Order confirmed</h1>
- <OrderConfirmationPage />
- <Button href="/orders" appearance="primary" label="View all orders" />
+ <Suspense fallback={<div>Loading...</div>}>
+ <OrderConfirmationPage />
+ </Suspense>
</Gutter>
)
}
diff --git a/templates/ecommerce/src/app/(pages)/orders/[id]/index.module.scss b/templates/ecommerce/src/app/(pages)/orders/[id]/index.module.scss
index b90a7175644..afb4dd2f576 100644
--- a/templates/ecommerce/src/app/(pages)/orders/[id]/index.module.scss
+++ b/templates/ecommerce/src/app/(pages)/orders/[id]/index.module.scss
@@ -4,42 +4,48 @@
margin-bottom: var(--block-padding);
}
-.form {
- margin-bottom: var(--base);
+.id {
+ word-break: break-all;
}
-.success,
-.error {
- margin-bottom: 15px;
-}
+.itemMeta {
+ display: flex;
+ flex-direction: column;
+ gap: calc(var(--base) / 2);
-.success {
- color: green;
+ & > * {
+ margin: 0;
+ }
}
-.error {
- color: red;
+.total {
+ font-weight: 600;
}
-.orderTitle {
+.orderItems {
margin: 0;
+ margin-bottom: var(--base);
}
.row {
display: flex;
align-items: center;
+ gap: var(--base);
@include small-break {
flex-direction: column;
align-items: flex-start;
+ gap: 0;
}
}
.rowContent {
- margin-left: var(--base);
+ display: flex;
+ flex-direction: column;
+ gap: calc(var(--base) / 2);
- @include small-break {
- margin-left: 0;
+ & > * {
+ margin: 0;
}
}
@@ -57,31 +63,61 @@
}
}
-.title {
+.warning {
margin: 0;
+ color: var(--theme-warning-500);
+}
+
+:global([data-theme="light"]) {
+ .warning {
+ color: var(--theme-error-500);
+ }
+}
+
+.placeholder {
+ background-color: var(--theme-elevation-50);
+ width: 100%;
+ height: 100%;
+ display: flex;
+ align-items: center;
+ justify-content: center;
+}
+
+.mediaWrapper {
+ text-decoration: none;
+ display: block;
+ position: relative;
+ aspect-ratio: 5 / 4;
+ width: 100%;
+ max-width: 300px;
+
+ @include small-break {
+ max-width: unset;
+ margin-bottom: calc(var(--base) / 2);
+ }
+}
+
+.media {
+ position: relative;
+ width: 100%;
+ height: 100%;
}
.image {
object-fit: cover;
}
-.itemsList {
- padding: 0;
- list-style: none;
+.title {
margin: 0;
- margin-top: var(--base);
}
-.item {
- margin-bottom: calc(var(--base) / 2);
+.titleLink {
+ text-decoration: none;
}
-.itemMeta {
+.actions {
display: flex;
- flex-direction: column;
- gap: 0;
-
- & > * {
- margin: 0;
- }
+ flex-wrap: wrap;
+ gap: calc(var(--base) / 2);
}
+
diff --git a/templates/ecommerce/src/app/(pages)/orders/[id]/page.tsx b/templates/ecommerce/src/app/(pages)/orders/[id]/page.tsx
index c9fec050075..80a28592013 100644
--- a/templates/ecommerce/src/app/(pages)/orders/[id]/page.tsx
+++ b/templates/ecommerce/src/app/(pages)/orders/[id]/page.tsx
@@ -1,13 +1,15 @@
-import React from 'react'
+import React, { Fragment } from 'react'
import { Metadata } from 'next'
import Link from 'next/link'
import { notFound } from 'next/navigation'
-import Stripe from 'stripe'
+import { Order } from '../../../../payload/payload-types'
import { Button } from '../../../_components/Button'
import { Gutter } from '../../../_components/Gutter'
import { HR } from '../../../_components/HR'
import { Media } from '../../../_components/Media'
+import { Price } from '../../../_components/Price'
+import { formatDateTime } from '../../../_utilities/formatDateTime'
import { getMeUser } from '../../../_utilities/getMeUser'
import { mergeOpenGraph } from '../../../_utilities/mergeOpenGraph'
@@ -20,15 +22,17 @@ export default async function Order({ params: { id } }) {
)}&redirect=${encodeURIComponent(`/order/${id}`)}`,
})
- const order: Stripe.Invoice = await fetch(
- `${process.env.NEXT_PUBLIC_SERVER_URL}/api/users/order/${id}`,
- {
- headers: {
- 'Content-Type': 'application/json',
- Authorization: `JWT ${token}`,
- },
+ const order: Order = await fetch(`${process.env.NEXT_PUBLIC_SERVER_URL}/api/orders/${id}`, {
+ headers: {
+ 'Content-Type': 'application/json',
+ Authorization: `JWT ${token}`,
},
- )?.then(res => res.json())
+ })?.then(async res => {
+ const json = await res.json()
+ if ('error' in json && json.error) notFound()
+ if ('errors' in json && json.errors) notFound()
+ return json
+ })
if (!order) {
notFound()
@@ -36,42 +40,85 @@ export default async function Order({ params: { id } }) {
return (
<Gutter className={classes.orders}>
- <h1>Order</h1>
+ <h1>
+ {`Order`}
+ <span className={classes.id}>{`${order.id}`}</span>
+ </h1>
<div className={classes.itemMeta}>
<p>{`ID: ${order.id}`}</p>
- <p>
- {'Status: '}
- {order.status}
- </p>
- <p>
- {'Created: '}
- {new Date(order.created * 1000).toLocaleDateString()}
- </p>
- <p>
+ <p>{`Payment Intent: ${order.stripePaymentIntentID}`}</p>
+ <p>{`Ordered On: ${formatDateTime(order.createdAt)}`}</p>
+ <p className={classes.total}>
{'Total: '}
{new Intl.NumberFormat('en-US', {
style: 'currency',
- currency: order.currency.toUpperCase(),
- }).format(order.amount_due / 100)}
- </p>
- <p>
- <Link href={order.hosted_invoice_url} rel="noopener noreferrer" target="_blank">
- View invoice
- </Link>
+ currency: 'usd',
+ }).format(order.total / 100)}
</p>
</div>
<HR />
<div className={classes.order}>
- <h4 className={classes.orderTitle}>Items</h4>
- {order.lines?.data?.map((line, index) => {
+ <h4 className={classes.orderItems}>Items</h4>
+ {order.items?.map((item, index) => {
+ if (typeof item.product === 'object') {
+ const {
+ quantity,
+ product,
+ product: { id, title, meta, stripeProductID },
+ } = item
+
+ const isLast = index === (order?.items?.length || 0) - 1
+
+ const metaImage = meta?.image
+
+ return (
+ <Fragment key={index}>
+ <div className={classes.row}>
+ <Link href={`/products/${product.slug}`} className={classes.mediaWrapper}>
+ {!metaImage && <span className={classes.placeholder}>No image</span>}
+ {metaImage && typeof metaImage !== 'string' && (
+ <Media
+ className={classes.media}
+ imgClassName={classes.image}
+ resource={metaImage}
+ fill
+ />
+ )}
+ </Link>
+ <div className={classes.rowContent}>
+ {!stripeProductID && (
+ <p className={classes.warning}>
+ {'This product is not yet connected to Stripe. To link this product, '}
+ <Link
+ href={`${process.env.NEXT_PUBLIC_SERVER_URL}/admin/collections/products/${id}`}
+ >
+ navigate to the admin dashboard
+ </Link>
+ {'.'}
+ </p>
+ )}
+ <h5 className={classes.title}>
+ <Link href={`/products/${product.slug}`} className={classes.titleLink}>
+ {title}
+ </Link>
+ </h5>
+ <p>{`Quantity: ${quantity}`}</p>
+ <Price product={product} button={false} quantity={quantity} />
+ </div>
+ </div>
+ {!isLast && <HR />}
+ </Fragment>
+ )
+ }
+
return null
})}
</div>
<HR />
- <Button href="/orders" appearance="primary" label="See all orders" />
- <br />
- <br />
- <Button href="/account" appearance="secondary" label="Go to account" />
+ <div className={classes.actions}>
+ <Button href="/orders" appearance="primary" label="See all orders" />
+ <Button href="/account" appearance="secondary" label="Go to account" />
+ </div>
</Gutter>
)
}
diff --git a/templates/ecommerce/src/app/(pages)/orders/index.module.scss b/templates/ecommerce/src/app/(pages)/orders/index.module.scss
index 3508ad4ab5d..0af890d4222 100644
--- a/templates/ecommerce/src/app/(pages)/orders/index.module.scss
+++ b/templates/ecommerce/src/app/(pages)/orders/index.module.scss
@@ -30,10 +30,19 @@
list-style: none;
}
+.item {
+ display: flex;
+ flex-wrap: 1;
+ align-items: center;
+ gap: calc(var(--base) / 2);
+ text-decoration: none;
+}
+
.itemContent {
display: flex;
flex-direction: column;
gap: calc(var(--base) / 2);
+ flex-grow: 1;
}
.itemTitle {
@@ -50,3 +59,7 @@
margin: 0;
}
}
+
+.button {
+ flex-shrink: 0;
+}
diff --git a/templates/ecommerce/src/app/(pages)/orders/page.tsx b/templates/ecommerce/src/app/(pages)/orders/page.tsx
index 38ec1b21d0b..6f6a184c1d7 100644
--- a/templates/ecommerce/src/app/(pages)/orders/page.tsx
+++ b/templates/ecommerce/src/app/(pages)/orders/page.tsx
@@ -1,12 +1,14 @@
import React from 'react'
import { Metadata } from 'next'
import Link from 'next/link'
-import Stripe from 'stripe'
+import { notFound } from 'next/navigation'
+import { Order } from '../../../payload/payload-types'
import { Button } from '../../_components/Button'
import { Gutter } from '../../_components/Gutter'
import { HR } from '../../_components/HR'
import { RenderParams } from '../../_components/RenderParams'
+import { formatDateTime } from '../../_utilities/formatDateTime'
import { getMeUser } from '../../_utilities/getMeUser'
import { mergeOpenGraph } from '../../_utilities/mergeOpenGraph'
@@ -19,15 +21,20 @@ export default async function Orders() {
)}&redirect=${encodeURIComponent('/orders')}`,
})
- const orders: Stripe.Invoice[] = await fetch(
- `${process.env.NEXT_PUBLIC_SERVER_URL}/api/users/orders`,
- {
- headers: {
- 'Content-Type': 'application/json',
- Authorization: `JWT ${token}`,
- },
+ const orders: Order[] = await fetch(`${process.env.NEXT_PUBLIC_SERVER_URL}/api/orders`, {
+ headers: {
+ 'Content-Type': 'application/json',
+ Authorization: `JWT ${token}`,
},
- )?.then(res => res.json())
+ cache: 'no-store',
+ })
+ ?.then(async res => {
+ const json = await res.json()
+ if ('error' in json && json.error) notFound()
+ if ('errors' in json && json.errors) notFound()
+ return json
+ })
+ ?.then(json => json.docs)
return (
<Gutter className={classes.orders}>
@@ -39,29 +46,28 @@ export default async function Orders() {
{orders && orders.length > 0 && (
<ul className={classes.ordersList}>
{orders?.map((order, index) => (
- <li key={order.id} className={classes.item}>
- <div className={classes.itemContent}>
- <h4 className={classes.itemTitle}>
- <Link href={`/orders/${order.id}`}>{`Order ${order.id}`}</Link>
- </h4>
- <div className={classes.itemMeta}>
- <p>
- {'Status: '}
- {order.status}
- </p>
- <p>
- {'Created: '}
- {new Date(order.created * 1000).toLocaleDateString()}
- </p>
- <p>
- {'Total: '}
- {new Intl.NumberFormat('en-US', {
- style: 'currency',
- currency: order.currency.toUpperCase(),
- }).format(order.amount_due / 100)}
- </p>
+ <li key={order.id} className={classes.listItem}>
+ <Link className={classes.item} href={`/orders/${order.id}`}>
+ <div className={classes.itemContent}>
+ <h4 className={classes.itemTitle}>{`Order ${order.id}`}</h4>
+ <div className={classes.itemMeta}>
+ <p>{`Ordered On: ${formatDateTime(order.createdAt)}`}</p>
+ <p>
+ {'Total: '}
+ {new Intl.NumberFormat('en-US', {
+ style: 'currency',
+ currency: 'usd',
+ }).format(order.total / 100)}
+ </p>
+ </div>
</div>
- </div>
+ <Button
+ appearance="secondary"
+ label="View Order"
+ className={classes.button}
+ el="button"
+ />
+ </Link>
{index !== orders.length - 1 && <HR />}
</li>
))}
diff --git a/templates/ecommerce/src/app/_blocks/Content/index.module.scss b/templates/ecommerce/src/app/_blocks/Content/index.module.scss
index b63ccbfc440..63a93d91b25 100644
--- a/templates/ecommerce/src/app/_blocks/Content/index.module.scss
+++ b/templates/ecommerce/src/app/_blocks/Content/index.module.scss
@@ -7,7 +7,7 @@
@include mid-break {
grid-template-columns: repeat(6, 1fr);
- gap: calc(var(--base) / 2) var(--base);
+ gap: var(--base) var(--base);
}
}
diff --git a/templates/ecommerce/src/app/_components/AddToCartButton/index.tsx b/templates/ecommerce/src/app/_components/AddToCartButton/index.tsx
index 719219c487a..edce5442d7d 100644
--- a/templates/ecommerce/src/app/_components/AddToCartButton/index.tsx
+++ b/templates/ecommerce/src/app/_components/AddToCartButton/index.tsx
@@ -1,6 +1,7 @@
'use client'
import React, { useEffect, useState } from 'react'
+import { useRouter } from 'next/navigation'
import { Product } from '../../../payload/payload-types'
import { useCart } from '../../_providers/Cart'
@@ -19,6 +20,7 @@ export const AddToCartButton: React.FC<{
const { cart, addItemToCart, isProductInCart, hasInitializedCart } = useCart()
const [isInCart, setIsInCart] = useState<boolean>()
+ const router = useRouter()
useEffect(() => {
setIsInCart(isProductInCart(product))
@@ -46,6 +48,8 @@ export const AddToCartButton: React.FC<{
product,
quantity,
})
+
+ router.push('/cart')
}
: undefined
}
diff --git a/templates/ecommerce/src/app/_components/Card/index.module.scss b/templates/ecommerce/src/app/_components/Card/index.module.scss
index eb5dce941d0..081e6b58032 100644
--- a/templates/ecommerce/src/app/_components/Card/index.module.scss
+++ b/templates/ecommerce/src/app/_components/Card/index.module.scss
@@ -13,9 +13,11 @@
flex-grow: 1;
display: flex;
flex-direction: column;
+ gap: calc(var(--base) / 2);
@include small-break {
padding: calc(var(--base) / 2);
+ gap: calc(var(--base) / 4);
}
}
@@ -32,12 +34,7 @@
}
.body {
- margin-top: calc(var(--base) / 2);
flex-grow: 1;
-
- @include mid-break {
- margin-top: 0;
- }
}
.priceActions {
@@ -52,20 +49,11 @@
.leader {
@extend %label;
display: flex;
- margin-bottom: calc(var(--base) / 4);
-
- & > *:not(:last-child) {
- margin-right: var(--base);
- }
+ gap: var(--base);
}
.description {
margin: 0;
- margin-bottom: calc(var(--base) / 2);
-
- @include mid-break {
- margin-bottom: 0;
- }
}
.hideImageOnMobile {
diff --git a/templates/ecommerce/src/app/_components/Price/index.tsx b/templates/ecommerce/src/app/_components/Price/index.tsx
index 18074f98e7b..3635b841ebe 100644
--- a/templates/ecommerce/src/app/_components/Price/index.tsx
+++ b/templates/ecommerce/src/app/_components/Price/index.tsx
@@ -8,7 +8,7 @@ import { RemoveFromCartButton } from '../RemoveFromCartButton'
import classes from './index.module.scss'
-export const priceFromJSON = (priceJSON: string, quantity: number = 1): string => {
+export const priceFromJSON = (priceJSON: string, quantity: number = 1, raw?: boolean): string => {
let price = ''
if (priceJSON) {
@@ -17,6 +17,8 @@ export const priceFromJSON = (priceJSON: string, quantity: number = 1): string =
const priceValue = parsed.unit_amount * quantity
const priceType = parsed.type
+ if (raw) return priceValue.toString()
+
price = (priceValue / 100).toLocaleString('en-US', {
style: 'currency',
currency: 'USD', // TODO: use `parsed.currency`
diff --git a/templates/ecommerce/src/app/_css/colors.scss b/templates/ecommerce/src/app/_css/colors.scss
index 68bcbc2d594..a77dc798478 100644
--- a/templates/ecommerce/src/app/_css/colors.scss
+++ b/templates/ecommerce/src/app/_css/colors.scss
@@ -1,3 +1,5 @@
+// Keep these in sync with the colors exported in '../cssVariables.js'
+
:root {
--color-base-0: rgb(255, 255, 255);
--color-base-50: rgb(245, 245, 245);
@@ -81,3 +83,5 @@
--color-error-900: rgb(51, 22, 24);
--color-error-950: rgb(25, 11, 12);
}
+
+
diff --git a/templates/ecommerce/src/app/_css/queries.scss b/templates/ecommerce/src/app/_css/queries.scss
index 8f84ac7097e..b5f8c282cdc 100644
--- a/templates/ecommerce/src/app/_css/queries.scss
+++ b/templates/ecommerce/src/app/_css/queries.scss
@@ -1,3 +1,5 @@
+// Keep these in sync with the breakpoints exported in '../cssVariables.js'
+
$breakpoint-xs-width: 400px;
$breakpoint-s-width: 768px;
$breakpoint-m-width: 1024px;
diff --git a/templates/ecommerce/src/app/_graphql/globals.ts b/templates/ecommerce/src/app/_graphql/globals.ts
index 7f24e1c1d25..4dace52c863 100644
--- a/templates/ecommerce/src/app/_graphql/globals.ts
+++ b/templates/ecommerce/src/app/_graphql/globals.ts
@@ -30,7 +30,7 @@ query Header {
export const SETTINGS = `
Settings {
- shopPage {
+ productsPage {
slug
}
}
diff --git a/templates/ecommerce/src/app/_heros/Product/index.module.scss b/templates/ecommerce/src/app/_heros/Product/index.module.scss
index bac267604c3..50c9439a910 100644
--- a/templates/ecommerce/src/app/_heros/Product/index.module.scss
+++ b/templates/ecommerce/src/app/_heros/Product/index.module.scss
@@ -33,27 +33,11 @@
}
.warning {
- margin: 0;
- color: var(--theme-warning-500);
- margin-top: calc(var(--base) / 2);
-
- @include mid-break {
- margin-top: 0;
- }
-}
-
-:global([data-theme="light"]) {
- .warning {
- color: var(--theme-error-500);
- }
+ margin-bottom: calc(var(--base) * 1.5);
}
.description {
margin: 0;
-
- @include mid-break {
- margin-bottom: calc(var(--base) / 2);
- }
}
.media {
@@ -96,5 +80,5 @@
}
.addToCartButton {
- margin-top: var(--base);
+ margin-top: calc(var(--base) / 2);
}
diff --git a/templates/ecommerce/src/app/_heros/Product/index.tsx b/templates/ecommerce/src/app/_heros/Product/index.tsx
index c9e87e1037f..33d4dcc9d96 100644
--- a/templates/ecommerce/src/app/_heros/Product/index.tsx
+++ b/templates/ecommerce/src/app/_heros/Product/index.tsx
@@ -23,57 +23,68 @@ export const ProductHero: React.FC<{
} = product
return (
- <Gutter className={classes.productHero}>
- <div className={classes.content}>
- <div className={classes.categories}>
- {categories?.map((category, index) => {
- const { title: categoryTitle } = category
+ <Fragment>
+ {!stripeProductID && (
+ <Gutter>
+ <Message
+ className={classes.warning}
+ warning={
+ <Fragment>
+ {'This product is not yet connected to Stripe. To link this product, '}
+ <Link
+ href={`${process.env.NEXT_PUBLIC_SERVER_URL}/admin/collections/products/${id}`}
+ >
+ navigate to the admin dashboard
+ </Link>
+ {'.'}
+ </Fragment>
+ }
+ />
+ </Gutter>
+ )}
+ <Gutter className={classes.productHero}>
+ <div className={classes.content}>
+ <div className={classes.categories}>
+ {categories?.map((category, index) => {
+ const { title: categoryTitle } = category
- const titleToUse = categoryTitle || 'Untitled category'
+ const titleToUse = categoryTitle || 'Untitled category'
- const isLast = index === categories.length - 1
+ const isLast = index === categories.length - 1
- return (
- <Fragment key={index}>
- {titleToUse}
- {!isLast && <Fragment>, </Fragment>}
- </Fragment>
- )
- })}
- </div>
- <h1 className={classes.title}>{title}</h1>
- <div>
- <p className={classes.description}>
- {`${description ? `${description} ` : ''}To edit this product, `}
- <Link href={`${process.env.NEXT_PUBLIC_SERVER_URL}/admin/collections/products/${id}`}>
- navigate to the admin dashboard
- </Link>
- {'.'}
- </p>
- {!stripeProductID && (
- <p className={classes.warning}>
- {'This product is not yet connected to Stripe. To link this product, '}
+ return (
+ <Fragment key={index}>
+ {titleToUse}
+ {!isLast && <Fragment>, </Fragment>}
+ </Fragment>
+ )
+ })}
+ </div>
+ <h1 className={classes.title}>{title}</h1>
+ <div>
+ <p className={classes.description}>
+ {`${description ? `${description} ` : ''}To edit this product, `}
<Link href={`${process.env.NEXT_PUBLIC_SERVER_URL}/admin/collections/products/${id}`}>
navigate to the admin dashboard
</Link>
{'.'}
</p>
- )}
+ </div>
+ <Price product={product} button={false} />
+ <AddToCartButton product={product} className={classes.addToCartButton} />
</div>
- <Price product={product} button={false} />
- <AddToCartButton product={product} className={classes.addToCartButton} />
- </div>
- <div className={classes.media}>
- <div className={classes.mediaWrapper}>
- {!metaImage && <div className={classes.placeholder}>No image</div>}
- {metaImage && typeof metaImage !== 'string' && (
- <Media imgClassName={classes.image} resource={metaImage} fill />
+ <div className={classes.media}>
+ <div className={classes.mediaWrapper}>
+ {!metaImage && <div className={classes.placeholder}>No image</div>}
+ {metaImage && typeof metaImage !== 'string' && (
+ <Media imgClassName={classes.image} resource={metaImage} fill />
+ )}
+ </div>
+ {metaImage && typeof metaImage !== 'string' && metaImage?.caption && (
+ <RichText content={metaImage.caption} className={classes.caption} />
)}
</div>
- {metaImage && typeof metaImage !== 'string' && metaImage?.caption && (
- <RichText content={metaImage.caption} className={classes.caption} />
- )}
- </div>
- </Gutter>
+ </Gutter>
+ </Fragment>
)
}
diff --git a/templates/ecommerce/src/app/cssVariables.js b/templates/ecommerce/src/app/cssVariables.js
index 3370777abde..082055037da 100644
--- a/templates/ecommerce/src/app/cssVariables.js
+++ b/templates/ecommerce/src/app/cssVariables.js
@@ -1,7 +1,17 @@
+// Keep these in sync with the CSS variables in the `_css` directory
+
module.exports = {
breakpoints: {
s: 768,
m: 1024,
- l: 1679,
+ l: 1440,
+ },
+ colors: {
+ base0: 'rgb(255, 255, 255)',
+ base100: 'rgb(235, 235, 235)',
+ base500: 'rgb(128, 128, 128)',
+ base850: 'rgb(34, 34, 34)',
+ base1000: 'rgb(0, 0, 0)',
+ error500: 'rgb(255, 111, 118)',
},
}
diff --git a/templates/ecommerce/src/payload/collections/Orders/access/adminsOrOrderedBy.ts b/templates/ecommerce/src/payload/collections/Orders/access/adminsOrOrderedBy.ts
new file mode 100644
index 00000000000..23c47f89360
--- /dev/null
+++ b/templates/ecommerce/src/payload/collections/Orders/access/adminsOrOrderedBy.ts
@@ -0,0 +1,15 @@
+import type { Access } from 'payload/config'
+
+import { checkRole } from '../../Users/checkRole'
+
+export const adminsOrOrderedBy: Access = ({ req: { user } }) => {
+ if (checkRole(['admin'], user)) {
+ return true
+ }
+
+ return {
+ orderedBy: {
+ equals: user?.id,
+ },
+ }
+}
diff --git a/templates/ecommerce/src/payload/collections/Orders/hooks/clearUserCart.ts b/templates/ecommerce/src/payload/collections/Orders/hooks/clearUserCart.ts
new file mode 100644
index 00000000000..363609c0887
--- /dev/null
+++ b/templates/ecommerce/src/payload/collections/Orders/hooks/clearUserCart.ts
@@ -0,0 +1,28 @@
+import type { AfterChangeHook } from 'payload/dist/collections/config/types'
+
+import type { Order } from '../../../payload-types'
+
+export const clearUserCart: AfterChangeHook<Order> = async ({ doc, req, operation }) => {
+ const { payload } = req
+
+ if (operation === 'create' && doc.orderedBy) {
+ const orderedBy = typeof doc.orderedBy === 'string' ? doc.orderedBy : doc.orderedBy.id
+
+ const user = await payload.findByID({
+ collection: 'users',
+ id: orderedBy,
+ })
+
+ if (user) {
+ await payload.update({
+ collection: 'users',
+ id: orderedBy,
+ data: {
+ cart: [],
+ },
+ })
+ }
+ }
+
+ return
+}
diff --git a/templates/ecommerce/src/payload/collections/Orders/hooks/populateOrderedBy.ts b/templates/ecommerce/src/payload/collections/Orders/hooks/populateOrderedBy.ts
new file mode 100644
index 00000000000..165b1434edb
--- /dev/null
+++ b/templates/ecommerce/src/payload/collections/Orders/hooks/populateOrderedBy.ts
@@ -0,0 +1,11 @@
+import type { FieldHook } from 'payload/types'
+
+import type { Order } from '../../../payload-types'
+
+export const populateOrderedBy: FieldHook<Order> = async ({ req, operation, value }) => {
+ if ((operation === 'create' || operation === 'update') && !value) {
+ return req.user.id
+ }
+
+ return value
+}
diff --git a/templates/ecommerce/src/payload/collections/Orders/hooks/updateUserPurchases.ts b/templates/ecommerce/src/payload/collections/Orders/hooks/updateUserPurchases.ts
new file mode 100644
index 00000000000..db17b90df02
--- /dev/null
+++ b/templates/ecommerce/src/payload/collections/Orders/hooks/updateUserPurchases.ts
@@ -0,0 +1,35 @@
+import type { AfterChangeHook } from 'payload/dist/collections/config/types'
+
+import type { Order } from '../../../payload-types'
+
+export const updateUserPurchases: AfterChangeHook<Order> = async ({ doc, req, operation }) => {
+ const { payload } = req
+
+ if ((operation === 'create' || operation === 'update') && doc.orderedBy && doc.items) {
+ const orderedBy = typeof doc.orderedBy === 'string' ? doc.orderedBy : doc.orderedBy.id
+
+ const user = await payload.findByID({
+ collection: 'users',
+ id: orderedBy,
+ })
+
+ if (user) {
+ await payload.update({
+ collection: 'users',
+ id: orderedBy,
+ data: {
+ purchases: [
+ ...(user?.purchases?.map(purchase =>
+ typeof purchase === 'string' ? purchase : purchase.id,
+ ) || []), // eslint-disable-line function-paren-newline
+ ...(doc?.items?.map(({ product }) =>
+ typeof product === 'string' ? product : product.id,
+ ) || []), // eslint-disable-line function-paren-newline
+ ],
+ },
+ })
+ }
+ }
+
+ return
+}
diff --git a/templates/ecommerce/src/payload/collections/Orders/index.ts b/templates/ecommerce/src/payload/collections/Orders/index.ts
new file mode 100644
index 00000000000..9034b251324
--- /dev/null
+++ b/templates/ecommerce/src/payload/collections/Orders/index.ts
@@ -0,0 +1,79 @@
+import type { CollectionConfig } from 'payload/types'
+
+import { admins } from '../../access/admins'
+import { checkRole } from '../Users/checkRole'
+import { adminsOrOrderedBy } from './access/adminsOrOrderedBy'
+import { clearUserCart } from './hooks/clearUserCart'
+import { populateOrderedBy } from './hooks/populateOrderedBy'
+import { updateUserPurchases } from './hooks/updateUserPurchases'
+import { LinkToPaymentIntent } from './ui/LinkToPaymentIntent'
+
+export const Orders: CollectionConfig = {
+ slug: 'orders',
+ admin: {
+ useAsTitle: 'createdAt',
+ defaultColumns: ['createdAt', 'orderedBy'],
+ preview: doc => `${process.env.PAYLOAD_PUBLIC_SERVER_URL}/orders/${doc.id}`,
+ },
+ hooks: {
+ afterChange: [updateUserPurchases, clearUserCart],
+ },
+ access: {
+ read: adminsOrOrderedBy,
+ update: admins,
+ create: admins,
+ delete: admins,
+ },
+ fields: [
+ {
+ name: 'orderedBy',
+ type: 'relationship',
+ relationTo: 'users',
+ hooks: {
+ beforeChange: [populateOrderedBy],
+ },
+ },
+ {
+ name: 'stripePaymentIntentID',
+ label: 'Stripe Payment Intent ID',
+ type: 'text',
+ access: {
+ read: ({ req: { user } }) => checkRole(['admin'], user),
+ },
+ admin: {
+ position: 'sidebar',
+ components: {
+ Field: LinkToPaymentIntent,
+ },
+ },
+ },
+ {
+ name: 'total',
+ type: 'number',
+ required: true,
+ min: 0,
+ },
+ {
+ name: 'items',
+ type: 'array',
+ fields: [
+ {
+ name: 'product',
+ type: 'relationship',
+ relationTo: 'products',
+ required: true,
+ },
+ {
+ name: 'price',
+ type: 'number',
+ min: 0,
+ },
+ {
+ name: 'quantity',
+ type: 'number',
+ min: 0,
+ },
+ ],
+ },
+ ],
+}
diff --git a/templates/ecommerce/src/payload/collections/Orders/ui/LinkToPaymentIntent.tsx b/templates/ecommerce/src/payload/collections/Orders/ui/LinkToPaymentIntent.tsx
new file mode 100644
index 00000000000..f5b162e3db2
--- /dev/null
+++ b/templates/ecommerce/src/payload/collections/Orders/ui/LinkToPaymentIntent.tsx
@@ -0,0 +1,55 @@
+import * as React from 'react'
+import { Select, Text, useFormFields } from 'payload/components/forms'
+import CopyToClipboard from 'payload/dist/admin/components/elements/CopyToClipboard'
+import { TextField } from 'payload/dist/fields/config/types'
+
+export const LinkToPaymentIntent: React.FC<TextField> = props => {
+ const { name, label } = props
+
+ const { value: stripePaymentIntentID } = useFormFields(([fields]) => fields[name]) || {}
+
+ const href = `https://dashboard.stripe.com/${
+ process.env.PAYLOAD_PUBLIC_STRIPE_IS_TEST_KEY ? 'test/' : ''
+ }payments/${stripePaymentIntentID}`
+
+ return (
+ <div>
+ <p style={{ marginBottom: '0' }}>
+ {typeof label === 'string' ? label : 'Stripe Payment Intent ID'}
+ </p>
+ <Text {...props} label="" />
+ {Boolean(stripePaymentIntentID) && (
+ <div>
+ <div>
+ <span
+ className="label"
+ style={{
+ color: '#9A9A9A',
+ }}
+ >
+ {`Manage in Stripe`}
+ </span>
+ <CopyToClipboard value={href} />
+ </div>
+ <div
+ style={{
+ overflow: 'hidden',
+ textOverflow: 'ellipsis',
+ fontWeight: '600',
+ }}
+ >
+ <a
+ href={`https://dashboard.stripe.com/${
+ process.env.PAYLOAD_PUBLIC_STRIPE_IS_TEST_KEY ? 'test/' : ''
+ }customers/${stripePaymentIntentID}`}
+ target="_blank"
+ rel="noreferrer noopener"
+ >
+ {href}
+ </a>
+ </div>
+ </div>
+ )}
+ </div>
+ )
+}
diff --git a/templates/ecommerce/src/payload/collections/Pages/access/adminsOrPublished.ts b/templates/ecommerce/src/payload/collections/Pages/access/adminsOrPublished.ts
index 0f4e2b68983..6686582ef83 100644
--- a/templates/ecommerce/src/payload/collections/Pages/access/adminsOrPublished.ts
+++ b/templates/ecommerce/src/payload/collections/Pages/access/adminsOrPublished.ts
@@ -1,7 +1,9 @@
import type { Access } from 'payload/config'
+import { checkRole } from '../../Users/checkRole'
+
export const adminsOrPublished: Access = ({ req: { user } }) => {
- if (user && user.collection === 'admins') {
+ if (checkRole(['admin'], user)) {
return true
}
diff --git a/templates/ecommerce/src/payload/collections/Products/hooks/deleteProductFromCarts.ts b/templates/ecommerce/src/payload/collections/Products/hooks/deleteProductFromCarts.ts
index 9810ae298cd..c42be9508f3 100644
--- a/templates/ecommerce/src/payload/collections/Products/hooks/deleteProductFromCarts.ts
+++ b/templates/ecommerce/src/payload/collections/Products/hooks/deleteProductFromCarts.ts
@@ -1,6 +1,8 @@
import type { AfterDeleteHook } from 'payload/dist/collections/config/types'
-export const deleteProductFromCarts: AfterDeleteHook = async ({ req, id }) => {
+import type { Product } from '../../../payload-types'
+
+export const deleteProductFromCarts: AfterDeleteHook<Product> = async ({ req, id }) => {
const usersWithProductInCart = await req.payload.find({
collection: 'users',
overrideAccess: true,
diff --git a/templates/ecommerce/src/payload/collections/Users/endpoints/order.ts b/templates/ecommerce/src/payload/collections/Users/endpoints/order.ts
deleted file mode 100644
index 5ca98dadae8..00000000000
--- a/templates/ecommerce/src/payload/collections/Users/endpoints/order.ts
+++ /dev/null
@@ -1,52 +0,0 @@
-import type { PayloadHandler } from 'payload/config'
-import Stripe from 'stripe'
-
-const stripe = new Stripe(process.env.STRIPE_SECRET_KEY || '', {
- apiVersion: '2022-08-01',
-})
-
-export const getUserOrder: PayloadHandler = async (req, res): Promise<void> => {
- const { user, payload } = req
-
- if (!user) {
- res.status(401).send('Unauthorized')
- return
- }
-
- const fullUser = await payload.findByID({
- collection: 'users',
- id: user?.id,
- })
-
- if (!fullUser) {
- res.status(404).json({ error: 'User not found' })
- return
- }
-
- if (!req.params.id) {
- res.status(404).json({ error: 'No order ID provided' })
- return
- }
-
- try {
- let stripeCustomerID = fullUser?.stripeCustomerID
-
- if (!stripeCustomerID) {
- res.status(404).json({ error: 'User does not have a Stripe Customer ID' })
- return
- }
-
- const order = await stripe.invoices.retrieve(req.params.id)
-
- if (!order || order.status === 'draft') {
- res.status(404).json({ error: 'No order found' })
- return
- }
-
- res.json(order)
- } catch (error: unknown) {
- const message = error instanceof Error ? error.message : 'Unknown error'
- payload.logger.error(message)
- res.json({ error: message })
- }
-}
diff --git a/templates/ecommerce/src/payload/collections/Users/endpoints/orders.ts b/templates/ecommerce/src/payload/collections/Users/endpoints/orders.ts
deleted file mode 100644
index ba38f7ae7da..00000000000
--- a/templates/ecommerce/src/payload/collections/Users/endpoints/orders.ts
+++ /dev/null
@@ -1,50 +0,0 @@
-import type { PayloadHandler } from 'payload/config'
-import Stripe from 'stripe'
-
-const stripe = new Stripe(process.env.STRIPE_SECRET_KEY || '', {
- apiVersion: '2022-08-01',
-})
-
-export const getUserOrders: PayloadHandler = async (req, res): Promise<void> => {
- const { user, payload } = req
-
- if (!user) {
- res.status(401).send('Unauthorized')
- return
- }
-
- const fullUser = await payload.findByID({
- collection: 'users',
- id: user?.id,
- })
-
- if (!fullUser) {
- res.status(404).json({ error: 'User not found' })
- return
- }
-
- try {
- let stripeCustomerID = fullUser?.stripeCustomerID
-
- if (!stripeCustomerID) {
- res.status(404).json({ error: 'User does not have a Stripe Customer ID' })
- return
- }
-
- const orders = await stripe.invoices.list({
- customer: stripeCustomerID,
- limit: 100,
- })
-
- if (!orders || orders.data.length === 0) {
- res.status(404).json({ error: 'No orders found' })
- return
- }
-
- res.json(orders.data)
- } catch (error: unknown) {
- const message = error instanceof Error ? error.message : 'Unknown error'
- payload.logger.error(message)
- res.json({ error: message })
- }
-}
diff --git a/templates/ecommerce/src/payload/collections/Users/endpoints/purchases.ts b/templates/ecommerce/src/payload/collections/Users/endpoints/purchases.ts
deleted file mode 100644
index caf425c47cc..00000000000
--- a/templates/ecommerce/src/payload/collections/Users/endpoints/purchases.ts
+++ /dev/null
@@ -1,50 +0,0 @@
-import type { PayloadHandler } from 'payload/config'
-
-export const addPurchases: PayloadHandler = async (req, res): Promise<void> => {
- const { user, payload } = req
-
- if (!user) {
- res.status(401).send('Unauthorized')
- return
- }
-
- const fullUser = await payload.findByID({
- collection: 'users',
- id: user?.id,
- })
-
- if (!fullUser) {
- res.status(404).json({ error: 'User not found' })
- return
- }
-
- try {
- const incomingPurchases = req.body.purchases
-
- if (!incomingPurchases) {
- res.status(404).json({ error: 'No purchases provided' })
- return
- }
-
- const withNewPurchases = new Set([
- ...(fullUser?.purchases?.map(purchase => {
- return typeof purchase === 'string' ? purchase : purchase.id
- }) || []),
- ...(incomingPurchases || []),
- ])
-
- await payload.update({
- collection: 'users',
- id: user?.id,
- data: {
- purchases: Array.from(withNewPurchases),
- },
- })
-
- res.json({ message: 'Purchases added' })
- } catch (error: unknown) {
- const message = error instanceof Error ? error.message : 'Unknown error'
- payload.logger.error(message)
- res.json({ error: message })
- }
-}
diff --git a/templates/ecommerce/src/payload/collections/Users/hooks/resolveDuplicatePurchases.ts b/templates/ecommerce/src/payload/collections/Users/hooks/resolveDuplicatePurchases.ts
new file mode 100644
index 00000000000..cb64e5b27be
--- /dev/null
+++ b/templates/ecommerce/src/payload/collections/Users/hooks/resolveDuplicatePurchases.ts
@@ -0,0 +1,15 @@
+import type { FieldHook } from 'payload/types'
+
+import type { User } from '../../../payload-types'
+
+export const resolveDuplicatePurchases: FieldHook<User> = async ({ value, operation }) => {
+ if ((operation === 'create' || operation === 'update') && value) {
+ return Array.from(
+ new Set(
+ value?.map(purchase => (typeof purchase === 'string' ? purchase : purchase.id)) || [],
+ ),
+ )
+ }
+
+ return
+}
diff --git a/templates/ecommerce/src/payload/collections/Users/index.ts b/templates/ecommerce/src/payload/collections/Users/index.ts
index e328fd8df34..af0e8ecdcff 100644
--- a/templates/ecommerce/src/payload/collections/Users/index.ts
+++ b/templates/ecommerce/src/payload/collections/Users/index.ts
@@ -4,12 +4,10 @@ import { admins } from '../../access/admins'
import { anyone } from '../../access/anyone'
import adminsAndUser from './access/adminsAndUser'
import { checkRole } from './checkRole'
-import { getUserOrder } from './endpoints/order'
-import { getUserOrders } from './endpoints/orders'
-import { addPurchases } from './endpoints/purchases'
import { createStripeCustomer } from './hooks/createStripeCustomer'
import { ensureFirstUserIsAdmin } from './hooks/ensureFirstUserIsAdmin'
import { loginAfterCreate } from './hooks/loginAfterCreate'
+import { resolveDuplicatePurchases } from './hooks/resolveDuplicatePurchases'
import { CustomerSelect } from './ui/CustomerSelect'
const Users: CollectionConfig = {
@@ -30,23 +28,6 @@ const Users: CollectionConfig = {
afterChange: [loginAfterCreate],
},
auth: true,
- endpoints: [
- {
- path: '/order/:id',
- method: 'get',
- handler: getUserOrder,
- },
- {
- path: '/orders',
- method: 'get',
- handler: getUserOrders,
- },
- {
- path: '/purchases',
- method: 'post',
- handler: addPurchases,
- },
- ],
fields: [
{
name: 'name',
@@ -82,6 +63,9 @@ const Users: CollectionConfig = {
type: 'relationship',
relationTo: 'products',
hasMany: true,
+ hooks: {
+ beforeChange: [resolveDuplicatePurchases],
+ },
},
{
name: 'stripeCustomerID',
diff --git a/templates/ecommerce/src/payload/components/LinkToOrders/index.scss b/templates/ecommerce/src/payload/components/LinkToOrders/index.scss
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/templates/ecommerce/src/payload/components/LinkToOrders/index.tsx b/templates/ecommerce/src/payload/components/LinkToOrders/index.tsx
deleted file mode 100644
index a2c59573883..00000000000
--- a/templates/ecommerce/src/payload/components/LinkToOrders/index.tsx
+++ /dev/null
@@ -1,17 +0,0 @@
-import React from 'react'
-
-const LinkToOrders: React.FC = () => {
- const href = `https://dashboard.stripe.com/${
- process.env.PAYLOAD_PUBLIC_STRIPE_IS_TEST_KEY ? 'test/' : ''
- }invoices`
-
- return (
- <div>
- <a href={href} rel="noopener noreferrer" target="_blank">
- Orders
- </a>
- </div>
- )
-}
-
-export default LinkToOrders
diff --git a/templates/ecommerce/src/payload/endpoints/payment-intent.ts b/templates/ecommerce/src/payload/endpoints/create-payment-intent.ts
similarity index 56%
rename from templates/ecommerce/src/payload/endpoints/payment-intent.ts
rename to templates/ecommerce/src/payload/endpoints/create-payment-intent.ts
index 462796a894e..c2865a2ed99 100644
--- a/templates/ecommerce/src/payload/endpoints/payment-intent.ts
+++ b/templates/ecommerce/src/payload/endpoints/create-payment-intent.ts
@@ -7,9 +7,9 @@ const stripe = new Stripe(process.env.STRIPE_SECRET_KEY || '', {
apiVersion: '2022-08-01',
})
-// this endpoint creates a `PaymentIntent` with the items in the cart using the `Invoices API`
-// this is required in order to associate each line item with its respective product in Stripe
-// to do this, we loop through the items in the cart and create a line-item in the invoice for each cart item
+// this endpoint creates a `PaymentIntent` with the items in the cart
+// to do this, we loop through the items in the cart and lookup the product in Stripe
+// we then add the price of the product to the total
// once completed, we pass the `client_secret` of the `PaymentIntent` back to the client which can process the payment
export const createPaymentIntent: PayloadHandler = async (req, res): Promise<void> => {
const { user, payload } = req
@@ -38,19 +38,19 @@ export const createPaymentIntent: PayloadHandler = async (req, res): Promise<voi
email: fullUser?.email,
name: fullUser?.name,
})
+
stripeCustomerID = customer.id
+
+ await payload.update({
+ collection: 'users',
+ id: user?.id,
+ data: {
+ stripeCustomerID,
+ },
+ })
}
- // initialize an draft invoice for the customer, then add items to it
- // set `auto_advance` to false so that Stripe doesn't attempt to charge the customer
- // this will prevent Stripe setting to "open" after 1 hour and sending emails to the customer
- // the invoice will get finalized when upon payment via the `payment_intent` attached to the invoice below
- const invoice = await stripe.invoices.create({
- customer: stripeCustomerID,
- collection_method: 'send_invoice',
- days_until_due: 30,
- auto_advance: false,
- })
+ let total = 0
const hasItems = fullUser?.cart?.items?.length > 0
@@ -58,9 +58,9 @@ export const createPaymentIntent: PayloadHandler = async (req, res): Promise<voi
throw new Error('No items in cart')
}
- // for each item in cart, create an invoice item and send the invoice
+ // for each item in cart, lookup the product in Stripe and add its price to the total
await Promise.all(
- fullUser?.cart?.items?.map(async (item: CartItems[0]): Promise<Stripe.InvoiceItem | null> => {
+ fullUser?.cart?.items?.map(async (item: CartItems[0]): Promise<null> => {
const { product, quantity } = item
if (!quantity) {
@@ -83,40 +83,23 @@ export const createPaymentIntent: PayloadHandler = async (req, res): Promise<voi
}
const price = prices.data[0]
- invoice.total += price.unit_amount * quantity
-
- // price.type === 'recurring' is a subscription, which uses the Subscriptions API
- // that is out of scope for this boilerplate
- if (price.type === 'one_time') {
- return stripe.invoiceItems.create({
- customer: stripeCustomerID,
- price: price.id,
- invoice: invoice.id,
- metadata: {
- payload_product_id: product.id,
- },
- })
- }
+ total += price.unit_amount * quantity
return null
}),
)
- // need to create a `PaymentIntent` manually using the `Invoice` total
- // this is because the invoice is not set to `auto-advance` and we're not finalizing the invoice ourselves
- // instead, attach the `payment_intent` to the invoice and let Stripe finalize it when the payment is processed
+ if (total === 0) {
+ throw new Error('There is nothing to pay for, add some items to your cart and try again.')
+ }
+
const paymentIntent = await stripe.paymentIntents.create({
customer: stripeCustomerID,
- amount: invoice.total,
+ amount: total,
currency: 'usd',
payment_method_types: ['card'],
- metadata: {
- invoice_id: invoice.id,
- },
})
- invoice.payment_intent = paymentIntent.id
-
res.send({ client_secret: paymentIntent.client_secret })
} catch (error: unknown) {
const message = error instanceof Error ? error.message : 'Unknown error'
diff --git a/templates/ecommerce/src/payload/generated-schema.graphql b/templates/ecommerce/src/payload/generated-schema.graphql
index 42d18995b4d..d4386432c34 100644
--- a/templates/ecommerce/src/payload/generated-schema.graphql
+++ b/templates/ecommerce/src/payload/generated-schema.graphql
@@ -1,25 +1,28 @@
type Query {
- User(id: String!, draft: Boolean): User
- Users(where: User_where, draft: Boolean, page: Int, limit: Int, sort: String): Users
- docAccessUser(id: String!): usersDocAccess
- meUser: usersMe
- initializedUser: Boolean
- Product(id: String!, draft: Boolean): Product
- Products(where: Product_where, draft: Boolean, page: Int, limit: Int, sort: String): Products
- docAccessProduct(id: String!): productsDocAccess
- versionProduct(id: String): ProductVersion
- versionsProducts(where: versionsProduct_where, page: Int, limit: Int, sort: String): versionsProducts
- Category(id: String!, draft: Boolean): Category
- Categories(where: Category_where, draft: Boolean, page: Int, limit: Int, sort: String): Categories
- docAccessCategory(id: String!): categoriesDocAccess
Page(id: String!, draft: Boolean): Page
Pages(where: Page_where, draft: Boolean, page: Int, limit: Int, sort: String): Pages
docAccessPage(id: String!): pagesDocAccess
versionPage(id: String): PageVersion
versionsPages(where: versionsPage_where, page: Int, limit: Int, sort: String): versionsPages
+ Product(id: String!, draft: Boolean): Product
+ Products(where: Product_where, draft: Boolean, page: Int, limit: Int, sort: String): Products
+ docAccessProduct(id: String!): productsDocAccess
+ versionProduct(id: String): ProductVersion
+ versionsProducts(where: versionsProduct_where, page: Int, limit: Int, sort: String): versionsProducts
+ Order(id: String!, draft: Boolean): Order
+ Orders(where: Order_where, draft: Boolean, page: Int, limit: Int, sort: String): Orders
+ docAccessOrder(id: String!): ordersDocAccess
Media(id: String!, draft: Boolean): Media
allMedia(where: Media_where, draft: Boolean, page: Int, limit: Int, sort: String): allMedia
docAccessMedia(id: String!): mediaDocAccess
+ Category(id: String!, draft: Boolean): Category
+ Categories(where: Category_where, draft: Boolean, page: Int, limit: Int, sort: String): Categories
+ docAccessCategory(id: String!): categoriesDocAccess
+ User(id: String!, draft: Boolean): User
+ Users(where: User_where, draft: Boolean, page: Int, limit: Int, sort: String): Users
+ docAccessUser(id: String!): usersDocAccess
+ meUser: usersMe
+ initializedUser: Boolean
Settings(draft: Boolean): Settings
docAccessSettings: settingsDocAccess
Header(draft: Boolean): Header
@@ -30,100 +33,6 @@ type Query {
Access: Access
}
-type User {
- id: String
- name: String
- roles: [User_roles!]
- purchases: [Product!]
- stripeCustomerID: String
- cart: User_Cart
- skipSync: Boolean
- updatedAt: DateTime
- createdAt: DateTime
- email: EmailAddress!
- resetPasswordToken: String
- resetPasswordExpiration: DateTime
- salt: String
- hash: String
- loginAttempts: Float
- lockUntil: DateTime
- password: String!
-}
-
-enum User_roles {
- admin
- customer
-}
-
-type Product {
- id: String
- title: String
- publishedDate: DateTime
- layout: [Product_Layout!]!
- stripeProductID: String
- priceJSON: String
- enablePaywall: Boolean
- paywall: [Product_Paywall!]
- categories: [Category!]
- slug: String
- skipSync: Boolean
- meta: Product_Meta
- updatedAt: DateTime
- createdAt: DateTime
- _status: Product__status
-}
-
-"""
-A date-time string at UTC, such as 2007-12-03T10:15:30Z, compliant with the `date-time` format outlined in section 5.6 of the RFC 3339 profile of the ISO 8601 standard for representation of dates and times using the Gregorian calendar.
-"""
-scalar DateTime
-
-union Product_Layout = Cta | Content | MediaBlock | Archive
-
-type Cta {
- invertBackground: Boolean
- richText(depth: Int): JSON
- links: [Cta_Links!]
- id: String
- blockName: String
- blockType: String
-}
-
-"""
-The `JSON` scalar type represents JSON values as specified by [ECMA-404](http://www.ecma-international.org/publications/files/ECMA-ST/ECMA-404.pdf).
-"""
-scalar JSON
-
-type Cta_Links {
- link: Cta_Links_Link
- id: String
-}
-
-type Cta_Links_Link {
- type: Cta_Links_Link_type
- newTab: Boolean
- reference: Cta_Links_Link_Reference_Relationship
- url: String
- label: String
- appearance: Cta_Links_Link_appearance
-}
-
-enum Cta_Links_Link_type {
- reference
- custom
-}
-
-type Cta_Links_Link_Reference_Relationship {
- relationTo: Cta_Links_Link_Reference_RelationTo
- value: Cta_Links_Link_Reference
-}
-
-enum Cta_Links_Link_Reference_RelationTo {
- pages
-}
-
-union Cta_Links_Link_Reference = Page
-
type Page {
id: String
title: String
@@ -137,6 +46,11 @@ type Page {
_status: Page__status
}
+"""
+A date-time string at UTC, such as 2007-12-03T10:15:30Z, compliant with the `date-time` format outlined in section 5.6 of the RFC 3339 profile of the ISO 8601 standard for representation of dates and times using the Gregorian calendar.
+"""
+scalar DateTime
+
type Page_Hero {
type: Page_Hero_type
richText(depth: Int): JSON
@@ -151,6 +65,11 @@ enum Page_Hero_type {
lowImpact
}
+"""
+The `JSON` scalar type represents JSON values as specified by [ECMA-404](http://www.ecma-international.org/publications/files/ECMA-ST/ECMA-404.pdf).
+"""
+scalar JSON
+
type Page_Hero_Links {
link: Page_Hero_Links_Link
id: String
@@ -361,6 +280,50 @@ input Page_Hero_Media_where_and {
union Page_Layout = Cta | Content | MediaBlock | Archive
+type Cta {
+ invertBackground: Boolean
+ richText(depth: Int): JSON
+ links: [Cta_Links!]
+ id: String
+ blockName: String
+ blockType: String
+}
+
+type Cta_Links {
+ link: Cta_Links_Link
+ id: String
+}
+
+type Cta_Links_Link {
+ type: Cta_Links_Link_type
+ newTab: Boolean
+ reference: Cta_Links_Link_Reference_Relationship
+ url: String
+ label: String
+ appearance: Cta_Links_Link_appearance
+}
+
+enum Cta_Links_Link_type {
+ reference
+ custom
+}
+
+type Cta_Links_Link_Reference_Relationship {
+ relationTo: Cta_Links_Link_Reference_RelationTo
+ value: Cta_Links_Link_Reference
+}
+
+enum Cta_Links_Link_Reference_RelationTo {
+ pages
+}
+
+union Cta_Links_Link_Reference = Page
+
+enum Cta_Links_Link_appearance {
+ primary
+ secondary
+}
+
type Content {
invertBackground: Boolean
columns: [Content_Columns!]
@@ -637,40 +600,51 @@ enum Archive_SelectedDocs_RelationTo {
union Archive_SelectedDocs = Product
-type Archive_PopulatedDocs_Relationship {
- relationTo: Archive_PopulatedDocs_RelationTo
- value: Archive_PopulatedDocs
+type Product {
+ id: String
+ title: String
+ publishedDate: DateTime
+ layout: [Product_Layout!]!
+ stripeProductID: String
+ priceJSON: String
+ enablePaywall: Boolean
+ paywall: [Product_Paywall!]
+ categories: [Category!]
+ slug: String
+ skipSync: Boolean
+ meta: Product_Meta
+ updatedAt: DateTime
+ createdAt: DateTime
+ _status: Product__status
}
-enum Archive_PopulatedDocs_RelationTo {
- products
-}
+union Product_Layout = Cta | Content | MediaBlock | Archive
-union Archive_PopulatedDocs = Product
+union Product_Paywall = Cta | Content | MediaBlock | Archive
-type Page_Meta {
+type Product_Meta {
title: String
description: String
- image(where: Page_Meta_Image_where): Media
+ image(where: Product_Meta_Image_where): Media
}
-input Page_Meta_Image_where {
- alt: Page_Meta_Image_alt_operator
- caption: Page_Meta_Image_caption_operator
- updatedAt: Page_Meta_Image_updatedAt_operator
- createdAt: Page_Meta_Image_createdAt_operator
- url: Page_Meta_Image_url_operator
- filename: Page_Meta_Image_filename_operator
- mimeType: Page_Meta_Image_mimeType_operator
- filesize: Page_Meta_Image_filesize_operator
- width: Page_Meta_Image_width_operator
- height: Page_Meta_Image_height_operator
- id: Page_Meta_Image_id_operator
- OR: [Page_Meta_Image_where_or]
- AND: [Page_Meta_Image_where_and]
+input Product_Meta_Image_where {
+ alt: Product_Meta_Image_alt_operator
+ caption: Product_Meta_Image_caption_operator
+ updatedAt: Product_Meta_Image_updatedAt_operator
+ createdAt: Product_Meta_Image_createdAt_operator
+ url: Product_Meta_Image_url_operator
+ filename: Product_Meta_Image_filename_operator
+ mimeType: Product_Meta_Image_mimeType_operator
+ filesize: Product_Meta_Image_filesize_operator
+ width: Product_Meta_Image_width_operator
+ height: Product_Meta_Image_height_operator
+ id: Product_Meta_Image_id_operator
+ OR: [Product_Meta_Image_where_or]
+ AND: [Product_Meta_Image_where_and]
}
-input Page_Meta_Image_alt_operator {
+input Product_Meta_Image_alt_operator {
equals: String
not_equals: String
like: String
@@ -680,7 +654,7 @@ input Page_Meta_Image_alt_operator {
all: [String]
}
-input Page_Meta_Image_caption_operator {
+input Product_Meta_Image_caption_operator {
equals: JSON
not_equals: JSON
like: JSON
@@ -688,7 +662,7 @@ input Page_Meta_Image_caption_operator {
exists: Boolean
}
-input Page_Meta_Image_updatedAt_operator {
+input Product_Meta_Image_updatedAt_operator {
equals: DateTime
not_equals: DateTime
greater_than_equal: DateTime
@@ -699,7 +673,7 @@ input Page_Meta_Image_updatedAt_operator {
exists: Boolean
}
-input Page_Meta_Image_createdAt_operator {
+input Product_Meta_Image_createdAt_operator {
equals: DateTime
not_equals: DateTime
greater_than_equal: DateTime
@@ -710,7 +684,7 @@ input Page_Meta_Image_createdAt_operator {
exists: Boolean
}
-input Page_Meta_Image_url_operator {
+input Product_Meta_Image_url_operator {
equals: String
not_equals: String
like: String
@@ -721,7 +695,7 @@ input Page_Meta_Image_url_operator {
exists: Boolean
}
-input Page_Meta_Image_filename_operator {
+input Product_Meta_Image_filename_operator {
equals: String
not_equals: String
like: String
@@ -732,7 +706,7 @@ input Page_Meta_Image_filename_operator {
exists: Boolean
}
-input Page_Meta_Image_mimeType_operator {
+input Product_Meta_Image_mimeType_operator {
equals: String
not_equals: String
like: String
@@ -743,7 +717,7 @@ input Page_Meta_Image_mimeType_operator {
exists: Boolean
}
-input Page_Meta_Image_filesize_operator {
+input Product_Meta_Image_filesize_operator {
equals: Float
not_equals: Float
greater_than_equal: Float
@@ -753,7 +727,7 @@ input Page_Meta_Image_filesize_operator {
exists: Boolean
}
-input Page_Meta_Image_width_operator {
+input Product_Meta_Image_width_operator {
equals: Float
not_equals: Float
greater_than_equal: Float
@@ -763,7 +737,7 @@ input Page_Meta_Image_width_operator {
exists: Boolean
}
-input Page_Meta_Image_height_operator {
+input Product_Meta_Image_height_operator {
equals: Float
not_equals: Float
greater_than_equal: Float
@@ -773,7 +747,7 @@ input Page_Meta_Image_height_operator {
exists: Boolean
}
-input Page_Meta_Image_id_operator {
+input Product_Meta_Image_id_operator {
equals: String
not_equals: String
like: String
@@ -784,69 +758,73 @@ input Page_Meta_Image_id_operator {
exists: Boolean
}
-input Page_Meta_Image_where_or {
- alt: Page_Meta_Image_alt_operator
- caption: Page_Meta_Image_caption_operator
- updatedAt: Page_Meta_Image_updatedAt_operator
- createdAt: Page_Meta_Image_createdAt_operator
- url: Page_Meta_Image_url_operator
- filename: Page_Meta_Image_filename_operator
- mimeType: Page_Meta_Image_mimeType_operator
- filesize: Page_Meta_Image_filesize_operator
- width: Page_Meta_Image_width_operator
- height: Page_Meta_Image_height_operator
- id: Page_Meta_Image_id_operator
+input Product_Meta_Image_where_or {
+ alt: Product_Meta_Image_alt_operator
+ caption: Product_Meta_Image_caption_operator
+ updatedAt: Product_Meta_Image_updatedAt_operator
+ createdAt: Product_Meta_Image_createdAt_operator
+ url: Product_Meta_Image_url_operator
+ filename: Product_Meta_Image_filename_operator
+ mimeType: Product_Meta_Image_mimeType_operator
+ filesize: Product_Meta_Image_filesize_operator
+ width: Product_Meta_Image_width_operator
+ height: Product_Meta_Image_height_operator
+ id: Product_Meta_Image_id_operator
}
-input Page_Meta_Image_where_and {
- alt: Page_Meta_Image_alt_operator
- caption: Page_Meta_Image_caption_operator
- updatedAt: Page_Meta_Image_updatedAt_operator
- createdAt: Page_Meta_Image_createdAt_operator
- url: Page_Meta_Image_url_operator
- filename: Page_Meta_Image_filename_operator
- mimeType: Page_Meta_Image_mimeType_operator
- filesize: Page_Meta_Image_filesize_operator
- width: Page_Meta_Image_width_operator
- height: Page_Meta_Image_height_operator
- id: Page_Meta_Image_id_operator
+input Product_Meta_Image_where_and {
+ alt: Product_Meta_Image_alt_operator
+ caption: Product_Meta_Image_caption_operator
+ updatedAt: Product_Meta_Image_updatedAt_operator
+ createdAt: Product_Meta_Image_createdAt_operator
+ url: Product_Meta_Image_url_operator
+ filename: Product_Meta_Image_filename_operator
+ mimeType: Product_Meta_Image_mimeType_operator
+ filesize: Product_Meta_Image_filesize_operator
+ width: Product_Meta_Image_width_operator
+ height: Product_Meta_Image_height_operator
+ id: Product_Meta_Image_id_operator
}
-enum Page__status {
+enum Product__status {
draft
published
}
-enum Cta_Links_Link_appearance {
- primary
- secondary
+type Archive_PopulatedDocs_Relationship {
+ relationTo: Archive_PopulatedDocs_RelationTo
+ value: Archive_PopulatedDocs
}
-union Product_Paywall = Cta | Content | MediaBlock | Archive
+enum Archive_PopulatedDocs_RelationTo {
+ products
+}
-type Product_Meta {
+union Archive_PopulatedDocs = Product
+
+type Page_Meta {
title: String
description: String
- image(where: Product_Meta_Image_where): Media
+ image(where: Page_Meta_Image_where): Media
}
-input Product_Meta_Image_where {
- alt: Product_Meta_Image_alt_operator
- caption: Product_Meta_Image_caption_operator
- updatedAt: Product_Meta_Image_updatedAt_operator
- createdAt: Product_Meta_Image_createdAt_operator
- url: Product_Meta_Image_url_operator
- filename: Product_Meta_Image_filename_operator
- mimeType: Product_Meta_Image_mimeType_operator
- filesize: Product_Meta_Image_filesize_operator
- width: Product_Meta_Image_width_operator
- height: Product_Meta_Image_height_operator
- id: Product_Meta_Image_id_operator
- OR: [Product_Meta_Image_where_or]
- AND: [Product_Meta_Image_where_and]
+input Page_Meta_Image_where {
+ alt: Page_Meta_Image_alt_operator
+ caption: Page_Meta_Image_caption_operator
+ updatedAt: Page_Meta_Image_updatedAt_operator
+ createdAt: Page_Meta_Image_createdAt_operator
+ url: Page_Meta_Image_url_operator
+ filename: Page_Meta_Image_filename_operator
+ mimeType: Page_Meta_Image_mimeType_operator
+ filesize: Page_Meta_Image_filesize_operator
+ width: Page_Meta_Image_width_operator
+ height: Page_Meta_Image_height_operator
+ id: Page_Meta_Image_id_operator
+ OR: [Page_Meta_Image_where_or]
+ AND: [Page_Meta_Image_where_and]
}
-input Product_Meta_Image_alt_operator {
+input Page_Meta_Image_alt_operator {
equals: String
not_equals: String
like: String
@@ -856,7 +834,7 @@ input Product_Meta_Image_alt_operator {
all: [String]
}
-input Product_Meta_Image_caption_operator {
+input Page_Meta_Image_caption_operator {
equals: JSON
not_equals: JSON
like: JSON
@@ -864,7 +842,7 @@ input Product_Meta_Image_caption_operator {
exists: Boolean
}
-input Product_Meta_Image_updatedAt_operator {
+input Page_Meta_Image_updatedAt_operator {
equals: DateTime
not_equals: DateTime
greater_than_equal: DateTime
@@ -875,7 +853,7 @@ input Product_Meta_Image_updatedAt_operator {
exists: Boolean
}
-input Product_Meta_Image_createdAt_operator {
+input Page_Meta_Image_createdAt_operator {
equals: DateTime
not_equals: DateTime
greater_than_equal: DateTime
@@ -886,7 +864,7 @@ input Product_Meta_Image_createdAt_operator {
exists: Boolean
}
-input Product_Meta_Image_url_operator {
+input Page_Meta_Image_url_operator {
equals: String
not_equals: String
like: String
@@ -897,7 +875,7 @@ input Product_Meta_Image_url_operator {
exists: Boolean
}
-input Product_Meta_Image_filename_operator {
+input Page_Meta_Image_filename_operator {
equals: String
not_equals: String
like: String
@@ -908,7 +886,7 @@ input Product_Meta_Image_filename_operator {
exists: Boolean
}
-input Product_Meta_Image_mimeType_operator {
+input Page_Meta_Image_mimeType_operator {
equals: String
not_equals: String
like: String
@@ -919,7 +897,7 @@ input Product_Meta_Image_mimeType_operator {
exists: Boolean
}
-input Product_Meta_Image_filesize_operator {
+input Page_Meta_Image_filesize_operator {
equals: Float
not_equals: Float
greater_than_equal: Float
@@ -929,7 +907,7 @@ input Product_Meta_Image_filesize_operator {
exists: Boolean
}
-input Product_Meta_Image_width_operator {
+input Page_Meta_Image_width_operator {
equals: Float
not_equals: Float
greater_than_equal: Float
@@ -939,7 +917,7 @@ input Product_Meta_Image_width_operator {
exists: Boolean
}
-input Product_Meta_Image_height_operator {
+input Page_Meta_Image_height_operator {
equals: Float
not_equals: Float
greater_than_equal: Float
@@ -949,7 +927,7 @@ input Product_Meta_Image_height_operator {
exists: Boolean
}
-input Product_Meta_Image_id_operator {
+input Page_Meta_Image_id_operator {
equals: String
not_equals: String
like: String
@@ -960,56 +938,41 @@ input Product_Meta_Image_id_operator {
exists: Boolean
}
-input Product_Meta_Image_where_or {
- alt: Product_Meta_Image_alt_operator
- caption: Product_Meta_Image_caption_operator
- updatedAt: Product_Meta_Image_updatedAt_operator
- createdAt: Product_Meta_Image_createdAt_operator
- url: Product_Meta_Image_url_operator
- filename: Product_Meta_Image_filename_operator
- mimeType: Product_Meta_Image_mimeType_operator
- filesize: Product_Meta_Image_filesize_operator
- width: Product_Meta_Image_width_operator
- height: Product_Meta_Image_height_operator
- id: Product_Meta_Image_id_operator
+input Page_Meta_Image_where_or {
+ alt: Page_Meta_Image_alt_operator
+ caption: Page_Meta_Image_caption_operator
+ updatedAt: Page_Meta_Image_updatedAt_operator
+ createdAt: Page_Meta_Image_createdAt_operator
+ url: Page_Meta_Image_url_operator
+ filename: Page_Meta_Image_filename_operator
+ mimeType: Page_Meta_Image_mimeType_operator
+ filesize: Page_Meta_Image_filesize_operator
+ width: Page_Meta_Image_width_operator
+ height: Page_Meta_Image_height_operator
+ id: Page_Meta_Image_id_operator
}
-input Product_Meta_Image_where_and {
- alt: Product_Meta_Image_alt_operator
- caption: Product_Meta_Image_caption_operator
- updatedAt: Product_Meta_Image_updatedAt_operator
- createdAt: Product_Meta_Image_createdAt_operator
- url: Product_Meta_Image_url_operator
- filename: Product_Meta_Image_filename_operator
- mimeType: Product_Meta_Image_mimeType_operator
- filesize: Product_Meta_Image_filesize_operator
- width: Product_Meta_Image_width_operator
- height: Product_Meta_Image_height_operator
- id: Product_Meta_Image_id_operator
+input Page_Meta_Image_where_and {
+ alt: Page_Meta_Image_alt_operator
+ caption: Page_Meta_Image_caption_operator
+ updatedAt: Page_Meta_Image_updatedAt_operator
+ createdAt: Page_Meta_Image_createdAt_operator
+ url: Page_Meta_Image_url_operator
+ filename: Page_Meta_Image_filename_operator
+ mimeType: Page_Meta_Image_mimeType_operator
+ filesize: Page_Meta_Image_filesize_operator
+ width: Page_Meta_Image_width_operator
+ height: Page_Meta_Image_height_operator
+ id: Page_Meta_Image_id_operator
}
-enum Product__status {
+enum Page__status {
draft
published
}
-type User_Cart {
- items: [CartItems!]
-}
-
-type CartItems {
- product: Product
- quantity: Float
- id: String
-}
-
-"""
-A field whose value conforms to the standard internet email address format as specified in HTML Spec: https://html.spec.whatwg.org/multipage/input.html#valid-e-mail-address.
-"""
-scalar EmailAddress @specifiedBy(url: "https://html.spec.whatwg.org/multipage/input.html#valid-e-mail-address")
-
-type Users {
- docs: [User]
+type Pages {
+ docs: [Page]
totalDocs: Int
offset: Int
limit: Int
@@ -1022,24 +985,32 @@ type Users {
nextPage: Int
}
-input User_where {
- name: User_name_operator
- roles: User_roles_operator
- purchases: User_purchases_operator
- stripeCustomerID: User_stripeCustomerID_operator
- cart__items__product: User_cart__items__product_operator
- cart__items__quantity: User_cart__items__quantity_operator
- cart__items__id: User_cart__items__id_operator
- skipSync: User_skipSync_operator
- updatedAt: User_updatedAt_operator
- createdAt: User_createdAt_operator
- email: User_email_operator
- id: User_id_operator
- OR: [User_where_or]
- AND: [User_where_and]
+input Page_where {
+ title: Page_title_operator
+ publishedDate: Page_publishedDate_operator
+ hero__type: Page_hero__type_operator
+ hero__richText: Page_hero__richText_operator
+ hero__links__link__type: Page_hero__links__link__type_operator
+ hero__links__link__newTab: Page_hero__links__link__newTab_operator
+ hero__links__link__reference: Page_hero__links__link__reference_Relation
+ hero__links__link__url: Page_hero__links__link__url_operator
+ hero__links__link__label: Page_hero__links__link__label_operator
+ hero__links__link__appearance: Page_hero__links__link__appearance_operator
+ hero__links__id: Page_hero__links__id_operator
+ hero__media: Page_hero__media_operator
+ slug: Page_slug_operator
+ meta__title: Page_meta__title_operator
+ meta__description: Page_meta__description_operator
+ meta__image: Page_meta__image_operator
+ updatedAt: Page_updatedAt_operator
+ createdAt: Page_createdAt_operator
+ _status: Page__status_operator
+ id: Page_id_operator
+ OR: [Page_where_or]
+ AND: [Page_where_and]
}
-input User_name_operator {
+input Page_title_operator {
equals: String
not_equals: String
like: String
@@ -1047,33 +1018,81 @@ input User_name_operator {
in: [String]
not_in: [String]
all: [String]
- exists: Boolean
}
-input User_roles_operator {
- equals: User_roles_Input
- not_equals: User_roles_Input
- in: [User_roles_Input]
- not_in: [User_roles_Input]
- all: [User_roles_Input]
+input Page_publishedDate_operator {
+ equals: DateTime
+ not_equals: DateTime
+ greater_than_equal: DateTime
+ greater_than: DateTime
+ less_than_equal: DateTime
+ less_than: DateTime
+ like: DateTime
exists: Boolean
}
-enum User_roles_Input {
- admin
- customer
-}
-
-input User_purchases_operator {
- equals: String
- not_equals: String
- in: [String]
- not_in: [String]
- all: [String]
- exists: Boolean
+input Page_hero__type_operator {
+ equals: Page_hero__type_Input
+ not_equals: Page_hero__type_Input
+ in: [Page_hero__type_Input]
+ not_in: [Page_hero__type_Input]
+ all: [Page_hero__type_Input]
}
-input User_stripeCustomerID_operator {
+enum Page_hero__type_Input {
+ none
+ highImpact
+ mediumImpact
+ lowImpact
+}
+
+input Page_hero__richText_operator {
+ equals: JSON
+ not_equals: JSON
+ like: JSON
+ contains: JSON
+}
+
+input Page_hero__links__link__type_operator {
+ equals: Page_hero__links__link__type_Input
+ not_equals: Page_hero__links__link__type_Input
+ in: [Page_hero__links__link__type_Input]
+ not_in: [Page_hero__links__link__type_Input]
+ all: [Page_hero__links__link__type_Input]
+ exists: Boolean
+}
+
+enum Page_hero__links__link__type_Input {
+ reference
+ custom
+}
+
+input Page_hero__links__link__newTab_operator {
+ equals: Boolean
+ not_equals: Boolean
+ exists: Boolean
+}
+
+input Page_hero__links__link__reference_Relation {
+ relationTo: Page_hero__links__link__reference_Relation_RelationTo
+ value: String
+}
+
+enum Page_hero__links__link__reference_Relation_RelationTo {
+ pages
+}
+
+input Page_hero__links__link__url_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
+}
+
+input Page_hero__links__link__label_operator {
equals: String
not_equals: String
like: String
@@ -1081,29 +1100,51 @@ input User_stripeCustomerID_operator {
in: [String]
not_in: [String]
all: [String]
+}
+
+input Page_hero__links__link__appearance_operator {
+ equals: Page_hero__links__link__appearance_Input
+ not_equals: Page_hero__links__link__appearance_Input
+ in: [Page_hero__links__link__appearance_Input]
+ not_in: [Page_hero__links__link__appearance_Input]
+ all: [Page_hero__links__link__appearance_Input]
exists: Boolean
}
-input User_cart__items__product_operator {
+enum Page_hero__links__link__appearance_Input {
+ default
+ primary
+ secondary
+}
+
+input Page_hero__links__id_operator {
equals: String
not_equals: String
+ like: String
+ contains: String
in: [String]
not_in: [String]
all: [String]
exists: Boolean
}
-input User_cart__items__quantity_operator {
- equals: Float
- not_equals: Float
- greater_than_equal: Float
- greater_than: Float
- less_than_equal: Float
- less_than: Float
+input Page_hero__media_operator {
+ equals: String
+ not_equals: String
+}
+
+input Page_slug_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
exists: Boolean
}
-input User_cart__items__id_operator {
+input Page_meta__title_operator {
equals: String
not_equals: String
like: String
@@ -1114,13 +1155,21 @@ input User_cart__items__id_operator {
exists: Boolean
}
-input User_skipSync_operator {
- equals: Boolean
- not_equals: Boolean
+input Page_meta__description_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
exists: Boolean
}
-input User_updatedAt_operator {
+input Page_meta__image_operator {
+ equals: String
+ not_equals: String
+ exists: Boolean
+}
+
+input Page_updatedAt_operator {
equals: DateTime
not_equals: DateTime
greater_than_equal: DateTime
@@ -1131,7 +1180,7 @@ input User_updatedAt_operator {
exists: Boolean
}
-input User_createdAt_operator {
+input Page_createdAt_operator {
equals: DateTime
not_equals: DateTime
greater_than_equal: DateTime
@@ -1142,17 +1191,21 @@ input User_createdAt_operator {
exists: Boolean
}
-input User_email_operator {
- equals: EmailAddress
- not_equals: EmailAddress
- like: EmailAddress
- contains: EmailAddress
- in: [EmailAddress]
- not_in: [EmailAddress]
- all: [EmailAddress]
+input Page__status_operator {
+ equals: Page__status_Input
+ not_equals: Page__status_Input
+ in: [Page__status_Input]
+ not_in: [Page__status_Input]
+ all: [Page__status_Input]
+ exists: Boolean
}
-input User_id_operator {
+enum Page__status_Input {
+ draft
+ published
+}
+
+input Page_id_operator {
equals: String
not_equals: String
like: String
@@ -1163,1232 +1216,1027 @@ input User_id_operator {
exists: Boolean
}
-input User_where_or {
- name: User_name_operator
- roles: User_roles_operator
- purchases: User_purchases_operator
- stripeCustomerID: User_stripeCustomerID_operator
- cart__items__product: User_cart__items__product_operator
- cart__items__quantity: User_cart__items__quantity_operator
- cart__items__id: User_cart__items__id_operator
- skipSync: User_skipSync_operator
- updatedAt: User_updatedAt_operator
- createdAt: User_createdAt_operator
- email: User_email_operator
- id: User_id_operator
+input Page_where_or {
+ title: Page_title_operator
+ publishedDate: Page_publishedDate_operator
+ hero__type: Page_hero__type_operator
+ hero__richText: Page_hero__richText_operator
+ hero__links__link__type: Page_hero__links__link__type_operator
+ hero__links__link__newTab: Page_hero__links__link__newTab_operator
+ hero__links__link__reference: Page_hero__links__link__reference_Relation
+ hero__links__link__url: Page_hero__links__link__url_operator
+ hero__links__link__label: Page_hero__links__link__label_operator
+ hero__links__link__appearance: Page_hero__links__link__appearance_operator
+ hero__links__id: Page_hero__links__id_operator
+ hero__media: Page_hero__media_operator
+ slug: Page_slug_operator
+ meta__title: Page_meta__title_operator
+ meta__description: Page_meta__description_operator
+ meta__image: Page_meta__image_operator
+ updatedAt: Page_updatedAt_operator
+ createdAt: Page_createdAt_operator
+ _status: Page__status_operator
+ id: Page_id_operator
}
-input User_where_and {
- name: User_name_operator
- roles: User_roles_operator
- purchases: User_purchases_operator
- stripeCustomerID: User_stripeCustomerID_operator
- cart__items__product: User_cart__items__product_operator
- cart__items__quantity: User_cart__items__quantity_operator
- cart__items__id: User_cart__items__id_operator
- skipSync: User_skipSync_operator
- updatedAt: User_updatedAt_operator
- createdAt: User_createdAt_operator
- email: User_email_operator
- id: User_id_operator
+input Page_where_and {
+ title: Page_title_operator
+ publishedDate: Page_publishedDate_operator
+ hero__type: Page_hero__type_operator
+ hero__richText: Page_hero__richText_operator
+ hero__links__link__type: Page_hero__links__link__type_operator
+ hero__links__link__newTab: Page_hero__links__link__newTab_operator
+ hero__links__link__reference: Page_hero__links__link__reference_Relation
+ hero__links__link__url: Page_hero__links__link__url_operator
+ hero__links__link__label: Page_hero__links__link__label_operator
+ hero__links__link__appearance: Page_hero__links__link__appearance_operator
+ hero__links__id: Page_hero__links__id_operator
+ hero__media: Page_hero__media_operator
+ slug: Page_slug_operator
+ meta__title: Page_meta__title_operator
+ meta__description: Page_meta__description_operator
+ meta__image: Page_meta__image_operator
+ updatedAt: Page_updatedAt_operator
+ createdAt: Page_createdAt_operator
+ _status: Page__status_operator
+ id: Page_id_operator
}
-type usersDocAccess {
- fields: UsersDocAccessFields
- create: UsersCreateDocAccess
- read: UsersReadDocAccess
- update: UsersUpdateDocAccess
- delete: UsersDeleteDocAccess
- unlock: UsersUnlockDocAccess
+type pagesDocAccess {
+ fields: PagesDocAccessFields
+ create: PagesCreateDocAccess
+ read: PagesReadDocAccess
+ update: PagesUpdateDocAccess
+ delete: PagesDeleteDocAccess
+ readVersions: PagesReadVersionsDocAccess
}
-type UsersDocAccessFields {
- name: UsersDocAccessFields_name
- roles: UsersDocAccessFields_roles
- purchases: UsersDocAccessFields_purchases
- stripeCustomerID: UsersDocAccessFields_stripeCustomerID
- cart: UsersDocAccessFields_cart
- skipSync: UsersDocAccessFields_skipSync
- updatedAt: UsersDocAccessFields_updatedAt
- createdAt: UsersDocAccessFields_createdAt
- email: UsersDocAccessFields_email
- password: UsersDocAccessFields_password
+type PagesDocAccessFields {
+ title: PagesDocAccessFields_title
+ publishedDate: PagesDocAccessFields_publishedDate
+ hero: PagesDocAccessFields_hero
+ layout: PagesDocAccessFields_layout
+ slug: PagesDocAccessFields_slug
+ meta: PagesDocAccessFields_meta
+ updatedAt: PagesDocAccessFields_updatedAt
+ createdAt: PagesDocAccessFields_createdAt
+ _status: PagesDocAccessFields__status
}
-type UsersDocAccessFields_name {
- create: UsersDocAccessFields_name_Create
- read: UsersDocAccessFields_name_Read
- update: UsersDocAccessFields_name_Update
- delete: UsersDocAccessFields_name_Delete
+type PagesDocAccessFields_title {
+ create: PagesDocAccessFields_title_Create
+ read: PagesDocAccessFields_title_Read
+ update: PagesDocAccessFields_title_Update
+ delete: PagesDocAccessFields_title_Delete
}
-type UsersDocAccessFields_name_Create {
+type PagesDocAccessFields_title_Create {
permission: Boolean!
}
-type UsersDocAccessFields_name_Read {
+type PagesDocAccessFields_title_Read {
permission: Boolean!
}
-type UsersDocAccessFields_name_Update {
+type PagesDocAccessFields_title_Update {
permission: Boolean!
}
-type UsersDocAccessFields_name_Delete {
+type PagesDocAccessFields_title_Delete {
permission: Boolean!
}
-type UsersDocAccessFields_roles {
- create: UsersDocAccessFields_roles_Create
- read: UsersDocAccessFields_roles_Read
- update: UsersDocAccessFields_roles_Update
- delete: UsersDocAccessFields_roles_Delete
+type PagesDocAccessFields_publishedDate {
+ create: PagesDocAccessFields_publishedDate_Create
+ read: PagesDocAccessFields_publishedDate_Read
+ update: PagesDocAccessFields_publishedDate_Update
+ delete: PagesDocAccessFields_publishedDate_Delete
}
-type UsersDocAccessFields_roles_Create {
+type PagesDocAccessFields_publishedDate_Create {
permission: Boolean!
}
-type UsersDocAccessFields_roles_Read {
+type PagesDocAccessFields_publishedDate_Read {
permission: Boolean!
}
-type UsersDocAccessFields_roles_Update {
+type PagesDocAccessFields_publishedDate_Update {
permission: Boolean!
}
-type UsersDocAccessFields_roles_Delete {
+type PagesDocAccessFields_publishedDate_Delete {
permission: Boolean!
}
-type UsersDocAccessFields_purchases {
- create: UsersDocAccessFields_purchases_Create
- read: UsersDocAccessFields_purchases_Read
- update: UsersDocAccessFields_purchases_Update
- delete: UsersDocAccessFields_purchases_Delete
+type PagesDocAccessFields_hero {
+ create: PagesDocAccessFields_hero_Create
+ read: PagesDocAccessFields_hero_Read
+ update: PagesDocAccessFields_hero_Update
+ delete: PagesDocAccessFields_hero_Delete
+ fields: PagesDocAccessFields_hero_Fields
}
-type UsersDocAccessFields_purchases_Create {
+type PagesDocAccessFields_hero_Create {
permission: Boolean!
}
-type UsersDocAccessFields_purchases_Read {
+type PagesDocAccessFields_hero_Read {
permission: Boolean!
}
-type UsersDocAccessFields_purchases_Update {
+type PagesDocAccessFields_hero_Update {
permission: Boolean!
}
-type UsersDocAccessFields_purchases_Delete {
+type PagesDocAccessFields_hero_Delete {
permission: Boolean!
}
-type UsersDocAccessFields_stripeCustomerID {
- create: UsersDocAccessFields_stripeCustomerID_Create
- read: UsersDocAccessFields_stripeCustomerID_Read
- update: UsersDocAccessFields_stripeCustomerID_Update
- delete: UsersDocAccessFields_stripeCustomerID_Delete
+type PagesDocAccessFields_hero_Fields {
+ type: PagesDocAccessFields_hero_type
+ richText: PagesDocAccessFields_hero_richText
+ links: PagesDocAccessFields_hero_links
+ media: PagesDocAccessFields_hero_media
}
-type UsersDocAccessFields_stripeCustomerID_Create {
- permission: Boolean!
+type PagesDocAccessFields_hero_type {
+ create: PagesDocAccessFields_hero_type_Create
+ read: PagesDocAccessFields_hero_type_Read
+ update: PagesDocAccessFields_hero_type_Update
+ delete: PagesDocAccessFields_hero_type_Delete
}
-type UsersDocAccessFields_stripeCustomerID_Read {
+type PagesDocAccessFields_hero_type_Create {
permission: Boolean!
}
-type UsersDocAccessFields_stripeCustomerID_Update {
+type PagesDocAccessFields_hero_type_Read {
permission: Boolean!
}
-type UsersDocAccessFields_stripeCustomerID_Delete {
+type PagesDocAccessFields_hero_type_Update {
permission: Boolean!
}
-type UsersDocAccessFields_cart {
- create: UsersDocAccessFields_cart_Create
- read: UsersDocAccessFields_cart_Read
- update: UsersDocAccessFields_cart_Update
- delete: UsersDocAccessFields_cart_Delete
- fields: UsersDocAccessFields_cart_Fields
+type PagesDocAccessFields_hero_type_Delete {
+ permission: Boolean!
}
-type UsersDocAccessFields_cart_Create {
- permission: Boolean!
+type PagesDocAccessFields_hero_richText {
+ create: PagesDocAccessFields_hero_richText_Create
+ read: PagesDocAccessFields_hero_richText_Read
+ update: PagesDocAccessFields_hero_richText_Update
+ delete: PagesDocAccessFields_hero_richText_Delete
}
-type UsersDocAccessFields_cart_Read {
+type PagesDocAccessFields_hero_richText_Create {
permission: Boolean!
}
-type UsersDocAccessFields_cart_Update {
+type PagesDocAccessFields_hero_richText_Read {
permission: Boolean!
}
-type UsersDocAccessFields_cart_Delete {
+type PagesDocAccessFields_hero_richText_Update {
permission: Boolean!
}
-type UsersDocAccessFields_cart_Fields {
- items: UsersDocAccessFields_cart_items
+type PagesDocAccessFields_hero_richText_Delete {
+ permission: Boolean!
}
-type UsersDocAccessFields_cart_items {
- create: UsersDocAccessFields_cart_items_Create
- read: UsersDocAccessFields_cart_items_Read
- update: UsersDocAccessFields_cart_items_Update
- delete: UsersDocAccessFields_cart_items_Delete
- fields: UsersDocAccessFields_cart_items_Fields
+type PagesDocAccessFields_hero_links {
+ create: PagesDocAccessFields_hero_links_Create
+ read: PagesDocAccessFields_hero_links_Read
+ update: PagesDocAccessFields_hero_links_Update
+ delete: PagesDocAccessFields_hero_links_Delete
+ fields: PagesDocAccessFields_hero_links_Fields
}
-type UsersDocAccessFields_cart_items_Create {
+type PagesDocAccessFields_hero_links_Create {
permission: Boolean!
}
-type UsersDocAccessFields_cart_items_Read {
+type PagesDocAccessFields_hero_links_Read {
permission: Boolean!
}
-type UsersDocAccessFields_cart_items_Update {
+type PagesDocAccessFields_hero_links_Update {
permission: Boolean!
}
-type UsersDocAccessFields_cart_items_Delete {
+type PagesDocAccessFields_hero_links_Delete {
permission: Boolean!
}
-type UsersDocAccessFields_cart_items_Fields {
- product: UsersDocAccessFields_cart_items_product
- quantity: UsersDocAccessFields_cart_items_quantity
- id: UsersDocAccessFields_cart_items_id
+type PagesDocAccessFields_hero_links_Fields {
+ link: PagesDocAccessFields_hero_links_link
+ id: PagesDocAccessFields_hero_links_id
}
-type UsersDocAccessFields_cart_items_product {
- create: UsersDocAccessFields_cart_items_product_Create
- read: UsersDocAccessFields_cart_items_product_Read
- update: UsersDocAccessFields_cart_items_product_Update
- delete: UsersDocAccessFields_cart_items_product_Delete
+type PagesDocAccessFields_hero_links_link {
+ create: PagesDocAccessFields_hero_links_link_Create
+ read: PagesDocAccessFields_hero_links_link_Read
+ update: PagesDocAccessFields_hero_links_link_Update
+ delete: PagesDocAccessFields_hero_links_link_Delete
+ fields: PagesDocAccessFields_hero_links_link_Fields
}
-type UsersDocAccessFields_cart_items_product_Create {
+type PagesDocAccessFields_hero_links_link_Create {
permission: Boolean!
}
-type UsersDocAccessFields_cart_items_product_Read {
+type PagesDocAccessFields_hero_links_link_Read {
permission: Boolean!
}
-type UsersDocAccessFields_cart_items_product_Update {
+type PagesDocAccessFields_hero_links_link_Update {
permission: Boolean!
}
-type UsersDocAccessFields_cart_items_product_Delete {
+type PagesDocAccessFields_hero_links_link_Delete {
permission: Boolean!
}
-type UsersDocAccessFields_cart_items_quantity {
- create: UsersDocAccessFields_cart_items_quantity_Create
- read: UsersDocAccessFields_cart_items_quantity_Read
- update: UsersDocAccessFields_cart_items_quantity_Update
- delete: UsersDocAccessFields_cart_items_quantity_Delete
+type PagesDocAccessFields_hero_links_link_Fields {
+ type: PagesDocAccessFields_hero_links_link_type
+ newTab: PagesDocAccessFields_hero_links_link_newTab
+ reference: PagesDocAccessFields_hero_links_link_reference
+ url: PagesDocAccessFields_hero_links_link_url
+ label: PagesDocAccessFields_hero_links_link_label
+ appearance: PagesDocAccessFields_hero_links_link_appearance
}
-type UsersDocAccessFields_cart_items_quantity_Create {
+type PagesDocAccessFields_hero_links_link_type {
+ create: PagesDocAccessFields_hero_links_link_type_Create
+ read: PagesDocAccessFields_hero_links_link_type_Read
+ update: PagesDocAccessFields_hero_links_link_type_Update
+ delete: PagesDocAccessFields_hero_links_link_type_Delete
+}
+
+type PagesDocAccessFields_hero_links_link_type_Create {
permission: Boolean!
}
-type UsersDocAccessFields_cart_items_quantity_Read {
+type PagesDocAccessFields_hero_links_link_type_Read {
permission: Boolean!
}
-type UsersDocAccessFields_cart_items_quantity_Update {
+type PagesDocAccessFields_hero_links_link_type_Update {
permission: Boolean!
}
-type UsersDocAccessFields_cart_items_quantity_Delete {
+type PagesDocAccessFields_hero_links_link_type_Delete {
permission: Boolean!
}
-type UsersDocAccessFields_cart_items_id {
- create: UsersDocAccessFields_cart_items_id_Create
- read: UsersDocAccessFields_cart_items_id_Read
- update: UsersDocAccessFields_cart_items_id_Update
- delete: UsersDocAccessFields_cart_items_id_Delete
+type PagesDocAccessFields_hero_links_link_newTab {
+ create: PagesDocAccessFields_hero_links_link_newTab_Create
+ read: PagesDocAccessFields_hero_links_link_newTab_Read
+ update: PagesDocAccessFields_hero_links_link_newTab_Update
+ delete: PagesDocAccessFields_hero_links_link_newTab_Delete
}
-type UsersDocAccessFields_cart_items_id_Create {
+type PagesDocAccessFields_hero_links_link_newTab_Create {
permission: Boolean!
}
-type UsersDocAccessFields_cart_items_id_Read {
+type PagesDocAccessFields_hero_links_link_newTab_Read {
permission: Boolean!
}
-type UsersDocAccessFields_cart_items_id_Update {
+type PagesDocAccessFields_hero_links_link_newTab_Update {
permission: Boolean!
}
-type UsersDocAccessFields_cart_items_id_Delete {
+type PagesDocAccessFields_hero_links_link_newTab_Delete {
permission: Boolean!
}
-type UsersDocAccessFields_skipSync {
- create: UsersDocAccessFields_skipSync_Create
- read: UsersDocAccessFields_skipSync_Read
- update: UsersDocAccessFields_skipSync_Update
- delete: UsersDocAccessFields_skipSync_Delete
+type PagesDocAccessFields_hero_links_link_reference {
+ create: PagesDocAccessFields_hero_links_link_reference_Create
+ read: PagesDocAccessFields_hero_links_link_reference_Read
+ update: PagesDocAccessFields_hero_links_link_reference_Update
+ delete: PagesDocAccessFields_hero_links_link_reference_Delete
}
-type UsersDocAccessFields_skipSync_Create {
+type PagesDocAccessFields_hero_links_link_reference_Create {
permission: Boolean!
}
-type UsersDocAccessFields_skipSync_Read {
+type PagesDocAccessFields_hero_links_link_reference_Read {
permission: Boolean!
}
-type UsersDocAccessFields_skipSync_Update {
+type PagesDocAccessFields_hero_links_link_reference_Update {
permission: Boolean!
}
-type UsersDocAccessFields_skipSync_Delete {
+type PagesDocAccessFields_hero_links_link_reference_Delete {
permission: Boolean!
}
-type UsersDocAccessFields_updatedAt {
- create: UsersDocAccessFields_updatedAt_Create
- read: UsersDocAccessFields_updatedAt_Read
- update: UsersDocAccessFields_updatedAt_Update
- delete: UsersDocAccessFields_updatedAt_Delete
+type PagesDocAccessFields_hero_links_link_url {
+ create: PagesDocAccessFields_hero_links_link_url_Create
+ read: PagesDocAccessFields_hero_links_link_url_Read
+ update: PagesDocAccessFields_hero_links_link_url_Update
+ delete: PagesDocAccessFields_hero_links_link_url_Delete
}
-type UsersDocAccessFields_updatedAt_Create {
+type PagesDocAccessFields_hero_links_link_url_Create {
permission: Boolean!
}
-type UsersDocAccessFields_updatedAt_Read {
+type PagesDocAccessFields_hero_links_link_url_Read {
permission: Boolean!
}
-type UsersDocAccessFields_updatedAt_Update {
+type PagesDocAccessFields_hero_links_link_url_Update {
permission: Boolean!
}
-type UsersDocAccessFields_updatedAt_Delete {
+type PagesDocAccessFields_hero_links_link_url_Delete {
permission: Boolean!
}
-type UsersDocAccessFields_createdAt {
- create: UsersDocAccessFields_createdAt_Create
- read: UsersDocAccessFields_createdAt_Read
- update: UsersDocAccessFields_createdAt_Update
- delete: UsersDocAccessFields_createdAt_Delete
+type PagesDocAccessFields_hero_links_link_label {
+ create: PagesDocAccessFields_hero_links_link_label_Create
+ read: PagesDocAccessFields_hero_links_link_label_Read
+ update: PagesDocAccessFields_hero_links_link_label_Update
+ delete: PagesDocAccessFields_hero_links_link_label_Delete
}
-type UsersDocAccessFields_createdAt_Create {
+type PagesDocAccessFields_hero_links_link_label_Create {
permission: Boolean!
}
-type UsersDocAccessFields_createdAt_Read {
+type PagesDocAccessFields_hero_links_link_label_Read {
permission: Boolean!
}
-type UsersDocAccessFields_createdAt_Update {
+type PagesDocAccessFields_hero_links_link_label_Update {
permission: Boolean!
}
-type UsersDocAccessFields_createdAt_Delete {
+type PagesDocAccessFields_hero_links_link_label_Delete {
permission: Boolean!
}
-type UsersDocAccessFields_email {
- create: UsersDocAccessFields_email_Create
- read: UsersDocAccessFields_email_Read
- update: UsersDocAccessFields_email_Update
- delete: UsersDocAccessFields_email_Delete
+type PagesDocAccessFields_hero_links_link_appearance {
+ create: PagesDocAccessFields_hero_links_link_appearance_Create
+ read: PagesDocAccessFields_hero_links_link_appearance_Read
+ update: PagesDocAccessFields_hero_links_link_appearance_Update
+ delete: PagesDocAccessFields_hero_links_link_appearance_Delete
}
-type UsersDocAccessFields_email_Create {
+type PagesDocAccessFields_hero_links_link_appearance_Create {
permission: Boolean!
}
-type UsersDocAccessFields_email_Read {
+type PagesDocAccessFields_hero_links_link_appearance_Read {
permission: Boolean!
}
-type UsersDocAccessFields_email_Update {
+type PagesDocAccessFields_hero_links_link_appearance_Update {
permission: Boolean!
}
-type UsersDocAccessFields_email_Delete {
+type PagesDocAccessFields_hero_links_link_appearance_Delete {
permission: Boolean!
}
-type UsersDocAccessFields_password {
- create: UsersDocAccessFields_password_Create
- read: UsersDocAccessFields_password_Read
- update: UsersDocAccessFields_password_Update
- delete: UsersDocAccessFields_password_Delete
-}
-
-type UsersDocAccessFields_password_Create {
- permission: Boolean!
+type PagesDocAccessFields_hero_links_id {
+ create: PagesDocAccessFields_hero_links_id_Create
+ read: PagesDocAccessFields_hero_links_id_Read
+ update: PagesDocAccessFields_hero_links_id_Update
+ delete: PagesDocAccessFields_hero_links_id_Delete
}
-type UsersDocAccessFields_password_Read {
+type PagesDocAccessFields_hero_links_id_Create {
permission: Boolean!
}
-type UsersDocAccessFields_password_Update {
+type PagesDocAccessFields_hero_links_id_Read {
permission: Boolean!
}
-type UsersDocAccessFields_password_Delete {
+type PagesDocAccessFields_hero_links_id_Update {
permission: Boolean!
}
-type UsersCreateDocAccess {
+type PagesDocAccessFields_hero_links_id_Delete {
permission: Boolean!
- where: JSONObject
}
-"""
-The `JSONObject` scalar type represents JSON objects as specified by [ECMA-404](http://www.ecma-international.org/publications/files/ECMA-ST/ECMA-404.pdf).
-"""
-scalar JSONObject
+type PagesDocAccessFields_hero_media {
+ create: PagesDocAccessFields_hero_media_Create
+ read: PagesDocAccessFields_hero_media_Read
+ update: PagesDocAccessFields_hero_media_Update
+ delete: PagesDocAccessFields_hero_media_Delete
+}
-type UsersReadDocAccess {
+type PagesDocAccessFields_hero_media_Create {
permission: Boolean!
- where: JSONObject
}
-type UsersUpdateDocAccess {
+type PagesDocAccessFields_hero_media_Read {
permission: Boolean!
- where: JSONObject
}
-type UsersDeleteDocAccess {
+type PagesDocAccessFields_hero_media_Update {
permission: Boolean!
- where: JSONObject
}
-type UsersUnlockDocAccess {
+type PagesDocAccessFields_hero_media_Delete {
permission: Boolean!
- where: JSONObject
}
-type usersMe {
- token: String
- user: User
- exp: Int
- collection: String
+type PagesDocAccessFields_layout {
+ create: PagesDocAccessFields_layout_Create
+ read: PagesDocAccessFields_layout_Read
+ update: PagesDocAccessFields_layout_Update
+ delete: PagesDocAccessFields_layout_Delete
}
-type Products {
- docs: [Product]
- totalDocs: Int
- offset: Int
- limit: Int
- totalPages: Int
- page: Int
- pagingCounter: Int
- hasPrevPage: Boolean
- hasNextPage: Boolean
- prevPage: Int
- nextPage: Int
+type PagesDocAccessFields_layout_Create {
+ permission: Boolean!
}
-input Product_where {
- title: Product_title_operator
- publishedDate: Product_publishedDate_operator
- stripeProductID: Product_stripeProductID_operator
- priceJSON: Product_priceJSON_operator
- enablePaywall: Product_enablePaywall_operator
- categories: Product_categories_operator
- slug: Product_slug_operator
- skipSync: Product_skipSync_operator
- meta__title: Product_meta__title_operator
- meta__description: Product_meta__description_operator
- meta__image: Product_meta__image_operator
- updatedAt: Product_updatedAt_operator
- createdAt: Product_createdAt_operator
- _status: Product__status_operator
- id: Product_id_operator
- OR: [Product_where_or]
- AND: [Product_where_and]
+type PagesDocAccessFields_layout_Read {
+ permission: Boolean!
}
-input Product_title_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
+type PagesDocAccessFields_layout_Update {
+ permission: Boolean!
}
-input Product_publishedDate_operator {
- equals: DateTime
- not_equals: DateTime
- greater_than_equal: DateTime
- greater_than: DateTime
- less_than_equal: DateTime
- less_than: DateTime
- like: DateTime
- exists: Boolean
+type PagesDocAccessFields_layout_Delete {
+ permission: Boolean!
}
-input Product_stripeProductID_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
- exists: Boolean
+type PagesDocAccessFields_slug {
+ create: PagesDocAccessFields_slug_Create
+ read: PagesDocAccessFields_slug_Read
+ update: PagesDocAccessFields_slug_Update
+ delete: PagesDocAccessFields_slug_Delete
}
-input Product_priceJSON_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- exists: Boolean
+type PagesDocAccessFields_slug_Create {
+ permission: Boolean!
}
-input Product_enablePaywall_operator {
- equals: Boolean
- not_equals: Boolean
- exists: Boolean
+type PagesDocAccessFields_slug_Read {
+ permission: Boolean!
}
-input Product_categories_operator {
- equals: String
- not_equals: String
- in: [String]
- not_in: [String]
- all: [String]
- exists: Boolean
+type PagesDocAccessFields_slug_Update {
+ permission: Boolean!
}
-input Product_slug_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
- exists: Boolean
+type PagesDocAccessFields_slug_Delete {
+ permission: Boolean!
}
-input Product_skipSync_operator {
- equals: Boolean
- not_equals: Boolean
- exists: Boolean
+type PagesDocAccessFields_meta {
+ create: PagesDocAccessFields_meta_Create
+ read: PagesDocAccessFields_meta_Read
+ update: PagesDocAccessFields_meta_Update
+ delete: PagesDocAccessFields_meta_Delete
+ fields: PagesDocAccessFields_meta_Fields
}
-input Product_meta__title_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
- exists: Boolean
+type PagesDocAccessFields_meta_Create {
+ permission: Boolean!
}
-input Product_meta__description_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- exists: Boolean
+type PagesDocAccessFields_meta_Read {
+ permission: Boolean!
}
-input Product_meta__image_operator {
- equals: String
- not_equals: String
- exists: Boolean
+type PagesDocAccessFields_meta_Update {
+ permission: Boolean!
}
-input Product_updatedAt_operator {
- equals: DateTime
- not_equals: DateTime
- greater_than_equal: DateTime
- greater_than: DateTime
- less_than_equal: DateTime
- less_than: DateTime
- like: DateTime
- exists: Boolean
+type PagesDocAccessFields_meta_Delete {
+ permission: Boolean!
}
-input Product_createdAt_operator {
- equals: DateTime
- not_equals: DateTime
- greater_than_equal: DateTime
- greater_than: DateTime
- less_than_equal: DateTime
- less_than: DateTime
- like: DateTime
- exists: Boolean
+type PagesDocAccessFields_meta_Fields {
+ overview: PagesDocAccessFields_meta_overview
+ title: PagesDocAccessFields_meta_title
+ description: PagesDocAccessFields_meta_description
+ image: PagesDocAccessFields_meta_image
+ preview: PagesDocAccessFields_meta_preview
}
-input Product__status_operator {
- equals: Product__status_Input
- not_equals: Product__status_Input
- in: [Product__status_Input]
- not_in: [Product__status_Input]
- all: [Product__status_Input]
- exists: Boolean
+type PagesDocAccessFields_meta_overview {
+ create: PagesDocAccessFields_meta_overview_Create
+ read: PagesDocAccessFields_meta_overview_Read
+ update: PagesDocAccessFields_meta_overview_Update
+ delete: PagesDocAccessFields_meta_overview_Delete
}
-enum Product__status_Input {
- draft
- published
+type PagesDocAccessFields_meta_overview_Create {
+ permission: Boolean!
}
-input Product_id_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
- exists: Boolean
+type PagesDocAccessFields_meta_overview_Read {
+ permission: Boolean!
}
-input Product_where_or {
- title: Product_title_operator
- publishedDate: Product_publishedDate_operator
- stripeProductID: Product_stripeProductID_operator
- priceJSON: Product_priceJSON_operator
- enablePaywall: Product_enablePaywall_operator
- categories: Product_categories_operator
- slug: Product_slug_operator
- skipSync: Product_skipSync_operator
- meta__title: Product_meta__title_operator
- meta__description: Product_meta__description_operator
- meta__image: Product_meta__image_operator
- updatedAt: Product_updatedAt_operator
- createdAt: Product_createdAt_operator
- _status: Product__status_operator
- id: Product_id_operator
+type PagesDocAccessFields_meta_overview_Update {
+ permission: Boolean!
}
-input Product_where_and {
- title: Product_title_operator
- publishedDate: Product_publishedDate_operator
- stripeProductID: Product_stripeProductID_operator
- priceJSON: Product_priceJSON_operator
- enablePaywall: Product_enablePaywall_operator
- categories: Product_categories_operator
- slug: Product_slug_operator
- skipSync: Product_skipSync_operator
- meta__title: Product_meta__title_operator
- meta__description: Product_meta__description_operator
- meta__image: Product_meta__image_operator
- updatedAt: Product_updatedAt_operator
- createdAt: Product_createdAt_operator
- _status: Product__status_operator
- id: Product_id_operator
-}
-
-type productsDocAccess {
- fields: ProductsDocAccessFields
- create: ProductsCreateDocAccess
- read: ProductsReadDocAccess
- update: ProductsUpdateDocAccess
- delete: ProductsDeleteDocAccess
- readVersions: ProductsReadVersionsDocAccess
-}
-
-type ProductsDocAccessFields {
- title: ProductsDocAccessFields_title
- publishedDate: ProductsDocAccessFields_publishedDate
- layout: ProductsDocAccessFields_layout
- stripeProductID: ProductsDocAccessFields_stripeProductID
- priceJSON: ProductsDocAccessFields_priceJSON
- enablePaywall: ProductsDocAccessFields_enablePaywall
- paywall: ProductsDocAccessFields_paywall
- categories: ProductsDocAccessFields_categories
- slug: ProductsDocAccessFields_slug
- skipSync: ProductsDocAccessFields_skipSync
- meta: ProductsDocAccessFields_meta
- updatedAt: ProductsDocAccessFields_updatedAt
- createdAt: ProductsDocAccessFields_createdAt
- _status: ProductsDocAccessFields__status
+type PagesDocAccessFields_meta_overview_Delete {
+ permission: Boolean!
}
-type ProductsDocAccessFields_title {
- create: ProductsDocAccessFields_title_Create
- read: ProductsDocAccessFields_title_Read
- update: ProductsDocAccessFields_title_Update
- delete: ProductsDocAccessFields_title_Delete
+type PagesDocAccessFields_meta_title {
+ create: PagesDocAccessFields_meta_title_Create
+ read: PagesDocAccessFields_meta_title_Read
+ update: PagesDocAccessFields_meta_title_Update
+ delete: PagesDocAccessFields_meta_title_Delete
}
-type ProductsDocAccessFields_title_Create {
+type PagesDocAccessFields_meta_title_Create {
permission: Boolean!
}
-type ProductsDocAccessFields_title_Read {
+type PagesDocAccessFields_meta_title_Read {
permission: Boolean!
}
-type ProductsDocAccessFields_title_Update {
+type PagesDocAccessFields_meta_title_Update {
permission: Boolean!
}
-type ProductsDocAccessFields_title_Delete {
+type PagesDocAccessFields_meta_title_Delete {
permission: Boolean!
}
-type ProductsDocAccessFields_publishedDate {
- create: ProductsDocAccessFields_publishedDate_Create
- read: ProductsDocAccessFields_publishedDate_Read
- update: ProductsDocAccessFields_publishedDate_Update
- delete: ProductsDocAccessFields_publishedDate_Delete
+type PagesDocAccessFields_meta_description {
+ create: PagesDocAccessFields_meta_description_Create
+ read: PagesDocAccessFields_meta_description_Read
+ update: PagesDocAccessFields_meta_description_Update
+ delete: PagesDocAccessFields_meta_description_Delete
}
-type ProductsDocAccessFields_publishedDate_Create {
+type PagesDocAccessFields_meta_description_Create {
permission: Boolean!
}
-type ProductsDocAccessFields_publishedDate_Read {
+type PagesDocAccessFields_meta_description_Read {
permission: Boolean!
}
-type ProductsDocAccessFields_publishedDate_Update {
+type PagesDocAccessFields_meta_description_Update {
permission: Boolean!
}
-type ProductsDocAccessFields_publishedDate_Delete {
+type PagesDocAccessFields_meta_description_Delete {
permission: Boolean!
}
-type ProductsDocAccessFields_layout {
- create: ProductsDocAccessFields_layout_Create
- read: ProductsDocAccessFields_layout_Read
- update: ProductsDocAccessFields_layout_Update
- delete: ProductsDocAccessFields_layout_Delete
+type PagesDocAccessFields_meta_image {
+ create: PagesDocAccessFields_meta_image_Create
+ read: PagesDocAccessFields_meta_image_Read
+ update: PagesDocAccessFields_meta_image_Update
+ delete: PagesDocAccessFields_meta_image_Delete
}
-type ProductsDocAccessFields_layout_Create {
+type PagesDocAccessFields_meta_image_Create {
permission: Boolean!
}
-type ProductsDocAccessFields_layout_Read {
+type PagesDocAccessFields_meta_image_Read {
permission: Boolean!
}
-type ProductsDocAccessFields_layout_Update {
+type PagesDocAccessFields_meta_image_Update {
permission: Boolean!
}
-type ProductsDocAccessFields_layout_Delete {
+type PagesDocAccessFields_meta_image_Delete {
permission: Boolean!
}
-type ProductsDocAccessFields_stripeProductID {
- create: ProductsDocAccessFields_stripeProductID_Create
- read: ProductsDocAccessFields_stripeProductID_Read
- update: ProductsDocAccessFields_stripeProductID_Update
- delete: ProductsDocAccessFields_stripeProductID_Delete
+type PagesDocAccessFields_meta_preview {
+ create: PagesDocAccessFields_meta_preview_Create
+ read: PagesDocAccessFields_meta_preview_Read
+ update: PagesDocAccessFields_meta_preview_Update
+ delete: PagesDocAccessFields_meta_preview_Delete
}
-type ProductsDocAccessFields_stripeProductID_Create {
+type PagesDocAccessFields_meta_preview_Create {
permission: Boolean!
}
-type ProductsDocAccessFields_stripeProductID_Read {
+type PagesDocAccessFields_meta_preview_Read {
permission: Boolean!
}
-type ProductsDocAccessFields_stripeProductID_Update {
+type PagesDocAccessFields_meta_preview_Update {
permission: Boolean!
}
-type ProductsDocAccessFields_stripeProductID_Delete {
+type PagesDocAccessFields_meta_preview_Delete {
permission: Boolean!
}
-type ProductsDocAccessFields_priceJSON {
- create: ProductsDocAccessFields_priceJSON_Create
- read: ProductsDocAccessFields_priceJSON_Read
- update: ProductsDocAccessFields_priceJSON_Update
- delete: ProductsDocAccessFields_priceJSON_Delete
+type PagesDocAccessFields_updatedAt {
+ create: PagesDocAccessFields_updatedAt_Create
+ read: PagesDocAccessFields_updatedAt_Read
+ update: PagesDocAccessFields_updatedAt_Update
+ delete: PagesDocAccessFields_updatedAt_Delete
}
-type ProductsDocAccessFields_priceJSON_Create {
+type PagesDocAccessFields_updatedAt_Create {
permission: Boolean!
}
-type ProductsDocAccessFields_priceJSON_Read {
+type PagesDocAccessFields_updatedAt_Read {
permission: Boolean!
}
-type ProductsDocAccessFields_priceJSON_Update {
+type PagesDocAccessFields_updatedAt_Update {
permission: Boolean!
}
-type ProductsDocAccessFields_priceJSON_Delete {
+type PagesDocAccessFields_updatedAt_Delete {
permission: Boolean!
}
-type ProductsDocAccessFields_enablePaywall {
- create: ProductsDocAccessFields_enablePaywall_Create
- read: ProductsDocAccessFields_enablePaywall_Read
- update: ProductsDocAccessFields_enablePaywall_Update
- delete: ProductsDocAccessFields_enablePaywall_Delete
+type PagesDocAccessFields_createdAt {
+ create: PagesDocAccessFields_createdAt_Create
+ read: PagesDocAccessFields_createdAt_Read
+ update: PagesDocAccessFields_createdAt_Update
+ delete: PagesDocAccessFields_createdAt_Delete
}
-type ProductsDocAccessFields_enablePaywall_Create {
+type PagesDocAccessFields_createdAt_Create {
permission: Boolean!
}
-type ProductsDocAccessFields_enablePaywall_Read {
+type PagesDocAccessFields_createdAt_Read {
permission: Boolean!
}
-type ProductsDocAccessFields_enablePaywall_Update {
+type PagesDocAccessFields_createdAt_Update {
permission: Boolean!
}
-type ProductsDocAccessFields_enablePaywall_Delete {
+type PagesDocAccessFields_createdAt_Delete {
permission: Boolean!
}
-type ProductsDocAccessFields_paywall {
- create: ProductsDocAccessFields_paywall_Create
- read: ProductsDocAccessFields_paywall_Read
- update: ProductsDocAccessFields_paywall_Update
- delete: ProductsDocAccessFields_paywall_Delete
+type PagesDocAccessFields__status {
+ create: PagesDocAccessFields__status_Create
+ read: PagesDocAccessFields__status_Read
+ update: PagesDocAccessFields__status_Update
+ delete: PagesDocAccessFields__status_Delete
}
-type ProductsDocAccessFields_paywall_Create {
+type PagesDocAccessFields__status_Create {
permission: Boolean!
}
-type ProductsDocAccessFields_paywall_Read {
+type PagesDocAccessFields__status_Read {
permission: Boolean!
}
-type ProductsDocAccessFields_paywall_Update {
+type PagesDocAccessFields__status_Update {
permission: Boolean!
}
-type ProductsDocAccessFields_paywall_Delete {
+type PagesDocAccessFields__status_Delete {
permission: Boolean!
}
-type ProductsDocAccessFields_categories {
- create: ProductsDocAccessFields_categories_Create
- read: ProductsDocAccessFields_categories_Read
- update: ProductsDocAccessFields_categories_Update
- delete: ProductsDocAccessFields_categories_Delete
+type PagesCreateDocAccess {
+ permission: Boolean!
+ where: JSONObject
}
-type ProductsDocAccessFields_categories_Create {
+"""
+The `JSONObject` scalar type represents JSON objects as specified by [ECMA-404](http://www.ecma-international.org/publications/files/ECMA-ST/ECMA-404.pdf).
+"""
+scalar JSONObject
+
+type PagesReadDocAccess {
permission: Boolean!
+ where: JSONObject
}
-type ProductsDocAccessFields_categories_Read {
+type PagesUpdateDocAccess {
permission: Boolean!
+ where: JSONObject
}
-type ProductsDocAccessFields_categories_Update {
+type PagesDeleteDocAccess {
permission: Boolean!
+ where: JSONObject
}
-type ProductsDocAccessFields_categories_Delete {
+type PagesReadVersionsDocAccess {
permission: Boolean!
+ where: JSONObject
}
-type ProductsDocAccessFields_slug {
- create: ProductsDocAccessFields_slug_Create
- read: ProductsDocAccessFields_slug_Read
- update: ProductsDocAccessFields_slug_Update
- delete: ProductsDocAccessFields_slug_Delete
+type PageVersion {
+ parent: Page
+ version: PageVersion_Version
+ createdAt: DateTime
+ updatedAt: DateTime
+ id: String
}
-type ProductsDocAccessFields_slug_Create {
- permission: Boolean!
+type PageVersion_Version {
+ title: String
+ publishedDate: DateTime
+ hero: PageVersion_Version_Hero
+ layout: [PageVersion_Version_Layout!]!
+ slug: String
+ meta: PageVersion_Version_Meta
+ updatedAt: DateTime
+ createdAt: DateTime
+ _status: PageVersion_Version__status
}
-type ProductsDocAccessFields_slug_Read {
- permission: Boolean!
+type PageVersion_Version_Hero {
+ type: PageVersion_Version_Hero_type
+ richText(depth: Int): JSON
+ links: [PageVersion_Version_Hero_Links!]
+ media(where: PageVersion_Version_Hero_Media_where): Media
}
-type ProductsDocAccessFields_slug_Update {
- permission: Boolean!
+enum PageVersion_Version_Hero_type {
+ none
+ highImpact
+ mediumImpact
+ lowImpact
}
-type ProductsDocAccessFields_slug_Delete {
- permission: Boolean!
+type PageVersion_Version_Hero_Links {
+ link: PageVersion_Version_Hero_Links_Link
+ id: String
}
-type ProductsDocAccessFields_skipSync {
- create: ProductsDocAccessFields_skipSync_Create
- read: ProductsDocAccessFields_skipSync_Read
- update: ProductsDocAccessFields_skipSync_Update
- delete: ProductsDocAccessFields_skipSync_Delete
+type PageVersion_Version_Hero_Links_Link {
+ type: PageVersion_Version_Hero_Links_Link_type
+ newTab: Boolean
+ reference: PageVersion_Version_Hero_Links_Link_Reference_Relationship
+ url: String
+ label: String
+ appearance: PageVersion_Version_Hero_Links_Link_appearance
}
-type ProductsDocAccessFields_skipSync_Create {
- permission: Boolean!
+enum PageVersion_Version_Hero_Links_Link_type {
+ reference
+ custom
}
-type ProductsDocAccessFields_skipSync_Read {
- permission: Boolean!
+type PageVersion_Version_Hero_Links_Link_Reference_Relationship {
+ relationTo: PageVersion_Version_Hero_Links_Link_Reference_RelationTo
+ value: PageVersion_Version_Hero_Links_Link_Reference
}
-type ProductsDocAccessFields_skipSync_Update {
- permission: Boolean!
+enum PageVersion_Version_Hero_Links_Link_Reference_RelationTo {
+ pages
}
-type ProductsDocAccessFields_skipSync_Delete {
- permission: Boolean!
-}
+union PageVersion_Version_Hero_Links_Link_Reference = Page
-type ProductsDocAccessFields_meta {
- create: ProductsDocAccessFields_meta_Create
- read: ProductsDocAccessFields_meta_Read
- update: ProductsDocAccessFields_meta_Update
- delete: ProductsDocAccessFields_meta_Delete
- fields: ProductsDocAccessFields_meta_Fields
+enum PageVersion_Version_Hero_Links_Link_appearance {
+ default
+ primary
+ secondary
}
-type ProductsDocAccessFields_meta_Create {
- permission: Boolean!
+input PageVersion_Version_Hero_Media_where {
+ alt: PageVersion_Version_Hero_Media_alt_operator
+ caption: PageVersion_Version_Hero_Media_caption_operator
+ updatedAt: PageVersion_Version_Hero_Media_updatedAt_operator
+ createdAt: PageVersion_Version_Hero_Media_createdAt_operator
+ url: PageVersion_Version_Hero_Media_url_operator
+ filename: PageVersion_Version_Hero_Media_filename_operator
+ mimeType: PageVersion_Version_Hero_Media_mimeType_operator
+ filesize: PageVersion_Version_Hero_Media_filesize_operator
+ width: PageVersion_Version_Hero_Media_width_operator
+ height: PageVersion_Version_Hero_Media_height_operator
+ id: PageVersion_Version_Hero_Media_id_operator
+ OR: [PageVersion_Version_Hero_Media_where_or]
+ AND: [PageVersion_Version_Hero_Media_where_and]
}
-type ProductsDocAccessFields_meta_Read {
- permission: Boolean!
+input PageVersion_Version_Hero_Media_alt_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
}
-type ProductsDocAccessFields_meta_Update {
- permission: Boolean!
+input PageVersion_Version_Hero_Media_caption_operator {
+ equals: JSON
+ not_equals: JSON
+ like: JSON
+ contains: JSON
+ exists: Boolean
}
-type ProductsDocAccessFields_meta_Delete {
- permission: Boolean!
+input PageVersion_Version_Hero_Media_updatedAt_operator {
+ equals: DateTime
+ not_equals: DateTime
+ greater_than_equal: DateTime
+ greater_than: DateTime
+ less_than_equal: DateTime
+ less_than: DateTime
+ like: DateTime
+ exists: Boolean
}
-type ProductsDocAccessFields_meta_Fields {
- overview: ProductsDocAccessFields_meta_overview
- title: ProductsDocAccessFields_meta_title
- description: ProductsDocAccessFields_meta_description
- image: ProductsDocAccessFields_meta_image
- preview: ProductsDocAccessFields_meta_preview
+input PageVersion_Version_Hero_Media_createdAt_operator {
+ equals: DateTime
+ not_equals: DateTime
+ greater_than_equal: DateTime
+ greater_than: DateTime
+ less_than_equal: DateTime
+ less_than: DateTime
+ like: DateTime
+ exists: Boolean
}
-type ProductsDocAccessFields_meta_overview {
- create: ProductsDocAccessFields_meta_overview_Create
- read: ProductsDocAccessFields_meta_overview_Read
- update: ProductsDocAccessFields_meta_overview_Update
- delete: ProductsDocAccessFields_meta_overview_Delete
+input PageVersion_Version_Hero_Media_url_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
+ exists: Boolean
}
-type ProductsDocAccessFields_meta_overview_Create {
- permission: Boolean!
+input PageVersion_Version_Hero_Media_filename_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
+ exists: Boolean
}
-type ProductsDocAccessFields_meta_overview_Read {
- permission: Boolean!
+input PageVersion_Version_Hero_Media_mimeType_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
+ exists: Boolean
}
-type ProductsDocAccessFields_meta_overview_Update {
- permission: Boolean!
+input PageVersion_Version_Hero_Media_filesize_operator {
+ equals: Float
+ not_equals: Float
+ greater_than_equal: Float
+ greater_than: Float
+ less_than_equal: Float
+ less_than: Float
+ exists: Boolean
}
-type ProductsDocAccessFields_meta_overview_Delete {
- permission: Boolean!
+input PageVersion_Version_Hero_Media_width_operator {
+ equals: Float
+ not_equals: Float
+ greater_than_equal: Float
+ greater_than: Float
+ less_than_equal: Float
+ less_than: Float
+ exists: Boolean
}
-type ProductsDocAccessFields_meta_title {
- create: ProductsDocAccessFields_meta_title_Create
- read: ProductsDocAccessFields_meta_title_Read
- update: ProductsDocAccessFields_meta_title_Update
- delete: ProductsDocAccessFields_meta_title_Delete
+input PageVersion_Version_Hero_Media_height_operator {
+ equals: Float
+ not_equals: Float
+ greater_than_equal: Float
+ greater_than: Float
+ less_than_equal: Float
+ less_than: Float
+ exists: Boolean
}
-type ProductsDocAccessFields_meta_title_Create {
- permission: Boolean!
+input PageVersion_Version_Hero_Media_id_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
+ exists: Boolean
}
-type ProductsDocAccessFields_meta_title_Read {
- permission: Boolean!
+input PageVersion_Version_Hero_Media_where_or {
+ alt: PageVersion_Version_Hero_Media_alt_operator
+ caption: PageVersion_Version_Hero_Media_caption_operator
+ updatedAt: PageVersion_Version_Hero_Media_updatedAt_operator
+ createdAt: PageVersion_Version_Hero_Media_createdAt_operator
+ url: PageVersion_Version_Hero_Media_url_operator
+ filename: PageVersion_Version_Hero_Media_filename_operator
+ mimeType: PageVersion_Version_Hero_Media_mimeType_operator
+ filesize: PageVersion_Version_Hero_Media_filesize_operator
+ width: PageVersion_Version_Hero_Media_width_operator
+ height: PageVersion_Version_Hero_Media_height_operator
+ id: PageVersion_Version_Hero_Media_id_operator
}
-type ProductsDocAccessFields_meta_title_Update {
- permission: Boolean!
+input PageVersion_Version_Hero_Media_where_and {
+ alt: PageVersion_Version_Hero_Media_alt_operator
+ caption: PageVersion_Version_Hero_Media_caption_operator
+ updatedAt: PageVersion_Version_Hero_Media_updatedAt_operator
+ createdAt: PageVersion_Version_Hero_Media_createdAt_operator
+ url: PageVersion_Version_Hero_Media_url_operator
+ filename: PageVersion_Version_Hero_Media_filename_operator
+ mimeType: PageVersion_Version_Hero_Media_mimeType_operator
+ filesize: PageVersion_Version_Hero_Media_filesize_operator
+ width: PageVersion_Version_Hero_Media_width_operator
+ height: PageVersion_Version_Hero_Media_height_operator
+ id: PageVersion_Version_Hero_Media_id_operator
}
-type ProductsDocAccessFields_meta_title_Delete {
- permission: Boolean!
+union PageVersion_Version_Layout = Cta | Content | MediaBlock | Archive
+
+type PageVersion_Version_Meta {
+ title: String
+ description: String
+ image(where: PageVersion_Version_Meta_Image_where): Media
}
-type ProductsDocAccessFields_meta_description {
- create: ProductsDocAccessFields_meta_description_Create
- read: ProductsDocAccessFields_meta_description_Read
- update: ProductsDocAccessFields_meta_description_Update
- delete: ProductsDocAccessFields_meta_description_Delete
+input PageVersion_Version_Meta_Image_where {
+ alt: PageVersion_Version_Meta_Image_alt_operator
+ caption: PageVersion_Version_Meta_Image_caption_operator
+ updatedAt: PageVersion_Version_Meta_Image_updatedAt_operator
+ createdAt: PageVersion_Version_Meta_Image_createdAt_operator
+ url: PageVersion_Version_Meta_Image_url_operator
+ filename: PageVersion_Version_Meta_Image_filename_operator
+ mimeType: PageVersion_Version_Meta_Image_mimeType_operator
+ filesize: PageVersion_Version_Meta_Image_filesize_operator
+ width: PageVersion_Version_Meta_Image_width_operator
+ height: PageVersion_Version_Meta_Image_height_operator
+ id: PageVersion_Version_Meta_Image_id_operator
+ OR: [PageVersion_Version_Meta_Image_where_or]
+ AND: [PageVersion_Version_Meta_Image_where_and]
}
-type ProductsDocAccessFields_meta_description_Create {
- permission: Boolean!
+input PageVersion_Version_Meta_Image_alt_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
}
-type ProductsDocAccessFields_meta_description_Read {
- permission: Boolean!
+input PageVersion_Version_Meta_Image_caption_operator {
+ equals: JSON
+ not_equals: JSON
+ like: JSON
+ contains: JSON
+ exists: Boolean
}
-type ProductsDocAccessFields_meta_description_Update {
- permission: Boolean!
+input PageVersion_Version_Meta_Image_updatedAt_operator {
+ equals: DateTime
+ not_equals: DateTime
+ greater_than_equal: DateTime
+ greater_than: DateTime
+ less_than_equal: DateTime
+ less_than: DateTime
+ like: DateTime
+ exists: Boolean
}
-type ProductsDocAccessFields_meta_description_Delete {
- permission: Boolean!
+input PageVersion_Version_Meta_Image_createdAt_operator {
+ equals: DateTime
+ not_equals: DateTime
+ greater_than_equal: DateTime
+ greater_than: DateTime
+ less_than_equal: DateTime
+ less_than: DateTime
+ like: DateTime
+ exists: Boolean
}
-type ProductsDocAccessFields_meta_image {
- create: ProductsDocAccessFields_meta_image_Create
- read: ProductsDocAccessFields_meta_image_Read
- update: ProductsDocAccessFields_meta_image_Update
- delete: ProductsDocAccessFields_meta_image_Delete
-}
-
-type ProductsDocAccessFields_meta_image_Create {
- permission: Boolean!
-}
-
-type ProductsDocAccessFields_meta_image_Read {
- permission: Boolean!
-}
-
-type ProductsDocAccessFields_meta_image_Update {
- permission: Boolean!
-}
-
-type ProductsDocAccessFields_meta_image_Delete {
- permission: Boolean!
-}
-
-type ProductsDocAccessFields_meta_preview {
- create: ProductsDocAccessFields_meta_preview_Create
- read: ProductsDocAccessFields_meta_preview_Read
- update: ProductsDocAccessFields_meta_preview_Update
- delete: ProductsDocAccessFields_meta_preview_Delete
-}
-
-type ProductsDocAccessFields_meta_preview_Create {
- permission: Boolean!
-}
-
-type ProductsDocAccessFields_meta_preview_Read {
- permission: Boolean!
-}
-
-type ProductsDocAccessFields_meta_preview_Update {
- permission: Boolean!
-}
-
-type ProductsDocAccessFields_meta_preview_Delete {
- permission: Boolean!
-}
-
-type ProductsDocAccessFields_updatedAt {
- create: ProductsDocAccessFields_updatedAt_Create
- read: ProductsDocAccessFields_updatedAt_Read
- update: ProductsDocAccessFields_updatedAt_Update
- delete: ProductsDocAccessFields_updatedAt_Delete
-}
-
-type ProductsDocAccessFields_updatedAt_Create {
- permission: Boolean!
-}
-
-type ProductsDocAccessFields_updatedAt_Read {
- permission: Boolean!
-}
-
-type ProductsDocAccessFields_updatedAt_Update {
- permission: Boolean!
-}
-
-type ProductsDocAccessFields_updatedAt_Delete {
- permission: Boolean!
-}
-
-type ProductsDocAccessFields_createdAt {
- create: ProductsDocAccessFields_createdAt_Create
- read: ProductsDocAccessFields_createdAt_Read
- update: ProductsDocAccessFields_createdAt_Update
- delete: ProductsDocAccessFields_createdAt_Delete
-}
-
-type ProductsDocAccessFields_createdAt_Create {
- permission: Boolean!
-}
-
-type ProductsDocAccessFields_createdAt_Read {
- permission: Boolean!
-}
-
-type ProductsDocAccessFields_createdAt_Update {
- permission: Boolean!
-}
-
-type ProductsDocAccessFields_createdAt_Delete {
- permission: Boolean!
-}
-
-type ProductsDocAccessFields__status {
- create: ProductsDocAccessFields__status_Create
- read: ProductsDocAccessFields__status_Read
- update: ProductsDocAccessFields__status_Update
- delete: ProductsDocAccessFields__status_Delete
-}
-
-type ProductsDocAccessFields__status_Create {
- permission: Boolean!
-}
-
-type ProductsDocAccessFields__status_Read {
- permission: Boolean!
-}
-
-type ProductsDocAccessFields__status_Update {
- permission: Boolean!
-}
-
-type ProductsDocAccessFields__status_Delete {
- permission: Boolean!
-}
-
-type ProductsCreateDocAccess {
- permission: Boolean!
- where: JSONObject
-}
-
-type ProductsReadDocAccess {
- permission: Boolean!
- where: JSONObject
-}
-
-type ProductsUpdateDocAccess {
- permission: Boolean!
- where: JSONObject
-}
-
-type ProductsDeleteDocAccess {
- permission: Boolean!
- where: JSONObject
-}
-
-type ProductsReadVersionsDocAccess {
- permission: Boolean!
- where: JSONObject
-}
-
-type ProductVersion {
- parent: Product
- version: ProductVersion_Version
- createdAt: DateTime
- updatedAt: DateTime
- id: String
-}
-
-type ProductVersion_Version {
- title: String
- publishedDate: DateTime
- layout: [ProductVersion_Version_Layout!]!
- stripeProductID: String
- priceJSON: String
- enablePaywall: Boolean
- paywall: [ProductVersion_Version_Paywall!]
- categories: [Category!]
- slug: String
- skipSync: Boolean
- meta: ProductVersion_Version_Meta
- updatedAt: DateTime
- createdAt: DateTime
- _status: ProductVersion_Version__status
-}
-
-union ProductVersion_Version_Layout = Cta | Content | MediaBlock | Archive
-
-union ProductVersion_Version_Paywall = Cta | Content | MediaBlock | Archive
-
-type ProductVersion_Version_Meta {
- title: String
- description: String
- image(where: ProductVersion_Version_Meta_Image_where): Media
-}
-
-input ProductVersion_Version_Meta_Image_where {
- alt: ProductVersion_Version_Meta_Image_alt_operator
- caption: ProductVersion_Version_Meta_Image_caption_operator
- updatedAt: ProductVersion_Version_Meta_Image_updatedAt_operator
- createdAt: ProductVersion_Version_Meta_Image_createdAt_operator
- url: ProductVersion_Version_Meta_Image_url_operator
- filename: ProductVersion_Version_Meta_Image_filename_operator
- mimeType: ProductVersion_Version_Meta_Image_mimeType_operator
- filesize: ProductVersion_Version_Meta_Image_filesize_operator
- width: ProductVersion_Version_Meta_Image_width_operator
- height: ProductVersion_Version_Meta_Image_height_operator
- id: ProductVersion_Version_Meta_Image_id_operator
- OR: [ProductVersion_Version_Meta_Image_where_or]
- AND: [ProductVersion_Version_Meta_Image_where_and]
-}
-
-input ProductVersion_Version_Meta_Image_alt_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
-}
-
-input ProductVersion_Version_Meta_Image_caption_operator {
- equals: JSON
- not_equals: JSON
- like: JSON
- contains: JSON
- exists: Boolean
-}
-
-input ProductVersion_Version_Meta_Image_updatedAt_operator {
- equals: DateTime
- not_equals: DateTime
- greater_than_equal: DateTime
- greater_than: DateTime
- less_than_equal: DateTime
- less_than: DateTime
- like: DateTime
- exists: Boolean
-}
-
-input ProductVersion_Version_Meta_Image_createdAt_operator {
- equals: DateTime
- not_equals: DateTime
- greater_than_equal: DateTime
- greater_than: DateTime
- less_than_equal: DateTime
- less_than: DateTime
- like: DateTime
- exists: Boolean
-}
-
-input ProductVersion_Version_Meta_Image_url_operator {
+input PageVersion_Version_Meta_Image_url_operator {
equals: String
not_equals: String
like: String
@@ -2399,7 +2247,7 @@ input ProductVersion_Version_Meta_Image_url_operator {
exists: Boolean
}
-input ProductVersion_Version_Meta_Image_filename_operator {
+input PageVersion_Version_Meta_Image_filename_operator {
equals: String
not_equals: String
like: String
@@ -2410,7 +2258,7 @@ input ProductVersion_Version_Meta_Image_filename_operator {
exists: Boolean
}
-input ProductVersion_Version_Meta_Image_mimeType_operator {
+input PageVersion_Version_Meta_Image_mimeType_operator {
equals: String
not_equals: String
like: String
@@ -2421,7 +2269,7 @@ input ProductVersion_Version_Meta_Image_mimeType_operator {
exists: Boolean
}
-input ProductVersion_Version_Meta_Image_filesize_operator {
+input PageVersion_Version_Meta_Image_filesize_operator {
equals: Float
not_equals: Float
greater_than_equal: Float
@@ -2431,7 +2279,7 @@ input ProductVersion_Version_Meta_Image_filesize_operator {
exists: Boolean
}
-input ProductVersion_Version_Meta_Image_width_operator {
+input PageVersion_Version_Meta_Image_width_operator {
equals: Float
not_equals: Float
greater_than_equal: Float
@@ -2441,7 +2289,7 @@ input ProductVersion_Version_Meta_Image_width_operator {
exists: Boolean
}
-input ProductVersion_Version_Meta_Image_height_operator {
+input PageVersion_Version_Meta_Image_height_operator {
equals: Float
not_equals: Float
greater_than_equal: Float
@@ -2451,7 +2299,7 @@ input ProductVersion_Version_Meta_Image_height_operator {
exists: Boolean
}
-input ProductVersion_Version_Meta_Image_id_operator {
+input PageVersion_Version_Meta_Image_id_operator {
equals: String
not_equals: String
like: String
@@ -2462,41 +2310,41 @@ input ProductVersion_Version_Meta_Image_id_operator {
exists: Boolean
}
-input ProductVersion_Version_Meta_Image_where_or {
- alt: ProductVersion_Version_Meta_Image_alt_operator
- caption: ProductVersion_Version_Meta_Image_caption_operator
- updatedAt: ProductVersion_Version_Meta_Image_updatedAt_operator
- createdAt: ProductVersion_Version_Meta_Image_createdAt_operator
- url: ProductVersion_Version_Meta_Image_url_operator
- filename: ProductVersion_Version_Meta_Image_filename_operator
- mimeType: ProductVersion_Version_Meta_Image_mimeType_operator
- filesize: ProductVersion_Version_Meta_Image_filesize_operator
- width: ProductVersion_Version_Meta_Image_width_operator
- height: ProductVersion_Version_Meta_Image_height_operator
- id: ProductVersion_Version_Meta_Image_id_operator
+input PageVersion_Version_Meta_Image_where_or {
+ alt: PageVersion_Version_Meta_Image_alt_operator
+ caption: PageVersion_Version_Meta_Image_caption_operator
+ updatedAt: PageVersion_Version_Meta_Image_updatedAt_operator
+ createdAt: PageVersion_Version_Meta_Image_createdAt_operator
+ url: PageVersion_Version_Meta_Image_url_operator
+ filename: PageVersion_Version_Meta_Image_filename_operator
+ mimeType: PageVersion_Version_Meta_Image_mimeType_operator
+ filesize: PageVersion_Version_Meta_Image_filesize_operator
+ width: PageVersion_Version_Meta_Image_width_operator
+ height: PageVersion_Version_Meta_Image_height_operator
+ id: PageVersion_Version_Meta_Image_id_operator
}
-input ProductVersion_Version_Meta_Image_where_and {
- alt: ProductVersion_Version_Meta_Image_alt_operator
- caption: ProductVersion_Version_Meta_Image_caption_operator
- updatedAt: ProductVersion_Version_Meta_Image_updatedAt_operator
- createdAt: ProductVersion_Version_Meta_Image_createdAt_operator
- url: ProductVersion_Version_Meta_Image_url_operator
- filename: ProductVersion_Version_Meta_Image_filename_operator
- mimeType: ProductVersion_Version_Meta_Image_mimeType_operator
- filesize: ProductVersion_Version_Meta_Image_filesize_operator
- width: ProductVersion_Version_Meta_Image_width_operator
- height: ProductVersion_Version_Meta_Image_height_operator
- id: ProductVersion_Version_Meta_Image_id_operator
+input PageVersion_Version_Meta_Image_where_and {
+ alt: PageVersion_Version_Meta_Image_alt_operator
+ caption: PageVersion_Version_Meta_Image_caption_operator
+ updatedAt: PageVersion_Version_Meta_Image_updatedAt_operator
+ createdAt: PageVersion_Version_Meta_Image_createdAt_operator
+ url: PageVersion_Version_Meta_Image_url_operator
+ filename: PageVersion_Version_Meta_Image_filename_operator
+ mimeType: PageVersion_Version_Meta_Image_mimeType_operator
+ filesize: PageVersion_Version_Meta_Image_filesize_operator
+ width: PageVersion_Version_Meta_Image_width_operator
+ height: PageVersion_Version_Meta_Image_height_operator
+ id: PageVersion_Version_Meta_Image_id_operator
}
-enum ProductVersion_Version__status {
+enum PageVersion_Version__status {
draft
published
}
-type versionsProducts {
- docs: [ProductVersion]
+type versionsPages {
+ docs: [PageVersion]
totalDocs: Int
offset: Int
limit: Int
@@ -2509,30 +2357,35 @@ type versionsProducts {
nextPage: Int
}
-input versionsProduct_where {
- parent: versionsProduct_parent_operator
- version__title: versionsProduct_version__title_operator
- version__publishedDate: versionsProduct_version__publishedDate_operator
- version__stripeProductID: versionsProduct_version__stripeProductID_operator
- version__priceJSON: versionsProduct_version__priceJSON_operator
- version__enablePaywall: versionsProduct_version__enablePaywall_operator
- version__categories: versionsProduct_version__categories_operator
- version__slug: versionsProduct_version__slug_operator
- version__skipSync: versionsProduct_version__skipSync_operator
- version__meta__title: versionsProduct_version__meta__title_operator
- version__meta__description: versionsProduct_version__meta__description_operator
- version__meta__image: versionsProduct_version__meta__image_operator
- version__updatedAt: versionsProduct_version__updatedAt_operator
- version__createdAt: versionsProduct_version__createdAt_operator
- version___status: versionsProduct_version___status_operator
- createdAt: versionsProduct_createdAt_operator
- updatedAt: versionsProduct_updatedAt_operator
- id: versionsProduct_id_operator
- OR: [versionsProduct_where_or]
- AND: [versionsProduct_where_and]
+input versionsPage_where {
+ parent: versionsPage_parent_operator
+ version__title: versionsPage_version__title_operator
+ version__publishedDate: versionsPage_version__publishedDate_operator
+ version__hero__type: versionsPage_version__hero__type_operator
+ version__hero__richText: versionsPage_version__hero__richText_operator
+ version__hero__links__link__type: versionsPage_version__hero__links__link__type_operator
+ version__hero__links__link__newTab: versionsPage_version__hero__links__link__newTab_operator
+ version__hero__links__link__reference: versionsPage_version__hero__links__link__reference_Relation
+ version__hero__links__link__url: versionsPage_version__hero__links__link__url_operator
+ version__hero__links__link__label: versionsPage_version__hero__links__link__label_operator
+ version__hero__links__link__appearance: versionsPage_version__hero__links__link__appearance_operator
+ version__hero__links__id: versionsPage_version__hero__links__id_operator
+ version__hero__media: versionsPage_version__hero__media_operator
+ version__slug: versionsPage_version__slug_operator
+ version__meta__title: versionsPage_version__meta__title_operator
+ version__meta__description: versionsPage_version__meta__description_operator
+ version__meta__image: versionsPage_version__meta__image_operator
+ version__updatedAt: versionsPage_version__updatedAt_operator
+ version__createdAt: versionsPage_version__createdAt_operator
+ version___status: versionsPage_version___status_operator
+ createdAt: versionsPage_createdAt_operator
+ updatedAt: versionsPage_updatedAt_operator
+ id: versionsPage_id_operator
+ OR: [versionsPage_where_or]
+ AND: [versionsPage_where_and]
}
-input versionsProduct_parent_operator {
+input versionsPage_parent_operator {
equals: String
not_equals: String
in: [String]
@@ -2541,7 +2394,7 @@ input versionsProduct_parent_operator {
exists: Boolean
}
-input versionsProduct_version__title_operator {
+input versionsPage_version__title_operator {
equals: String
not_equals: String
like: String
@@ -2551,7 +2404,7 @@ input versionsProduct_version__title_operator {
all: [String]
}
-input versionsProduct_version__publishedDate_operator {
+input versionsPage_version__publishedDate_operator {
equals: DateTime
not_equals: DateTime
greater_than_equal: DateTime
@@ -2562,7 +2415,58 @@ input versionsProduct_version__publishedDate_operator {
exists: Boolean
}
-input versionsProduct_version__stripeProductID_operator {
+input versionsPage_version__hero__type_operator {
+ equals: versionsPage_version__hero__type_Input
+ not_equals: versionsPage_version__hero__type_Input
+ in: [versionsPage_version__hero__type_Input]
+ not_in: [versionsPage_version__hero__type_Input]
+ all: [versionsPage_version__hero__type_Input]
+}
+
+enum versionsPage_version__hero__type_Input {
+ none
+ highImpact
+ mediumImpact
+ lowImpact
+}
+
+input versionsPage_version__hero__richText_operator {
+ equals: JSON
+ not_equals: JSON
+ like: JSON
+ contains: JSON
+}
+
+input versionsPage_version__hero__links__link__type_operator {
+ equals: versionsPage_version__hero__links__link__type_Input
+ not_equals: versionsPage_version__hero__links__link__type_Input
+ in: [versionsPage_version__hero__links__link__type_Input]
+ not_in: [versionsPage_version__hero__links__link__type_Input]
+ all: [versionsPage_version__hero__links__link__type_Input]
+ exists: Boolean
+}
+
+enum versionsPage_version__hero__links__link__type_Input {
+ reference
+ custom
+}
+
+input versionsPage_version__hero__links__link__newTab_operator {
+ equals: Boolean
+ not_equals: Boolean
+ exists: Boolean
+}
+
+input versionsPage_version__hero__links__link__reference_Relation {
+ relationTo: versionsPage_version__hero__links__link__reference_Relation_RelationTo
+ value: String
+}
+
+enum versionsPage_version__hero__links__link__reference_Relation_RelationTo {
+ pages
+}
+
+input versionsPage_version__hero__links__link__url_operator {
equals: String
not_equals: String
like: String
@@ -2570,33 +2474,50 @@ input versionsProduct_version__stripeProductID_operator {
in: [String]
not_in: [String]
all: [String]
- exists: Boolean
}
-input versionsProduct_version__priceJSON_operator {
+input versionsPage_version__hero__links__link__label_operator {
equals: String
not_equals: String
like: String
contains: String
- exists: Boolean
+ in: [String]
+ not_in: [String]
+ all: [String]
}
-input versionsProduct_version__enablePaywall_operator {
- equals: Boolean
- not_equals: Boolean
+input versionsPage_version__hero__links__link__appearance_operator {
+ equals: versionsPage_version__hero__links__link__appearance_Input
+ not_equals: versionsPage_version__hero__links__link__appearance_Input
+ in: [versionsPage_version__hero__links__link__appearance_Input]
+ not_in: [versionsPage_version__hero__links__link__appearance_Input]
+ all: [versionsPage_version__hero__links__link__appearance_Input]
exists: Boolean
}
-input versionsProduct_version__categories_operator {
+enum versionsPage_version__hero__links__link__appearance_Input {
+ default
+ primary
+ secondary
+}
+
+input versionsPage_version__hero__links__id_operator {
equals: String
not_equals: String
+ like: String
+ contains: String
in: [String]
not_in: [String]
all: [String]
exists: Boolean
}
-input versionsProduct_version__slug_operator {
+input versionsPage_version__hero__media_operator {
+ equals: String
+ not_equals: String
+}
+
+input versionsPage_version__slug_operator {
equals: String
not_equals: String
like: String
@@ -2607,13 +2528,7 @@ input versionsProduct_version__slug_operator {
exists: Boolean
}
-input versionsProduct_version__skipSync_operator {
- equals: Boolean
- not_equals: Boolean
- exists: Boolean
-}
-
-input versionsProduct_version__meta__title_operator {
+input versionsPage_version__meta__title_operator {
equals: String
not_equals: String
like: String
@@ -2624,7 +2539,7 @@ input versionsProduct_version__meta__title_operator {
exists: Boolean
}
-input versionsProduct_version__meta__description_operator {
+input versionsPage_version__meta__description_operator {
equals: String
not_equals: String
like: String
@@ -2632,13 +2547,13 @@ input versionsProduct_version__meta__description_operator {
exists: Boolean
}
-input versionsProduct_version__meta__image_operator {
+input versionsPage_version__meta__image_operator {
equals: String
not_equals: String
exists: Boolean
}
-input versionsProduct_version__updatedAt_operator {
+input versionsPage_version__updatedAt_operator {
equals: DateTime
not_equals: DateTime
greater_than_equal: DateTime
@@ -2649,7 +2564,7 @@ input versionsProduct_version__updatedAt_operator {
exists: Boolean
}
-input versionsProduct_version__createdAt_operator {
+input versionsPage_version__createdAt_operator {
equals: DateTime
not_equals: DateTime
greater_than_equal: DateTime
@@ -2660,21 +2575,21 @@ input versionsProduct_version__createdAt_operator {
exists: Boolean
}
-input versionsProduct_version___status_operator {
- equals: versionsProduct_version___status_Input
- not_equals: versionsProduct_version___status_Input
- in: [versionsProduct_version___status_Input]
- not_in: [versionsProduct_version___status_Input]
- all: [versionsProduct_version___status_Input]
+input versionsPage_version___status_operator {
+ equals: versionsPage_version___status_Input
+ not_equals: versionsPage_version___status_Input
+ in: [versionsPage_version___status_Input]
+ not_in: [versionsPage_version___status_Input]
+ all: [versionsPage_version___status_Input]
exists: Boolean
}
-enum versionsProduct_version___status_Input {
+enum versionsPage_version___status_Input {
draft
published
}
-input versionsProduct_createdAt_operator {
+input versionsPage_createdAt_operator {
equals: DateTime
not_equals: DateTime
greater_than_equal: DateTime
@@ -2685,7 +2600,7 @@ input versionsProduct_createdAt_operator {
exists: Boolean
}
-input versionsProduct_updatedAt_operator {
+input versionsPage_updatedAt_operator {
equals: DateTime
not_equals: DateTime
greater_than_equal: DateTime
@@ -2696,7 +2611,7 @@ input versionsProduct_updatedAt_operator {
exists: Boolean
}
-input versionsProduct_id_operator {
+input versionsPage_id_operator {
equals: String
not_equals: String
like: String
@@ -2707,50 +2622,60 @@ input versionsProduct_id_operator {
exists: Boolean
}
-input versionsProduct_where_or {
- parent: versionsProduct_parent_operator
- version__title: versionsProduct_version__title_operator
- version__publishedDate: versionsProduct_version__publishedDate_operator
- version__stripeProductID: versionsProduct_version__stripeProductID_operator
- version__priceJSON: versionsProduct_version__priceJSON_operator
- version__enablePaywall: versionsProduct_version__enablePaywall_operator
- version__categories: versionsProduct_version__categories_operator
- version__slug: versionsProduct_version__slug_operator
- version__skipSync: versionsProduct_version__skipSync_operator
- version__meta__title: versionsProduct_version__meta__title_operator
- version__meta__description: versionsProduct_version__meta__description_operator
- version__meta__image: versionsProduct_version__meta__image_operator
- version__updatedAt: versionsProduct_version__updatedAt_operator
- version__createdAt: versionsProduct_version__createdAt_operator
- version___status: versionsProduct_version___status_operator
- createdAt: versionsProduct_createdAt_operator
- updatedAt: versionsProduct_updatedAt_operator
- id: versionsProduct_id_operator
-}
-
-input versionsProduct_where_and {
- parent: versionsProduct_parent_operator
- version__title: versionsProduct_version__title_operator
- version__publishedDate: versionsProduct_version__publishedDate_operator
- version__stripeProductID: versionsProduct_version__stripeProductID_operator
- version__priceJSON: versionsProduct_version__priceJSON_operator
- version__enablePaywall: versionsProduct_version__enablePaywall_operator
- version__categories: versionsProduct_version__categories_operator
- version__slug: versionsProduct_version__slug_operator
- version__skipSync: versionsProduct_version__skipSync_operator
- version__meta__title: versionsProduct_version__meta__title_operator
- version__meta__description: versionsProduct_version__meta__description_operator
- version__meta__image: versionsProduct_version__meta__image_operator
- version__updatedAt: versionsProduct_version__updatedAt_operator
- version__createdAt: versionsProduct_version__createdAt_operator
- version___status: versionsProduct_version___status_operator
- createdAt: versionsProduct_createdAt_operator
- updatedAt: versionsProduct_updatedAt_operator
- id: versionsProduct_id_operator
+input versionsPage_where_or {
+ parent: versionsPage_parent_operator
+ version__title: versionsPage_version__title_operator
+ version__publishedDate: versionsPage_version__publishedDate_operator
+ version__hero__type: versionsPage_version__hero__type_operator
+ version__hero__richText: versionsPage_version__hero__richText_operator
+ version__hero__links__link__type: versionsPage_version__hero__links__link__type_operator
+ version__hero__links__link__newTab: versionsPage_version__hero__links__link__newTab_operator
+ version__hero__links__link__reference: versionsPage_version__hero__links__link__reference_Relation
+ version__hero__links__link__url: versionsPage_version__hero__links__link__url_operator
+ version__hero__links__link__label: versionsPage_version__hero__links__link__label_operator
+ version__hero__links__link__appearance: versionsPage_version__hero__links__link__appearance_operator
+ version__hero__links__id: versionsPage_version__hero__links__id_operator
+ version__hero__media: versionsPage_version__hero__media_operator
+ version__slug: versionsPage_version__slug_operator
+ version__meta__title: versionsPage_version__meta__title_operator
+ version__meta__description: versionsPage_version__meta__description_operator
+ version__meta__image: versionsPage_version__meta__image_operator
+ version__updatedAt: versionsPage_version__updatedAt_operator
+ version__createdAt: versionsPage_version__createdAt_operator
+ version___status: versionsPage_version___status_operator
+ createdAt: versionsPage_createdAt_operator
+ updatedAt: versionsPage_updatedAt_operator
+ id: versionsPage_id_operator
}
-type Categories {
- docs: [Category]
+input versionsPage_where_and {
+ parent: versionsPage_parent_operator
+ version__title: versionsPage_version__title_operator
+ version__publishedDate: versionsPage_version__publishedDate_operator
+ version__hero__type: versionsPage_version__hero__type_operator
+ version__hero__richText: versionsPage_version__hero__richText_operator
+ version__hero__links__link__type: versionsPage_version__hero__links__link__type_operator
+ version__hero__links__link__newTab: versionsPage_version__hero__links__link__newTab_operator
+ version__hero__links__link__reference: versionsPage_version__hero__links__link__reference_Relation
+ version__hero__links__link__url: versionsPage_version__hero__links__link__url_operator
+ version__hero__links__link__label: versionsPage_version__hero__links__link__label_operator
+ version__hero__links__link__appearance: versionsPage_version__hero__links__link__appearance_operator
+ version__hero__links__id: versionsPage_version__hero__links__id_operator
+ version__hero__media: versionsPage_version__hero__media_operator
+ version__slug: versionsPage_version__slug_operator
+ version__meta__title: versionsPage_version__meta__title_operator
+ version__meta__description: versionsPage_version__meta__description_operator
+ version__meta__image: versionsPage_version__meta__image_operator
+ version__updatedAt: versionsPage_version__updatedAt_operator
+ version__createdAt: versionsPage_version__createdAt_operator
+ version___status: versionsPage_version___status_operator
+ createdAt: versionsPage_createdAt_operator
+ updatedAt: versionsPage_updatedAt_operator
+ id: versionsPage_id_operator
+}
+
+type Products {
+ docs: [Product]
totalDocs: Int
offset: Int
limit: Int
@@ -2763,21 +2688,27 @@ type Categories {
nextPage: Int
}
-input Category_where {
- title: Category_title_operator
- parent: Category_parent_operator
- breadcrumbs__doc: Category_breadcrumbs__doc_operator
- breadcrumbs__url: Category_breadcrumbs__url_operator
- breadcrumbs__label: Category_breadcrumbs__label_operator
- breadcrumbs__id: Category_breadcrumbs__id_operator
- updatedAt: Category_updatedAt_operator
- createdAt: Category_createdAt_operator
- id: Category_id_operator
- OR: [Category_where_or]
- AND: [Category_where_and]
+input Product_where {
+ title: Product_title_operator
+ publishedDate: Product_publishedDate_operator
+ stripeProductID: Product_stripeProductID_operator
+ priceJSON: Product_priceJSON_operator
+ enablePaywall: Product_enablePaywall_operator
+ categories: Product_categories_operator
+ slug: Product_slug_operator
+ skipSync: Product_skipSync_operator
+ meta__title: Product_meta__title_operator
+ meta__description: Product_meta__description_operator
+ meta__image: Product_meta__image_operator
+ updatedAt: Product_updatedAt_operator
+ createdAt: Product_createdAt_operator
+ _status: Product__status_operator
+ id: Product_id_operator
+ OR: [Product_where_or]
+ AND: [Product_where_and]
}
-input Category_title_operator {
+input Product_title_operator {
equals: String
not_equals: String
like: String
@@ -2785,28 +2716,54 @@ input Category_title_operator {
in: [String]
not_in: [String]
all: [String]
+}
+
+input Product_publishedDate_operator {
+ equals: DateTime
+ not_equals: DateTime
+ greater_than_equal: DateTime
+ greater_than: DateTime
+ less_than_equal: DateTime
+ less_than: DateTime
+ like: DateTime
exists: Boolean
}
-input Category_parent_operator {
+input Product_stripeProductID_operator {
equals: String
not_equals: String
+ like: String
+ contains: String
in: [String]
not_in: [String]
all: [String]
exists: Boolean
}
-input Category_breadcrumbs__doc_operator {
+input Product_priceJSON_operator {
equals: String
not_equals: String
- in: [String]
- not_in: [String]
- all: [String]
+ like: String
+ contains: String
exists: Boolean
}
-input Category_breadcrumbs__url_operator {
+input Product_enablePaywall_operator {
+ equals: Boolean
+ not_equals: Boolean
+ exists: Boolean
+}
+
+input Product_categories_operator {
+ equals: [String]
+ not_equals: [String]
+ in: [[String]]
+ not_in: [[String]]
+ all: [[String]]
+ exists: Boolean
+}
+
+input Product_slug_operator {
equals: String
not_equals: String
like: String
@@ -2817,7 +2774,13 @@ input Category_breadcrumbs__url_operator {
exists: Boolean
}
-input Category_breadcrumbs__label_operator {
+input Product_skipSync_operator {
+ equals: Boolean
+ not_equals: Boolean
+ exists: Boolean
+}
+
+input Product_meta__title_operator {
equals: String
not_equals: String
like: String
@@ -2828,18 +2791,21 @@ input Category_breadcrumbs__label_operator {
exists: Boolean
}
-input Category_breadcrumbs__id_operator {
+input Product_meta__description_operator {
equals: String
not_equals: String
like: String
contains: String
- in: [String]
- not_in: [String]
- all: [String]
exists: Boolean
}
-input Category_updatedAt_operator {
+input Product_meta__image_operator {
+ equals: String
+ not_equals: String
+ exists: Boolean
+}
+
+input Product_updatedAt_operator {
equals: DateTime
not_equals: DateTime
greater_than_equal: DateTime
@@ -2850,7 +2816,7 @@ input Category_updatedAt_operator {
exists: Boolean
}
-input Category_createdAt_operator {
+input Product_createdAt_operator {
equals: DateTime
not_equals: DateTime
greater_than_equal: DateTime
@@ -2861,7 +2827,21 @@ input Category_createdAt_operator {
exists: Boolean
}
-input Category_id_operator {
+input Product__status_operator {
+ equals: Product__status_Input
+ not_equals: Product__status_Input
+ in: [Product__status_Input]
+ not_in: [Product__status_Input]
+ all: [Product__status_Input]
+ exists: Boolean
+}
+
+enum Product__status_Input {
+ draft
+ published
+}
+
+input Product_id_operator {
equals: String
not_equals: String
like: String
@@ -2872,1336 +2852,1510 @@ input Category_id_operator {
exists: Boolean
}
-input Category_where_or {
- title: Category_title_operator
- parent: Category_parent_operator
- breadcrumbs__doc: Category_breadcrumbs__doc_operator
- breadcrumbs__url: Category_breadcrumbs__url_operator
- breadcrumbs__label: Category_breadcrumbs__label_operator
- breadcrumbs__id: Category_breadcrumbs__id_operator
- updatedAt: Category_updatedAt_operator
- createdAt: Category_createdAt_operator
- id: Category_id_operator
+input Product_where_or {
+ title: Product_title_operator
+ publishedDate: Product_publishedDate_operator
+ stripeProductID: Product_stripeProductID_operator
+ priceJSON: Product_priceJSON_operator
+ enablePaywall: Product_enablePaywall_operator
+ categories: Product_categories_operator
+ slug: Product_slug_operator
+ skipSync: Product_skipSync_operator
+ meta__title: Product_meta__title_operator
+ meta__description: Product_meta__description_operator
+ meta__image: Product_meta__image_operator
+ updatedAt: Product_updatedAt_operator
+ createdAt: Product_createdAt_operator
+ _status: Product__status_operator
+ id: Product_id_operator
}
-input Category_where_and {
- title: Category_title_operator
- parent: Category_parent_operator
- breadcrumbs__doc: Category_breadcrumbs__doc_operator
- breadcrumbs__url: Category_breadcrumbs__url_operator
- breadcrumbs__label: Category_breadcrumbs__label_operator
- breadcrumbs__id: Category_breadcrumbs__id_operator
- updatedAt: Category_updatedAt_operator
- createdAt: Category_createdAt_operator
- id: Category_id_operator
+input Product_where_and {
+ title: Product_title_operator
+ publishedDate: Product_publishedDate_operator
+ stripeProductID: Product_stripeProductID_operator
+ priceJSON: Product_priceJSON_operator
+ enablePaywall: Product_enablePaywall_operator
+ categories: Product_categories_operator
+ slug: Product_slug_operator
+ skipSync: Product_skipSync_operator
+ meta__title: Product_meta__title_operator
+ meta__description: Product_meta__description_operator
+ meta__image: Product_meta__image_operator
+ updatedAt: Product_updatedAt_operator
+ createdAt: Product_createdAt_operator
+ _status: Product__status_operator
+ id: Product_id_operator
}
-type categoriesDocAccess {
- fields: CategoriesDocAccessFields
- create: CategoriesCreateDocAccess
- read: CategoriesReadDocAccess
- update: CategoriesUpdateDocAccess
- delete: CategoriesDeleteDocAccess
+type productsDocAccess {
+ fields: ProductsDocAccessFields
+ create: ProductsCreateDocAccess
+ read: ProductsReadDocAccess
+ update: ProductsUpdateDocAccess
+ delete: ProductsDeleteDocAccess
+ readVersions: ProductsReadVersionsDocAccess
}
-type CategoriesDocAccessFields {
- title: CategoriesDocAccessFields_title
- parent: CategoriesDocAccessFields_parent
- breadcrumbs: CategoriesDocAccessFields_breadcrumbs
- updatedAt: CategoriesDocAccessFields_updatedAt
- createdAt: CategoriesDocAccessFields_createdAt
+type ProductsDocAccessFields {
+ title: ProductsDocAccessFields_title
+ publishedDate: ProductsDocAccessFields_publishedDate
+ layout: ProductsDocAccessFields_layout
+ stripeProductID: ProductsDocAccessFields_stripeProductID
+ priceJSON: ProductsDocAccessFields_priceJSON
+ enablePaywall: ProductsDocAccessFields_enablePaywall
+ paywall: ProductsDocAccessFields_paywall
+ categories: ProductsDocAccessFields_categories
+ slug: ProductsDocAccessFields_slug
+ skipSync: ProductsDocAccessFields_skipSync
+ meta: ProductsDocAccessFields_meta
+ updatedAt: ProductsDocAccessFields_updatedAt
+ createdAt: ProductsDocAccessFields_createdAt
+ _status: ProductsDocAccessFields__status
}
-type CategoriesDocAccessFields_title {
- create: CategoriesDocAccessFields_title_Create
- read: CategoriesDocAccessFields_title_Read
- update: CategoriesDocAccessFields_title_Update
- delete: CategoriesDocAccessFields_title_Delete
+type ProductsDocAccessFields_title {
+ create: ProductsDocAccessFields_title_Create
+ read: ProductsDocAccessFields_title_Read
+ update: ProductsDocAccessFields_title_Update
+ delete: ProductsDocAccessFields_title_Delete
}
-type CategoriesDocAccessFields_title_Create {
+type ProductsDocAccessFields_title_Create {
permission: Boolean!
}
-type CategoriesDocAccessFields_title_Read {
+type ProductsDocAccessFields_title_Read {
permission: Boolean!
}
-type CategoriesDocAccessFields_title_Update {
+type ProductsDocAccessFields_title_Update {
permission: Boolean!
}
-type CategoriesDocAccessFields_title_Delete {
+type ProductsDocAccessFields_title_Delete {
permission: Boolean!
}
-type CategoriesDocAccessFields_parent {
- create: CategoriesDocAccessFields_parent_Create
- read: CategoriesDocAccessFields_parent_Read
- update: CategoriesDocAccessFields_parent_Update
- delete: CategoriesDocAccessFields_parent_Delete
+type ProductsDocAccessFields_publishedDate {
+ create: ProductsDocAccessFields_publishedDate_Create
+ read: ProductsDocAccessFields_publishedDate_Read
+ update: ProductsDocAccessFields_publishedDate_Update
+ delete: ProductsDocAccessFields_publishedDate_Delete
}
-type CategoriesDocAccessFields_parent_Create {
+type ProductsDocAccessFields_publishedDate_Create {
permission: Boolean!
}
-type CategoriesDocAccessFields_parent_Read {
+type ProductsDocAccessFields_publishedDate_Read {
permission: Boolean!
}
-type CategoriesDocAccessFields_parent_Update {
+type ProductsDocAccessFields_publishedDate_Update {
permission: Boolean!
}
-type CategoriesDocAccessFields_parent_Delete {
+type ProductsDocAccessFields_publishedDate_Delete {
permission: Boolean!
}
-type CategoriesDocAccessFields_breadcrumbs {
- create: CategoriesDocAccessFields_breadcrumbs_Create
- read: CategoriesDocAccessFields_breadcrumbs_Read
- update: CategoriesDocAccessFields_breadcrumbs_Update
- delete: CategoriesDocAccessFields_breadcrumbs_Delete
- fields: CategoriesDocAccessFields_breadcrumbs_Fields
+type ProductsDocAccessFields_layout {
+ create: ProductsDocAccessFields_layout_Create
+ read: ProductsDocAccessFields_layout_Read
+ update: ProductsDocAccessFields_layout_Update
+ delete: ProductsDocAccessFields_layout_Delete
}
-type CategoriesDocAccessFields_breadcrumbs_Create {
+type ProductsDocAccessFields_layout_Create {
permission: Boolean!
}
-type CategoriesDocAccessFields_breadcrumbs_Read {
+type ProductsDocAccessFields_layout_Read {
permission: Boolean!
}
-type CategoriesDocAccessFields_breadcrumbs_Update {
+type ProductsDocAccessFields_layout_Update {
permission: Boolean!
}
-type CategoriesDocAccessFields_breadcrumbs_Delete {
+type ProductsDocAccessFields_layout_Delete {
permission: Boolean!
}
-type CategoriesDocAccessFields_breadcrumbs_Fields {
- doc: CategoriesDocAccessFields_breadcrumbs_doc
- url: CategoriesDocAccessFields_breadcrumbs_url
- label: CategoriesDocAccessFields_breadcrumbs_label
- id: CategoriesDocAccessFields_breadcrumbs_id
-}
-
-type CategoriesDocAccessFields_breadcrumbs_doc {
- create: CategoriesDocAccessFields_breadcrumbs_doc_Create
- read: CategoriesDocAccessFields_breadcrumbs_doc_Read
- update: CategoriesDocAccessFields_breadcrumbs_doc_Update
- delete: CategoriesDocAccessFields_breadcrumbs_doc_Delete
+type ProductsDocAccessFields_stripeProductID {
+ create: ProductsDocAccessFields_stripeProductID_Create
+ read: ProductsDocAccessFields_stripeProductID_Read
+ update: ProductsDocAccessFields_stripeProductID_Update
+ delete: ProductsDocAccessFields_stripeProductID_Delete
}
-type CategoriesDocAccessFields_breadcrumbs_doc_Create {
+type ProductsDocAccessFields_stripeProductID_Create {
permission: Boolean!
}
-type CategoriesDocAccessFields_breadcrumbs_doc_Read {
+type ProductsDocAccessFields_stripeProductID_Read {
permission: Boolean!
}
-type CategoriesDocAccessFields_breadcrumbs_doc_Update {
+type ProductsDocAccessFields_stripeProductID_Update {
permission: Boolean!
}
-type CategoriesDocAccessFields_breadcrumbs_doc_Delete {
+type ProductsDocAccessFields_stripeProductID_Delete {
permission: Boolean!
}
-type CategoriesDocAccessFields_breadcrumbs_url {
- create: CategoriesDocAccessFields_breadcrumbs_url_Create
- read: CategoriesDocAccessFields_breadcrumbs_url_Read
- update: CategoriesDocAccessFields_breadcrumbs_url_Update
- delete: CategoriesDocAccessFields_breadcrumbs_url_Delete
+type ProductsDocAccessFields_priceJSON {
+ create: ProductsDocAccessFields_priceJSON_Create
+ read: ProductsDocAccessFields_priceJSON_Read
+ update: ProductsDocAccessFields_priceJSON_Update
+ delete: ProductsDocAccessFields_priceJSON_Delete
}
-type CategoriesDocAccessFields_breadcrumbs_url_Create {
+type ProductsDocAccessFields_priceJSON_Create {
permission: Boolean!
}
-type CategoriesDocAccessFields_breadcrumbs_url_Read {
+type ProductsDocAccessFields_priceJSON_Read {
permission: Boolean!
}
-type CategoriesDocAccessFields_breadcrumbs_url_Update {
+type ProductsDocAccessFields_priceJSON_Update {
permission: Boolean!
}
-type CategoriesDocAccessFields_breadcrumbs_url_Delete {
+type ProductsDocAccessFields_priceJSON_Delete {
permission: Boolean!
}
-type CategoriesDocAccessFields_breadcrumbs_label {
- create: CategoriesDocAccessFields_breadcrumbs_label_Create
- read: CategoriesDocAccessFields_breadcrumbs_label_Read
- update: CategoriesDocAccessFields_breadcrumbs_label_Update
- delete: CategoriesDocAccessFields_breadcrumbs_label_Delete
+type ProductsDocAccessFields_enablePaywall {
+ create: ProductsDocAccessFields_enablePaywall_Create
+ read: ProductsDocAccessFields_enablePaywall_Read
+ update: ProductsDocAccessFields_enablePaywall_Update
+ delete: ProductsDocAccessFields_enablePaywall_Delete
}
-type CategoriesDocAccessFields_breadcrumbs_label_Create {
+type ProductsDocAccessFields_enablePaywall_Create {
permission: Boolean!
}
-type CategoriesDocAccessFields_breadcrumbs_label_Read {
+type ProductsDocAccessFields_enablePaywall_Read {
permission: Boolean!
}
-type CategoriesDocAccessFields_breadcrumbs_label_Update {
+type ProductsDocAccessFields_enablePaywall_Update {
permission: Boolean!
}
-type CategoriesDocAccessFields_breadcrumbs_label_Delete {
+type ProductsDocAccessFields_enablePaywall_Delete {
permission: Boolean!
}
-type CategoriesDocAccessFields_breadcrumbs_id {
- create: CategoriesDocAccessFields_breadcrumbs_id_Create
- read: CategoriesDocAccessFields_breadcrumbs_id_Read
- update: CategoriesDocAccessFields_breadcrumbs_id_Update
- delete: CategoriesDocAccessFields_breadcrumbs_id_Delete
+type ProductsDocAccessFields_paywall {
+ create: ProductsDocAccessFields_paywall_Create
+ read: ProductsDocAccessFields_paywall_Read
+ update: ProductsDocAccessFields_paywall_Update
+ delete: ProductsDocAccessFields_paywall_Delete
}
-type CategoriesDocAccessFields_breadcrumbs_id_Create {
+type ProductsDocAccessFields_paywall_Create {
permission: Boolean!
}
-type CategoriesDocAccessFields_breadcrumbs_id_Read {
+type ProductsDocAccessFields_paywall_Read {
permission: Boolean!
}
-type CategoriesDocAccessFields_breadcrumbs_id_Update {
+type ProductsDocAccessFields_paywall_Update {
permission: Boolean!
}
-type CategoriesDocAccessFields_breadcrumbs_id_Delete {
+type ProductsDocAccessFields_paywall_Delete {
permission: Boolean!
}
-type CategoriesDocAccessFields_updatedAt {
- create: CategoriesDocAccessFields_updatedAt_Create
- read: CategoriesDocAccessFields_updatedAt_Read
- update: CategoriesDocAccessFields_updatedAt_Update
- delete: CategoriesDocAccessFields_updatedAt_Delete
+type ProductsDocAccessFields_categories {
+ create: ProductsDocAccessFields_categories_Create
+ read: ProductsDocAccessFields_categories_Read
+ update: ProductsDocAccessFields_categories_Update
+ delete: ProductsDocAccessFields_categories_Delete
}
-type CategoriesDocAccessFields_updatedAt_Create {
+type ProductsDocAccessFields_categories_Create {
permission: Boolean!
}
-type CategoriesDocAccessFields_updatedAt_Read {
+type ProductsDocAccessFields_categories_Read {
permission: Boolean!
}
-type CategoriesDocAccessFields_updatedAt_Update {
+type ProductsDocAccessFields_categories_Update {
permission: Boolean!
}
-type CategoriesDocAccessFields_updatedAt_Delete {
+type ProductsDocAccessFields_categories_Delete {
permission: Boolean!
}
-type CategoriesDocAccessFields_createdAt {
- create: CategoriesDocAccessFields_createdAt_Create
- read: CategoriesDocAccessFields_createdAt_Read
- update: CategoriesDocAccessFields_createdAt_Update
- delete: CategoriesDocAccessFields_createdAt_Delete
+type ProductsDocAccessFields_slug {
+ create: ProductsDocAccessFields_slug_Create
+ read: ProductsDocAccessFields_slug_Read
+ update: ProductsDocAccessFields_slug_Update
+ delete: ProductsDocAccessFields_slug_Delete
}
-type CategoriesDocAccessFields_createdAt_Create {
+type ProductsDocAccessFields_slug_Create {
permission: Boolean!
}
-type CategoriesDocAccessFields_createdAt_Read {
+type ProductsDocAccessFields_slug_Read {
permission: Boolean!
}
-type CategoriesDocAccessFields_createdAt_Update {
+type ProductsDocAccessFields_slug_Update {
permission: Boolean!
}
-type CategoriesDocAccessFields_createdAt_Delete {
+type ProductsDocAccessFields_slug_Delete {
permission: Boolean!
}
-type CategoriesCreateDocAccess {
- permission: Boolean!
- where: JSONObject
+type ProductsDocAccessFields_skipSync {
+ create: ProductsDocAccessFields_skipSync_Create
+ read: ProductsDocAccessFields_skipSync_Read
+ update: ProductsDocAccessFields_skipSync_Update
+ delete: ProductsDocAccessFields_skipSync_Delete
}
-type CategoriesReadDocAccess {
+type ProductsDocAccessFields_skipSync_Create {
permission: Boolean!
- where: JSONObject
}
-type CategoriesUpdateDocAccess {
+type ProductsDocAccessFields_skipSync_Read {
permission: Boolean!
- where: JSONObject
}
-type CategoriesDeleteDocAccess {
+type ProductsDocAccessFields_skipSync_Update {
permission: Boolean!
- where: JSONObject
}
-type Pages {
- docs: [Page]
- totalDocs: Int
- offset: Int
- limit: Int
- totalPages: Int
- page: Int
- pagingCounter: Int
- hasPrevPage: Boolean
- hasNextPage: Boolean
- prevPage: Int
- nextPage: Int
+type ProductsDocAccessFields_skipSync_Delete {
+ permission: Boolean!
}
-input Page_where {
- title: Page_title_operator
- publishedDate: Page_publishedDate_operator
- hero__type: Page_hero__type_operator
- hero__richText: Page_hero__richText_operator
- hero__links__link__type: Page_hero__links__link__type_operator
- hero__links__link__newTab: Page_hero__links__link__newTab_operator
- hero__links__link__reference: Page_hero__links__link__reference_Relation
- hero__links__link__url: Page_hero__links__link__url_operator
- hero__links__link__label: Page_hero__links__link__label_operator
- hero__links__link__appearance: Page_hero__links__link__appearance_operator
- hero__links__id: Page_hero__links__id_operator
- hero__media: Page_hero__media_operator
- slug: Page_slug_operator
- meta__title: Page_meta__title_operator
- meta__description: Page_meta__description_operator
- meta__image: Page_meta__image_operator
- updatedAt: Page_updatedAt_operator
- createdAt: Page_createdAt_operator
- _status: Page__status_operator
- id: Page_id_operator
- OR: [Page_where_or]
- AND: [Page_where_and]
+type ProductsDocAccessFields_meta {
+ create: ProductsDocAccessFields_meta_Create
+ read: ProductsDocAccessFields_meta_Read
+ update: ProductsDocAccessFields_meta_Update
+ delete: ProductsDocAccessFields_meta_Delete
+ fields: ProductsDocAccessFields_meta_Fields
}
-input Page_title_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
+type ProductsDocAccessFields_meta_Create {
+ permission: Boolean!
}
-input Page_publishedDate_operator {
- equals: DateTime
- not_equals: DateTime
- greater_than_equal: DateTime
- greater_than: DateTime
- less_than_equal: DateTime
- less_than: DateTime
- like: DateTime
- exists: Boolean
+type ProductsDocAccessFields_meta_Read {
+ permission: Boolean!
}
-input Page_hero__type_operator {
- equals: Page_hero__type_Input
- not_equals: Page_hero__type_Input
- in: [Page_hero__type_Input]
- not_in: [Page_hero__type_Input]
- all: [Page_hero__type_Input]
+type ProductsDocAccessFields_meta_Update {
+ permission: Boolean!
}
-enum Page_hero__type_Input {
- none
- highImpact
- mediumImpact
- lowImpact
+type ProductsDocAccessFields_meta_Delete {
+ permission: Boolean!
}
-input Page_hero__richText_operator {
- equals: JSON
- not_equals: JSON
- like: JSON
- contains: JSON
+type ProductsDocAccessFields_meta_Fields {
+ overview: ProductsDocAccessFields_meta_overview
+ title: ProductsDocAccessFields_meta_title
+ description: ProductsDocAccessFields_meta_description
+ image: ProductsDocAccessFields_meta_image
+ preview: ProductsDocAccessFields_meta_preview
}
-input Page_hero__links__link__type_operator {
- equals: Page_hero__links__link__type_Input
- not_equals: Page_hero__links__link__type_Input
- in: [Page_hero__links__link__type_Input]
- not_in: [Page_hero__links__link__type_Input]
- all: [Page_hero__links__link__type_Input]
- exists: Boolean
+type ProductsDocAccessFields_meta_overview {
+ create: ProductsDocAccessFields_meta_overview_Create
+ read: ProductsDocAccessFields_meta_overview_Read
+ update: ProductsDocAccessFields_meta_overview_Update
+ delete: ProductsDocAccessFields_meta_overview_Delete
}
-enum Page_hero__links__link__type_Input {
- reference
- custom
+type ProductsDocAccessFields_meta_overview_Create {
+ permission: Boolean!
}
-input Page_hero__links__link__newTab_operator {
- equals: Boolean
- not_equals: Boolean
- exists: Boolean
+type ProductsDocAccessFields_meta_overview_Read {
+ permission: Boolean!
}
-input Page_hero__links__link__reference_Relation {
- relationTo: Page_hero__links__link__reference_Relation_RelationTo
- value: String
+type ProductsDocAccessFields_meta_overview_Update {
+ permission: Boolean!
}
-enum Page_hero__links__link__reference_Relation_RelationTo {
- pages
+type ProductsDocAccessFields_meta_overview_Delete {
+ permission: Boolean!
}
-input Page_hero__links__link__url_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
+type ProductsDocAccessFields_meta_title {
+ create: ProductsDocAccessFields_meta_title_Create
+ read: ProductsDocAccessFields_meta_title_Read
+ update: ProductsDocAccessFields_meta_title_Update
+ delete: ProductsDocAccessFields_meta_title_Delete
}
-input Page_hero__links__link__label_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
+type ProductsDocAccessFields_meta_title_Create {
+ permission: Boolean!
}
-input Page_hero__links__link__appearance_operator {
- equals: Page_hero__links__link__appearance_Input
- not_equals: Page_hero__links__link__appearance_Input
- in: [Page_hero__links__link__appearance_Input]
- not_in: [Page_hero__links__link__appearance_Input]
- all: [Page_hero__links__link__appearance_Input]
- exists: Boolean
+type ProductsDocAccessFields_meta_title_Read {
+ permission: Boolean!
}
-enum Page_hero__links__link__appearance_Input {
- default
- primary
- secondary
+type ProductsDocAccessFields_meta_title_Update {
+ permission: Boolean!
}
-input Page_hero__links__id_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
- exists: Boolean
+type ProductsDocAccessFields_meta_title_Delete {
+ permission: Boolean!
}
-input Page_hero__media_operator {
- equals: String
- not_equals: String
+type ProductsDocAccessFields_meta_description {
+ create: ProductsDocAccessFields_meta_description_Create
+ read: ProductsDocAccessFields_meta_description_Read
+ update: ProductsDocAccessFields_meta_description_Update
+ delete: ProductsDocAccessFields_meta_description_Delete
}
-input Page_slug_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
- exists: Boolean
+type ProductsDocAccessFields_meta_description_Create {
+ permission: Boolean!
}
-input Page_meta__title_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
- exists: Boolean
+type ProductsDocAccessFields_meta_description_Read {
+ permission: Boolean!
}
-input Page_meta__description_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- exists: Boolean
+type ProductsDocAccessFields_meta_description_Update {
+ permission: Boolean!
}
-input Page_meta__image_operator {
- equals: String
- not_equals: String
- exists: Boolean
+type ProductsDocAccessFields_meta_description_Delete {
+ permission: Boolean!
}
-input Page_updatedAt_operator {
- equals: DateTime
- not_equals: DateTime
- greater_than_equal: DateTime
- greater_than: DateTime
- less_than_equal: DateTime
- less_than: DateTime
- like: DateTime
- exists: Boolean
+type ProductsDocAccessFields_meta_image {
+ create: ProductsDocAccessFields_meta_image_Create
+ read: ProductsDocAccessFields_meta_image_Read
+ update: ProductsDocAccessFields_meta_image_Update
+ delete: ProductsDocAccessFields_meta_image_Delete
}
-input Page_createdAt_operator {
- equals: DateTime
- not_equals: DateTime
- greater_than_equal: DateTime
- greater_than: DateTime
- less_than_equal: DateTime
- less_than: DateTime
- like: DateTime
- exists: Boolean
+type ProductsDocAccessFields_meta_image_Create {
+ permission: Boolean!
}
-input Page__status_operator {
- equals: Page__status_Input
- not_equals: Page__status_Input
- in: [Page__status_Input]
- not_in: [Page__status_Input]
- all: [Page__status_Input]
- exists: Boolean
+type ProductsDocAccessFields_meta_image_Read {
+ permission: Boolean!
}
-enum Page__status_Input {
- draft
- published
+type ProductsDocAccessFields_meta_image_Update {
+ permission: Boolean!
}
-input Page_id_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
- exists: Boolean
+type ProductsDocAccessFields_meta_image_Delete {
+ permission: Boolean!
}
-input Page_where_or {
- title: Page_title_operator
- publishedDate: Page_publishedDate_operator
- hero__type: Page_hero__type_operator
- hero__richText: Page_hero__richText_operator
- hero__links__link__type: Page_hero__links__link__type_operator
- hero__links__link__newTab: Page_hero__links__link__newTab_operator
- hero__links__link__reference: Page_hero__links__link__reference_Relation
- hero__links__link__url: Page_hero__links__link__url_operator
- hero__links__link__label: Page_hero__links__link__label_operator
- hero__links__link__appearance: Page_hero__links__link__appearance_operator
- hero__links__id: Page_hero__links__id_operator
- hero__media: Page_hero__media_operator
- slug: Page_slug_operator
- meta__title: Page_meta__title_operator
- meta__description: Page_meta__description_operator
- meta__image: Page_meta__image_operator
- updatedAt: Page_updatedAt_operator
- createdAt: Page_createdAt_operator
- _status: Page__status_operator
- id: Page_id_operator
+type ProductsDocAccessFields_meta_preview {
+ create: ProductsDocAccessFields_meta_preview_Create
+ read: ProductsDocAccessFields_meta_preview_Read
+ update: ProductsDocAccessFields_meta_preview_Update
+ delete: ProductsDocAccessFields_meta_preview_Delete
}
-input Page_where_and {
- title: Page_title_operator
- publishedDate: Page_publishedDate_operator
- hero__type: Page_hero__type_operator
- hero__richText: Page_hero__richText_operator
- hero__links__link__type: Page_hero__links__link__type_operator
- hero__links__link__newTab: Page_hero__links__link__newTab_operator
- hero__links__link__reference: Page_hero__links__link__reference_Relation
- hero__links__link__url: Page_hero__links__link__url_operator
- hero__links__link__label: Page_hero__links__link__label_operator
- hero__links__link__appearance: Page_hero__links__link__appearance_operator
- hero__links__id: Page_hero__links__id_operator
- hero__media: Page_hero__media_operator
- slug: Page_slug_operator
- meta__title: Page_meta__title_operator
- meta__description: Page_meta__description_operator
- meta__image: Page_meta__image_operator
- updatedAt: Page_updatedAt_operator
- createdAt: Page_createdAt_operator
- _status: Page__status_operator
- id: Page_id_operator
+type ProductsDocAccessFields_meta_preview_Create {
+ permission: Boolean!
}
-type pagesDocAccess {
- fields: PagesDocAccessFields
- create: PagesCreateDocAccess
- read: PagesReadDocAccess
- update: PagesUpdateDocAccess
- delete: PagesDeleteDocAccess
- readVersions: PagesReadVersionsDocAccess
+type ProductsDocAccessFields_meta_preview_Read {
+ permission: Boolean!
}
-type PagesDocAccessFields {
- title: PagesDocAccessFields_title
- publishedDate: PagesDocAccessFields_publishedDate
- hero: PagesDocAccessFields_hero
- layout: PagesDocAccessFields_layout
- slug: PagesDocAccessFields_slug
- meta: PagesDocAccessFields_meta
- updatedAt: PagesDocAccessFields_updatedAt
- createdAt: PagesDocAccessFields_createdAt
- _status: PagesDocAccessFields__status
+type ProductsDocAccessFields_meta_preview_Update {
+ permission: Boolean!
}
-type PagesDocAccessFields_title {
- create: PagesDocAccessFields_title_Create
- read: PagesDocAccessFields_title_Read
- update: PagesDocAccessFields_title_Update
- delete: PagesDocAccessFields_title_Delete
+type ProductsDocAccessFields_meta_preview_Delete {
+ permission: Boolean!
}
-type PagesDocAccessFields_title_Create {
+type ProductsDocAccessFields_updatedAt {
+ create: ProductsDocAccessFields_updatedAt_Create
+ read: ProductsDocAccessFields_updatedAt_Read
+ update: ProductsDocAccessFields_updatedAt_Update
+ delete: ProductsDocAccessFields_updatedAt_Delete
+}
+
+type ProductsDocAccessFields_updatedAt_Create {
permission: Boolean!
}
-type PagesDocAccessFields_title_Read {
+type ProductsDocAccessFields_updatedAt_Read {
permission: Boolean!
}
-type PagesDocAccessFields_title_Update {
+type ProductsDocAccessFields_updatedAt_Update {
permission: Boolean!
}
-type PagesDocAccessFields_title_Delete {
+type ProductsDocAccessFields_updatedAt_Delete {
permission: Boolean!
}
-type PagesDocAccessFields_publishedDate {
- create: PagesDocAccessFields_publishedDate_Create
- read: PagesDocAccessFields_publishedDate_Read
- update: PagesDocAccessFields_publishedDate_Update
- delete: PagesDocAccessFields_publishedDate_Delete
+type ProductsDocAccessFields_createdAt {
+ create: ProductsDocAccessFields_createdAt_Create
+ read: ProductsDocAccessFields_createdAt_Read
+ update: ProductsDocAccessFields_createdAt_Update
+ delete: ProductsDocAccessFields_createdAt_Delete
}
-type PagesDocAccessFields_publishedDate_Create {
+type ProductsDocAccessFields_createdAt_Create {
permission: Boolean!
}
-type PagesDocAccessFields_publishedDate_Read {
+type ProductsDocAccessFields_createdAt_Read {
permission: Boolean!
}
-type PagesDocAccessFields_publishedDate_Update {
+type ProductsDocAccessFields_createdAt_Update {
permission: Boolean!
}
-type PagesDocAccessFields_publishedDate_Delete {
+type ProductsDocAccessFields_createdAt_Delete {
permission: Boolean!
}
-type PagesDocAccessFields_hero {
- create: PagesDocAccessFields_hero_Create
- read: PagesDocAccessFields_hero_Read
- update: PagesDocAccessFields_hero_Update
- delete: PagesDocAccessFields_hero_Delete
- fields: PagesDocAccessFields_hero_Fields
+type ProductsDocAccessFields__status {
+ create: ProductsDocAccessFields__status_Create
+ read: ProductsDocAccessFields__status_Read
+ update: ProductsDocAccessFields__status_Update
+ delete: ProductsDocAccessFields__status_Delete
}
-type PagesDocAccessFields_hero_Create {
+type ProductsDocAccessFields__status_Create {
permission: Boolean!
}
-type PagesDocAccessFields_hero_Read {
+type ProductsDocAccessFields__status_Read {
permission: Boolean!
}
-type PagesDocAccessFields_hero_Update {
+type ProductsDocAccessFields__status_Update {
permission: Boolean!
}
-type PagesDocAccessFields_hero_Delete {
+type ProductsDocAccessFields__status_Delete {
permission: Boolean!
}
-type PagesDocAccessFields_hero_Fields {
- type: PagesDocAccessFields_hero_type
- richText: PagesDocAccessFields_hero_richText
- links: PagesDocAccessFields_hero_links
- media: PagesDocAccessFields_hero_media
-}
-
-type PagesDocAccessFields_hero_type {
- create: PagesDocAccessFields_hero_type_Create
- read: PagesDocAccessFields_hero_type_Read
- update: PagesDocAccessFields_hero_type_Update
- delete: PagesDocAccessFields_hero_type_Delete
+type ProductsCreateDocAccess {
+ permission: Boolean!
+ where: JSONObject
}
-type PagesDocAccessFields_hero_type_Create {
+type ProductsReadDocAccess {
permission: Boolean!
+ where: JSONObject
}
-type PagesDocAccessFields_hero_type_Read {
+type ProductsUpdateDocAccess {
permission: Boolean!
+ where: JSONObject
}
-type PagesDocAccessFields_hero_type_Update {
+type ProductsDeleteDocAccess {
permission: Boolean!
+ where: JSONObject
}
-type PagesDocAccessFields_hero_type_Delete {
+type ProductsReadVersionsDocAccess {
permission: Boolean!
+ where: JSONObject
}
-type PagesDocAccessFields_hero_richText {
- create: PagesDocAccessFields_hero_richText_Create
- read: PagesDocAccessFields_hero_richText_Read
- update: PagesDocAccessFields_hero_richText_Update
- delete: PagesDocAccessFields_hero_richText_Delete
+type ProductVersion {
+ parent: Product
+ version: ProductVersion_Version
+ createdAt: DateTime
+ updatedAt: DateTime
+ id: String
}
-type PagesDocAccessFields_hero_richText_Create {
- permission: Boolean!
+type ProductVersion_Version {
+ title: String
+ publishedDate: DateTime
+ layout: [ProductVersion_Version_Layout!]!
+ stripeProductID: String
+ priceJSON: String
+ enablePaywall: Boolean
+ paywall: [ProductVersion_Version_Paywall!]
+ categories: [Category!]
+ slug: String
+ skipSync: Boolean
+ meta: ProductVersion_Version_Meta
+ updatedAt: DateTime
+ createdAt: DateTime
+ _status: ProductVersion_Version__status
}
-type PagesDocAccessFields_hero_richText_Read {
- permission: Boolean!
-}
+union ProductVersion_Version_Layout = Cta | Content | MediaBlock | Archive
-type PagesDocAccessFields_hero_richText_Update {
- permission: Boolean!
-}
+union ProductVersion_Version_Paywall = Cta | Content | MediaBlock | Archive
-type PagesDocAccessFields_hero_richText_Delete {
- permission: Boolean!
+type ProductVersion_Version_Meta {
+ title: String
+ description: String
+ image(where: ProductVersion_Version_Meta_Image_where): Media
}
-type PagesDocAccessFields_hero_links {
- create: PagesDocAccessFields_hero_links_Create
- read: PagesDocAccessFields_hero_links_Read
- update: PagesDocAccessFields_hero_links_Update
- delete: PagesDocAccessFields_hero_links_Delete
- fields: PagesDocAccessFields_hero_links_Fields
+input ProductVersion_Version_Meta_Image_where {
+ alt: ProductVersion_Version_Meta_Image_alt_operator
+ caption: ProductVersion_Version_Meta_Image_caption_operator
+ updatedAt: ProductVersion_Version_Meta_Image_updatedAt_operator
+ createdAt: ProductVersion_Version_Meta_Image_createdAt_operator
+ url: ProductVersion_Version_Meta_Image_url_operator
+ filename: ProductVersion_Version_Meta_Image_filename_operator
+ mimeType: ProductVersion_Version_Meta_Image_mimeType_operator
+ filesize: ProductVersion_Version_Meta_Image_filesize_operator
+ width: ProductVersion_Version_Meta_Image_width_operator
+ height: ProductVersion_Version_Meta_Image_height_operator
+ id: ProductVersion_Version_Meta_Image_id_operator
+ OR: [ProductVersion_Version_Meta_Image_where_or]
+ AND: [ProductVersion_Version_Meta_Image_where_and]
}
-type PagesDocAccessFields_hero_links_Create {
- permission: Boolean!
+input ProductVersion_Version_Meta_Image_alt_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
}
-type PagesDocAccessFields_hero_links_Read {
- permission: Boolean!
+input ProductVersion_Version_Meta_Image_caption_operator {
+ equals: JSON
+ not_equals: JSON
+ like: JSON
+ contains: JSON
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_Update {
- permission: Boolean!
+input ProductVersion_Version_Meta_Image_updatedAt_operator {
+ equals: DateTime
+ not_equals: DateTime
+ greater_than_equal: DateTime
+ greater_than: DateTime
+ less_than_equal: DateTime
+ less_than: DateTime
+ like: DateTime
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_Delete {
- permission: Boolean!
+input ProductVersion_Version_Meta_Image_createdAt_operator {
+ equals: DateTime
+ not_equals: DateTime
+ greater_than_equal: DateTime
+ greater_than: DateTime
+ less_than_equal: DateTime
+ less_than: DateTime
+ like: DateTime
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_Fields {
- link: PagesDocAccessFields_hero_links_link
- id: PagesDocAccessFields_hero_links_id
+input ProductVersion_Version_Meta_Image_url_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_link {
- create: PagesDocAccessFields_hero_links_link_Create
- read: PagesDocAccessFields_hero_links_link_Read
- update: PagesDocAccessFields_hero_links_link_Update
- delete: PagesDocAccessFields_hero_links_link_Delete
- fields: PagesDocAccessFields_hero_links_link_Fields
+input ProductVersion_Version_Meta_Image_filename_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_link_Create {
- permission: Boolean!
+input ProductVersion_Version_Meta_Image_mimeType_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_link_Read {
- permission: Boolean!
+input ProductVersion_Version_Meta_Image_filesize_operator {
+ equals: Float
+ not_equals: Float
+ greater_than_equal: Float
+ greater_than: Float
+ less_than_equal: Float
+ less_than: Float
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_link_Update {
- permission: Boolean!
+input ProductVersion_Version_Meta_Image_width_operator {
+ equals: Float
+ not_equals: Float
+ greater_than_equal: Float
+ greater_than: Float
+ less_than_equal: Float
+ less_than: Float
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_link_Delete {
- permission: Boolean!
+input ProductVersion_Version_Meta_Image_height_operator {
+ equals: Float
+ not_equals: Float
+ greater_than_equal: Float
+ greater_than: Float
+ less_than_equal: Float
+ less_than: Float
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_link_Fields {
- type: PagesDocAccessFields_hero_links_link_type
- newTab: PagesDocAccessFields_hero_links_link_newTab
- reference: PagesDocAccessFields_hero_links_link_reference
- url: PagesDocAccessFields_hero_links_link_url
- label: PagesDocAccessFields_hero_links_link_label
- appearance: PagesDocAccessFields_hero_links_link_appearance
-}
-
-type PagesDocAccessFields_hero_links_link_type {
- create: PagesDocAccessFields_hero_links_link_type_Create
- read: PagesDocAccessFields_hero_links_link_type_Read
- update: PagesDocAccessFields_hero_links_link_type_Update
- delete: PagesDocAccessFields_hero_links_link_type_Delete
+input ProductVersion_Version_Meta_Image_id_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_link_type_Create {
- permission: Boolean!
+input ProductVersion_Version_Meta_Image_where_or {
+ alt: ProductVersion_Version_Meta_Image_alt_operator
+ caption: ProductVersion_Version_Meta_Image_caption_operator
+ updatedAt: ProductVersion_Version_Meta_Image_updatedAt_operator
+ createdAt: ProductVersion_Version_Meta_Image_createdAt_operator
+ url: ProductVersion_Version_Meta_Image_url_operator
+ filename: ProductVersion_Version_Meta_Image_filename_operator
+ mimeType: ProductVersion_Version_Meta_Image_mimeType_operator
+ filesize: ProductVersion_Version_Meta_Image_filesize_operator
+ width: ProductVersion_Version_Meta_Image_width_operator
+ height: ProductVersion_Version_Meta_Image_height_operator
+ id: ProductVersion_Version_Meta_Image_id_operator
}
-type PagesDocAccessFields_hero_links_link_type_Read {
- permission: Boolean!
+input ProductVersion_Version_Meta_Image_where_and {
+ alt: ProductVersion_Version_Meta_Image_alt_operator
+ caption: ProductVersion_Version_Meta_Image_caption_operator
+ updatedAt: ProductVersion_Version_Meta_Image_updatedAt_operator
+ createdAt: ProductVersion_Version_Meta_Image_createdAt_operator
+ url: ProductVersion_Version_Meta_Image_url_operator
+ filename: ProductVersion_Version_Meta_Image_filename_operator
+ mimeType: ProductVersion_Version_Meta_Image_mimeType_operator
+ filesize: ProductVersion_Version_Meta_Image_filesize_operator
+ width: ProductVersion_Version_Meta_Image_width_operator
+ height: ProductVersion_Version_Meta_Image_height_operator
+ id: ProductVersion_Version_Meta_Image_id_operator
}
-type PagesDocAccessFields_hero_links_link_type_Update {
- permission: Boolean!
+enum ProductVersion_Version__status {
+ draft
+ published
}
-type PagesDocAccessFields_hero_links_link_type_Delete {
- permission: Boolean!
+type versionsProducts {
+ docs: [ProductVersion]
+ totalDocs: Int
+ offset: Int
+ limit: Int
+ totalPages: Int
+ page: Int
+ pagingCounter: Int
+ hasPrevPage: Boolean
+ hasNextPage: Boolean
+ prevPage: Int
+ nextPage: Int
}
-type PagesDocAccessFields_hero_links_link_newTab {
- create: PagesDocAccessFields_hero_links_link_newTab_Create
- read: PagesDocAccessFields_hero_links_link_newTab_Read
- update: PagesDocAccessFields_hero_links_link_newTab_Update
- delete: PagesDocAccessFields_hero_links_link_newTab_Delete
+input versionsProduct_where {
+ parent: versionsProduct_parent_operator
+ version__title: versionsProduct_version__title_operator
+ version__publishedDate: versionsProduct_version__publishedDate_operator
+ version__stripeProductID: versionsProduct_version__stripeProductID_operator
+ version__priceJSON: versionsProduct_version__priceJSON_operator
+ version__enablePaywall: versionsProduct_version__enablePaywall_operator
+ version__categories: versionsProduct_version__categories_operator
+ version__slug: versionsProduct_version__slug_operator
+ version__skipSync: versionsProduct_version__skipSync_operator
+ version__meta__title: versionsProduct_version__meta__title_operator
+ version__meta__description: versionsProduct_version__meta__description_operator
+ version__meta__image: versionsProduct_version__meta__image_operator
+ version__updatedAt: versionsProduct_version__updatedAt_operator
+ version__createdAt: versionsProduct_version__createdAt_operator
+ version___status: versionsProduct_version___status_operator
+ createdAt: versionsProduct_createdAt_operator
+ updatedAt: versionsProduct_updatedAt_operator
+ id: versionsProduct_id_operator
+ OR: [versionsProduct_where_or]
+ AND: [versionsProduct_where_and]
}
-type PagesDocAccessFields_hero_links_link_newTab_Create {
- permission: Boolean!
+input versionsProduct_parent_operator {
+ equals: String
+ not_equals: String
+ in: [String]
+ not_in: [String]
+ all: [String]
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_link_newTab_Read {
- permission: Boolean!
+input versionsProduct_version__title_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
}
-type PagesDocAccessFields_hero_links_link_newTab_Update {
- permission: Boolean!
+input versionsProduct_version__publishedDate_operator {
+ equals: DateTime
+ not_equals: DateTime
+ greater_than_equal: DateTime
+ greater_than: DateTime
+ less_than_equal: DateTime
+ less_than: DateTime
+ like: DateTime
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_link_newTab_Delete {
- permission: Boolean!
+input versionsProduct_version__stripeProductID_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_link_reference {
- create: PagesDocAccessFields_hero_links_link_reference_Create
- read: PagesDocAccessFields_hero_links_link_reference_Read
- update: PagesDocAccessFields_hero_links_link_reference_Update
- delete: PagesDocAccessFields_hero_links_link_reference_Delete
+input versionsProduct_version__priceJSON_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_link_reference_Create {
- permission: Boolean!
+input versionsProduct_version__enablePaywall_operator {
+ equals: Boolean
+ not_equals: Boolean
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_link_reference_Read {
- permission: Boolean!
+input versionsProduct_version__categories_operator {
+ equals: [String]
+ not_equals: [String]
+ in: [[String]]
+ not_in: [[String]]
+ all: [[String]]
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_link_reference_Update {
- permission: Boolean!
+input versionsProduct_version__slug_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_link_reference_Delete {
- permission: Boolean!
+input versionsProduct_version__skipSync_operator {
+ equals: Boolean
+ not_equals: Boolean
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_link_url {
- create: PagesDocAccessFields_hero_links_link_url_Create
- read: PagesDocAccessFields_hero_links_link_url_Read
- update: PagesDocAccessFields_hero_links_link_url_Update
- delete: PagesDocAccessFields_hero_links_link_url_Delete
+input versionsProduct_version__meta__title_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_link_url_Create {
- permission: Boolean!
+input versionsProduct_version__meta__description_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_link_url_Read {
- permission: Boolean!
+input versionsProduct_version__meta__image_operator {
+ equals: String
+ not_equals: String
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_link_url_Update {
- permission: Boolean!
+input versionsProduct_version__updatedAt_operator {
+ equals: DateTime
+ not_equals: DateTime
+ greater_than_equal: DateTime
+ greater_than: DateTime
+ less_than_equal: DateTime
+ less_than: DateTime
+ like: DateTime
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_link_url_Delete {
- permission: Boolean!
+input versionsProduct_version__createdAt_operator {
+ equals: DateTime
+ not_equals: DateTime
+ greater_than_equal: DateTime
+ greater_than: DateTime
+ less_than_equal: DateTime
+ less_than: DateTime
+ like: DateTime
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_link_label {
- create: PagesDocAccessFields_hero_links_link_label_Create
- read: PagesDocAccessFields_hero_links_link_label_Read
- update: PagesDocAccessFields_hero_links_link_label_Update
- delete: PagesDocAccessFields_hero_links_link_label_Delete
+input versionsProduct_version___status_operator {
+ equals: versionsProduct_version___status_Input
+ not_equals: versionsProduct_version___status_Input
+ in: [versionsProduct_version___status_Input]
+ not_in: [versionsProduct_version___status_Input]
+ all: [versionsProduct_version___status_Input]
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_link_label_Create {
- permission: Boolean!
+enum versionsProduct_version___status_Input {
+ draft
+ published
}
-type PagesDocAccessFields_hero_links_link_label_Read {
- permission: Boolean!
+input versionsProduct_createdAt_operator {
+ equals: DateTime
+ not_equals: DateTime
+ greater_than_equal: DateTime
+ greater_than: DateTime
+ less_than_equal: DateTime
+ less_than: DateTime
+ like: DateTime
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_link_label_Update {
- permission: Boolean!
-}
+input versionsProduct_updatedAt_operator {
+ equals: DateTime
+ not_equals: DateTime
+ greater_than_equal: DateTime
+ greater_than: DateTime
+ less_than_equal: DateTime
+ less_than: DateTime
+ like: DateTime
+ exists: Boolean
+}
-type PagesDocAccessFields_hero_links_link_label_Delete {
- permission: Boolean!
+input versionsProduct_id_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
+ exists: Boolean
}
-type PagesDocAccessFields_hero_links_link_appearance {
- create: PagesDocAccessFields_hero_links_link_appearance_Create
- read: PagesDocAccessFields_hero_links_link_appearance_Read
- update: PagesDocAccessFields_hero_links_link_appearance_Update
- delete: PagesDocAccessFields_hero_links_link_appearance_Delete
+input versionsProduct_where_or {
+ parent: versionsProduct_parent_operator
+ version__title: versionsProduct_version__title_operator
+ version__publishedDate: versionsProduct_version__publishedDate_operator
+ version__stripeProductID: versionsProduct_version__stripeProductID_operator
+ version__priceJSON: versionsProduct_version__priceJSON_operator
+ version__enablePaywall: versionsProduct_version__enablePaywall_operator
+ version__categories: versionsProduct_version__categories_operator
+ version__slug: versionsProduct_version__slug_operator
+ version__skipSync: versionsProduct_version__skipSync_operator
+ version__meta__title: versionsProduct_version__meta__title_operator
+ version__meta__description: versionsProduct_version__meta__description_operator
+ version__meta__image: versionsProduct_version__meta__image_operator
+ version__updatedAt: versionsProduct_version__updatedAt_operator
+ version__createdAt: versionsProduct_version__createdAt_operator
+ version___status: versionsProduct_version___status_operator
+ createdAt: versionsProduct_createdAt_operator
+ updatedAt: versionsProduct_updatedAt_operator
+ id: versionsProduct_id_operator
}
-type PagesDocAccessFields_hero_links_link_appearance_Create {
- permission: Boolean!
+input versionsProduct_where_and {
+ parent: versionsProduct_parent_operator
+ version__title: versionsProduct_version__title_operator
+ version__publishedDate: versionsProduct_version__publishedDate_operator
+ version__stripeProductID: versionsProduct_version__stripeProductID_operator
+ version__priceJSON: versionsProduct_version__priceJSON_operator
+ version__enablePaywall: versionsProduct_version__enablePaywall_operator
+ version__categories: versionsProduct_version__categories_operator
+ version__slug: versionsProduct_version__slug_operator
+ version__skipSync: versionsProduct_version__skipSync_operator
+ version__meta__title: versionsProduct_version__meta__title_operator
+ version__meta__description: versionsProduct_version__meta__description_operator
+ version__meta__image: versionsProduct_version__meta__image_operator
+ version__updatedAt: versionsProduct_version__updatedAt_operator
+ version__createdAt: versionsProduct_version__createdAt_operator
+ version___status: versionsProduct_version___status_operator
+ createdAt: versionsProduct_createdAt_operator
+ updatedAt: versionsProduct_updatedAt_operator
+ id: versionsProduct_id_operator
}
-type PagesDocAccessFields_hero_links_link_appearance_Read {
- permission: Boolean!
+type Order {
+ id: String
+ orderedBy: User
+ stripePaymentIntentID: String
+ total: Float!
+ items: [Order_Items!]
+ updatedAt: DateTime
+ createdAt: DateTime
}
-type PagesDocAccessFields_hero_links_link_appearance_Update {
- permission: Boolean!
+type User {
+ id: String
+ name: String
+ roles: [User_roles!]
+ purchases: [Product!]
+ stripeCustomerID: String
+ cart: User_Cart
+ skipSync: Boolean
+ updatedAt: DateTime
+ createdAt: DateTime
+ email: EmailAddress!
+ resetPasswordToken: String
+ resetPasswordExpiration: DateTime
+ salt: String
+ hash: String
+ loginAttempts: Float
+ lockUntil: DateTime
+ password: String!
}
-type PagesDocAccessFields_hero_links_link_appearance_Delete {
- permission: Boolean!
+enum User_roles {
+ admin
+ customer
}
-type PagesDocAccessFields_hero_links_id {
- create: PagesDocAccessFields_hero_links_id_Create
- read: PagesDocAccessFields_hero_links_id_Read
- update: PagesDocAccessFields_hero_links_id_Update
- delete: PagesDocAccessFields_hero_links_id_Delete
+type User_Cart {
+ items: [CartItems!]
}
-type PagesDocAccessFields_hero_links_id_Create {
- permission: Boolean!
+type CartItems {
+ product: Product
+ quantity: Float
+ id: String
}
-type PagesDocAccessFields_hero_links_id_Read {
- permission: Boolean!
+"""
+A field whose value conforms to the standard internet email address format as specified in HTML Spec: https://html.spec.whatwg.org/multipage/input.html#valid-e-mail-address.
+"""
+scalar EmailAddress @specifiedBy(url: "https://html.spec.whatwg.org/multipage/input.html#valid-e-mail-address")
+
+type Order_Items {
+ product: Product
+ price: Float
+ quantity: Float
+ id: String
}
-type PagesDocAccessFields_hero_links_id_Update {
- permission: Boolean!
+type Orders {
+ docs: [Order]
+ totalDocs: Int
+ offset: Int
+ limit: Int
+ totalPages: Int
+ page: Int
+ pagingCounter: Int
+ hasPrevPage: Boolean
+ hasNextPage: Boolean
+ prevPage: Int
+ nextPage: Int
}
-type PagesDocAccessFields_hero_links_id_Delete {
- permission: Boolean!
+input Order_where {
+ orderedBy: Order_orderedBy_operator
+ stripePaymentIntentID: Order_stripePaymentIntentID_operator
+ total: Order_total_operator
+ items__product: Order_items__product_operator
+ items__price: Order_items__price_operator
+ items__quantity: Order_items__quantity_operator
+ items__id: Order_items__id_operator
+ updatedAt: Order_updatedAt_operator
+ createdAt: Order_createdAt_operator
+ id: Order_id_operator
+ OR: [Order_where_or]
+ AND: [Order_where_and]
}
-type PagesDocAccessFields_hero_media {
- create: PagesDocAccessFields_hero_media_Create
- read: PagesDocAccessFields_hero_media_Read
- update: PagesDocAccessFields_hero_media_Update
- delete: PagesDocAccessFields_hero_media_Delete
+input Order_orderedBy_operator {
+ equals: String
+ not_equals: String
+ in: [String]
+ not_in: [String]
+ all: [String]
+ exists: Boolean
}
-type PagesDocAccessFields_hero_media_Create {
- permission: Boolean!
+input Order_stripePaymentIntentID_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
+ exists: Boolean
}
-type PagesDocAccessFields_hero_media_Read {
- permission: Boolean!
+input Order_total_operator {
+ equals: Float
+ not_equals: Float
+ greater_than_equal: Float
+ greater_than: Float
+ less_than_equal: Float
+ less_than: Float
}
-type PagesDocAccessFields_hero_media_Update {
- permission: Boolean!
+input Order_items__product_operator {
+ equals: String
+ not_equals: String
+ in: [String]
+ not_in: [String]
+ all: [String]
}
-type PagesDocAccessFields_hero_media_Delete {
- permission: Boolean!
+input Order_items__price_operator {
+ equals: Float
+ not_equals: Float
+ greater_than_equal: Float
+ greater_than: Float
+ less_than_equal: Float
+ less_than: Float
+ exists: Boolean
}
-type PagesDocAccessFields_layout {
- create: PagesDocAccessFields_layout_Create
- read: PagesDocAccessFields_layout_Read
- update: PagesDocAccessFields_layout_Update
- delete: PagesDocAccessFields_layout_Delete
+input Order_items__quantity_operator {
+ equals: Float
+ not_equals: Float
+ greater_than_equal: Float
+ greater_than: Float
+ less_than_equal: Float
+ less_than: Float
+ exists: Boolean
}
-type PagesDocAccessFields_layout_Create {
- permission: Boolean!
+input Order_items__id_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
+ exists: Boolean
}
-type PagesDocAccessFields_layout_Read {
- permission: Boolean!
+input Order_updatedAt_operator {
+ equals: DateTime
+ not_equals: DateTime
+ greater_than_equal: DateTime
+ greater_than: DateTime
+ less_than_equal: DateTime
+ less_than: DateTime
+ like: DateTime
+ exists: Boolean
}
-type PagesDocAccessFields_layout_Update {
- permission: Boolean!
+input Order_createdAt_operator {
+ equals: DateTime
+ not_equals: DateTime
+ greater_than_equal: DateTime
+ greater_than: DateTime
+ less_than_equal: DateTime
+ less_than: DateTime
+ like: DateTime
+ exists: Boolean
}
-type PagesDocAccessFields_layout_Delete {
- permission: Boolean!
+input Order_id_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
+ exists: Boolean
}
-type PagesDocAccessFields_slug {
- create: PagesDocAccessFields_slug_Create
- read: PagesDocAccessFields_slug_Read
- update: PagesDocAccessFields_slug_Update
- delete: PagesDocAccessFields_slug_Delete
+input Order_where_or {
+ orderedBy: Order_orderedBy_operator
+ stripePaymentIntentID: Order_stripePaymentIntentID_operator
+ total: Order_total_operator
+ items__product: Order_items__product_operator
+ items__price: Order_items__price_operator
+ items__quantity: Order_items__quantity_operator
+ items__id: Order_items__id_operator
+ updatedAt: Order_updatedAt_operator
+ createdAt: Order_createdAt_operator
+ id: Order_id_operator
}
-type PagesDocAccessFields_slug_Create {
+input Order_where_and {
+ orderedBy: Order_orderedBy_operator
+ stripePaymentIntentID: Order_stripePaymentIntentID_operator
+ total: Order_total_operator
+ items__product: Order_items__product_operator
+ items__price: Order_items__price_operator
+ items__quantity: Order_items__quantity_operator
+ items__id: Order_items__id_operator
+ updatedAt: Order_updatedAt_operator
+ createdAt: Order_createdAt_operator
+ id: Order_id_operator
+}
+
+type ordersDocAccess {
+ fields: OrdersDocAccessFields
+ create: OrdersCreateDocAccess
+ read: OrdersReadDocAccess
+ update: OrdersUpdateDocAccess
+ delete: OrdersDeleteDocAccess
+}
+
+type OrdersDocAccessFields {
+ orderedBy: OrdersDocAccessFields_orderedBy
+ stripePaymentIntentID: OrdersDocAccessFields_stripePaymentIntentID
+ total: OrdersDocAccessFields_total
+ items: OrdersDocAccessFields_items
+ updatedAt: OrdersDocAccessFields_updatedAt
+ createdAt: OrdersDocAccessFields_createdAt
+}
+
+type OrdersDocAccessFields_orderedBy {
+ create: OrdersDocAccessFields_orderedBy_Create
+ read: OrdersDocAccessFields_orderedBy_Read
+ update: OrdersDocAccessFields_orderedBy_Update
+ delete: OrdersDocAccessFields_orderedBy_Delete
+}
+
+type OrdersDocAccessFields_orderedBy_Create {
permission: Boolean!
}
-type PagesDocAccessFields_slug_Read {
+type OrdersDocAccessFields_orderedBy_Read {
permission: Boolean!
}
-type PagesDocAccessFields_slug_Update {
+type OrdersDocAccessFields_orderedBy_Update {
permission: Boolean!
}
-type PagesDocAccessFields_slug_Delete {
+type OrdersDocAccessFields_orderedBy_Delete {
permission: Boolean!
}
-type PagesDocAccessFields_meta {
- create: PagesDocAccessFields_meta_Create
- read: PagesDocAccessFields_meta_Read
- update: PagesDocAccessFields_meta_Update
- delete: PagesDocAccessFields_meta_Delete
- fields: PagesDocAccessFields_meta_Fields
+type OrdersDocAccessFields_stripePaymentIntentID {
+ create: OrdersDocAccessFields_stripePaymentIntentID_Create
+ read: OrdersDocAccessFields_stripePaymentIntentID_Read
+ update: OrdersDocAccessFields_stripePaymentIntentID_Update
+ delete: OrdersDocAccessFields_stripePaymentIntentID_Delete
}
-type PagesDocAccessFields_meta_Create {
+type OrdersDocAccessFields_stripePaymentIntentID_Create {
permission: Boolean!
}
-type PagesDocAccessFields_meta_Read {
+type OrdersDocAccessFields_stripePaymentIntentID_Read {
permission: Boolean!
}
-type PagesDocAccessFields_meta_Update {
+type OrdersDocAccessFields_stripePaymentIntentID_Update {
permission: Boolean!
}
-type PagesDocAccessFields_meta_Delete {
+type OrdersDocAccessFields_stripePaymentIntentID_Delete {
permission: Boolean!
}
-type PagesDocAccessFields_meta_Fields {
- overview: PagesDocAccessFields_meta_overview
- title: PagesDocAccessFields_meta_title
- description: PagesDocAccessFields_meta_description
- image: PagesDocAccessFields_meta_image
- preview: PagesDocAccessFields_meta_preview
-}
-
-type PagesDocAccessFields_meta_overview {
- create: PagesDocAccessFields_meta_overview_Create
- read: PagesDocAccessFields_meta_overview_Read
- update: PagesDocAccessFields_meta_overview_Update
- delete: PagesDocAccessFields_meta_overview_Delete
+type OrdersDocAccessFields_total {
+ create: OrdersDocAccessFields_total_Create
+ read: OrdersDocAccessFields_total_Read
+ update: OrdersDocAccessFields_total_Update
+ delete: OrdersDocAccessFields_total_Delete
}
-type PagesDocAccessFields_meta_overview_Create {
+type OrdersDocAccessFields_total_Create {
permission: Boolean!
}
-type PagesDocAccessFields_meta_overview_Read {
+type OrdersDocAccessFields_total_Read {
permission: Boolean!
}
-type PagesDocAccessFields_meta_overview_Update {
+type OrdersDocAccessFields_total_Update {
permission: Boolean!
}
-type PagesDocAccessFields_meta_overview_Delete {
+type OrdersDocAccessFields_total_Delete {
permission: Boolean!
}
-type PagesDocAccessFields_meta_title {
- create: PagesDocAccessFields_meta_title_Create
- read: PagesDocAccessFields_meta_title_Read
- update: PagesDocAccessFields_meta_title_Update
- delete: PagesDocAccessFields_meta_title_Delete
+type OrdersDocAccessFields_items {
+ create: OrdersDocAccessFields_items_Create
+ read: OrdersDocAccessFields_items_Read
+ update: OrdersDocAccessFields_items_Update
+ delete: OrdersDocAccessFields_items_Delete
+ fields: OrdersDocAccessFields_items_Fields
}
-type PagesDocAccessFields_meta_title_Create {
+type OrdersDocAccessFields_items_Create {
permission: Boolean!
}
-type PagesDocAccessFields_meta_title_Read {
+type OrdersDocAccessFields_items_Read {
permission: Boolean!
}
-type PagesDocAccessFields_meta_title_Update {
+type OrdersDocAccessFields_items_Update {
permission: Boolean!
}
-type PagesDocAccessFields_meta_title_Delete {
+type OrdersDocAccessFields_items_Delete {
permission: Boolean!
}
-type PagesDocAccessFields_meta_description {
- create: PagesDocAccessFields_meta_description_Create
- read: PagesDocAccessFields_meta_description_Read
- update: PagesDocAccessFields_meta_description_Update
- delete: PagesDocAccessFields_meta_description_Delete
+type OrdersDocAccessFields_items_Fields {
+ product: OrdersDocAccessFields_items_product
+ price: OrdersDocAccessFields_items_price
+ quantity: OrdersDocAccessFields_items_quantity
+ id: OrdersDocAccessFields_items_id
}
-type PagesDocAccessFields_meta_description_Create {
+type OrdersDocAccessFields_items_product {
+ create: OrdersDocAccessFields_items_product_Create
+ read: OrdersDocAccessFields_items_product_Read
+ update: OrdersDocAccessFields_items_product_Update
+ delete: OrdersDocAccessFields_items_product_Delete
+}
+
+type OrdersDocAccessFields_items_product_Create {
permission: Boolean!
}
-type PagesDocAccessFields_meta_description_Read {
+type OrdersDocAccessFields_items_product_Read {
permission: Boolean!
}
-type PagesDocAccessFields_meta_description_Update {
+type OrdersDocAccessFields_items_product_Update {
permission: Boolean!
}
-type PagesDocAccessFields_meta_description_Delete {
+type OrdersDocAccessFields_items_product_Delete {
permission: Boolean!
}
-type PagesDocAccessFields_meta_image {
- create: PagesDocAccessFields_meta_image_Create
- read: PagesDocAccessFields_meta_image_Read
- update: PagesDocAccessFields_meta_image_Update
- delete: PagesDocAccessFields_meta_image_Delete
+type OrdersDocAccessFields_items_price {
+ create: OrdersDocAccessFields_items_price_Create
+ read: OrdersDocAccessFields_items_price_Read
+ update: OrdersDocAccessFields_items_price_Update
+ delete: OrdersDocAccessFields_items_price_Delete
}
-type PagesDocAccessFields_meta_image_Create {
+type OrdersDocAccessFields_items_price_Create {
permission: Boolean!
}
-type PagesDocAccessFields_meta_image_Read {
+type OrdersDocAccessFields_items_price_Read {
permission: Boolean!
}
-type PagesDocAccessFields_meta_image_Update {
+type OrdersDocAccessFields_items_price_Update {
permission: Boolean!
}
-type PagesDocAccessFields_meta_image_Delete {
+type OrdersDocAccessFields_items_price_Delete {
permission: Boolean!
}
-type PagesDocAccessFields_meta_preview {
- create: PagesDocAccessFields_meta_preview_Create
- read: PagesDocAccessFields_meta_preview_Read
- update: PagesDocAccessFields_meta_preview_Update
- delete: PagesDocAccessFields_meta_preview_Delete
+type OrdersDocAccessFields_items_quantity {
+ create: OrdersDocAccessFields_items_quantity_Create
+ read: OrdersDocAccessFields_items_quantity_Read
+ update: OrdersDocAccessFields_items_quantity_Update
+ delete: OrdersDocAccessFields_items_quantity_Delete
}
-type PagesDocAccessFields_meta_preview_Create {
+type OrdersDocAccessFields_items_quantity_Create {
permission: Boolean!
}
-type PagesDocAccessFields_meta_preview_Read {
+type OrdersDocAccessFields_items_quantity_Read {
permission: Boolean!
}
-type PagesDocAccessFields_meta_preview_Update {
+type OrdersDocAccessFields_items_quantity_Update {
permission: Boolean!
}
-type PagesDocAccessFields_meta_preview_Delete {
+type OrdersDocAccessFields_items_quantity_Delete {
permission: Boolean!
}
-type PagesDocAccessFields_updatedAt {
- create: PagesDocAccessFields_updatedAt_Create
- read: PagesDocAccessFields_updatedAt_Read
- update: PagesDocAccessFields_updatedAt_Update
- delete: PagesDocAccessFields_updatedAt_Delete
+type OrdersDocAccessFields_items_id {
+ create: OrdersDocAccessFields_items_id_Create
+ read: OrdersDocAccessFields_items_id_Read
+ update: OrdersDocAccessFields_items_id_Update
+ delete: OrdersDocAccessFields_items_id_Delete
}
-type PagesDocAccessFields_updatedAt_Create {
+type OrdersDocAccessFields_items_id_Create {
permission: Boolean!
}
-type PagesDocAccessFields_updatedAt_Read {
+type OrdersDocAccessFields_items_id_Read {
permission: Boolean!
}
-type PagesDocAccessFields_updatedAt_Update {
+type OrdersDocAccessFields_items_id_Update {
permission: Boolean!
}
-type PagesDocAccessFields_updatedAt_Delete {
+type OrdersDocAccessFields_items_id_Delete {
permission: Boolean!
}
-type PagesDocAccessFields_createdAt {
- create: PagesDocAccessFields_createdAt_Create
- read: PagesDocAccessFields_createdAt_Read
- update: PagesDocAccessFields_createdAt_Update
- delete: PagesDocAccessFields_createdAt_Delete
+type OrdersDocAccessFields_updatedAt {
+ create: OrdersDocAccessFields_updatedAt_Create
+ read: OrdersDocAccessFields_updatedAt_Read
+ update: OrdersDocAccessFields_updatedAt_Update
+ delete: OrdersDocAccessFields_updatedAt_Delete
}
-type PagesDocAccessFields_createdAt_Create {
+type OrdersDocAccessFields_updatedAt_Create {
permission: Boolean!
}
-type PagesDocAccessFields_createdAt_Read {
+type OrdersDocAccessFields_updatedAt_Read {
permission: Boolean!
}
-type PagesDocAccessFields_createdAt_Update {
+type OrdersDocAccessFields_updatedAt_Update {
permission: Boolean!
}
-type PagesDocAccessFields_createdAt_Delete {
+type OrdersDocAccessFields_updatedAt_Delete {
permission: Boolean!
}
-type PagesDocAccessFields__status {
- create: PagesDocAccessFields__status_Create
- read: PagesDocAccessFields__status_Read
- update: PagesDocAccessFields__status_Update
- delete: PagesDocAccessFields__status_Delete
-}
-
-type PagesDocAccessFields__status_Create {
- permission: Boolean!
+type OrdersDocAccessFields_createdAt {
+ create: OrdersDocAccessFields_createdAt_Create
+ read: OrdersDocAccessFields_createdAt_Read
+ update: OrdersDocAccessFields_createdAt_Update
+ delete: OrdersDocAccessFields_createdAt_Delete
}
-type PagesDocAccessFields__status_Read {
+type OrdersDocAccessFields_createdAt_Create {
permission: Boolean!
}
-type PagesDocAccessFields__status_Update {
+type OrdersDocAccessFields_createdAt_Read {
permission: Boolean!
}
-type PagesDocAccessFields__status_Delete {
+type OrdersDocAccessFields_createdAt_Update {
permission: Boolean!
}
-type PagesCreateDocAccess {
+type OrdersDocAccessFields_createdAt_Delete {
permission: Boolean!
- where: JSONObject
}
-type PagesReadDocAccess {
+type OrdersCreateDocAccess {
permission: Boolean!
where: JSONObject
}
-type PagesUpdateDocAccess {
+type OrdersReadDocAccess {
permission: Boolean!
where: JSONObject
}
-type PagesDeleteDocAccess {
+type OrdersUpdateDocAccess {
permission: Boolean!
where: JSONObject
}
-type PagesReadVersionsDocAccess {
+type OrdersDeleteDocAccess {
permission: Boolean!
where: JSONObject
}
-type PageVersion {
- parent: Page
- version: PageVersion_Version
- createdAt: DateTime
- updatedAt: DateTime
- id: String
-}
-
-type PageVersion_Version {
- title: String
- publishedDate: DateTime
- hero: PageVersion_Version_Hero
- layout: [PageVersion_Version_Layout!]!
- slug: String
- meta: PageVersion_Version_Meta
- updatedAt: DateTime
- createdAt: DateTime
- _status: PageVersion_Version__status
-}
-
-type PageVersion_Version_Hero {
- type: PageVersion_Version_Hero_type
- richText(depth: Int): JSON
- links: [PageVersion_Version_Hero_Links!]
- media(where: PageVersion_Version_Hero_Media_where): Media
-}
-
-enum PageVersion_Version_Hero_type {
- none
- highImpact
- mediumImpact
- lowImpact
-}
-
-type PageVersion_Version_Hero_Links {
- link: PageVersion_Version_Hero_Links_Link
- id: String
-}
-
-type PageVersion_Version_Hero_Links_Link {
- type: PageVersion_Version_Hero_Links_Link_type
- newTab: Boolean
- reference: PageVersion_Version_Hero_Links_Link_Reference_Relationship
- url: String
- label: String
- appearance: PageVersion_Version_Hero_Links_Link_appearance
-}
-
-enum PageVersion_Version_Hero_Links_Link_type {
- reference
- custom
-}
-
-type PageVersion_Version_Hero_Links_Link_Reference_Relationship {
- relationTo: PageVersion_Version_Hero_Links_Link_Reference_RelationTo
- value: PageVersion_Version_Hero_Links_Link_Reference
-}
-
-enum PageVersion_Version_Hero_Links_Link_Reference_RelationTo {
- pages
-}
-
-union PageVersion_Version_Hero_Links_Link_Reference = Page
-
-enum PageVersion_Version_Hero_Links_Link_appearance {
- default
- primary
- secondary
+type allMedia {
+ docs: [Media]
+ totalDocs: Int
+ offset: Int
+ limit: Int
+ totalPages: Int
+ page: Int
+ pagingCounter: Int
+ hasPrevPage: Boolean
+ hasNextPage: Boolean
+ prevPage: Int
+ nextPage: Int
}
-input PageVersion_Version_Hero_Media_where {
- alt: PageVersion_Version_Hero_Media_alt_operator
- caption: PageVersion_Version_Hero_Media_caption_operator
- updatedAt: PageVersion_Version_Hero_Media_updatedAt_operator
- createdAt: PageVersion_Version_Hero_Media_createdAt_operator
- url: PageVersion_Version_Hero_Media_url_operator
- filename: PageVersion_Version_Hero_Media_filename_operator
- mimeType: PageVersion_Version_Hero_Media_mimeType_operator
- filesize: PageVersion_Version_Hero_Media_filesize_operator
- width: PageVersion_Version_Hero_Media_width_operator
- height: PageVersion_Version_Hero_Media_height_operator
- id: PageVersion_Version_Hero_Media_id_operator
- OR: [PageVersion_Version_Hero_Media_where_or]
- AND: [PageVersion_Version_Hero_Media_where_and]
+input Media_where {
+ alt: Media_alt_operator
+ caption: Media_caption_operator
+ updatedAt: Media_updatedAt_operator
+ createdAt: Media_createdAt_operator
+ url: Media_url_operator
+ filename: Media_filename_operator
+ mimeType: Media_mimeType_operator
+ filesize: Media_filesize_operator
+ width: Media_width_operator
+ height: Media_height_operator
+ id: Media_id_operator
+ OR: [Media_where_or]
+ AND: [Media_where_and]
}
-input PageVersion_Version_Hero_Media_alt_operator {
+input Media_alt_operator {
equals: String
not_equals: String
like: String
@@ -4211,7 +4365,7 @@ input PageVersion_Version_Hero_Media_alt_operator {
all: [String]
}
-input PageVersion_Version_Hero_Media_caption_operator {
+input Media_caption_operator {
equals: JSON
not_equals: JSON
like: JSON
@@ -4219,7 +4373,7 @@ input PageVersion_Version_Hero_Media_caption_operator {
exists: Boolean
}
-input PageVersion_Version_Hero_Media_updatedAt_operator {
+input Media_updatedAt_operator {
equals: DateTime
not_equals: DateTime
greater_than_equal: DateTime
@@ -4230,7 +4384,7 @@ input PageVersion_Version_Hero_Media_updatedAt_operator {
exists: Boolean
}
-input PageVersion_Version_Hero_Media_createdAt_operator {
+input Media_createdAt_operator {
equals: DateTime
not_equals: DateTime
greater_than_equal: DateTime
@@ -4241,7 +4395,7 @@ input PageVersion_Version_Hero_Media_createdAt_operator {
exists: Boolean
}
-input PageVersion_Version_Hero_Media_url_operator {
+input Media_url_operator {
equals: String
not_equals: String
like: String
@@ -4252,7 +4406,7 @@ input PageVersion_Version_Hero_Media_url_operator {
exists: Boolean
}
-input PageVersion_Version_Hero_Media_filename_operator {
+input Media_filename_operator {
equals: String
not_equals: String
like: String
@@ -4263,7 +4417,7 @@ input PageVersion_Version_Hero_Media_filename_operator {
exists: Boolean
}
-input PageVersion_Version_Hero_Media_mimeType_operator {
+input Media_mimeType_operator {
equals: String
not_equals: String
like: String
@@ -4274,7 +4428,7 @@ input PageVersion_Version_Hero_Media_mimeType_operator {
exists: Boolean
}
-input PageVersion_Version_Hero_Media_filesize_operator {
+input Media_filesize_operator {
equals: Float
not_equals: Float
greater_than_equal: Float
@@ -4284,7 +4438,7 @@ input PageVersion_Version_Hero_Media_filesize_operator {
exists: Boolean
}
-input PageVersion_Version_Hero_Media_width_operator {
+input Media_width_operator {
equals: Float
not_equals: Float
greater_than_equal: Float
@@ -4294,7 +4448,7 @@ input PageVersion_Version_Hero_Media_width_operator {
exists: Boolean
}
-input PageVersion_Version_Hero_Media_height_operator {
+input Media_height_operator {
equals: Float
not_equals: Float
greater_than_equal: Float
@@ -4304,7 +4458,7 @@ input PageVersion_Version_Hero_Media_height_operator {
exists: Boolean
}
-input PageVersion_Version_Hero_Media_id_operator {
+input Media_id_operator {
equals: String
not_equals: String
like: String
@@ -4315,538 +4469,307 @@ input PageVersion_Version_Hero_Media_id_operator {
exists: Boolean
}
-input PageVersion_Version_Hero_Media_where_or {
- alt: PageVersion_Version_Hero_Media_alt_operator
- caption: PageVersion_Version_Hero_Media_caption_operator
- updatedAt: PageVersion_Version_Hero_Media_updatedAt_operator
- createdAt: PageVersion_Version_Hero_Media_createdAt_operator
- url: PageVersion_Version_Hero_Media_url_operator
- filename: PageVersion_Version_Hero_Media_filename_operator
- mimeType: PageVersion_Version_Hero_Media_mimeType_operator
- filesize: PageVersion_Version_Hero_Media_filesize_operator
- width: PageVersion_Version_Hero_Media_width_operator
- height: PageVersion_Version_Hero_Media_height_operator
- id: PageVersion_Version_Hero_Media_id_operator
+input Media_where_or {
+ alt: Media_alt_operator
+ caption: Media_caption_operator
+ updatedAt: Media_updatedAt_operator
+ createdAt: Media_createdAt_operator
+ url: Media_url_operator
+ filename: Media_filename_operator
+ mimeType: Media_mimeType_operator
+ filesize: Media_filesize_operator
+ width: Media_width_operator
+ height: Media_height_operator
+ id: Media_id_operator
}
-input PageVersion_Version_Hero_Media_where_and {
- alt: PageVersion_Version_Hero_Media_alt_operator
- caption: PageVersion_Version_Hero_Media_caption_operator
- updatedAt: PageVersion_Version_Hero_Media_updatedAt_operator
- createdAt: PageVersion_Version_Hero_Media_createdAt_operator
- url: PageVersion_Version_Hero_Media_url_operator
- filename: PageVersion_Version_Hero_Media_filename_operator
- mimeType: PageVersion_Version_Hero_Media_mimeType_operator
- filesize: PageVersion_Version_Hero_Media_filesize_operator
- width: PageVersion_Version_Hero_Media_width_operator
- height: PageVersion_Version_Hero_Media_height_operator
- id: PageVersion_Version_Hero_Media_id_operator
+input Media_where_and {
+ alt: Media_alt_operator
+ caption: Media_caption_operator
+ updatedAt: Media_updatedAt_operator
+ createdAt: Media_createdAt_operator
+ url: Media_url_operator
+ filename: Media_filename_operator
+ mimeType: Media_mimeType_operator
+ filesize: Media_filesize_operator
+ width: Media_width_operator
+ height: Media_height_operator
+ id: Media_id_operator
}
-union PageVersion_Version_Layout = Cta | Content | MediaBlock | Archive
+type mediaDocAccess {
+ fields: MediaDocAccessFields
+ create: MediaCreateDocAccess
+ read: MediaReadDocAccess
+ update: MediaUpdateDocAccess
+ delete: MediaDeleteDocAccess
+}
-type PageVersion_Version_Meta {
- title: String
- description: String
- image(where: PageVersion_Version_Meta_Image_where): Media
+type MediaDocAccessFields {
+ alt: MediaDocAccessFields_alt
+ caption: MediaDocAccessFields_caption
+ updatedAt: MediaDocAccessFields_updatedAt
+ createdAt: MediaDocAccessFields_createdAt
+ url: MediaDocAccessFields_url
+ filename: MediaDocAccessFields_filename
+ mimeType: MediaDocAccessFields_mimeType
+ filesize: MediaDocAccessFields_filesize
+ width: MediaDocAccessFields_width
+ height: MediaDocAccessFields_height
}
-input PageVersion_Version_Meta_Image_where {
- alt: PageVersion_Version_Meta_Image_alt_operator
- caption: PageVersion_Version_Meta_Image_caption_operator
- updatedAt: PageVersion_Version_Meta_Image_updatedAt_operator
- createdAt: PageVersion_Version_Meta_Image_createdAt_operator
- url: PageVersion_Version_Meta_Image_url_operator
- filename: PageVersion_Version_Meta_Image_filename_operator
- mimeType: PageVersion_Version_Meta_Image_mimeType_operator
- filesize: PageVersion_Version_Meta_Image_filesize_operator
- width: PageVersion_Version_Meta_Image_width_operator
- height: PageVersion_Version_Meta_Image_height_operator
- id: PageVersion_Version_Meta_Image_id_operator
- OR: [PageVersion_Version_Meta_Image_where_or]
- AND: [PageVersion_Version_Meta_Image_where_and]
+type MediaDocAccessFields_alt {
+ create: MediaDocAccessFields_alt_Create
+ read: MediaDocAccessFields_alt_Read
+ update: MediaDocAccessFields_alt_Update
+ delete: MediaDocAccessFields_alt_Delete
}
-input PageVersion_Version_Meta_Image_alt_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
+type MediaDocAccessFields_alt_Create {
+ permission: Boolean!
}
-input PageVersion_Version_Meta_Image_caption_operator {
- equals: JSON
- not_equals: JSON
- like: JSON
- contains: JSON
- exists: Boolean
+type MediaDocAccessFields_alt_Read {
+ permission: Boolean!
}
-input PageVersion_Version_Meta_Image_updatedAt_operator {
- equals: DateTime
- not_equals: DateTime
- greater_than_equal: DateTime
- greater_than: DateTime
- less_than_equal: DateTime
- less_than: DateTime
- like: DateTime
- exists: Boolean
+type MediaDocAccessFields_alt_Update {
+ permission: Boolean!
}
-input PageVersion_Version_Meta_Image_createdAt_operator {
- equals: DateTime
- not_equals: DateTime
- greater_than_equal: DateTime
- greater_than: DateTime
- less_than_equal: DateTime
- less_than: DateTime
- like: DateTime
- exists: Boolean
+type MediaDocAccessFields_alt_Delete {
+ permission: Boolean!
}
-input PageVersion_Version_Meta_Image_url_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
- exists: Boolean
+type MediaDocAccessFields_caption {
+ create: MediaDocAccessFields_caption_Create
+ read: MediaDocAccessFields_caption_Read
+ update: MediaDocAccessFields_caption_Update
+ delete: MediaDocAccessFields_caption_Delete
}
-input PageVersion_Version_Meta_Image_filename_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
- exists: Boolean
+type MediaDocAccessFields_caption_Create {
+ permission: Boolean!
}
-input PageVersion_Version_Meta_Image_mimeType_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
- exists: Boolean
+type MediaDocAccessFields_caption_Read {
+ permission: Boolean!
}
-input PageVersion_Version_Meta_Image_filesize_operator {
- equals: Float
- not_equals: Float
- greater_than_equal: Float
- greater_than: Float
- less_than_equal: Float
- less_than: Float
- exists: Boolean
+type MediaDocAccessFields_caption_Update {
+ permission: Boolean!
}
-input PageVersion_Version_Meta_Image_width_operator {
- equals: Float
- not_equals: Float
- greater_than_equal: Float
- greater_than: Float
- less_than_equal: Float
- less_than: Float
- exists: Boolean
+type MediaDocAccessFields_caption_Delete {
+ permission: Boolean!
}
-input PageVersion_Version_Meta_Image_height_operator {
- equals: Float
- not_equals: Float
- greater_than_equal: Float
- greater_than: Float
- less_than_equal: Float
- less_than: Float
- exists: Boolean
+type MediaDocAccessFields_updatedAt {
+ create: MediaDocAccessFields_updatedAt_Create
+ read: MediaDocAccessFields_updatedAt_Read
+ update: MediaDocAccessFields_updatedAt_Update
+ delete: MediaDocAccessFields_updatedAt_Delete
}
-input PageVersion_Version_Meta_Image_id_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
- exists: Boolean
+type MediaDocAccessFields_updatedAt_Create {
+ permission: Boolean!
}
-input PageVersion_Version_Meta_Image_where_or {
- alt: PageVersion_Version_Meta_Image_alt_operator
- caption: PageVersion_Version_Meta_Image_caption_operator
- updatedAt: PageVersion_Version_Meta_Image_updatedAt_operator
- createdAt: PageVersion_Version_Meta_Image_createdAt_operator
- url: PageVersion_Version_Meta_Image_url_operator
- filename: PageVersion_Version_Meta_Image_filename_operator
- mimeType: PageVersion_Version_Meta_Image_mimeType_operator
- filesize: PageVersion_Version_Meta_Image_filesize_operator
- width: PageVersion_Version_Meta_Image_width_operator
- height: PageVersion_Version_Meta_Image_height_operator
- id: PageVersion_Version_Meta_Image_id_operator
+type MediaDocAccessFields_updatedAt_Read {
+ permission: Boolean!
}
-input PageVersion_Version_Meta_Image_where_and {
- alt: PageVersion_Version_Meta_Image_alt_operator
- caption: PageVersion_Version_Meta_Image_caption_operator
- updatedAt: PageVersion_Version_Meta_Image_updatedAt_operator
- createdAt: PageVersion_Version_Meta_Image_createdAt_operator
- url: PageVersion_Version_Meta_Image_url_operator
- filename: PageVersion_Version_Meta_Image_filename_operator
- mimeType: PageVersion_Version_Meta_Image_mimeType_operator
- filesize: PageVersion_Version_Meta_Image_filesize_operator
- width: PageVersion_Version_Meta_Image_width_operator
- height: PageVersion_Version_Meta_Image_height_operator
- id: PageVersion_Version_Meta_Image_id_operator
+type MediaDocAccessFields_updatedAt_Update {
+ permission: Boolean!
}
-enum PageVersion_Version__status {
- draft
- published
+type MediaDocAccessFields_updatedAt_Delete {
+ permission: Boolean!
}
-type versionsPages {
- docs: [PageVersion]
- totalDocs: Int
- offset: Int
- limit: Int
- totalPages: Int
- page: Int
- pagingCounter: Int
- hasPrevPage: Boolean
- hasNextPage: Boolean
- prevPage: Int
- nextPage: Int
+type MediaDocAccessFields_createdAt {
+ create: MediaDocAccessFields_createdAt_Create
+ read: MediaDocAccessFields_createdAt_Read
+ update: MediaDocAccessFields_createdAt_Update
+ delete: MediaDocAccessFields_createdAt_Delete
}
-input versionsPage_where {
- parent: versionsPage_parent_operator
- version__title: versionsPage_version__title_operator
- version__publishedDate: versionsPage_version__publishedDate_operator
- version__hero__type: versionsPage_version__hero__type_operator
- version__hero__richText: versionsPage_version__hero__richText_operator
- version__hero__links__link__type: versionsPage_version__hero__links__link__type_operator
- version__hero__links__link__newTab: versionsPage_version__hero__links__link__newTab_operator
- version__hero__links__link__reference: versionsPage_version__hero__links__link__reference_Relation
- version__hero__links__link__url: versionsPage_version__hero__links__link__url_operator
- version__hero__links__link__label: versionsPage_version__hero__links__link__label_operator
- version__hero__links__link__appearance: versionsPage_version__hero__links__link__appearance_operator
- version__hero__links__id: versionsPage_version__hero__links__id_operator
- version__hero__media: versionsPage_version__hero__media_operator
- version__slug: versionsPage_version__slug_operator
- version__meta__title: versionsPage_version__meta__title_operator
- version__meta__description: versionsPage_version__meta__description_operator
- version__meta__image: versionsPage_version__meta__image_operator
- version__updatedAt: versionsPage_version__updatedAt_operator
- version__createdAt: versionsPage_version__createdAt_operator
- version___status: versionsPage_version___status_operator
- createdAt: versionsPage_createdAt_operator
- updatedAt: versionsPage_updatedAt_operator
- id: versionsPage_id_operator
- OR: [versionsPage_where_or]
- AND: [versionsPage_where_and]
+type MediaDocAccessFields_createdAt_Create {
+ permission: Boolean!
}
-input versionsPage_parent_operator {
- equals: String
- not_equals: String
- in: [String]
- not_in: [String]
- all: [String]
- exists: Boolean
+type MediaDocAccessFields_createdAt_Read {
+ permission: Boolean!
}
-input versionsPage_version__title_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
+type MediaDocAccessFields_createdAt_Update {
+ permission: Boolean!
}
-input versionsPage_version__publishedDate_operator {
- equals: DateTime
- not_equals: DateTime
- greater_than_equal: DateTime
- greater_than: DateTime
- less_than_equal: DateTime
- less_than: DateTime
- like: DateTime
- exists: Boolean
+type MediaDocAccessFields_createdAt_Delete {
+ permission: Boolean!
}
-input versionsPage_version__hero__type_operator {
- equals: versionsPage_version__hero__type_Input
- not_equals: versionsPage_version__hero__type_Input
- in: [versionsPage_version__hero__type_Input]
- not_in: [versionsPage_version__hero__type_Input]
- all: [versionsPage_version__hero__type_Input]
+type MediaDocAccessFields_url {
+ create: MediaDocAccessFields_url_Create
+ read: MediaDocAccessFields_url_Read
+ update: MediaDocAccessFields_url_Update
+ delete: MediaDocAccessFields_url_Delete
}
-enum versionsPage_version__hero__type_Input {
- none
- highImpact
- mediumImpact
- lowImpact
+type MediaDocAccessFields_url_Create {
+ permission: Boolean!
}
-input versionsPage_version__hero__richText_operator {
- equals: JSON
- not_equals: JSON
- like: JSON
- contains: JSON
+type MediaDocAccessFields_url_Read {
+ permission: Boolean!
}
-input versionsPage_version__hero__links__link__type_operator {
- equals: versionsPage_version__hero__links__link__type_Input
- not_equals: versionsPage_version__hero__links__link__type_Input
- in: [versionsPage_version__hero__links__link__type_Input]
- not_in: [versionsPage_version__hero__links__link__type_Input]
- all: [versionsPage_version__hero__links__link__type_Input]
- exists: Boolean
+type MediaDocAccessFields_url_Update {
+ permission: Boolean!
}
-enum versionsPage_version__hero__links__link__type_Input {
- reference
- custom
+type MediaDocAccessFields_url_Delete {
+ permission: Boolean!
}
-input versionsPage_version__hero__links__link__newTab_operator {
- equals: Boolean
- not_equals: Boolean
- exists: Boolean
+type MediaDocAccessFields_filename {
+ create: MediaDocAccessFields_filename_Create
+ read: MediaDocAccessFields_filename_Read
+ update: MediaDocAccessFields_filename_Update
+ delete: MediaDocAccessFields_filename_Delete
}
-input versionsPage_version__hero__links__link__reference_Relation {
- relationTo: versionsPage_version__hero__links__link__reference_Relation_RelationTo
- value: String
+type MediaDocAccessFields_filename_Create {
+ permission: Boolean!
}
-enum versionsPage_version__hero__links__link__reference_Relation_RelationTo {
- pages
+type MediaDocAccessFields_filename_Read {
+ permission: Boolean!
}
-input versionsPage_version__hero__links__link__url_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
+type MediaDocAccessFields_filename_Update {
+ permission: Boolean!
}
-input versionsPage_version__hero__links__link__label_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
+type MediaDocAccessFields_filename_Delete {
+ permission: Boolean!
}
-input versionsPage_version__hero__links__link__appearance_operator {
- equals: versionsPage_version__hero__links__link__appearance_Input
- not_equals: versionsPage_version__hero__links__link__appearance_Input
- in: [versionsPage_version__hero__links__link__appearance_Input]
- not_in: [versionsPage_version__hero__links__link__appearance_Input]
- all: [versionsPage_version__hero__links__link__appearance_Input]
- exists: Boolean
+type MediaDocAccessFields_mimeType {
+ create: MediaDocAccessFields_mimeType_Create
+ read: MediaDocAccessFields_mimeType_Read
+ update: MediaDocAccessFields_mimeType_Update
+ delete: MediaDocAccessFields_mimeType_Delete
}
-enum versionsPage_version__hero__links__link__appearance_Input {
- default
- primary
- secondary
+type MediaDocAccessFields_mimeType_Create {
+ permission: Boolean!
}
-input versionsPage_version__hero__links__id_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
- exists: Boolean
+type MediaDocAccessFields_mimeType_Read {
+ permission: Boolean!
}
-input versionsPage_version__hero__media_operator {
- equals: String
- not_equals: String
+type MediaDocAccessFields_mimeType_Update {
+ permission: Boolean!
}
-input versionsPage_version__slug_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
- exists: Boolean
+type MediaDocAccessFields_mimeType_Delete {
+ permission: Boolean!
}
-input versionsPage_version__meta__title_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
- exists: Boolean
+type MediaDocAccessFields_filesize {
+ create: MediaDocAccessFields_filesize_Create
+ read: MediaDocAccessFields_filesize_Read
+ update: MediaDocAccessFields_filesize_Update
+ delete: MediaDocAccessFields_filesize_Delete
}
-input versionsPage_version__meta__description_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- exists: Boolean
+type MediaDocAccessFields_filesize_Create {
+ permission: Boolean!
}
-input versionsPage_version__meta__image_operator {
- equals: String
- not_equals: String
- exists: Boolean
+type MediaDocAccessFields_filesize_Read {
+ permission: Boolean!
}
-input versionsPage_version__updatedAt_operator {
- equals: DateTime
- not_equals: DateTime
- greater_than_equal: DateTime
- greater_than: DateTime
- less_than_equal: DateTime
- less_than: DateTime
- like: DateTime
- exists: Boolean
+type MediaDocAccessFields_filesize_Update {
+ permission: Boolean!
}
-input versionsPage_version__createdAt_operator {
- equals: DateTime
- not_equals: DateTime
- greater_than_equal: DateTime
- greater_than: DateTime
- less_than_equal: DateTime
- less_than: DateTime
- like: DateTime
- exists: Boolean
+type MediaDocAccessFields_filesize_Delete {
+ permission: Boolean!
}
-input versionsPage_version___status_operator {
- equals: versionsPage_version___status_Input
- not_equals: versionsPage_version___status_Input
- in: [versionsPage_version___status_Input]
- not_in: [versionsPage_version___status_Input]
- all: [versionsPage_version___status_Input]
- exists: Boolean
+type MediaDocAccessFields_width {
+ create: MediaDocAccessFields_width_Create
+ read: MediaDocAccessFields_width_Read
+ update: MediaDocAccessFields_width_Update
+ delete: MediaDocAccessFields_width_Delete
}
-enum versionsPage_version___status_Input {
- draft
- published
+type MediaDocAccessFields_width_Create {
+ permission: Boolean!
}
-input versionsPage_createdAt_operator {
- equals: DateTime
- not_equals: DateTime
- greater_than_equal: DateTime
- greater_than: DateTime
- less_than_equal: DateTime
- less_than: DateTime
- like: DateTime
- exists: Boolean
+type MediaDocAccessFields_width_Read {
+ permission: Boolean!
}
-input versionsPage_updatedAt_operator {
- equals: DateTime
- not_equals: DateTime
- greater_than_equal: DateTime
- greater_than: DateTime
- less_than_equal: DateTime
- less_than: DateTime
- like: DateTime
- exists: Boolean
+type MediaDocAccessFields_width_Update {
+ permission: Boolean!
}
-input versionsPage_id_operator {
- equals: String
- not_equals: String
- like: String
- contains: String
- in: [String]
- not_in: [String]
- all: [String]
- exists: Boolean
+type MediaDocAccessFields_width_Delete {
+ permission: Boolean!
}
-input versionsPage_where_or {
- parent: versionsPage_parent_operator
- version__title: versionsPage_version__title_operator
- version__publishedDate: versionsPage_version__publishedDate_operator
- version__hero__type: versionsPage_version__hero__type_operator
- version__hero__richText: versionsPage_version__hero__richText_operator
- version__hero__links__link__type: versionsPage_version__hero__links__link__type_operator
- version__hero__links__link__newTab: versionsPage_version__hero__links__link__newTab_operator
- version__hero__links__link__reference: versionsPage_version__hero__links__link__reference_Relation
- version__hero__links__link__url: versionsPage_version__hero__links__link__url_operator
- version__hero__links__link__label: versionsPage_version__hero__links__link__label_operator
- version__hero__links__link__appearance: versionsPage_version__hero__links__link__appearance_operator
- version__hero__links__id: versionsPage_version__hero__links__id_operator
- version__hero__media: versionsPage_version__hero__media_operator
- version__slug: versionsPage_version__slug_operator
- version__meta__title: versionsPage_version__meta__title_operator
- version__meta__description: versionsPage_version__meta__description_operator
- version__meta__image: versionsPage_version__meta__image_operator
- version__updatedAt: versionsPage_version__updatedAt_operator
- version__createdAt: versionsPage_version__createdAt_operator
- version___status: versionsPage_version___status_operator
- createdAt: versionsPage_createdAt_operator
- updatedAt: versionsPage_updatedAt_operator
- id: versionsPage_id_operator
+type MediaDocAccessFields_height {
+ create: MediaDocAccessFields_height_Create
+ read: MediaDocAccessFields_height_Read
+ update: MediaDocAccessFields_height_Update
+ delete: MediaDocAccessFields_height_Delete
}
-input versionsPage_where_and {
- parent: versionsPage_parent_operator
- version__title: versionsPage_version__title_operator
- version__publishedDate: versionsPage_version__publishedDate_operator
- version__hero__type: versionsPage_version__hero__type_operator
- version__hero__richText: versionsPage_version__hero__richText_operator
- version__hero__links__link__type: versionsPage_version__hero__links__link__type_operator
- version__hero__links__link__newTab: versionsPage_version__hero__links__link__newTab_operator
- version__hero__links__link__reference: versionsPage_version__hero__links__link__reference_Relation
- version__hero__links__link__url: versionsPage_version__hero__links__link__url_operator
- version__hero__links__link__label: versionsPage_version__hero__links__link__label_operator
- version__hero__links__link__appearance: versionsPage_version__hero__links__link__appearance_operator
- version__hero__links__id: versionsPage_version__hero__links__id_operator
- version__hero__media: versionsPage_version__hero__media_operator
- version__slug: versionsPage_version__slug_operator
- version__meta__title: versionsPage_version__meta__title_operator
- version__meta__description: versionsPage_version__meta__description_operator
- version__meta__image: versionsPage_version__meta__image_operator
- version__updatedAt: versionsPage_version__updatedAt_operator
- version__createdAt: versionsPage_version__createdAt_operator
- version___status: versionsPage_version___status_operator
- createdAt: versionsPage_createdAt_operator
- updatedAt: versionsPage_updatedAt_operator
- id: versionsPage_id_operator
+type MediaDocAccessFields_height_Create {
+ permission: Boolean!
}
-type allMedia {
- docs: [Media]
+type MediaDocAccessFields_height_Read {
+ permission: Boolean!
+}
+
+type MediaDocAccessFields_height_Update {
+ permission: Boolean!
+}
+
+type MediaDocAccessFields_height_Delete {
+ permission: Boolean!
+}
+
+type MediaCreateDocAccess {
+ permission: Boolean!
+ where: JSONObject
+}
+
+type MediaReadDocAccess {
+ permission: Boolean!
+ where: JSONObject
+}
+
+type MediaUpdateDocAccess {
+ permission: Boolean!
+ where: JSONObject
+}
+
+type MediaDeleteDocAccess {
+ permission: Boolean!
+ where: JSONObject
+}
+
+type Categories {
+ docs: [Category]
totalDocs: Int
offset: Int
limit: Int
@@ -4859,23 +4782,21 @@ type allMedia {
nextPage: Int
}
-input Media_where {
- alt: Media_alt_operator
- caption: Media_caption_operator
- updatedAt: Media_updatedAt_operator
- createdAt: Media_createdAt_operator
- url: Media_url_operator
- filename: Media_filename_operator
- mimeType: Media_mimeType_operator
- filesize: Media_filesize_operator
- width: Media_width_operator
- height: Media_height_operator
- id: Media_id_operator
- OR: [Media_where_or]
- AND: [Media_where_and]
+input Category_where {
+ title: Category_title_operator
+ parent: Category_parent_operator
+ breadcrumbs__doc: Category_breadcrumbs__doc_operator
+ breadcrumbs__url: Category_breadcrumbs__url_operator
+ breadcrumbs__label: Category_breadcrumbs__label_operator
+ breadcrumbs__id: Category_breadcrumbs__id_operator
+ updatedAt: Category_updatedAt_operator
+ createdAt: Category_createdAt_operator
+ id: Category_id_operator
+ OR: [Category_where_or]
+ AND: [Category_where_and]
}
-input Media_alt_operator {
+input Category_title_operator {
equals: String
not_equals: String
like: String
@@ -4883,39 +4804,28 @@ input Media_alt_operator {
in: [String]
not_in: [String]
all: [String]
-}
-
-input Media_caption_operator {
- equals: JSON
- not_equals: JSON
- like: JSON
- contains: JSON
exists: Boolean
}
-input Media_updatedAt_operator {
- equals: DateTime
- not_equals: DateTime
- greater_than_equal: DateTime
- greater_than: DateTime
- less_than_equal: DateTime
- less_than: DateTime
- like: DateTime
+input Category_parent_operator {
+ equals: String
+ not_equals: String
+ in: [String]
+ not_in: [String]
+ all: [String]
exists: Boolean
}
-input Media_createdAt_operator {
- equals: DateTime
- not_equals: DateTime
- greater_than_equal: DateTime
- greater_than: DateTime
- less_than_equal: DateTime
- less_than: DateTime
- like: DateTime
+input Category_breadcrumbs__doc_operator {
+ equals: String
+ not_equals: String
+ in: [String]
+ not_in: [String]
+ all: [String]
exists: Boolean
}
-input Media_url_operator {
+input Category_breadcrumbs__url_operator {
equals: String
not_equals: String
like: String
@@ -4926,7 +4836,7 @@ input Media_url_operator {
exists: Boolean
}
-input Media_filename_operator {
+input Category_breadcrumbs__label_operator {
equals: String
not_equals: String
like: String
@@ -4937,7 +4847,7 @@ input Media_filename_operator {
exists: Boolean
}
-input Media_mimeType_operator {
+input Category_breadcrumbs__id_operator {
equals: String
not_equals: String
like: String
@@ -4948,37 +4858,29 @@ input Media_mimeType_operator {
exists: Boolean
}
-input Media_filesize_operator {
- equals: Float
- not_equals: Float
- greater_than_equal: Float
- greater_than: Float
- less_than_equal: Float
- less_than: Float
- exists: Boolean
-}
-
-input Media_width_operator {
- equals: Float
- not_equals: Float
- greater_than_equal: Float
- greater_than: Float
- less_than_equal: Float
- less_than: Float
+input Category_updatedAt_operator {
+ equals: DateTime
+ not_equals: DateTime
+ greater_than_equal: DateTime
+ greater_than: DateTime
+ less_than_equal: DateTime
+ less_than: DateTime
+ like: DateTime
exists: Boolean
}
-input Media_height_operator {
- equals: Float
- not_equals: Float
- greater_than_equal: Float
- greater_than: Float
- less_than_equal: Float
- less_than: Float
+input Category_createdAt_operator {
+ equals: DateTime
+ not_equals: DateTime
+ greater_than_equal: DateTime
+ greater_than: DateTime
+ less_than_equal: DateTime
+ less_than: DateTime
+ like: DateTime
exists: Boolean
}
-input Media_id_operator {
+input Category_id_operator {
equals: String
not_equals: String
like: String
@@ -4989,1402 +4891,2248 @@ input Media_id_operator {
exists: Boolean
}
-input Media_where_or {
- alt: Media_alt_operator
- caption: Media_caption_operator
- updatedAt: Media_updatedAt_operator
- createdAt: Media_createdAt_operator
- url: Media_url_operator
- filename: Media_filename_operator
- mimeType: Media_mimeType_operator
- filesize: Media_filesize_operator
- width: Media_width_operator
- height: Media_height_operator
- id: Media_id_operator
+input Category_where_or {
+ title: Category_title_operator
+ parent: Category_parent_operator
+ breadcrumbs__doc: Category_breadcrumbs__doc_operator
+ breadcrumbs__url: Category_breadcrumbs__url_operator
+ breadcrumbs__label: Category_breadcrumbs__label_operator
+ breadcrumbs__id: Category_breadcrumbs__id_operator
+ updatedAt: Category_updatedAt_operator
+ createdAt: Category_createdAt_operator
+ id: Category_id_operator
}
-input Media_where_and {
- alt: Media_alt_operator
- caption: Media_caption_operator
- updatedAt: Media_updatedAt_operator
- createdAt: Media_createdAt_operator
- url: Media_url_operator
- filename: Media_filename_operator
- mimeType: Media_mimeType_operator
- filesize: Media_filesize_operator
- width: Media_width_operator
- height: Media_height_operator
- id: Media_id_operator
+input Category_where_and {
+ title: Category_title_operator
+ parent: Category_parent_operator
+ breadcrumbs__doc: Category_breadcrumbs__doc_operator
+ breadcrumbs__url: Category_breadcrumbs__url_operator
+ breadcrumbs__label: Category_breadcrumbs__label_operator
+ breadcrumbs__id: Category_breadcrumbs__id_operator
+ updatedAt: Category_updatedAt_operator
+ createdAt: Category_createdAt_operator
+ id: Category_id_operator
}
-type mediaDocAccess {
- fields: MediaDocAccessFields
- create: MediaCreateDocAccess
- read: MediaReadDocAccess
- update: MediaUpdateDocAccess
- delete: MediaDeleteDocAccess
+type categoriesDocAccess {
+ fields: CategoriesDocAccessFields
+ create: CategoriesCreateDocAccess
+ read: CategoriesReadDocAccess
+ update: CategoriesUpdateDocAccess
+ delete: CategoriesDeleteDocAccess
}
-type MediaDocAccessFields {
- alt: MediaDocAccessFields_alt
- caption: MediaDocAccessFields_caption
- updatedAt: MediaDocAccessFields_updatedAt
- createdAt: MediaDocAccessFields_createdAt
- url: MediaDocAccessFields_url
- filename: MediaDocAccessFields_filename
- mimeType: MediaDocAccessFields_mimeType
- filesize: MediaDocAccessFields_filesize
- width: MediaDocAccessFields_width
- height: MediaDocAccessFields_height
+type CategoriesDocAccessFields {
+ title: CategoriesDocAccessFields_title
+ parent: CategoriesDocAccessFields_parent
+ breadcrumbs: CategoriesDocAccessFields_breadcrumbs
+ updatedAt: CategoriesDocAccessFields_updatedAt
+ createdAt: CategoriesDocAccessFields_createdAt
+}
+
+type CategoriesDocAccessFields_title {
+ create: CategoriesDocAccessFields_title_Create
+ read: CategoriesDocAccessFields_title_Read
+ update: CategoriesDocAccessFields_title_Update
+ delete: CategoriesDocAccessFields_title_Delete
+}
+
+type CategoriesDocAccessFields_title_Create {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_title_Read {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_title_Update {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_title_Delete {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_parent {
+ create: CategoriesDocAccessFields_parent_Create
+ read: CategoriesDocAccessFields_parent_Read
+ update: CategoriesDocAccessFields_parent_Update
+ delete: CategoriesDocAccessFields_parent_Delete
+}
+
+type CategoriesDocAccessFields_parent_Create {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_parent_Read {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_parent_Update {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_parent_Delete {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_breadcrumbs {
+ create: CategoriesDocAccessFields_breadcrumbs_Create
+ read: CategoriesDocAccessFields_breadcrumbs_Read
+ update: CategoriesDocAccessFields_breadcrumbs_Update
+ delete: CategoriesDocAccessFields_breadcrumbs_Delete
+ fields: CategoriesDocAccessFields_breadcrumbs_Fields
+}
+
+type CategoriesDocAccessFields_breadcrumbs_Create {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_breadcrumbs_Read {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_breadcrumbs_Update {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_breadcrumbs_Delete {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_breadcrumbs_Fields {
+ doc: CategoriesDocAccessFields_breadcrumbs_doc
+ url: CategoriesDocAccessFields_breadcrumbs_url
+ label: CategoriesDocAccessFields_breadcrumbs_label
+ id: CategoriesDocAccessFields_breadcrumbs_id
+}
+
+type CategoriesDocAccessFields_breadcrumbs_doc {
+ create: CategoriesDocAccessFields_breadcrumbs_doc_Create
+ read: CategoriesDocAccessFields_breadcrumbs_doc_Read
+ update: CategoriesDocAccessFields_breadcrumbs_doc_Update
+ delete: CategoriesDocAccessFields_breadcrumbs_doc_Delete
+}
+
+type CategoriesDocAccessFields_breadcrumbs_doc_Create {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_breadcrumbs_doc_Read {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_breadcrumbs_doc_Update {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_breadcrumbs_doc_Delete {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_breadcrumbs_url {
+ create: CategoriesDocAccessFields_breadcrumbs_url_Create
+ read: CategoriesDocAccessFields_breadcrumbs_url_Read
+ update: CategoriesDocAccessFields_breadcrumbs_url_Update
+ delete: CategoriesDocAccessFields_breadcrumbs_url_Delete
+}
+
+type CategoriesDocAccessFields_breadcrumbs_url_Create {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_breadcrumbs_url_Read {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_breadcrumbs_url_Update {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_breadcrumbs_url_Delete {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_breadcrumbs_label {
+ create: CategoriesDocAccessFields_breadcrumbs_label_Create
+ read: CategoriesDocAccessFields_breadcrumbs_label_Read
+ update: CategoriesDocAccessFields_breadcrumbs_label_Update
+ delete: CategoriesDocAccessFields_breadcrumbs_label_Delete
+}
+
+type CategoriesDocAccessFields_breadcrumbs_label_Create {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_breadcrumbs_label_Read {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_breadcrumbs_label_Update {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_breadcrumbs_label_Delete {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_breadcrumbs_id {
+ create: CategoriesDocAccessFields_breadcrumbs_id_Create
+ read: CategoriesDocAccessFields_breadcrumbs_id_Read
+ update: CategoriesDocAccessFields_breadcrumbs_id_Update
+ delete: CategoriesDocAccessFields_breadcrumbs_id_Delete
+}
+
+type CategoriesDocAccessFields_breadcrumbs_id_Create {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_breadcrumbs_id_Read {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_breadcrumbs_id_Update {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_breadcrumbs_id_Delete {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_updatedAt {
+ create: CategoriesDocAccessFields_updatedAt_Create
+ read: CategoriesDocAccessFields_updatedAt_Read
+ update: CategoriesDocAccessFields_updatedAt_Update
+ delete: CategoriesDocAccessFields_updatedAt_Delete
+}
+
+type CategoriesDocAccessFields_updatedAt_Create {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_updatedAt_Read {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_updatedAt_Update {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_updatedAt_Delete {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_createdAt {
+ create: CategoriesDocAccessFields_createdAt_Create
+ read: CategoriesDocAccessFields_createdAt_Read
+ update: CategoriesDocAccessFields_createdAt_Update
+ delete: CategoriesDocAccessFields_createdAt_Delete
+}
+
+type CategoriesDocAccessFields_createdAt_Create {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_createdAt_Read {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_createdAt_Update {
+ permission: Boolean!
+}
+
+type CategoriesDocAccessFields_createdAt_Delete {
+ permission: Boolean!
+}
+
+type CategoriesCreateDocAccess {
+ permission: Boolean!
+ where: JSONObject
+}
+
+type CategoriesReadDocAccess {
+ permission: Boolean!
+ where: JSONObject
+}
+
+type CategoriesUpdateDocAccess {
+ permission: Boolean!
+ where: JSONObject
+}
+
+type CategoriesDeleteDocAccess {
+ permission: Boolean!
+ where: JSONObject
+}
+
+type Users {
+ docs: [User]
+ totalDocs: Int
+ offset: Int
+ limit: Int
+ totalPages: Int
+ page: Int
+ pagingCounter: Int
+ hasPrevPage: Boolean
+ hasNextPage: Boolean
+ prevPage: Int
+ nextPage: Int
+}
+
+input User_where {
+ name: User_name_operator
+ roles: User_roles_operator
+ purchases: User_purchases_operator
+ stripeCustomerID: User_stripeCustomerID_operator
+ cart__items__product: User_cart__items__product_operator
+ cart__items__quantity: User_cart__items__quantity_operator
+ cart__items__id: User_cart__items__id_operator
+ skipSync: User_skipSync_operator
+ updatedAt: User_updatedAt_operator
+ createdAt: User_createdAt_operator
+ email: User_email_operator
+ id: User_id_operator
+ OR: [User_where_or]
+ AND: [User_where_and]
+}
+
+input User_name_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
+ exists: Boolean
+}
+
+input User_roles_operator {
+ equals: User_roles_Input
+ not_equals: User_roles_Input
+ in: [User_roles_Input]
+ not_in: [User_roles_Input]
+ all: [User_roles_Input]
+ exists: Boolean
+}
+
+enum User_roles_Input {
+ admin
+ customer
+}
+
+input User_purchases_operator {
+ equals: [String]
+ not_equals: [String]
+ in: [[String]]
+ not_in: [[String]]
+ all: [[String]]
+ exists: Boolean
+}
+
+input User_stripeCustomerID_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
+ exists: Boolean
+}
+
+input User_cart__items__product_operator {
+ equals: String
+ not_equals: String
+ in: [String]
+ not_in: [String]
+ all: [String]
+ exists: Boolean
+}
+
+input User_cart__items__quantity_operator {
+ equals: Float
+ not_equals: Float
+ greater_than_equal: Float
+ greater_than: Float
+ less_than_equal: Float
+ less_than: Float
+ exists: Boolean
+}
+
+input User_cart__items__id_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
+ exists: Boolean
+}
+
+input User_skipSync_operator {
+ equals: Boolean
+ not_equals: Boolean
+ exists: Boolean
+}
+
+input User_updatedAt_operator {
+ equals: DateTime
+ not_equals: DateTime
+ greater_than_equal: DateTime
+ greater_than: DateTime
+ less_than_equal: DateTime
+ less_than: DateTime
+ like: DateTime
+ exists: Boolean
+}
+
+input User_createdAt_operator {
+ equals: DateTime
+ not_equals: DateTime
+ greater_than_equal: DateTime
+ greater_than: DateTime
+ less_than_equal: DateTime
+ less_than: DateTime
+ like: DateTime
+ exists: Boolean
+}
+
+input User_email_operator {
+ equals: EmailAddress
+ not_equals: EmailAddress
+ like: EmailAddress
+ contains: EmailAddress
+ in: [EmailAddress]
+ not_in: [EmailAddress]
+ all: [EmailAddress]
+}
+
+input User_id_operator {
+ equals: String
+ not_equals: String
+ like: String
+ contains: String
+ in: [String]
+ not_in: [String]
+ all: [String]
+ exists: Boolean
+}
+
+input User_where_or {
+ name: User_name_operator
+ roles: User_roles_operator
+ purchases: User_purchases_operator
+ stripeCustomerID: User_stripeCustomerID_operator
+ cart__items__product: User_cart__items__product_operator
+ cart__items__quantity: User_cart__items__quantity_operator
+ cart__items__id: User_cart__items__id_operator
+ skipSync: User_skipSync_operator
+ updatedAt: User_updatedAt_operator
+ createdAt: User_createdAt_operator
+ email: User_email_operator
+ id: User_id_operator
+}
+
+input User_where_and {
+ name: User_name_operator
+ roles: User_roles_operator
+ purchases: User_purchases_operator
+ stripeCustomerID: User_stripeCustomerID_operator
+ cart__items__product: User_cart__items__product_operator
+ cart__items__quantity: User_cart__items__quantity_operator
+ cart__items__id: User_cart__items__id_operator
+ skipSync: User_skipSync_operator
+ updatedAt: User_updatedAt_operator
+ createdAt: User_createdAt_operator
+ email: User_email_operator
+ id: User_id_operator
+}
+
+type usersDocAccess {
+ fields: UsersDocAccessFields
+ create: UsersCreateDocAccess
+ read: UsersReadDocAccess
+ update: UsersUpdateDocAccess
+ delete: UsersDeleteDocAccess
+ unlock: UsersUnlockDocAccess
+}
+
+type UsersDocAccessFields {
+ name: UsersDocAccessFields_name
+ roles: UsersDocAccessFields_roles
+ purchases: UsersDocAccessFields_purchases
+ stripeCustomerID: UsersDocAccessFields_stripeCustomerID
+ cart: UsersDocAccessFields_cart
+ skipSync: UsersDocAccessFields_skipSync
+ updatedAt: UsersDocAccessFields_updatedAt
+ createdAt: UsersDocAccessFields_createdAt
+ email: UsersDocAccessFields_email
+ password: UsersDocAccessFields_password
+}
+
+type UsersDocAccessFields_name {
+ create: UsersDocAccessFields_name_Create
+ read: UsersDocAccessFields_name_Read
+ update: UsersDocAccessFields_name_Update
+ delete: UsersDocAccessFields_name_Delete
+}
+
+type UsersDocAccessFields_name_Create {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_name_Read {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_name_Update {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_name_Delete {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_roles {
+ create: UsersDocAccessFields_roles_Create
+ read: UsersDocAccessFields_roles_Read
+ update: UsersDocAccessFields_roles_Update
+ delete: UsersDocAccessFields_roles_Delete
+}
+
+type UsersDocAccessFields_roles_Create {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_roles_Read {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_roles_Update {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_roles_Delete {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_purchases {
+ create: UsersDocAccessFields_purchases_Create
+ read: UsersDocAccessFields_purchases_Read
+ update: UsersDocAccessFields_purchases_Update
+ delete: UsersDocAccessFields_purchases_Delete
+}
+
+type UsersDocAccessFields_purchases_Create {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_purchases_Read {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_purchases_Update {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_purchases_Delete {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_stripeCustomerID {
+ create: UsersDocAccessFields_stripeCustomerID_Create
+ read: UsersDocAccessFields_stripeCustomerID_Read
+ update: UsersDocAccessFields_stripeCustomerID_Update
+ delete: UsersDocAccessFields_stripeCustomerID_Delete
+}
+
+type UsersDocAccessFields_stripeCustomerID_Create {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_stripeCustomerID_Read {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_stripeCustomerID_Update {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_stripeCustomerID_Delete {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_cart {
+ create: UsersDocAccessFields_cart_Create
+ read: UsersDocAccessFields_cart_Read
+ update: UsersDocAccessFields_cart_Update
+ delete: UsersDocAccessFields_cart_Delete
+ fields: UsersDocAccessFields_cart_Fields
+}
+
+type UsersDocAccessFields_cart_Create {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_cart_Read {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_cart_Update {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_cart_Delete {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_cart_Fields {
+ items: UsersDocAccessFields_cart_items
+}
+
+type UsersDocAccessFields_cart_items {
+ create: UsersDocAccessFields_cart_items_Create
+ read: UsersDocAccessFields_cart_items_Read
+ update: UsersDocAccessFields_cart_items_Update
+ delete: UsersDocAccessFields_cart_items_Delete
+ fields: UsersDocAccessFields_cart_items_Fields
+}
+
+type UsersDocAccessFields_cart_items_Create {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_cart_items_Read {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_cart_items_Update {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_cart_items_Delete {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_cart_items_Fields {
+ product: UsersDocAccessFields_cart_items_product
+ quantity: UsersDocAccessFields_cart_items_quantity
+ id: UsersDocAccessFields_cart_items_id
}
-type MediaDocAccessFields_alt {
- create: MediaDocAccessFields_alt_Create
- read: MediaDocAccessFields_alt_Read
- update: MediaDocAccessFields_alt_Update
- delete: MediaDocAccessFields_alt_Delete
+type UsersDocAccessFields_cart_items_product {
+ create: UsersDocAccessFields_cart_items_product_Create
+ read: UsersDocAccessFields_cart_items_product_Read
+ update: UsersDocAccessFields_cart_items_product_Update
+ delete: UsersDocAccessFields_cart_items_product_Delete
+}
+
+type UsersDocAccessFields_cart_items_product_Create {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_cart_items_product_Read {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_cart_items_product_Update {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_cart_items_product_Delete {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_cart_items_quantity {
+ create: UsersDocAccessFields_cart_items_quantity_Create
+ read: UsersDocAccessFields_cart_items_quantity_Read
+ update: UsersDocAccessFields_cart_items_quantity_Update
+ delete: UsersDocAccessFields_cart_items_quantity_Delete
+}
+
+type UsersDocAccessFields_cart_items_quantity_Create {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_cart_items_quantity_Read {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_cart_items_quantity_Update {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_cart_items_quantity_Delete {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_cart_items_id {
+ create: UsersDocAccessFields_cart_items_id_Create
+ read: UsersDocAccessFields_cart_items_id_Read
+ update: UsersDocAccessFields_cart_items_id_Update
+ delete: UsersDocAccessFields_cart_items_id_Delete
+}
+
+type UsersDocAccessFields_cart_items_id_Create {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_cart_items_id_Read {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_cart_items_id_Update {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_cart_items_id_Delete {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_skipSync {
+ create: UsersDocAccessFields_skipSync_Create
+ read: UsersDocAccessFields_skipSync_Read
+ update: UsersDocAccessFields_skipSync_Update
+ delete: UsersDocAccessFields_skipSync_Delete
+}
+
+type UsersDocAccessFields_skipSync_Create {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_skipSync_Read {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_skipSync_Update {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_skipSync_Delete {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_updatedAt {
+ create: UsersDocAccessFields_updatedAt_Create
+ read: UsersDocAccessFields_updatedAt_Read
+ update: UsersDocAccessFields_updatedAt_Update
+ delete: UsersDocAccessFields_updatedAt_Delete
+}
+
+type UsersDocAccessFields_updatedAt_Create {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_updatedAt_Read {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_updatedAt_Update {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_updatedAt_Delete {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_createdAt {
+ create: UsersDocAccessFields_createdAt_Create
+ read: UsersDocAccessFields_createdAt_Read
+ update: UsersDocAccessFields_createdAt_Update
+ delete: UsersDocAccessFields_createdAt_Delete
+}
+
+type UsersDocAccessFields_createdAt_Create {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_createdAt_Read {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_createdAt_Update {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_createdAt_Delete {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_email {
+ create: UsersDocAccessFields_email_Create
+ read: UsersDocAccessFields_email_Read
+ update: UsersDocAccessFields_email_Update
+ delete: UsersDocAccessFields_email_Delete
+}
+
+type UsersDocAccessFields_email_Create {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_email_Read {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_email_Update {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_email_Delete {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_password {
+ create: UsersDocAccessFields_password_Create
+ read: UsersDocAccessFields_password_Read
+ update: UsersDocAccessFields_password_Update
+ delete: UsersDocAccessFields_password_Delete
+}
+
+type UsersDocAccessFields_password_Create {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_password_Read {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_password_Update {
+ permission: Boolean!
+}
+
+type UsersDocAccessFields_password_Delete {
+ permission: Boolean!
+}
+
+type UsersCreateDocAccess {
+ permission: Boolean!
+ where: JSONObject
+}
+
+type UsersReadDocAccess {
+ permission: Boolean!
+ where: JSONObject
+}
+
+type UsersUpdateDocAccess {
+ permission: Boolean!
+ where: JSONObject
+}
+
+type UsersDeleteDocAccess {
+ permission: Boolean!
+ where: JSONObject
+}
+
+type UsersUnlockDocAccess {
+ permission: Boolean!
+ where: JSONObject
+}
+
+type usersMe {
+ token: String
+ user: User
+ exp: Int
+ collection: String
+}
+
+type Settings {
+ productsPage: Page
+ updatedAt: DateTime
+ createdAt: DateTime
+}
+
+type settingsDocAccess {
+ fields: SettingsDocAccessFields
+ read: SettingsReadDocAccess
+ update: SettingsUpdateDocAccess
+}
+
+type SettingsDocAccessFields {
+ productsPage: SettingsDocAccessFields_productsPage
+ updatedAt: SettingsDocAccessFields_updatedAt
+ createdAt: SettingsDocAccessFields_createdAt
+}
+
+type SettingsDocAccessFields_productsPage {
+ create: SettingsDocAccessFields_productsPage_Create
+ read: SettingsDocAccessFields_productsPage_Read
+ update: SettingsDocAccessFields_productsPage_Update
+ delete: SettingsDocAccessFields_productsPage_Delete
+}
+
+type SettingsDocAccessFields_productsPage_Create {
+ permission: Boolean!
+}
+
+type SettingsDocAccessFields_productsPage_Read {
+ permission: Boolean!
+}
+
+type SettingsDocAccessFields_productsPage_Update {
+ permission: Boolean!
+}
+
+type SettingsDocAccessFields_productsPage_Delete {
+ permission: Boolean!
+}
+
+type SettingsDocAccessFields_updatedAt {
+ create: SettingsDocAccessFields_updatedAt_Create
+ read: SettingsDocAccessFields_updatedAt_Read
+ update: SettingsDocAccessFields_updatedAt_Update
+ delete: SettingsDocAccessFields_updatedAt_Delete
}
-type MediaDocAccessFields_alt_Create {
+type SettingsDocAccessFields_updatedAt_Create {
permission: Boolean!
}
-type MediaDocAccessFields_alt_Read {
+type SettingsDocAccessFields_updatedAt_Read {
permission: Boolean!
}
-type MediaDocAccessFields_alt_Update {
+type SettingsDocAccessFields_updatedAt_Update {
permission: Boolean!
}
-type MediaDocAccessFields_alt_Delete {
+type SettingsDocAccessFields_updatedAt_Delete {
permission: Boolean!
}
-type MediaDocAccessFields_caption {
- create: MediaDocAccessFields_caption_Create
- read: MediaDocAccessFields_caption_Read
- update: MediaDocAccessFields_caption_Update
- delete: MediaDocAccessFields_caption_Delete
+type SettingsDocAccessFields_createdAt {
+ create: SettingsDocAccessFields_createdAt_Create
+ read: SettingsDocAccessFields_createdAt_Read
+ update: SettingsDocAccessFields_createdAt_Update
+ delete: SettingsDocAccessFields_createdAt_Delete
}
-type MediaDocAccessFields_caption_Create {
+type SettingsDocAccessFields_createdAt_Create {
permission: Boolean!
}
-type MediaDocAccessFields_caption_Read {
+type SettingsDocAccessFields_createdAt_Read {
permission: Boolean!
}
-type MediaDocAccessFields_caption_Update {
+type SettingsDocAccessFields_createdAt_Update {
permission: Boolean!
}
-type MediaDocAccessFields_caption_Delete {
+type SettingsDocAccessFields_createdAt_Delete {
permission: Boolean!
}
-type MediaDocAccessFields_updatedAt {
- create: MediaDocAccessFields_updatedAt_Create
- read: MediaDocAccessFields_updatedAt_Read
- update: MediaDocAccessFields_updatedAt_Update
- delete: MediaDocAccessFields_updatedAt_Delete
+type SettingsReadDocAccess {
+ permission: Boolean!
+ where: JSONObject
}
-type MediaDocAccessFields_updatedAt_Create {
+type SettingsUpdateDocAccess {
permission: Boolean!
+ where: JSONObject
}
-type MediaDocAccessFields_updatedAt_Read {
- permission: Boolean!
+type Header {
+ navItems: [Header_NavItems!]
+ updatedAt: DateTime
+ createdAt: DateTime
}
-type MediaDocAccessFields_updatedAt_Update {
- permission: Boolean!
+type Header_NavItems {
+ link: Header_NavItems_Link
+ id: String
}
-type MediaDocAccessFields_updatedAt_Delete {
- permission: Boolean!
+type Header_NavItems_Link {
+ type: Header_NavItems_Link_type
+ newTab: Boolean
+ reference: Header_NavItems_Link_Reference_Relationship
+ url: String
+ label: String
}
-type MediaDocAccessFields_createdAt {
- create: MediaDocAccessFields_createdAt_Create
- read: MediaDocAccessFields_createdAt_Read
- update: MediaDocAccessFields_createdAt_Update
- delete: MediaDocAccessFields_createdAt_Delete
+enum Header_NavItems_Link_type {
+ reference
+ custom
}
-type MediaDocAccessFields_createdAt_Create {
- permission: Boolean!
+type Header_NavItems_Link_Reference_Relationship {
+ relationTo: Header_NavItems_Link_Reference_RelationTo
+ value: Header_NavItems_Link_Reference
}
-type MediaDocAccessFields_createdAt_Read {
- permission: Boolean!
+enum Header_NavItems_Link_Reference_RelationTo {
+ pages
}
-type MediaDocAccessFields_createdAt_Update {
- permission: Boolean!
+union Header_NavItems_Link_Reference = Page
+
+type headerDocAccess {
+ fields: HeaderDocAccessFields
+ read: HeaderReadDocAccess
+ update: HeaderUpdateDocAccess
}
-type MediaDocAccessFields_createdAt_Delete {
- permission: Boolean!
+type HeaderDocAccessFields {
+ navItems: HeaderDocAccessFields_navItems
+ updatedAt: HeaderDocAccessFields_updatedAt
+ createdAt: HeaderDocAccessFields_createdAt
}
-type MediaDocAccessFields_url {
- create: MediaDocAccessFields_url_Create
- read: MediaDocAccessFields_url_Read
- update: MediaDocAccessFields_url_Update
- delete: MediaDocAccessFields_url_Delete
+type HeaderDocAccessFields_navItems {
+ create: HeaderDocAccessFields_navItems_Create
+ read: HeaderDocAccessFields_navItems_Read
+ update: HeaderDocAccessFields_navItems_Update
+ delete: HeaderDocAccessFields_navItems_Delete
+ fields: HeaderDocAccessFields_navItems_Fields
}
-type MediaDocAccessFields_url_Create {
+type HeaderDocAccessFields_navItems_Create {
permission: Boolean!
}
-type MediaDocAccessFields_url_Read {
+type HeaderDocAccessFields_navItems_Read {
permission: Boolean!
}
-type MediaDocAccessFields_url_Update {
+type HeaderDocAccessFields_navItems_Update {
permission: Boolean!
}
-type MediaDocAccessFields_url_Delete {
+type HeaderDocAccessFields_navItems_Delete {
permission: Boolean!
}
-type MediaDocAccessFields_filename {
- create: MediaDocAccessFields_filename_Create
- read: MediaDocAccessFields_filename_Read
- update: MediaDocAccessFields_filename_Update
- delete: MediaDocAccessFields_filename_Delete
+type HeaderDocAccessFields_navItems_Fields {
+ link: HeaderDocAccessFields_navItems_link
+ id: HeaderDocAccessFields_navItems_id
}
-type MediaDocAccessFields_filename_Create {
+type HeaderDocAccessFields_navItems_link {
+ create: HeaderDocAccessFields_navItems_link_Create
+ read: HeaderDocAccessFields_navItems_link_Read
+ update: HeaderDocAccessFields_navItems_link_Update
+ delete: HeaderDocAccessFields_navItems_link_Delete
+ fields: HeaderDocAccessFields_navItems_link_Fields
+}
+
+type HeaderDocAccessFields_navItems_link_Create {
permission: Boolean!
}
-type MediaDocAccessFields_filename_Read {
+type HeaderDocAccessFields_navItems_link_Read {
permission: Boolean!
}
-type MediaDocAccessFields_filename_Update {
+type HeaderDocAccessFields_navItems_link_Update {
permission: Boolean!
}
-type MediaDocAccessFields_filename_Delete {
+type HeaderDocAccessFields_navItems_link_Delete {
permission: Boolean!
}
-type MediaDocAccessFields_mimeType {
- create: MediaDocAccessFields_mimeType_Create
- read: MediaDocAccessFields_mimeType_Read
- update: MediaDocAccessFields_mimeType_Update
- delete: MediaDocAccessFields_mimeType_Delete
+type HeaderDocAccessFields_navItems_link_Fields {
+ type: HeaderDocAccessFields_navItems_link_type
+ newTab: HeaderDocAccessFields_navItems_link_newTab
+ reference: HeaderDocAccessFields_navItems_link_reference
+ url: HeaderDocAccessFields_navItems_link_url
+ label: HeaderDocAccessFields_navItems_link_label
}
-type MediaDocAccessFields_mimeType_Create {
+type HeaderDocAccessFields_navItems_link_type {
+ create: HeaderDocAccessFields_navItems_link_type_Create
+ read: HeaderDocAccessFields_navItems_link_type_Read
+ update: HeaderDocAccessFields_navItems_link_type_Update
+ delete: HeaderDocAccessFields_navItems_link_type_Delete
+}
+
+type HeaderDocAccessFields_navItems_link_type_Create {
permission: Boolean!
}
-type MediaDocAccessFields_mimeType_Read {
+type HeaderDocAccessFields_navItems_link_type_Read {
permission: Boolean!
}
-type MediaDocAccessFields_mimeType_Update {
+type HeaderDocAccessFields_navItems_link_type_Update {
permission: Boolean!
}
-type MediaDocAccessFields_mimeType_Delete {
+type HeaderDocAccessFields_navItems_link_type_Delete {
permission: Boolean!
}
-type MediaDocAccessFields_filesize {
- create: MediaDocAccessFields_filesize_Create
- read: MediaDocAccessFields_filesize_Read
- update: MediaDocAccessFields_filesize_Update
- delete: MediaDocAccessFields_filesize_Delete
+type HeaderDocAccessFields_navItems_link_newTab {
+ create: HeaderDocAccessFields_navItems_link_newTab_Create
+ read: HeaderDocAccessFields_navItems_link_newTab_Read
+ update: HeaderDocAccessFields_navItems_link_newTab_Update
+ delete: HeaderDocAccessFields_navItems_link_newTab_Delete
}
-type MediaDocAccessFields_filesize_Create {
+type HeaderDocAccessFields_navItems_link_newTab_Create {
permission: Boolean!
}
-type MediaDocAccessFields_filesize_Read {
+type HeaderDocAccessFields_navItems_link_newTab_Read {
permission: Boolean!
}
-type MediaDocAccessFields_filesize_Update {
+type HeaderDocAccessFields_navItems_link_newTab_Update {
permission: Boolean!
}
-type MediaDocAccessFields_filesize_Delete {
+type HeaderDocAccessFields_navItems_link_newTab_Delete {
permission: Boolean!
}
-type MediaDocAccessFields_width {
- create: MediaDocAccessFields_width_Create
- read: MediaDocAccessFields_width_Read
- update: MediaDocAccessFields_width_Update
- delete: MediaDocAccessFields_width_Delete
+type HeaderDocAccessFields_navItems_link_reference {
+ create: HeaderDocAccessFields_navItems_link_reference_Create
+ read: HeaderDocAccessFields_navItems_link_reference_Read
+ update: HeaderDocAccessFields_navItems_link_reference_Update
+ delete: HeaderDocAccessFields_navItems_link_reference_Delete
}
-type MediaDocAccessFields_width_Create {
+type HeaderDocAccessFields_navItems_link_reference_Create {
permission: Boolean!
}
-type MediaDocAccessFields_width_Read {
+type HeaderDocAccessFields_navItems_link_reference_Read {
permission: Boolean!
}
-type MediaDocAccessFields_width_Update {
+type HeaderDocAccessFields_navItems_link_reference_Update {
permission: Boolean!
}
-type MediaDocAccessFields_width_Delete {
+type HeaderDocAccessFields_navItems_link_reference_Delete {
permission: Boolean!
}
-type MediaDocAccessFields_height {
- create: MediaDocAccessFields_height_Create
- read: MediaDocAccessFields_height_Read
- update: MediaDocAccessFields_height_Update
- delete: MediaDocAccessFields_height_Delete
+type HeaderDocAccessFields_navItems_link_url {
+ create: HeaderDocAccessFields_navItems_link_url_Create
+ read: HeaderDocAccessFields_navItems_link_url_Read
+ update: HeaderDocAccessFields_navItems_link_url_Update
+ delete: HeaderDocAccessFields_navItems_link_url_Delete
}
-type MediaDocAccessFields_height_Create {
+type HeaderDocAccessFields_navItems_link_url_Create {
permission: Boolean!
}
-type MediaDocAccessFields_height_Read {
+type HeaderDocAccessFields_navItems_link_url_Read {
permission: Boolean!
}
-type MediaDocAccessFields_height_Update {
+type HeaderDocAccessFields_navItems_link_url_Update {
permission: Boolean!
}
-type MediaDocAccessFields_height_Delete {
+type HeaderDocAccessFields_navItems_link_url_Delete {
permission: Boolean!
}
-type MediaCreateDocAccess {
- permission: Boolean!
- where: JSONObject
+type HeaderDocAccessFields_navItems_link_label {
+ create: HeaderDocAccessFields_navItems_link_label_Create
+ read: HeaderDocAccessFields_navItems_link_label_Read
+ update: HeaderDocAccessFields_navItems_link_label_Update
+ delete: HeaderDocAccessFields_navItems_link_label_Delete
}
-type MediaReadDocAccess {
+type HeaderDocAccessFields_navItems_link_label_Create {
permission: Boolean!
- where: JSONObject
}
-type MediaUpdateDocAccess {
+type HeaderDocAccessFields_navItems_link_label_Read {
permission: Boolean!
- where: JSONObject
}
-type MediaDeleteDocAccess {
+type HeaderDocAccessFields_navItems_link_label_Update {
permission: Boolean!
- where: JSONObject
-}
-
-type Settings {
- shopPage: Page
- updatedAt: DateTime
- createdAt: DateTime
-}
-
-type settingsDocAccess {
- fields: SettingsDocAccessFields
- read: SettingsReadDocAccess
- update: SettingsUpdateDocAccess
}
-type SettingsDocAccessFields {
- shopPage: SettingsDocAccessFields_shopPage
- updatedAt: SettingsDocAccessFields_updatedAt
- createdAt: SettingsDocAccessFields_createdAt
+type HeaderDocAccessFields_navItems_link_label_Delete {
+ permission: Boolean!
}
-type SettingsDocAccessFields_shopPage {
- create: SettingsDocAccessFields_shopPage_Create
- read: SettingsDocAccessFields_shopPage_Read
- update: SettingsDocAccessFields_shopPage_Update
- delete: SettingsDocAccessFields_shopPage_Delete
+type HeaderDocAccessFields_navItems_id {
+ create: HeaderDocAccessFields_navItems_id_Create
+ read: HeaderDocAccessFields_navItems_id_Read
+ update: HeaderDocAccessFields_navItems_id_Update
+ delete: HeaderDocAccessFields_navItems_id_Delete
}
-type SettingsDocAccessFields_shopPage_Create {
+type HeaderDocAccessFields_navItems_id_Create {
permission: Boolean!
}
-type SettingsDocAccessFields_shopPage_Read {
+type HeaderDocAccessFields_navItems_id_Read {
permission: Boolean!
}
-type SettingsDocAccessFields_shopPage_Update {
+type HeaderDocAccessFields_navItems_id_Update {
permission: Boolean!
}
-type SettingsDocAccessFields_shopPage_Delete {
+type HeaderDocAccessFields_navItems_id_Delete {
permission: Boolean!
}
-type SettingsDocAccessFields_updatedAt {
- create: SettingsDocAccessFields_updatedAt_Create
- read: SettingsDocAccessFields_updatedAt_Read
- update: SettingsDocAccessFields_updatedAt_Update
- delete: SettingsDocAccessFields_updatedAt_Delete
+type HeaderDocAccessFields_updatedAt {
+ create: HeaderDocAccessFields_updatedAt_Create
+ read: HeaderDocAccessFields_updatedAt_Read
+ update: HeaderDocAccessFields_updatedAt_Update
+ delete: HeaderDocAccessFields_updatedAt_Delete
}
-type SettingsDocAccessFields_updatedAt_Create {
+type HeaderDocAccessFields_updatedAt_Create {
permission: Boolean!
}
-type SettingsDocAccessFields_updatedAt_Read {
+type HeaderDocAccessFields_updatedAt_Read {
permission: Boolean!
}
-type SettingsDocAccessFields_updatedAt_Update {
+type HeaderDocAccessFields_updatedAt_Update {
permission: Boolean!
}
-type SettingsDocAccessFields_updatedAt_Delete {
+type HeaderDocAccessFields_updatedAt_Delete {
permission: Boolean!
}
-type SettingsDocAccessFields_createdAt {
- create: SettingsDocAccessFields_createdAt_Create
- read: SettingsDocAccessFields_createdAt_Read
- update: SettingsDocAccessFields_createdAt_Update
- delete: SettingsDocAccessFields_createdAt_Delete
+type HeaderDocAccessFields_createdAt {
+ create: HeaderDocAccessFields_createdAt_Create
+ read: HeaderDocAccessFields_createdAt_Read
+ update: HeaderDocAccessFields_createdAt_Update
+ delete: HeaderDocAccessFields_createdAt_Delete
}
-type SettingsDocAccessFields_createdAt_Create {
+type HeaderDocAccessFields_createdAt_Create {
permission: Boolean!
}
-type SettingsDocAccessFields_createdAt_Read {
+type HeaderDocAccessFields_createdAt_Read {
permission: Boolean!
}
-type SettingsDocAccessFields_createdAt_Update {
+type HeaderDocAccessFields_createdAt_Update {
permission: Boolean!
}
-type SettingsDocAccessFields_createdAt_Delete {
+type HeaderDocAccessFields_createdAt_Delete {
permission: Boolean!
}
-type SettingsReadDocAccess {
+type HeaderReadDocAccess {
permission: Boolean!
where: JSONObject
}
-type SettingsUpdateDocAccess {
+type HeaderUpdateDocAccess {
permission: Boolean!
where: JSONObject
}
-type Header {
- navItems: [Header_NavItems!]
+type Footer {
+ navItems: [Footer_NavItems!]
updatedAt: DateTime
createdAt: DateTime
}
-type Header_NavItems {
- link: Header_NavItems_Link
+type Footer_NavItems {
+ link: Footer_NavItems_Link
id: String
}
-type Header_NavItems_Link {
- type: Header_NavItems_Link_type
+type Footer_NavItems_Link {
+ type: Footer_NavItems_Link_type
newTab: Boolean
- reference: Header_NavItems_Link_Reference_Relationship
+ reference: Footer_NavItems_Link_Reference_Relationship
url: String
label: String
}
-enum Header_NavItems_Link_type {
+enum Footer_NavItems_Link_type {
reference
custom
}
-type Header_NavItems_Link_Reference_Relationship {
- relationTo: Header_NavItems_Link_Reference_RelationTo
- value: Header_NavItems_Link_Reference
+type Footer_NavItems_Link_Reference_Relationship {
+ relationTo: Footer_NavItems_Link_Reference_RelationTo
+ value: Footer_NavItems_Link_Reference
}
-enum Header_NavItems_Link_Reference_RelationTo {
+enum Footer_NavItems_Link_Reference_RelationTo {
pages
}
-union Header_NavItems_Link_Reference = Page
+union Footer_NavItems_Link_Reference = Page
-type headerDocAccess {
- fields: HeaderDocAccessFields
- read: HeaderReadDocAccess
- update: HeaderUpdateDocAccess
+type footerDocAccess {
+ fields: FooterDocAccessFields
+ read: FooterReadDocAccess
+ update: FooterUpdateDocAccess
}
-type HeaderDocAccessFields {
- navItems: HeaderDocAccessFields_navItems
- updatedAt: HeaderDocAccessFields_updatedAt
- createdAt: HeaderDocAccessFields_createdAt
+type FooterDocAccessFields {
+ navItems: FooterDocAccessFields_navItems
+ updatedAt: FooterDocAccessFields_updatedAt
+ createdAt: FooterDocAccessFields_createdAt
}
-type HeaderDocAccessFields_navItems {
- create: HeaderDocAccessFields_navItems_Create
- read: HeaderDocAccessFields_navItems_Read
- update: HeaderDocAccessFields_navItems_Update
- delete: HeaderDocAccessFields_navItems_Delete
- fields: HeaderDocAccessFields_navItems_Fields
+type FooterDocAccessFields_navItems {
+ create: FooterDocAccessFields_navItems_Create
+ read: FooterDocAccessFields_navItems_Read
+ update: FooterDocAccessFields_navItems_Update
+ delete: FooterDocAccessFields_navItems_Delete
+ fields: FooterDocAccessFields_navItems_Fields
}
-type HeaderDocAccessFields_navItems_Create {
+type FooterDocAccessFields_navItems_Create {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_Read {
+type FooterDocAccessFields_navItems_Read {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_Update {
+type FooterDocAccessFields_navItems_Update {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_Delete {
+type FooterDocAccessFields_navItems_Delete {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_Fields {
- link: HeaderDocAccessFields_navItems_link
- id: HeaderDocAccessFields_navItems_id
+type FooterDocAccessFields_navItems_Fields {
+ link: FooterDocAccessFields_navItems_link
+ id: FooterDocAccessFields_navItems_id
}
-type HeaderDocAccessFields_navItems_link {
- create: HeaderDocAccessFields_navItems_link_Create
- read: HeaderDocAccessFields_navItems_link_Read
- update: HeaderDocAccessFields_navItems_link_Update
- delete: HeaderDocAccessFields_navItems_link_Delete
- fields: HeaderDocAccessFields_navItems_link_Fields
+type FooterDocAccessFields_navItems_link {
+ create: FooterDocAccessFields_navItems_link_Create
+ read: FooterDocAccessFields_navItems_link_Read
+ update: FooterDocAccessFields_navItems_link_Update
+ delete: FooterDocAccessFields_navItems_link_Delete
+ fields: FooterDocAccessFields_navItems_link_Fields
}
-type HeaderDocAccessFields_navItems_link_Create {
+type FooterDocAccessFields_navItems_link_Create {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_link_Read {
+type FooterDocAccessFields_navItems_link_Read {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_link_Update {
+type FooterDocAccessFields_navItems_link_Update {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_link_Delete {
+type FooterDocAccessFields_navItems_link_Delete {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_link_Fields {
- type: HeaderDocAccessFields_navItems_link_type
- newTab: HeaderDocAccessFields_navItems_link_newTab
- reference: HeaderDocAccessFields_navItems_link_reference
- url: HeaderDocAccessFields_navItems_link_url
- label: HeaderDocAccessFields_navItems_link_label
+type FooterDocAccessFields_navItems_link_Fields {
+ type: FooterDocAccessFields_navItems_link_type
+ newTab: FooterDocAccessFields_navItems_link_newTab
+ reference: FooterDocAccessFields_navItems_link_reference
+ url: FooterDocAccessFields_navItems_link_url
+ label: FooterDocAccessFields_navItems_link_label
}
-type HeaderDocAccessFields_navItems_link_type {
- create: HeaderDocAccessFields_navItems_link_type_Create
- read: HeaderDocAccessFields_navItems_link_type_Read
- update: HeaderDocAccessFields_navItems_link_type_Update
- delete: HeaderDocAccessFields_navItems_link_type_Delete
+type FooterDocAccessFields_navItems_link_type {
+ create: FooterDocAccessFields_navItems_link_type_Create
+ read: FooterDocAccessFields_navItems_link_type_Read
+ update: FooterDocAccessFields_navItems_link_type_Update
+ delete: FooterDocAccessFields_navItems_link_type_Delete
}
-type HeaderDocAccessFields_navItems_link_type_Create {
+type FooterDocAccessFields_navItems_link_type_Create {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_link_type_Read {
+type FooterDocAccessFields_navItems_link_type_Read {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_link_type_Update {
+type FooterDocAccessFields_navItems_link_type_Update {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_link_type_Delete {
+type FooterDocAccessFields_navItems_link_type_Delete {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_link_newTab {
- create: HeaderDocAccessFields_navItems_link_newTab_Create
- read: HeaderDocAccessFields_navItems_link_newTab_Read
- update: HeaderDocAccessFields_navItems_link_newTab_Update
- delete: HeaderDocAccessFields_navItems_link_newTab_Delete
+type FooterDocAccessFields_navItems_link_newTab {
+ create: FooterDocAccessFields_navItems_link_newTab_Create
+ read: FooterDocAccessFields_navItems_link_newTab_Read
+ update: FooterDocAccessFields_navItems_link_newTab_Update
+ delete: FooterDocAccessFields_navItems_link_newTab_Delete
}
-type HeaderDocAccessFields_navItems_link_newTab_Create {
+type FooterDocAccessFields_navItems_link_newTab_Create {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_link_newTab_Read {
+type FooterDocAccessFields_navItems_link_newTab_Read {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_link_newTab_Update {
+type FooterDocAccessFields_navItems_link_newTab_Update {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_link_newTab_Delete {
+type FooterDocAccessFields_navItems_link_newTab_Delete {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_link_reference {
- create: HeaderDocAccessFields_navItems_link_reference_Create
- read: HeaderDocAccessFields_navItems_link_reference_Read
- update: HeaderDocAccessFields_navItems_link_reference_Update
- delete: HeaderDocAccessFields_navItems_link_reference_Delete
+type FooterDocAccessFields_navItems_link_reference {
+ create: FooterDocAccessFields_navItems_link_reference_Create
+ read: FooterDocAccessFields_navItems_link_reference_Read
+ update: FooterDocAccessFields_navItems_link_reference_Update
+ delete: FooterDocAccessFields_navItems_link_reference_Delete
}
-type HeaderDocAccessFields_navItems_link_reference_Create {
+type FooterDocAccessFields_navItems_link_reference_Create {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_link_reference_Read {
+type FooterDocAccessFields_navItems_link_reference_Read {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_link_reference_Update {
+type FooterDocAccessFields_navItems_link_reference_Update {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_link_reference_Delete {
+type FooterDocAccessFields_navItems_link_reference_Delete {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_link_url {
- create: HeaderDocAccessFields_navItems_link_url_Create
- read: HeaderDocAccessFields_navItems_link_url_Read
- update: HeaderDocAccessFields_navItems_link_url_Update
- delete: HeaderDocAccessFields_navItems_link_url_Delete
+type FooterDocAccessFields_navItems_link_url {
+ create: FooterDocAccessFields_navItems_link_url_Create
+ read: FooterDocAccessFields_navItems_link_url_Read
+ update: FooterDocAccessFields_navItems_link_url_Update
+ delete: FooterDocAccessFields_navItems_link_url_Delete
}
-type HeaderDocAccessFields_navItems_link_url_Create {
+type FooterDocAccessFields_navItems_link_url_Create {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_link_url_Read {
+type FooterDocAccessFields_navItems_link_url_Read {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_link_url_Update {
+type FooterDocAccessFields_navItems_link_url_Update {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_link_url_Delete {
+type FooterDocAccessFields_navItems_link_url_Delete {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_link_label {
- create: HeaderDocAccessFields_navItems_link_label_Create
- read: HeaderDocAccessFields_navItems_link_label_Read
- update: HeaderDocAccessFields_navItems_link_label_Update
- delete: HeaderDocAccessFields_navItems_link_label_Delete
+type FooterDocAccessFields_navItems_link_label {
+ create: FooterDocAccessFields_navItems_link_label_Create
+ read: FooterDocAccessFields_navItems_link_label_Read
+ update: FooterDocAccessFields_navItems_link_label_Update
+ delete: FooterDocAccessFields_navItems_link_label_Delete
}
-type HeaderDocAccessFields_navItems_link_label_Create {
+type FooterDocAccessFields_navItems_link_label_Create {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_link_label_Read {
+type FooterDocAccessFields_navItems_link_label_Read {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_link_label_Update {
+type FooterDocAccessFields_navItems_link_label_Update {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_link_label_Delete {
+type FooterDocAccessFields_navItems_link_label_Delete {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_id {
- create: HeaderDocAccessFields_navItems_id_Create
- read: HeaderDocAccessFields_navItems_id_Read
- update: HeaderDocAccessFields_navItems_id_Update
- delete: HeaderDocAccessFields_navItems_id_Delete
-}
-
-type HeaderDocAccessFields_navItems_id_Create {
- permission: Boolean!
+type FooterDocAccessFields_navItems_id {
+ create: FooterDocAccessFields_navItems_id_Create
+ read: FooterDocAccessFields_navItems_id_Read
+ update: FooterDocAccessFields_navItems_id_Update
+ delete: FooterDocAccessFields_navItems_id_Delete
}
-type HeaderDocAccessFields_navItems_id_Read {
+type FooterDocAccessFields_navItems_id_Create {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_id_Update {
+type FooterDocAccessFields_navItems_id_Read {
permission: Boolean!
}
-type HeaderDocAccessFields_navItems_id_Delete {
+type FooterDocAccessFields_navItems_id_Update {
permission: Boolean!
}
-type HeaderDocAccessFields_updatedAt {
- create: HeaderDocAccessFields_updatedAt_Create
- read: HeaderDocAccessFields_updatedAt_Read
- update: HeaderDocAccessFields_updatedAt_Update
- delete: HeaderDocAccessFields_updatedAt_Delete
+type FooterDocAccessFields_navItems_id_Delete {
+ permission: Boolean!
}
-type HeaderDocAccessFields_updatedAt_Create {
+type FooterDocAccessFields_updatedAt {
+ create: FooterDocAccessFields_updatedAt_Create
+ read: FooterDocAccessFields_updatedAt_Read
+ update: FooterDocAccessFields_updatedAt_Update
+ delete: FooterDocAccessFields_updatedAt_Delete
+}
+
+type FooterDocAccessFields_updatedAt_Create {
permission: Boolean!
}
-type HeaderDocAccessFields_updatedAt_Read {
+type FooterDocAccessFields_updatedAt_Read {
permission: Boolean!
}
-type HeaderDocAccessFields_updatedAt_Update {
+type FooterDocAccessFields_updatedAt_Update {
permission: Boolean!
}
-type HeaderDocAccessFields_updatedAt_Delete {
+type FooterDocAccessFields_updatedAt_Delete {
permission: Boolean!
}
-type HeaderDocAccessFields_createdAt {
- create: HeaderDocAccessFields_createdAt_Create
- read: HeaderDocAccessFields_createdAt_Read
- update: HeaderDocAccessFields_createdAt_Update
- delete: HeaderDocAccessFields_createdAt_Delete
+type FooterDocAccessFields_createdAt {
+ create: FooterDocAccessFields_createdAt_Create
+ read: FooterDocAccessFields_createdAt_Read
+ update: FooterDocAccessFields_createdAt_Update
+ delete: FooterDocAccessFields_createdAt_Delete
}
-type HeaderDocAccessFields_createdAt_Create {
+type FooterDocAccessFields_createdAt_Create {
permission: Boolean!
}
-type HeaderDocAccessFields_createdAt_Read {
+type FooterDocAccessFields_createdAt_Read {
permission: Boolean!
}
-type HeaderDocAccessFields_createdAt_Update {
+type FooterDocAccessFields_createdAt_Update {
permission: Boolean!
}
-type HeaderDocAccessFields_createdAt_Delete {
+type FooterDocAccessFields_createdAt_Delete {
permission: Boolean!
}
-type HeaderReadDocAccess {
+type FooterReadDocAccess {
permission: Boolean!
where: JSONObject
}
-type HeaderUpdateDocAccess {
+type FooterUpdateDocAccess {
permission: Boolean!
where: JSONObject
}
-type Footer {
- navItems: [Footer_NavItems!]
- updatedAt: DateTime
- createdAt: DateTime
+type Preference {
+ key: String!
+ value: JSON
+ createdAt: DateTime!
+ updatedAt: DateTime!
}
-type Footer_NavItems {
- link: Footer_NavItems_Link
- id: String
+type Access {
+ canAccessAdmin: Boolean!
+ pages: pagesAccess
+ products: productsAccess
+ orders: ordersAccess
+ media: mediaAccess
+ categories: categoriesAccess
+ users: usersAccess
+ settings: settingsAccess
+ header: headerAccess
+ footer: footerAccess
}
-type Footer_NavItems_Link {
- type: Footer_NavItems_Link_type
- newTab: Boolean
- reference: Footer_NavItems_Link_Reference_Relationship
- url: String
- label: String
+type pagesAccess {
+ fields: PagesFields
+ create: PagesCreateAccess
+ read: PagesReadAccess
+ update: PagesUpdateAccess
+ delete: PagesDeleteAccess
+ readVersions: PagesReadVersionsAccess
}
-enum Footer_NavItems_Link_type {
- reference
- custom
+type PagesFields {
+ title: PagesFields_title
+ publishedDate: PagesFields_publishedDate
+ hero: PagesFields_hero
+ layout: PagesFields_layout
+ slug: PagesFields_slug
+ meta: PagesFields_meta
+ updatedAt: PagesFields_updatedAt
+ createdAt: PagesFields_createdAt
+ _status: PagesFields__status
}
-type Footer_NavItems_Link_Reference_Relationship {
- relationTo: Footer_NavItems_Link_Reference_RelationTo
- value: Footer_NavItems_Link_Reference
+type PagesFields_title {
+ create: PagesFields_title_Create
+ read: PagesFields_title_Read
+ update: PagesFields_title_Update
+ delete: PagesFields_title_Delete
}
-enum Footer_NavItems_Link_Reference_RelationTo {
- pages
+type PagesFields_title_Create {
+ permission: Boolean!
}
-union Footer_NavItems_Link_Reference = Page
-
-type footerDocAccess {
- fields: FooterDocAccessFields
- read: FooterReadDocAccess
- update: FooterUpdateDocAccess
+type PagesFields_title_Read {
+ permission: Boolean!
}
-type FooterDocAccessFields {
- navItems: FooterDocAccessFields_navItems
- updatedAt: FooterDocAccessFields_updatedAt
- createdAt: FooterDocAccessFields_createdAt
+type PagesFields_title_Update {
+ permission: Boolean!
}
-type FooterDocAccessFields_navItems {
- create: FooterDocAccessFields_navItems_Create
- read: FooterDocAccessFields_navItems_Read
- update: FooterDocAccessFields_navItems_Update
- delete: FooterDocAccessFields_navItems_Delete
- fields: FooterDocAccessFields_navItems_Fields
+type PagesFields_title_Delete {
+ permission: Boolean!
}
-type FooterDocAccessFields_navItems_Create {
- permission: Boolean!
+type PagesFields_publishedDate {
+ create: PagesFields_publishedDate_Create
+ read: PagesFields_publishedDate_Read
+ update: PagesFields_publishedDate_Update
+ delete: PagesFields_publishedDate_Delete
}
-type FooterDocAccessFields_navItems_Read {
+type PagesFields_publishedDate_Create {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_Update {
+type PagesFields_publishedDate_Read {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_Delete {
+type PagesFields_publishedDate_Update {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_Fields {
- link: FooterDocAccessFields_navItems_link
- id: FooterDocAccessFields_navItems_id
+type PagesFields_publishedDate_Delete {
+ permission: Boolean!
}
-type FooterDocAccessFields_navItems_link {
- create: FooterDocAccessFields_navItems_link_Create
- read: FooterDocAccessFields_navItems_link_Read
- update: FooterDocAccessFields_navItems_link_Update
- delete: FooterDocAccessFields_navItems_link_Delete
- fields: FooterDocAccessFields_navItems_link_Fields
+type PagesFields_hero {
+ create: PagesFields_hero_Create
+ read: PagesFields_hero_Read
+ update: PagesFields_hero_Update
+ delete: PagesFields_hero_Delete
+ fields: PagesFields_hero_Fields
}
-type FooterDocAccessFields_navItems_link_Create {
+type PagesFields_hero_Create {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_link_Read {
+type PagesFields_hero_Read {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_link_Update {
+type PagesFields_hero_Update {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_link_Delete {
+type PagesFields_hero_Delete {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_link_Fields {
- type: FooterDocAccessFields_navItems_link_type
- newTab: FooterDocAccessFields_navItems_link_newTab
- reference: FooterDocAccessFields_navItems_link_reference
- url: FooterDocAccessFields_navItems_link_url
- label: FooterDocAccessFields_navItems_link_label
+type PagesFields_hero_Fields {
+ type: PagesFields_hero_type
+ richText: PagesFields_hero_richText
+ links: PagesFields_hero_links
+ media: PagesFields_hero_media
}
-type FooterDocAccessFields_navItems_link_type {
- create: FooterDocAccessFields_navItems_link_type_Create
- read: FooterDocAccessFields_navItems_link_type_Read
- update: FooterDocAccessFields_navItems_link_type_Update
- delete: FooterDocAccessFields_navItems_link_type_Delete
+type PagesFields_hero_type {
+ create: PagesFields_hero_type_Create
+ read: PagesFields_hero_type_Read
+ update: PagesFields_hero_type_Update
+ delete: PagesFields_hero_type_Delete
}
-type FooterDocAccessFields_navItems_link_type_Create {
+type PagesFields_hero_type_Create {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_link_type_Read {
+type PagesFields_hero_type_Read {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_link_type_Update {
+type PagesFields_hero_type_Update {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_link_type_Delete {
+type PagesFields_hero_type_Delete {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_link_newTab {
- create: FooterDocAccessFields_navItems_link_newTab_Create
- read: FooterDocAccessFields_navItems_link_newTab_Read
- update: FooterDocAccessFields_navItems_link_newTab_Update
- delete: FooterDocAccessFields_navItems_link_newTab_Delete
+type PagesFields_hero_richText {
+ create: PagesFields_hero_richText_Create
+ read: PagesFields_hero_richText_Read
+ update: PagesFields_hero_richText_Update
+ delete: PagesFields_hero_richText_Delete
}
-type FooterDocAccessFields_navItems_link_newTab_Create {
+type PagesFields_hero_richText_Create {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_link_newTab_Read {
+type PagesFields_hero_richText_Read {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_link_newTab_Update {
+type PagesFields_hero_richText_Update {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_link_newTab_Delete {
+type PagesFields_hero_richText_Delete {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_link_reference {
- create: FooterDocAccessFields_navItems_link_reference_Create
- read: FooterDocAccessFields_navItems_link_reference_Read
- update: FooterDocAccessFields_navItems_link_reference_Update
- delete: FooterDocAccessFields_navItems_link_reference_Delete
+type PagesFields_hero_links {
+ create: PagesFields_hero_links_Create
+ read: PagesFields_hero_links_Read
+ update: PagesFields_hero_links_Update
+ delete: PagesFields_hero_links_Delete
+ fields: PagesFields_hero_links_Fields
}
-type FooterDocAccessFields_navItems_link_reference_Create {
+type PagesFields_hero_links_Create {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_link_reference_Read {
+type PagesFields_hero_links_Read {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_link_reference_Update {
+type PagesFields_hero_links_Update {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_link_reference_Delete {
+type PagesFields_hero_links_Delete {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_link_url {
- create: FooterDocAccessFields_navItems_link_url_Create
- read: FooterDocAccessFields_navItems_link_url_Read
- update: FooterDocAccessFields_navItems_link_url_Update
- delete: FooterDocAccessFields_navItems_link_url_Delete
+type PagesFields_hero_links_Fields {
+ link: PagesFields_hero_links_link
+ id: PagesFields_hero_links_id
}
-type FooterDocAccessFields_navItems_link_url_Create {
+type PagesFields_hero_links_link {
+ create: PagesFields_hero_links_link_Create
+ read: PagesFields_hero_links_link_Read
+ update: PagesFields_hero_links_link_Update
+ delete: PagesFields_hero_links_link_Delete
+ fields: PagesFields_hero_links_link_Fields
+}
+
+type PagesFields_hero_links_link_Create {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_link_url_Read {
+type PagesFields_hero_links_link_Read {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_link_url_Update {
+type PagesFields_hero_links_link_Update {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_link_url_Delete {
+type PagesFields_hero_links_link_Delete {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_link_label {
- create: FooterDocAccessFields_navItems_link_label_Create
- read: FooterDocAccessFields_navItems_link_label_Read
- update: FooterDocAccessFields_navItems_link_label_Update
- delete: FooterDocAccessFields_navItems_link_label_Delete
+type PagesFields_hero_links_link_Fields {
+ type: PagesFields_hero_links_link_type
+ newTab: PagesFields_hero_links_link_newTab
+ reference: PagesFields_hero_links_link_reference
+ url: PagesFields_hero_links_link_url
+ label: PagesFields_hero_links_link_label
+ appearance: PagesFields_hero_links_link_appearance
+}
+
+type PagesFields_hero_links_link_type {
+ create: PagesFields_hero_links_link_type_Create
+ read: PagesFields_hero_links_link_type_Read
+ update: PagesFields_hero_links_link_type_Update
+ delete: PagesFields_hero_links_link_type_Delete
}
-type FooterDocAccessFields_navItems_link_label_Create {
+type PagesFields_hero_links_link_type_Create {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_link_label_Read {
+type PagesFields_hero_links_link_type_Read {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_link_label_Update {
+type PagesFields_hero_links_link_type_Update {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_link_label_Delete {
+type PagesFields_hero_links_link_type_Delete {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_id {
- create: FooterDocAccessFields_navItems_id_Create
- read: FooterDocAccessFields_navItems_id_Read
- update: FooterDocAccessFields_navItems_id_Update
- delete: FooterDocAccessFields_navItems_id_Delete
+type PagesFields_hero_links_link_newTab {
+ create: PagesFields_hero_links_link_newTab_Create
+ read: PagesFields_hero_links_link_newTab_Read
+ update: PagesFields_hero_links_link_newTab_Update
+ delete: PagesFields_hero_links_link_newTab_Delete
}
-type FooterDocAccessFields_navItems_id_Create {
+type PagesFields_hero_links_link_newTab_Create {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_id_Read {
+type PagesFields_hero_links_link_newTab_Read {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_id_Update {
+type PagesFields_hero_links_link_newTab_Update {
permission: Boolean!
}
-type FooterDocAccessFields_navItems_id_Delete {
+type PagesFields_hero_links_link_newTab_Delete {
permission: Boolean!
}
-type FooterDocAccessFields_updatedAt {
- create: FooterDocAccessFields_updatedAt_Create
- read: FooterDocAccessFields_updatedAt_Read
- update: FooterDocAccessFields_updatedAt_Update
- delete: FooterDocAccessFields_updatedAt_Delete
+type PagesFields_hero_links_link_reference {
+ create: PagesFields_hero_links_link_reference_Create
+ read: PagesFields_hero_links_link_reference_Read
+ update: PagesFields_hero_links_link_reference_Update
+ delete: PagesFields_hero_links_link_reference_Delete
}
-type FooterDocAccessFields_updatedAt_Create {
+type PagesFields_hero_links_link_reference_Create {
permission: Boolean!
}
-type FooterDocAccessFields_updatedAt_Read {
+type PagesFields_hero_links_link_reference_Read {
permission: Boolean!
}
-type FooterDocAccessFields_updatedAt_Update {
+type PagesFields_hero_links_link_reference_Update {
permission: Boolean!
}
-type FooterDocAccessFields_updatedAt_Delete {
+type PagesFields_hero_links_link_reference_Delete {
permission: Boolean!
}
-type FooterDocAccessFields_createdAt {
- create: FooterDocAccessFields_createdAt_Create
- read: FooterDocAccessFields_createdAt_Read
- update: FooterDocAccessFields_createdAt_Update
- delete: FooterDocAccessFields_createdAt_Delete
+type PagesFields_hero_links_link_url {
+ create: PagesFields_hero_links_link_url_Create
+ read: PagesFields_hero_links_link_url_Read
+ update: PagesFields_hero_links_link_url_Update
+ delete: PagesFields_hero_links_link_url_Delete
}
-type FooterDocAccessFields_createdAt_Create {
+type PagesFields_hero_links_link_url_Create {
permission: Boolean!
}
-type FooterDocAccessFields_createdAt_Read {
+type PagesFields_hero_links_link_url_Read {
permission: Boolean!
}
-type FooterDocAccessFields_createdAt_Update {
+type PagesFields_hero_links_link_url_Update {
permission: Boolean!
}
-type FooterDocAccessFields_createdAt_Delete {
+type PagesFields_hero_links_link_url_Delete {
permission: Boolean!
}
-type FooterReadDocAccess {
- permission: Boolean!
- where: JSONObject
+type PagesFields_hero_links_link_label {
+ create: PagesFields_hero_links_link_label_Create
+ read: PagesFields_hero_links_link_label_Read
+ update: PagesFields_hero_links_link_label_Update
+ delete: PagesFields_hero_links_link_label_Delete
}
-type FooterUpdateDocAccess {
+type PagesFields_hero_links_link_label_Create {
permission: Boolean!
- where: JSONObject
-}
-
-type Preference {
- key: String!
- value: JSON
- createdAt: DateTime!
- updatedAt: DateTime!
}
-type Access {
- canAccessAdmin: Boolean!
- users: usersAccess
- products: productsAccess
- categories: categoriesAccess
- pages: pagesAccess
- media: mediaAccess
- settings: settingsAccess
- header: headerAccess
- footer: footerAccess
+type PagesFields_hero_links_link_label_Read {
+ permission: Boolean!
}
-type usersAccess {
- fields: UsersFields
- create: UsersCreateAccess
- read: UsersReadAccess
- update: UsersUpdateAccess
- delete: UsersDeleteAccess
- unlock: UsersUnlockAccess
+type PagesFields_hero_links_link_label_Update {
+ permission: Boolean!
}
-type UsersFields {
- name: UsersFields_name
- roles: UsersFields_roles
- purchases: UsersFields_purchases
- stripeCustomerID: UsersFields_stripeCustomerID
- cart: UsersFields_cart
- skipSync: UsersFields_skipSync
- updatedAt: UsersFields_updatedAt
- createdAt: UsersFields_createdAt
- email: UsersFields_email
- password: UsersFields_password
+type PagesFields_hero_links_link_label_Delete {
+ permission: Boolean!
}
-type UsersFields_name {
- create: UsersFields_name_Create
- read: UsersFields_name_Read
- update: UsersFields_name_Update
- delete: UsersFields_name_Delete
+type PagesFields_hero_links_link_appearance {
+ create: PagesFields_hero_links_link_appearance_Create
+ read: PagesFields_hero_links_link_appearance_Read
+ update: PagesFields_hero_links_link_appearance_Update
+ delete: PagesFields_hero_links_link_appearance_Delete
}
-type UsersFields_name_Create {
+type PagesFields_hero_links_link_appearance_Create {
permission: Boolean!
}
-type UsersFields_name_Read {
+type PagesFields_hero_links_link_appearance_Read {
permission: Boolean!
}
-type UsersFields_name_Update {
+type PagesFields_hero_links_link_appearance_Update {
permission: Boolean!
}
-type UsersFields_name_Delete {
+type PagesFields_hero_links_link_appearance_Delete {
permission: Boolean!
}
-type UsersFields_roles {
- create: UsersFields_roles_Create
- read: UsersFields_roles_Read
- update: UsersFields_roles_Update
- delete: UsersFields_roles_Delete
+type PagesFields_hero_links_id {
+ create: PagesFields_hero_links_id_Create
+ read: PagesFields_hero_links_id_Read
+ update: PagesFields_hero_links_id_Update
+ delete: PagesFields_hero_links_id_Delete
}
-type UsersFields_roles_Create {
+type PagesFields_hero_links_id_Create {
permission: Boolean!
}
-type UsersFields_roles_Read {
+type PagesFields_hero_links_id_Read {
permission: Boolean!
}
-type UsersFields_roles_Update {
+type PagesFields_hero_links_id_Update {
permission: Boolean!
}
-type UsersFields_roles_Delete {
+type PagesFields_hero_links_id_Delete {
permission: Boolean!
}
-type UsersFields_purchases {
- create: UsersFields_purchases_Create
- read: UsersFields_purchases_Read
- update: UsersFields_purchases_Update
- delete: UsersFields_purchases_Delete
+type PagesFields_hero_media {
+ create: PagesFields_hero_media_Create
+ read: PagesFields_hero_media_Read
+ update: PagesFields_hero_media_Update
+ delete: PagesFields_hero_media_Delete
}
-type UsersFields_purchases_Create {
+type PagesFields_hero_media_Create {
permission: Boolean!
}
-type UsersFields_purchases_Read {
+type PagesFields_hero_media_Read {
permission: Boolean!
}
-type UsersFields_purchases_Update {
+type PagesFields_hero_media_Update {
permission: Boolean!
}
-type UsersFields_purchases_Delete {
+type PagesFields_hero_media_Delete {
permission: Boolean!
}
-type UsersFields_stripeCustomerID {
- create: UsersFields_stripeCustomerID_Create
- read: UsersFields_stripeCustomerID_Read
- update: UsersFields_stripeCustomerID_Update
- delete: UsersFields_stripeCustomerID_Delete
+type PagesFields_layout {
+ create: PagesFields_layout_Create
+ read: PagesFields_layout_Read
+ update: PagesFields_layout_Update
+ delete: PagesFields_layout_Delete
}
-type UsersFields_stripeCustomerID_Create {
+type PagesFields_layout_Create {
permission: Boolean!
}
-type UsersFields_stripeCustomerID_Read {
+type PagesFields_layout_Read {
permission: Boolean!
}
-type UsersFields_stripeCustomerID_Update {
+type PagesFields_layout_Update {
permission: Boolean!
}
-type UsersFields_stripeCustomerID_Delete {
+type PagesFields_layout_Delete {
permission: Boolean!
}
-type UsersFields_cart {
- create: UsersFields_cart_Create
- read: UsersFields_cart_Read
- update: UsersFields_cart_Update
- delete: UsersFields_cart_Delete
- fields: UsersFields_cart_Fields
+type PagesFields_slug {
+ create: PagesFields_slug_Create
+ read: PagesFields_slug_Read
+ update: PagesFields_slug_Update
+ delete: PagesFields_slug_Delete
}
-type UsersFields_cart_Create {
+type PagesFields_slug_Create {
permission: Boolean!
}
-type UsersFields_cart_Read {
+type PagesFields_slug_Read {
permission: Boolean!
}
-type UsersFields_cart_Update {
+type PagesFields_slug_Update {
permission: Boolean!
}
-type UsersFields_cart_Delete {
+type PagesFields_slug_Delete {
permission: Boolean!
}
-type UsersFields_cart_Fields {
- items: UsersFields_cart_items
-}
-
-type UsersFields_cart_items {
- create: UsersFields_cart_items_Create
- read: UsersFields_cart_items_Read
- update: UsersFields_cart_items_Update
- delete: UsersFields_cart_items_Delete
- fields: UsersFields_cart_items_Fields
+type PagesFields_meta {
+ create: PagesFields_meta_Create
+ read: PagesFields_meta_Read
+ update: PagesFields_meta_Update
+ delete: PagesFields_meta_Delete
+ fields: PagesFields_meta_Fields
}
-type UsersFields_cart_items_Create {
+type PagesFields_meta_Create {
permission: Boolean!
}
-type UsersFields_cart_items_Read {
+type PagesFields_meta_Read {
permission: Boolean!
}
-type UsersFields_cart_items_Update {
+type PagesFields_meta_Update {
permission: Boolean!
}
-type UsersFields_cart_items_Delete {
+type PagesFields_meta_Delete {
permission: Boolean!
}
-type UsersFields_cart_items_Fields {
- product: UsersFields_cart_items_product
- quantity: UsersFields_cart_items_quantity
- id: UsersFields_cart_items_id
+type PagesFields_meta_Fields {
+ overview: PagesFields_meta_overview
+ title: PagesFields_meta_title
+ description: PagesFields_meta_description
+ image: PagesFields_meta_image
+ preview: PagesFields_meta_preview
}
-type UsersFields_cart_items_product {
- create: UsersFields_cart_items_product_Create
- read: UsersFields_cart_items_product_Read
- update: UsersFields_cart_items_product_Update
- delete: UsersFields_cart_items_product_Delete
+type PagesFields_meta_overview {
+ create: PagesFields_meta_overview_Create
+ read: PagesFields_meta_overview_Read
+ update: PagesFields_meta_overview_Update
+ delete: PagesFields_meta_overview_Delete
}
-type UsersFields_cart_items_product_Create {
+type PagesFields_meta_overview_Create {
permission: Boolean!
}
-type UsersFields_cart_items_product_Read {
+type PagesFields_meta_overview_Read {
permission: Boolean!
}
-type UsersFields_cart_items_product_Update {
+type PagesFields_meta_overview_Update {
permission: Boolean!
}
-type UsersFields_cart_items_product_Delete {
+type PagesFields_meta_overview_Delete {
permission: Boolean!
}
-type UsersFields_cart_items_quantity {
- create: UsersFields_cart_items_quantity_Create
- read: UsersFields_cart_items_quantity_Read
- update: UsersFields_cart_items_quantity_Update
- delete: UsersFields_cart_items_quantity_Delete
+type PagesFields_meta_title {
+ create: PagesFields_meta_title_Create
+ read: PagesFields_meta_title_Read
+ update: PagesFields_meta_title_Update
+ delete: PagesFields_meta_title_Delete
}
-type UsersFields_cart_items_quantity_Create {
+type PagesFields_meta_title_Create {
permission: Boolean!
}
-type UsersFields_cart_items_quantity_Read {
+type PagesFields_meta_title_Read {
permission: Boolean!
}
-type UsersFields_cart_items_quantity_Update {
+type PagesFields_meta_title_Update {
permission: Boolean!
}
-type UsersFields_cart_items_quantity_Delete {
+type PagesFields_meta_title_Delete {
permission: Boolean!
}
-type UsersFields_cart_items_id {
- create: UsersFields_cart_items_id_Create
- read: UsersFields_cart_items_id_Read
- update: UsersFields_cart_items_id_Update
- delete: UsersFields_cart_items_id_Delete
+type PagesFields_meta_description {
+ create: PagesFields_meta_description_Create
+ read: PagesFields_meta_description_Read
+ update: PagesFields_meta_description_Update
+ delete: PagesFields_meta_description_Delete
}
-type UsersFields_cart_items_id_Create {
+type PagesFields_meta_description_Create {
permission: Boolean!
}
-type UsersFields_cart_items_id_Read {
+type PagesFields_meta_description_Read {
permission: Boolean!
}
-type UsersFields_cart_items_id_Update {
+type PagesFields_meta_description_Update {
permission: Boolean!
}
-type UsersFields_cart_items_id_Delete {
+type PagesFields_meta_description_Delete {
permission: Boolean!
}
-type UsersFields_skipSync {
- create: UsersFields_skipSync_Create
- read: UsersFields_skipSync_Read
- update: UsersFields_skipSync_Update
- delete: UsersFields_skipSync_Delete
+type PagesFields_meta_image {
+ create: PagesFields_meta_image_Create
+ read: PagesFields_meta_image_Read
+ update: PagesFields_meta_image_Update
+ delete: PagesFields_meta_image_Delete
}
-type UsersFields_skipSync_Create {
+type PagesFields_meta_image_Create {
permission: Boolean!
}
-type UsersFields_skipSync_Read {
+type PagesFields_meta_image_Read {
permission: Boolean!
}
-type UsersFields_skipSync_Update {
+type PagesFields_meta_image_Update {
permission: Boolean!
}
-type UsersFields_skipSync_Delete {
+type PagesFields_meta_image_Delete {
permission: Boolean!
}
-type UsersFields_updatedAt {
- create: UsersFields_updatedAt_Create
- read: UsersFields_updatedAt_Read
- update: UsersFields_updatedAt_Update
- delete: UsersFields_updatedAt_Delete
+type PagesFields_meta_preview {
+ create: PagesFields_meta_preview_Create
+ read: PagesFields_meta_preview_Read
+ update: PagesFields_meta_preview_Update
+ delete: PagesFields_meta_preview_Delete
}
-type UsersFields_updatedAt_Create {
+type PagesFields_meta_preview_Create {
permission: Boolean!
}
-type UsersFields_updatedAt_Read {
+type PagesFields_meta_preview_Read {
permission: Boolean!
}
-type UsersFields_updatedAt_Update {
+type PagesFields_meta_preview_Update {
permission: Boolean!
}
-type UsersFields_updatedAt_Delete {
+type PagesFields_meta_preview_Delete {
permission: Boolean!
}
-type UsersFields_createdAt {
- create: UsersFields_createdAt_Create
- read: UsersFields_createdAt_Read
- update: UsersFields_createdAt_Update
- delete: UsersFields_createdAt_Delete
+type PagesFields_updatedAt {
+ create: PagesFields_updatedAt_Create
+ read: PagesFields_updatedAt_Read
+ update: PagesFields_updatedAt_Update
+ delete: PagesFields_updatedAt_Delete
}
-type UsersFields_createdAt_Create {
+type PagesFields_updatedAt_Create {
permission: Boolean!
}
-type UsersFields_createdAt_Read {
+type PagesFields_updatedAt_Read {
permission: Boolean!
}
-type UsersFields_createdAt_Update {
+type PagesFields_updatedAt_Update {
permission: Boolean!
}
-type UsersFields_createdAt_Delete {
+type PagesFields_updatedAt_Delete {
permission: Boolean!
}
-type UsersFields_email {
- create: UsersFields_email_Create
- read: UsersFields_email_Read
- update: UsersFields_email_Update
- delete: UsersFields_email_Delete
+type PagesFields_createdAt {
+ create: PagesFields_createdAt_Create
+ read: PagesFields_createdAt_Read
+ update: PagesFields_createdAt_Update
+ delete: PagesFields_createdAt_Delete
}
-type UsersFields_email_Create {
+type PagesFields_createdAt_Create {
permission: Boolean!
}
-type UsersFields_email_Read {
+type PagesFields_createdAt_Read {
permission: Boolean!
}
-type UsersFields_email_Update {
+type PagesFields_createdAt_Update {
permission: Boolean!
}
-type UsersFields_email_Delete {
+type PagesFields_createdAt_Delete {
permission: Boolean!
}
-type UsersFields_password {
- create: UsersFields_password_Create
- read: UsersFields_password_Read
- update: UsersFields_password_Update
- delete: UsersFields_password_Delete
+type PagesFields__status {
+ create: PagesFields__status_Create
+ read: PagesFields__status_Read
+ update: PagesFields__status_Update
+ delete: PagesFields__status_Delete
}
-type UsersFields_password_Create {
+type PagesFields__status_Create {
permission: Boolean!
}
-type UsersFields_password_Read {
+type PagesFields__status_Read {
permission: Boolean!
}
-type UsersFields_password_Update {
+type PagesFields__status_Update {
permission: Boolean!
}
-type UsersFields_password_Delete {
+type PagesFields__status_Delete {
permission: Boolean!
}
-type UsersCreateAccess {
+type PagesCreateAccess {
permission: Boolean!
where: JSONObject
}
-type UsersReadAccess {
+type PagesReadAccess {
permission: Boolean!
where: JSONObject
}
-type UsersUpdateAccess {
+type PagesUpdateAccess {
permission: Boolean!
where: JSONObject
}
-type UsersDeleteAccess {
+type PagesDeleteAccess {
permission: Boolean!
where: JSONObject
}
-type UsersUnlockAccess {
+type PagesReadVersionsAccess {
permission: Boolean!
where: JSONObject
}
@@ -6886,1201 +7634,1180 @@ type ProductsReadVersionsAccess {
where: JSONObject
}
-type categoriesAccess {
- fields: CategoriesFields
- create: CategoriesCreateAccess
- read: CategoriesReadAccess
- update: CategoriesUpdateAccess
- delete: CategoriesDeleteAccess
+type ordersAccess {
+ fields: OrdersFields
+ create: OrdersCreateAccess
+ read: OrdersReadAccess
+ update: OrdersUpdateAccess
+ delete: OrdersDeleteAccess
}
-type CategoriesFields {
- title: CategoriesFields_title
- parent: CategoriesFields_parent
- breadcrumbs: CategoriesFields_breadcrumbs
- updatedAt: CategoriesFields_updatedAt
- createdAt: CategoriesFields_createdAt
+type OrdersFields {
+ orderedBy: OrdersFields_orderedBy
+ stripePaymentIntentID: OrdersFields_stripePaymentIntentID
+ total: OrdersFields_total
+ items: OrdersFields_items
+ updatedAt: OrdersFields_updatedAt
+ createdAt: OrdersFields_createdAt
}
-type CategoriesFields_title {
- create: CategoriesFields_title_Create
- read: CategoriesFields_title_Read
- update: CategoriesFields_title_Update
- delete: CategoriesFields_title_Delete
+type OrdersFields_orderedBy {
+ create: OrdersFields_orderedBy_Create
+ read: OrdersFields_orderedBy_Read
+ update: OrdersFields_orderedBy_Update
+ delete: OrdersFields_orderedBy_Delete
}
-type CategoriesFields_title_Create {
+type OrdersFields_orderedBy_Create {
permission: Boolean!
}
-type CategoriesFields_title_Read {
+type OrdersFields_orderedBy_Read {
permission: Boolean!
}
-type CategoriesFields_title_Update {
+type OrdersFields_orderedBy_Update {
permission: Boolean!
}
-type CategoriesFields_title_Delete {
+type OrdersFields_orderedBy_Delete {
permission: Boolean!
}
-type CategoriesFields_parent {
- create: CategoriesFields_parent_Create
- read: CategoriesFields_parent_Read
- update: CategoriesFields_parent_Update
- delete: CategoriesFields_parent_Delete
+type OrdersFields_stripePaymentIntentID {
+ create: OrdersFields_stripePaymentIntentID_Create
+ read: OrdersFields_stripePaymentIntentID_Read
+ update: OrdersFields_stripePaymentIntentID_Update
+ delete: OrdersFields_stripePaymentIntentID_Delete
}
-type CategoriesFields_parent_Create {
+type OrdersFields_stripePaymentIntentID_Create {
permission: Boolean!
}
-type CategoriesFields_parent_Read {
+type OrdersFields_stripePaymentIntentID_Read {
permission: Boolean!
}
-type CategoriesFields_parent_Update {
+type OrdersFields_stripePaymentIntentID_Update {
permission: Boolean!
}
-type CategoriesFields_parent_Delete {
+type OrdersFields_stripePaymentIntentID_Delete {
permission: Boolean!
}
-type CategoriesFields_breadcrumbs {
- create: CategoriesFields_breadcrumbs_Create
- read: CategoriesFields_breadcrumbs_Read
- update: CategoriesFields_breadcrumbs_Update
- delete: CategoriesFields_breadcrumbs_Delete
- fields: CategoriesFields_breadcrumbs_Fields
+type OrdersFields_total {
+ create: OrdersFields_total_Create
+ read: OrdersFields_total_Read
+ update: OrdersFields_total_Update
+ delete: OrdersFields_total_Delete
}
-type CategoriesFields_breadcrumbs_Create {
+type OrdersFields_total_Create {
permission: Boolean!
}
-type CategoriesFields_breadcrumbs_Read {
+type OrdersFields_total_Read {
permission: Boolean!
}
-type CategoriesFields_breadcrumbs_Update {
+type OrdersFields_total_Update {
permission: Boolean!
}
-type CategoriesFields_breadcrumbs_Delete {
+type OrdersFields_total_Delete {
permission: Boolean!
}
-type CategoriesFields_breadcrumbs_Fields {
- doc: CategoriesFields_breadcrumbs_doc
- url: CategoriesFields_breadcrumbs_url
- label: CategoriesFields_breadcrumbs_label
- id: CategoriesFields_breadcrumbs_id
+type OrdersFields_items {
+ create: OrdersFields_items_Create
+ read: OrdersFields_items_Read
+ update: OrdersFields_items_Update
+ delete: OrdersFields_items_Delete
+ fields: OrdersFields_items_Fields
}
-type CategoriesFields_breadcrumbs_doc {
- create: CategoriesFields_breadcrumbs_doc_Create
- read: CategoriesFields_breadcrumbs_doc_Read
- update: CategoriesFields_breadcrumbs_doc_Update
- delete: CategoriesFields_breadcrumbs_doc_Delete
+type OrdersFields_items_Create {
+ permission: Boolean!
}
-type CategoriesFields_breadcrumbs_doc_Create {
+type OrdersFields_items_Read {
permission: Boolean!
}
-type CategoriesFields_breadcrumbs_doc_Read {
+type OrdersFields_items_Update {
permission: Boolean!
}
-type CategoriesFields_breadcrumbs_doc_Update {
+type OrdersFields_items_Delete {
permission: Boolean!
}
-type CategoriesFields_breadcrumbs_doc_Delete {
- permission: Boolean!
+type OrdersFields_items_Fields {
+ product: OrdersFields_items_product
+ price: OrdersFields_items_price
+ quantity: OrdersFields_items_quantity
+ id: OrdersFields_items_id
}
-type CategoriesFields_breadcrumbs_url {
- create: CategoriesFields_breadcrumbs_url_Create
- read: CategoriesFields_breadcrumbs_url_Read
- update: CategoriesFields_breadcrumbs_url_Update
- delete: CategoriesFields_breadcrumbs_url_Delete
+type OrdersFields_items_product {
+ create: OrdersFields_items_product_Create
+ read: OrdersFields_items_product_Read
+ update: OrdersFields_items_product_Update
+ delete: OrdersFields_items_product_Delete
}
-type CategoriesFields_breadcrumbs_url_Create {
+type OrdersFields_items_product_Create {
permission: Boolean!
}
-type CategoriesFields_breadcrumbs_url_Read {
+type OrdersFields_items_product_Read {
permission: Boolean!
}
-type CategoriesFields_breadcrumbs_url_Update {
+type OrdersFields_items_product_Update {
permission: Boolean!
}
-type CategoriesFields_breadcrumbs_url_Delete {
+type OrdersFields_items_product_Delete {
permission: Boolean!
}
-type CategoriesFields_breadcrumbs_label {
- create: CategoriesFields_breadcrumbs_label_Create
- read: CategoriesFields_breadcrumbs_label_Read
- update: CategoriesFields_breadcrumbs_label_Update
- delete: CategoriesFields_breadcrumbs_label_Delete
+type OrdersFields_items_price {
+ create: OrdersFields_items_price_Create
+ read: OrdersFields_items_price_Read
+ update: OrdersFields_items_price_Update
+ delete: OrdersFields_items_price_Delete
}
-type CategoriesFields_breadcrumbs_label_Create {
+type OrdersFields_items_price_Create {
permission: Boolean!
}
-type CategoriesFields_breadcrumbs_label_Read {
+type OrdersFields_items_price_Read {
permission: Boolean!
}
-type CategoriesFields_breadcrumbs_label_Update {
+type OrdersFields_items_price_Update {
permission: Boolean!
}
-type CategoriesFields_breadcrumbs_label_Delete {
+type OrdersFields_items_price_Delete {
permission: Boolean!
}
-type CategoriesFields_breadcrumbs_id {
- create: CategoriesFields_breadcrumbs_id_Create
- read: CategoriesFields_breadcrumbs_id_Read
- update: CategoriesFields_breadcrumbs_id_Update
- delete: CategoriesFields_breadcrumbs_id_Delete
+type OrdersFields_items_quantity {
+ create: OrdersFields_items_quantity_Create
+ read: OrdersFields_items_quantity_Read
+ update: OrdersFields_items_quantity_Update
+ delete: OrdersFields_items_quantity_Delete
}
-type CategoriesFields_breadcrumbs_id_Create {
+type OrdersFields_items_quantity_Create {
permission: Boolean!
}
-type CategoriesFields_breadcrumbs_id_Read {
+type OrdersFields_items_quantity_Read {
permission: Boolean!
}
-type CategoriesFields_breadcrumbs_id_Update {
+type OrdersFields_items_quantity_Update {
permission: Boolean!
}
-type CategoriesFields_breadcrumbs_id_Delete {
+type OrdersFields_items_quantity_Delete {
permission: Boolean!
}
-type CategoriesFields_updatedAt {
- create: CategoriesFields_updatedAt_Create
- read: CategoriesFields_updatedAt_Read
- update: CategoriesFields_updatedAt_Update
- delete: CategoriesFields_updatedAt_Delete
+type OrdersFields_items_id {
+ create: OrdersFields_items_id_Create
+ read: OrdersFields_items_id_Read
+ update: OrdersFields_items_id_Update
+ delete: OrdersFields_items_id_Delete
}
-type CategoriesFields_updatedAt_Create {
+type OrdersFields_items_id_Create {
permission: Boolean!
}
-type CategoriesFields_updatedAt_Read {
+type OrdersFields_items_id_Read {
permission: Boolean!
}
-type CategoriesFields_updatedAt_Update {
+type OrdersFields_items_id_Update {
permission: Boolean!
}
-type CategoriesFields_updatedAt_Delete {
+type OrdersFields_items_id_Delete {
permission: Boolean!
}
-type CategoriesFields_createdAt {
- create: CategoriesFields_createdAt_Create
- read: CategoriesFields_createdAt_Read
- update: CategoriesFields_createdAt_Update
- delete: CategoriesFields_createdAt_Delete
+type OrdersFields_updatedAt {
+ create: OrdersFields_updatedAt_Create
+ read: OrdersFields_updatedAt_Read
+ update: OrdersFields_updatedAt_Update
+ delete: OrdersFields_updatedAt_Delete
}
-type CategoriesFields_createdAt_Create {
+type OrdersFields_updatedAt_Create {
permission: Boolean!
}
-type CategoriesFields_createdAt_Read {
+type OrdersFields_updatedAt_Read {
permission: Boolean!
}
-type CategoriesFields_createdAt_Update {
+type OrdersFields_updatedAt_Update {
+ permission: Boolean!
+}
+
+type OrdersFields_updatedAt_Delete {
+ permission: Boolean!
+}
+
+type OrdersFields_createdAt {
+ create: OrdersFields_createdAt_Create
+ read: OrdersFields_createdAt_Read
+ update: OrdersFields_createdAt_Update
+ delete: OrdersFields_createdAt_Delete
+}
+
+type OrdersFields_createdAt_Create {
permission: Boolean!
}
-type CategoriesFields_createdAt_Delete {
+type OrdersFields_createdAt_Read {
permission: Boolean!
}
-type CategoriesCreateAccess {
+type OrdersFields_createdAt_Update {
permission: Boolean!
- where: JSONObject
}
-type CategoriesReadAccess {
+type OrdersFields_createdAt_Delete {
permission: Boolean!
- where: JSONObject
}
-type CategoriesUpdateAccess {
+type OrdersCreateAccess {
permission: Boolean!
where: JSONObject
}
-type CategoriesDeleteAccess {
+type OrdersReadAccess {
permission: Boolean!
where: JSONObject
}
-type pagesAccess {
- fields: PagesFields
- create: PagesCreateAccess
- read: PagesReadAccess
- update: PagesUpdateAccess
- delete: PagesDeleteAccess
- readVersions: PagesReadVersionsAccess
-}
-
-type PagesFields {
- title: PagesFields_title
- publishedDate: PagesFields_publishedDate
- hero: PagesFields_hero
- layout: PagesFields_layout
- slug: PagesFields_slug
- meta: PagesFields_meta
- updatedAt: PagesFields_updatedAt
- createdAt: PagesFields_createdAt
- _status: PagesFields__status
-}
-
-type PagesFields_title {
- create: PagesFields_title_Create
- read: PagesFields_title_Read
- update: PagesFields_title_Update
- delete: PagesFields_title_Delete
-}
-
-type PagesFields_title_Create {
+type OrdersUpdateAccess {
permission: Boolean!
+ where: JSONObject
}
-type PagesFields_title_Read {
+type OrdersDeleteAccess {
permission: Boolean!
+ where: JSONObject
}
-type PagesFields_title_Update {
- permission: Boolean!
+type mediaAccess {
+ fields: MediaFields
+ create: MediaCreateAccess
+ read: MediaReadAccess
+ update: MediaUpdateAccess
+ delete: MediaDeleteAccess
}
-type PagesFields_title_Delete {
- permission: Boolean!
+type MediaFields {
+ alt: MediaFields_alt
+ caption: MediaFields_caption
+ updatedAt: MediaFields_updatedAt
+ createdAt: MediaFields_createdAt
+ url: MediaFields_url
+ filename: MediaFields_filename
+ mimeType: MediaFields_mimeType
+ filesize: MediaFields_filesize
+ width: MediaFields_width
+ height: MediaFields_height
}
-type PagesFields_publishedDate {
- create: PagesFields_publishedDate_Create
- read: PagesFields_publishedDate_Read
- update: PagesFields_publishedDate_Update
- delete: PagesFields_publishedDate_Delete
+type MediaFields_alt {
+ create: MediaFields_alt_Create
+ read: MediaFields_alt_Read
+ update: MediaFields_alt_Update
+ delete: MediaFields_alt_Delete
}
-type PagesFields_publishedDate_Create {
+type MediaFields_alt_Create {
permission: Boolean!
}
-type PagesFields_publishedDate_Read {
+type MediaFields_alt_Read {
permission: Boolean!
}
-type PagesFields_publishedDate_Update {
+type MediaFields_alt_Update {
permission: Boolean!
}
-type PagesFields_publishedDate_Delete {
+type MediaFields_alt_Delete {
permission: Boolean!
}
-type PagesFields_hero {
- create: PagesFields_hero_Create
- read: PagesFields_hero_Read
- update: PagesFields_hero_Update
- delete: PagesFields_hero_Delete
- fields: PagesFields_hero_Fields
+type MediaFields_caption {
+ create: MediaFields_caption_Create
+ read: MediaFields_caption_Read
+ update: MediaFields_caption_Update
+ delete: MediaFields_caption_Delete
}
-type PagesFields_hero_Create {
+type MediaFields_caption_Create {
permission: Boolean!
}
-type PagesFields_hero_Read {
+type MediaFields_caption_Read {
permission: Boolean!
}
-type PagesFields_hero_Update {
+type MediaFields_caption_Update {
permission: Boolean!
}
-type PagesFields_hero_Delete {
+type MediaFields_caption_Delete {
permission: Boolean!
}
-type PagesFields_hero_Fields {
- type: PagesFields_hero_type
- richText: PagesFields_hero_richText
- links: PagesFields_hero_links
- media: PagesFields_hero_media
-}
-
-type PagesFields_hero_type {
- create: PagesFields_hero_type_Create
- read: PagesFields_hero_type_Read
- update: PagesFields_hero_type_Update
- delete: PagesFields_hero_type_Delete
+type MediaFields_updatedAt {
+ create: MediaFields_updatedAt_Create
+ read: MediaFields_updatedAt_Read
+ update: MediaFields_updatedAt_Update
+ delete: MediaFields_updatedAt_Delete
}
-type PagesFields_hero_type_Create {
+type MediaFields_updatedAt_Create {
permission: Boolean!
}
-type PagesFields_hero_type_Read {
+type MediaFields_updatedAt_Read {
permission: Boolean!
}
-type PagesFields_hero_type_Update {
+type MediaFields_updatedAt_Update {
permission: Boolean!
}
-type PagesFields_hero_type_Delete {
+type MediaFields_updatedAt_Delete {
permission: Boolean!
}
-type PagesFields_hero_richText {
- create: PagesFields_hero_richText_Create
- read: PagesFields_hero_richText_Read
- update: PagesFields_hero_richText_Update
- delete: PagesFields_hero_richText_Delete
+type MediaFields_createdAt {
+ create: MediaFields_createdAt_Create
+ read: MediaFields_createdAt_Read
+ update: MediaFields_createdAt_Update
+ delete: MediaFields_createdAt_Delete
}
-type PagesFields_hero_richText_Create {
+type MediaFields_createdAt_Create {
permission: Boolean!
}
-type PagesFields_hero_richText_Read {
+type MediaFields_createdAt_Read {
permission: Boolean!
}
-type PagesFields_hero_richText_Update {
+type MediaFields_createdAt_Update {
permission: Boolean!
}
-type PagesFields_hero_richText_Delete {
+type MediaFields_createdAt_Delete {
permission: Boolean!
}
-type PagesFields_hero_links {
- create: PagesFields_hero_links_Create
- read: PagesFields_hero_links_Read
- update: PagesFields_hero_links_Update
- delete: PagesFields_hero_links_Delete
- fields: PagesFields_hero_links_Fields
+type MediaFields_url {
+ create: MediaFields_url_Create
+ read: MediaFields_url_Read
+ update: MediaFields_url_Update
+ delete: MediaFields_url_Delete
}
-type PagesFields_hero_links_Create {
+type MediaFields_url_Create {
permission: Boolean!
}
-type PagesFields_hero_links_Read {
+type MediaFields_url_Read {
permission: Boolean!
}
-type PagesFields_hero_links_Update {
+type MediaFields_url_Update {
permission: Boolean!
}
-type PagesFields_hero_links_Delete {
+type MediaFields_url_Delete {
permission: Boolean!
}
-type PagesFields_hero_links_Fields {
- link: PagesFields_hero_links_link
- id: PagesFields_hero_links_id
-}
-
-type PagesFields_hero_links_link {
- create: PagesFields_hero_links_link_Create
- read: PagesFields_hero_links_link_Read
- update: PagesFields_hero_links_link_Update
- delete: PagesFields_hero_links_link_Delete
- fields: PagesFields_hero_links_link_Fields
+type MediaFields_filename {
+ create: MediaFields_filename_Create
+ read: MediaFields_filename_Read
+ update: MediaFields_filename_Update
+ delete: MediaFields_filename_Delete
}
-type PagesFields_hero_links_link_Create {
+type MediaFields_filename_Create {
permission: Boolean!
}
-type PagesFields_hero_links_link_Read {
+type MediaFields_filename_Read {
permission: Boolean!
}
-type PagesFields_hero_links_link_Update {
+type MediaFields_filename_Update {
permission: Boolean!
}
-type PagesFields_hero_links_link_Delete {
+type MediaFields_filename_Delete {
permission: Boolean!
}
-type PagesFields_hero_links_link_Fields {
- type: PagesFields_hero_links_link_type
- newTab: PagesFields_hero_links_link_newTab
- reference: PagesFields_hero_links_link_reference
- url: PagesFields_hero_links_link_url
- label: PagesFields_hero_links_link_label
- appearance: PagesFields_hero_links_link_appearance
-}
-
-type PagesFields_hero_links_link_type {
- create: PagesFields_hero_links_link_type_Create
- read: PagesFields_hero_links_link_type_Read
- update: PagesFields_hero_links_link_type_Update
- delete: PagesFields_hero_links_link_type_Delete
+type MediaFields_mimeType {
+ create: MediaFields_mimeType_Create
+ read: MediaFields_mimeType_Read
+ update: MediaFields_mimeType_Update
+ delete: MediaFields_mimeType_Delete
}
-type PagesFields_hero_links_link_type_Create {
+type MediaFields_mimeType_Create {
permission: Boolean!
}
-type PagesFields_hero_links_link_type_Read {
+type MediaFields_mimeType_Read {
permission: Boolean!
}
-type PagesFields_hero_links_link_type_Update {
+type MediaFields_mimeType_Update {
permission: Boolean!
}
-type PagesFields_hero_links_link_type_Delete {
+type MediaFields_mimeType_Delete {
permission: Boolean!
}
-type PagesFields_hero_links_link_newTab {
- create: PagesFields_hero_links_link_newTab_Create
- read: PagesFields_hero_links_link_newTab_Read
- update: PagesFields_hero_links_link_newTab_Update
- delete: PagesFields_hero_links_link_newTab_Delete
+type MediaFields_filesize {
+ create: MediaFields_filesize_Create
+ read: MediaFields_filesize_Read
+ update: MediaFields_filesize_Update
+ delete: MediaFields_filesize_Delete
}
-type PagesFields_hero_links_link_newTab_Create {
+type MediaFields_filesize_Create {
permission: Boolean!
}
-type PagesFields_hero_links_link_newTab_Read {
+type MediaFields_filesize_Read {
permission: Boolean!
}
-type PagesFields_hero_links_link_newTab_Update {
+type MediaFields_filesize_Update {
permission: Boolean!
}
-type PagesFields_hero_links_link_newTab_Delete {
+type MediaFields_filesize_Delete {
permission: Boolean!
}
-type PagesFields_hero_links_link_reference {
- create: PagesFields_hero_links_link_reference_Create
- read: PagesFields_hero_links_link_reference_Read
- update: PagesFields_hero_links_link_reference_Update
- delete: PagesFields_hero_links_link_reference_Delete
+type MediaFields_width {
+ create: MediaFields_width_Create
+ read: MediaFields_width_Read
+ update: MediaFields_width_Update
+ delete: MediaFields_width_Delete
}
-type PagesFields_hero_links_link_reference_Create {
+type MediaFields_width_Create {
permission: Boolean!
}
-type PagesFields_hero_links_link_reference_Read {
+type MediaFields_width_Read {
permission: Boolean!
}
-type PagesFields_hero_links_link_reference_Update {
+type MediaFields_width_Update {
permission: Boolean!
}
-type PagesFields_hero_links_link_reference_Delete {
+type MediaFields_width_Delete {
permission: Boolean!
}
-type PagesFields_hero_links_link_url {
- create: PagesFields_hero_links_link_url_Create
- read: PagesFields_hero_links_link_url_Read
- update: PagesFields_hero_links_link_url_Update
- delete: PagesFields_hero_links_link_url_Delete
+type MediaFields_height {
+ create: MediaFields_height_Create
+ read: MediaFields_height_Read
+ update: MediaFields_height_Update
+ delete: MediaFields_height_Delete
}
-type PagesFields_hero_links_link_url_Create {
+type MediaFields_height_Create {
permission: Boolean!
}
-type PagesFields_hero_links_link_url_Read {
+type MediaFields_height_Read {
permission: Boolean!
}
-type PagesFields_hero_links_link_url_Update {
+type MediaFields_height_Update {
permission: Boolean!
}
-type PagesFields_hero_links_link_url_Delete {
+type MediaFields_height_Delete {
permission: Boolean!
}
-type PagesFields_hero_links_link_label {
- create: PagesFields_hero_links_link_label_Create
- read: PagesFields_hero_links_link_label_Read
- update: PagesFields_hero_links_link_label_Update
- delete: PagesFields_hero_links_link_label_Delete
+type MediaCreateAccess {
+ permission: Boolean!
+ where: JSONObject
}
-type PagesFields_hero_links_link_label_Create {
+type MediaReadAccess {
permission: Boolean!
+ where: JSONObject
}
-type PagesFields_hero_links_link_label_Read {
+type MediaUpdateAccess {
permission: Boolean!
+ where: JSONObject
}
-type PagesFields_hero_links_link_label_Update {
+type MediaDeleteAccess {
permission: Boolean!
+ where: JSONObject
}
-type PagesFields_hero_links_link_label_Delete {
- permission: Boolean!
+type categoriesAccess {
+ fields: CategoriesFields
+ create: CategoriesCreateAccess
+ read: CategoriesReadAccess
+ update: CategoriesUpdateAccess
+ delete: CategoriesDeleteAccess
}
-type PagesFields_hero_links_link_appearance {
- create: PagesFields_hero_links_link_appearance_Create
- read: PagesFields_hero_links_link_appearance_Read
- update: PagesFields_hero_links_link_appearance_Update
- delete: PagesFields_hero_links_link_appearance_Delete
+type CategoriesFields {
+ title: CategoriesFields_title
+ parent: CategoriesFields_parent
+ breadcrumbs: CategoriesFields_breadcrumbs
+ updatedAt: CategoriesFields_updatedAt
+ createdAt: CategoriesFields_createdAt
}
-type PagesFields_hero_links_link_appearance_Create {
+type CategoriesFields_title {
+ create: CategoriesFields_title_Create
+ read: CategoriesFields_title_Read
+ update: CategoriesFields_title_Update
+ delete: CategoriesFields_title_Delete
+}
+
+type CategoriesFields_title_Create {
permission: Boolean!
}
-type PagesFields_hero_links_link_appearance_Read {
+type CategoriesFields_title_Read {
permission: Boolean!
}
-type PagesFields_hero_links_link_appearance_Update {
+type CategoriesFields_title_Update {
permission: Boolean!
}
-type PagesFields_hero_links_link_appearance_Delete {
+type CategoriesFields_title_Delete {
permission: Boolean!
}
-type PagesFields_hero_links_id {
- create: PagesFields_hero_links_id_Create
- read: PagesFields_hero_links_id_Read
- update: PagesFields_hero_links_id_Update
- delete: PagesFields_hero_links_id_Delete
+type CategoriesFields_parent {
+ create: CategoriesFields_parent_Create
+ read: CategoriesFields_parent_Read
+ update: CategoriesFields_parent_Update
+ delete: CategoriesFields_parent_Delete
}
-type PagesFields_hero_links_id_Create {
+type CategoriesFields_parent_Create {
permission: Boolean!
}
-type PagesFields_hero_links_id_Read {
+type CategoriesFields_parent_Read {
permission: Boolean!
}
-type PagesFields_hero_links_id_Update {
+type CategoriesFields_parent_Update {
permission: Boolean!
}
-type PagesFields_hero_links_id_Delete {
+type CategoriesFields_parent_Delete {
permission: Boolean!
}
-type PagesFields_hero_media {
- create: PagesFields_hero_media_Create
- read: PagesFields_hero_media_Read
- update: PagesFields_hero_media_Update
- delete: PagesFields_hero_media_Delete
+type CategoriesFields_breadcrumbs {
+ create: CategoriesFields_breadcrumbs_Create
+ read: CategoriesFields_breadcrumbs_Read
+ update: CategoriesFields_breadcrumbs_Update
+ delete: CategoriesFields_breadcrumbs_Delete
+ fields: CategoriesFields_breadcrumbs_Fields
}
-type PagesFields_hero_media_Create {
+type CategoriesFields_breadcrumbs_Create {
permission: Boolean!
}
-type PagesFields_hero_media_Read {
+type CategoriesFields_breadcrumbs_Read {
permission: Boolean!
}
-type PagesFields_hero_media_Update {
+type CategoriesFields_breadcrumbs_Update {
permission: Boolean!
}
-type PagesFields_hero_media_Delete {
+type CategoriesFields_breadcrumbs_Delete {
permission: Boolean!
}
-type PagesFields_layout {
- create: PagesFields_layout_Create
- read: PagesFields_layout_Read
- update: PagesFields_layout_Update
- delete: PagesFields_layout_Delete
+type CategoriesFields_breadcrumbs_Fields {
+ doc: CategoriesFields_breadcrumbs_doc
+ url: CategoriesFields_breadcrumbs_url
+ label: CategoriesFields_breadcrumbs_label
+ id: CategoriesFields_breadcrumbs_id
}
-type PagesFields_layout_Create {
+type CategoriesFields_breadcrumbs_doc {
+ create: CategoriesFields_breadcrumbs_doc_Create
+ read: CategoriesFields_breadcrumbs_doc_Read
+ update: CategoriesFields_breadcrumbs_doc_Update
+ delete: CategoriesFields_breadcrumbs_doc_Delete
+}
+
+type CategoriesFields_breadcrumbs_doc_Create {
permission: Boolean!
}
-type PagesFields_layout_Read {
+type CategoriesFields_breadcrumbs_doc_Read {
permission: Boolean!
}
-type PagesFields_layout_Update {
+type CategoriesFields_breadcrumbs_doc_Update {
permission: Boolean!
}
-type PagesFields_layout_Delete {
+type CategoriesFields_breadcrumbs_doc_Delete {
permission: Boolean!
}
-type PagesFields_slug {
- create: PagesFields_slug_Create
- read: PagesFields_slug_Read
- update: PagesFields_slug_Update
- delete: PagesFields_slug_Delete
+type CategoriesFields_breadcrumbs_url {
+ create: CategoriesFields_breadcrumbs_url_Create
+ read: CategoriesFields_breadcrumbs_url_Read
+ update: CategoriesFields_breadcrumbs_url_Update
+ delete: CategoriesFields_breadcrumbs_url_Delete
}
-type PagesFields_slug_Create {
+type CategoriesFields_breadcrumbs_url_Create {
permission: Boolean!
}
-type PagesFields_slug_Read {
+type CategoriesFields_breadcrumbs_url_Read {
permission: Boolean!
}
-type PagesFields_slug_Update {
+type CategoriesFields_breadcrumbs_url_Update {
permission: Boolean!
}
-type PagesFields_slug_Delete {
+type CategoriesFields_breadcrumbs_url_Delete {
permission: Boolean!
}
-type PagesFields_meta {
- create: PagesFields_meta_Create
- read: PagesFields_meta_Read
- update: PagesFields_meta_Update
- delete: PagesFields_meta_Delete
- fields: PagesFields_meta_Fields
+type CategoriesFields_breadcrumbs_label {
+ create: CategoriesFields_breadcrumbs_label_Create
+ read: CategoriesFields_breadcrumbs_label_Read
+ update: CategoriesFields_breadcrumbs_label_Update
+ delete: CategoriesFields_breadcrumbs_label_Delete
}
-type PagesFields_meta_Create {
+type CategoriesFields_breadcrumbs_label_Create {
permission: Boolean!
}
-type PagesFields_meta_Read {
+type CategoriesFields_breadcrumbs_label_Read {
permission: Boolean!
}
-type PagesFields_meta_Update {
+type CategoriesFields_breadcrumbs_label_Update {
permission: Boolean!
}
-type PagesFields_meta_Delete {
+type CategoriesFields_breadcrumbs_label_Delete {
permission: Boolean!
}
-type PagesFields_meta_Fields {
- overview: PagesFields_meta_overview
- title: PagesFields_meta_title
- description: PagesFields_meta_description
- image: PagesFields_meta_image
- preview: PagesFields_meta_preview
-}
-
-type PagesFields_meta_overview {
- create: PagesFields_meta_overview_Create
- read: PagesFields_meta_overview_Read
- update: PagesFields_meta_overview_Update
- delete: PagesFields_meta_overview_Delete
+type CategoriesFields_breadcrumbs_id {
+ create: CategoriesFields_breadcrumbs_id_Create
+ read: CategoriesFields_breadcrumbs_id_Read
+ update: CategoriesFields_breadcrumbs_id_Update
+ delete: CategoriesFields_breadcrumbs_id_Delete
}
-type PagesFields_meta_overview_Create {
+type CategoriesFields_breadcrumbs_id_Create {
permission: Boolean!
}
-type PagesFields_meta_overview_Read {
+type CategoriesFields_breadcrumbs_id_Read {
permission: Boolean!
}
-type PagesFields_meta_overview_Update {
+type CategoriesFields_breadcrumbs_id_Update {
permission: Boolean!
}
-type PagesFields_meta_overview_Delete {
+type CategoriesFields_breadcrumbs_id_Delete {
permission: Boolean!
}
-type PagesFields_meta_title {
- create: PagesFields_meta_title_Create
- read: PagesFields_meta_title_Read
- update: PagesFields_meta_title_Update
- delete: PagesFields_meta_title_Delete
+type CategoriesFields_updatedAt {
+ create: CategoriesFields_updatedAt_Create
+ read: CategoriesFields_updatedAt_Read
+ update: CategoriesFields_updatedAt_Update
+ delete: CategoriesFields_updatedAt_Delete
}
-type PagesFields_meta_title_Create {
+type CategoriesFields_updatedAt_Create {
permission: Boolean!
}
-type PagesFields_meta_title_Read {
+type CategoriesFields_updatedAt_Read {
permission: Boolean!
}
-type PagesFields_meta_title_Update {
+type CategoriesFields_updatedAt_Update {
permission: Boolean!
}
-type PagesFields_meta_title_Delete {
+type CategoriesFields_updatedAt_Delete {
permission: Boolean!
}
-type PagesFields_meta_description {
- create: PagesFields_meta_description_Create
- read: PagesFields_meta_description_Read
- update: PagesFields_meta_description_Update
- delete: PagesFields_meta_description_Delete
+type CategoriesFields_createdAt {
+ create: CategoriesFields_createdAt_Create
+ read: CategoriesFields_createdAt_Read
+ update: CategoriesFields_createdAt_Update
+ delete: CategoriesFields_createdAt_Delete
}
-type PagesFields_meta_description_Create {
+type CategoriesFields_createdAt_Create {
permission: Boolean!
}
-type PagesFields_meta_description_Read {
+type CategoriesFields_createdAt_Read {
permission: Boolean!
}
-type PagesFields_meta_description_Update {
+type CategoriesFields_createdAt_Update {
permission: Boolean!
}
-type PagesFields_meta_description_Delete {
+type CategoriesFields_createdAt_Delete {
permission: Boolean!
}
-type PagesFields_meta_image {
- create: PagesFields_meta_image_Create
- read: PagesFields_meta_image_Read
- update: PagesFields_meta_image_Update
- delete: PagesFields_meta_image_Delete
+type CategoriesCreateAccess {
+ permission: Boolean!
+ where: JSONObject
}
-type PagesFields_meta_image_Create {
+type CategoriesReadAccess {
permission: Boolean!
+ where: JSONObject
}
-type PagesFields_meta_image_Read {
+type CategoriesUpdateAccess {
permission: Boolean!
+ where: JSONObject
}
-type PagesFields_meta_image_Update {
+type CategoriesDeleteAccess {
permission: Boolean!
+ where: JSONObject
}
-type PagesFields_meta_image_Delete {
- permission: Boolean!
+type usersAccess {
+ fields: UsersFields
+ create: UsersCreateAccess
+ read: UsersReadAccess
+ update: UsersUpdateAccess
+ delete: UsersDeleteAccess
+ unlock: UsersUnlockAccess
+}
+
+type UsersFields {
+ name: UsersFields_name
+ roles: UsersFields_roles
+ purchases: UsersFields_purchases
+ stripeCustomerID: UsersFields_stripeCustomerID
+ cart: UsersFields_cart
+ skipSync: UsersFields_skipSync
+ updatedAt: UsersFields_updatedAt
+ createdAt: UsersFields_createdAt
+ email: UsersFields_email
+ password: UsersFields_password
}
-type PagesFields_meta_preview {
- create: PagesFields_meta_preview_Create
- read: PagesFields_meta_preview_Read
- update: PagesFields_meta_preview_Update
- delete: PagesFields_meta_preview_Delete
+type UsersFields_name {
+ create: UsersFields_name_Create
+ read: UsersFields_name_Read
+ update: UsersFields_name_Update
+ delete: UsersFields_name_Delete
}
-type PagesFields_meta_preview_Create {
+type UsersFields_name_Create {
permission: Boolean!
}
-type PagesFields_meta_preview_Read {
+type UsersFields_name_Read {
permission: Boolean!
}
-type PagesFields_meta_preview_Update {
+type UsersFields_name_Update {
permission: Boolean!
}
-type PagesFields_meta_preview_Delete {
+type UsersFields_name_Delete {
permission: Boolean!
}
-type PagesFields_updatedAt {
- create: PagesFields_updatedAt_Create
- read: PagesFields_updatedAt_Read
- update: PagesFields_updatedAt_Update
- delete: PagesFields_updatedAt_Delete
+type UsersFields_roles {
+ create: UsersFields_roles_Create
+ read: UsersFields_roles_Read
+ update: UsersFields_roles_Update
+ delete: UsersFields_roles_Delete
}
-type PagesFields_updatedAt_Create {
+type UsersFields_roles_Create {
permission: Boolean!
}
-type PagesFields_updatedAt_Read {
+type UsersFields_roles_Read {
permission: Boolean!
}
-type PagesFields_updatedAt_Update {
+type UsersFields_roles_Update {
permission: Boolean!
}
-type PagesFields_updatedAt_Delete {
+type UsersFields_roles_Delete {
permission: Boolean!
}
-type PagesFields_createdAt {
- create: PagesFields_createdAt_Create
- read: PagesFields_createdAt_Read
- update: PagesFields_createdAt_Update
- delete: PagesFields_createdAt_Delete
+type UsersFields_purchases {
+ create: UsersFields_purchases_Create
+ read: UsersFields_purchases_Read
+ update: UsersFields_purchases_Update
+ delete: UsersFields_purchases_Delete
}
-type PagesFields_createdAt_Create {
+type UsersFields_purchases_Create {
permission: Boolean!
}
-type PagesFields_createdAt_Read {
+type UsersFields_purchases_Read {
permission: Boolean!
}
-type PagesFields_createdAt_Update {
+type UsersFields_purchases_Update {
permission: Boolean!
}
-type PagesFields_createdAt_Delete {
+type UsersFields_purchases_Delete {
permission: Boolean!
}
-type PagesFields__status {
- create: PagesFields__status_Create
- read: PagesFields__status_Read
- update: PagesFields__status_Update
- delete: PagesFields__status_Delete
-}
-
-type PagesFields__status_Create {
- permission: Boolean!
+type UsersFields_stripeCustomerID {
+ create: UsersFields_stripeCustomerID_Create
+ read: UsersFields_stripeCustomerID_Read
+ update: UsersFields_stripeCustomerID_Update
+ delete: UsersFields_stripeCustomerID_Delete
}
-type PagesFields__status_Read {
+type UsersFields_stripeCustomerID_Create {
permission: Boolean!
}
-type PagesFields__status_Update {
+type UsersFields_stripeCustomerID_Read {
permission: Boolean!
}
-type PagesFields__status_Delete {
+type UsersFields_stripeCustomerID_Update {
permission: Boolean!
}
-type PagesCreateAccess {
+type UsersFields_stripeCustomerID_Delete {
permission: Boolean!
- where: JSONObject
}
-type PagesReadAccess {
- permission: Boolean!
- where: JSONObject
+type UsersFields_cart {
+ create: UsersFields_cart_Create
+ read: UsersFields_cart_Read
+ update: UsersFields_cart_Update
+ delete: UsersFields_cart_Delete
+ fields: UsersFields_cart_Fields
}
-type PagesUpdateAccess {
+type UsersFields_cart_Create {
permission: Boolean!
- where: JSONObject
}
-type PagesDeleteAccess {
+type UsersFields_cart_Read {
permission: Boolean!
- where: JSONObject
}
-type PagesReadVersionsAccess {
+type UsersFields_cart_Update {
permission: Boolean!
- where: JSONObject
-}
-
-type mediaAccess {
- fields: MediaFields
- create: MediaCreateAccess
- read: MediaReadAccess
- update: MediaUpdateAccess
- delete: MediaDeleteAccess
-}
-
-type MediaFields {
- alt: MediaFields_alt
- caption: MediaFields_caption
- updatedAt: MediaFields_updatedAt
- createdAt: MediaFields_createdAt
- url: MediaFields_url
- filename: MediaFields_filename
- mimeType: MediaFields_mimeType
- filesize: MediaFields_filesize
- width: MediaFields_width
- height: MediaFields_height
-}
-
-type MediaFields_alt {
- create: MediaFields_alt_Create
- read: MediaFields_alt_Read
- update: MediaFields_alt_Update
- delete: MediaFields_alt_Delete
}
-type MediaFields_alt_Create {
+type UsersFields_cart_Delete {
permission: Boolean!
}
-type MediaFields_alt_Read {
- permission: Boolean!
+type UsersFields_cart_Fields {
+ items: UsersFields_cart_items
}
-type MediaFields_alt_Update {
- permission: Boolean!
+type UsersFields_cart_items {
+ create: UsersFields_cart_items_Create
+ read: UsersFields_cart_items_Read
+ update: UsersFields_cart_items_Update
+ delete: UsersFields_cart_items_Delete
+ fields: UsersFields_cart_items_Fields
}
-type MediaFields_alt_Delete {
+type UsersFields_cart_items_Create {
permission: Boolean!
}
-type MediaFields_caption {
- create: MediaFields_caption_Create
- read: MediaFields_caption_Read
- update: MediaFields_caption_Update
- delete: MediaFields_caption_Delete
-}
-
-type MediaFields_caption_Create {
+type UsersFields_cart_items_Read {
permission: Boolean!
}
-type MediaFields_caption_Read {
+type UsersFields_cart_items_Update {
permission: Boolean!
}
-type MediaFields_caption_Update {
+type UsersFields_cart_items_Delete {
permission: Boolean!
}
-type MediaFields_caption_Delete {
- permission: Boolean!
+type UsersFields_cart_items_Fields {
+ product: UsersFields_cart_items_product
+ quantity: UsersFields_cart_items_quantity
+ id: UsersFields_cart_items_id
}
-type MediaFields_updatedAt {
- create: MediaFields_updatedAt_Create
- read: MediaFields_updatedAt_Read
- update: MediaFields_updatedAt_Update
- delete: MediaFields_updatedAt_Delete
+type UsersFields_cart_items_product {
+ create: UsersFields_cart_items_product_Create
+ read: UsersFields_cart_items_product_Read
+ update: UsersFields_cart_items_product_Update
+ delete: UsersFields_cart_items_product_Delete
}
-type MediaFields_updatedAt_Create {
+type UsersFields_cart_items_product_Create {
permission: Boolean!
}
-type MediaFields_updatedAt_Read {
+type UsersFields_cart_items_product_Read {
permission: Boolean!
}
-type MediaFields_updatedAt_Update {
+type UsersFields_cart_items_product_Update {
permission: Boolean!
}
-type MediaFields_updatedAt_Delete {
+type UsersFields_cart_items_product_Delete {
permission: Boolean!
}
-type MediaFields_createdAt {
- create: MediaFields_createdAt_Create
- read: MediaFields_createdAt_Read
- update: MediaFields_createdAt_Update
- delete: MediaFields_createdAt_Delete
+type UsersFields_cart_items_quantity {
+ create: UsersFields_cart_items_quantity_Create
+ read: UsersFields_cart_items_quantity_Read
+ update: UsersFields_cart_items_quantity_Update
+ delete: UsersFields_cart_items_quantity_Delete
}
-type MediaFields_createdAt_Create {
+type UsersFields_cart_items_quantity_Create {
permission: Boolean!
}
-type MediaFields_createdAt_Read {
+type UsersFields_cart_items_quantity_Read {
permission: Boolean!
}
-type MediaFields_createdAt_Update {
+type UsersFields_cart_items_quantity_Update {
permission: Boolean!
}
-type MediaFields_createdAt_Delete {
+type UsersFields_cart_items_quantity_Delete {
permission: Boolean!
}
-type MediaFields_url {
- create: MediaFields_url_Create
- read: MediaFields_url_Read
- update: MediaFields_url_Update
- delete: MediaFields_url_Delete
+type UsersFields_cart_items_id {
+ create: UsersFields_cart_items_id_Create
+ read: UsersFields_cart_items_id_Read
+ update: UsersFields_cart_items_id_Update
+ delete: UsersFields_cart_items_id_Delete
}
-type MediaFields_url_Create {
+type UsersFields_cart_items_id_Create {
permission: Boolean!
}
-type MediaFields_url_Read {
+type UsersFields_cart_items_id_Read {
permission: Boolean!
}
-type MediaFields_url_Update {
+type UsersFields_cart_items_id_Update {
permission: Boolean!
}
-type MediaFields_url_Delete {
+type UsersFields_cart_items_id_Delete {
permission: Boolean!
}
-type MediaFields_filename {
- create: MediaFields_filename_Create
- read: MediaFields_filename_Read
- update: MediaFields_filename_Update
- delete: MediaFields_filename_Delete
+type UsersFields_skipSync {
+ create: UsersFields_skipSync_Create
+ read: UsersFields_skipSync_Read
+ update: UsersFields_skipSync_Update
+ delete: UsersFields_skipSync_Delete
}
-type MediaFields_filename_Create {
+type UsersFields_skipSync_Create {
permission: Boolean!
}
-type MediaFields_filename_Read {
+type UsersFields_skipSync_Read {
permission: Boolean!
}
-type MediaFields_filename_Update {
+type UsersFields_skipSync_Update {
permission: Boolean!
}
-type MediaFields_filename_Delete {
+type UsersFields_skipSync_Delete {
permission: Boolean!
}
-type MediaFields_mimeType {
- create: MediaFields_mimeType_Create
- read: MediaFields_mimeType_Read
- update: MediaFields_mimeType_Update
- delete: MediaFields_mimeType_Delete
+type UsersFields_updatedAt {
+ create: UsersFields_updatedAt_Create
+ read: UsersFields_updatedAt_Read
+ update: UsersFields_updatedAt_Update
+ delete: UsersFields_updatedAt_Delete
}
-type MediaFields_mimeType_Create {
+type UsersFields_updatedAt_Create {
permission: Boolean!
}
-type MediaFields_mimeType_Read {
+type UsersFields_updatedAt_Read {
permission: Boolean!
}
-type MediaFields_mimeType_Update {
+type UsersFields_updatedAt_Update {
permission: Boolean!
}
-type MediaFields_mimeType_Delete {
+type UsersFields_updatedAt_Delete {
permission: Boolean!
}
-type MediaFields_filesize {
- create: MediaFields_filesize_Create
- read: MediaFields_filesize_Read
- update: MediaFields_filesize_Update
- delete: MediaFields_filesize_Delete
+type UsersFields_createdAt {
+ create: UsersFields_createdAt_Create
+ read: UsersFields_createdAt_Read
+ update: UsersFields_createdAt_Update
+ delete: UsersFields_createdAt_Delete
}
-type MediaFields_filesize_Create {
+type UsersFields_createdAt_Create {
permission: Boolean!
}
-type MediaFields_filesize_Read {
+type UsersFields_createdAt_Read {
permission: Boolean!
}
-type MediaFields_filesize_Update {
+type UsersFields_createdAt_Update {
permission: Boolean!
}
-type MediaFields_filesize_Delete {
+type UsersFields_createdAt_Delete {
permission: Boolean!
}
-type MediaFields_width {
- create: MediaFields_width_Create
- read: MediaFields_width_Read
- update: MediaFields_width_Update
- delete: MediaFields_width_Delete
+type UsersFields_email {
+ create: UsersFields_email_Create
+ read: UsersFields_email_Read
+ update: UsersFields_email_Update
+ delete: UsersFields_email_Delete
}
-type MediaFields_width_Create {
+type UsersFields_email_Create {
permission: Boolean!
}
-type MediaFields_width_Read {
+type UsersFields_email_Read {
permission: Boolean!
}
-type MediaFields_width_Update {
+type UsersFields_email_Update {
permission: Boolean!
}
-type MediaFields_width_Delete {
+type UsersFields_email_Delete {
permission: Boolean!
}
-type MediaFields_height {
- create: MediaFields_height_Create
- read: MediaFields_height_Read
- update: MediaFields_height_Update
- delete: MediaFields_height_Delete
+type UsersFields_password {
+ create: UsersFields_password_Create
+ read: UsersFields_password_Read
+ update: UsersFields_password_Update
+ delete: UsersFields_password_Delete
}
-type MediaFields_height_Create {
+type UsersFields_password_Create {
permission: Boolean!
}
-type MediaFields_height_Read {
+type UsersFields_password_Read {
permission: Boolean!
}
-type MediaFields_height_Update {
+type UsersFields_password_Update {
permission: Boolean!
}
-type MediaFields_height_Delete {
+type UsersFields_password_Delete {
permission: Boolean!
}
-type MediaCreateAccess {
+type UsersCreateAccess {
permission: Boolean!
where: JSONObject
}
-type MediaReadAccess {
+type UsersReadAccess {
permission: Boolean!
where: JSONObject
}
-type MediaUpdateAccess {
+type UsersUpdateAccess {
permission: Boolean!
where: JSONObject
}
-type MediaDeleteAccess {
+type UsersDeleteAccess {
+ permission: Boolean!
+ where: JSONObject
+}
+
+type UsersUnlockAccess {
permission: Boolean!
where: JSONObject
}
@@ -8092,31 +8819,31 @@ type settingsAccess {
}
type SettingsFields {
- shopPage: SettingsFields_shopPage
+ productsPage: SettingsFields_productsPage
updatedAt: SettingsFields_updatedAt
createdAt: SettingsFields_createdAt
}
-type SettingsFields_shopPage {
- create: SettingsFields_shopPage_Create
- read: SettingsFields_shopPage_Read
- update: SettingsFields_shopPage_Update
- delete: SettingsFields_shopPage_Delete
+type SettingsFields_productsPage {
+ create: SettingsFields_productsPage_Create
+ read: SettingsFields_productsPage_Read
+ update: SettingsFields_productsPage_Update
+ delete: SettingsFields_productsPage_Delete
}
-type SettingsFields_shopPage_Create {
+type SettingsFields_productsPage_Create {
permission: Boolean!
}
-type SettingsFields_shopPage_Read {
+type SettingsFields_productsPage_Read {
permission: Boolean!
}
-type SettingsFields_shopPage_Update {
+type SettingsFields_productsPage_Update {
permission: Boolean!
}
-type SettingsFields_shopPage_Delete {
+type SettingsFields_productsPage_Delete {
permission: Boolean!
}
@@ -8692,230 +9419,57 @@ type FooterFields_createdAt_Read {
permission: Boolean!
}
-type FooterFields_createdAt_Update {
- permission: Boolean!
-}
-
-type FooterFields_createdAt_Delete {
- permission: Boolean!
-}
-
-type FooterReadAccess {
- permission: Boolean!
- where: JSONObject
-}
-
-type FooterUpdateAccess {
- permission: Boolean!
- where: JSONObject
-}
-
-type Mutation {
- createUser(data: mutationUserInput!, draft: Boolean): User
- updateUser(id: String!, data: mutationUserUpdateInput!, draft: Boolean, autosave: Boolean): User
- deleteUser(id: String!): User
- refreshTokenUser(token: String): usersRefreshedUser
- logoutUser: String
- unlockUser(email: String!): Boolean!
- loginUser(email: String, password: String): usersLoginResult
- forgotPasswordUser(email: String!, disableEmail: Boolean, expiration: Int): Boolean!
- resetPasswordUser(token: String, password: String): usersResetPassword
- verifyEmailUser(token: String): Boolean
- createProduct(data: mutationProductInput!, draft: Boolean): Product
- updateProduct(id: String!, data: mutationProductUpdateInput!, draft: Boolean, autosave: Boolean): Product
- deleteProduct(id: String!): Product
- restoreVersionProduct(id: String): Product
- createCategory(data: mutationCategoryInput!, draft: Boolean): Category
- updateCategory(id: String!, data: mutationCategoryUpdateInput!, draft: Boolean, autosave: Boolean): Category
- deleteCategory(id: String!): Category
- createPage(data: mutationPageInput!, draft: Boolean): Page
- updatePage(id: String!, data: mutationPageUpdateInput!, draft: Boolean, autosave: Boolean): Page
- deletePage(id: String!): Page
- restoreVersionPage(id: String): Page
- createMedia(data: mutationMediaInput!, draft: Boolean): Media
- updateMedia(id: String!, data: mutationMediaUpdateInput!, draft: Boolean, autosave: Boolean): Media
- deleteMedia(id: String!): Media
- updateSettings(data: mutationSettingsInput!, draft: Boolean): Settings
- updateHeader(data: mutationHeaderInput!, draft: Boolean): Header
- updateFooter(data: mutationFooterInput!, draft: Boolean): Footer
- updatePreference(key: String!, value: JSON): Preference
- deletePreference(key: String!): Preference
-}
-
-input mutationUserInput {
- name: String
- roles: [User_roles_MutationInput]
- purchases: [String]
- stripeCustomerID: String
- cart: mutationUser_CartInput
- skipSync: Boolean
- updatedAt: String
- createdAt: String
- email: String!
- resetPasswordToken: String
- resetPasswordExpiration: String
- salt: String
- hash: String
- loginAttempts: Float
- lockUntil: String
- password: String!
-}
-
-enum User_roles_MutationInput {
- admin
- customer
-}
-
-input mutationUser_CartInput {
- items: [mutationUser_Cart_ItemsInput]
-}
-
-input mutationUser_Cart_ItemsInput {
- product: String
- quantity: Float
- id: String
-}
-
-input mutationUserUpdateInput {
- name: String
- roles: [UserUpdate_roles_MutationInput]
- purchases: [String]
- stripeCustomerID: String
- cart: mutationUserUpdate_CartInput
- skipSync: Boolean
- updatedAt: String
- createdAt: String
- email: String
- resetPasswordToken: String
- resetPasswordExpiration: String
- salt: String
- hash: String
- loginAttempts: Float
- lockUntil: String
- password: String
-}
-
-enum UserUpdate_roles_MutationInput {
- admin
- customer
-}
-
-input mutationUserUpdate_CartInput {
- items: [mutationUserUpdate_Cart_ItemsInput]
-}
-
-input mutationUserUpdate_Cart_ItemsInput {
- product: String
- quantity: Float
- id: String
-}
-
-type usersRefreshedUser {
- user: usersJWT
- refreshedToken: String
- exp: Int
-}
-
-type usersJWT {
- email: EmailAddress!
- collection: String!
-}
-
-type usersLoginResult {
- token: String
- user: User
- exp: Int
-}
-
-type usersResetPassword {
- token: String
- user: User
-}
-
-input mutationProductInput {
- title: String!
- publishedDate: String
- layout: JSON
- stripeProductID: String
- priceJSON: String
- enablePaywall: Boolean
- paywall: JSON
- categories: [String]
- slug: String
- skipSync: Boolean
- meta: mutationProduct_MetaInput
- updatedAt: String
- createdAt: String
- _status: Product__status_MutationInput
-}
-
-input mutationProduct_MetaInput {
- title: String
- description: String
- image: String
-}
-
-enum Product__status_MutationInput {
- draft
- published
-}
-
-input mutationProductUpdateInput {
- title: String
- publishedDate: String
- layout: JSON
- stripeProductID: String
- priceJSON: String
- enablePaywall: Boolean
- paywall: JSON
- categories: [String]
- slug: String
- skipSync: Boolean
- meta: mutationProductUpdate_MetaInput
- updatedAt: String
- createdAt: String
- _status: ProductUpdate__status_MutationInput
-}
-
-input mutationProductUpdate_MetaInput {
- title: String
- description: String
- image: String
-}
-
-enum ProductUpdate__status_MutationInput {
- draft
- published
+type FooterFields_createdAt_Update {
+ permission: Boolean!
}
-input mutationCategoryInput {
- title: String
- parent: String
- breadcrumbs: [mutationCategory_BreadcrumbsInput]
- updatedAt: String
- createdAt: String
+type FooterFields_createdAt_Delete {
+ permission: Boolean!
}
-input mutationCategory_BreadcrumbsInput {
- doc: String
- url: String
- label: String
- id: String
+type FooterReadAccess {
+ permission: Boolean!
+ where: JSONObject
}
-input mutationCategoryUpdateInput {
- title: String
- parent: String
- breadcrumbs: [mutationCategoryUpdate_BreadcrumbsInput]
- updatedAt: String
- createdAt: String
+type FooterUpdateAccess {
+ permission: Boolean!
+ where: JSONObject
}
-input mutationCategoryUpdate_BreadcrumbsInput {
- doc: String
- url: String
- label: String
- id: String
+type Mutation {
+ createPage(data: mutationPageInput!, draft: Boolean): Page
+ updatePage(id: String!, data: mutationPageUpdateInput!, draft: Boolean, autosave: Boolean): Page
+ deletePage(id: String!): Page
+ restoreVersionPage(id: String): Page
+ createProduct(data: mutationProductInput!, draft: Boolean): Product
+ updateProduct(id: String!, data: mutationProductUpdateInput!, draft: Boolean, autosave: Boolean): Product
+ deleteProduct(id: String!): Product
+ restoreVersionProduct(id: String): Product
+ createOrder(data: mutationOrderInput!, draft: Boolean): Order
+ updateOrder(id: String!, data: mutationOrderUpdateInput!, draft: Boolean, autosave: Boolean): Order
+ deleteOrder(id: String!): Order
+ createMedia(data: mutationMediaInput!, draft: Boolean): Media
+ updateMedia(id: String!, data: mutationMediaUpdateInput!, draft: Boolean, autosave: Boolean): Media
+ deleteMedia(id: String!): Media
+ createCategory(data: mutationCategoryInput!, draft: Boolean): Category
+ updateCategory(id: String!, data: mutationCategoryUpdateInput!, draft: Boolean, autosave: Boolean): Category
+ deleteCategory(id: String!): Category
+ createUser(data: mutationUserInput!, draft: Boolean): User
+ updateUser(id: String!, data: mutationUserUpdateInput!, draft: Boolean, autosave: Boolean): User
+ deleteUser(id: String!): User
+ refreshTokenUser(token: String): usersRefreshedUser
+ logoutUser: String
+ unlockUser(email: String!): Boolean!
+ loginUser(email: String, password: String): usersLoginResult
+ forgotPasswordUser(email: String!, disableEmail: Boolean, expiration: Int): Boolean!
+ resetPasswordUser(token: String, password: String): usersResetPassword
+ verifyEmailUser(token: String): Boolean
+ updateSettings(data: mutationSettingsInput!, draft: Boolean): Settings
+ updateHeader(data: mutationHeaderInput!, draft: Boolean): Header
+ updateFooter(data: mutationFooterInput!, draft: Boolean): Footer
+ updatePreference(key: String!, value: JSON): Preference
+ deletePreference(key: String!): Preference
}
input mutationPageInput {
@@ -9050,6 +9604,94 @@ enum PageUpdate__status_MutationInput {
published
}
+input mutationProductInput {
+ title: String!
+ publishedDate: String
+ layout: JSON
+ stripeProductID: String
+ priceJSON: String
+ enablePaywall: Boolean
+ paywall: JSON
+ categories: [String]
+ slug: String
+ skipSync: Boolean
+ meta: mutationProduct_MetaInput
+ updatedAt: String
+ createdAt: String
+ _status: Product__status_MutationInput
+}
+
+input mutationProduct_MetaInput {
+ title: String
+ description: String
+ image: String
+}
+
+enum Product__status_MutationInput {
+ draft
+ published
+}
+
+input mutationProductUpdateInput {
+ title: String
+ publishedDate: String
+ layout: JSON
+ stripeProductID: String
+ priceJSON: String
+ enablePaywall: Boolean
+ paywall: JSON
+ categories: [String]
+ slug: String
+ skipSync: Boolean
+ meta: mutationProductUpdate_MetaInput
+ updatedAt: String
+ createdAt: String
+ _status: ProductUpdate__status_MutationInput
+}
+
+input mutationProductUpdate_MetaInput {
+ title: String
+ description: String
+ image: String
+}
+
+enum ProductUpdate__status_MutationInput {
+ draft
+ published
+}
+
+input mutationOrderInput {
+ orderedBy: String
+ stripePaymentIntentID: String
+ total: Float!
+ items: [mutationOrder_ItemsInput]
+ updatedAt: String
+ createdAt: String
+}
+
+input mutationOrder_ItemsInput {
+ product: String
+ price: Float
+ quantity: Float
+ id: String
+}
+
+input mutationOrderUpdateInput {
+ orderedBy: String
+ stripePaymentIntentID: String
+ total: Float
+ items: [mutationOrderUpdate_ItemsInput]
+ updatedAt: String
+ createdAt: String
+}
+
+input mutationOrderUpdate_ItemsInput {
+ product: String
+ price: Float
+ quantity: Float
+ id: String
+}
+
input mutationMediaInput {
alt: String!
caption: JSON
@@ -9076,8 +9718,128 @@ input mutationMediaUpdateInput {
height: Float
}
+input mutationCategoryInput {
+ title: String
+ parent: String
+ breadcrumbs: [mutationCategory_BreadcrumbsInput]
+ updatedAt: String
+ createdAt: String
+}
+
+input mutationCategory_BreadcrumbsInput {
+ doc: String
+ url: String
+ label: String
+ id: String
+}
+
+input mutationCategoryUpdateInput {
+ title: String
+ parent: String
+ breadcrumbs: [mutationCategoryUpdate_BreadcrumbsInput]
+ updatedAt: String
+ createdAt: String
+}
+
+input mutationCategoryUpdate_BreadcrumbsInput {
+ doc: String
+ url: String
+ label: String
+ id: String
+}
+
+input mutationUserInput {
+ name: String
+ roles: [User_roles_MutationInput]
+ purchases: [String]
+ stripeCustomerID: String
+ cart: mutationUser_CartInput
+ skipSync: Boolean
+ updatedAt: String
+ createdAt: String
+ email: String!
+ resetPasswordToken: String
+ resetPasswordExpiration: String
+ salt: String
+ hash: String
+ loginAttempts: Float
+ lockUntil: String
+ password: String!
+}
+
+enum User_roles_MutationInput {
+ admin
+ customer
+}
+
+input mutationUser_CartInput {
+ items: [mutationUser_Cart_ItemsInput]
+}
+
+input mutationUser_Cart_ItemsInput {
+ product: String
+ quantity: Float
+ id: String
+}
+
+input mutationUserUpdateInput {
+ name: String
+ roles: [UserUpdate_roles_MutationInput]
+ purchases: [String]
+ stripeCustomerID: String
+ cart: mutationUserUpdate_CartInput
+ skipSync: Boolean
+ updatedAt: String
+ createdAt: String
+ email: String
+ resetPasswordToken: String
+ resetPasswordExpiration: String
+ salt: String
+ hash: String
+ loginAttempts: Float
+ lockUntil: String
+ password: String
+}
+
+enum UserUpdate_roles_MutationInput {
+ admin
+ customer
+}
+
+input mutationUserUpdate_CartInput {
+ items: [mutationUserUpdate_Cart_ItemsInput]
+}
+
+input mutationUserUpdate_Cart_ItemsInput {
+ product: String
+ quantity: Float
+ id: String
+}
+
+type usersRefreshedUser {
+ user: usersJWT
+ refreshedToken: String
+ exp: Int
+}
+
+type usersJWT {
+ email: EmailAddress!
+ collection: String!
+}
+
+type usersLoginResult {
+ token: String
+ user: User
+ exp: Int
+}
+
+type usersResetPassword {
+ token: String
+ user: User
+}
+
input mutationSettingsInput {
- shopPage: String
+ productsPage: String
updatedAt: String
createdAt: String
}
diff --git a/templates/ecommerce/src/payload/globals/Settings.ts b/templates/ecommerce/src/payload/globals/Settings.ts
index 7c6dc4e84db..2e15d866250 100644
--- a/templates/ecommerce/src/payload/globals/Settings.ts
+++ b/templates/ecommerce/src/payload/globals/Settings.ts
@@ -13,10 +13,10 @@ export const Settings: GlobalConfig = {
},
fields: [
{
- name: 'shopPage',
+ name: 'productsPage',
type: 'relationship',
relationTo: 'pages',
- label: 'Shop page',
+ label: 'Products page',
},
],
}
diff --git a/templates/ecommerce/src/payload/payload-types.ts b/templates/ecommerce/src/payload/payload-types.ts
index 6c03b1eef3a..23b2aaf5a28 100644
--- a/templates/ecommerce/src/payload/payload-types.ts
+++ b/templates/ecommerce/src/payload/payload-types.ts
@@ -14,11 +14,12 @@ export type CartItems = {
export interface Config {
collections: {
- users: User;
- products: Product;
- categories: Category;
pages: Page;
+ products: Product;
+ orders: Order;
media: Media;
+ categories: Category;
+ users: User;
};
globals: {
settings: Settings;
@@ -26,31 +27,31 @@ export interface Config {
footer: Footer;
};
}
-export interface User {
- id: string;
- name?: string;
- roles?: ('admin' | 'customer')[];
- purchases?: string[] | Product[];
- stripeCustomerID?: string;
- cart?: {
- items?: CartItems;
- };
- skipSync?: boolean;
- updatedAt: string;
- createdAt: string;
- email: string;
- resetPasswordToken?: string;
- resetPasswordExpiration?: string;
- salt?: string;
- hash?: string;
- loginAttempts?: number;
- lockUntil?: string;
- password?: string;
-}
-export interface Product {
+export interface Page {
id: string;
title: string;
publishedDate?: string;
+ hero: {
+ type: 'none' | 'highImpact' | 'mediumImpact' | 'lowImpact';
+ richText: {
+ [k: string]: unknown;
+ }[];
+ links?: {
+ link: {
+ type?: 'reference' | 'custom';
+ newTab?: boolean;
+ reference: {
+ value: string | Page;
+ relationTo: 'pages';
+ };
+ url: string;
+ label: string;
+ appearance?: 'default' | 'primary' | 'secondary';
+ };
+ id?: string;
+ }[];
+ media: string | Media;
+ };
layout: (
| {
invertBackground?: boolean;
@@ -140,10 +141,49 @@ export interface Product {
blockType: 'archive';
}
)[];
- stripeProductID?: string;
- priceJSON?: string;
- enablePaywall?: boolean;
- paywall?: (
+ slug?: string;
+ meta?: {
+ title?: string;
+ description?: string;
+ image?: string | Media;
+ };
+ updatedAt: string;
+ createdAt: string;
+ _status?: 'draft' | 'published';
+}
+export interface Media {
+ id: string;
+ alt: string;
+ caption?: {
+ [k: string]: unknown;
+ }[];
+ updatedAt: string;
+ createdAt: string;
+ url?: string;
+ filename?: string;
+ mimeType?: string;
+ filesize?: number;
+ width?: number;
+ height?: number;
+}
+export interface Category {
+ id: string;
+ title?: string;
+ parent?: string | Category;
+ breadcrumbs?: {
+ doc?: string | Category;
+ url?: string;
+ label?: string;
+ id?: string;
+ }[];
+ updatedAt: string;
+ createdAt: string;
+}
+export interface Product {
+ id: string;
+ title: string;
+ publishedDate?: string;
+ layout: (
| {
invertBackground?: boolean;
richText: {
@@ -232,44 +272,10 @@ export interface Product {
blockType: 'archive';
}
)[];
- categories?: string[] | Category[];
- slug?: string;
- skipSync?: boolean;
- meta?: {
- title?: string;
- description?: string;
- image?: string | Media;
- };
- updatedAt: string;
- createdAt: string;
- _status?: 'draft' | 'published';
-}
-export interface Page {
- id: string;
- title: string;
- publishedDate?: string;
- hero: {
- type: 'none' | 'highImpact' | 'mediumImpact' | 'lowImpact';
- richText: {
- [k: string]: unknown;
- }[];
- links?: {
- link: {
- type?: 'reference' | 'custom';
- newTab?: boolean;
- reference: {
- value: string | Page;
- relationTo: 'pages';
- };
- url: string;
- label: string;
- appearance?: 'default' | 'primary' | 'secondary';
- };
- id?: string;
- }[];
- media: string | Media;
- };
- layout: (
+ stripeProductID?: string;
+ priceJSON?: string;
+ enablePaywall?: boolean;
+ paywall?: (
| {
invertBackground?: boolean;
richText: {
@@ -358,7 +364,9 @@ export interface Page {
blockType: 'archive';
}
)[];
+ categories?: string[] | Category[];
slug?: string;
+ skipSync?: boolean;
meta?: {
title?: string;
description?: string;
@@ -368,37 +376,44 @@ export interface Page {
createdAt: string;
_status?: 'draft' | 'published';
}
-export interface Media {
+export interface Order {
id: string;
- alt: string;
- caption?: {
- [k: string]: unknown;
+ orderedBy?: string | User;
+ stripePaymentIntentID?: string;
+ total: number;
+ items?: {
+ product: string | Product;
+ price?: number;
+ quantity?: number;
+ id?: string;
}[];
updatedAt: string;
createdAt: string;
- url?: string;
- filename?: string;
- mimeType?: string;
- filesize?: number;
- width?: number;
- height?: number;
}
-export interface Category {
+export interface User {
id: string;
- title?: string;
- parent?: string | Category;
- breadcrumbs?: {
- doc?: string | Category;
- url?: string;
- label?: string;
- id?: string;
- }[];
+ name?: string;
+ roles?: ('admin' | 'customer')[];
+ purchases?: string[] | Product[];
+ stripeCustomerID?: string;
+ cart?: {
+ items?: CartItems;
+ };
+ skipSync?: boolean;
updatedAt: string;
createdAt: string;
+ email: string;
+ resetPasswordToken?: string;
+ resetPasswordExpiration?: string;
+ salt?: string;
+ hash?: string;
+ loginAttempts?: number;
+ lockUntil?: string;
+ password?: string;
}
export interface Settings {
id: string;
- shopPage?: string | Page;
+ productsPage?: string | Page;
updatedAt?: string;
createdAt?: string;
}
diff --git a/templates/ecommerce/src/payload/payload.config.ts b/templates/ecommerce/src/payload/payload.config.ts
index 26a0e4dd8a2..8c24d0608ef 100644
--- a/templates/ecommerce/src/payload/payload.config.ts
+++ b/templates/ecommerce/src/payload/payload.config.ts
@@ -8,13 +8,13 @@ import { buildConfig } from 'payload/config'
import Categories from './collections/Categories'
import { Media } from './collections/Media'
+import { Orders } from './collections/Orders'
import { Pages } from './collections/Pages'
import Products from './collections/Products'
import Users from './collections/Users'
import BeforeDashboard from './components/BeforeDashboard'
import BeforeLogin from './components/BeforeLogin'
-import LinkToOrders from './components/LinkToOrders'
-import { createPaymentIntent } from './endpoints/payment-intent'
+import { createPaymentIntent } from './endpoints/create-payment-intent'
import { seed } from './endpoints/seed'
import { Footer } from './globals/Footer'
import { Header } from './globals/Header'
@@ -32,7 +32,6 @@ export default buildConfig({
admin: {
user: Users.slug,
components: {
- afterNavLinks: [LinkToOrders],
// The `BeforeLogin` component renders a message that you see while logging into your admin panel.
// Feel free to delete this at any time. Simply remove the line below and the import `BeforeLogin` statement on line 15.
beforeLogin: [BeforeLogin],
@@ -50,7 +49,7 @@ export default buildConfig({
[path.resolve(__dirname, 'collections/Users/hooks/createStripeCustomer')]: mockModulePath,
[path.resolve(__dirname, 'collections/Users/endpoints/order')]: mockModulePath,
[path.resolve(__dirname, 'collections/Users/endpoints/orders')]: mockModulePath,
- [path.resolve(__dirname, 'endpoints/payment-intent')]: mockModulePath,
+ [path.resolve(__dirname, 'endpoints/create-payment-intent')]: mockModulePath,
stripe: mockModulePath,
express: mockModulePath,
},
@@ -58,7 +57,7 @@ export default buildConfig({
}),
},
serverURL: process.env.PAYLOAD_PUBLIC_SERVER_URL,
- collections: [Users, Products, Categories, Pages, Media],
+ collections: [Pages, Products, Orders, Media, Categories, Users],
globals: [Settings, Header, Footer],
typescript: {
outputFile: path.resolve(__dirname, 'payload-types.ts'),
@@ -74,7 +73,7 @@ export default buildConfig({
),
endpoints: [
{
- path: '/payment-intent',
+ path: '/create-payment-intent',
method: 'post',
handler: createPaymentIntent,
},
diff --git a/templates/ecommerce/src/payload/seed/cart-page.ts b/templates/ecommerce/src/payload/seed/cart-page.ts
index 6af0b9ed69c..63316d3e0ad 100644
--- a/templates/ecommerce/src/payload/seed/cart-page.ts
+++ b/templates/ecommerce/src/payload/seed/cart-page.ts
@@ -107,7 +107,7 @@ export const cartPage: Partial<Page> = {
url: '',
reference: {
relationTo: 'pages',
- value: '{{SHOP_PAGE_ID}}',
+ value: '{{PRODUCTS_PAGE_ID}}',
},
label: 'Continue shopping',
appearance: 'primary',
diff --git a/templates/ecommerce/src/payload/seed/home.ts b/templates/ecommerce/src/payload/seed/home.ts
index 712c21feda1..22eed9d8543 100644
--- a/templates/ecommerce/src/payload/seed/home.ts
+++ b/templates/ecommerce/src/payload/seed/home.ts
@@ -63,7 +63,7 @@ export const home: Partial<Page> = {
appearance: 'primary',
reference: {
relationTo: 'pages',
- value: '{{SHOP_PAGE_ID}}',
+ value: '{{PRODUCTS_PAGE_ID}}',
},
label: 'Shop now',
url: '',
@@ -496,7 +496,7 @@ export const home: Partial<Page> = {
label: 'Shop now',
appearance: 'primary',
reference: {
- value: '{{SHOP_PAGE_ID}}',
+ value: '{{PRODUCTS_PAGE_ID}}',
relationTo: 'pages',
},
},
diff --git a/templates/ecommerce/src/payload/seed/index.ts b/templates/ecommerce/src/payload/seed/index.ts
index b709d8c4131..3d4c80092c8 100644
--- a/templates/ecommerce/src/payload/seed/index.ts
+++ b/templates/ecommerce/src/payload/seed/index.ts
@@ -10,7 +10,7 @@ import { image3 } from './image-3'
import { product1 } from './product-1'
import { product2 } from './product-2'
import { product3 } from './product-3'
-import { shopPage } from './shop-page'
+import { productsPage } from './products-page'
const collections = ['categories', 'media', 'pages', 'products']
const globals = ['header', 'settings', 'footer']
@@ -107,9 +107,9 @@ export const seed = async (payload: Payload): Promise<void> => {
}),
])
- const { id: shopPageID } = await payload.create({
+ const { id: productsPageID } = await payload.create({
collection: 'pages',
- data: shopPage,
+ data: productsPage,
})
await payload.create({
@@ -118,19 +118,19 @@ export const seed = async (payload: Payload): Promise<void> => {
JSON.stringify(home)
.replace(/{{PRODUCT1_IMAGE}}/g, image1Doc.id)
.replace(/{{PRODUCT2_IMAGE}}/g, image2Doc.id)
- .replace(/{{SHOP_PAGE_ID}}/g, shopPageID),
+ .replace(/{{PRODUCTS_PAGE_ID}}/g, productsPageID),
),
})
await payload.create({
collection: 'pages',
- data: JSON.parse(JSON.stringify(cartPage).replace(/{{SHOP_PAGE_ID}}/g, shopPageID)),
+ data: JSON.parse(JSON.stringify(cartPage).replace(/{{PRODUCTS_PAGE_ID}}/g, productsPageID)),
})
await payload.updateGlobal({
slug: 'settings',
data: {
- shopPage: shopPageID,
+ productsPage: productsPageID,
},
})
@@ -143,7 +143,7 @@ export const seed = async (payload: Payload): Promise<void> => {
type: 'reference',
reference: {
relationTo: 'pages',
- value: shopPageID,
+ value: productsPageID,
},
label: 'Shop',
},
diff --git a/templates/ecommerce/src/payload/seed/product-3.ts b/templates/ecommerce/src/payload/seed/product-3.ts
index 537f6ed2217..c5659aa4522 100644
--- a/templates/ecommerce/src/payload/seed/product-3.ts
+++ b/templates/ecommerce/src/payload/seed/product-3.ts
@@ -7,7 +7,7 @@ export const product3: Partial<Product> = {
_status: 'published',
meta: {
title: 'Online Course',
- description: 'Make a one-time purchase to gain access this content',
+ description: 'Make a one-time purchase to gain access to this content',
image: '{{PRODUCT_IMAGE}}',
},
layout: [
diff --git a/templates/ecommerce/src/payload/seed/shop-page.ts b/templates/ecommerce/src/payload/seed/products-page.ts
similarity index 90%
rename from templates/ecommerce/src/payload/seed/shop-page.ts
rename to templates/ecommerce/src/payload/seed/products-page.ts
index 7dc1cf655a0..4e19b86c1dc 100644
--- a/templates/ecommerce/src/payload/seed/shop-page.ts
+++ b/templates/ecommerce/src/payload/seed/products-page.ts
@@ -1,9 +1,9 @@
-export const shopPage = {
- title: 'Shop',
- slug: 'shop',
+export const productsPage = {
+ title: 'Products',
+ slug: 'products',
_status: 'published',
meta: {
- title: 'Shop',
+ title: 'Shop all products',
description: 'Shop everything from goods and services to digital assets and gated content.',
},
hero: {
@@ -13,7 +13,7 @@ export const shopPage = {
type: 'h1',
children: [
{
- text: 'Shop',
+ text: 'All products',
},
],
},
|
9cdcf20c95ea3bd329f7168d6ba5d28040a7da27
|
2024-06-28 10:52:39
|
Alessio Gravili
|
feat(ui): expose CheckboxInpu, SelectInput and DatePicker (#6972)
| false
|
expose CheckboxInpu, SelectInput and DatePicker (#6972)
|
feat
|
diff --git a/packages/ui/src/elements/DatePicker/DatePicker.tsx b/packages/ui/src/elements/DatePicker/DatePicker.tsx
index 60df9362559..cf5c4280a11 100644
--- a/packages/ui/src/elements/DatePicker/DatePicker.tsx
+++ b/packages/ui/src/elements/DatePicker/DatePicker.tsx
@@ -17,7 +17,7 @@ import './index.scss'
const baseClass = 'date-time-picker'
-const DateTime: React.FC<Props> = (props) => {
+const DatePicker: React.FC<Props> = (props) => {
const {
displayFormat: customDisplayFormat,
maxDate,
@@ -119,4 +119,4 @@ const DateTime: React.FC<Props> = (props) => {
}
// eslint-disable-next-line no-restricted-exports
-export default DateTime
+export default DatePicker
diff --git a/packages/ui/src/exports/client/index.ts b/packages/ui/src/exports/client/index.ts
index 493dae59483..567d181359b 100644
--- a/packages/ui/src/exports/client/index.ts
+++ b/packages/ui/src/exports/client/index.ts
@@ -18,6 +18,8 @@ export { useThrottledEffect } from '../../hooks/useThrottledEffect.js'
export { useUseTitleField } from '../../hooks/useUseAsTitle.js'
// elements
+export { Translation } from '../../elements/Translation/index.js'
+export { default as DatePicker } from '../../elements/DatePicker/DatePicker.js'
export { ViewDescription } from '../../elements/ViewDescription/index.js'
export { AppHeader } from '../../elements/AppHeader/index.js'
export { Button } from '../../elements/Button/index.js'
@@ -84,7 +86,7 @@ export { SectionTitle } from '../../fields/Blocks/SectionTitle/index.js'
export { HiddenField } from '../../fields/Hidden/index.js'
export { ArrayField } from '../../fields/Array/index.js'
export { BlocksField } from '../../fields/Blocks/index.js'
-export { CheckboxField } from '../../fields/Checkbox/index.js'
+export { CheckboxField, CheckboxInput } from '../../fields/Checkbox/index.js'
export { CodeField } from '../../fields/Code/index.js'
export { CollapsibleField } from '../../fields/Collapsible/index.js'
export { ConfirmPasswordField } from '../../fields/ConfirmPassword/index.js'
@@ -102,7 +104,7 @@ export { RadioGroupField } from '../../fields/RadioGroup/index.js'
export { RelationshipField } from '../../fields/Relationship/index.js'
export { RichTextField } from '../../fields/RichText/index.js'
export { RowField } from '../../fields/Row/index.js'
-export { SelectField, type SelectFieldProps } from '../../fields/Select/index.js'
+export { SelectField, type SelectFieldProps, SelectInput } from '../../fields/Select/index.js'
export { TabsField, type TabsFieldProps } from '../../fields/Tabs/index.js'
export { TextField, TextInput } from '../../fields/Text/index.js'
export type { TextFieldProps, TextInputProps } from '../../fields/Text/index.js'
@@ -224,5 +226,4 @@ export { SearchParamsProvider, useSearchParams } from '../../providers/SearchPar
export { SelectionProvider, useSelection } from '../../providers/Selection/index.js'
export { type Theme, ThemeProvider, defaultTheme, useTheme } from '../../providers/Theme/index.js'
export { TranslationProvider, useTranslation } from '../../providers/Translation/index.js'
-export { Translation } from '../../elements/Translation/index.js'
export { WindowInfoProvider, useWindowInfo } from '../../providers/WindowInfo/index.js'
|
9e7a15c1bef46cb1547be0d2f7b311b894e14bdb
|
2023-01-18 22:56:24
|
Elliot DeNolf
|
chore: ts-ignore swcRegister in tests
| false
|
ts-ignore swcRegister in tests
|
chore
|
diff --git a/test/helpers/configHelpers.ts b/test/helpers/configHelpers.ts
index 20e386d3ebd..f8a5675833c 100644
--- a/test/helpers/configHelpers.ts
+++ b/test/helpers/configHelpers.ts
@@ -41,6 +41,8 @@ export async function initPayloadTest(options: Options): Promise<{ serverURL: st
initOptions.express = express();
}
+ // eslint-disable-next-line @typescript-eslint/ban-ts-comment
+ // @ts-ignore - bad @swc/register types
swcRegister({
sourceMaps: 'inline',
jsc: {
|
3d2b62b2100e36a54adc6a675257a4d671fdd469
|
2023-11-22 03:18:39
|
Jessica Chowdhury
|
fix: passes date options to the react-datepicker in filter UI, removes duplicate options from operators select (#4225)
| false
|
passes date options to the react-datepicker in filter UI, removes duplicate options from operators select (#4225)
|
fix
|
diff --git a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Date/index.tsx b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Date/index.tsx
index 898bf266c6b..74f5ad35723 100644
--- a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Date/index.tsx
+++ b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Date/index.tsx
@@ -6,10 +6,14 @@ import DatePicker from '../../../DatePicker'
const baseClass = 'condition-value-date'
-const DateField: React.FC<Props> = ({ disabled, onChange, value }) => (
- <div className={baseClass}>
- <DatePicker onChange={onChange} readOnly={disabled} value={value} />
- </div>
-)
+const DateField: React.FC<Props> = ({ admin, disabled, onChange, value }) => {
+ const { date } = admin || {}
+
+ return (
+ <div className={baseClass}>
+ <DatePicker {...date} onChange={onChange} readOnly={disabled} value={value} />
+ </div>
+ )
+}
export default DateField
diff --git a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Date/types.ts b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Date/types.ts
index ffd31f406f8..45b94994be1 100644
--- a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Date/types.ts
+++ b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Date/types.ts
@@ -1,4 +1,8 @@
+import type { Props as DateType } from '../../../../../components/elements/DatePicker/types'
export type Props = {
+ admin?: {
+ date?: DateType
+ }
disabled?: boolean
onChange: () => void
value: Date
diff --git a/packages/payload/src/admin/components/elements/WhereBuilder/index.tsx b/packages/payload/src/admin/components/elements/WhereBuilder/index.tsx
index 303b4521063..f1c46abecdf 100644
--- a/packages/payload/src/admin/components/elements/WhereBuilder/index.tsx
+++ b/packages/payload/src/admin/components/elements/WhereBuilder/index.tsx
@@ -23,14 +23,26 @@ const baseClass = 'where-builder'
const reduceFields = (fields, i18n) =>
flattenTopLevelFields(fields).reduce((reduced, field) => {
if (typeof fieldTypes[field.type] === 'object') {
+ const operatorKeys = new Set()
+ const operators = fieldTypes[field.type].operators.reduce((acc, operator) => {
+ if (!operatorKeys.has(operator.value)) {
+ operatorKeys.add(operator.value)
+ return [
+ ...acc,
+ {
+ ...operator,
+ label: i18n.t(`operators:${operator.label}`),
+ },
+ ]
+ }
+ return acc
+ }, [])
+
const formattedField = {
label: getTranslation(field.label || field.name, i18n),
value: field.name,
...fieldTypes[field.type],
- operators: fieldTypes[field.type].operators.map((operator) => ({
- ...operator,
- label: i18n.t(`operators:${operator.label}`),
- })),
+ operators,
props: {
...field,
},
|
44be433d446c804fd122cfb2704d070e767783d9
|
2025-02-12 01:20:40
|
Paul
|
templates: add packageManager to website template instead of engines.pnpm (#11121)
| false
|
add packageManager to website template instead of engines.pnpm (#11121)
|
templates
|
diff --git a/templates/website/package.json b/templates/website/package.json
index e085061d063..7d093bcf73e 100644
--- a/templates/website/package.json
+++ b/templates/website/package.json
@@ -68,9 +68,9 @@
"tailwindcss": "^3.4.3",
"typescript": "5.7.3"
},
+ "packageManager": "[email protected]",
"engines": {
- "node": "^18.20.2 || >=20.9.0",
- "pnpm": "^9 || ^10"
+ "node": "^18.20.2 || >=20.9.0"
},
"pnpm": {
"onlyBuiltDependencies": [
diff --git a/templates/with-vercel-website/package.json b/templates/with-vercel-website/package.json
index 7f27445a368..bfc9a6405f3 100644
--- a/templates/with-vercel-website/package.json
+++ b/templates/with-vercel-website/package.json
@@ -70,9 +70,9 @@
"tailwindcss": "^3.4.3",
"typescript": "5.7.3"
},
+ "packageManager": "[email protected]",
"engines": {
- "node": "^18.20.2 || >=20.9.0",
- "pnpm": "^9 || ^10"
+ "node": "^18.20.2 || >=20.9.0"
},
"pnpm": {
"onlyBuiltDependencies": [
|
474a3cbf7a90ab02d9e6c86ee018895576cbcab9
|
2023-03-03 22:05:38
|
Jacob Fletcher
|
fix: removes duplicative fields from table columns #2221 (#2226)
| false
|
removes duplicative fields from table columns #2221 (#2226)
|
fix
|
diff --git a/src/admin/components/elements/ColumnSelector/index.tsx b/src/admin/components/elements/ColumnSelector/index.tsx
index b3c52df29ae..763f12621b3 100644
--- a/src/admin/components/elements/ColumnSelector/index.tsx
+++ b/src/admin/components/elements/ColumnSelector/index.tsx
@@ -27,6 +27,7 @@ const ColumnSelector: React.FC<Props> = (props) => {
const { i18n } = useTranslation();
const uuid = useId();
const editDepth = useEditDepth();
+
if (!columns) { return null; }
return (
diff --git a/src/admin/components/elements/TableColumns/buildColumns.tsx b/src/admin/components/elements/TableColumns/buildColumns.tsx
index e5b6597c4b6..37ba3e63703 100644
--- a/src/admin/components/elements/TableColumns/buildColumns.tsx
+++ b/src/admin/components/elements/TableColumns/buildColumns.tsx
@@ -19,8 +19,8 @@ const buildColumns = ({
t: TFunction,
cellProps?: Partial<CellProps>[]
}): Column[] => {
- const flattenedFields = flattenFields([
- ...collection.fields,
+ // combine the configured fields with the base fields then remove duplicates
+ const combinedFields = collection.fields.concat([
{
name: 'id',
type: 'text',
@@ -36,7 +36,9 @@ const buildColumns = ({
type: 'date',
label: t('createdAt'),
},
- ]);
+ ]).filter((field, index, self) => self.findIndex((thisField) => 'name' in thisField && 'name' in field && thisField.name === field.name) === index);
+
+ const flattenedFields = flattenFields(combinedFields);
// sort the fields to the order of activeColumns
const sortedFields = flattenedFields.sort((a, b) => {
|
b321b07ad565070a009aed4e89d0b66e5f64de7a
|
2023-02-07 08:18:50
|
Jarrod Flesch
|
chore: fixes stalling tests
| false
|
fixes stalling tests
|
chore
|
diff --git a/test/fields/e2e.spec.ts b/test/fields/e2e.spec.ts
index aac9a66dac8..04c39078841 100644
--- a/test/fields/e2e.spec.ts
+++ b/test/fields/e2e.spec.ts
@@ -218,6 +218,7 @@ describe('fields', () => {
});
test('should open blocks drawer from block row and add below', async () => {
+ await page.goto(url.create);
const firstRow = await page.locator('#field-blocks #blocks-row-0');
const rowActions = await firstRow.locator('.collapsible__actions');
await expect(rowActions).toBeVisible();
|
b5ce54c7ae3b11a34ca7e9c027934943accf2ea8
|
2022-07-17 06:31:13
|
Elliot DeNolf
|
test: localization relationship tests
| false
|
localization relationship tests
|
test
|
diff --git a/test/localization/config.ts b/test/localization/config.ts
index 52a4ea8ef81..69f5dafbef3 100644
--- a/test/localization/config.ts
+++ b/test/localization/config.ts
@@ -1,7 +1,16 @@
-import { mapAsync } from '../../src/utilities/mapAsync';
import { buildConfig } from '../buildConfig';
+import { devUser } from '../credentials';
import { LocalizedPost } from './payload-types';
-import { englishTitle, spanishLocale, spanishTitle } from './shared';
+import {
+ defaultLocale,
+ englishTitle,
+ relationEnglishTitle,
+ relationEnglishTitle2,
+ relationSpanishTitle,
+ relationSpanishTitle2,
+ spanishLocale,
+ spanishTitle,
+} from './shared';
export type LocalizedPostAllLocale = LocalizedPost & {
title: {
@@ -11,21 +20,24 @@ export type LocalizedPostAllLocale = LocalizedPost & {
};
export const slug = 'localized-posts';
+export const withLocalizedRelSlug = 'with-localized-relationship';
+
+const openAccess = {
+ read: () => true,
+ create: () => true,
+ delete: () => true,
+ update: () => true,
+};
export default buildConfig({
localization: {
- locales: ['en', 'es'],
- defaultLocale: 'en',
+ locales: [defaultLocale, spanishLocale],
+ defaultLocale,
},
collections: [
{
slug,
- access: {
- read: () => true,
- create: () => true,
- delete: () => true,
- update: () => true,
- },
+ access: openAccess,
fields: [
{
name: 'title',
@@ -38,8 +50,58 @@ export default buildConfig({
},
],
},
+ {
+ slug: withLocalizedRelSlug,
+ access: openAccess,
+ fields: [
+ // Relationship
+ {
+ name: 'localizedRelationship',
+ type: 'relationship',
+ relationTo: slug,
+ },
+ // Relation hasMany
+ {
+ name: 'localizedRelationHasManyField',
+ type: 'relationship',
+ relationTo: slug,
+ hasMany: true,
+ },
+ // Relation multiple relationTo
+ {
+ name: 'localizedRelationMultiRelationTo',
+ type: 'relationship',
+ relationTo: [slug, 'dummy'],
+ },
+ // Relation multiple relationTo hasMany
+ {
+ name: 'localizedRelationMultiRelationToHasMany',
+ type: 'relationship',
+ relationTo: [slug, 'dummy'],
+ hasMany: true,
+ },
+ ],
+ },
+ {
+ slug: 'dummy',
+ access: openAccess,
+ fields: [
+ {
+ name: 'name',
+ type: 'text',
+ },
+ ],
+ },
],
onInit: async (payload) => {
+ await payload.create({
+ collection: 'users',
+ data: {
+ email: devUser.email,
+ password: devUser.password,
+ },
+ });
+
const collection = slug;
await payload.create({
@@ -55,7 +117,6 @@ export default buildConfig({
title: englishTitle,
},
});
-
await payload.update<LocalizedPost>({
collection,
id: localizedPost.id,
@@ -65,14 +126,47 @@ export default buildConfig({
},
});
- await mapAsync([...Array(11)], async () => {
- await payload.create<LocalizedPost>({
- collection,
- data: {
- title: 'title',
- description: 'description',
- },
- });
+ const localizedRelation = await payload.create<LocalizedPost>({
+ collection,
+ data: {
+ title: relationEnglishTitle,
+ },
+ });
+ await payload.update<LocalizedPost>({
+ collection,
+ id: localizedPost.id,
+ locale: spanishLocale,
+ data: {
+ title: relationSpanishTitle,
+ },
+ });
+
+ const localizedRelation2 = await payload.create<LocalizedPost>({
+ collection,
+ data: {
+ title: relationEnglishTitle2,
+ },
+ });
+ await payload.update<LocalizedPost>({
+ collection,
+ id: localizedPost.id,
+ locale: spanishLocale,
+ data: {
+ title: relationSpanishTitle2,
+ },
+ });
+
+ await payload.create({
+ collection: withLocalizedRelSlug,
+ data: {
+ localizedRelationship: localizedRelation.id,
+ localizedRelationHasManyField: [localizedRelation.id, localizedRelation2.id],
+ localizedRelationMultiRelationTo: { relationTo: collection, value: localizedRelation.id },
+ localizedRelationMultiRelationToHasMany: [
+ { relationTo: slug, value: localizedRelation.id },
+ { relationTo: slug, value: localizedRelation2.id },
+ ],
+ },
});
},
});
diff --git a/test/localization/int.spec.ts b/test/localization/int.spec.ts
index 49e03f00e94..0719befced7 100644
--- a/test/localization/int.spec.ts
+++ b/test/localization/int.spec.ts
@@ -1,16 +1,52 @@
import mongoose from 'mongoose';
import { initPayloadTest } from '../helpers/configHelpers';
import payload from '../../src';
-import type { LocalizedPost } from './payload-types';
+import type { LocalizedPost, WithLocalizedRelationship } from './payload-types';
import type { LocalizedPostAllLocale } from './config';
-import config from './config';
-import { defaultLocale, englishTitle, spanishLocale, spanishTitle } from './shared';
+import config, { slug, withLocalizedRelSlug } from './config';
+import {
+ defaultLocale,
+ englishTitle,
+ relationEnglishTitle,
+ relationEnglishTitle2,
+ relationSpanishTitle,
+ relationSpanishTitle2,
+ spanishLocale,
+ spanishTitle,
+} from './shared';
+import type { Where } from '../../src/types';
const collection = config.collections[0]?.slug;
-describe('array-update', () => {
+describe('Localization', () => {
+ let post1: LocalizedPost;
+ let postWithLocalizedData: LocalizedPost;
+
beforeAll(async () => {
await initPayloadTest({ __dirname });
+
+ post1 = await payload.create({
+ collection,
+ data: {
+ title: englishTitle,
+ },
+ });
+
+ postWithLocalizedData = await payload.create({
+ collection,
+ data: {
+ title: englishTitle,
+ },
+ });
+
+ await payload.update<LocalizedPost>({
+ collection,
+ id: postWithLocalizedData.id,
+ locale: spanishLocale,
+ data: {
+ title: spanishTitle,
+ },
+ });
});
afterAll(async () => {
@@ -19,154 +55,420 @@ describe('array-update', () => {
await payload.mongoMemoryServer.stop();
});
- describe('Localization', () => {
- let post1: LocalizedPost;
- beforeAll(async () => {
- post1 = await payload.create({
+ describe('localized text', () => {
+ it('create english', async () => {
+ const allDocs = await payload.find<LocalizedPost>({
collection,
+ where: {
+ title: { equals: post1.title },
+ },
+ });
+ expect(allDocs.docs).toContainEqual(expect.objectContaining(post1));
+ });
+
+ it('add spanish translation', async () => {
+ const updated = await payload.update<LocalizedPost>({
+ collection,
+ id: post1.id,
+ locale: spanishLocale,
data: {
- title: englishTitle,
+ title: spanishTitle,
},
});
+
+ expect(updated.title).toEqual(spanishTitle);
+
+ const localized = await payload.findByID<LocalizedPostAllLocale>({
+ collection,
+ id: post1.id,
+ locale: 'all',
+ });
+
+ expect(localized.title.en).toEqual(englishTitle);
+ expect(localized.title.es).toEqual(spanishTitle);
});
- describe('localized text', () => {
- it('create english', async () => {
- const allDocs = await payload.find<LocalizedPost>({
+ describe('querying', () => {
+ let localizedPost: LocalizedPost;
+ beforeEach(async () => {
+ const { id } = await payload.create<LocalizedPost>({
collection,
- where: {
- title: { equals: post1.title },
+ data: {
+ title: englishTitle,
},
});
- expect(allDocs.docs).toContainEqual(expect.objectContaining(post1));
- });
- it('add spanish translation', async () => {
- const updated = await payload.update<LocalizedPost>({
+ localizedPost = await payload.update<LocalizedPost>({
collection,
- id: post1.id,
+ id,
locale: spanishLocale,
data: {
title: spanishTitle,
},
});
+ });
+
+ it('unspecified locale returns default', async () => {
+ const localized = await payload.findByID({
+ collection,
+ id: localizedPost.id,
+ });
+
+ expect(localized.title).toEqual(englishTitle);
+ });
+
+ it('specific locale - same as default', async () => {
+ const localized = await payload.findByID({
+ collection,
+ locale: defaultLocale,
+ id: localizedPost.id,
+ });
+
+ expect(localized.title).toEqual(englishTitle);
+ });
+
+ it('specific locale - not default', async () => {
+ const localized = await payload.findByID({
+ collection,
+ locale: spanishLocale,
+ id: localizedPost.id,
+ });
- expect(updated.title).toEqual(spanishTitle);
+ expect(localized.title).toEqual(spanishTitle);
+ });
+ it('all locales', async () => {
const localized = await payload.findByID<LocalizedPostAllLocale>({
collection,
- id: post1.id,
locale: 'all',
+ id: localizedPost.id,
});
expect(localized.title.en).toEqual(englishTitle);
expect(localized.title.es).toEqual(spanishTitle);
});
- describe('querying', () => {
- let localizedPost: LocalizedPost;
- beforeEach(async () => {
- const { id } = await payload.create<LocalizedPost>({
- collection,
- data: {
- title: englishTitle,
+ it('by localized field value - default locale', async () => {
+ const result = await payload.find<LocalizedPost>({
+ collection,
+ where: {
+ title: {
+ equals: englishTitle,
},
- });
+ },
+ });
- localizedPost = await payload.update<LocalizedPost>({
- collection,
- id,
- locale: spanishLocale,
- data: {
- title: spanishTitle,
+ expect(result.docs[0].id).toEqual(localizedPost.id);
+ });
+
+ it('by localized field value - alternate locale', async () => {
+ const result = await payload.find<LocalizedPost>({
+ collection,
+ locale: spanishLocale,
+ where: {
+ title: {
+ equals: spanishTitle,
},
- });
+ },
});
- it('unspecified locale returns default', async () => {
- const localized = await payload.findByID({
- collection,
- id: localizedPost.id,
- });
+ expect(result.docs[0].id).toEqual(localizedPost.id);
+ });
- expect(localized.title).toEqual(englishTitle);
+ it('by localized field value - opposite locale???', async () => {
+ const result = await payload.find<LocalizedPost>({
+ collection,
+ locale: 'all',
+ where: {
+ 'title.es': {
+ equals: spanishTitle,
+ },
+ },
});
- it('specific locale - same as default', async () => {
- const localized = await payload.findByID({
- collection,
- locale: defaultLocale,
- id: localizedPost.id,
+ expect(result.docs[0].id).toEqual(localizedPost.id);
+ });
+
+ describe('Localized Relationship', () => {
+ let localizedRelation: LocalizedPost;
+ let localizedRelation2: LocalizedPost;
+ let withRelationship: WithLocalizedRelationship;
+
+ beforeAll(async () => {
+ localizedRelation = await createLocalizedPost({
+ title: {
+ [defaultLocale]: relationEnglishTitle,
+ [spanishLocale]: relationSpanishTitle,
+ },
+ });
+ localizedRelation2 = await createLocalizedPost({
+ title: {
+ [defaultLocale]: relationEnglishTitle2,
+ [spanishLocale]: relationSpanishTitle2,
+ },
});
- expect(localized.title).toEqual(englishTitle);
+ withRelationship = await payload.create({
+ collection: withLocalizedRelSlug,
+ data: {
+ localizedRelationship: localizedRelation.id,
+ localizedRelationHasManyField: [localizedRelation.id, localizedRelation2.id],
+ localizedRelationMultiRelationTo: { relationTo: slug, value: localizedRelation.id },
+ localizedRelationMultiRelationToHasMany: [
+ { relationTo: slug, value: localizedRelation.id },
+ { relationTo: slug, value: localizedRelation2.id },
+ ],
+ },
+ });
});
- it('specific locale - not default', async () => {
- const localized = await payload.findByID({
- collection,
- locale: spanishLocale,
- id: localizedPost.id,
+ describe('regular relationship', () => {
+ it('can query localized relationship', async () => {
+ const result = await payload.find<WithLocalizedRelationship>({
+ collection: withLocalizedRelSlug,
+ where: {
+ 'localizedRelation.title': {
+ equals: localizedRelation.title,
+ },
+ },
+ });
+
+ expect(result.docs[0].id).toEqual(withRelationship.id);
});
- expect(localized.title).toEqual(spanishTitle);
- });
+ it('specific locale', async () => {
+ const result = await payload.find<WithLocalizedRelationship>({
+ collection: withLocalizedRelSlug,
+ locale: spanishLocale,
+ where: {
+ 'localizedRelation.title': {
+ equals: relationSpanishTitle,
+ },
+ },
+ });
- it('all locales', async () => {
- const localized = await payload.findByID<LocalizedPostAllLocale>({
- collection,
- locale: 'all',
- id: localizedPost.id,
+ expect(result.docs[0].id).toEqual(withRelationship.id);
});
- expect(localized.title.en).toEqual(englishTitle);
- expect(localized.title.es).toEqual(spanishTitle);
+ it('all locales', async () => {
+ const result = await payload.find<WithLocalizedRelationship>({
+ collection: withLocalizedRelSlug,
+ locale: 'all',
+ where: {
+ 'localizedRelation.title.es': {
+ equals: relationSpanishTitle,
+ },
+ },
+ });
+
+ expect(result.docs[0].id).toEqual(withRelationship.id);
+ });
});
- it('by localized field value - default locale', async () => {
- const result = await payload.find<LocalizedPost>({
- collection,
- where: {
- title: {
- equals: englishTitle,
+ describe('relationship - hasMany', () => {
+ it('default locale', async () => {
+ const result = await payload.find<WithLocalizedRelationship>({
+ collection: withLocalizedRelSlug,
+ where: {
+ 'localizedRelationHasManyField.title': {
+ equals: localizedRelation.title,
+ },
},
- },
+ });
+
+ expect(result.docs[0].id).toEqual(withRelationship.id);
+
+ // Second relationship
+ const result2 = await payload.find<WithLocalizedRelationship>({
+ collection: withLocalizedRelSlug,
+ where: {
+ 'localizedRelationHasManyField.title': {
+ equals: localizedRelation2.title,
+ },
+ },
+ });
+
+ expect(result2.docs[0].id).toEqual(withRelationship.id);
});
- const doc = result.docs[0];
- expect(doc.id).toEqual(localizedPost.id);
- });
+ it('specific locale', async () => {
+ const result = await payload.find<WithLocalizedRelationship>({
+ collection: withLocalizedRelSlug,
+ locale: spanishLocale,
+ where: {
+ 'localizedRelationHasManyField.title': {
+ equals: relationSpanishTitle,
+ },
+ },
+ });
+
+ expect(result.docs[0].id).toEqual(withRelationship.id);
- it('by localized field value - alternate locale', async () => {
- const result = await payload.find<LocalizedPost>({
- collection,
- locale: spanishLocale,
- where: {
- title: {
- equals: spanishTitle,
+ // Second relationship
+ const result2 = await payload.find<WithLocalizedRelationship>({
+ collection: withLocalizedRelSlug,
+ locale: spanishLocale,
+ where: {
+ 'localizedRelationHasManyField.title': {
+ equals: relationSpanishTitle2,
+ },
},
- },
+ });
+
+ expect(result2.docs[0].id).toEqual(withRelationship.id);
});
- const doc = result.docs[0];
- expect(doc.id).toEqual(localizedPost.id);
+ it('all locales', async () => {
+ const queryRelation = (where: Where) => {
+ return payload.find<WithLocalizedRelationship>({
+ collection: withLocalizedRelSlug,
+ locale: 'all',
+ where,
+ });
+ };
+
+ const result = await queryRelation({
+ 'localizedRelationHasManyField.title.en': {
+ equals: relationEnglishTitle,
+ },
+ });
+
+ expect(result.docs[0].id).toEqual(withRelationship.id);
+
+ // First relationship - spanish
+ const result2 = await queryRelation({
+ 'localizedRelationHasManyField.title.es': {
+ equals: relationSpanishTitle,
+ },
+ });
+
+ expect(result2.docs[0].id).toEqual(withRelationship.id);
+
+ // Second relationship - english
+ const result3 = await queryRelation({
+ 'localizedRelationHasManyField.title.en': {
+ equals: relationEnglishTitle2,
+ },
+ });
+
+ expect(result3.docs[0].id).toEqual(withRelationship.id);
+
+ // Second relationship - spanish
+ const result4 = await queryRelation({
+ 'localizedRelationHasManyField.title.es': {
+ equals: relationSpanishTitle2,
+ },
+ });
+
+ expect(result4.docs[0].id).toEqual(withRelationship.id);
+ });
});
- it('by localized field value - opposite locale???', async () => {
- const result = await payload.find<LocalizedPost>({
- collection,
- locale: 'all',
- where: {
- 'title.es': {
- equals: spanishTitle,
+ describe('relationTo multi', () => {
+ it('by id', async () => {
+ const result = await payload.find<WithLocalizedRelationship>({
+ collection: withLocalizedRelSlug,
+ where: {
+ 'localizedRelationMultiRelationTo.value': {
+ equals: localizedRelation.id,
+ },
},
- },
+ });
+
+ expect(result.docs[0].id).toEqual(withRelationship.id);
+
+ // Second relationship
+ const result2 = await payload.find<WithLocalizedRelationship>({
+ collection: withLocalizedRelSlug,
+ locale: spanishLocale,
+ where: {
+ 'localizedRelationMultiRelationTo.value': {
+ equals: localizedRelation.id,
+ },
+ },
+ });
+
+ expect(result2.docs[0].id).toEqual(withRelationship.id);
});
+ });
+
+ describe('relationTo multi hasMany', () => {
+ it('by id', async () => {
+ const result = await payload.find<WithLocalizedRelationship>({
+ collection: withLocalizedRelSlug,
+ where: {
+ 'localizedRelationMultiRelationToHasMany.value': {
+ equals: localizedRelation.id,
+ },
+ },
+ });
+
+ expect(result.docs[0].id).toEqual(withRelationship.id);
- const doc = result.docs[0];
- expect(doc.id).toEqual(localizedPost.id);
+ // First relationship - spanish locale
+ const result2 = await payload.find<WithLocalizedRelationship>({
+ collection: withLocalizedRelSlug,
+ locale: spanishLocale,
+ where: {
+ 'localizedRelationMultiRelationToHasMany.value': {
+ equals: localizedRelation.id,
+ },
+ },
+ });
+
+ expect(result2.docs[0].id).toEqual(withRelationship.id);
+
+ // Second relationship
+ const result3 = await payload.find<WithLocalizedRelationship>({
+ collection: withLocalizedRelSlug,
+ where: {
+ 'localizedRelationMultiRelationToHasMany.value': {
+ equals: localizedRelation2.id,
+ },
+ },
+ });
+
+ expect(result3.docs[0].id).toEqual(withRelationship.id);
+
+ // Second relationship - spanish locale
+ const result4 = await payload.find<WithLocalizedRelationship>({
+ collection: withLocalizedRelSlug,
+ where: {
+ 'localizedRelationMultiRelationToHasMany.value': {
+ equals: localizedRelation2.id,
+ },
+ },
+ });
+
+ expect(result4.docs[0].id).toEqual(withRelationship.id);
+ });
});
});
});
});
});
+
+async function createLocalizedPost(data: {
+ title: {
+ [defaultLocale]: string;
+ [spanishLocale]: string;
+ };
+}): Promise<LocalizedPost> {
+ const localizedRelation = await payload.create<LocalizedPost>({
+ collection,
+ data: {
+ title: data.title.en,
+ },
+ });
+
+ await payload.update<LocalizedPost>({
+ collection,
+ id: localizedRelation.id,
+ locale: spanishLocale,
+ data: {
+ title: data.title.es,
+ },
+ });
+
+ return localizedRelation;
+}
diff --git a/test/localization/payload-types.ts b/test/localization/payload-types.ts
index 7e29dac82e1..0a1c107914e 100644
--- a/test/localization/payload-types.ts
+++ b/test/localization/payload-types.ts
@@ -17,6 +17,46 @@ export interface LocalizedPost {
createdAt: string;
updatedAt: string;
}
+/**
+ * This interface was referenced by `Config`'s JSON-Schema
+ * via the `definition` "with-localized-relationship".
+ */
+export interface WithLocalizedRelationship {
+ id: string;
+ localizedRelationship?: string | LocalizedPost;
+ localizedRelationHasManyField?: (string | LocalizedPost)[];
+ localizedRelationMultiRelationTo?:
+ | {
+ value: string | LocalizedPost;
+ relationTo: 'localized-posts';
+ }
+ | {
+ value: string | Dummy;
+ relationTo: 'dummy';
+ };
+ localizedRelationMultiRelationToHasMany?: (
+ | {
+ value: string | LocalizedPost;
+ relationTo: 'localized-posts';
+ }
+ | {
+ value: string | Dummy;
+ relationTo: 'dummy';
+ }
+ )[];
+ createdAt: string;
+ updatedAt: string;
+}
+/**
+ * This interface was referenced by `Config`'s JSON-Schema
+ * via the `definition` "dummy".
+ */
+export interface Dummy {
+ id: string;
+ name?: string;
+ createdAt: string;
+ updatedAt: string;
+}
/**
* This interface was referenced by `Config`'s JSON-Schema
* via the `definition` "users".
diff --git a/test/localization/shared.ts b/test/localization/shared.ts
index f902e436f17..40ea7d7adc6 100644
--- a/test/localization/shared.ts
+++ b/test/localization/shared.ts
@@ -1,4 +1,12 @@
+import payload from '../../src';
+import { LocalizedPost } from './payload-types';
+
export const englishTitle = 'english';
export const spanishTitle = 'spanish';
+export const relationEnglishTitle = 'english-relation';
+export const relationSpanishTitle = 'spanish-relation';
+export const relationEnglishTitle2 = `${relationEnglishTitle}2`;
+export const relationSpanishTitle2 = `${relationSpanishTitle}2`;
+
export const defaultLocale = 'en';
export const spanishLocale = 'es';
|
bf1242aafa3fa7e72e81af10284f4ddade28c4a0
|
2023-01-07 08:08:40
|
Elliot Lintz
|
fix: wrong translation and punctuation spacing
| false
|
wrong translation and punctuation spacing
|
fix
|
diff --git a/src/translations/fr.json b/src/translations/fr.json
index c1ed9f334bb..57785f8ecda 100644
--- a/src/translations/fr.json
+++ b/src/translations/fr.json
@@ -20,10 +20,10 @@
"forceUnlock": "Forcer le déverrouillage",
"forgotPassword": "Mot de passe oublié",
"forgotPasswordEmailInstructions": "Veuillez saisir votre e-mail ci-dessous. Vous recevrez un e-mail avec des instructions concernant comment réinitialiser votre mot de passe.",
- "forgotPasswordQuestion": "Mot de passe oublié?",
+ "forgotPasswordQuestion": "Mot de passe oublié ?",
"generate": "Générer",
"generateNewAPIKey": "Générer une nouvelle clé API",
- "generatingNewAPIKeyWillInvalidate": "La génération d'une nouvelle clé API <1>invalidera</1> la clé précédente. Êtes-vous sûr de vouloir continuer?",
+ "generatingNewAPIKeyWillInvalidate": "La génération d'une nouvelle clé API <1>invalidera</1> la clé précédente. Êtes-vous sûr de vouloir continuer ?",
"lockUntil": "Verrouiller jusqu'à",
"logBackIn": "Se reconnecter",
"logOut": "Se déconnecter",
@@ -52,8 +52,8 @@
"verify": "Vérifier",
"verifyUser": "Vérifier l'utilisateur",
"verifyYourEmail": "Vérifiez votre e-mail",
- "youAreInactive": "Vous n'avez pas été actif depuis un moment alors vous serez bientôt automatiquement déconnecté pour votre propre sécurité. Souhaitez-vous rester connecté ?",
- "youAreReceivingResetPassword": "Vous recevez ceci parce que vous (ou quelqu'un d'autre) avez demandé la réinitialisation du mot de passe de votre compte. Veuillez cliquer sur le lien suivant ou le coller dans votre navigateur pour terminer le processus:",
+ "youAreInactive": "Vous n'avez pas été actif depuis un moment alors vous serez bientôt automatiquement déconnecté pour votre propre sécurité. Souhaitez-vous rester connecté ?",
+ "youAreReceivingResetPassword": "Vous recevez ceci parce que vous (ou quelqu'un d'autre) avez demandé la réinitialisation du mot de passe de votre compte. Veuillez cliquer sur le lien suivant ou le coller dans votre navigateur pour terminer le processus :",
"youDidNotRequestPassword": "Si vous ne l'avez pas demandé, veuillez ignorer cet e-mail et votre mot de passe restera inchangé."
},
"error": {
@@ -63,11 +63,11 @@
"deletingFile": "Une erreur s'est produite lors de la suppression du fichier.",
"deletingTitle": "Une erreur s'est produite lors de la suppression de {{title}}. Veuillez vérifier votre connexion puis réessayer.",
"emailOrPasswordIncorrect": "L'adresse e-mail ou le mot de passe fourni est incorrect.",
- "followingFieldsInvalid_many": "Les champs suivants ne sont pas valides:",
- "followingFieldsInvalid_one": "Le champ suivant n'est pas valide:",
+ "followingFieldsInvalid_many": "Les champs suivants ne sont pas valides :",
+ "followingFieldsInvalid_one": "Le champ suivant n'est pas valide :",
"incorrectCollection": "Collection incorrecte",
"invalidFileType": "Type de fichier invalide",
- "invalidFileTypeValue": "Type de fichier invalide: {{value}}",
+ "invalidFileTypeValue": "Type de fichier invalide : {{value}}",
"loadingDocument": "Un problème est survenu lors du chargement du document qui a pour identifiant {{id}}.",
"missingEmail": "E-mail manquant.",
"missingIDOfDocument": "Il manque l'identifiant du document à mettre à jour.",
@@ -118,13 +118,13 @@
"searchForBlock": "Rechercher un bloc",
"selectExistingLabel": "Sélectionnez {{label}} existant",
"showAll": "Afficher tout",
- "swapRelationship": "Relation D'échange",
+ "swapRelationship": "Changer de relation",
"swapUpload": "Changer de Fichier",
"toggleBlock": "Bloc bascule",
"uploadNewLabel": "Téléverser un(e) nouveau ou nouvelle {{label}}"
},
"general": {
- "aboutToDelete": "Vous êtes sur le point de supprimer ce ou cette {{label}} <1>{{title}}</1>. Êtes-vous sûr?",
+ "aboutToDelete": "Vous êtes sur le point de supprimer ce ou cette {{label}} <1>{{title}}</1>. Êtes-vous sûr ?",
"addBelow": "Ajoutez ci-dessous",
"addFilter": "Ajouter un filtre",
"adminTheme": "Thème d'administration",
@@ -207,7 +207,7 @@
"thisLanguage": "Français",
"titleDeleted": "{{label}} \"{{title}}\" supprimé(e) avec succès.",
"unauthorized": "Non autorisé",
- "unsavedChangesDuplicate": "Vous avez des changements non enregistrés. Souhaitez-vous continuer la duplication?",
+ "unsavedChangesDuplicate": "Vous avez des changements non enregistrés. Souhaitez-vous continuer la duplication ?",
"untitled": "Sans titre",
"updatedAt": "Modifié le",
"updatedSuccessfully": "Mis à jour avec succés.",
@@ -235,7 +235,7 @@
"greaterThanMax": "\"{{value}}\" est supérieur à la valeur maximale autorisée de {{max}}.",
"invalidInput": "Ce champ a une entrée invalide.",
"invalidSelection": "Ce champ a une sélection invalide.",
- "invalidSelections": "Ce champ contient des sélections invalides suivantes:",
+ "invalidSelections": "Ce champ contient des sélections invalides suivantes :",
"lessThanMin": "\"{{value}}\" est inférieur à la valeur minimale autorisée de {{min}}.",
"longerThanMin": "Cette valeur doit être supérieure à la longueur minimale de {{minLength}} caractères.",
"notValidDate": "\"{{value}}\" n'est pas une date valide.",
@@ -250,13 +250,13 @@
"version": {
"aboutToRestore": "Vous êtes sur le point de restaurer le document {{label}} à l'état où il se trouvait le {{versionDate}}.",
"aboutToRestoreGlobal": "Vous êtes sur le point de restaurer le ou la {{label}} global(e) à l'état où il ou elle se trouvait le {{versionDate}}.",
- "aboutToRevertToPublished": "Vous êtes sur le point de rétablir les modifications apportées à ce document à la version publiée. Êtes-vous sûr?",
- "aboutToUnpublish": "Vous êtes sur le point d'annuler la publication de ce document. Êtes-vous sûr?",
+ "aboutToRevertToPublished": "Vous êtes sur le point de rétablir les modifications apportées à ce document à la version publiée. Êtes-vous sûr ?",
+ "aboutToUnpublish": "Vous êtes sur le point d'annuler la publication de ce document. Êtes-vous sûr ?",
"autosave": "Enregistrement automatique",
"autosavedSuccessfully": "Enregistrement automatique réussi.",
"autosavedVersion": "Version enregistrée automatiquement",
"changed": "Modifié",
- "compareVersion": "Comparez cette version à:",
+ "compareVersion": "Comparez cette version à :",
"confirmRevertToSaved": "Confirmer la restauration",
"confirmUnpublish": "Confirmer l'annulation",
"confirmVersionRestoration": "Confirmer la restauration de la version",
@@ -278,7 +278,7 @@
"saveDraft": "Enregistrer le brouillon",
"selectLocals": "Sélectionnez les paramètres régionaux à afficher",
"selectVersionToCompare": "Sélectionnez une version à comparer",
- "showLocales": "Afficher les paramètres régionaux:",
+ "showLocales": "Afficher les paramètres régionaux :",
"status": "Statut",
"type": "Type",
"unpublish": "Annuler la publication",
@@ -287,7 +287,7 @@
"versionCount_many": "{{count}} versions trouvées",
"versionCount_none": "Aucune version trouvée",
"versionCount_one": "{{count}} version trouvée",
- "versionCreatedOn": "{{version}} créé(e) le:",
+ "versionCreatedOn": "{{version}} créé(e) le :",
"versionID": "Identifiant de la version",
"versions": "Versions",
"viewingVersion": "Affichage de la version de ou du {{entityLabel}} {{documentTitle}}",
|
3bce86a1e85660d29cd5a7e76034ac634b6e5f9e
|
2024-03-20 01:28:17
|
James
|
chore: progress to next repo
| false
|
progress to next repo
|
chore
|
diff --git a/packages/next/src/bin/index.ts b/packages/next/src/bin/index.ts
deleted file mode 100644
index d3f6f17dd81..00000000000
--- a/packages/next/src/bin/index.ts
+++ /dev/null
@@ -1,26 +0,0 @@
-import minimist from 'minimist'
-
-const args = minimist(process.argv.slice(2))
-const scriptIndex = args._.findIndex((x) => x === 'install')
-const script = scriptIndex === -1 ? args._[0] : args._[scriptIndex]
-
-const { debug } = args
-
-import { install } from './install.js'
-
-main()
-
-async function main() {
- if (debug) console.log({ debug, pwd: process.cwd() })
- switch (script.toLowerCase()) {
- case 'install': {
- if (debug) console.log('Running install')
- await install({ debug })
- break
- }
-
- default:
- console.log(`Unknown script "${script}".`)
- break
- }
-}
diff --git a/packages/next/src/bin/install.ts b/packages/next/src/bin/install.ts
deleted file mode 100644
index 01c170cb948..00000000000
--- a/packages/next/src/bin/install.ts
+++ /dev/null
@@ -1,68 +0,0 @@
-import fs from 'fs'
-import path from 'path'
-
-export const install = (args?: { debug?: boolean }): Promise<void> => {
- const debug = args?.debug
-
- const nextConfigPath = path.resolve(process.cwd(), 'next.config.js')
- if (!fs.existsSync(nextConfigPath)) {
- console.log(`No next.config.js found at ${nextConfigPath}`)
- process.exit(1)
- }
-
- const apiTemplateDir = path.resolve(__dirname, '../..', 'dist', 'template/app/(payload)')
- const userProjectDir = process.cwd()
-
- if (!fs.existsSync(apiTemplateDir)) {
- console.log(`Could not find template source files from ${apiTemplateDir}`)
- process.exit(1)
- }
-
- if (!fs.existsSync(path.resolve(userProjectDir, 'app'))) {
- console.log(`Could not find user app directory at ${userProjectDir}/app`)
- process.exit(1)
- }
-
- const templateFileDest = path.resolve(userProjectDir, 'app/(payload)')
-
- if (debug) {
- console.log({
- cwd: process.cwd(),
-
- // Paths
- apiTemplateDir,
- templateFileDest,
- userProjectDir,
- })
- }
-
- // Merge api dir into user's app/api, user's files take precedence
- copyRecursiveSync(apiTemplateDir, templateFileDest, debug)
- process.exit(0)
-}
-
-/**
- * Recursively copy files from src to dest
- */
-function copyRecursiveSync(src: string, dest: string, debug?: boolean) {
- const exists = fs.existsSync(src)
- const stats = exists && fs.statSync(src)
- const isDirectory = exists && stats.isDirectory()
- if (isDirectory) {
- if (debug) console.log(`Dir: ${src}\n--Dest: ${dest}`)
- fs.mkdirSync(dest, { recursive: true })
- fs.readdirSync(src).forEach((childItemName) => {
- copyRecursiveSync(path.join(src, childItemName), path.join(dest, childItemName))
- })
- } else {
- if (debug) console.log(`File: ${src}\n--Dest: ${dest}`)
- fs.copyFileSync(src, dest)
- }
-}
-
-if (require.main === module) {
- install({ debug: true }).catch((e) => {
- console.error(e)
- process.exit(1)
- })
-}
diff --git a/packages/next/src/elements/LeaveWithoutSaving/index.tsx b/packages/next/src/elements/LeaveWithoutSaving/index.tsx
index e5331b277ac..8956fd42dbd 100644
--- a/packages/next/src/elements/LeaveWithoutSaving/index.tsx
+++ b/packages/next/src/elements/LeaveWithoutSaving/index.tsx
@@ -1,9 +1,9 @@
'use client'
-import { Button, Modal } from '@payloadcms/ui/elements'
-import { useFormModified } from '@payloadcms/ui/forms'
-import { useModal } from '@payloadcms/ui/hooks'
-import { useAuth } from '@payloadcms/ui/providers'
-import { useTranslation } from '@payloadcms/ui/providers'
+import { Button } from '@payloadcms/ui/elements/Button'
+import { Modal, useModal } from '@payloadcms/ui/elements/Modal'
+import { useFormModified } from '@payloadcms/ui/forms/Form'
+import { useAuth } from '@payloadcms/ui/providers/Auth'
+import { useTranslation } from '@payloadcms/ui/providers/Translation'
import React, { useCallback, useEffect } from 'react'
import './index.scss'
diff --git a/packages/ui/src/elements/EditMany/index.tsx b/packages/ui/src/elements/EditMany/index.tsx
index dd5d8328f4c..9785d501908 100644
--- a/packages/ui/src/elements/EditMany/index.tsx
+++ b/packages/ui/src/elements/EditMany/index.tsx
@@ -9,7 +9,7 @@ import React, { useCallback, useState } from 'react'
import type { Props as FormProps } from '../../forms/Form/index.js'
import { useForm } from '../../forms/Form/context.js'
-import Form from '../../forms/Form/index.js'
+import { Form } from '../../forms/Form/index.js'
import { RenderFields } from '../../forms/RenderFields/index.js'
import { FormSubmit } from '../../forms/Submit/index.js'
import { X } from '../../icons/X/index.js'
diff --git a/packages/ui/src/elements/Modal/index.tsx b/packages/ui/src/elements/Modal/index.tsx
index de0f611f12a..516bd103935 100644
--- a/packages/ui/src/elements/Modal/index.tsx
+++ b/packages/ui/src/elements/Modal/index.tsx
@@ -1,4 +1,6 @@
import * as facelessUIImport from '@faceless-ui/modal'
const { Modal } =
facelessUIImport && 'Modal' in facelessUIImport ? facelessUIImport : { Modal: undefined }
-export { Modal }
+const { useModal } =
+ facelessUIImport && 'useModal' in facelessUIImport ? facelessUIImport : { useModal: undefined }
+export { Modal, useModal }
diff --git a/packages/ui/src/forms/Form/index.tsx b/packages/ui/src/forms/Form/index.tsx
index 080d7b5594d..176d88ed45d 100644
--- a/packages/ui/src/forms/Form/index.tsx
+++ b/packages/ui/src/forms/Form/index.tsx
@@ -39,8 +39,6 @@ import { initContextState } from './initContextState.js'
import { mergeServerFormState } from './mergeServerFormState.js'
import { reduceFieldsToValues } from './reduceFieldsToValues.js'
-export * from './types.js'
-
const baseClass = 'form'
const Form: React.FC<Props> = (props) => {
@@ -585,4 +583,13 @@ const Form: React.FC<Props> = (props) => {
)
}
-export default Form
+export * from './types.js'
+
+export {
+ useForm,
+ useFormFields,
+ useFormModified,
+ useFormProcessing,
+ useFormSubmitted,
+ useWatchForm,
+} from './context.js'
|
c5fe021570428ef4b3f2ecbd695a6057cfba385f
|
2024-12-03 00:37:15
|
Tobias Arends
|
fix: duplicate afterRead collection hook call on loginOperation (#9664)
| false
|
duplicate afterRead collection hook call on loginOperation (#9664)
|
fix
|
diff --git a/packages/payload/src/auth/operations/login.ts b/packages/payload/src/auth/operations/login.ts
index bbc2c28a9f3..97d2ae986b4 100644
--- a/packages/payload/src/auth/operations/login.ts
+++ b/packages/payload/src/auth/operations/login.ts
@@ -292,22 +292,6 @@ export const loginOperation = async <TSlug extends CollectionSlug>(
})) || user
}, Promise.resolve())
- // /////////////////////////////////////
- // afterRead - Collection
- // /////////////////////////////////////
-
- await collectionConfig.hooks.afterRead.reduce(async (priorHook, hook) => {
- await priorHook
-
- user =
- (await hook({
- collection: args.collection?.config,
- context: req.context,
- doc: user,
- req,
- })) || user
- }, Promise.resolve())
-
let result: { user: DataFromCollectionSlug<TSlug> } & Result = {
exp,
token,
|
403a86feca36fe7eab49ff01c1bca9dd7f1eb859
|
2024-03-29 23:55:00
|
Elliot DeNolf
|
chore(create-payload-app): configure db in init next flow
| false
|
configure db in init next flow
|
chore
|
diff --git a/packages/create-payload-app/src/lib/configure-payload-config.ts b/packages/create-payload-app/src/lib/configure-payload-config.ts
index f24eda14b7f..91212f0f88f 100644
--- a/packages/create-payload-app/src/lib/configure-payload-config.ts
+++ b/packages/create-payload-app/src/lib/configure-payload-config.ts
@@ -9,19 +9,27 @@ import { dbReplacements } from './packages.js'
/** Update payload config with necessary imports and adapters */
export async function configurePayloadConfig(args: {
dbDetails: DbDetails | undefined
- projectDir: string
+ projectDirOrConfigPath: { payloadConfigPath: string } | { projectDir: string }
}): Promise<void> {
if (!args.dbDetails) {
return
}
try {
- const payloadConfigPath = (
- await globby('**/payload.config.ts', { absolute: true, cwd: args.projectDir })
- )?.[0]
+ let payloadConfigPath: string | undefined
+ if (!('payloadConfigPath' in args.projectDirOrConfigPath)) {
+ payloadConfigPath = (
+ await globby('**/payload.config.ts', {
+ absolute: true,
+ cwd: args.projectDirOrConfigPath.projectDir,
+ })
+ )?.[0]
+ } else {
+ payloadConfigPath = args.projectDirOrConfigPath.payloadConfigPath
+ }
if (!payloadConfigPath) {
- warning('Unable to update payload.config.ts with plugins')
+ warning('Unable to update payload.config.ts with plugins. Could not find payload.config.ts.')
return
}
@@ -59,6 +67,8 @@ export async function configurePayloadConfig(args: {
fse.writeFileSync(payloadConfigPath, configLines.join('\n'))
} catch (err: unknown) {
- warning('Unable to update payload.config.ts with plugins')
+ warning(
+ `Unable to update payload.config.ts with plugins: ${err instanceof Error ? err.message : ''}`,
+ )
}
}
diff --git a/packages/create-payload-app/src/lib/create-project.ts b/packages/create-payload-app/src/lib/create-project.ts
index cf2675c61ab..5babdc9cfda 100644
--- a/packages/create-payload-app/src/lib/create-project.ts
+++ b/packages/create-payload-app/src/lib/create-project.ts
@@ -90,7 +90,7 @@ export async function createProject(args: {
const spinner = ora('Checking latest Payload version...').start()
await updatePackageJSON({ projectDir, projectName })
- await configurePayloadConfig({ dbDetails, projectDir })
+ await configurePayloadConfig({ dbDetails, projectDirOrConfigPath: { projectDir } })
// Remove yarn.lock file. This is only desired in Payload Cloud.
const lockPath = path.resolve(projectDir, 'yarn.lock')
@@ -125,6 +125,6 @@ export async function updatePackageJSON(args: {
packageObj.name = projectName
await fse.writeJson(packageJsonPath, packageObj, { spaces: 2 })
} catch (err: unknown) {
- warning('Unable to update name in package.json')
+ warning(`Unable to update name in package.json. ${err instanceof Error ? err.message : ''}`)
}
}
diff --git a/packages/create-payload-app/src/lib/init-next.ts b/packages/create-payload-app/src/lib/init-next.ts
index e582d0813c4..7bf310c01d0 100644
--- a/packages/create-payload-app/src/lib/init-next.ts
+++ b/packages/create-payload-app/src/lib/init-next.ts
@@ -24,16 +24,23 @@ import { moveMessage } from '../utils/messages.js'
import { wrapNextConfig } from './wrap-next-config.js'
type InitNextArgs = Pick<CliArgs, '--debug'> & {
+ nextConfigPath: string
packageManager: PackageManager
projectDir: string
useDistFiles?: boolean
}
-type InitNextResult = { nextAppDir?: string; reason?: string; success: boolean }
+type InitNextResult =
+ | {
+ nextAppDir: string
+ payloadConfigPath: string
+ success: true
+ }
+ | { reason: string; success: false }
export async function initNext(args: InitNextArgs): Promise<InitNextResult> {
const { packageManager, projectDir } = args
- // Get app directory
+ // Get app directory. Could be top-level or src/app
const nextAppDir = (
await globby(['**/app'], {
absolute: true,
@@ -49,27 +56,28 @@ export async function initNext(args: InitNextArgs): Promise<InitNextResult> {
// Check for top-level layout.tsx
const layoutPath = path.resolve(nextAppDir, 'layout.tsx')
if (fs.existsSync(layoutPath)) {
- // Output directions for user to move all files from app to top-level directory named `(name)`
+ // Output directions for user to move all files from app to top-level directory named `(app)`
log(moveMessage({ nextAppDir, projectDir }))
return { reason: 'Found existing layout.tsx in app directory', success: false }
}
- const templateResult = await installAndConfigurePayload({
+ const configurationResult = installAndConfigurePayload({
...args,
nextAppDir,
useDistFiles: true, // Requires running 'pnpm pack-template-files' in cpa
})
- if (!templateResult.success) return templateResult
+
+ if (!configurationResult.success) return configurationResult
const { success: installSuccess } = await installDeps(projectDir, packageManager)
if (!installSuccess) {
- return { ...templateResult, reason: 'Failed to install dependencies', success: false }
+ return { ...configurationResult, reason: 'Failed to install dependencies', success: false }
}
// Add `@payload-config` to tsconfig.json `paths`
await addPayloadConfigToTsConfig(projectDir)
- return templateResult
+ return configurationResult
}
async function addPayloadConfigToTsConfig(projectDir: string) {
@@ -93,10 +101,8 @@ async function addPayloadConfigToTsConfig(projectDir: string) {
}
}
-async function installAndConfigurePayload(
- args: InitNextArgs & { nextAppDir: string },
-): Promise<InitNextResult> {
- const { '--debug': debug, nextAppDir, projectDir, useDistFiles } = args
+function installAndConfigurePayload(args: InitNextArgs & { nextAppDir: string }): InitNextResult {
+ const { '--debug': debug, nextAppDir, nextConfigPath, projectDir, useDistFiles } = args
info('Initializing Payload app in Next.js project', 1)
@@ -108,32 +114,12 @@ async function installAndConfigurePayload(
return { reason: `Could not find specified project directory at ${projectDir}`, success: false }
}
- // Next.js configs can be next.config.js, next.config.mjs, etc.
- const foundConfig = (await globby('next.config.*js', { absolute: true, cwd: projectDir }))?.[0]
-
- if (!foundConfig) {
- throw new Error(`No next.config.js found at ${projectDir}`)
- }
-
- const nextConfigPath = path.resolve(projectDir, foundConfig)
- if (!fs.existsSync(nextConfigPath)) {
- return {
- reason: `No next.config.js found at ${nextConfigPath}. Ensure you are in a Next.js project directory.`,
- success: false,
- }
- } else {
- if (debug) logDebug(`Found Next config at ${nextConfigPath}`)
- }
-
const templateFilesPath =
- // dirname.endsWith('dist') || useDistFiles
- // ? path.resolve(dirname, '../..', 'dist/template')
- // : path.resolve(dirname, '../../../../templates/blank-3.0')
dirname.endsWith('dist') || useDistFiles
? path.resolve(dirname, '../..', 'dist/template')
: path.resolve(dirname, '../../../../templates/blank-3.0')
- if (debug) logDebug(`Using template files from: ${templateFilesPath}`)
+ logDebug(`Using template files from: ${templateFilesPath}`)
if (!fs.existsSync(templateFilesPath)) {
return {
@@ -141,13 +127,7 @@ async function installAndConfigurePayload(
success: false,
}
} else {
- if (debug) logDebug('Found template source files')
- }
-
- if (!fs.existsSync(nextAppDir)) {
- return { reason: `Could not find user app directory inside ${projectDir}`, success: false }
- } else {
- logDebug(`Found user app directory: ${nextAppDir}`)
+ logDebug('Found template source files')
}
logDebug(`Copying template files from ${templateFilesPath} to ${nextAppDir}`)
@@ -162,7 +142,11 @@ async function installAndConfigurePayload(
wrapNextConfig({ nextConfigPath })
success('Successfully initialized.')
- return { nextAppDir, success: true }
+ return {
+ nextAppDir,
+ payloadConfigPath: path.resolve(nextAppDir, '../payload.config.ts'),
+ success: true,
+ }
}
async function installDeps(projectDir: string, packageManager: PackageManager) {
diff --git a/packages/create-payload-app/src/main.ts b/packages/create-payload-app/src/main.ts
index 6984211fdeb..e550edaa0d4 100644
--- a/packages/create-payload-app/src/main.ts
+++ b/packages/create-payload-app/src/main.ts
@@ -6,6 +6,7 @@ import path from 'path'
import type { CliArgs, PackageManager } from './types.js'
+import { configurePayloadConfig } from './lib/configure-payload-config.js'
import { createProject } from './lib/create-project.js'
import { generateSecret } from './lib/generate-secret.js'
import { initNext } from './lib/init-next.js'
@@ -14,8 +15,13 @@ import { parseTemplate } from './lib/parse-template.js'
import { selectDb } from './lib/select-db.js'
import { getValidTemplates, validateTemplate } from './lib/templates.js'
import { writeEnvFile } from './lib/write-env-file.js'
-import { debug, error, log, success } from './utils/log.js'
-import { helpMessage, successMessage, welcomeMessage } from './utils/messages.js'
+import { error, log, success } from './utils/log.js'
+import {
+ helpMessage,
+ successMessage,
+ successfulNextInit,
+ welcomeMessage,
+} from './utils/messages.js'
export class Main {
args: CliArgs
@@ -59,7 +65,9 @@ export class Main {
}
async init(): Promise<void> {
- const initContext = {
+ const initContext: {
+ nextConfigPath: string | undefined
+ } = {
nextConfigPath: undefined,
}
@@ -71,10 +79,10 @@ export class Main {
log(welcomeMessage)
// Detect if inside Next.js project
- const foundConfig = (
+ const nextConfigPath = (
await globby('next.config.*js', { absolute: true, cwd: process.cwd() })
)?.[0]
- initContext.nextConfigPath = foundConfig
+ initContext.nextConfigPath = nextConfigPath
success('Next.js app detected.')
@@ -85,22 +93,38 @@ export class Main {
}
const projectName = await parseProjectName(this.args)
- const projectDir = foundConfig
- ? path.dirname(foundConfig)
+ const projectDir = nextConfigPath
+ ? path.dirname(nextConfigPath)
: path.resolve(process.cwd(), slugify(projectName))
const packageManager = await getPackageManager(this.args, projectDir)
- debug(`Using package manager: ${packageManager}`)
- if (foundConfig) {
- const result = await initNext({ ...this.args, packageManager, projectDir })
- if (!result.success) {
- error(result.reason || 'Failed to initialize Payload app in Next.js project')
+ if (nextConfigPath) {
+ const result = await initNext({
+ ...this.args,
+ nextConfigPath,
+ packageManager,
+ projectDir,
+ })
+ if (result.success === false) {
+ error(result.reason)
+ process.exit(1)
} else {
success('Payload app successfully initialized in Next.js project')
}
- process.exit(result.success ? 0 : 1)
+
+ const dbDetails = await selectDb(this.args, projectName)
+ await configurePayloadConfig({
+ dbDetails,
+ projectDirOrConfigPath: {
+ payloadConfigPath: result.payloadConfigPath,
+ },
+ })
+
// TODO: This should continue the normal prompt flow
+ success('Payload project successfully created')
+ log(successfulNextInit())
+ return
}
const templateArg = this.args['--template']
diff --git a/packages/create-payload-app/src/utils/messages.ts b/packages/create-payload-app/src/utils/messages.ts
index c367dcf0d4d..e72d307d46a 100644
--- a/packages/create-payload-app/src/utils/messages.ts
+++ b/packages/create-payload-app/src/utils/messages.ts
@@ -68,6 +68,20 @@ export function successMessage(projectDir: string, packageManager: string): stri
`
}
+export function successfulNextInit(): string {
+ return `
+ ${header('Successful Payload Installation!')}
+
+ ${header('Documentation:')}
+
+ - ${createTerminalLink(
+ 'Getting Started',
+ 'https://payloadcms.com/docs/getting-started/what-is-payload',
+ )}
+ - ${createTerminalLink('Configuration', 'https://payloadcms.com/docs/configuration/overview')}
+`
+}
+
export function moveMessage(args: { nextAppDir: string; projectDir: string }): string {
return `
${header('Next Steps:')}
@@ -77,7 +91,7 @@ export function moveMessage(args: { nextAppDir: string; projectDir: string }): s
${chalk.bold('To continue:')}
- Move all files from ${args.nextAppDir} to a top-level directory named ${chalk.bold(
- '(name)',
+ '(app)',
)} or similar.
Once moved, rerun the create-payload-app command again.
|
0ce5d774cb615f11f9dd29c1b209e81f8819cea8
|
2022-02-12 19:48:05
|
Elliot DeNolf
|
fix: use proper type for collection hook
| false
|
use proper type for collection hook
|
fix
|
diff --git a/src/templates/ts-blog/src/collections/Users.ts b/src/templates/ts-blog/src/collections/Users.ts
index 2ce8c2b4a6c..ab110286d77 100644
--- a/src/templates/ts-blog/src/collections/Users.ts
+++ b/src/templates/ts-blog/src/collections/Users.ts
@@ -1,7 +1,6 @@
-import { BeforeReadHook } from 'payload/dist/collections/config/types';
-import { CollectionConfig } from 'payload/types';
+import { CollectionBeforeReadHook, CollectionConfig } from 'payload/types';
-const onlyNameIfPublic: BeforeReadHook = ({ req: { user }, doc }) => {
+const onlyNameIfPublic: CollectionBeforeReadHook = ({ req: { user }, doc }) => {
// Only return name if not logged in
if (!user) {
return { name: doc.name };
|
147b50e719097e0ea08215b23a594fb738162c6b
|
2024-05-18 01:14:12
|
Alessio Gravili
|
fix: page metadata generation not working in turbopack (#6417)
| false
|
page metadata generation not working in turbopack (#6417)
|
fix
|
diff --git a/packages/next/src/utilities/meta.ts b/packages/next/src/utilities/meta.ts
index b917e1e2457..ca362eee5ef 100644
--- a/packages/next/src/utilities/meta.ts
+++ b/packages/next/src/utilities/meta.ts
@@ -30,14 +30,14 @@ export const meta = async (args: MetaConfig & { serverURL: string }): Promise<an
type: 'image/png',
rel: 'icon',
sizes: '32x32',
- url: payloadFaviconDark?.src,
+ url: typeof payloadFaviconDark === 'object' ? payloadFaviconDark?.src : payloadFaviconDark,
},
{
type: 'image/png',
media: '(prefers-color-scheme: dark)',
rel: 'icon',
sizes: '32x32',
- url: payloadFaviconLight?.src,
+ url: typeof payloadFaviconLight === 'object' ? payloadFaviconLight?.src : payloadFaviconLight,
},
]
@@ -79,7 +79,7 @@ export const meta = async (args: MetaConfig & { serverURL: string }): Promise<an
{
alt: ogTitle,
height: 480,
- url: staticOGImage.src,
+ url: typeof staticOGImage === 'object' ? staticOGImage?.src : staticOGImage,
width: 640,
},
],
|
a4e87956665b394d91023bf4e6100334564bae13
|
2024-04-26 22:52:12
|
Jacob Fletcher
|
fix(deps): dedupes react (#6064)
| false
|
dedupes react (#6064)
|
fix
|
diff --git a/package.json b/package.json
index 13c74d7070b..dbcf4837a35 100644
--- a/package.json
+++ b/package.json
@@ -145,8 +145,8 @@
"prettier": "^3.0.3",
"prompts": "2.4.2",
"qs": "6.11.2",
- "react": "^18.2.0",
- "react-dom": "^18.2.0",
+ "react": "^18.0.0",
+ "react-dom": "^18.0.0",
"read-stream": "^2.1.1",
"rimraf": "3.0.2",
"semver": "^7.5.4",
diff --git a/packages/plugin-form-builder/package.json b/packages/plugin-form-builder/package.json
index 0dab643fa09..6a7f3f2600d 100644
--- a/packages/plugin-form-builder/package.json
+++ b/packages/plugin-form-builder/package.json
@@ -57,7 +57,6 @@
"cross-env": "^7.0.3",
"nodemon": "3.0.3",
"payload": "workspace:*",
- "react": "^18.0.0",
"ts-node": "10.9.1"
},
"peerDependencies": {
diff --git a/packages/plugin-redirects/package.json b/packages/plugin-redirects/package.json
index 5304fa7d3f5..425e318c471 100644
--- a/packages/plugin-redirects/package.json
+++ b/packages/plugin-redirects/package.json
@@ -45,8 +45,7 @@
"@payloadcms/eslint-config": "workspace:*",
"@types/express": "^4.17.9",
"@types/react": "18.2.74",
- "payload": "workspace:*",
- "react": "^18.0.0"
+ "payload": "workspace:*"
},
"peerDependencies": {
"payload": "workspace:*"
diff --git a/packages/plugin-search/package.json b/packages/plugin-search/package.json
index 1536360de16..02597eaa113 100644
--- a/packages/plugin-search/package.json
+++ b/packages/plugin-search/package.json
@@ -48,8 +48,7 @@
"@payloadcms/eslint-config": "workspace:*",
"@types/express": "^4.17.9",
"@types/react": "18.2.74",
- "payload": "workspace:*",
- "react": "^18.0.0"
+ "payload": "workspace:*"
},
"peerDependencies": {
"payload": "workspace:*",
diff --git a/packages/plugin-seo/package.json b/packages/plugin-seo/package.json
index 8ff806807ae..a01c7b02bd8 100644
--- a/packages/plugin-seo/package.json
+++ b/packages/plugin-seo/package.json
@@ -49,14 +49,13 @@
"@payloadcms/translations": "workspace:*",
"@payloadcms/ui": "workspace:*",
"@types/react": "18.2.74",
- "payload": "workspace:*",
- "react": "^18.0.0"
+ "payload": "workspace:*"
},
"peerDependencies": {
"@payloadcms/translations": "workspace:*",
"@payloadcms/ui": "workspace:*",
"payload": "workspace:*",
- "react": "^18.0.0"
+ "react": "^16.8.0 || ^17.0.0 || ^18.0.0"
},
"publishConfig": {
"exports": {
diff --git a/packages/plugin-stripe/package.json b/packages/plugin-stripe/package.json
index 0ce3ad211f3..5e22c7bf032 100644
--- a/packages/plugin-stripe/package.json
+++ b/packages/plugin-stripe/package.json
@@ -57,11 +57,11 @@
"@types/uuid": "^9.0.0",
"payload": "workspace:*",
"prettier": "^2.7.1",
- "react": "^18.0.0",
"webpack": "^5.78.0"
},
"peerDependencies": {
- "payload": "workspace:*"
+ "payload": "workspace:*",
+ "react": "^16.8.0 || ^17.0.0 || ^18.0.0"
},
"publishConfig": {
"exports": {
diff --git a/packages/richtext-lexical/package.json b/packages/richtext-lexical/package.json
index 3d72f64b228..90f87dbd19c 100644
--- a/packages/richtext-lexical/package.json
+++ b/packages/richtext-lexical/package.json
@@ -56,8 +56,6 @@
"json-schema": "^0.4.0",
"lexical": "0.13.1",
"lodash": "4.17.21",
- "react": "18.2.0",
- "react-dom": "18.2.0",
"react-error-boundary": "4.0.12",
"ts-essentials": "7.0.3"
},
@@ -76,7 +74,9 @@
"@payloadcms/next": "workspace:*",
"@payloadcms/translations": "workspace:*",
"@payloadcms/ui": "workspace:*",
- "payload": "workspace:*"
+ "payload": "workspace:*",
+ "react": "^16.8.0 || ^17.0.0 || ^18.0.0",
+ "react-dom": "^16.8.0 || ^17.0.0 || ^18.0.0"
},
"engines": {
"node": ">=18.20.2"
diff --git a/packages/richtext-slate/package.json b/packages/richtext-slate/package.json
index 77f11f4c98e..590d6c3dd52 100644
--- a/packages/richtext-slate/package.json
+++ b/packages/richtext-slate/package.json
@@ -34,7 +34,6 @@
"dependencies": {
"@faceless-ui/modal": "2.0.2",
"is-hotkey": "0.2.0",
- "react": "18.2.0",
"slate": "0.91.4",
"slate-history": "0.86.0",
"slate-hyperscript": "0.81.3",
@@ -50,7 +49,8 @@
"peerDependencies": {
"@payloadcms/translations": "workspace:*",
"@payloadcms/ui": "workspace:*",
- "payload": "workspace:*"
+ "payload": "workspace:*",
+ "react": "^16.8.0 || ^17.0.0 || ^18.0.0"
},
"engines": {
"node": ">=18.20.2"
diff --git a/packages/ui/package.json b/packages/ui/package.json
index 881576e564d..1ca5e4c5b71 100644
--- a/packages/ui/package.json
+++ b/packages/ui/package.json
@@ -139,7 +139,8 @@
"peerDependencies": {
"next": "^14.3.0-canary.7",
"payload": "workspace:*",
- "react": "^18.0.0"
+ "react": "^18.0.0",
+ "react-dom": "^18.0.0"
},
"engines": {
"node": ">=18.20.2"
diff --git a/pnpm-lock.yaml b/pnpm-lock.yaml
index 79f7a47121a..bf94333164b 100644
--- a/pnpm-lock.yaml
+++ b/pnpm-lock.yaml
@@ -11,8 +11,8 @@ overrides:
drizzle-orm: 0.29.4
graphql: ^16.8.1
mongodb-memory-server: ^9.0
- react: ^18.2.0
- react-dom: ^18.2.0
+ react: ^18.0.0
+ react-dom: ^18.0.0
typescript: 5.4.4
patchedDependencies:
@@ -232,10 +232,10 @@ importers:
specifier: 6.11.2
version: 6.11.2
react:
- specifier: ^18.2.0
+ specifier: ^18.0.0
version: 18.2.0
react-dom:
- specifier: ^18.2.0
+ specifier: ^18.0.0
version: 18.2.0([email protected])
read-stream:
specifier: ^2.1.1
@@ -582,7 +582,7 @@ importers:
specifier: workspace:^0.x
version: link:../live-preview
react:
- specifier: ^18.2.0
+ specifier: ^18.0.0
version: 18.2.0
devDependencies:
'@payloadcms/eslint-config':
@@ -1034,6 +1034,9 @@ importers:
escape-html:
specifier: ^1.0.3
version: 1.0.3
+ react:
+ specifier: ^18.0.0
+ version: 18.2.0
devDependencies:
'@payloadcms/eslint-config':
specifier: workspace:*
@@ -1059,9 +1062,6 @@ importers:
payload:
specifier: workspace:*
version: link:../payload
- react:
- specifier: ^18.2.0
- version: 18.2.0
ts-node:
specifier: 10.9.1
version: 10.9.1(@swc/[email protected])(@types/[email protected])([email protected])
@@ -1089,9 +1089,6 @@ importers:
payload:
specifier: workspace:*
version: link:../payload
- react:
- specifier: ^18.2.0
- version: 18.2.0
packages/plugin-search:
dependencies:
@@ -1101,6 +1098,9 @@ importers:
deepmerge:
specifier: 4.3.1
version: 4.3.1
+ react:
+ specifier: ^18.0.0
+ version: 18.2.0
devDependencies:
'@payloadcms/eslint-config':
specifier: workspace:*
@@ -1114,9 +1114,6 @@ importers:
payload:
specifier: workspace:*
version: link:../payload
- react:
- specifier: ^18.2.0
- version: 18.2.0
packages/plugin-sentry:
dependencies:
@@ -1130,7 +1127,7 @@ importers:
specifier: ^4.18.2
version: 4.19.2
react:
- specifier: ^18.2.0
+ specifier: ^18.0.0
version: 18.2.0
devDependencies:
'@payloadcms/eslint-config':
@@ -1174,6 +1171,10 @@ importers:
version: 5.91.0(@swc/[email protected])([email protected])([email protected])
packages/plugin-seo:
+ dependencies:
+ react:
+ specifier: ^18.0.0
+ version: 18.2.0
devDependencies:
'@payloadcms/eslint-config':
specifier: workspace:*
@@ -1193,9 +1194,6 @@ importers:
payload:
specifier: workspace:*
version: link:../payload
- react:
- specifier: ^18.2.0
- version: 18.2.0
packages/plugin-stripe:
dependencies:
@@ -1205,6 +1203,9 @@ importers:
lodash.get:
specifier: ^4.4.2
version: 4.4.2
+ react:
+ specifier: ^18.0.0
+ version: 18.2.0
stripe:
specifier: ^10.2.0
version: 10.17.0
@@ -1233,9 +1234,6 @@ importers:
prettier:
specifier: ^2.7.1
version: 2.8.8
- react:
- specifier: ^18.2.0
- version: 18.2.0
webpack:
specifier: ^5.78.0
version: 5.91.0(@swc/[email protected])([email protected])([email protected])
@@ -1291,10 +1289,10 @@ importers:
specifier: 4.17.21
version: 4.17.21
react:
- specifier: ^18.2.0
+ specifier: ^18.0.0
version: 18.2.0
react-dom:
- specifier: ^18.2.0
+ specifier: ^18.0.0
version: 18.2.0([email protected])
react-error-boundary:
specifier: 4.0.12
@@ -1343,7 +1341,7 @@ importers:
specifier: 0.2.0
version: 0.2.0
react:
- specifier: ^18.2.0
+ specifier: ^18.0.0
version: 18.2.0
slate:
specifier: 0.91.4
@@ -1507,7 +1505,7 @@ importers:
specifier: 6.11.2
version: 6.11.2
react:
- specifier: ^18.2.0
+ specifier: ^18.0.0
version: 18.2.0
react-animate-height:
specifier: 2.1.2
@@ -1515,6 +1513,9 @@ importers:
react-datepicker:
specifier: 6.2.0
version: 6.2.0([email protected])([email protected])
+ react-dom:
+ specifier: ^18.0.0
+ version: 18.2.0([email protected])
react-image-crop:
specifier: 10.1.8
version: 10.1.8([email protected])
@@ -3270,7 +3271,7 @@ packages:
/@dnd-kit/[email protected]([email protected]):
resolution: {integrity: sha512-ea7IkhKvlJUv9iSHJOnxinBcoOI3ppGnnL+VDJ75O45Nss6HtZd8IdN8touXPDtASfeI2T2LImb8VOZcL47wjQ==}
peerDependencies:
- react: ^18.2.0
+ react: ^18.0.0
dependencies:
react: 18.2.0
tslib: 2.6.2
@@ -3279,8 +3280,8 @@ packages:
/@dnd-kit/[email protected]([email protected])([email protected]):
resolution: {integrity: sha512-lYaoP8yHTQSLlZe6Rr9qogouGUz9oRUj4AHhDQGQzq/hqaJRpFo65X+JKsdHf8oUFBzx5A+SJPUvxAwTF2OabA==}
peerDependencies:
- react: ^18.2.0
- react-dom: ^18.2.0
+ react: ^18.0.0
+ react-dom: ^18.0.0
dependencies:
'@dnd-kit/accessibility': 3.1.0([email protected])
'@dnd-kit/utilities': 3.2.2([email protected])
@@ -3293,7 +3294,7 @@ packages:
resolution: {integrity: sha512-wDkBHHf9iCi1veM834Gbk1429bd4lHX4RpAwT0y2cHLf246GAvU2sVw/oxWNpPKQNQRQaeGXhAVgrOl1IT+iyA==}
peerDependencies:
'@dnd-kit/core': ^6.0.7
- react: ^18.2.0
+ react: ^18.0.0
dependencies:
'@dnd-kit/core': 6.0.8([email protected])([email protected])
'@dnd-kit/utilities': 3.2.2([email protected])
@@ -3304,7 +3305,7 @@ packages:
/@dnd-kit/[email protected]([email protected]):
resolution: {integrity: sha512-+MKAJEOfaBe5SmV6t34p80MMKhjvUz0vRrvVJbPT0WElzaOJ/1xs+D+KDv+tD/NE5ujfrChEcshd4fLn0wpiqg==}
peerDependencies:
- react: ^18.2.0
+ react: ^18.0.0
dependencies:
react: 18.2.0
tslib: 2.6.2
@@ -3363,7 +3364,7 @@ packages:
resolution: {integrity: sha512-t8AjMlF0gHpvvxk5mAtCqR4vmxiGHCeJBaQO6gncUSdklELOgtwjerNY2yuJNfwnc6vi16U/+uMF+afIawJ9iw==}
peerDependencies:
'@types/react': '*'
- react: ^18.2.0
+ react: ^18.0.0
peerDependenciesMeta:
'@types/react':
optional: true
@@ -3401,7 +3402,7 @@ packages:
/@emotion/[email protected]([email protected]):
resolution: {integrity: sha512-jT/qyKZ9rzLErtrjGgdkMBn2OP8wl0G3sQlBb3YPryvKHsjvINUhVaPFfP+fpBcOkmrVOVEEHQFJ7nbj2TH2gw==}
peerDependencies:
- react: ^18.2.0
+ react: ^18.0.0
dependencies:
react: 18.2.0
dev: false
@@ -3822,8 +3823,8 @@ packages:
/@faceless-ui/[email protected]([email protected])([email protected]):
resolution: {integrity: sha512-CtwUn+hHEaoYUjREzQKGRbEp55VzUx7sC+hxIxmCPwg7Yd5KXkQzSfoUfRAHqT/1MFfE1B2QCHVVbhtSnFL9BA==}
peerDependencies:
- react: ^18.2.0
- react-dom: ^18.2.0
+ react: ^18.0.0
+ react-dom: ^18.0.0
dependencies:
body-scroll-lock: 3.1.5
focus-trap: 6.9.4
@@ -3836,8 +3837,8 @@ packages:
/@faceless-ui/[email protected]([email protected])([email protected]):
resolution: {integrity: sha512-X+doJMzQqyVGpwV/YgXUAalNWepP2W8ThgZspKZLFG43zTYLVTU17BYCjjY+ggKuA3b0W3JyXZ2M8f247AdmHw==}
peerDependencies:
- react: ^18.2.0
- react-dom: ^18.2.0
+ react: ^18.0.0
+ react-dom: ^18.0.0
dependencies:
react: 18.2.0
react-dom: 18.2.0([email protected])
@@ -3846,8 +3847,8 @@ packages:
/@faceless-ui/[email protected]([email protected])([email protected]):
resolution: {integrity: sha512-IvZM6mLWFRin904180115Y6BgsvAN9M5uCMJEHhiQgTgzDMiYVtUww7GlWRsvemubMRF6c9Q+j79qW7uPPuMBg==}
peerDependencies:
- react: ^18.2.0
- react-dom: ^18.2.0
+ react: ^18.0.0
+ react-dom: ^18.0.0
dependencies:
react: 18.2.0
react-dom: 18.2.0([email protected])
@@ -3873,8 +3874,8 @@ packages:
/@floating-ui/[email protected]([email protected])([email protected]):
resolution: {integrity: sha512-HOdqOt3R3OGeTKidaLvJKcgg75S6tibQ3Tif4eyd91QnIJWr0NLvoXFpJA/j8HqkFSL68GDca9AuyWEHlhyClw==}
peerDependencies:
- react: ^18.2.0
- react-dom: ^18.2.0
+ react: ^18.0.0
+ react-dom: ^18.0.0
dependencies:
'@floating-ui/dom': 1.6.3
react: 18.2.0
@@ -3884,8 +3885,8 @@ packages:
/@floating-ui/[email protected]([email protected])([email protected]):
resolution: {integrity: sha512-fo01Cu+jzLDVG/AYAV2OtV6flhXvxP5rDaR1Fk8WWhtsFqwk478Dr2HGtB8s0HqQCsFWVbdHYpPjMiQiR/A9VA==}
peerDependencies:
- react: ^18.2.0
- react-dom: ^18.2.0
+ react: ^18.0.0
+ react-dom: ^18.0.0
dependencies:
'@floating-ui/react-dom': 2.0.8([email protected])([email protected])
'@floating-ui/utils': 0.2.1
@@ -4404,8 +4405,8 @@ packages:
resolution: {integrity: sha512-Sy6EL230KAb0RZsZf1dZrRrc3+rvCDQWltcd8C/cqBUYlxsLYCW9s4f3RB2werngD/PtLYbBB48SYXNkIALITA==}
peerDependencies:
lexical: 0.13.1
- react: ^18.2.0
- react-dom: ^18.2.0
+ react: ^18.0.0
+ react-dom: ^18.0.0
dependencies:
'@lexical/clipboard': 0.13.1([email protected])
'@lexical/code': 0.13.1([email protected])
@@ -4614,8 +4615,8 @@ packages:
resolution: {integrity: sha512-NNDFdP+2HojtNhCkRfE6/D6ro6pBNihaOzMbGK84lNWzRu+CfBjwzGt4jmnqimLuqp5yE5viHS2vi+QOAnD5FQ==}
peerDependencies:
monaco-editor: '>= 0.25.0 < 1'
- react: ^18.2.0
- react-dom: ^18.2.0
+ react: ^18.0.0
+ react-dom: ^18.0.0
dependencies:
'@monaco-editor/loader': 1.4.0([email protected])
monaco-editor: 0.38.0
@@ -4941,7 +4942,7 @@ packages:
resolution: {integrity: sha512-Xf6mc1+/ncCk6ZFIj0oT4or2o0UxqqJZk09U/21RYNvVCn7+DNyCdJZ/F5wXWgPqVE67PrjydLLYaQWiqLibiA==}
engines: {node: '>=8'}
peerDependencies:
- react: ^18.2.0
+ react: ^18.0.0
dependencies:
'@sentry/browser': 7.112.2
'@sentry/core': 7.112.2
@@ -5665,8 +5666,8 @@ packages:
resolution: {integrity: sha512-sGdjws32ai5TLerhvzThYFbpnF9XtL65Cjf+gB0Dhr29BGqK+mAeN7SURSdu+eqgET4ANcWoC7FQpkaiGvBr+A==}
engines: {node: '>=14'}
peerDependencies:
- react: ^18.2.0
- react-dom: ^18.2.0
+ react: ^18.0.0
+ react-dom: ^18.0.0
dependencies:
'@babel/runtime': 7.24.4
'@testing-library/dom': 9.3.4
@@ -8824,7 +8825,7 @@ packages:
mysql2: '>=2'
pg: '>=8'
postgres: '>=3'
- react: ^18.2.0
+ react: ^18.0.0
sql.js: '>=1'
sqlite3: '>=5'
peerDependenciesMeta:
@@ -12489,8 +12490,8 @@ packages:
peerDependencies:
'@opentelemetry/api': ^1.1.0
'@playwright/test': ^1.41.2
- react: ^18.2.0
- react-dom: ^18.2.0
+ react: ^18.0.0
+ react-dom: ^18.0.0
sass: ^1.3.0
peerDependenciesMeta:
'@opentelemetry/api':
@@ -14171,8 +14172,8 @@ packages:
resolution: {integrity: sha512-A9jfz/4CTdsIsE7WCQtO9UkOpMBcBRh8LxyHl2eoZz1ki02jpyUL5xt58gabd0CyeLQ8fRyQ+s2lyV2Ufu8Owg==}
engines: {node: '>= 6.0.0'}
peerDependencies:
- react: ^18.2.0
- react-dom: ^18.2.0
+ react: ^18.0.0
+ react-dom: ^18.0.0
dependencies:
classnames: 2.5.1
prop-types: 15.8.1
@@ -14183,8 +14184,8 @@ packages:
/[email protected]([email protected])([email protected]):
resolution: {integrity: sha512-GzEOiE6yLfp9P6XNkOhXuYtZHzoAx3tirbi7/dj2WHlGM+NGE1lefceqGR0ZrYsYaqsNJhIJFTgwUpzVzA+mjw==}
peerDependencies:
- react: ^18.2.0
- react-dom: ^18.2.0
+ react: ^18.0.0
+ react-dom: ^18.0.0
dependencies:
'@floating-ui/react': 0.26.11([email protected])([email protected])
classnames: 2.5.1
@@ -14199,8 +14200,8 @@ packages:
resolution: {integrity: sha512-GrzyqQnjIMoej+jMjWvtVSsQqhXgzEGqpXlJ2dAGfOk7Q26qcm8Gu6xtI430PBUyZsERe8BJSQf+7VZZo8IBNQ==}
engines: {node: '>= 8'}
peerDependencies:
- react: ^18.2.0
- react-dom: ^18.2.0
+ react: ^18.0.0
+ react-dom: ^18.0.0
dependencies:
'@emotion/css': 11.11.2
classnames: 2.5.1
@@ -14214,7 +14215,7 @@ packages:
/[email protected]([email protected]):
resolution: {integrity: sha512-6IMTriUmvsjHUjNtEDudZfuDQUoWXVxKHhlEGSk81n4YFS+r/Kl99wXiwlVXtPBtJenozv2P+hxDsw9eA7Xo6g==}
peerDependencies:
- react: ^18.2.0
+ react: ^18.0.0
dependencies:
loose-envify: 1.4.0
react: 18.2.0
@@ -14224,7 +14225,7 @@ packages:
resolution: {integrity: sha512-uM9uPzZJTF6wRQORmSrvOIgt4lJ9MC1sNgEOj2XGsDTRE4kmpWxg7ENK9EWNKJRMAOY9z0MuF4yIfl6gp4sotA==}
engines: {node: '>=10', npm: '>=6'}
peerDependencies:
- react: ^18.2.0
+ react: ^18.0.0
dependencies:
'@babel/runtime': 7.24.4
react: 18.2.0
@@ -14233,7 +14234,7 @@ packages:
/[email protected]([email protected]):
resolution: {integrity: sha512-kJdxdEYlb7CPC1A0SeUY38cHpjuu6UkvzKiAmqmOFL21VRfMhOcWxTCBgLVCO0VEMh9JhFNcVaXlV4/BTpiwOA==}
peerDependencies:
- react: ^18.2.0
+ react: ^18.0.0
dependencies:
'@babel/runtime': 7.24.4
react: 18.2.0
@@ -14246,7 +14247,7 @@ packages:
/[email protected]([email protected]):
resolution: {integrity: sha512-4rb8XtXNx7ZaOZarKKnckgz4xLMvds/YrU6mpJfGhGAsy2Mg4mIw1x+DCCGngVGq2soTBVVOxx2s/C6mTX9+pA==}
peerDependencies:
- react: ^18.2.0
+ react: ^18.0.0
dependencies:
react: 18.2.0
dev: false
@@ -14264,8 +14265,8 @@ packages:
/[email protected]([email protected])([email protected]):
resolution: {integrity: sha512-ty8So6tcUpIb+ZE+1HAhbLROvAIJYyJe/1vRrrcmW+jLsaM+/powDRqxzo6hSh9CuRZGSL1Q8mvcF5WRD93a0A==}
peerDependencies:
- react: ^18.2.0
- react-dom: ^18.2.0
+ react: ^18.0.0
+ react-dom: ^18.0.0
dependencies:
react: 18.2.0
react-dom: 18.2.0([email protected])
@@ -14275,8 +14276,8 @@ packages:
resolution: {integrity: sha512-e1hj8lL3uM+sgSR4Lxzn5h1GxBlpa4CQz0XLF8kx4MDrDRWY0Ena4c97PUeSX9i5W3UAfDP0z0FXCTQkoXUl3Q==}
peerDependencies:
'@popperjs/core': ^2.0.0
- react: ^18.2.0
- react-dom: ^18.2.0
+ react: ^18.0.0
+ react-dom: ^18.0.0
dependencies:
'@popperjs/core': 2.11.8
react: 18.2.0
@@ -14288,8 +14289,8 @@ packages:
/[email protected](@types/[email protected])([email protected])([email protected]):
resolution: {integrity: sha512-NhuE56X+p9QDFh4BgeygHFIvJJszO1i1KSkg/JPcIJrbovyRtI+GuOEa4XzFCEpZRAEoEI8u/cAHK+jG/PgUzQ==}
peerDependencies:
- react: ^18.2.0
- react-dom: ^18.2.0
+ react: ^18.0.0
+ react-dom: ^18.0.0
dependencies:
'@babel/runtime': 7.24.4
'@emotion/cache': 11.11.0
@@ -14309,8 +14310,8 @@ packages:
/[email protected]([email protected])([email protected]):
resolution: {integrity: sha512-etR3RgueY8pe88SA67wLm8rJmL1h+CLqUGHuAoNsseW35oTGJEri6eBTyaXnFKNQ80v/eO10hBYLgz036XRGgA==}
peerDependencies:
- react: ^18.2.0
- react-dom: ^18.2.0
+ react: ^18.0.0
+ react-dom: ^18.0.0
dependencies:
clsx: 2.1.0
react: 18.2.0
@@ -14320,8 +14321,8 @@ packages:
/[email protected]([email protected])([email protected]):
resolution: {integrity: sha512-Pg2Ju7NngAamarFvLwqrFomJ57u/Ay6i6zfLurt/qPynWkAkOthu6vxfqYpJCyNhHRhR4hu7+bySSeWWJu6PAg==}
peerDependencies:
- react: ^18.2.0
- react-dom: ^18.2.0
+ react: ^18.0.0
+ react-dom: ^18.0.0
dependencies:
clsx: 1.2.1
react: 18.2.0
@@ -14331,8 +14332,8 @@ packages:
/[email protected]([email protected])([email protected]):
resolution: {integrity: sha512-pZcd1MCJoiKiBR2NRxeCRg13uCXbydPnmB4EOeRrY7480qNWO8IIgQG6zlDkm6uRMsURXPuKq0GWtiM59a5Q6g==}
peerDependencies:
- react: ^18.2.0
- react-dom: ^18.2.0
+ react: ^18.0.0
+ react-dom: ^18.0.0
dependencies:
'@babel/runtime': 7.24.4
dom-helpers: 5.2.1
@@ -15001,8 +15002,8 @@ packages:
/[email protected]([email protected])([email protected])([email protected]):
resolution: {integrity: sha512-xEDKu5RKw5f0N95l1UeNQnrB0Pxh4JPjpIZR/BVsMo0ININnLAknR99gLo46bl/Ffql4mr7LeaxQRoXxbFtJOQ==}
peerDependencies:
- react: ^18.2.0
- react-dom: ^18.2.0
+ react: ^18.0.0
+ react-dom: ^18.0.0
slate: '>=0.65.3'
dependencies:
'@juggle/resize-observer': 3.4.0
@@ -15372,7 +15373,7 @@ packages:
peerDependencies:
'@babel/core': '*'
babel-plugin-macros: '*'
- react: ^18.2.0
+ react: ^18.0.0
peerDependenciesMeta:
'@babel/core':
optional: true
@@ -16119,8 +16120,8 @@ packages:
/[email protected]([email protected])([email protected])([email protected]):
resolution: {integrity: sha512-Io2ArvcRO+6MWIhkdfMFt+WKQX+Vb++W8DS2l03z/Vw/rz3BclKpM0ynr4LYGyU85Eke+Yx5oIhTY++QR0ZDoA==}
peerDependencies:
- react: ^18.2.0
- react-dom: ^18.2.0
+ react: ^18.0.0
+ react-dom: ^18.0.0
react-native: '*'
scheduler: '>=0.19.0'
peerDependenciesMeta:
@@ -16138,7 +16139,7 @@ packages:
resolution: {integrity: sha512-49L8yCO3iGT/ZF9QttjwLF/ZD9Iwto5LnH5LmEdk/6cFmXddqi2ulF0edxTwjj+7mqvpVVGQWvbXZdn32wRSHA==}
peerDependencies:
'@types/react': '*'
- react: ^18.2.0
+ react: ^18.0.0
peerDependenciesMeta:
'@types/react':
optional: true
|
8b778b6407651cd5802760bc7e67eb8d037f4b1e
|
2023-01-23 19:26:35
|
Jessica Chowdhury
|
fix: collection view pagination with limits resulting in empty list
| false
|
collection view pagination with limits resulting in empty list
|
fix
|
diff --git a/src/admin/components/elements/PerPage/index.tsx b/src/admin/components/elements/PerPage/index.tsx
index be7830f7342..51a266d4f39 100644
--- a/src/admin/components/elements/PerPage/index.tsx
+++ b/src/admin/components/elements/PerPage/index.tsx
@@ -18,9 +18,10 @@ export type Props = {
limit: number
handleChange?: (limit: number) => void
modifySearchParams?: boolean
+ resetPage?: boolean
}
-const PerPage: React.FC<Props> = ({ limits = defaultLimits, limit, handleChange, modifySearchParams = true }) => {
+const PerPage: React.FC<Props> = ({ limits = defaultLimits, limit, handleChange, modifySearchParams = true, resetPage = false }) => {
const params = useSearchParams();
const history = useHistory();
const { t } = useTranslation('general');
@@ -56,6 +57,7 @@ const PerPage: React.FC<Props> = ({ limits = defaultLimits, limit, handleChange,
history.replace({
search: qs.stringify({
...params,
+ page: resetPage ? 1 : params.page,
limit: limitNumber,
}, { addQueryPrefix: true }),
});
diff --git a/src/admin/components/views/collections/List/Default.tsx b/src/admin/components/views/collections/List/Default.tsx
index 246e8930719..f318bfa2ca3 100644
--- a/src/admin/components/views/collections/List/Default.tsx
+++ b/src/admin/components/views/collections/List/Default.tsx
@@ -175,6 +175,7 @@ const DefaultList: React.FC<Props> = (props) => {
limit={limit}
modifySearchParams={modifySearchParams}
handleChange={handlePerPageChange}
+ resetPage={data.totalDocs <= data.pagingCounter}
/>
</Fragment>
)}
|
118b4428838af3ded1a95b328ecb3ccf76d7d763
|
2024-11-22 00:55:37
|
Jacob Fletcher
|
docs: custom server providers and filter components (#9303)
| false
|
custom server providers and filter components (#9303)
|
docs
|
diff --git a/docs/admin/components.mdx b/docs/admin/components.mdx
index 5f61b9476bc..014cf46731a 100644
--- a/docs/admin/components.mdx
+++ b/docs/admin/components.mdx
@@ -8,7 +8,7 @@ keywords: admin, components, custom, documentation, Content Management System, c
The Payload [Admin Panel](./overview) is designed to be as minimal and straightforward as possible to allow for easy customization and full control over the UI. In order for Payload to support this level of customization, Payload provides a pattern for you to supply your own React components through your [Payload Config](../configuration/overview).
-All Custom Components in Payload are [React Server Components](https://react.dev/reference/rsc/server-components) by default, with the exception of [Custom Providers](#custom-providers). This enables the use of the [Local API](../local-api/overview) directly on the front-end. Custom Components are available for nearly every part of the Admin Panel for extreme granularity and control.
+All Custom Components in Payload are [React Server Components](https://react.dev/reference/rsc/server-components) by default. This enables the use of the [Local API](../local-api/overview) directly on the front-end. Custom Components are available for nearly every part of the Admin Panel for extreme granularity and control.
<Banner type="success">
<strong>Note:</strong>
@@ -151,7 +151,7 @@ export default buildConfig({
## Building Custom Components
-All Custom Components in Payload are [React Server Components](https://react.dev/reference/rsc/server-components) by default, with the exception of [Custom Providers](#custom-providers). This enables the use of the [Local API](../local-api/overview) directly on the front-end, among other things.
+All Custom Components in Payload are [React Server Components](https://react.dev/reference/rsc/server-components) by default. This enables the use of the [Local API](../local-api/overview) directly on the front-end, among other things.
### Default Props
@@ -546,5 +546,5 @@ export const useMyCustomContext = () => useContext(MyCustomContext)
```
<Banner type="warning">
- <strong>Reminder:</strong> Custom Providers are by definition Client Components. This means they must include the `use client` directive at the top of their files and cannot use server-only code.
+ <strong>Reminder:</strong>React Context exists only within Client Components. This means they must include the `use client` directive at the top of their files and cannot contain server-only code. To use a Server Component here, simply _wrap_ your Client Component with it.
</Banner>
diff --git a/docs/admin/customizing-css.mdx b/docs/admin/customizing-css.mdx
index b3dc2daa149..f8fe35191f7 100644
--- a/docs/admin/customizing-css.mdx
+++ b/docs/admin/customizing-css.mdx
@@ -8,7 +8,7 @@ keywords: admin, css, scss, documentation, Content Management System, cms, headl
Customizing the Payload [Admin Panel](./overview) through CSS alone is one of the easiest and most powerful ways to customize the look and feel of the dashboard. To allow for this level of customization, Payload:
-1. Exposes a [root-level stylesheet](#global-css) for you to easily to inject custom selectors
+1. Exposes a [root-level stylesheet](#global-css) for you to inject custom selectors
1. Provides a [CSS library](#css-library) that can be easily overridden or extended
1. Uses [BEM naming conventions](http://getbem.com) so that class names are globally accessible
diff --git a/docs/admin/fields.mdx b/docs/admin/fields.mdx
index 9bcea4408ab..fa0bf3c958a 100644
--- a/docs/admin/fields.mdx
+++ b/docs/admin/fields.mdx
@@ -66,7 +66,7 @@ A description can be configured in three ways:
- As a function which returns a string. [More details](#description-functions).
- As a React component. [More details](#description).
-To easily add a Custom Description to a field, use the `admin.description` property in your [Field Config](../fields/overview):
+To add a Custom Description to a field, use the `admin.description` property in your [Field Config](../fields/overview):
```ts
import type { SanitizedCollectionConfig } from 'payload'
@@ -95,7 +95,7 @@ export const MyCollectionConfig: SanitizedCollectionConfig = {
Custom Descriptions can also be defined as a function. Description Functions are executed on the server and can be used to format simple descriptions based on the user's current [Locale](../configuration/localization).
-To easily add a Description Function to a field, set the `admin.description` property to a _function_ in your [Field Config](../fields/overview):
+To add a Description Function to a field, set the `admin.description` property to a _function_ in your [Field Config](../fields/overview):
```ts
import type { SanitizedCollectionConfig } from 'payload'
@@ -173,7 +173,7 @@ Within the [Admin Panel](./overview), fields are represented in three distinct p
- [Cell](#cell) - The table cell component rendered in the List View.
- [Filter](#filter) - The filter component rendered in the List View.
-To easily swap in Field Components with your own, use the `admin.components` property in your [Field Config](../fields/overview):
+To swap in Field Components with your own, use the `admin.components` property in your [Field Config](../fields/overview):
```ts
import type { CollectionConfig } from 'payload'
@@ -211,7 +211,7 @@ The following options are available:
The Field Component is the actual form field rendered in the Edit View. This is the input that user's will interact with when editing a document.
-To easily swap in your own Field Component, use the `admin.components.Field` property in your [Field Config](../fields/overview):
+To swap in your own Field Component, use the `admin.components.Field` property in your [Field Config](../fields/overview):
```ts
import type { CollectionConfig } from 'payload'
@@ -312,7 +312,7 @@ import type {
The Cell Component is rendered in the table of the List View. It represents the value of the field when displayed in a table cell.
-To easily swap in your own Cell Component, use the `admin.components.Cell` property in your [Field Config](../fields/overview):
+To swap in your own Cell Component, use the `admin.components.Cell` property in your [Field Config](../fields/overview):
```ts
import type { Field } from 'payload'
@@ -337,11 +337,35 @@ All Cell Components receive the same [Default Field Component Props](#field), pl
For details on how to build Custom Components themselves, see [Building Custom Components](./components#building-custom-components).
+### Filter
+
+The Filter Component is the actual input element rendered within the "Filter By" dropdown of the List View used to represent this field when building filters.
+
+To swap in your own Filter Component, use the `admin.components.Filter` property in your [Field Config](../fields/overview):
+
+```ts
+import type { Field } from 'payload'
+
+export const myField: Field = {
+ name: 'myField',
+ type: 'text',
+ admin: {
+ components: {
+ Filter: '/path/to/MyCustomFilterComponent', // highlight-line
+ },
+ },
+}
+```
+
+All Custom Filter Components receive the same [Default Field Component Props](#field).
+
+For details on how to build Custom Components themselves, see [Building Custom Components](./components#building-custom-components).
+
### Label
The Label Component is rendered anywhere a field needs to be represented by a label. This is typically used in the Edit View, but can also be used in the List View and elsewhere.
-To easily swap in your own Label Component, use the `admin.components.Label` property in your [Field Config](../fields/overview):
+To swap in your own Label Component, use the `admin.components.Label` property in your [Field Config](../fields/overview):
```ts
import type { Field } from 'payload'
@@ -377,7 +401,7 @@ import type {
Alternatively to the [Description Property](#the-description-property), you can also use a [Custom Component](./components) as the Field Description. This can be useful when you need to provide more complex feedback to the user, such as rendering dynamic field values or other interactive elements.
-To easily add a Description Component to a field, use the `admin.components.Description` property in your [Field Config](../fields/overview):
+To add a Description Component to a field, use the `admin.components.Description` property in your [Field Config](../fields/overview):
```ts
import type { SanitizedCollectionConfig } from 'payload'
@@ -419,7 +443,7 @@ import type {
The Error Component is rendered when a field fails validation. It is typically displayed beneath the field input in a visually-compelling style.
-To easily swap in your own Error Component, use the `admin.components.Error` property in your [Field Config](../fields/overview):
+To swap in your own Error Component, use the `admin.components.Error` property in your [Field Config](../fields/overview):
```ts
import type { Field } from 'payload'
diff --git a/docs/admin/hooks.mdx b/docs/admin/hooks.mdx
index 2886eb85f62..680367e30bd 100644
--- a/docs/admin/hooks.mdx
+++ b/docs/admin/hooks.mdx
@@ -785,7 +785,7 @@ const Greeting: React.FC = () => {
## useConfig
-Used to easily retrieve the Payload [Client Config](./components#accessing-the-payload-config).
+Used to retrieve the Payload [Client Config](./components#accessing-the-payload-config).
```tsx
'use client'
diff --git a/docs/admin/views.mdx b/docs/admin/views.mdx
index 32579eb80c2..b8ab94a6556 100644
--- a/docs/admin/views.mdx
+++ b/docs/admin/views.mdx
@@ -21,7 +21,7 @@ To swap in your own Custom View, first consult the list of available components,
Root Views are the main views of the [Admin Panel](./overview). These are views that are scoped directly under the `/admin` route, such as the Dashboard or Account views.
-To easily swap Root Views with your own, or to [create entirely new ones](#adding-new-root-views), use the `admin.components.views` property of your root [Payload Config](../configuration/overview):
+To swap Root Views with your own, or to [create entirely new ones](#adding-new-root-views), use the `admin.components.views` property of your root [Payload Config](../configuration/overview):
```ts
import { buildConfig } from 'payload'
@@ -143,7 +143,7 @@ The above example shows how to add a new [Root View](#root-views), but the patte
Collection Views are views that are scoped under the `/collections` route, such as the Collection List and Document Edit views.
-To easily swap out Collection Views with your own, or to [create entirely new ones](#adding-new-views), use the `admin.components.views` property of your [Collection Config](../collections/overview):
+To swap out Collection Views with your own, or to [create entirely new ones](#adding-new-views), use the `admin.components.views` property of your [Collection Config](../collections/overview):
```ts
import type { SanitizedCollectionConfig } from 'payload'
@@ -198,7 +198,7 @@ The following options are available:
Global Views are views that are scoped under the `/globals` route, such as the Document Edit View.
-To easily swap out Global Views with your own or [create entirely new ones](#adding-new-views), use the `admin.components.views` property in your [Global Config](../globals/overview):
+To swap out Global Views with your own or [create entirely new ones](#adding-new-views), use the `admin.components.views` property in your [Global Config](../globals/overview):
```ts
import type { SanitizedGlobalConfig } from 'payload'
@@ -248,7 +248,7 @@ The following options are available:
Document Views are views that are scoped under the `/collections/:collectionSlug/:id` or the `/globals/:globalSlug` route, such as the Edit View or the API View. All Document Views keep their overall structure across navigation changes, such as their title and tabs, and replace only the content below.
-To easily swap out Document Views with your own, or to [create entirely new ones](#adding-new-document-views), use the `admin.components.views.Edit[key]` property in your [Collection Config](../collections/overview) or [Global Config](../globals/overview):
+To swap out Document Views with your own, or to [create entirely new ones](#adding-new-document-views), use the `admin.components.views.Edit[key]` property in your [Collection Config](../collections/overview) or [Global Config](../globals/overview):
```ts
import type { SanitizedCollectionConfig } from 'payload'
diff --git a/docs/migration-guide/overview.mdx b/docs/migration-guide/overview.mdx
index 620b096e31f..728ed2450b9 100644
--- a/docs/migration-guide/overview.mdx
+++ b/docs/migration-guide/overview.mdx
@@ -659,8 +659,8 @@ For more details, see the [Documentation](https://payloadcms.com/docs/getting-st
+ edit: {
+ tab: {
+ isActive: ({ href }) => true,
- + href: ({ href }) => ''
- + Component: './path/to/CustomComponent.tsx', // Or use a Custom Component
+ + href: ({ href }) => '' // or use a Custom Component (see below)
+ + // Component: './path/to/CustomComponent.tsx'
+ }
+ },
},
|
d4f3bbd91c9edfac7a4dd336044ce204110bb9df
|
2022-01-06 04:04:13
|
Dan Ribbens
|
chore: beta release
| false
|
beta release
|
chore
|
diff --git a/CHANGELOG.md b/CHANGELOG.md
index b75308b1268..66b22446f0b 100644
--- a/CHANGELOG.md
+++ b/CHANGELOG.md
@@ -1,8 +1,8 @@
-## [0.14.2-beta.0](https://github.com/payloadcms/payload/compare/v0.14.0...v0.14.2-beta.0) (2022-01-04)
+## [0.14.3-beta.0](https://github.com/payloadcms/payload/compare/v0.14.0...v0.14.3-beta.0) (2022-01-05)
### Bug Fixes
-
+* clearing saved number for a localized field ([443a070](https://github.com/payloadcms/payload/commit/5549926d2c51995baf40a06b5de74ebd3443a070)
* ensures multipart/form-data using _payload flattens field data before sending ([ae44727](https://github.com/payloadcms/payload/commit/ae44727fb9734fc3801f7249fa9e78668311c09e))
diff --git a/package.json b/package.json
index 43d393430ce..3d26e35c0a1 100644
--- a/package.json
+++ b/package.json
@@ -1,6 +1,6 @@
{
"name": "payload",
- "version": "0.14.2-beta.0",
+ "version": "0.14.3-beta.0",
"description": "Node, React and MongoDB Headless CMS and Application Framework",
"license": "SEE LICENSE IN license.md",
"author": {
|
5591eeafca1aa6e8abcc2d8276f7478e00b75ef2
|
2022-02-01 07:56:12
|
Dan Ribbens
|
feat: add before and after login components (#427)
| false
|
add before and after login components (#427)
|
feat
|
diff --git a/demo/client/components/BeforeLogin/index.tsx b/demo/client/components/BeforeLogin/index.tsx
new file mode 100644
index 00000000000..dd7455d65df
--- /dev/null
+++ b/demo/client/components/BeforeLogin/index.tsx
@@ -0,0 +1,24 @@
+import React from 'react';
+
+const BeforeLogin: React.FC = () => {
+ return (
+ <div>
+ <h3>Welcome</h3>
+ <p>
+ This demo is a set up to configure Payload for the develop and testing of features. To see a product demo of a Payload project
+ please visit:
+ {' '}
+ <a
+ href="https://demo.payloadcms.com"
+ target="_blank"
+ rel="noreferrer"
+ >
+ demo.payloadcms.com
+ </a>
+ .
+ </p>
+ </div>
+ );
+};
+
+export default BeforeLogin;
diff --git a/demo/payload.config.ts b/demo/payload.config.ts
index 018b10d8934..b984825b805 100644
--- a/demo/payload.config.ts
+++ b/demo/payload.config.ts
@@ -37,6 +37,7 @@ import CustomRouteWithMinimalTemplate from './client/components/views/CustomMini
import CustomRouteWithDefaultTemplate from './client/components/views/CustomDefault';
import AfterDashboard from './client/components/AfterDashboard';
import AfterNavLinks from './client/components/AfterNavLinks';
+import BeforeLogin from './client/components/BeforeLogin';
export default buildConfig({
cookiePrefix: 'payload',
@@ -68,6 +69,9 @@ export default buildConfig({
afterDashboard: [
AfterDashboard,
],
+ beforeLogin: [
+ BeforeLogin,
+ ],
afterNavLinks: [
AfterNavLinks,
],
diff --git a/docs/admin/components.mdx b/docs/admin/components.mdx
index 32e5876c7a8..c1a4171d792 100644
--- a/docs/admin/components.mdx
+++ b/docs/admin/components.mdx
@@ -22,10 +22,12 @@ You can override a set of admin panel-wide components by providing a component t
| Path | Description |
| --------------------- | -------------|
| **`Nav`** | Contains the sidebar and mobile Nav in its entirety. |
+| **`BeforeDashboard`** | Array of components to inject into the built-in Dashboard, _before_ the default dashboard contents. [Demo](https://github.com/payloadcms/payload/tree/master/demo/client/components/AfterDashboard) |
+| **`AfterDashboard`** | Array of components to inject into the built-in Dashboard, _after_ the default dashboard contents. |
+| **`BeforeLogin`** | Array of components to inject into the built-in Login, _before_ the default login form. |
+| **`AfterLogin`** | Array of components to inject into the built-in Login, _after_ the default login form. |
| **`BeforeNavLinks`** | Array of components to inject into the built-in Nav, _before_ the links themselves. |
-| **`AfterNavLinks`** | Array of components to inject into the built-in Nav, _after_ the links themselves. [Demo](https://github.com/payloadcms/payload/tree/master/demo/client/components/AfterNavLinks) |
-| **`BeforeDashboard`** | Array of components to inject into the built-in Dashboard, _before_ the default dashboard contents. |
-| **`AfterNavLinks`** | Array of components to inject into the built-in Nav, _after_ the default dashboard contents. [Demo](https://github.com/payloadcms/payload/tree/master/demo/client/components/AfterDashboard) |
+| **`AfterNavLinks`** | Array of components to inject into the built-in Nav, _after_ the links. |
| **`views.Account`** | The Account view is used to show the currently logged in user's Account page. |
| **`views.Dashboard`** | The main landing page of the Admin panel. |
| **`graphics.Icon`** | Used as a graphic within the `Nav` component. Often represents a condensed version of a full logo. |
diff --git a/src/admin/components/views/Login/index.scss b/src/admin/components/views/Login/index.scss
deleted file mode 100644
index e05eabc5d37..00000000000
--- a/src/admin/components/views/Login/index.scss
+++ /dev/null
@@ -1,10 +0,0 @@
-@import '../../../scss/styles';
-
-.login {
- &__brand {
- display: flex;
- justify-content: center;
- width: 100%;
- margin-bottom: base(2);
- }
-}
diff --git a/src/admin/components/views/Login/index.tsx b/src/admin/components/views/Login/index.tsx
index 9ab34ce8305..964629aae8c 100644
--- a/src/admin/components/views/Login/index.tsx
+++ b/src/admin/components/views/Login/index.tsx
@@ -10,15 +10,25 @@ import FormSubmit from '../../forms/Submit';
import Button from '../../elements/Button';
import Meta from '../../utilities/Meta';
-
-import './index.scss';
-
const baseClass = 'login';
const Login: React.FC = () => {
const history = useHistory();
const { user, setToken } = useAuth();
- const { admin: { user: userSlug }, serverURL, routes: { admin, api } } = useConfig();
+ const {
+ admin: {
+ user: userSlug,
+ components: {
+ beforeLogin,
+ afterLogin,
+ } = {},
+ },
+ serverURL,
+ routes: {
+ admin,
+ api,
+ },
+ } = useConfig();
const onSuccess = (data) => {
if (data.token) {
@@ -67,6 +77,7 @@ const Login: React.FC = () => {
<div className={`${baseClass}__brand`}>
<Logo />
</div>
+ {Array.isArray(beforeLogin) && beforeLogin.map((Component, i) => <Component key={i} />)}
<Form
disableSuccessStatus
waitForAutocomplete
@@ -91,6 +102,7 @@ const Login: React.FC = () => {
</Link>
<FormSubmit>Login</FormSubmit>
</Form>
+ {Array.isArray(afterLogin) && afterLogin.map((Component, i) => <Component key={i} />)}
</MinimalTemplate>
);
};
diff --git a/src/config/schema.ts b/src/config/schema.ts
index 5850a8f8330..dbff53e280e 100644
--- a/src/config/schema.ts
+++ b/src/config/schema.ts
@@ -61,6 +61,8 @@ export default joi.object({
),
beforeDashboard: joi.array().items(component),
afterDashboard: joi.array().items(component),
+ beforeLogin: joi.array().items(component),
+ afterLogin: joi.array().items(component),
beforeNavLinks: joi.array().items(component),
afterNavLinks: joi.array().items(component),
Nav: component,
diff --git a/src/config/types.ts b/src/config/types.ts
index 49999c739f9..68d34d48801 100644
--- a/src/config/types.ts
+++ b/src/config/types.ts
@@ -103,6 +103,8 @@ export type Config = {
routes?: AdminRoute[]
beforeDashboard?: React.ComponentType[]
afterDashboard?: React.ComponentType[]
+ beforeLogin?: React.ComponentType[]
+ afterLogin?: React.ComponentType[]
beforeNavLinks?: React.ComponentType[]
afterNavLinks?: React.ComponentType[]
Nav?: React.ComponentType
|
28e39280943154fd98b3ca9c40a0c26a9488d7cc
|
2022-07-19 09:20:28
|
Dan Ribbens
|
test: array fields
| false
|
array fields
|
test
|
diff --git a/src/admin/components/forms/field-types/Array/Array.tsx b/src/admin/components/forms/field-types/Array/Array.tsx
index 1226335c2ca..6a711ab231c 100644
--- a/src/admin/components/forms/field-types/Array/Array.tsx
+++ b/src/admin/components/forms/field-types/Array/Array.tsx
@@ -203,7 +203,7 @@ const ArrayFieldType: React.FC<Props> = (props) => {
return (
<DragDropContext onDragEnd={onDragEnd}>
<div
- id={`field-${path}`}
+ id={`field-${path.replace(/\./gi, '__')}`}
className={classes}
>
<div className={`${baseClass}__error-wrap`}>
diff --git a/src/admin/components/forms/field-types/Blocks/Blocks.tsx b/src/admin/components/forms/field-types/Blocks/Blocks.tsx
index 89f1028241d..ff8fe7adab6 100644
--- a/src/admin/components/forms/field-types/Blocks/Blocks.tsx
+++ b/src/admin/components/forms/field-types/Blocks/Blocks.tsx
@@ -211,7 +211,7 @@ const Blocks: React.FC<Props> = (props) => {
return (
<DragDropContext onDragEnd={onDragEnd}>
<div
- id={`field-${path}`}
+ id={`field-${path.replace(/\./gi, '__')}`}
className={classes}
>
<div className={`${baseClass}__error-wrap`}>
diff --git a/src/admin/components/forms/field-types/Checkbox/index.tsx b/src/admin/components/forms/field-types/Checkbox/index.tsx
index cd99e0e05ff..9ceded16868 100644
--- a/src/admin/components/forms/field-types/Checkbox/index.tsx
+++ b/src/admin/components/forms/field-types/Checkbox/index.tsx
@@ -70,7 +70,7 @@ const Checkbox: React.FC<Props> = (props) => {
/>
</div>
<input
- id={`field-${path}`}
+ id={`field-${path.replace(/\./gi, '__')}`}
type="checkbox"
name={path}
checked={Boolean(value)}
diff --git a/src/admin/components/forms/field-types/Code/Code.tsx b/src/admin/components/forms/field-types/Code/Code.tsx
index c9f78b72a68..5a99de0592e 100644
--- a/src/admin/components/forms/field-types/Code/Code.tsx
+++ b/src/admin/components/forms/field-types/Code/Code.tsx
@@ -83,7 +83,7 @@ const Code: React.FC<Props> = (props) => {
required={required}
/>
<Editor
- id={`field-${path}`}
+ id={`field-${path.replace(/\./gi, '__')}`}
value={value as string || ''}
onValueChange={readOnly ? () => null : setValue}
highlight={highlighter}
diff --git a/src/admin/components/forms/field-types/DateTime/index.tsx b/src/admin/components/forms/field-types/DateTime/index.tsx
index d346395447a..81efe3ce110 100644
--- a/src/admin/components/forms/field-types/DateTime/index.tsx
+++ b/src/admin/components/forms/field-types/DateTime/index.tsx
@@ -77,8 +77,8 @@ const DateTime: React.FC<Props> = (props) => {
required={required}
/>
<div
+ id={`field-${path.replace(/\./gi, '__')}`}
className={`${baseClass}__input-wrapper`}
- id={`field-${path}`}
>
<DatePicker
{...date}
diff --git a/src/admin/components/forms/field-types/Email/index.tsx b/src/admin/components/forms/field-types/Email/index.tsx
index 0bc04412d15..dc40bb43081 100644
--- a/src/admin/components/forms/field-types/Email/index.tsx
+++ b/src/admin/components/forms/field-types/Email/index.tsx
@@ -69,12 +69,12 @@ const Email: React.FC<Props> = (props) => {
message={errorMessage}
/>
<Label
- htmlFor={path}
+ htmlFor={`field-${path.replace(/\./gi, '__')}`}
label={label}
required={required}
/>
<input
- id={`field-${path}`}
+ id={`field-${path.replace(/\./gi, '__')}`}
value={value as string || ''}
onChange={setValue}
disabled={Boolean(readOnly)}
diff --git a/src/admin/components/forms/field-types/Group/index.tsx b/src/admin/components/forms/field-types/Group/index.tsx
index 665bd03ca0a..a2bee2cf192 100644
--- a/src/admin/components/forms/field-types/Group/index.tsx
+++ b/src/admin/components/forms/field-types/Group/index.tsx
@@ -38,7 +38,7 @@ const Group: React.FC<Props> = (props) => {
return (
<div
- id={`field-${path}`}
+ id={`field-${path.replace(/\./gi, '__')}`}
className={[
'field-type',
baseClass,
diff --git a/src/admin/components/forms/field-types/HiddenInput/index.tsx b/src/admin/components/forms/field-types/HiddenInput/index.tsx
index 7c7b3c2a0a7..13fd08a2fe6 100644
--- a/src/admin/components/forms/field-types/HiddenInput/index.tsx
+++ b/src/admin/components/forms/field-types/HiddenInput/index.tsx
@@ -25,7 +25,7 @@ const HiddenInput: React.FC<Props> = (props) => {
return (
<input
- id={`field-${path}`}
+ id={`field-${path.replace(/\./gi, '__')}`}
type="hidden"
value={value as string || ''}
onChange={setValue}
diff --git a/src/admin/components/forms/field-types/Number/index.tsx b/src/admin/components/forms/field-types/Number/index.tsx
index f35ecea2691..62c62b7e887 100644
--- a/src/admin/components/forms/field-types/Number/index.tsx
+++ b/src/admin/components/forms/field-types/Number/index.tsx
@@ -79,12 +79,12 @@ const NumberField: React.FC<Props> = (props) => {
message={errorMessage}
/>
<Label
- htmlFor={`field-${path}`}
+ htmlFor={`field-${path.replace(/\./gi, '__')}`}
label={label}
required={required}
/>
<input
- id={`field-${path}`}
+ id={`field-${path.replace(/\./gi, '__')}`}
value={typeof value === 'number' ? value : ''}
onChange={handleChange}
disabled={readOnly}
diff --git a/src/admin/components/forms/field-types/Password/index.tsx b/src/admin/components/forms/field-types/Password/index.tsx
index 0a816c8548d..60de2a77c0c 100644
--- a/src/admin/components/forms/field-types/Password/index.tsx
+++ b/src/admin/components/forms/field-types/Password/index.tsx
@@ -60,12 +60,12 @@ const Password: React.FC<Props> = (props) => {
message={errorMessage}
/>
<Label
- htmlFor={`field-${path}`}
+ htmlFor={`field-${path.replace(/\./gi, '__')}`}
label={label}
required={required}
/>
<input
- id={`field-${path}`}
+ id={`field-${path.replace(/\./gi, '__')}`}
value={value as string || ''}
onChange={setValue}
disabled={formProcessing}
diff --git a/src/admin/components/forms/field-types/Point/index.tsx b/src/admin/components/forms/field-types/Point/index.tsx
index a4bc44735cf..1e62dbdf324 100644
--- a/src/admin/components/forms/field-types/Point/index.tsx
+++ b/src/admin/components/forms/field-types/Point/index.tsx
@@ -81,12 +81,12 @@ const PointField: React.FC<Props> = (props) => {
<ul className={`${baseClass}__wrap`}>
<li>
<Label
- htmlFor={`field-longitude-${path}`}
+ htmlFor={`field-longitude-${path.replace(/\./gi, '__')}`}
label={`${label} - Longitude`}
required={required}
/>
<input
- id={`field-longitude-${path}`}
+ id={`field-longitude-${path.replace(/\./gi, '__')}`}
value={(value && typeof value[0] === 'number') ? value[0] : ''}
onChange={(e) => handleChange(e, 0)}
disabled={readOnly}
@@ -98,12 +98,12 @@ const PointField: React.FC<Props> = (props) => {
</li>
<li>
<Label
- htmlFor={`field-latitude-${path}`}
+ htmlFor={`field-latitude-${path.replace(/\./gi, '__')}`}
label={`${label} - Latitude`}
required={required}
/>
<input
- id={`field-latitude-${path}`}
+ id={`field-latitude-${path.replace(/\./gi, '__')}`}
value={(value && typeof value[1] === 'number') ? value[1] : ''}
onChange={(e) => handleChange(e, 1)}
disabled={readOnly}
diff --git a/src/admin/components/forms/field-types/RadioGroup/Input.tsx b/src/admin/components/forms/field-types/RadioGroup/Input.tsx
index e170785e6e0..fc8c8591815 100644
--- a/src/admin/components/forms/field-types/RadioGroup/Input.tsx
+++ b/src/admin/components/forms/field-types/RadioGroup/Input.tsx
@@ -78,7 +78,7 @@ const RadioGroupInput: React.FC<RadioGroupInputProps> = (props) => {
required={required}
/>
<ul
- id={`field-${path}`}
+ id={`field-${path.replace(/\./gi, '__')}`}
className={`${baseClass}--group`}
>
{options.map((option) => {
diff --git a/src/admin/components/forms/field-types/Relationship/index.tsx b/src/admin/components/forms/field-types/Relationship/index.tsx
index 8b4660d52c1..4c2d73fa2b5 100644
--- a/src/admin/components/forms/field-types/Relationship/index.tsx
+++ b/src/admin/components/forms/field-types/Relationship/index.tsx
@@ -335,7 +335,7 @@ const Relationship: React.FC<Props> = (props) => {
return (
<div
- id={`field-${path}`}
+ id={`field-${path.replace(/\./gi, '__')}`}
className={classes}
style={{
...style,
diff --git a/src/admin/components/forms/field-types/RichText/RichText.tsx b/src/admin/components/forms/field-types/RichText/RichText.tsx
index ab9749db2dd..43f2217d8c8 100644
--- a/src/admin/components/forms/field-types/RichText/RichText.tsx
+++ b/src/admin/components/forms/field-types/RichText/RichText.tsx
@@ -211,7 +211,7 @@ const RichText: React.FC<Props> = (props) => {
message={errorMessage}
/>
<Label
- htmlFor={`field-${path}`}
+ htmlFor={`field-${path.replace(/\./gi, '__')}`}
label={label}
required={required}
/>
@@ -272,7 +272,7 @@ const RichText: React.FC<Props> = (props) => {
ref={editorRef}
>
<Editable
- id={`field-${path}`}
+ id={`field-${path.replace(/\./gi, '__')}`}
className={`${baseClass}__input`}
renderElement={renderElement}
renderLeaf={renderLeaf}
diff --git a/src/admin/components/forms/field-types/Select/Input.tsx b/src/admin/components/forms/field-types/Select/Input.tsx
index 5a7f39574ab..713a0de6e4e 100644
--- a/src/admin/components/forms/field-types/Select/Input.tsx
+++ b/src/admin/components/forms/field-types/Select/Input.tsx
@@ -64,7 +64,7 @@ const SelectInput: React.FC<SelectInputProps> = (props) => {
return (
<div
- id={`field-${path}`}
+ id={`field-${path.replace(/\./gi, '__')}`}
className={classes}
style={{
...style,
@@ -76,7 +76,7 @@ const SelectInput: React.FC<SelectInputProps> = (props) => {
message={errorMessage}
/>
<Label
- htmlFor={path}
+ htmlFor={`field-${path.replace(/\./gi, '__')}`}
label={label}
required={required}
/>
diff --git a/src/admin/components/forms/field-types/Text/Input.tsx b/src/admin/components/forms/field-types/Text/Input.tsx
index 43e3addda44..37e6a5eaa14 100644
--- a/src/admin/components/forms/field-types/Text/Input.tsx
+++ b/src/admin/components/forms/field-types/Text/Input.tsx
@@ -61,12 +61,12 @@ const TextInput: React.FC<TextInputProps> = (props) => {
message={errorMessage}
/>
<Label
- htmlFor={`field-${path}`}
+ htmlFor={`field-${path.replace(/\./gi, '__')}`}
label={label}
required={required}
/>
<input
- id={`field-${path}`}
+ id={`field-${path.replace(/\./gi, '__')}`}
value={value || ''}
onChange={onChange}
disabled={readOnly}
diff --git a/src/admin/components/forms/field-types/Textarea/Input.tsx b/src/admin/components/forms/field-types/Textarea/Input.tsx
index 937ff60c60e..f15a40b4db5 100644
--- a/src/admin/components/forms/field-types/Textarea/Input.tsx
+++ b/src/admin/components/forms/field-types/Textarea/Input.tsx
@@ -62,12 +62,12 @@ const TextareaInput: React.FC<TextAreaInputProps> = (props) => {
message={errorMessage}
/>
<Label
- htmlFor={`field-${path}`}
+ htmlFor={`field-${path.replace(/\./gi, '__')}`}
label={label}
required={required}
/>
<textarea
- id={`field-${path}`}
+ id={`field-${path.replace(/\./gi, '__')}`}
value={value || ''}
onChange={onChange}
disabled={readOnly}
diff --git a/src/admin/components/forms/field-types/Upload/Input.tsx b/src/admin/components/forms/field-types/Upload/Input.tsx
index 4005985d312..807ebce089d 100644
--- a/src/admin/components/forms/field-types/Upload/Input.tsx
+++ b/src/admin/components/forms/field-types/Upload/Input.tsx
@@ -111,7 +111,7 @@ const UploadInput: React.FC<UploadInputProps> = (props) => {
message={errorMessage}
/>
<Label
- htmlFor={path}
+ htmlFor={`field-${path.replace(/\./gi, '__')}`}
label={label}
required={required}
/>
diff --git a/test/fields-array/config.ts b/test/fields-array/config.ts
deleted file mode 100644
index 3084d2b566d..00000000000
--- a/test/fields-array/config.ts
+++ /dev/null
@@ -1,35 +0,0 @@
-import { buildConfig } from '../buildConfig';
-
-export const slug = 'fields-array';
-
-export default buildConfig({
- collections: [
- {
- slug,
- fields: [
- {
- type: 'array',
- name: 'readOnlyArray',
- label: 'readOnly Array',
- admin: {
- readOnly: true,
- },
- defaultValue: [
- {
- text: 'defaultValue',
- },
- {
- text: 'defaultValue2',
- },
- ],
- fields: [
- {
- type: 'text',
- name: 'text',
- },
- ],
- },
- ],
- },
- ],
-});
diff --git a/test/fields-array/e2e.spec.ts b/test/fields-array/e2e.spec.ts
deleted file mode 100644
index 58c9c96ab37..00000000000
--- a/test/fields-array/e2e.spec.ts
+++ /dev/null
@@ -1,43 +0,0 @@
-import type { Page } from '@playwright/test';
-import { expect, test } from '@playwright/test';
-import wait from '../../src/utilities/wait';
-import { AdminUrlUtil } from '../helpers/adminUrlUtil';
-import { initPayloadTest } from '../helpers/configHelpers';
-import { firstRegister } from '../helpers';
-import { slug } from './config';
-
-const { beforeAll, describe } = test;
-
-let url: AdminUrlUtil;
-
-describe('fields - array', () => {
- let page: Page;
- beforeAll(async ({ browser }) => {
- const { serverURL } = await initPayloadTest({
- __dirname,
- init: {
- local: false,
- },
- });
- url = new AdminUrlUtil(serverURL, slug);
-
- const context = await browser.newContext();
- page = await context.newPage();
-
- await firstRegister({ page, serverURL });
- });
-
- test('should be readOnly', async () => {
- await page.goto(url.create);
- await wait(2000);
- const field = page.locator('#readOnlyArray\\.0\\.text');
- await expect(field).toBeDisabled();
- });
-
- test('should have defaultValue', async () => {
- await page.goto(url.create);
- await wait(2000);
- const field = page.locator('#readOnlyArray\\.0\\.text');
- await expect(field).toHaveValue('defaultValue');
- });
-});
diff --git a/test/fields-array/payload-types.ts b/test/fields-array/payload-types.ts
deleted file mode 100644
index 82bb38503da..00000000000
--- a/test/fields-array/payload-types.ts
+++ /dev/null
@@ -1,35 +0,0 @@
-/* tslint:disable */
-/**
- * This file was automatically generated by Payload CMS.
- * DO NOT MODIFY IT BY HAND. Instead, modify your source Payload config,
- * and re-run `payload generate:types` to regenerate this file.
- */
-
-export interface Config {}
-/**
- * This interface was referenced by `Config`'s JSON-Schema
- * via the `definition` "fields-array".
- */
-export interface FieldsArray {
- id: string;
- readOnlyArray?: {
- text?: string;
- id?: string;
- }[];
- createdAt: string;
- updatedAt: string;
-}
-/**
- * This interface was referenced by `Config`'s JSON-Schema
- * via the `definition` "users".
- */
-export interface User {
- id: string;
- email?: string;
- resetPasswordToken?: string;
- resetPasswordExpiration?: string;
- loginAttempts?: number;
- lockUntil?: string;
- createdAt: string;
- updatedAt: string;
-}
diff --git a/test/fields/collections/Array/index.ts b/test/fields/collections/Array/index.ts
index a8d9cb9b06f..20f6b5f3c0f 100644
--- a/test/fields/collections/Array/index.ts
+++ b/test/fields/collections/Array/index.ts
@@ -37,6 +37,27 @@ const ArrayFields: CollectionConfig = {
},
],
},
+ {
+ type: 'array',
+ name: 'readOnly',
+ admin: {
+ readOnly: true,
+ },
+ defaultValue: [
+ {
+ text: 'defaultValue',
+ },
+ {
+ text: 'defaultValue2',
+ },
+ ],
+ fields: [
+ {
+ type: 'text',
+ name: 'text',
+ },
+ ],
+ },
],
};
diff --git a/test/fields/collections/Group/index.ts b/test/fields/collections/Group/index.ts
index 99f86280539..c4c6aa82357 100644
--- a/test/fields/collections/Group/index.ts
+++ b/test/fields/collections/Group/index.ts
@@ -43,6 +43,16 @@ const GroupFields: CollectionConfig = {
name: 'textWithinGroup',
type: 'text',
},
+ {
+ name: 'arrayWithinGroup',
+ type: 'array',
+ fields: [
+ {
+ name: 'textWithinArray',
+ type: 'text',
+ },
+ ],
+ },
],
},
],
@@ -55,6 +65,9 @@ export const groupDoc = {
text: 'some text within a group',
subGroup: {
textWithinGroup: 'please',
+ arrayWithinGroup: [{
+ textWithinArray: 'text in a group and array',
+ }],
},
},
};
diff --git a/test/fields/collections/Point/index.ts b/test/fields/collections/Point/index.ts
index d6b3787c724..9032dc90aad 100644
--- a/test/fields/collections/Point/index.ts
+++ b/test/fields/collections/Point/index.ts
@@ -1,7 +1,9 @@
import type { CollectionConfig } from '../../../../src/collections/config/types';
+export const pointFieldsSlug = 'point-fields';
+
const PointFields: CollectionConfig = {
- slug: 'point-fields',
+ slug: pointFieldsSlug,
admin: {
useAsTitle: 'point',
},
diff --git a/test/fields/e2e.spec.ts b/test/fields/e2e.spec.ts
index 4fcfc73d039..32ff4b3437e 100644
--- a/test/fields/e2e.spec.ts
+++ b/test/fields/e2e.spec.ts
@@ -4,16 +4,18 @@ import { AdminUrlUtil } from '../helpers/adminUrlUtil';
import { initPayloadE2E } from '../helpers/configHelpers';
import { login, saveDocAndAssert } from '../helpers';
import { textDoc } from './collections/Text';
+import { arrayFieldsSlug } from './collections/Array';
+import { pointFieldsSlug } from './collections/Point';
const { beforeAll, describe } = test;
let page: Page;
-let url: AdminUrlUtil;
+let serverURL;
describe('fields', () => {
beforeAll(async ({ browser }) => {
- const { serverURL } = await initPayloadE2E(__dirname);
- url = new AdminUrlUtil(serverURL, 'text-fields');
+ const config = await initPayloadE2E(__dirname);
+ serverURL = config.serverURL;
const context = await browser.newContext();
page = await context.newPage();
@@ -23,15 +25,22 @@ describe('fields', () => {
describe('text', () => {
test('should display field in list view', async () => {
+ const url: AdminUrlUtil = new AdminUrlUtil(serverURL, 'text-fields');
await page.goto(url.list);
const textCell = page.locator('table tr:first-child td:first-child a');
- await expect(textCell).toHaveText(textDoc.text);
+ await expect(textCell)
+ .toHaveText(textDoc.text);
});
});
describe('point', () => {
+ let url: AdminUrlUtil;
+ beforeAll(() => {
+ url = new AdminUrlUtil(serverURL, pointFieldsSlug);
+ });
+
test('should save point', async () => {
- await page.goto(url.create, 'point-fields');
+ await page.goto(url.create);
const longField = page.locator('#field-longitude-point');
await longField.fill('9');
@@ -44,13 +53,34 @@ describe('fields', () => {
const localizedLatField = page.locator('#field-latitude-localized');
await localizedLatField.fill('-1');
- const groupLongitude = page.locator('#field-longitude-group.point');
+ const groupLongitude = page.locator('#field-longitude-group__point');
await groupLongitude.fill('3');
- const groupLatField = page.locator('#field-latitude-group.point');
+ const groupLatField = page.locator('#field-latitude-group__point');
await groupLatField.fill('-8');
await saveDocAndAssert(page);
});
});
+
+ describe('fields - array', () => {
+ let url: AdminUrlUtil;
+ beforeAll(() => {
+ url = new AdminUrlUtil(serverURL, arrayFieldsSlug);
+ });
+
+ test('should be readOnly', async () => {
+ await page.goto(url.create);
+ const field = page.locator('#field-readOnly__0__text');
+ await expect(field)
+ .toBeDisabled();
+ });
+
+ test('should have defaultValue', async () => {
+ await page.goto(url.create);
+ const field = page.locator('#field-readOnly__0__text');
+ await expect(field)
+ .toHaveValue('defaultValue');
+ });
+ });
});
diff --git a/test/fields/int.spec.ts b/test/fields/int.spec.ts
index def1093a216..4f7fb8eb605 100644
--- a/test/fields/int.spec.ts
+++ b/test/fields/int.spec.ts
@@ -5,7 +5,7 @@ import payload from '../../src';
import { pointDoc } from './collections/Point';
import type { ArrayField, GroupField } from './payload-types';
import { arrayFieldsSlug, arrayDefaultValue } from './collections/Array';
-import { groupFieldsSlug, groupDefaultChild, groupDefaultValue } from './collections/Group';
+import { groupFieldsSlug, groupDefaultChild, groupDefaultValue, groupDoc } from './collections/Group';
import { defaultText } from './collections/Text';
let client;
@@ -80,6 +80,7 @@ describe('Fields', () => {
});
describe('array', () => {
let doc;
+ let arrayInGroupDoc;
const collection = arrayFieldsSlug;
beforeAll(async () => {
@@ -89,6 +90,14 @@ describe('Fields', () => {
});
});
+ it('should create with ids and nested ids', async () => {
+ const docWithIDs = await payload.create<GroupField>({
+ collection: groupFieldsSlug,
+ data: groupDoc,
+ });
+ expect(docWithIDs.group.subGroup.arrayWithinGroup[0].id).toBeDefined();
+ });
+
it('should create with defaultValue', async () => {
expect(doc.items).toMatchObject(arrayDefaultValue);
expect(doc.localized).toMatchObject(arrayDefaultValue);
@@ -137,18 +146,18 @@ describe('Fields', () => {
});
describe('group', () => {
- let groupDoc;
+ let document;
beforeAll(async () => {
- groupDoc = await payload.create<GroupField>({
+ document = await payload.create<GroupField>({
collection: groupFieldsSlug,
data: {},
});
});
it('should create with defaultValue', async () => {
- expect(groupDoc.group.defaultParent).toStrictEqual(groupDefaultValue);
- expect(groupDoc.group.defaultChild).toStrictEqual(groupDefaultChild);
+ expect(document.group.defaultParent).toStrictEqual(groupDefaultValue);
+ expect(document.group.defaultChild).toStrictEqual(groupDefaultChild);
});
});
});
diff --git a/test/fields/payload-types.ts b/test/fields/payload-types.ts
index 123ffc4e3f6..2986d43e5f9 100644
--- a/test/fields/payload-types.ts
+++ b/test/fields/payload-types.ts
@@ -20,6 +20,10 @@ export interface ArrayField {
text: string;
id?: string;
}[];
+ readOnly?: {
+ text?: string;
+ id?: string;
+ }[];
createdAt: string;
updatedAt: string;
}
@@ -105,6 +109,10 @@ export interface GroupField {
defaultChild?: string;
subGroup?: {
textWithinGroup?: string;
+ arrayWithinGroup?: {
+ textWithinArray?: string;
+ id?: string;
+ }[];
};
};
createdAt: string;
diff --git a/yarn.lock b/yarn.lock
index 541d516e3ce..2d765e197b7 100644
--- a/yarn.lock
+++ b/yarn.lock
@@ -20,9 +20,9 @@
js-yaml "^4.1.0"
"@babel/cli@^7.12.8":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/cli/-/cli-7.18.6.tgz#b1228eb9196b34d608155a47508011d9e47ab1f2"
- integrity sha512-jXNHoYCbxZ8rKy+2lyy0VjcaGxS4NPbN0qc95DjIiGZQL/mTNx3o2/yI0TG+X0VrrTuwmO7zH52T9NcNdbF9Uw==
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/cli/-/cli-7.18.9.tgz#1fbc8424e5f74ae08bc61ec71609af29287d82d2"
+ integrity sha512-e7TOtHVrAXBJGNgoROVxqx0mathd01oJGXIDekRfxdrISnRqfM795APwkDtse9GdyPYivjg3iXiko3sF3W7f5Q==
dependencies:
"@jridgewell/trace-mapping" "^0.3.8"
commander "^4.0.1"
@@ -42,38 +42,38 @@
dependencies:
"@babel/highlight" "^7.18.6"
-"@babel/compat-data@^7.13.11", "@babel/compat-data@^7.18.6":
+"@babel/compat-data@^7.13.11", "@babel/compat-data@^7.18.8":
version "7.18.8"
resolved "https://registry.npmjs.org/@babel/compat-data/-/compat-data-7.18.8.tgz#2483f565faca607b8535590e84e7de323f27764d"
integrity sha512-HSmX4WZPPK3FUxYp7g2T6EyO8j96HlZJlxmKPSh6KAcqwyDrfx7hKjXpAW/0FhFfTJsR0Yt4lAjLI2coMptIHQ==
"@babel/core@^7.1.0", "@babel/core@^7.11.6", "@babel/core@^7.12.3", "@babel/core@^7.7.5":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/core/-/core-7.18.6.tgz#54a107a3c298aee3fe5e1947a6464b9b6faca03d"
- integrity sha512-cQbWBpxcbbs/IUredIPkHiAGULLV8iwgNRMFzvbhEXISp4f3rUUXE5+TIw6KwUWUR3DwyI6gmBRnmAtYaWehwQ==
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/core/-/core-7.18.9.tgz#805461f967c77ff46c74ca0460ccf4fe933ddd59"
+ integrity sha512-1LIb1eL8APMy91/IMW+31ckrfBM4yCoLaVzoDhZUKSM4cu1L1nIidyxkCgzPAgrC5WEz36IPEr/eSeSF9pIn+g==
dependencies:
"@ampproject/remapping" "^2.1.0"
"@babel/code-frame" "^7.18.6"
- "@babel/generator" "^7.18.6"
- "@babel/helper-compilation-targets" "^7.18.6"
- "@babel/helper-module-transforms" "^7.18.6"
- "@babel/helpers" "^7.18.6"
- "@babel/parser" "^7.18.6"
+ "@babel/generator" "^7.18.9"
+ "@babel/helper-compilation-targets" "^7.18.9"
+ "@babel/helper-module-transforms" "^7.18.9"
+ "@babel/helpers" "^7.18.9"
+ "@babel/parser" "^7.18.9"
"@babel/template" "^7.18.6"
- "@babel/traverse" "^7.18.6"
- "@babel/types" "^7.18.6"
+ "@babel/traverse" "^7.18.9"
+ "@babel/types" "^7.18.9"
convert-source-map "^1.7.0"
debug "^4.1.0"
gensync "^1.0.0-beta.2"
json5 "^2.2.1"
semver "^6.3.0"
-"@babel/generator@^7.18.6", "@babel/generator@^7.18.7":
- version "7.18.7"
- resolved "https://registry.npmjs.org/@babel/generator/-/generator-7.18.7.tgz#2aa78da3c05aadfc82dbac16c99552fc802284bd"
- integrity sha512-shck+7VLlY72a2w9c3zYWuE1pwOKEiQHV7GTUbSnhyl5eu3i04t30tBY82ZRWrDfo3gkakCFtevExnxbkf2a3A==
+"@babel/generator@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/generator/-/generator-7.18.9.tgz#68337e9ea8044d6ddc690fb29acae39359cca0a5"
+ integrity sha512-wt5Naw6lJrL1/SGkipMiFxJjtyczUWTP38deiP1PO60HsBjDeKk08CGC3S8iVuvf0FmTdgKwU1KIXzSKL1G0Ug==
dependencies:
- "@babel/types" "^7.18.7"
+ "@babel/types" "^7.18.9"
"@jridgewell/gen-mapping" "^0.3.2"
jsesc "^2.5.1"
@@ -85,34 +85,34 @@
"@babel/types" "^7.18.6"
"@babel/helper-builder-binary-assignment-operator-visitor@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/helper-builder-binary-assignment-operator-visitor/-/helper-builder-binary-assignment-operator-visitor-7.18.6.tgz#f14d640ed1ee9246fb33b8255f08353acfe70e6a"
- integrity sha512-KT10c1oWEpmrIRYnthbzHgoOf6B+Xd6a5yhdbNtdhtG7aO1or5HViuf1TQR36xY/QprXA5nvxO6nAjhJ4y38jw==
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/helper-builder-binary-assignment-operator-visitor/-/helper-builder-binary-assignment-operator-visitor-7.18.9.tgz#acd4edfd7a566d1d51ea975dff38fd52906981bb"
+ integrity sha512-yFQ0YCHoIqarl8BCRwBL8ulYUaZpz3bNsA7oFepAzee+8/+ImtADXNOmO5vJvsPff3qi+hvpkY/NYBTrBQgdNw==
dependencies:
"@babel/helper-explode-assignable-expression" "^7.18.6"
- "@babel/types" "^7.18.6"
+ "@babel/types" "^7.18.9"
-"@babel/helper-compilation-targets@^7.13.0", "@babel/helper-compilation-targets@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/helper-compilation-targets/-/helper-compilation-targets-7.18.6.tgz#18d35bfb9f83b1293c22c55b3d576c1315b6ed96"
- integrity sha512-vFjbfhNCzqdeAtZflUFrG5YIFqGTqsctrtkZ1D/NB0mDW9TwW3GmmUepYY4G9wCET5rY5ugz4OGTcLd614IzQg==
+"@babel/helper-compilation-targets@^7.13.0", "@babel/helper-compilation-targets@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/helper-compilation-targets/-/helper-compilation-targets-7.18.9.tgz#69e64f57b524cde3e5ff6cc5a9f4a387ee5563bf"
+ integrity sha512-tzLCyVmqUiFlcFoAPLA/gL9TeYrF61VLNtb+hvkuVaB5SUjW7jcfrglBIX1vUIoT7CLP3bBlIMeyEsIl2eFQNg==
dependencies:
- "@babel/compat-data" "^7.18.6"
+ "@babel/compat-data" "^7.18.8"
"@babel/helper-validator-option" "^7.18.6"
browserslist "^4.20.2"
semver "^6.3.0"
"@babel/helper-create-class-features-plugin@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/helper-create-class-features-plugin/-/helper-create-class-features-plugin-7.18.6.tgz#6f15f8459f3b523b39e00a99982e2c040871ed72"
- integrity sha512-YfDzdnoxHGV8CzqHGyCbFvXg5QESPFkXlHtvdCkesLjjVMT2Adxe4FGUR5ChIb3DxSaXO12iIOCWoXdsUVwnqw==
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/helper-create-class-features-plugin/-/helper-create-class-features-plugin-7.18.9.tgz#d802ee16a64a9e824fcbf0a2ffc92f19d58550ce"
+ integrity sha512-WvypNAYaVh23QcjpMR24CwZY2Nz6hqdOcFdPbNpV56hL5H6KiFheO7Xm1aPdlLQ7d5emYZX7VZwPp9x3z+2opw==
dependencies:
"@babel/helper-annotate-as-pure" "^7.18.6"
- "@babel/helper-environment-visitor" "^7.18.6"
- "@babel/helper-function-name" "^7.18.6"
- "@babel/helper-member-expression-to-functions" "^7.18.6"
+ "@babel/helper-environment-visitor" "^7.18.9"
+ "@babel/helper-function-name" "^7.18.9"
+ "@babel/helper-member-expression-to-functions" "^7.18.9"
"@babel/helper-optimise-call-expression" "^7.18.6"
- "@babel/helper-replace-supers" "^7.18.6"
+ "@babel/helper-replace-supers" "^7.18.9"
"@babel/helper-split-export-declaration" "^7.18.6"
"@babel/helper-create-regexp-features-plugin@^7.18.6":
@@ -137,10 +137,10 @@
resolve "^1.14.2"
semver "^6.1.2"
-"@babel/helper-environment-visitor@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/helper-environment-visitor/-/helper-environment-visitor-7.18.6.tgz#b7eee2b5b9d70602e59d1a6cad7dd24de7ca6cd7"
- integrity sha512-8n6gSfn2baOY+qlp+VSzsosjCVGFqWKmDF0cCWOybh52Dw3SEyoWR1KrhMJASjLwIEkkAufZ0xvr+SxLHSpy2Q==
+"@babel/helper-environment-visitor@^7.18.6", "@babel/helper-environment-visitor@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/helper-environment-visitor/-/helper-environment-visitor-7.18.9.tgz#0c0cee9b35d2ca190478756865bb3528422f51be"
+ integrity sha512-3r/aACDJ3fhQ/EVgFy0hpj8oHyHpQc+LPtJoY9SzTThAsStm4Ptegq92vqKoE3vD706ZVFWITnMnxucw+S9Ipg==
"@babel/helper-explode-assignable-expression@^7.18.6":
version "7.18.6"
@@ -149,13 +149,13 @@
dependencies:
"@babel/types" "^7.18.6"
-"@babel/helper-function-name@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/helper-function-name/-/helper-function-name-7.18.6.tgz#8334fecb0afba66e6d87a7e8c6bb7fed79926b83"
- integrity sha512-0mWMxV1aC97dhjCah5U5Ua7668r5ZmSC2DLfH2EZnf9c3/dHZKiFa5pRLMH5tjSl471tY6496ZWk/kjNONBxhw==
+"@babel/helper-function-name@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/helper-function-name/-/helper-function-name-7.18.9.tgz#940e6084a55dee867d33b4e487da2676365e86b0"
+ integrity sha512-fJgWlZt7nxGksJS9a0XdSaI4XvpExnNIgRP+rVefWh5U7BL8pPuir6SJUmFKRfjWQ51OtWSzwOxhaH/EBWWc0A==
dependencies:
"@babel/template" "^7.18.6"
- "@babel/types" "^7.18.6"
+ "@babel/types" "^7.18.9"
"@babel/helper-hoist-variables@^7.18.6":
version "7.18.6"
@@ -164,12 +164,12 @@
dependencies:
"@babel/types" "^7.18.6"
-"@babel/helper-member-expression-to-functions@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/helper-member-expression-to-functions/-/helper-member-expression-to-functions-7.18.6.tgz#44802d7d602c285e1692db0bad9396d007be2afc"
- integrity sha512-CeHxqwwipekotzPDUuJOfIMtcIHBuc7WAzLmTYWctVigqS5RktNMQ5bEwQSuGewzYnCtTWa3BARXeiLxDTv+Ng==
+"@babel/helper-member-expression-to-functions@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/helper-member-expression-to-functions/-/helper-member-expression-to-functions-7.18.9.tgz#1531661e8375af843ad37ac692c132841e2fd815"
+ integrity sha512-RxifAh2ZoVU67PyKIO4AMi1wTenGfMR/O/ae0CCRqwgBAt5v7xjdtRw7UoSbsreKrQn5t7r89eruK/9JjYHuDg==
dependencies:
- "@babel/types" "^7.18.6"
+ "@babel/types" "^7.18.9"
"@babel/helper-module-imports@^7.0.0", "@babel/helper-module-imports@^7.12.13", "@babel/helper-module-imports@^7.18.6":
version "7.18.6"
@@ -178,19 +178,19 @@
dependencies:
"@babel/types" "^7.18.6"
-"@babel/helper-module-transforms@^7.18.6":
- version "7.18.8"
- resolved "https://registry.npmjs.org/@babel/helper-module-transforms/-/helper-module-transforms-7.18.8.tgz#4f8408afead0188cfa48672f9d0e5787b61778c8"
- integrity sha512-che3jvZwIcZxrwh63VfnFTUzcAM9v/lznYkkRxIBGMPt1SudOKHAEec0SIRCfiuIzTcF7VGj/CaTT6gY4eWxvA==
+"@babel/helper-module-transforms@^7.18.6", "@babel/helper-module-transforms@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/helper-module-transforms/-/helper-module-transforms-7.18.9.tgz#5a1079c005135ed627442df31a42887e80fcb712"
+ integrity sha512-KYNqY0ICwfv19b31XzvmI/mfcylOzbLtowkw+mfvGPAQ3kfCnMLYbED3YecL5tPd8nAYFQFAd6JHp2LxZk/J1g==
dependencies:
- "@babel/helper-environment-visitor" "^7.18.6"
+ "@babel/helper-environment-visitor" "^7.18.9"
"@babel/helper-module-imports" "^7.18.6"
"@babel/helper-simple-access" "^7.18.6"
"@babel/helper-split-export-declaration" "^7.18.6"
"@babel/helper-validator-identifier" "^7.18.6"
"@babel/template" "^7.18.6"
- "@babel/traverse" "^7.18.8"
- "@babel/types" "^7.18.8"
+ "@babel/traverse" "^7.18.9"
+ "@babel/types" "^7.18.9"
"@babel/helper-optimise-call-expression@^7.18.6":
version "7.18.6"
@@ -199,31 +199,31 @@
dependencies:
"@babel/types" "^7.18.6"
-"@babel/helper-plugin-utils@^7.0.0", "@babel/helper-plugin-utils@^7.10.4", "@babel/helper-plugin-utils@^7.12.13", "@babel/helper-plugin-utils@^7.13.0", "@babel/helper-plugin-utils@^7.14.5", "@babel/helper-plugin-utils@^7.18.6", "@babel/helper-plugin-utils@^7.8.0", "@babel/helper-plugin-utils@^7.8.3":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/helper-plugin-utils/-/helper-plugin-utils-7.18.6.tgz#9448974dd4fb1d80fefe72e8a0af37809cd30d6d"
- integrity sha512-gvZnm1YAAxh13eJdkb9EWHBnF3eAub3XTLCZEehHT2kWxiKVRL64+ae5Y6Ivne0mVHmMYKT+xWgZO+gQhuLUBg==
+"@babel/helper-plugin-utils@^7.0.0", "@babel/helper-plugin-utils@^7.10.4", "@babel/helper-plugin-utils@^7.12.13", "@babel/helper-plugin-utils@^7.13.0", "@babel/helper-plugin-utils@^7.14.5", "@babel/helper-plugin-utils@^7.18.6", "@babel/helper-plugin-utils@^7.18.9", "@babel/helper-plugin-utils@^7.8.0", "@babel/helper-plugin-utils@^7.8.3":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/helper-plugin-utils/-/helper-plugin-utils-7.18.9.tgz#4b8aea3b069d8cb8a72cdfe28ddf5ceca695ef2f"
+ integrity sha512-aBXPT3bmtLryXaoJLyYPXPlSD4p1ld9aYeR+sJNOZjJJGiOpb+fKfh3NkcCu7J54nUJwCERPBExCCpyCOHnu/w==
"@babel/helper-remap-async-to-generator@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/helper-remap-async-to-generator/-/helper-remap-async-to-generator-7.18.6.tgz#fa1f81acd19daee9d73de297c0308783cd3cfc23"
- integrity sha512-z5wbmV55TveUPZlCLZvxWHtrjuJd+8inFhk7DG0WW87/oJuGDcjDiu7HIvGcpf5464L6xKCg3vNkmlVVz9hwyQ==
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/helper-remap-async-to-generator/-/helper-remap-async-to-generator-7.18.9.tgz#997458a0e3357080e54e1d79ec347f8a8cd28519"
+ integrity sha512-dI7q50YKd8BAv3VEfgg7PS7yD3Rtbi2J1XMXaalXO0W0164hYLnh8zpjRS0mte9MfVp/tltvr/cfdXPvJr1opA==
dependencies:
"@babel/helper-annotate-as-pure" "^7.18.6"
- "@babel/helper-environment-visitor" "^7.18.6"
- "@babel/helper-wrap-function" "^7.18.6"
- "@babel/types" "^7.18.6"
+ "@babel/helper-environment-visitor" "^7.18.9"
+ "@babel/helper-wrap-function" "^7.18.9"
+ "@babel/types" "^7.18.9"
-"@babel/helper-replace-supers@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/helper-replace-supers/-/helper-replace-supers-7.18.6.tgz#efedf51cfccea7b7b8c0f00002ab317e7abfe420"
- integrity sha512-fTf7zoXnUGl9gF25fXCWE26t7Tvtyn6H4hkLSYhATwJvw2uYxd3aoXplMSe0g9XbwK7bmxNes7+FGO0rB/xC0g==
+"@babel/helper-replace-supers@^7.18.6", "@babel/helper-replace-supers@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/helper-replace-supers/-/helper-replace-supers-7.18.9.tgz#1092e002feca980fbbb0bd4d51b74a65c6a500e6"
+ integrity sha512-dNsWibVI4lNT6HiuOIBr1oyxo40HvIVmbwPUm3XZ7wMh4k2WxrxTqZwSqw/eEmXDS9np0ey5M2bz9tBmO9c+YQ==
dependencies:
- "@babel/helper-environment-visitor" "^7.18.6"
- "@babel/helper-member-expression-to-functions" "^7.18.6"
+ "@babel/helper-environment-visitor" "^7.18.9"
+ "@babel/helper-member-expression-to-functions" "^7.18.9"
"@babel/helper-optimise-call-expression" "^7.18.6"
- "@babel/traverse" "^7.18.6"
- "@babel/types" "^7.18.6"
+ "@babel/traverse" "^7.18.9"
+ "@babel/types" "^7.18.9"
"@babel/helper-simple-access@^7.18.6":
version "7.18.6"
@@ -232,12 +232,12 @@
dependencies:
"@babel/types" "^7.18.6"
-"@babel/helper-skip-transparent-expression-wrappers@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/helper-skip-transparent-expression-wrappers/-/helper-skip-transparent-expression-wrappers-7.18.6.tgz#7dff00a5320ca4cf63270e5a0eca4b268b7380d9"
- integrity sha512-4KoLhwGS9vGethZpAhYnMejWkX64wsnHPDwvOsKWU6Fg4+AlK2Jz3TyjQLMEPvz+1zemi/WBdkYxCD0bAfIkiw==
+"@babel/helper-skip-transparent-expression-wrappers@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/helper-skip-transparent-expression-wrappers/-/helper-skip-transparent-expression-wrappers-7.18.9.tgz#778d87b3a758d90b471e7b9918f34a9a02eb5818"
+ integrity sha512-imytd2gHi3cJPsybLRbmFrF7u5BIEuI2cNheyKi3/iOBC63kNn3q8Crn2xVuESli0aM4KYsyEqKyS7lFL8YVtw==
dependencies:
- "@babel/types" "^7.18.6"
+ "@babel/types" "^7.18.9"
"@babel/helper-split-export-declaration@^7.18.6":
version "7.18.6"
@@ -256,24 +256,24 @@
resolved "https://registry.npmjs.org/@babel/helper-validator-option/-/helper-validator-option-7.18.6.tgz#bf0d2b5a509b1f336099e4ff36e1a63aa5db4db8"
integrity sha512-XO7gESt5ouv/LRJdrVjkShckw6STTaB7l9BrpBaAHDeF5YZT+01PCwmR0SJHnkW6i8OwW/EVWRShfi4j2x+KQw==
-"@babel/helper-wrap-function@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/helper-wrap-function/-/helper-wrap-function-7.18.6.tgz#ec44ea4ad9d8988b90c3e465ba2382f4de81a073"
- integrity sha512-I5/LZfozwMNbwr/b1vhhuYD+J/mU+gfGAj5td7l5Rv9WYmH6i3Om69WGKNmlIpsVW/mF6O5bvTKbvDQZVgjqOw==
+"@babel/helper-wrap-function@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/helper-wrap-function/-/helper-wrap-function-7.18.9.tgz#ae1feddc6ebbaa2fd79346b77821c3bd73a39646"
+ integrity sha512-cG2ru3TRAL6a60tfQflpEfs4ldiPwF6YW3zfJiRgmoFVIaC1vGnBBgatfec+ZUziPHkHSaXAuEck3Cdkf3eRpQ==
dependencies:
- "@babel/helper-function-name" "^7.18.6"
+ "@babel/helper-function-name" "^7.18.9"
"@babel/template" "^7.18.6"
- "@babel/traverse" "^7.18.6"
- "@babel/types" "^7.18.6"
+ "@babel/traverse" "^7.18.9"
+ "@babel/types" "^7.18.9"
-"@babel/helpers@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/helpers/-/helpers-7.18.6.tgz#4c966140eaa1fcaa3d5a8c09d7db61077d4debfd"
- integrity sha512-vzSiiqbQOghPngUYt/zWGvK3LAsPhz55vc9XNN0xAl2gV4ieShI2OQli5duxWHD+72PZPTKAcfcZDE1Cwc5zsQ==
+"@babel/helpers@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/helpers/-/helpers-7.18.9.tgz#4bef3b893f253a1eced04516824ede94dcfe7ff9"
+ integrity sha512-Jf5a+rbrLoR4eNdUmnFu8cN5eNJT6qdTdOg5IHIzq87WwyRw9PwguLFOWYgktN/60IP4fgDUawJvs7PjQIzELQ==
dependencies:
"@babel/template" "^7.18.6"
- "@babel/traverse" "^7.18.6"
- "@babel/types" "^7.18.6"
+ "@babel/traverse" "^7.18.9"
+ "@babel/types" "^7.18.9"
"@babel/highlight@^7.18.6":
version "7.18.6"
@@ -285,21 +285,21 @@
js-tokens "^4.0.0"
"@babel/node@^7.12.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/node/-/node-7.18.6.tgz#4a27b6948c37631cb6e9f3a8807d2c2491f01427"
- integrity sha512-48yK3pH9sszJCxkJcKhGTpbnRKPVJJrvs8TcAYEPNNL9ocEOXBtDBmNqp/mNnYytIIloJ6OrTndMoNaCg9v4fA==
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/node/-/node-7.18.9.tgz#6a40aea1c7058d3dbda940b6fc7f2ea6ad9dbb09"
+ integrity sha512-fB7KOLz3l2r8g5xxyNf+F5yYhSnsKKjsOwNGwIJYWwDPYabBIamDZfTiPj9rwvmbatv5VEjiJqRgRDoBRrF3Sw==
dependencies:
- "@babel/register" "^7.18.6"
+ "@babel/register" "^7.18.9"
commander "^4.0.1"
core-js "^3.22.1"
node-environment-flags "^1.0.5"
regenerator-runtime "^0.13.4"
v8flags "^3.1.1"
-"@babel/parser@^7.1.0", "@babel/parser@^7.14.7", "@babel/parser@^7.18.6", "@babel/parser@^7.18.8", "@babel/parser@^7.7.0":
- version "7.18.8"
- resolved "https://registry.npmjs.org/@babel/parser/-/parser-7.18.8.tgz#822146080ac9c62dac0823bb3489622e0bc1cbdf"
- integrity sha512-RSKRfYX20dyH+elbJK2uqAkVyucL+xXzhqlMD5/ZXx+dAAwpyB7HsvnHe/ZUGOF+xLr5Wx9/JoXVTj6BQE2/oA==
+"@babel/parser@^7.1.0", "@babel/parser@^7.14.7", "@babel/parser@^7.18.6", "@babel/parser@^7.18.9", "@babel/parser@^7.7.0":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/parser/-/parser-7.18.9.tgz#f2dde0c682ccc264a9a8595efd030a5cc8fd2539"
+ integrity sha512-9uJveS9eY9DJ0t64YbIBZICtJy8a5QrDEVdiLCG97fVLpDTpGX7t8mMSb6OWw6Lrnjqj4O8zwjELX3dhoMgiBg==
"@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression@^7.18.6":
version "7.18.6"
@@ -308,14 +308,14 @@
dependencies:
"@babel/helper-plugin-utils" "^7.18.6"
-"@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining/-/plugin-bugfix-v8-spread-parameters-in-optional-chaining-7.18.6.tgz#b4e4dbc2cd1acd0133479918f7c6412961c9adb8"
- integrity sha512-Udgu8ZRgrBrttVz6A0EVL0SJ1z+RLbIeqsu632SA1hf0awEppD6TvdznoH+orIF8wtFFAV/Enmw9Y+9oV8TQcw==
+"@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining/-/plugin-bugfix-v8-spread-parameters-in-optional-chaining-7.18.9.tgz#a11af19aa373d68d561f08e0a57242350ed0ec50"
+ integrity sha512-AHrP9jadvH7qlOj6PINbgSuphjQUAK7AOT7DPjBo9EHoLhQTnnK5u45e1Hd4DbSQEO9nqPWtQ89r+XEOWFScKg==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
- "@babel/helper-skip-transparent-expression-wrappers" "^7.18.6"
- "@babel/plugin-proposal-optional-chaining" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.18.9"
+ "@babel/helper-skip-transparent-expression-wrappers" "^7.18.9"
+ "@babel/plugin-proposal-optional-chaining" "^7.18.9"
"@babel/plugin-proposal-async-generator-functions@^7.18.6":
version "7.18.6"
@@ -352,12 +352,12 @@
"@babel/helper-plugin-utils" "^7.18.6"
"@babel/plugin-syntax-dynamic-import" "^7.8.3"
-"@babel/plugin-proposal-export-namespace-from@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/plugin-proposal-export-namespace-from/-/plugin-proposal-export-namespace-from-7.18.6.tgz#1016f0aa5ab383bbf8b3a85a2dcaedf6c8ee7491"
- integrity sha512-zr/QcUlUo7GPo6+X1wC98NJADqmy5QTFWWhqeQWiki4XHafJtLl/YMGkmRB2szDD2IYJCCdBTd4ElwhId9T7Xw==
+"@babel/plugin-proposal-export-namespace-from@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/plugin-proposal-export-namespace-from/-/plugin-proposal-export-namespace-from-7.18.9.tgz#5f7313ab348cdb19d590145f9247540e94761203"
+ integrity sha512-k1NtHyOMvlDDFeb9G5PhUXuGj8m/wiwojgQVEhJ/fsVsMCpLyOP4h0uGEjYJKrRI+EVPlb5Jk+Gt9P97lOGwtA==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.18.9"
"@babel/plugin-syntax-export-namespace-from" "^7.8.3"
"@babel/plugin-proposal-json-strings@^7.18.6":
@@ -368,12 +368,12 @@
"@babel/helper-plugin-utils" "^7.18.6"
"@babel/plugin-syntax-json-strings" "^7.8.3"
-"@babel/plugin-proposal-logical-assignment-operators@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/plugin-proposal-logical-assignment-operators/-/plugin-proposal-logical-assignment-operators-7.18.6.tgz#3b9cac6f1ffc2aa459d111df80c12020dfc6b665"
- integrity sha512-zMo66azZth/0tVd7gmkxOkOjs2rpHyhpcFo565PUP37hSp6hSd9uUKIfTDFMz58BwqgQKhJ9YxtM5XddjXVn+Q==
+"@babel/plugin-proposal-logical-assignment-operators@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/plugin-proposal-logical-assignment-operators/-/plugin-proposal-logical-assignment-operators-7.18.9.tgz#8148cbb350483bf6220af06fa6db3690e14b2e23"
+ integrity sha512-128YbMpjCrP35IOExw2Fq+x55LMP42DzhOhX2aNNIdI9avSWl2PI0yuBWarr3RYpZBSPtabfadkH2yeRiMD61Q==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.18.9"
"@babel/plugin-syntax-logical-assignment-operators" "^7.10.4"
"@babel/plugin-proposal-nullish-coalescing-operator@^7.14.2", "@babel/plugin-proposal-nullish-coalescing-operator@^7.18.6":
@@ -392,16 +392,16 @@
"@babel/helper-plugin-utils" "^7.18.6"
"@babel/plugin-syntax-numeric-separator" "^7.10.4"
-"@babel/plugin-proposal-object-rest-spread@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/plugin-proposal-object-rest-spread/-/plugin-proposal-object-rest-spread-7.18.6.tgz#ec93bba06bfb3e15ebd7da73e953d84b094d5daf"
- integrity sha512-9yuM6wr4rIsKa1wlUAbZEazkCrgw2sMPEXCr4Rnwetu7cEW1NydkCWytLuYletbf8vFxdJxFhwEZqMpOx2eZyw==
+"@babel/plugin-proposal-object-rest-spread@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/plugin-proposal-object-rest-spread/-/plugin-proposal-object-rest-spread-7.18.9.tgz#f9434f6beb2c8cae9dfcf97d2a5941bbbf9ad4e7"
+ integrity sha512-kDDHQ5rflIeY5xl69CEqGEZ0KY369ehsCIEbTGb4siHG5BE9sga/T0r0OUwyZNLMmZE79E1kbsqAjwFCW4ds6Q==
dependencies:
- "@babel/compat-data" "^7.18.6"
- "@babel/helper-compilation-targets" "^7.18.6"
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/compat-data" "^7.18.8"
+ "@babel/helper-compilation-targets" "^7.18.9"
+ "@babel/helper-plugin-utils" "^7.18.9"
"@babel/plugin-syntax-object-rest-spread" "^7.8.3"
- "@babel/plugin-transform-parameters" "^7.18.6"
+ "@babel/plugin-transform-parameters" "^7.18.8"
"@babel/plugin-proposal-optional-catch-binding@^7.18.6":
version "7.18.6"
@@ -411,13 +411,13 @@
"@babel/helper-plugin-utils" "^7.18.6"
"@babel/plugin-syntax-optional-catch-binding" "^7.8.3"
-"@babel/plugin-proposal-optional-chaining@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/plugin-proposal-optional-chaining/-/plugin-proposal-optional-chaining-7.18.6.tgz#46d4f2ffc20e87fad1d98bc4fa5d466366f6aa0b"
- integrity sha512-PatI6elL5eMzoypFAiYDpYQyMtXTn+iMhuxxQt5mAXD4fEmKorpSI3PHd+i3JXBJN3xyA6MvJv7at23HffFHwA==
+"@babel/plugin-proposal-optional-chaining@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/plugin-proposal-optional-chaining/-/plugin-proposal-optional-chaining-7.18.9.tgz#e8e8fe0723f2563960e4bf5e9690933691915993"
+ integrity sha512-v5nwt4IqBXihxGsW2QmCWMDS3B3bzGIk/EQVZz2ei7f3NJl8NzAJVvUmpDW5q1CRNY+Beb/k58UAH1Km1N411w==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
- "@babel/helper-skip-transparent-expression-wrappers" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.18.9"
+ "@babel/helper-skip-transparent-expression-wrappers" "^7.18.9"
"@babel/plugin-syntax-optional-chaining" "^7.8.3"
"@babel/plugin-proposal-private-methods@^7.18.6":
@@ -602,40 +602,40 @@
dependencies:
"@babel/helper-plugin-utils" "^7.18.6"
-"@babel/plugin-transform-block-scoping@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-block-scoping/-/plugin-transform-block-scoping-7.18.6.tgz#b5f78318914615397d86a731ef2cc668796a726c"
- integrity sha512-pRqwb91C42vs1ahSAWJkxOxU1RHWDn16XAa6ggQ72wjLlWyYeAcLvTtE0aM8ph3KNydy9CQF2nLYcjq1WysgxQ==
+"@babel/plugin-transform-block-scoping@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/plugin-transform-block-scoping/-/plugin-transform-block-scoping-7.18.9.tgz#f9b7e018ac3f373c81452d6ada8bd5a18928926d"
+ integrity sha512-5sDIJRV1KtQVEbt/EIBwGy4T01uYIo4KRB3VUqzkhrAIOGx7AoctL9+Ux88btY0zXdDyPJ9mW+bg+v+XEkGmtw==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.18.9"
-"@babel/plugin-transform-classes@^7.18.6":
- version "7.18.8"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-classes/-/plugin-transform-classes-7.18.8.tgz#7e85777e622e979c85c701a095280360b818ce49"
- integrity sha512-RySDoXdF6hgHSHuAW4aLGyVQdmvEX/iJtjVre52k0pxRq4hzqze+rAVP++NmNv596brBpYmaiKgTZby7ziBnVg==
+"@babel/plugin-transform-classes@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/plugin-transform-classes/-/plugin-transform-classes-7.18.9.tgz#90818efc5b9746879b869d5ce83eb2aa48bbc3da"
+ integrity sha512-EkRQxsxoytpTlKJmSPYrsOMjCILacAjtSVkd4gChEe2kXjFCun3yohhW5I7plXJhCemM0gKsaGMcO8tinvCA5g==
dependencies:
"@babel/helper-annotate-as-pure" "^7.18.6"
- "@babel/helper-environment-visitor" "^7.18.6"
- "@babel/helper-function-name" "^7.18.6"
+ "@babel/helper-environment-visitor" "^7.18.9"
+ "@babel/helper-function-name" "^7.18.9"
"@babel/helper-optimise-call-expression" "^7.18.6"
- "@babel/helper-plugin-utils" "^7.18.6"
- "@babel/helper-replace-supers" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.18.9"
+ "@babel/helper-replace-supers" "^7.18.9"
"@babel/helper-split-export-declaration" "^7.18.6"
globals "^11.1.0"
-"@babel/plugin-transform-computed-properties@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-computed-properties/-/plugin-transform-computed-properties-7.18.6.tgz#5d15eb90e22e69604f3348344c91165c5395d032"
- integrity sha512-9repI4BhNrR0KenoR9vm3/cIc1tSBIo+u1WVjKCAynahj25O8zfbiE6JtAtHPGQSs4yZ+bA8mRasRP+qc+2R5A==
+"@babel/plugin-transform-computed-properties@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/plugin-transform-computed-properties/-/plugin-transform-computed-properties-7.18.9.tgz#2357a8224d402dad623caf6259b611e56aec746e"
+ integrity sha512-+i0ZU1bCDymKakLxn5srGHrsAPRELC2WIbzwjLhHW9SIE1cPYkLCL0NlnXMZaM1vhfgA2+M7hySk42VBvrkBRw==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.18.9"
-"@babel/plugin-transform-destructuring@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-destructuring/-/plugin-transform-destructuring-7.18.6.tgz#a98b0e42c7ffbf5eefcbcf33280430f230895c6f"
- integrity sha512-tgy3u6lRp17ilY8r1kP4i2+HDUwxlVqq3RTc943eAWSzGgpU1qhiKpqZ5CMyHReIYPHdo3Kg8v8edKtDqSVEyQ==
+"@babel/plugin-transform-destructuring@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/plugin-transform-destructuring/-/plugin-transform-destructuring-7.18.9.tgz#68906549c021cb231bee1db21d3b5b095f8ee292"
+ integrity sha512-p5VCYNddPLkZTq4XymQIaIfZNJwT9YsjkPOhkVEqt6QIpQFZVM9IltqqYpOEkJoN1DPznmxUDyZ5CTZs/ZCuHA==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.18.9"
"@babel/plugin-transform-dotall-regex@^7.18.6", "@babel/plugin-transform-dotall-regex@^7.4.4":
version "7.18.6"
@@ -645,12 +645,12 @@
"@babel/helper-create-regexp-features-plugin" "^7.18.6"
"@babel/helper-plugin-utils" "^7.18.6"
-"@babel/plugin-transform-duplicate-keys@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-duplicate-keys/-/plugin-transform-duplicate-keys-7.18.6.tgz#e6c94e8cd3c9dd8a88144f7b78ae22975a7ff473"
- integrity sha512-NJU26U/208+sxYszf82nmGYqVF9QN8py2HFTblPT9hbawi8+1C5a9JubODLTGFuT0qlkqVinmkwOD13s0sZktg==
+"@babel/plugin-transform-duplicate-keys@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/plugin-transform-duplicate-keys/-/plugin-transform-duplicate-keys-7.18.9.tgz#687f15ee3cdad6d85191eb2a372c4528eaa0ae0e"
+ integrity sha512-d2bmXCtZXYc59/0SanQKbiWINadaJXqtvIQIzd4+hNwkWBgyCd5F/2t1kXoUdvPMrxzPvhK6EMQRROxsue+mfw==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.18.9"
"@babel/plugin-transform-exponentiation-operator@^7.18.6":
version "7.18.6"
@@ -660,28 +660,28 @@
"@babel/helper-builder-binary-assignment-operator-visitor" "^7.18.6"
"@babel/helper-plugin-utils" "^7.18.6"
-"@babel/plugin-transform-for-of@^7.18.6":
+"@babel/plugin-transform-for-of@^7.18.8":
version "7.18.8"
resolved "https://registry.npmjs.org/@babel/plugin-transform-for-of/-/plugin-transform-for-of-7.18.8.tgz#6ef8a50b244eb6a0bdbad0c7c61877e4e30097c1"
integrity sha512-yEfTRnjuskWYo0k1mHUqrVWaZwrdq8AYbfrpqULOJOaucGSp4mNMVps+YtA8byoevxS/urwU75vyhQIxcCgiBQ==
dependencies:
"@babel/helper-plugin-utils" "^7.18.6"
-"@babel/plugin-transform-function-name@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-function-name/-/plugin-transform-function-name-7.18.6.tgz#6a7e4ae2893d336fd1b8f64c9f92276391d0f1b4"
- integrity sha512-kJha/Gbs5RjzIu0CxZwf5e3aTTSlhZnHMT8zPWnJMjNpLOUgqevg+PN5oMH68nMCXnfiMo4Bhgxqj59KHTlAnA==
+"@babel/plugin-transform-function-name@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/plugin-transform-function-name/-/plugin-transform-function-name-7.18.9.tgz#cc354f8234e62968946c61a46d6365440fc764e0"
+ integrity sha512-WvIBoRPaJQ5yVHzcnJFor7oS5Ls0PYixlTYE63lCj2RtdQEl15M68FXQlxnG6wdraJIXRdR7KI+hQ7q/9QjrCQ==
dependencies:
- "@babel/helper-compilation-targets" "^7.18.6"
- "@babel/helper-function-name" "^7.18.6"
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-compilation-targets" "^7.18.9"
+ "@babel/helper-function-name" "^7.18.9"
+ "@babel/helper-plugin-utils" "^7.18.9"
-"@babel/plugin-transform-literals@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-literals/-/plugin-transform-literals-7.18.6.tgz#9d6af353b5209df72960baf4492722d56f39a205"
- integrity sha512-x3HEw0cJZVDoENXOp20HlypIHfl0zMIhMVZEBVTfmqbObIpsMxMbmU5nOEO8R7LYT+z5RORKPlTI5Hj4OsO9/Q==
+"@babel/plugin-transform-literals@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/plugin-transform-literals/-/plugin-transform-literals-7.18.9.tgz#72796fdbef80e56fba3c6a699d54f0de557444bc"
+ integrity sha512-IFQDSRoTPnrAIrI5zoZv73IFeZu2dhu6irxQjY9rNjTT53VmKg9fenjvoiOWOkJ6mm4jKVPtdMzBY98Fp4Z4cg==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.18.9"
"@babel/plugin-transform-member-expression-literals@^7.18.6":
version "7.18.6"
@@ -709,14 +709,14 @@
"@babel/helper-simple-access" "^7.18.6"
babel-plugin-dynamic-import-node "^2.3.3"
-"@babel/plugin-transform-modules-systemjs@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-modules-systemjs/-/plugin-transform-modules-systemjs-7.18.6.tgz#026511b7657d63bf5d4cf2fd4aeb963139914a54"
- integrity sha512-UbPYpXxLjTw6w6yXX2BYNxF3p6QY225wcTkfQCy3OMnSlS/C3xGtwUjEzGkldb/sy6PWLiCQ3NbYfjWUTI3t4g==
+"@babel/plugin-transform-modules-systemjs@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/plugin-transform-modules-systemjs/-/plugin-transform-modules-systemjs-7.18.9.tgz#545df284a7ac6a05125e3e405e536c5853099a06"
+ integrity sha512-zY/VSIbbqtoRoJKo2cDTewL364jSlZGvn0LKOf9ntbfxOvjfmyrdtEEOAdswOswhZEb8UH3jDkCKHd1sPgsS0A==
dependencies:
"@babel/helper-hoist-variables" "^7.18.6"
- "@babel/helper-module-transforms" "^7.18.6"
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-module-transforms" "^7.18.9"
+ "@babel/helper-plugin-utils" "^7.18.9"
"@babel/helper-validator-identifier" "^7.18.6"
babel-plugin-dynamic-import-node "^2.3.3"
@@ -751,7 +751,7 @@
"@babel/helper-plugin-utils" "^7.18.6"
"@babel/helper-replace-supers" "^7.18.6"
-"@babel/plugin-transform-parameters@^7.18.6":
+"@babel/plugin-transform-parameters@^7.18.8":
version "7.18.8"
resolved "https://registry.npmjs.org/@babel/plugin-transform-parameters/-/plugin-transform-parameters-7.18.8.tgz#ee9f1a0ce6d78af58d0956a9378ea3427cccb48a"
integrity sha512-ivfbE3X2Ss+Fj8nnXvKJS6sjRG4gzwPMsP+taZC+ZzEGjAYlvENixmt1sZ5Ca6tWls+BlKSGKPJ6OOXvXCbkFg==
@@ -814,12 +814,12 @@
"@babel/helper-plugin-utils" "^7.18.6"
"@babel/plugin-transform-runtime@^7.11.5":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-runtime/-/plugin-transform-runtime-7.18.6.tgz#77b14416015ea93367ca06979710f5000ff34ccb"
- integrity sha512-8uRHk9ZmRSnWqUgyae249EJZ94b0yAGLBIqzZzl+0iEdbno55Pmlt/32JZsHwXD9k/uZj18Aqqk35wBX4CBTXA==
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/plugin-transform-runtime/-/plugin-transform-runtime-7.18.9.tgz#d9e4b1b25719307bfafbf43065ed7fb3a83adb8f"
+ integrity sha512-wS8uJwBt7/b/mzE13ktsJdmS4JP/j7PQSaADtnb4I2wL0zK51MQ0pmF8/Jy0wUIS96fr+fXT6S/ifiPXnvrlSg==
dependencies:
"@babel/helper-module-imports" "^7.18.6"
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.18.9"
babel-plugin-polyfill-corejs2 "^0.3.1"
babel-plugin-polyfill-corejs3 "^0.5.2"
babel-plugin-polyfill-regenerator "^0.3.1"
@@ -832,13 +832,13 @@
dependencies:
"@babel/helper-plugin-utils" "^7.18.6"
-"@babel/plugin-transform-spread@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-spread/-/plugin-transform-spread-7.18.6.tgz#82b080241965f1689f0a60ecc6f1f6575dbdb9d6"
- integrity sha512-ayT53rT/ENF8WWexIRg9AiV9h0aIteyWn5ptfZTZQrjk/+f3WdrJGCY4c9wcgl2+MKkKPhzbYp97FTsquZpDCw==
+"@babel/plugin-transform-spread@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/plugin-transform-spread/-/plugin-transform-spread-7.18.9.tgz#6ea7a6297740f381c540ac56caf75b05b74fb664"
+ integrity sha512-39Q814wyoOPtIB/qGopNIL9xDChOE1pNU0ZY5dO0owhiVt/5kFm4li+/bBtwc7QotG0u5EPzqhZdjMtmqBqyQA==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
- "@babel/helper-skip-transparent-expression-wrappers" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.18.9"
+ "@babel/helper-skip-transparent-expression-wrappers" "^7.18.9"
"@babel/plugin-transform-sticky-regex@^7.18.6":
version "7.18.6"
@@ -847,19 +847,19 @@
dependencies:
"@babel/helper-plugin-utils" "^7.18.6"
-"@babel/plugin-transform-template-literals@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-template-literals/-/plugin-transform-template-literals-7.18.6.tgz#b763f4dc9d11a7cce58cf9a490d82e80547db9c2"
- integrity sha512-UuqlRrQmT2SWRvahW46cGSany0uTlcj8NYOS5sRGYi8FxPYPoLd5DDmMd32ZXEj2Jq+06uGVQKHxa/hJx2EzKw==
+"@babel/plugin-transform-template-literals@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/plugin-transform-template-literals/-/plugin-transform-template-literals-7.18.9.tgz#04ec6f10acdaa81846689d63fae117dd9c243a5e"
+ integrity sha512-S8cOWfT82gTezpYOiVaGHrCbhlHgKhQt8XH5ES46P2XWmX92yisoZywf5km75wv5sYcXDUCLMmMxOLCtthDgMA==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.18.9"
-"@babel/plugin-transform-typeof-symbol@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/plugin-transform-typeof-symbol/-/plugin-transform-typeof-symbol-7.18.6.tgz#486bb39d5a18047358e0d04dc0d2f322f0b92e92"
- integrity sha512-7m71iS/QhsPk85xSjFPovHPcH3H9qeyzsujhTc+vcdnsXavoWYJ74zx0lP5RhpC5+iDnVLO+PPMHzC11qels1g==
+"@babel/plugin-transform-typeof-symbol@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/plugin-transform-typeof-symbol/-/plugin-transform-typeof-symbol-7.18.9.tgz#c8cea68263e45addcd6afc9091429f80925762c0"
+ integrity sha512-SRfwTtF11G2aemAZWivL7PD+C9z52v9EvMqH9BuYbabyPuKUvSWks3oCg6041pT925L4zVFqaVBeECwsmlguEw==
dependencies:
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/helper-plugin-utils" "^7.18.9"
"@babel/plugin-transform-typescript@^7.18.6":
version "7.18.8"
@@ -886,28 +886,28 @@
"@babel/helper-plugin-utils" "^7.18.6"
"@babel/preset-env@^7.8.3":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/preset-env/-/preset-env-7.18.6.tgz#953422e98a5f66bc56cd0b9074eaea127ec86ace"
- integrity sha512-WrthhuIIYKrEFAwttYzgRNQ5hULGmwTj+D6l7Zdfsv5M7IWV/OZbUfbeL++Qrzx1nVJwWROIFhCHRYQV4xbPNw==
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/preset-env/-/preset-env-7.18.9.tgz#9b3425140d724fbe590322017466580844c7eaff"
+ integrity sha512-75pt/q95cMIHWssYtyfjVlvI+QEZQThQbKvR9xH+F/Agtw/s4Wfc2V9Bwd/P39VtixB7oWxGdH4GteTTwYJWMg==
dependencies:
- "@babel/compat-data" "^7.18.6"
- "@babel/helper-compilation-targets" "^7.18.6"
- "@babel/helper-plugin-utils" "^7.18.6"
+ "@babel/compat-data" "^7.18.8"
+ "@babel/helper-compilation-targets" "^7.18.9"
+ "@babel/helper-plugin-utils" "^7.18.9"
"@babel/helper-validator-option" "^7.18.6"
"@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression" "^7.18.6"
- "@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining" "^7.18.6"
+ "@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining" "^7.18.9"
"@babel/plugin-proposal-async-generator-functions" "^7.18.6"
"@babel/plugin-proposal-class-properties" "^7.18.6"
"@babel/plugin-proposal-class-static-block" "^7.18.6"
"@babel/plugin-proposal-dynamic-import" "^7.18.6"
- "@babel/plugin-proposal-export-namespace-from" "^7.18.6"
+ "@babel/plugin-proposal-export-namespace-from" "^7.18.9"
"@babel/plugin-proposal-json-strings" "^7.18.6"
- "@babel/plugin-proposal-logical-assignment-operators" "^7.18.6"
+ "@babel/plugin-proposal-logical-assignment-operators" "^7.18.9"
"@babel/plugin-proposal-nullish-coalescing-operator" "^7.18.6"
"@babel/plugin-proposal-numeric-separator" "^7.18.6"
- "@babel/plugin-proposal-object-rest-spread" "^7.18.6"
+ "@babel/plugin-proposal-object-rest-spread" "^7.18.9"
"@babel/plugin-proposal-optional-catch-binding" "^7.18.6"
- "@babel/plugin-proposal-optional-chaining" "^7.18.6"
+ "@babel/plugin-proposal-optional-chaining" "^7.18.9"
"@babel/plugin-proposal-private-methods" "^7.18.6"
"@babel/plugin-proposal-private-property-in-object" "^7.18.6"
"@babel/plugin-proposal-unicode-property-regex" "^7.18.6"
@@ -929,37 +929,37 @@
"@babel/plugin-transform-arrow-functions" "^7.18.6"
"@babel/plugin-transform-async-to-generator" "^7.18.6"
"@babel/plugin-transform-block-scoped-functions" "^7.18.6"
- "@babel/plugin-transform-block-scoping" "^7.18.6"
- "@babel/plugin-transform-classes" "^7.18.6"
- "@babel/plugin-transform-computed-properties" "^7.18.6"
- "@babel/plugin-transform-destructuring" "^7.18.6"
+ "@babel/plugin-transform-block-scoping" "^7.18.9"
+ "@babel/plugin-transform-classes" "^7.18.9"
+ "@babel/plugin-transform-computed-properties" "^7.18.9"
+ "@babel/plugin-transform-destructuring" "^7.18.9"
"@babel/plugin-transform-dotall-regex" "^7.18.6"
- "@babel/plugin-transform-duplicate-keys" "^7.18.6"
+ "@babel/plugin-transform-duplicate-keys" "^7.18.9"
"@babel/plugin-transform-exponentiation-operator" "^7.18.6"
- "@babel/plugin-transform-for-of" "^7.18.6"
- "@babel/plugin-transform-function-name" "^7.18.6"
- "@babel/plugin-transform-literals" "^7.18.6"
+ "@babel/plugin-transform-for-of" "^7.18.8"
+ "@babel/plugin-transform-function-name" "^7.18.9"
+ "@babel/plugin-transform-literals" "^7.18.9"
"@babel/plugin-transform-member-expression-literals" "^7.18.6"
"@babel/plugin-transform-modules-amd" "^7.18.6"
"@babel/plugin-transform-modules-commonjs" "^7.18.6"
- "@babel/plugin-transform-modules-systemjs" "^7.18.6"
+ "@babel/plugin-transform-modules-systemjs" "^7.18.9"
"@babel/plugin-transform-modules-umd" "^7.18.6"
"@babel/plugin-transform-named-capturing-groups-regex" "^7.18.6"
"@babel/plugin-transform-new-target" "^7.18.6"
"@babel/plugin-transform-object-super" "^7.18.6"
- "@babel/plugin-transform-parameters" "^7.18.6"
+ "@babel/plugin-transform-parameters" "^7.18.8"
"@babel/plugin-transform-property-literals" "^7.18.6"
"@babel/plugin-transform-regenerator" "^7.18.6"
"@babel/plugin-transform-reserved-words" "^7.18.6"
"@babel/plugin-transform-shorthand-properties" "^7.18.6"
- "@babel/plugin-transform-spread" "^7.18.6"
+ "@babel/plugin-transform-spread" "^7.18.9"
"@babel/plugin-transform-sticky-regex" "^7.18.6"
- "@babel/plugin-transform-template-literals" "^7.18.6"
- "@babel/plugin-transform-typeof-symbol" "^7.18.6"
+ "@babel/plugin-transform-template-literals" "^7.18.9"
+ "@babel/plugin-transform-typeof-symbol" "^7.18.9"
"@babel/plugin-transform-unicode-escapes" "^7.18.6"
"@babel/plugin-transform-unicode-regex" "^7.18.6"
"@babel/preset-modules" "^0.1.5"
- "@babel/types" "^7.18.6"
+ "@babel/types" "^7.18.9"
babel-plugin-polyfill-corejs2 "^0.3.1"
babel-plugin-polyfill-corejs3 "^0.5.2"
babel-plugin-polyfill-regenerator "^0.3.1"
@@ -998,10 +998,10 @@
"@babel/helper-validator-option" "^7.18.6"
"@babel/plugin-transform-typescript" "^7.18.6"
-"@babel/register@^7.11.5", "@babel/register@^7.18.6":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/register/-/register-7.18.6.tgz#48a4520f1b2a7d7ac861e8148caeb0cefe6c59db"
- integrity sha512-tkYtONzaO8rQubZzpBnvZPFcHgh8D9F55IjOsYton4X2IBoyRn2ZSWQqySTZnUn2guZbxbQiAB27hJEbvXamhQ==
+"@babel/register@^7.11.5", "@babel/register@^7.18.9":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/register/-/register-7.18.9.tgz#1888b24bc28d5cc41c412feb015e9ff6b96e439c"
+ integrity sha512-ZlbnXDcNYHMR25ITwwNKT88JiaukkdVj/nG7r3wnuXkOTHc60Uy05PwMCPre0hSkY68E6zK3xz+vUJSP2jWmcw==
dependencies:
clone-deep "^4.0.1"
find-cache-dir "^2.0.0"
@@ -1010,17 +1010,17 @@
source-map-support "^0.5.16"
"@babel/runtime-corejs3@^7.10.2":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/runtime-corejs3/-/runtime-corejs3-7.18.6.tgz#6f02c5536911f4b445946a2179554b95c8838635"
- integrity sha512-cOu5wH2JFBgMjje+a+fz2JNIWU4GzYpl05oSob3UDvBEh6EuIn+TXFHMmBbhSb+k/4HMzgKCQfEEDArAWNF9Cw==
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/runtime-corejs3/-/runtime-corejs3-7.18.9.tgz#7bacecd1cb2dd694eacd32a91fcf7021c20770ae"
+ integrity sha512-qZEWeccZCrHA2Au4/X05QW5CMdm4VjUDCrGq5gf1ZDcM4hRqreKrtwAn7yci9zfgAS9apvnsFXiGBHBAxZdK9A==
dependencies:
core-js-pure "^3.20.2"
regenerator-runtime "^0.13.4"
"@babel/runtime@^7.1.2", "@babel/runtime@^7.10.2", "@babel/runtime@^7.12.1", "@babel/runtime@^7.12.13", "@babel/runtime@^7.12.5", "@babel/runtime@^7.15.4", "@babel/runtime@^7.16.3", "@babel/runtime@^7.18.3", "@babel/runtime@^7.4.4", "@babel/runtime@^7.5.5", "@babel/runtime@^7.7.2", "@babel/runtime@^7.8.4", "@babel/runtime@^7.8.7", "@babel/runtime@^7.9.2":
- version "7.18.6"
- resolved "https://registry.npmjs.org/@babel/runtime/-/runtime-7.18.6.tgz#6a1ef59f838debd670421f8c7f2cbb8da9751580"
- integrity sha512-t9wi7/AW6XtKahAe20Yw0/mMljKq0B1r2fPdvaAdV/KPDZewFXdaaa6K7lxmZBZ8FBNpCiAT6iHPmd6QO9bKfQ==
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/runtime/-/runtime-7.18.9.tgz#b4fcfce55db3d2e5e080d2490f608a3b9f407f4a"
+ integrity sha512-lkqXDcvlFT5rvEjiu6+QYO+1GXrEHRo2LOtS7E4GtX5ESIZOgepqsZBVIj6Pv+a6zqsya9VCgiK1KAK4BvJDAw==
dependencies:
regenerator-runtime "^0.13.4"
@@ -1033,26 +1033,26 @@
"@babel/parser" "^7.18.6"
"@babel/types" "^7.18.6"
-"@babel/traverse@^7.1.0", "@babel/traverse@^7.13.0", "@babel/traverse@^7.18.6", "@babel/traverse@^7.18.8", "@babel/traverse@^7.7.0":
- version "7.18.8"
- resolved "https://registry.npmjs.org/@babel/traverse/-/traverse-7.18.8.tgz#f095e62ab46abf1da35e5a2011f43aee72d8d5b0"
- integrity sha512-UNg/AcSySJYR/+mIcJQDCv00T+AqRO7j/ZEJLzpaYtgM48rMg5MnkJgyNqkzo88+p4tfRvZJCEiwwfG6h4jkRg==
+"@babel/traverse@^7.1.0", "@babel/traverse@^7.13.0", "@babel/traverse@^7.18.9", "@babel/traverse@^7.7.0":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/traverse/-/traverse-7.18.9.tgz#deeff3e8f1bad9786874cb2feda7a2d77a904f98"
+ integrity sha512-LcPAnujXGwBgv3/WHv01pHtb2tihcyW1XuL9wd7jqh1Z8AQkTd+QVjMrMijrln0T7ED3UXLIy36P9Ao7W75rYg==
dependencies:
"@babel/code-frame" "^7.18.6"
- "@babel/generator" "^7.18.7"
- "@babel/helper-environment-visitor" "^7.18.6"
- "@babel/helper-function-name" "^7.18.6"
+ "@babel/generator" "^7.18.9"
+ "@babel/helper-environment-visitor" "^7.18.9"
+ "@babel/helper-function-name" "^7.18.9"
"@babel/helper-hoist-variables" "^7.18.6"
"@babel/helper-split-export-declaration" "^7.18.6"
- "@babel/parser" "^7.18.8"
- "@babel/types" "^7.18.8"
+ "@babel/parser" "^7.18.9"
+ "@babel/types" "^7.18.9"
debug "^4.1.0"
globals "^11.1.0"
-"@babel/types@^7.0.0", "@babel/types@^7.18.6", "@babel/types@^7.18.7", "@babel/types@^7.18.8", "@babel/types@^7.3.0", "@babel/types@^7.3.3", "@babel/types@^7.4.4", "@babel/types@^7.7.0":
- version "7.18.8"
- resolved "https://registry.npmjs.org/@babel/types/-/types-7.18.8.tgz#c5af199951bf41ba4a6a9a6d0d8ad722b30cd42f"
- integrity sha512-qwpdsmraq0aJ3osLJRApsc2ouSJCdnMeZwB0DhbtHAtRpZNZCdlbRnHIgcRKzdE1g0iOGg644fzjOBcdOz9cPw==
+"@babel/types@^7.0.0", "@babel/types@^7.18.6", "@babel/types@^7.18.9", "@babel/types@^7.3.0", "@babel/types@^7.3.3", "@babel/types@^7.4.4", "@babel/types@^7.7.0":
+ version "7.18.9"
+ resolved "https://registry.npmjs.org/@babel/types/-/types-7.18.9.tgz#7148d64ba133d8d73a41b3172ac4b83a1452205f"
+ integrity sha512-WwMLAg2MvJmt/rKEVQBBhIVffMmnilX4oe0sRe7iPOHIGsqpruFHHdrfj4O1CMMtgMtCU4oPafZjDPCRgO57Wg==
dependencies:
"@babel/helper-validator-identifier" "^7.18.6"
to-fast-properties "^2.0.0"
@@ -1444,12 +1444,12 @@
optionalDependencies:
node-notifier "^8.0.0"
-"@jest/schemas@^28.0.2":
- version "28.0.2"
- resolved "https://registry.npmjs.org/@jest/schemas/-/schemas-28.0.2.tgz#08c30df6a8d07eafea0aef9fb222c5e26d72e613"
- integrity sha512-YVDJZjd4izeTDkij00vHHAymNXQ6WWsdChFRK86qck6Jpr3DCL5W3Is3vslviRlP+bLuMYRLbdp98amMvqudhA==
+"@jest/schemas@^28.1.3":
+ version "28.1.3"
+ resolved "https://registry.npmjs.org/@jest/schemas/-/schemas-28.1.3.tgz#ad8b86a66f11f33619e3d7e1dcddd7f2d40ff905"
+ integrity sha512-/l/VWsdt/aBXgjshLWOFyFt3IVdYypu5y2Wn2rOO1un6nkqIn8SLXzgIMYXFyYsRWDyF5EthmKJMIdJvk08grg==
dependencies:
- "@sinclair/typebox" "^0.23.3"
+ "@sinclair/typebox" "^0.24.1"
"@jest/source-map@^26.6.2":
version "26.6.2"
@@ -1630,10 +1630,10 @@
"@octokit/types" "^6.0.3"
universal-user-agent "^6.0.0"
-"@octokit/openapi-types@^12.7.0":
- version "12.8.0"
- resolved "https://registry.npmjs.org/@octokit/openapi-types/-/openapi-types-12.8.0.tgz#f4708cf948724d6e8f7d878cfd91584c1c5c0523"
- integrity sha512-ydcKLs2KKcxlhpdWLzJxEBDEk/U5MUeqtqkXlrtAUXXFPs6vLl1PEGghFC/BbpleosB7iXs0Z4P2DGe7ZT5ZNg==
+"@octokit/openapi-types@^12.10.0":
+ version "12.10.1"
+ resolved "https://registry.npmjs.org/@octokit/openapi-types/-/openapi-types-12.10.1.tgz#57b5cc6c7b4e55d8642c93d06401fb1af4839899"
+ integrity sha512-P+SukKanjFY0ZhsK6wSVnQmxTP2eVPPE8OPSNuxaMYtgVzwJZgfGdwlYjf4RlRU4vLEw4ts2fsE2icG4nZ5ddQ==
"@octokit/plugin-paginate-rest@^2.16.8":
version "2.21.2"
@@ -1687,19 +1687,19 @@
"@octokit/plugin-rest-endpoint-methods" "^5.12.0"
"@octokit/types@^6.0.3", "@octokit/types@^6.16.1", "@octokit/types@^6.39.0":
- version "6.39.0"
- resolved "https://registry.npmjs.org/@octokit/types/-/types-6.39.0.tgz#46ce28ca59a3d4bac0e487015949008302e78eee"
- integrity sha512-Mq4N9sOAYCitTsBtDdRVrBE80lIrMBhL9Jbrw0d+j96BAzlq4V+GLHFJbHokEsVvO/9tQupQdoFdgVYhD2C8UQ==
+ version "6.40.0"
+ resolved "https://registry.npmjs.org/@octokit/types/-/types-6.40.0.tgz#f2e665196d419e19bb4265603cf904a820505d0e"
+ integrity sha512-MFZOU5r8SwgJWDMhrLUSvyJPtVsqA6VnbVI3TNbsmw+Jnvrktzvq2fYES/6RiJA/5Ykdwq4mJmtlYUfW7CGjmw==
dependencies:
- "@octokit/openapi-types" "^12.7.0"
+ "@octokit/openapi-types" "^12.10.0"
"@playwright/test@^1.23.1":
- version "1.23.2"
- resolved "https://registry.npmjs.org/@playwright/test/-/test-1.23.2.tgz#6af9e77bafcfe6dd17c23a44b40f793db5245d74"
- integrity sha512-umaEAIwQGfbezixg3raSOraqbQGSqZP988sOaMdpA2wj3Dr6ykOscrMukyK3U6edxhpS0N8kguAFZoHwCEfTig==
+ version "1.23.4"
+ resolved "https://registry.npmjs.org/@playwright/test/-/test-1.23.4.tgz#d742ed34fc3eb09e29c2e652c2a646ba1e3c6b08"
+ integrity sha512-iIsoMJDS/lyuhw82FtcV/B3PXikgVD3hNe5hyvOpRM0uRr1OIpN3LgPeRbBjhzBWmyf6RgRg5fqK5sVcpA03yA==
dependencies:
"@types/node" "*"
- playwright-core "1.23.2"
+ playwright-core "1.23.4"
"@polka/url@^1.0.0-next.20":
version "1.0.0-next.21"
@@ -1733,10 +1733,10 @@
resolved "https://registry.npmjs.org/@sideway/pinpoint/-/pinpoint-2.0.0.tgz#cff8ffadc372ad29fd3f78277aeb29e632cc70df"
integrity sha512-RNiOoTPkptFtSVzQevY/yWtZwf/RxyVnPy/OcA9HBM3MlGDnBEYL5B41H0MTn0Uec8Hi+2qUtTfG2WWZBmMejQ==
-"@sinclair/typebox@^0.23.3":
- version "0.23.5"
- resolved "https://registry.npmjs.org/@sinclair/typebox/-/typebox-0.23.5.tgz#93f7b9f4e3285a7a9ade7557d9a8d36809cbc47d"
- integrity sha512-AFBVi/iT4g20DHoujvMH1aEDn8fGJh4xsRGCP6d8RpLPMqsNPvW01Jcn0QysXTsg++/xj25NmJsGyH9xug/wKg==
+"@sinclair/typebox@^0.24.1":
+ version "0.24.20"
+ resolved "https://registry.npmjs.org/@sinclair/typebox/-/typebox-0.24.20.tgz#11a657875de6008622d53f56e063a6347c51a6dd"
+ integrity sha512-kVaO5aEFZb33nPMTZBxiPEkY+slxiPtqC7QX8f9B3eGOMBvEfuMfxp9DSTTCsRJPumPKjrge4yagyssO4q6qzQ==
"@sindresorhus/is@^0.14.0":
version "0.14.0"
@@ -1970,9 +1970,9 @@
"@types/json-schema" "*"
"@types/estree@*":
- version "0.0.52"
- resolved "https://registry.npmjs.org/@types/estree/-/estree-0.0.52.tgz#7f1f57ad5b741f3d5b210d3b1f145640d89bf8fe"
- integrity sha512-BZWrtCU0bMVAIliIV+HJO1f1PR41M7NKjfxrFJwwhKI1KwhwOxYw1SXg9ao+CIMt774nFuGiG6eU+udtbEI9oQ==
+ version "1.0.0"
+ resolved "https://registry.npmjs.org/@types/estree/-/estree-1.0.0.tgz#5fb2e536c1ae9bf35366eed879e827fa59ca41c2"
+ integrity sha512-WulqXMDUTYAXCjZnk6JtIHPigp55cVtDgDrO2gHRwhyJto21+1zbVCtOYB2L1F9w4qCQ0rOGWBnBe0FNTiEJIQ==
"@types/estree@^0.0.51":
version "0.0.51"
@@ -2127,9 +2127,9 @@
"@types/istanbul-lib-report" "*"
"@types/jest@*":
- version "28.1.4"
- resolved "https://registry.npmjs.org/@types/jest/-/jest-28.1.4.tgz#a11ee6c8fd0b52c19c9c18138b78bbcc201dad5a"
- integrity sha512-telv6G5N7zRJiLcI3Rs3o+ipZ28EnE+7EvF0pSrt2pZOMnAVI/f+6/LucDxOvcBcTeTL3JMF744BbVQAVBUQRA==
+ version "28.1.6"
+ resolved "https://registry.npmjs.org/@types/jest/-/jest-28.1.6.tgz#d6a9cdd38967d2d746861fb5be6b120e38284dd4"
+ integrity sha512-0RbGAFMfcBJKOmqRazM8L98uokwuwD5F8rHrv/ZMbrZBwVOWZUyPG6VFNscjYr/vjM3Vu4fRrCPbOs42AfemaQ==
dependencies:
jest-matcher-utils "^28.0.0"
pretty-format "^28.0.0"
@@ -2236,9 +2236,9 @@
form-data "^3.0.0"
"@types/node@*":
- version "18.0.3"
- resolved "https://registry.npmjs.org/@types/node/-/node-18.0.3.tgz#463fc47f13ec0688a33aec75d078a0541a447199"
- integrity sha512-HzNRZtp4eepNitP+BD6k2L6DROIDG4Q0fm4x+dwfsr6LGmROENnok75VGw40628xf+iR24WeMFcHuuBDUAzzsQ==
+ version "18.0.6"
+ resolved "https://registry.npmjs.org/@types/node/-/node-18.0.6.tgz#0ba49ac517ad69abe7a1508bc9b3a5483df9d5d7"
+ integrity sha512-/xUq6H2aQm261exT6iZTMifUySEt4GR5KX8eYyY+C4MSNPqSh9oNIP7tz2GLKTlFaiBbgZNxffoR3CVRG+cljw==
"@types/nodemailer@^6.4.0":
version "6.4.4"
@@ -3293,9 +3293,9 @@ available-typed-arrays@^1.0.5:
integrity sha512-DMD0KiN46eipeziST1LPP/STfDU0sufISXmjSgvVsoU2tqxctQeASejWcfNtxYKqETM1UxQ8sp2OrSBWpHY6sw==
axe-core@^4.4.2:
- version "4.4.2"
- resolved "https://registry.npmjs.org/axe-core/-/axe-core-4.4.2.tgz#dcf7fb6dea866166c3eab33d68208afe4d5f670c"
- integrity sha512-LVAaGp/wkkgYJcjmHsoKx4juT1aQvJyPcW09MLCjVTh3V2cc6PnyempiLMNH5iMdfIX/zdbjUx2KDjMLCTdPeA==
+ version "4.4.3"
+ resolved "https://registry.npmjs.org/axe-core/-/axe-core-4.4.3.tgz#11c74d23d5013c0fa5d183796729bc3482bd2f6f"
+ integrity sha512-32+ub6kkdhhWick/UjvEwRchgoetXqTK14INLqbGm5U2TzBkBNF3nQtLYm8ovxSkQWArjEQvftCKryjZaATu3w==
axios@^0.21.1:
version "0.21.4"
@@ -3596,14 +3596,14 @@ browser-process-hrtime@^1.0.0:
resolved "https://registry.npmjs.org/browser-process-hrtime/-/browser-process-hrtime-1.0.0.tgz#3c9b4b7d782c8121e56f10106d84c0d0ffc94626"
integrity sha512-9o5UecI3GhkpM6DrXr69PblIuWxPKk9Y0jHBRhdocZ2y7YECBFCsHm79Pr3OyR2AvjhDkabFJaDJMYRazHgsow==
-browserslist@^4.0.0, browserslist@^4.14.5, browserslist@^4.16.6, browserslist@^4.20.2, browserslist@^4.20.3, browserslist@^4.21.0, browserslist@^4.21.1:
- version "4.21.1"
- resolved "https://registry.npmjs.org/browserslist/-/browserslist-4.21.1.tgz#c9b9b0a54c7607e8dc3e01a0d311727188011a00"
- integrity sha512-Nq8MFCSrnJXSc88yliwlzQe3qNe3VntIjhsArW9IJOEPSHNx23FalwApUVbzAWABLhYJJ7y8AynWI/XM8OdfjQ==
+browserslist@^4.0.0, browserslist@^4.14.5, browserslist@^4.16.6, browserslist@^4.20.2, browserslist@^4.20.3, browserslist@^4.21.0, browserslist@^4.21.2:
+ version "4.21.2"
+ resolved "https://registry.npmjs.org/browserslist/-/browserslist-4.21.2.tgz#59a400757465535954946a400b841ed37e2b4ecf"
+ integrity sha512-MonuOgAtUB46uP5CezYbRaYKBNt2LxP0yX+Pmj4LkcDFGkn9Cbpi83d9sCjwQDErXsIJSzY5oKGDbgOlF/LPAA==
dependencies:
- caniuse-lite "^1.0.30001359"
- electron-to-chromium "^1.4.172"
- node-releases "^2.0.5"
+ caniuse-lite "^1.0.30001366"
+ electron-to-chromium "^1.4.188"
+ node-releases "^2.0.6"
update-browserslist-db "^1.0.4"
[email protected]:
@@ -3758,10 +3758,10 @@ caniuse-api@^3.0.0:
lodash.memoize "^4.1.2"
lodash.uniq "^4.5.0"
-caniuse-lite@^1.0.0, caniuse-lite@^1.0.30001335, caniuse-lite@^1.0.30001359:
- version "1.0.30001364"
- resolved "https://registry.npmjs.org/caniuse-lite/-/caniuse-lite-1.0.30001364.tgz#1e118f0e933ed2b79f8d461796b8ce45398014a0"
- integrity sha512-9O0xzV3wVyX0SlegIQ6knz+okhBB5pE0PC40MNdwcipjwpxoUEHL24uJ+gG42cgklPjfO5ZjZPme9FTSN3QT2Q==
+caniuse-lite@^1.0.0, caniuse-lite@^1.0.30001335, caniuse-lite@^1.0.30001366:
+ version "1.0.30001367"
+ resolved "https://registry.npmjs.org/caniuse-lite/-/caniuse-lite-1.0.30001367.tgz#2b97fe472e8fa29c78c5970615d7cd2ee414108a"
+ integrity sha512-XDgbeOHfifWV3GEES2B8rtsrADx4Jf+juKX2SICJcaUhjYBO3bR96kvEIHa15VU6ohtOhBZuPGGYGbXMRn0NCw==
capture-exit@^2.0.0:
version "2.0.0"
@@ -3866,9 +3866,9 @@ classnames@^2.2.5, classnames@^2.2.6:
integrity sha512-OlQdbZ7gLfGarSqxesMesDa5uz7KFbID8Kpq/SxIoNGDqY8lSYs0D+hhtBXhcdB3rcbXArFr7vlHheLk1voeNA==
clean-css@^5.2.2:
- version "5.3.0"
- resolved "https://registry.npmjs.org/clean-css/-/clean-css-5.3.0.tgz#ad3d8238d5f3549e83d5f87205189494bc7cbb59"
- integrity sha512-YYuuxv4H/iNb1Z/5IbMRoxgrzjWGhOEFfd+groZ5dMCVkpENiMZmwspdrzBo9286JjM1gZJPAyL7ZIdzuvu2AQ==
+ version "5.3.1"
+ resolved "https://registry.npmjs.org/clean-css/-/clean-css-5.3.1.tgz#d0610b0b90d125196a2894d35366f734e5d7aa32"
+ integrity sha512-lCr8OHhiWCTw4v8POJovCoh4T7I9U11yVsPjMWWnnMmp9ZowCxyad1Pathle/9HjaDp+fdQKjO9fQydE6RHTZg==
dependencies:
source-map "~0.6.0"
@@ -3933,9 +3933,9 @@ clone-deep@^4.0.1:
shallow-clone "^3.0.0"
clone-response@^1.0.2:
- version "1.0.2"
- resolved "https://registry.npmjs.org/clone-response/-/clone-response-1.0.2.tgz#d1dc973920314df67fbeb94223b4ee350239e96b"
- integrity sha512-yjLXh88P599UOyPTFX0POsd7WxnbsVsGohcwzHOLspIhhpalPw1BcqED8NblyZLKcGrL8dTgMlcaZxV2jAD41Q==
+ version "1.0.3"
+ resolved "https://registry.npmjs.org/clone-response/-/clone-response-1.0.3.tgz#af2032aa47816399cf5f0a1d0db902f517abb8c3"
+ integrity sha512-ROoL94jJH2dUVML2Y/5PEDNaSHgeOdSDicUyS7izcF63G6sTc/FTjLub4b8Il9S8S0beOfYt0TaA5qvFK+w0wA==
dependencies:
mimic-response "^1.0.0"
@@ -4356,22 +4356,22 @@ copyfiles@^2.4.0:
yargs "^16.1.0"
core-js-compat@^3.21.0, core-js-compat@^3.22.1:
- version "3.23.4"
- resolved "https://registry.npmjs.org/core-js-compat/-/core-js-compat-3.23.4.tgz#56ad4a352884317a15f6b04548ff7139d23b917f"
- integrity sha512-RkSRPe+JYEoflcsuxJWaiMPhnZoFS51FcIxm53k4KzhISCBTmaGlto9dTIrYuk0hnJc3G6pKufAKepHnBq6B6Q==
+ version "3.23.5"
+ resolved "https://registry.npmjs.org/core-js-compat/-/core-js-compat-3.23.5.tgz#11edce2f1c4f69a96d30ce77c805ce118909cd5b"
+ integrity sha512-fHYozIFIxd+91IIbXJgWd/igXIc8Mf9is0fusswjnGIWVG96y2cwyUdlCkGOw6rMLHKAxg7xtCIVaHsyOUnJIg==
dependencies:
- browserslist "^4.21.1"
+ browserslist "^4.21.2"
semver "7.0.0"
core-js-pure@^3.20.2:
- version "3.23.4"
- resolved "https://registry.npmjs.org/core-js-pure/-/core-js-pure-3.23.4.tgz#aba5c7fb297063444f6bf93afb0362151679a012"
- integrity sha512-lizxkcgj3XDmi7TUBFe+bQ1vNpD5E4t76BrBWI3HdUxdw/Mq1VF4CkiHzIKyieECKtcODK2asJttoofEeUKICQ==
+ version "3.23.5"
+ resolved "https://registry.npmjs.org/core-js-pure/-/core-js-pure-3.23.5.tgz#23daaa9af9230e50f10b0fa4b8e6b87402be4c33"
+ integrity sha512-8t78LdpKSuCq4pJYCYk8hl7XEkAX+BP16yRIwL3AanTksxuEf7CM83vRyctmiEL8NDZ3jpUcv56fk9/zG3aIuw==
core-js@^3.22.1:
- version "3.23.4"
- resolved "https://registry.npmjs.org/core-js/-/core-js-3.23.4.tgz#92d640faa7f48b90bbd5da239986602cfc402aa6"
- integrity sha512-vjsKqRc1RyAJC3Ye2kYqgfdThb3zYnx9CrqoCcjMOENMtQPC7ZViBvlDxwYU/2z2NI/IPuiXw5mT4hWhddqjzQ==
+ version "3.23.5"
+ resolved "https://registry.npmjs.org/core-js/-/core-js-3.23.5.tgz#1f82b0de5eece800827a2f59d597509c67650475"
+ integrity sha512-7Vh11tujtAZy82da4duVreQysIoO2EvVrur7y6IzZkH1IHPSekuDi8Vuw1+YKjkbfWLRD7Nc9ICQ/sIUDutcyg==
core-util-is@~1.0.0:
version "1.0.3"
@@ -4881,9 +4881,9 @@ denque@^1.4.1:
integrity sha512-XwE+iZ4D6ZUB7mfYRMb5wByE8L74HCn30FBN7sWnXksWc1LO1bPDl67pBR9o/kC4z/xSNAwkMYcGgqDV3BE3Hw==
denque@^2.0.1:
- version "2.0.1"
- resolved "https://registry.npmjs.org/denque/-/denque-2.0.1.tgz#bcef4c1b80dc32efe97515744f21a4229ab8934a"
- integrity sha512-tfiWc6BQLXNLpNiR5iGd0Ocu3P3VpxfzFiqubLgMfhfOw9WyvgJBd46CClNn9k3qfbjvT//0cf7AlYRX/OslMQ==
+ version "2.1.0"
+ resolved "https://registry.npmjs.org/denque/-/denque-2.1.0.tgz#e93e1a6569fb5e66f16a3c2a2964617d349d6ab1"
+ integrity sha512-HVQE3AAb/pxF8fQAoiqpvg9i3evqug3hoiwakOyZAwJm+6vZehbkYXZ0l4JxS+I3QxM97v5aaRNhj8v5oBhekw==
[email protected]:
version "2.0.0"
@@ -5074,10 +5074,10 @@ [email protected]:
resolved "https://registry.npmjs.org/ee-first/-/ee-first-1.1.1.tgz#590c61156b0ae2f4f0255732a158b266bc56b21d"
integrity sha512-WMwm9LhRUo+WUaRN+vRuETqG89IgZphVSNkdFgeb6sS/E4OrDIN7t48CAewSHXc6C8lefD8KKfr5vY61brQlow==
-electron-to-chromium@^1.4.172:
- version "1.4.186"
- resolved "https://registry.npmjs.org/electron-to-chromium/-/electron-to-chromium-1.4.186.tgz#a811bba15f0868d3f4164b0f4ede8adc8773831b"
- integrity sha512-YoVeFrGd/7ROjz4R9uPoND1K/hSRC/xADy9639ZmIZeJSaBnKdYx3I6LMPsY7CXLpK7JFgKQVzeZ/dk2br6Eaw==
+electron-to-chromium@^1.4.188:
+ version "1.4.193"
+ resolved "https://registry.npmjs.org/electron-to-chromium/-/electron-to-chromium-1.4.193.tgz#8e760b9d9a7b92fe472664fd61811b307f3de39b"
+ integrity sha512-tBqbgRv0yFIYBLBQKW6kHzI81rjvO1CRy+K8+XHTZtkVPkAZayI/CxTqBiy6Q1+tYAxby8bq/6yOiuNkTvfxmw==
emittery@^0.7.1:
version "0.7.2"
@@ -6826,6 +6826,11 @@ ip@^1.1.5:
resolved "https://registry.npmjs.org/ip/-/ip-1.1.8.tgz#ae05948f6b075435ed3307acce04629da8cdbf48"
integrity sha512-PuExPYUiu6qMBQb4l06ecm6T6ujzhmh+MeJcW9wa89PoAz5pvd4zPgN5WJV104mb6S2T1AwNIAaB70JNrLQWhg==
+ip@^2.0.0:
+ version "2.0.0"
+ resolved "https://registry.npmjs.org/ip/-/ip-2.0.0.tgz#4cf4ab182fee2314c75ede1276f8c80b479936da"
+ integrity sha512-WKa+XuLG1A1R0UWhl2+1XQSi+fZWMsYKffMZTTYsiZaUD8k2yDAj5atimTUD2TZkyCkNEeYE5NhFZmupOGtjYQ==
+
[email protected]:
version "1.9.1"
resolved "https://registry.npmjs.org/ipaddr.js/-/ipaddr.js-1.9.1.tgz#bff38543eeb8984825079ff3a2a8e6cbd46781b3"
@@ -7294,9 +7299,9 @@ istanbul-lib-source-maps@^4.0.0:
source-map "^0.6.1"
istanbul-reports@^3.0.2:
- version "3.1.4"
- resolved "https://registry.npmjs.org/istanbul-reports/-/istanbul-reports-3.1.4.tgz#1b6f068ecbc6c331040aab5741991273e609e40c"
- integrity sha512-r1/DshN4KSE7xWEknZLLLLDn5CJybV3nw01VTkp6D5jzLuELlcbudfj/eSQFvrKsJuTVCGnePO7ho82Nw9zzfw==
+ version "3.1.5"
+ resolved "https://registry.npmjs.org/istanbul-reports/-/istanbul-reports-3.1.5.tgz#cc9a6ab25cb25659810e4785ed9d9fb742578bae"
+ integrity sha512-nUsEMa9pBt/NOHqbcbeJEgqIlY/K7rVWUX6Lql2orY5e9roQOthbR3vtY4zzf2orPELg80fnxxk9zUyPlgwD1w==
dependencies:
html-escaper "^2.0.0"
istanbul-lib-report "^3.0.0"
@@ -7376,15 +7381,15 @@ jest-diff@^26.0.0, jest-diff@^26.6.2:
jest-get-type "^26.3.0"
pretty-format "^26.6.2"
-jest-diff@^28.1.1:
- version "28.1.1"
- resolved "https://registry.npmjs.org/jest-diff/-/jest-diff-28.1.1.tgz#1a3eedfd81ae79810931c63a1d0f201b9120106c"
- integrity sha512-/MUUxeR2fHbqHoMMiffe/Afm+U8U4olFRJ0hiVG2lZatPJcnGxx292ustVu7bULhjV65IYMxRdploAKLbcrsyg==
+jest-diff@^28.1.3:
+ version "28.1.3"
+ resolved "https://registry.npmjs.org/jest-diff/-/jest-diff-28.1.3.tgz#948a192d86f4e7a64c5264ad4da4877133d8792f"
+ integrity sha512-8RqP1B/OXzjjTWkqMX67iqgwBVJRgCyKD3L9nq+6ZqJMdvjE8RgHktqZ6jNrkdMT+dJuYNI3rhQpxaz7drJHfw==
dependencies:
chalk "^4.0.0"
diff-sequences "^28.1.1"
jest-get-type "^28.0.2"
- pretty-format "^28.1.1"
+ pretty-format "^28.1.3"
jest-docblock@^26.0.0:
version "26.0.0"
@@ -7503,14 +7508,14 @@ jest-matcher-utils@^26.6.2:
pretty-format "^26.6.2"
jest-matcher-utils@^28.0.0:
- version "28.1.1"
- resolved "https://registry.npmjs.org/jest-matcher-utils/-/jest-matcher-utils-28.1.1.tgz#a7c4653c2b782ec96796eb3088060720f1e29304"
- integrity sha512-NPJPRWrbmR2nAJ+1nmnfcKKzSwgfaciCCrYZzVnNoxVoyusYWIjkBMNvu0RHJe7dNj4hH3uZOPZsQA+xAYWqsw==
+ version "28.1.3"
+ resolved "https://registry.npmjs.org/jest-matcher-utils/-/jest-matcher-utils-28.1.3.tgz#5a77f1c129dd5ba3b4d7fc20728806c78893146e"
+ integrity sha512-kQeJ7qHemKfbzKoGjHHrRKH6atgxMk8Enkk2iPQ3XwO6oE/KYD8lMYOziCkeSB9G4adPM4nR1DE8Tf5JeWH6Bw==
dependencies:
chalk "^4.0.0"
- jest-diff "^28.1.1"
+ jest-diff "^28.1.3"
jest-get-type "^28.0.2"
- pretty-format "^28.1.1"
+ pretty-format "^28.1.3"
jest-message-util@^26.6.2:
version "26.6.2"
@@ -8592,9 +8597,9 @@ mongoose-paginate-v2@*, mongoose-paginate-v2@^1.6.1:
integrity sha512-r9bns1sMWRl0QO3YXVZ/uGOL/CYcDXTmapGHlddIgzbfOhVxUWKHKItwJO8rZICF1ooOukLQv8qQLVTc3qSLpQ==
mongoose@^6.2.0:
- version "6.4.4"
- resolved "https://registry.npmjs.org/mongoose/-/mongoose-6.4.4.tgz#4e22a36373d8a867ee8f73063d8b31f1e451316d"
- integrity sha512-r6sp96veRNhNIWFtHHe4Lqak+ilgiExYnnMLhYTGdzjIMR90G1ayx0JKFVdHuC6dKNHGFX0ETJGbf36N8Romjg==
+ version "6.4.5"
+ resolved "https://registry.npmjs.org/mongoose/-/mongoose-6.4.5.tgz#59b9c0d1ca09dd17957846e75374fde34309b2fc"
+ integrity sha512-2E56DnJ4z5pWnBH4/pFGWuDFRn1Wt/JxU31Hcu0ZZtsd8I6piHavLawC9ND6GgyBpHov/aVLPLXtzB+HPKeKQg==
dependencies:
bson "^4.6.2"
kareem "2.4.1"
@@ -8788,7 +8793,7 @@ node-notifier@^8.0.0:
uuid "^8.3.0"
which "^2.0.2"
-node-releases@^2.0.5:
+node-releases@^2.0.6:
version "2.0.6"
resolved "https://registry.npmjs.org/node-releases/-/node-releases-2.0.6.tgz#8a7088c63a55e493845683ebf3c828d8c51c5503"
integrity sha512-PiVXnNuFm5+iYkLBNeq5211hvO38y63T0i2KKh2KnUs3RpzJ+JtODFjkD8yjLwnDkTYF1eKXheUwdssR+NRZdg==
@@ -9490,10 +9495,10 @@ pkg-up@^3.1.0:
dependencies:
find-up "^3.0.0"
[email protected]:
- version "1.23.2"
- resolved "https://registry.npmjs.org/playwright-core/-/playwright-core-1.23.2.tgz#ddc15b3251e42ee0eed82a96ece3f7b2641d75a4"
- integrity sha512-UGbutIr0nBALDHWW/HcXfyK6ZdmefC99Moo4qyTr89VNIkYZuDrW8Sw554FyFUamcFSdKOgDPk6ECSkofGIZjQ==
[email protected]:
+ version "1.23.4"
+ resolved "https://registry.npmjs.org/playwright-core/-/playwright-core-1.23.4.tgz#e8a45e549faf6bfad24a0e9998e451979514d41e"
+ integrity sha512-h5V2yw7d8xIwotjyNrkLF13nV9RiiZLHdXeHo+nVJIYGVlZ8U2qV0pMxNJKNTvfQVT0N8/A4CW6/4EW2cOcTiA==
pluralize@^8.0.0:
version "8.0.0"
@@ -9654,9 +9659,9 @@ postcss-font-variant@^5.0.0:
integrity sha512-1fmkBaCALD72CK2a9i468mA/+tr9/1cBxRRMXOUaZqO43oWPR5imcyPjXwuv7PXbCid4ndlP5zWhidQVVa3hmA==
postcss-gap-properties@^3.0.3:
- version "3.0.4"
- resolved "https://registry.npmjs.org/postcss-gap-properties/-/postcss-gap-properties-3.0.4.tgz#8527d00284ef83725e41a53a718f9bed8e2b2beb"
- integrity sha512-PaEM4AUQY7uomyuVVXsIntdo4eT8VkBMrSinQxvXuMcJ1z3RHlFw4Kqef2X+rRVz3WHaYCa0EEtwousBT6vcIA==
+ version "3.0.5"
+ resolved "https://registry.npmjs.org/postcss-gap-properties/-/postcss-gap-properties-3.0.5.tgz#f7e3cddcf73ee19e94ccf7cb77773f9560aa2fff"
+ integrity sha512-IuE6gKSdoUNcvkGIqdtjtcMtZIFyXZhmFd5RUlg97iVEvp1BZKV5ngsAjCjrVy+14uhGBQl9tzmi1Qwq4kqVOg==
postcss-image-set-function@^4.0.6:
version "4.0.7"
@@ -10069,12 +10074,12 @@ pretty-format@^27.0.2:
ansi-styles "^5.0.0"
react-is "^17.0.1"
-pretty-format@^28.0.0, pretty-format@^28.1.1:
- version "28.1.1"
- resolved "https://registry.npmjs.org/pretty-format/-/pretty-format-28.1.1.tgz#f731530394e0f7fcd95aba6b43c50e02d86b95cb"
- integrity sha512-wwJbVTGFHeucr5Jw2bQ9P+VYHyLdAqedFLEkdQUVaBF/eiidDwH5OpilINq4mEfhbCjLnirt6HTTDhv1HaTIQw==
+pretty-format@^28.0.0, pretty-format@^28.1.3:
+ version "28.1.3"
+ resolved "https://registry.npmjs.org/pretty-format/-/pretty-format-28.1.3.tgz#c9fba8cedf99ce50963a11b27d982a9ae90970d5"
+ integrity sha512-8gFb/To0OmxHR9+ZTb14Df2vNxdGCX8g1xWGUTqUw5TiZvcQf5sHKObd5UcPyLLyowNwDAMTF3XWOG1B6mxl1Q==
dependencies:
- "@jest/schemas" "^28.0.2"
+ "@jest/schemas" "^28.1.3"
ansi-regex "^5.0.1"
ansi-styles "^5.0.0"
react-is "^18.0.0"
@@ -11376,11 +11381,11 @@ socks-proxy-agent@5, socks-proxy-agent@^5.0.0:
socks "^2.3.3"
socks@^2.3.3, socks@^2.6.2:
- version "2.6.2"
- resolved "https://registry.npmjs.org/socks/-/socks-2.6.2.tgz#ec042d7960073d40d94268ff3bb727dc685f111a"
- integrity sha512-zDZhHhZRY9PxRruRMR7kMhnf3I8hDs4S3f9RecfnGxvcBHQcKcIH/oUcEWffsfl1XxdYlA7nnlGbbTvPz9D8gA==
+ version "2.7.0"
+ resolved "https://registry.npmjs.org/socks/-/socks-2.7.0.tgz#f9225acdb841e874dca25f870e9130990f3913d0"
+ integrity sha512-scnOe9y4VuiNUULJN72GrM26BNOjVsfPXI+j+98PkyEfsIXroa5ofyjT+FzGvn/xHs73U2JtoBYAVx9Hl4quSA==
dependencies:
- ip "^1.1.5"
+ ip "^2.0.0"
smart-buffer "^4.2.0"
sonic-boom@^1.0.2:
@@ -11861,9 +11866,9 @@ terser-webpack-plugin@^5.0.3, terser-webpack-plugin@^5.1.3:
terser "^5.7.2"
terser@^5.10.0, terser@^5.7.2:
- version "5.14.1"
- resolved "https://registry.npmjs.org/terser/-/terser-5.14.1.tgz#7c95eec36436cb11cf1902cc79ac564741d19eca"
- integrity sha512-+ahUAE+iheqBTDxXhTisdA8hgvbEG1hHOQ9xmNjeUJSoi6DU/gMrKNcfZjHkyY6Alnuyc+ikYJaxxfHkT3+WuQ==
+ version "5.14.2"
+ resolved "https://registry.npmjs.org/terser/-/terser-5.14.2.tgz#9ac9f22b06994d736174f4091aa368db896f1c10"
+ integrity sha512-oL0rGeM/WFQCUd0y2QrWxYnq7tfSuKBiqTjRPWrRgB46WD/kiwHwF8T23z78H6Q6kGCuuHcPB+KULHRdxvVGQA==
dependencies:
"@jridgewell/source-map" "^0.3.2"
acorn "^8.5.0"
@@ -12294,9 +12299,9 @@ untildify@^4.0.0:
integrity sha512-KK8xQ1mkzZeg9inewmFVDNkg3l5LUhoq9kN6iWYB/CC9YMG8HA+c1Q8HwDe6dEX7kErrEVNVBO3fWsVq5iDgtw==
update-browserslist-db@^1.0.4:
- version "1.0.4"
- resolved "https://registry.npmjs.org/update-browserslist-db/-/update-browserslist-db-1.0.4.tgz#dbfc5a789caa26b1db8990796c2c8ebbce304824"
- integrity sha512-jnmO2BEGUjsMOe/Fg9u0oczOe/ppIDZPebzccl1yDWGLFP16Pa1/RM5wEoKYPG2zstNcDuAStejyxsOuKINdGA==
+ version "1.0.5"
+ resolved "https://registry.npmjs.org/update-browserslist-db/-/update-browserslist-db-1.0.5.tgz#be06a5eedd62f107b7c19eb5bcefb194411abf38"
+ integrity sha512-dteFFpCyvuDdr9S/ff1ISkKt/9YZxKjI9WlRR99c180GaztJtRa/fn18FdxGVKVsnPY7/a/FDN68mcvUmP4U7Q==
dependencies:
escalade "^3.1.1"
picocolors "^1.0.0"
@@ -12790,9 +12795,9 @@ [email protected]:
mkdirp "^0.5.1"
ws@^7.3.1, ws@^7.4.6:
- version "7.5.8"
- resolved "https://registry.npmjs.org/ws/-/ws-7.5.8.tgz#ac2729881ab9e7cbaf8787fe3469a48c5c7f636a"
- integrity sha512-ri1Id1WinAX5Jqn9HejiGb8crfRio0Qgu8+MtL36rlTA6RLsMdWt1Az/19A2Qij6uSHUMphEFaTKa4WG+UNHNw==
+ version "7.5.9"
+ resolved "https://registry.npmjs.org/ws/-/ws-7.5.9.tgz#54fa7db29f4c7cec68b1ddd3a89de099942bb591"
+ integrity sha512-F+P9Jil7UiSKSkppIiD94dN07AwvFixvLIj1Og1Rl9GGMuNipJnV9JzjD6XuqmAeiswGvUmNLjr5cFuXwNS77Q==
xdg-basedir@^4.0.0:
version "4.0.0"
|
c977a7b4c5c6f284f43a7a2242c420be83ce2cc3
|
2021-04-13 21:53:45
|
James
|
chore: bumps type dependencies
| false
|
bumps type dependencies
|
chore
|
diff --git a/package.json b/package.json
index 997bb7caac0..4803f0fadac 100644
--- a/package.json
+++ b/package.json
@@ -77,6 +77,7 @@
"@faceless-ui/scroll-info": "^1.2.3",
"@faceless-ui/window-info": "^1.2.4",
"@payloadcms/config-provider": "^0.0.22",
+ "@types/mime": "^2.0.3",
"@udecode/slate-plugins": "^0.71.9",
"assert": "^2.0.0",
"async-some": "^1.0.2",
@@ -164,7 +165,7 @@
"url-loader": "^4.1.1",
"uuid": "^8.1.0",
"webpack": "^5.6.0",
- "webpack-bundle-analyzer": "^4.3.0",
+ "webpack-bundle-analyzer": "^4.4.1",
"webpack-cli": "^4.3.1",
"webpack-dev-middleware": "^4.0.2",
"webpack-hot-middleware": "^2.25.0"
@@ -234,7 +235,7 @@
"@types/testing-library__jest-dom": "^5.9.5",
"@types/uuid": "^8.3.0",
"@types/webpack": "4.41.26",
- "@types/webpack-bundle-analyzer": "^3.9.0",
+ "@types/webpack-bundle-analyzer": "^4.4.0",
"@types/webpack-dev-middleware": "4.0.0",
"@types/webpack-env": "^1.15.3",
"@types/webpack-hot-middleware": "2.25.3",
diff --git a/src/admin/hooks/useUnmountEffect.tsx b/src/admin/hooks/useUnmountEffect.tsx
deleted file mode 100644
index 597bbd49f4e..00000000000
--- a/src/admin/hooks/useUnmountEffect.tsx
+++ /dev/null
@@ -1,6 +0,0 @@
-import { useEffect } from 'react';
-
-// eslint-disable-next-line react-hooks/exhaustive-deps
-const useUnmountEffect = (callback: React.EffectCallback): void => useEffect(() => callback, []);
-
-export default useUnmountEffect;
diff --git a/yarn.lock b/yarn.lock
index 6772309c6e2..f05f2790c2f 100644
--- a/yarn.lock
+++ b/yarn.lock
@@ -2042,6 +2042,11 @@
resolved "https://registry.npmjs.org/@types/mime/-/mime-1.3.2.tgz#93e25bf9ee75fe0fd80b594bc4feb0e862111b5a"
integrity sha512-YATxVxgRqNH6nHEIsvg6k2Boc1JHI9ZbH5iWFFv/MTkchz3b1ieGDa5T0a9RznNdI0KhVbdbWSN+KWWrQZRxTw==
+"@types/mime@^2.0.3":
+ version "2.0.3"
+ resolved "https://registry.npmjs.org/@types/mime/-/mime-2.0.3.tgz#c893b73721db73699943bfc3653b1deb7faa4a3a"
+ integrity sha512-Jus9s4CDbqwocc5pOAnh8ShfrnMcPHuJYzVcSUU7lrh8Ni5HuIqX3oilL86p3dlTrk0LzHRCgA/GQ7uNCw6l2Q==
+
"@types/mini-css-extract-plugin@^1.2.1":
version "1.4.1"
resolved "https://registry.npmjs.org/@types/mini-css-extract-plugin/-/mini-css-extract-plugin-1.4.1.tgz#de984842ba298efc3688d7cea39439b343d24f68"
@@ -2438,12 +2443,14 @@
resolved "https://registry.npmjs.org/@types/uuid/-/uuid-8.3.0.tgz#215c231dff736d5ba92410e6d602050cce7e273f"
integrity sha512-eQ9qFW/fhfGJF8WKHGEHZEyVWfZxrT+6CLIJGBcZPfxUh/+BnEj+UCGYMlr9qZuX/2AltsvwrGqp0LhEW8D0zQ==
-"@types/webpack-bundle-analyzer@^3.9.0":
- version "3.9.3"
- resolved "https://registry.npmjs.org/@types/webpack-bundle-analyzer/-/webpack-bundle-analyzer-3.9.3.tgz#3a12025eb5d86069c30b47a157e62c0aca6e39a1"
- integrity sha512-l/vaDMWGcXiMB3CbczpyICivLTB07/JNtn1xebsRXE9tPaUDEHgX3x7YP6jfznG5TOu7I4w0Qx1tZz61znmPmg==
+"@types/webpack-bundle-analyzer@^4.4.0":
+ version "4.4.0"
+ resolved "https://registry.npmjs.org/@types/webpack-bundle-analyzer/-/webpack-bundle-analyzer-4.4.0.tgz#cd7cc5c24e17044023bc6d26dd060287fcf370f4"
+ integrity sha512-8evCbPtT2jOUhVGgVDSzk3Y2g4oaxIkakqTj66vRrYjbOoIGmKJSnS4COObwffByiOEYxW7U8ymq9ae9qlH62Q==
dependencies:
- "@types/webpack" "^4"
+ "@types/node" "*"
+ tapable "^2.2.0"
+ webpack "^5"
"@types/[email protected]":
version "4.0.0"
@@ -13427,7 +13434,7 @@ webidl-conversions@^6.1.0:
resolved "https://registry.npmjs.org/webidl-conversions/-/webidl-conversions-6.1.0.tgz#9111b4d7ea80acd40f5270d666621afa78b69514"
integrity sha512-qBIvFLGiBpLjfwmYAaHPXsn+ho5xZnGvyGvsarywGNc8VyQJUMHJ8OBKGGrPER0okBeMDaan4mNBlgBROxuI8w==
-webpack-bundle-analyzer@^4.3.0:
+webpack-bundle-analyzer@^4.4.1:
version "4.4.1"
resolved "https://registry.npmjs.org/webpack-bundle-analyzer/-/webpack-bundle-analyzer-4.4.1.tgz#c71fb2eaffc10a4754d7303b224adb2342069da1"
integrity sha512-j5m7WgytCkiVBoOGavzNokBOqxe6Mma13X1asfVYtKWM3wxBiRRu1u1iG0Iol5+qp9WgyhkMmBAcvjEfJ2bdDw==
|
2938ce0d09748f7a286c554fa4747d314d4689cc
|
2023-10-03 00:45:43
|
Jacob Fletcher
|
chore: renders icon graphic in step nav
| false
|
renders icon graphic in step nav
|
chore
|
diff --git a/packages/payload/src/admin/components/elements/StepNav/index.tsx b/packages/payload/src/admin/components/elements/StepNav/index.tsx
index 4fbb64911db..47cab042289 100644
--- a/packages/payload/src/admin/components/elements/StepNav/index.tsx
+++ b/packages/payload/src/admin/components/elements/StepNav/index.tsx
@@ -4,8 +4,8 @@ import { Link } from 'react-router-dom'
import type { Context as ContextType } from './types'
+import { IconGraphic } from '../../../../exports/components/graphics'
import { getTranslation } from '../../../../utilities/getTranslation'
-import Chevron from '../../icons/Chevron'
import { useConfig } from '../../utilities/Config'
import './index.scss'
@@ -32,8 +32,8 @@ const StepNav: React.FC<{
className?: string
}> = (props) => {
const { className } = props
- const { i18n, t } = useTranslation()
- const dashboardLabel = <span>{t('general:dashboard')}</span>
+ const { i18n } = useTranslation()
+
const { stepNav } = useStepNav()
const config = useConfig()
const {
@@ -44,11 +44,13 @@ const StepNav: React.FC<{
<nav className={['step-nav', className].filter(Boolean).join(' ')}>
{stepNav.length > 0 ? (
<Fragment>
- <Link to={admin}>{dashboardLabel}</Link>
+ <Link to={admin}>
+ <IconGraphic />
+ </Link>
<span>/</span>
</Fragment>
) : (
- dashboardLabel
+ <IconGraphic />
)}
{stepNav.map((item, i) => {
const StepLabel = <span key={i}>{getTranslation(item.label, i18n)}</span>
diff --git a/packages/payload/src/admin/components/graphics/Icon/index.tsx b/packages/payload/src/admin/components/graphics/Icon/index.tsx
index 5be2dc7bd42..1cc917eb755 100644
--- a/packages/payload/src/admin/components/graphics/Icon/index.tsx
+++ b/packages/payload/src/admin/components/graphics/Icon/index.tsx
@@ -1,27 +1,46 @@
import React from 'react'
+import { useTranslation } from 'react-i18next'
import { useConfig } from '../../utilities/Config'
import RenderCustomComponent from '../../utilities/RenderCustomComponent'
const css = `
+ .graphic-icon {
+ width: 18px;
+ height: 18px;
+ }
.graphic-icon path {
fill: var(--theme-elevation-1000);
}
+
+
+ @media (max-width: 768px) {
+ .graphic-icon {
+ width: 16px;
+ height: 16px;
+ }
+ }
`
-const PayloadIcon: React.FC = () => (
- <svg
- className="graphic-icon"
- height="25"
- viewBox="0 0 25 25"
- width="25"
- xmlns="http://www.w3.org/2000/svg"
- >
- <style>{css}</style>
- <path d="M11.5293 0L23 6.90096V19.9978L14.3608 25V11.9032L2.88452 5.00777L11.5293 0Z" />
- <path d="M10.6559 24.2727V14.0518L2 19.0651L10.6559 24.2727Z" />
- </svg>
-)
+const PayloadIcon: React.FC = () => {
+ const { t } = useTranslation()
+
+ return (
+ <span title={t('general:dashboard')}>
+ <svg
+ className="graphic-icon"
+ height="100%"
+ viewBox="0 0 25 25"
+ width="100%"
+ xmlns="http://www.w3.org/2000/svg"
+ >
+ <style>{css}</style>
+ <path d="M11.5293 0L23 6.90096V19.9978L14.3608 25V11.9032L2.88452 5.00777L11.5293 0Z" />
+ <path d="M10.6559 24.2727V14.0518L2 19.0651L10.6559 24.2727Z" />
+ </svg>
+ </span>
+ )
+}
const Icon: React.FC = () => {
const {
diff --git a/packages/payload/src/admin/components/views/LivePreview/PreviewContext/index.scss b/packages/payload/src/admin/components/views/LivePreview/PreviewContext/index.scss
new file mode 100644
index 00000000000..e1a04af4985
--- /dev/null
+++ b/packages/payload/src/admin/components/views/LivePreview/PreviewContext/index.scss
@@ -0,0 +1 @@
+@import '../../../../scss/styles.scss';
|
982b3f0582d9f64bd560e96b0df3cc505cc86a2a
|
2022-05-24 05:53:24
|
Jarrod Flesch
|
fix: adds optional chaining to safely read drafts setting on versions (#577)
| false
|
adds optional chaining to safely read drafts setting on versions (#577)
|
fix
|
diff --git a/src/globals/operations/update.ts b/src/globals/operations/update.ts
index 57ba9ee789f..1f314aae6ea 100644
--- a/src/globals/operations/update.ts
+++ b/src/globals/operations/update.ts
@@ -32,7 +32,7 @@ async function update<T extends TypeWithID = any>(this: Payload, args): Promise<
let { data } = args;
- const shouldSaveDraft = Boolean(draftArg && globalConfig.versions.drafts);
+ const shouldSaveDraft = Boolean(draftArg && globalConfig.versions?.drafts);
// /////////////////////////////////////
// 1. Retrieve and execute access
|
db871795760db080e446910c673d291c716faefc
|
2022-07-17 21:02:06
|
Elliot DeNolf
|
chore: fix .prettierignore
| false
|
fix .prettierignore
|
chore
|
diff --git a/.prettierignore b/.prettierignore
index 85de9cf9334..5e4900f581f 100644
--- a/.prettierignore
+++ b/.prettierignore
@@ -1 +1,3 @@
-src
+
+*
+!test/
|
b6b1a8e65d05b708f55bb360dcdcfeae8c92517c
|
2023-10-05 00:14:16
|
Elliot DeNolf
|
chore(release): [email protected]
| false
|
chore
|
diff --git a/packages/db-postgres/package.json b/packages/db-postgres/package.json
index cf019d27b89..bccb8e55cae 100644
--- a/packages/db-postgres/package.json
+++ b/packages/db-postgres/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/db-postgres",
- "version": "0.1.0-beta.8",
+ "version": "0.1.0-beta.10",
"description": "The officially supported Postgres database adapter for Payload",
"repository": "https://github.com/payloadcms/payload",
"license": "MIT",
|
|
da2a262208318542d98c6639ba3683c1171bcc38
|
2022-08-02 00:51:25
|
Dan Ribbens
|
test: e2e windows compatibility (#861)
| false
|
e2e windows compatibility (#861)
|
test
|
diff --git a/package.json b/package.json
index ceb1634d90a..35b8c68e561 100644
--- a/package.json
+++ b/package.json
@@ -279,6 +279,7 @@
"rimraf": "^3.0.2",
"serve-static": "^1.14.2",
"shelljs": "^0.8.5",
+ "slash": "^3.0.0",
"start-server-and-test": "^1.14.0",
"ts-node": "^10.9.1",
"typescript": "^4.1.2"
diff --git a/src/collections/init.ts b/src/collections/init.ts
index 7fa36228861..feb0b89b2e7 100644
--- a/src/collections/init.ts
+++ b/src/collections/init.ts
@@ -1,4 +1,4 @@
-import mongoose from 'mongoose';
+import mongoose, { UpdateAggregationStage } from 'mongoose';
import paginate from 'mongoose-paginate-v2';
import express from 'express';
import passport from 'passport';
@@ -52,7 +52,7 @@ export default function registerCollections(ctx: Payload): void {
if (this.loginAttempts + 1 >= maxLoginAttempts && !this.isLocked) {
updates.$set = { lockUntil: Date.now() + lockTime };
}
- return this.updateOne(updates as mongoose.Document, cb);
+ return this.updateOne(updates as UpdateAggregationStage, cb);
};
// eslint-disable-next-line func-names
diff --git a/test/runE2E.ts b/test/runE2E.ts
index 1b96310f931..4c1c045e8b0 100644
--- a/test/runE2E.ts
+++ b/test/runE2E.ts
@@ -1,8 +1,10 @@
/* eslint-disable import/no-extraneous-dependencies, no-console */
import path from 'path';
import shelljs from 'shelljs';
-
import glob from 'glob';
+import slash from 'slash';
+
+shelljs.env.DISABLE_LOGGING = 'true';
const playwrightBin = path.resolve(__dirname, '../node_modules/.bin/playwright');
@@ -42,7 +44,7 @@ function executePlaywright(suitePath: string, bail = false) {
`${bail ? 'playwright.bail.config.ts' : 'playwright.config.ts'}`,
);
- const cmd = `DISABLE_LOGGING=true ${playwrightBin} test ${suitePath} -c ${playwrightCfg}`;
+ const cmd = slash(`${playwrightBin} test ${suitePath} -c ${playwrightCfg}`);
console.log('\n', cmd);
const { stdout, code } = shelljs.exec(cmd);
const suite = path.basename(path.dirname(suitePath));
diff --git a/yarn.lock b/yarn.lock
index 736af1cad9b..de3d3dc1494 100644
--- a/yarn.lock
+++ b/yarn.lock
@@ -42,7 +42,7 @@
dependencies:
"@babel/highlight" "^7.18.6"
-"@babel/compat-data@^7.13.11", "@babel/compat-data@^7.18.8":
+"@babel/compat-data@^7.17.7", "@babel/compat-data@^7.18.8":
version "7.18.8"
resolved "https://registry.npmjs.org/@babel/compat-data/-/compat-data-7.18.8.tgz#2483f565faca607b8535590e84e7de323f27764d"
integrity sha512-HSmX4WZPPK3FUxYp7g2T6EyO8j96HlZJlxmKPSh6KAcqwyDrfx7hKjXpAW/0FhFfTJsR0Yt4lAjLI2coMptIHQ==
@@ -92,7 +92,7 @@
"@babel/helper-explode-assignable-expression" "^7.18.6"
"@babel/types" "^7.18.9"
-"@babel/helper-compilation-targets@^7.13.0", "@babel/helper-compilation-targets@^7.18.9":
+"@babel/helper-compilation-targets@^7.17.7", "@babel/helper-compilation-targets@^7.18.9":
version "7.18.9"
resolved "https://registry.npmjs.org/@babel/helper-compilation-targets/-/helper-compilation-targets-7.18.9.tgz#69e64f57b524cde3e5ff6cc5a9f4a387ee5563bf"
integrity sha512-tzLCyVmqUiFlcFoAPLA/gL9TeYrF61VLNtb+hvkuVaB5SUjW7jcfrglBIX1vUIoT7CLP3bBlIMeyEsIl2eFQNg==
@@ -123,15 +123,13 @@
"@babel/helper-annotate-as-pure" "^7.18.6"
regexpu-core "^5.1.0"
-"@babel/helper-define-polyfill-provider@^0.3.1":
- version "0.3.1"
- resolved "https://registry.npmjs.org/@babel/helper-define-polyfill-provider/-/helper-define-polyfill-provider-0.3.1.tgz#52411b445bdb2e676869e5a74960d2d3826d2665"
- integrity sha512-J9hGMpJQmtWmj46B3kBHmL38UhJGhYX7eqkcq+2gsstyYt341HmPeWspihX43yVRA0mS+8GGk2Gckc7bY/HCmA==
+"@babel/helper-define-polyfill-provider@^0.3.1", "@babel/helper-define-polyfill-provider@^0.3.2":
+ version "0.3.2"
+ resolved "https://registry.npmjs.org/@babel/helper-define-polyfill-provider/-/helper-define-polyfill-provider-0.3.2.tgz#bd10d0aca18e8ce012755395b05a79f45eca5073"
+ integrity sha512-r9QJJ+uDWrd+94BSPcP6/de67ygLtvVy6cK4luE6MOuDsZIdoaPBnfSpbO/+LTifjPckbKXRuI9BB/Z2/y3iTg==
dependencies:
- "@babel/helper-compilation-targets" "^7.13.0"
- "@babel/helper-module-imports" "^7.12.13"
- "@babel/helper-plugin-utils" "^7.13.0"
- "@babel/traverse" "^7.13.0"
+ "@babel/helper-compilation-targets" "^7.17.7"
+ "@babel/helper-plugin-utils" "^7.16.7"
debug "^4.1.1"
lodash.debounce "^4.0.8"
resolve "^1.14.2"
@@ -171,7 +169,7 @@
dependencies:
"@babel/types" "^7.18.9"
-"@babel/helper-module-imports@^7.0.0", "@babel/helper-module-imports@^7.12.13", "@babel/helper-module-imports@^7.18.6":
+"@babel/helper-module-imports@^7.0.0", "@babel/helper-module-imports@^7.18.6":
version "7.18.6"
resolved "https://registry.npmjs.org/@babel/helper-module-imports/-/helper-module-imports-7.18.6.tgz#1e3ebdbbd08aad1437b428c50204db13c5a3ca6e"
integrity sha512-0NFvs3VkuSYbFi1x2Vd6tKrywq+z/cLeYC/RJNFrIX/30Bf5aiGYbtvGXolEktzJH8o5E5KJ3tT+nkxuuZFVlA==
@@ -199,7 +197,7 @@
dependencies:
"@babel/types" "^7.18.6"
-"@babel/helper-plugin-utils@^7.0.0", "@babel/helper-plugin-utils@^7.10.4", "@babel/helper-plugin-utils@^7.12.13", "@babel/helper-plugin-utils@^7.13.0", "@babel/helper-plugin-utils@^7.14.5", "@babel/helper-plugin-utils@^7.18.6", "@babel/helper-plugin-utils@^7.18.9", "@babel/helper-plugin-utils@^7.8.0", "@babel/helper-plugin-utils@^7.8.3":
+"@babel/helper-plugin-utils@^7.0.0", "@babel/helper-plugin-utils@^7.10.4", "@babel/helper-plugin-utils@^7.12.13", "@babel/helper-plugin-utils@^7.14.5", "@babel/helper-plugin-utils@^7.16.7", "@babel/helper-plugin-utils@^7.18.6", "@babel/helper-plugin-utils@^7.18.9", "@babel/helper-plugin-utils@^7.8.0", "@babel/helper-plugin-utils@^7.8.3":
version "7.18.9"
resolved "https://registry.npmjs.org/@babel/helper-plugin-utils/-/helper-plugin-utils-7.18.9.tgz#4b8aea3b069d8cb8a72cdfe28ddf5ceca695ef2f"
integrity sha512-aBXPT3bmtLryXaoJLyYPXPlSD4p1ld9aYeR+sJNOZjJJGiOpb+fKfh3NkcCu7J54nUJwCERPBExCCpyCOHnu/w==
@@ -1017,7 +1015,7 @@
core-js-pure "^3.20.2"
regenerator-runtime "^0.13.4"
-"@babel/runtime@^7.1.2", "@babel/runtime@^7.10.2", "@babel/runtime@^7.12.1", "@babel/runtime@^7.12.13", "@babel/runtime@^7.12.5", "@babel/runtime@^7.15.4", "@babel/runtime@^7.16.3", "@babel/runtime@^7.18.3", "@babel/runtime@^7.4.4", "@babel/runtime@^7.5.5", "@babel/runtime@^7.7.2", "@babel/runtime@^7.8.4", "@babel/runtime@^7.8.7", "@babel/runtime@^7.9.2":
+"@babel/runtime@^7.1.2", "@babel/runtime@^7.10.2", "@babel/runtime@^7.12.1", "@babel/runtime@^7.12.13", "@babel/runtime@^7.12.5", "@babel/runtime@^7.15.4", "@babel/runtime@^7.16.3", "@babel/runtime@^7.18.9", "@babel/runtime@^7.4.4", "@babel/runtime@^7.5.5", "@babel/runtime@^7.7.2", "@babel/runtime@^7.8.4", "@babel/runtime@^7.8.7", "@babel/runtime@^7.9.2":
version "7.18.9"
resolved "https://registry.npmjs.org/@babel/runtime/-/runtime-7.18.9.tgz#b4fcfce55db3d2e5e080d2490f608a3b9f407f4a"
integrity sha512-lkqXDcvlFT5rvEjiu6+QYO+1GXrEHRo2LOtS7E4GtX5ESIZOgepqsZBVIj6Pv+a6zqsya9VCgiK1KAK4BvJDAw==
@@ -1033,7 +1031,7 @@
"@babel/parser" "^7.18.6"
"@babel/types" "^7.18.6"
-"@babel/traverse@^7.1.0", "@babel/traverse@^7.13.0", "@babel/traverse@^7.18.9", "@babel/traverse@^7.7.0":
+"@babel/traverse@^7.1.0", "@babel/traverse@^7.18.9", "@babel/traverse@^7.7.0":
version "7.18.9"
resolved "https://registry.npmjs.org/@babel/traverse/-/traverse-7.18.9.tgz#deeff3e8f1bad9786874cb2feda7a2d77a904f98"
integrity sha512-LcPAnujXGwBgv3/WHv01pHtb2tihcyW1XuL9wd7jqh1Z8AQkTd+QVjMrMijrln0T7ED3UXLIy36P9Ao7W75rYg==
@@ -1645,17 +1643,17 @@
"@octokit/types" "^6.0.3"
universal-user-agent "^6.0.0"
-"@octokit/openapi-types@^12.10.0":
- version "12.10.1"
- resolved "https://registry.npmjs.org/@octokit/openapi-types/-/openapi-types-12.10.1.tgz#57b5cc6c7b4e55d8642c93d06401fb1af4839899"
- integrity sha512-P+SukKanjFY0ZhsK6wSVnQmxTP2eVPPE8OPSNuxaMYtgVzwJZgfGdwlYjf4RlRU4vLEw4ts2fsE2icG4nZ5ddQ==
+"@octokit/openapi-types@^12.11.0":
+ version "12.11.0"
+ resolved "https://registry.npmjs.org/@octokit/openapi-types/-/openapi-types-12.11.0.tgz#da5638d64f2b919bca89ce6602d059f1b52d3ef0"
+ integrity sha512-VsXyi8peyRq9PqIz/tpqiL2w3w80OgVMwBHltTml3LmVvXiphgeqmY9mvBw9Wu7e0QWk/fqD37ux8yP5uVekyQ==
"@octokit/plugin-paginate-rest@^2.16.8":
- version "2.21.2"
- resolved "https://registry.npmjs.org/@octokit/plugin-paginate-rest/-/plugin-paginate-rest-2.21.2.tgz#070be9bb18cb78e52b471ddc3551d28355e2d5e2"
- integrity sha512-S24H0a6bBVreJtoTaRHT/gnVASbOHVTRMOVIqd9zrJBP3JozsxJB56TDuTUmd1xLI4/rAE2HNmThvVKtIdLLEw==
+ version "2.21.3"
+ resolved "https://registry.npmjs.org/@octokit/plugin-paginate-rest/-/plugin-paginate-rest-2.21.3.tgz#7f12532797775640dbb8224da577da7dc210c87e"
+ integrity sha512-aCZTEf0y2h3OLbrgKkrfFdjRL6eSOo8komneVQJnYecAxIej7Bafor2xhuDJOIFau4pk0i/P28/XgtbyPF0ZHw==
dependencies:
- "@octokit/types" "^6.39.0"
+ "@octokit/types" "^6.40.0"
"@octokit/plugin-request-log@^1.0.4":
version "1.0.4"
@@ -1701,20 +1699,20 @@
"@octokit/plugin-request-log" "^1.0.4"
"@octokit/plugin-rest-endpoint-methods" "^5.12.0"
-"@octokit/types@^6.0.3", "@octokit/types@^6.16.1", "@octokit/types@^6.39.0":
- version "6.40.0"
- resolved "https://registry.npmjs.org/@octokit/types/-/types-6.40.0.tgz#f2e665196d419e19bb4265603cf904a820505d0e"
- integrity sha512-MFZOU5r8SwgJWDMhrLUSvyJPtVsqA6VnbVI3TNbsmw+Jnvrktzvq2fYES/6RiJA/5Ykdwq4mJmtlYUfW7CGjmw==
+"@octokit/types@^6.0.3", "@octokit/types@^6.16.1", "@octokit/types@^6.39.0", "@octokit/types@^6.40.0":
+ version "6.41.0"
+ resolved "https://registry.npmjs.org/@octokit/types/-/types-6.41.0.tgz#e58ef78d78596d2fb7df9c6259802464b5f84a04"
+ integrity sha512-eJ2jbzjdijiL3B4PrSQaSjuF2sPEQPVCPzBvTHJD9Nz+9dw2SGH4K4xeQJ77YfTq5bRQ+bD8wT11JbeDPmxmGg==
dependencies:
- "@octokit/openapi-types" "^12.10.0"
+ "@octokit/openapi-types" "^12.11.0"
"@playwright/test@^1.23.1":
- version "1.23.4"
- resolved "https://registry.npmjs.org/@playwright/test/-/test-1.23.4.tgz#d742ed34fc3eb09e29c2e652c2a646ba1e3c6b08"
- integrity sha512-iIsoMJDS/lyuhw82FtcV/B3PXikgVD3hNe5hyvOpRM0uRr1OIpN3LgPeRbBjhzBWmyf6RgRg5fqK5sVcpA03yA==
+ version "1.24.2"
+ resolved "https://registry.npmjs.org/@playwright/test/-/test-1.24.2.tgz#283ea8cc497f9742037458659bf235f4776cf1f0"
+ integrity sha512-Q4X224pRHw4Dtkk5PoNJplZCokLNvVbXD9wDQEMrHcEuvWpJWEQDeJ9gEwkZ3iCWSFSWBshIX177B231XW4wOQ==
dependencies:
"@types/node" "*"
- playwright-core "1.23.4"
+ playwright-core "1.24.2"
"@polka/url@^1.0.0-next.20":
version "1.0.0-next.21"
@@ -1749,9 +1747,9 @@
integrity sha512-RNiOoTPkptFtSVzQevY/yWtZwf/RxyVnPy/OcA9HBM3MlGDnBEYL5B41H0MTn0Uec8Hi+2qUtTfG2WWZBmMejQ==
"@sinclair/typebox@^0.24.1":
- version "0.24.20"
- resolved "https://registry.npmjs.org/@sinclair/typebox/-/typebox-0.24.20.tgz#11a657875de6008622d53f56e063a6347c51a6dd"
- integrity sha512-kVaO5aEFZb33nPMTZBxiPEkY+slxiPtqC7QX8f9B3eGOMBvEfuMfxp9DSTTCsRJPumPKjrge4yagyssO4q6qzQ==
+ version "0.24.25"
+ resolved "https://registry.npmjs.org/@sinclair/typebox/-/typebox-0.24.25.tgz#61234177664cf161b621443a18f9e6714f757e2b"
+ integrity sha512-Z0b1gkfeHzRQen7juqXIZ4P2nvI6vZV+m/PhxBlVsNH/jSg2FuqJ+x4haFFIbbct6LMA7m6x2sBob/Giecj09A==
"@sindresorhus/is@^0.14.0":
version "0.14.0"
@@ -2015,9 +2013,9 @@
integrity sha512-CuPgU6f3eT/XgKKPqKd/gLZV1Xmvf1a2R5POBOGQa6uv82xpls89HU5zKeVoyR8XzHd1RGNOlQlvUe3CFkjWNQ==
"@types/express-fileupload@^1.1.5":
- version "1.2.2"
- resolved "https://registry.npmjs.org/@types/express-fileupload/-/express-fileupload-1.2.2.tgz#98c10e900c222744bba16c848505a1fa95ab3ff0"
- integrity sha512-sWU1EVFfLsdAginKVrkwTRbRPnbn7dawxEFEBgaRDcpNFCUuksZtASaAKEhqwEIg6fSdeTyI6dIUGl3thhrypg==
+ version "1.2.3"
+ resolved "https://registry.npmjs.org/@types/express-fileupload/-/express-fileupload-1.2.3.tgz#11bccae26a0686e6ec17e3b527eb360e8024309b"
+ integrity sha512-TaMmhgnWr5Nb/bJ7zPSNSTBMQTX7vwKzv8+HqX1vZtytXw/DzcvX/IzjENO2BdzttJfmWofzi0aRio6cXWPuAw==
dependencies:
"@types/busboy" "^0"
"@types/express" "*"
@@ -2030,9 +2028,9 @@
"@types/express" "*"
"@types/express-serve-static-core@*", "@types/express-serve-static-core@^4.17.18":
- version "4.17.29"
- resolved "https://registry.npmjs.org/@types/express-serve-static-core/-/express-serve-static-core-4.17.29.tgz#2a1795ea8e9e9c91b4a4bbe475034b20c1ec711c"
- integrity sha512-uMd++6dMKS32EOuw1Uli3e3BPgdLIXmezcfHv7N4c1s3gkhikBplORPpMq3fuWkxncZN1reb16d5n8yhQ80x7Q==
+ version "4.17.30"
+ resolved "https://registry.npmjs.org/@types/express-serve-static-core/-/express-serve-static-core-4.17.30.tgz#0f2f99617fa8f9696170c46152ccf7500b34ac04"
+ integrity sha512-gstzbTWro2/nFed1WXtf+TtrpwxH7Ggs4RLYTLbeVgIkUQOI3WG/JKjgeOU1zXDvezllupjrf8OPIdvTbIaVOQ==
dependencies:
"@types/node" "*"
"@types/qs" "*"
@@ -2211,10 +2209,10 @@
dependencies:
"@types/express" "*"
-"@types/mime@^1":
- version "1.3.2"
- resolved "https://registry.npmjs.org/@types/mime/-/mime-1.3.2.tgz#93e25bf9ee75fe0fd80b594bc4feb0e862111b5a"
- integrity sha512-YATxVxgRqNH6nHEIsvg6k2Boc1JHI9ZbH5iWFFv/MTkchz3b1ieGDa5T0a9RznNdI0KhVbdbWSN+KWWrQZRxTw==
+"@types/mime@*":
+ version "3.0.0"
+ resolved "https://registry.npmjs.org/@types/mime/-/mime-3.0.0.tgz#e9a9903894405c6a6551f1774df4e64d9804d69c"
+ integrity sha512-fccbsHKqFDXClBZTDLA43zl0+TbxyIwyzIzwwhvoJvhNjOErCdeX2xJbURimv2EbSVUGav001PaCJg4mZxMl4w==
"@types/mime@^2.0.3":
version "2.0.3"
@@ -2271,9 +2269,9 @@
form-data "^3.0.0"
"@types/node@*":
- version "18.0.6"
- resolved "https://registry.npmjs.org/@types/node/-/node-18.0.6.tgz#0ba49ac517ad69abe7a1508bc9b3a5483df9d5d7"
- integrity sha512-/xUq6H2aQm261exT6iZTMifUySEt4GR5KX8eYyY+C4MSNPqSh9oNIP7tz2GLKTlFaiBbgZNxffoR3CVRG+cljw==
+ version "18.6.3"
+ resolved "https://registry.npmjs.org/@types/node/-/node-18.6.3.tgz#4e4a95b6fe44014563ceb514b2598b3e623d1c98"
+ integrity sha512-6qKpDtoaYLM+5+AFChLhHermMQxc3TOEFIDzrZLPRGHPrLEwqFkkT5Kx3ju05g6X7uDPazz3jHbKPX0KzCjntg==
"@types/nodemailer@^6.4.0":
version "6.4.4"
@@ -2283,9 +2281,9 @@
"@types/node" "*"
"@types/nodemon@^1.19.0":
- version "1.19.1"
- resolved "https://registry.npmjs.org/@types/nodemon/-/nodemon-1.19.1.tgz#00b2b931e240112dff30fc9cadbe3de02b5f3abc"
- integrity sha512-3teAFqCFba3W9zk4dAGUZ+rW/nrQBrSGXWyK9HfJuWxmITk2z2d3u/5cy7oFqNG2fZxPwSAWkP+a8q/QC6UU5Q==
+ version "1.19.2"
+ resolved "https://registry.npmjs.org/@types/nodemon/-/nodemon-1.19.2.tgz#fbd06468631fa8b9946278a4037ee054735d109b"
+ integrity sha512-4GWiTN3HevkxMIxEQ7OpD3MAHhlVsX2tairCMRmf8oYZxmhHw9+UpQpIdGdJrjsMT2Ty26FtJzUUcP/qM5fR8A==
dependencies:
"@types/node" "*"
@@ -2377,9 +2375,9 @@
integrity sha512-BYOID+l2Aco2nBik+iYS4SZX0Lf20KPILP5RGmM1IgzdwNdTs0eebiFriOPcej1sX9mLnSoiNte5zcFxssgpGA==
"@types/prettier@^2.0.0", "@types/prettier@^2.6.1":
- version "2.6.3"
- resolved "https://registry.npmjs.org/@types/prettier/-/prettier-2.6.3.tgz#68ada76827b0010d0db071f739314fa429943d0a"
- integrity sha512-ymZk3LEC/fsut+/Q5qejp6R9O1rMxz3XaRHDV6kX8MrGAhOSPqVARbDi+EZvInBpw+BnCX3TD240byVkOfQsHg==
+ version "2.6.4"
+ resolved "https://registry.npmjs.org/@types/prettier/-/prettier-2.6.4.tgz#ad899dad022bab6b5a9f0a0fe67c2f7a4a8950ed"
+ integrity sha512-fOwvpvQYStpb/zHMx0Cauwywu9yLDmzWiiQBC7gJyq5tYLUXFZvDG7VK1B7WBxxjBJNKFOZ0zLoOQn8vmATbhw==
"@types/prismjs@^1.16.2":
version "1.26.0"
@@ -2509,11 +2507,11 @@
integrity sha512-hppQEBDmlwhFAXKJX2KnWLYu5yMfi91yazPb2l+lbJiwW+wdo1gNeRA+3RgNSO39WYX2euey41KEwnqesU2Jew==
"@types/serve-static@*":
- version "1.13.10"
- resolved "https://registry.npmjs.org/@types/serve-static/-/serve-static-1.13.10.tgz#f5e0ce8797d2d7cc5ebeda48a52c96c4fa47a8d9"
- integrity sha512-nCkHGI4w7ZgAdNkrEu0bv+4xNV/XDqW+DydknebMOQwkpDGx8G+HTlj7R7ABI8i8nKxVw0wtKPi1D+lPOkh4YQ==
+ version "1.15.0"
+ resolved "https://registry.npmjs.org/@types/serve-static/-/serve-static-1.15.0.tgz#c7930ff61afb334e121a9da780aac0d9b8f34155"
+ integrity sha512-z5xyF6uh8CbjAu9760KDKsH2FcDxZ2tFCsA4HIMWE6IkiYMXfVoa+4f9KX+FN0ZLsaMw1WNG2ETLA6N+/YA+cg==
dependencies:
- "@types/mime" "^1"
+ "@types/mime" "*"
"@types/node" "*"
"@types/sharp@^0.26.1":
@@ -3009,10 +3007,10 @@ acorn@^7.1.1:
resolved "https://registry.npmjs.org/acorn/-/acorn-7.4.1.tgz#feaed255973d2e77555b83dbc08851a6c63520fa"
integrity sha512-nQyp0o1/mNdbTO1PO6kHkwSrmgZ0MT/jCCpNiwbUjGoRN4dlBhqJtoQuCnEOKzgTVwg0ZWiCoQy6SxMebQVh8A==
-acorn@^8.0.4, acorn@^8.2.4, acorn@^8.4.1, acorn@^8.5.0, acorn@^8.7.0:
- version "8.7.1"
- resolved "https://registry.npmjs.org/acorn/-/acorn-8.7.1.tgz#0197122c843d1bf6d0a5e83220a788f278f63c30"
- integrity sha512-Xx54uLJQZ19lKygFXOWsscKUbsBZW0CPykPhVQdhIeIwrbPmJzqeASDInc8nKBnp/JT6igTs82qPXz069H8I/A==
+acorn@^8.0.4, acorn@^8.2.4, acorn@^8.4.1, acorn@^8.5.0, acorn@^8.7.0, acorn@^8.7.1:
+ version "8.8.0"
+ resolved "https://registry.npmjs.org/acorn/-/acorn-8.8.0.tgz#88c0187620435c7f6015803f5539dae05a9dbea8"
+ integrity sha512-QOxyigPVrpZ2GXT+PFyZTl6TtOFc5egxHIP9IlQ+RbupQuX4RkT/Bee4/kQuC02Xkzg84JcT7oLYtDIQxp+v7w==
add-stream@^1.0.0:
version "1.0.0"
@@ -3324,12 +3322,12 @@ atomically@^1.7.0:
integrity sha512-Xcz9l0z7y9yQ9rdDaxlmaI4uJHf/T8g9hOEzJcsEqX2SjCj4J20uK7+ldkDHMbpJDK76wF7xEIgxc/vSlsfw5w==
autoprefixer@^10.4.7:
- version "10.4.7"
- resolved "https://registry.npmjs.org/autoprefixer/-/autoprefixer-10.4.7.tgz#1db8d195f41a52ca5069b7593be167618edbbedf"
- integrity sha512-ypHju4Y2Oav95SipEcCcI5J7CGPuvz8oat7sUtYj3ClK44bldfvtvcxK6IEK++7rqB7YchDGzweZIBG+SD0ZAA==
+ version "10.4.8"
+ resolved "https://registry.npmjs.org/autoprefixer/-/autoprefixer-10.4.8.tgz#92c7a0199e1cfb2ad5d9427bd585a3d75895b9e5"
+ integrity sha512-75Jr6Q/XpTqEf6D2ltS5uMewJIx5irCU1oBYJrWjFenq/m12WRRrz6g15L1EIoYvPLXTbEry7rDOwrcYNj77xw==
dependencies:
- browserslist "^4.20.3"
- caniuse-lite "^1.0.30001335"
+ browserslist "^4.21.3"
+ caniuse-lite "^1.0.30001373"
fraction.js "^4.2.0"
normalize-range "^0.1.2"
picocolors "^1.0.0"
@@ -3340,7 +3338,7 @@ available-typed-arrays@^1.0.5:
resolved "https://registry.npmjs.org/available-typed-arrays/-/available-typed-arrays-1.0.5.tgz#92f95616501069d07d10edb2fc37d3e1c65123b7"
integrity sha512-DMD0KiN46eipeziST1LPP/STfDU0sufISXmjSgvVsoU2tqxctQeASejWcfNtxYKqETM1UxQ8sp2OrSBWpHY6sw==
-axe-core@^4.4.2:
+axe-core@^4.4.3:
version "4.4.3"
resolved "https://registry.npmjs.org/axe-core/-/axe-core-4.4.3.tgz#11c74d23d5013c0fa5d183796729bc3482bd2f6f"
integrity sha512-32+ub6kkdhhWick/UjvEwRchgoetXqTK14INLqbGm5U2TzBkBNF3nQtLYm8ovxSkQWArjEQvftCKryjZaATu3w==
@@ -3452,20 +3450,20 @@ babel-plugin-macros@^2.0.0:
resolve "^1.12.0"
babel-plugin-polyfill-corejs2@^0.3.1:
- version "0.3.1"
- resolved "https://registry.npmjs.org/babel-plugin-polyfill-corejs2/-/babel-plugin-polyfill-corejs2-0.3.1.tgz#440f1b70ccfaabc6b676d196239b138f8a2cfba5"
- integrity sha512-v7/T6EQcNfVLfcN2X8Lulb7DjprieyLWJK/zOWH5DUYcAgex9sP3h25Q+DLsX9TloXe3y1O8l2q2Jv9q8UVB9w==
+ version "0.3.2"
+ resolved "https://registry.npmjs.org/babel-plugin-polyfill-corejs2/-/babel-plugin-polyfill-corejs2-0.3.2.tgz#e4c31d4c89b56f3cf85b92558954c66b54bd972d"
+ integrity sha512-LPnodUl3lS0/4wN3Rb+m+UK8s7lj2jcLRrjho4gLw+OJs+I4bvGXshINesY5xx/apM+biTnQ9reDI8yj+0M5+Q==
dependencies:
- "@babel/compat-data" "^7.13.11"
- "@babel/helper-define-polyfill-provider" "^0.3.1"
+ "@babel/compat-data" "^7.17.7"
+ "@babel/helper-define-polyfill-provider" "^0.3.2"
semver "^6.1.1"
babel-plugin-polyfill-corejs3@^0.5.2:
- version "0.5.2"
- resolved "https://registry.npmjs.org/babel-plugin-polyfill-corejs3/-/babel-plugin-polyfill-corejs3-0.5.2.tgz#aabe4b2fa04a6e038b688c5e55d44e78cd3a5f72"
- integrity sha512-G3uJih0XWiID451fpeFaYGVuxHEjzKTHtc9uGFEjR6hHrvNzeS/PX+LLLcetJcytsB5m4j+K3o/EpXJNb/5IEQ==
+ version "0.5.3"
+ resolved "https://registry.npmjs.org/babel-plugin-polyfill-corejs3/-/babel-plugin-polyfill-corejs3-0.5.3.tgz#d7e09c9a899079d71a8b670c6181af56ec19c5c7"
+ integrity sha512-zKsXDh0XjnrUEW0mxIHLfjBfnXSMr5Q/goMe/fxpQnLm07mcOZiIZHBNWCMx60HmdvjxfXcalac0tfFg0wqxyw==
dependencies:
- "@babel/helper-define-polyfill-provider" "^0.3.1"
+ "@babel/helper-define-polyfill-provider" "^0.3.2"
core-js-compat "^3.21.0"
babel-plugin-polyfill-regenerator@^0.3.1:
@@ -3651,15 +3649,15 @@ browser-process-hrtime@^1.0.0:
resolved "https://registry.npmjs.org/browser-process-hrtime/-/browser-process-hrtime-1.0.0.tgz#3c9b4b7d782c8121e56f10106d84c0d0ffc94626"
integrity sha512-9o5UecI3GhkpM6DrXr69PblIuWxPKk9Y0jHBRhdocZ2y7YECBFCsHm79Pr3OyR2AvjhDkabFJaDJMYRazHgsow==
-browserslist@^4.0.0, browserslist@^4.14.5, browserslist@^4.16.6, browserslist@^4.20.2, browserslist@^4.20.3, browserslist@^4.21.0, browserslist@^4.21.2:
- version "4.21.2"
- resolved "https://registry.npmjs.org/browserslist/-/browserslist-4.21.2.tgz#59a400757465535954946a400b841ed37e2b4ecf"
- integrity sha512-MonuOgAtUB46uP5CezYbRaYKBNt2LxP0yX+Pmj4LkcDFGkn9Cbpi83d9sCjwQDErXsIJSzY5oKGDbgOlF/LPAA==
+browserslist@^4.0.0, browserslist@^4.14.5, browserslist@^4.16.6, browserslist@^4.20.2, browserslist@^4.20.3, browserslist@^4.21.0, browserslist@^4.21.3:
+ version "4.21.3"
+ resolved "https://registry.npmjs.org/browserslist/-/browserslist-4.21.3.tgz#5df277694eb3c48bc5c4b05af3e8b7e09c5a6d1a"
+ integrity sha512-898rgRXLAyRkM1GryrrBHGkqA5hlpkV5MhtZwg9QXeiyLUYs2k00Un05aX5l2/yJIOObYKOpS2JNo8nJDE7fWQ==
dependencies:
- caniuse-lite "^1.0.30001366"
- electron-to-chromium "^1.4.188"
+ caniuse-lite "^1.0.30001370"
+ electron-to-chromium "^1.4.202"
node-releases "^2.0.6"
- update-browserslist-db "^1.0.4"
+ update-browserslist-db "^1.0.5"
[email protected]:
version "2.1.1"
@@ -3673,7 +3671,7 @@ bson-objectid@^2.0.1:
resolved "https://registry.npmjs.org/bson-objectid/-/bson-objectid-2.0.3.tgz#d840185172846b2f10c42ce2bcdb4a50956a9db5"
integrity sha512-WYwVtY9yqk179EPMNuF3vcxufdrGLEo2XwqdRVbfLVe9X6jLt7WKZQgP+ObOcprakBGbHxzl76tgTaieqsH29g==
-bson@*, bson@^4.6.2, bson@^4.6.3:
+bson@*, bson@^4.6.5:
version "4.6.5"
resolved "https://registry.npmjs.org/bson/-/bson-4.6.5.tgz#1a410148c20eef4e40d484878a037a7036e840fb"
integrity sha512-uqrgcjyOaZsHfz7ea8zLRCLe1u+QGUSzMZmvXqO24CDW7DWoW1qiN9folSwa7hSneTSgM2ykDIzF5kcQQ8cwNw==
@@ -3813,10 +3811,10 @@ caniuse-api@^3.0.0:
lodash.memoize "^4.1.2"
lodash.uniq "^4.5.0"
-caniuse-lite@^1.0.0, caniuse-lite@^1.0.30001335, caniuse-lite@^1.0.30001366:
- version "1.0.30001367"
- resolved "https://registry.npmjs.org/caniuse-lite/-/caniuse-lite-1.0.30001367.tgz#2b97fe472e8fa29c78c5970615d7cd2ee414108a"
- integrity sha512-XDgbeOHfifWV3GEES2B8rtsrADx4Jf+juKX2SICJcaUhjYBO3bR96kvEIHa15VU6ohtOhBZuPGGYGbXMRn0NCw==
+caniuse-lite@^1.0.0, caniuse-lite@^1.0.30001370, caniuse-lite@^1.0.30001373:
+ version "1.0.30001373"
+ resolved "https://registry.npmjs.org/caniuse-lite/-/caniuse-lite-1.0.30001373.tgz#2dc3bc3bfcb5d5a929bec11300883040d7b4b4be"
+ integrity sha512-pJYArGHrPp3TUqQzFYRmP/lwJlj8RCbVe3Gd3eJQkAV8SAC6b19XS9BjMvRdvaS8RMkaTN8ZhoHP6S1y8zzwEQ==
capture-exit@^2.0.0:
version "2.0.0"
@@ -3951,9 +3949,9 @@ cli-cursor@^3.1.0:
restore-cursor "^3.1.0"
cli-spinners@^2.5.0:
- version "2.6.1"
- resolved "https://registry.npmjs.org/cli-spinners/-/cli-spinners-2.6.1.tgz#adc954ebe281c37a6319bfa401e6dd2488ffb70d"
- integrity sha512-x/5fWmGMnbKQAaNwN+UZlV79qBLM9JFnJuJ03gIi5whrob0xV0ofNVHy9DhwGdsMJQc2OKv0oGmLzvaqvAVv+g==
+ version "2.7.0"
+ resolved "https://registry.npmjs.org/cli-spinners/-/cli-spinners-2.7.0.tgz#f815fd30b5f9eaac02db604c7a231ed7cb2f797a"
+ integrity sha512-qu3pN8Y3qHNgE2AFweciB1IfMnmZ/fsNTEE+NOFjmGB2F/7rLhnhzppvpCnN4FovtP26k8lHyy9ptEbNwWFLzw==
cli-width@^3.0.0:
version "3.0.0"
@@ -4168,9 +4166,9 @@ concat-stream@^2.0.0:
typedarray "^0.0.6"
conf@*, conf@^10.1.2:
- version "10.1.2"
- resolved "https://registry.npmjs.org/conf/-/conf-10.1.2.tgz#50132158f388756fa9dea3048f6b47935315c14e"
- integrity sha512-o9Fv1Mv+6A0JpoayQ8JleNp3hhkbOJP/Re/Q+QqxMPHPkABVsRjQGWZn9A5GcqLiTNC6d89p2PB5ZhHVDSMwyg==
+ version "10.2.0"
+ resolved "https://registry.npmjs.org/conf/-/conf-10.2.0.tgz#838e757be963f1a2386dfe048a98f8f69f7b55d6"
+ integrity sha512-8fLl9F04EJqjSqH+QjITQfJF8BrOVaYr1jewVgSRAEWePfxT0sku4w2hrGQ60BC/TNLGQ2pgxNlTbWQmMPFvXg==
dependencies:
ajv "^8.6.3"
ajv-formats "^2.1.1"
@@ -4411,22 +4409,22 @@ copyfiles@^2.4.0:
yargs "^16.1.0"
core-js-compat@^3.21.0, core-js-compat@^3.22.1:
- version "3.23.5"
- resolved "https://registry.npmjs.org/core-js-compat/-/core-js-compat-3.23.5.tgz#11edce2f1c4f69a96d30ce77c805ce118909cd5b"
- integrity sha512-fHYozIFIxd+91IIbXJgWd/igXIc8Mf9is0fusswjnGIWVG96y2cwyUdlCkGOw6rMLHKAxg7xtCIVaHsyOUnJIg==
+ version "3.24.1"
+ resolved "https://registry.npmjs.org/core-js-compat/-/core-js-compat-3.24.1.tgz#d1af84a17e18dfdd401ee39da9996f9a7ba887de"
+ integrity sha512-XhdNAGeRnTpp8xbD+sR/HFDK9CbeeeqXT6TuofXh3urqEevzkWmLRgrVoykodsw8okqo2pu1BOmuCKrHx63zdw==
dependencies:
- browserslist "^4.21.2"
+ browserslist "^4.21.3"
semver "7.0.0"
core-js-pure@^3.20.2:
- version "3.23.5"
- resolved "https://registry.npmjs.org/core-js-pure/-/core-js-pure-3.23.5.tgz#23daaa9af9230e50f10b0fa4b8e6b87402be4c33"
- integrity sha512-8t78LdpKSuCq4pJYCYk8hl7XEkAX+BP16yRIwL3AanTksxuEf7CM83vRyctmiEL8NDZ3jpUcv56fk9/zG3aIuw==
+ version "3.24.1"
+ resolved "https://registry.npmjs.org/core-js-pure/-/core-js-pure-3.24.1.tgz#8839dde5da545521bf282feb7dc6d0b425f39fd3"
+ integrity sha512-r1nJk41QLLPyozHUUPmILCEMtMw24NG4oWK6RbsDdjzQgg9ZvrUsPBj1MnG0wXXp1DCDU6j+wUvEmBSrtRbLXg==
core-js@^3.22.1:
- version "3.23.5"
- resolved "https://registry.npmjs.org/core-js/-/core-js-3.23.5.tgz#1f82b0de5eece800827a2f59d597509c67650475"
- integrity sha512-7Vh11tujtAZy82da4duVreQysIoO2EvVrur7y6IzZkH1IHPSekuDi8Vuw1+YKjkbfWLRD7Nc9ICQ/sIUDutcyg==
+ version "3.24.1"
+ resolved "https://registry.npmjs.org/core-js/-/core-js-3.24.1.tgz#cf7724d41724154010a6576b7b57d94c5d66e64f"
+ integrity sha512-0QTBSYSUZ6Gq21utGzkfITDylE8jWC9Ne1D2MrhvlsZBI1x39OdDIVbzSqtgMndIy6BlHxBXpMGqzZmnztg2rg==
core-util-is@~1.0.0:
version "1.0.3"
@@ -4742,9 +4740,9 @@ dataloader@^2.1.0:
integrity sha512-qTcEYLen3r7ojZNgVUaRggOI+KM7jrKxXeSHhogh/TWxYMeONEMqY+hmkobiYQozsGIyg9OYVzO4ZIfoB4I0pQ==
date-fns@^2.0.1, date-fns@^2.14.0:
- version "2.28.0"
- resolved "https://registry.npmjs.org/date-fns/-/date-fns-2.28.0.tgz#9570d656f5fc13143e50c975a3b6bbeb46cd08b2"
- integrity sha512-8d35hViGYx/QH0icHYCeLmsLmMUheMmTyV9Fcm6gvNwdw31yXXH+O85sOBJ+OLnLQMKZowvpKb6FgMIQjcpvQw==
+ version "2.29.1"
+ resolved "https://registry.npmjs.org/date-fns/-/date-fns-2.29.1.tgz#9667c2615525e552b5135a3116b95b1961456e60"
+ integrity sha512-dlLD5rKaKxpFdnjrs+5azHDFOPEu4ANy/LTh04A1DTzMM7qoajmKCBc8pkKRFT41CNzw+4gQh79X5C+Jq27HAw==
dateformat@^3.0.0:
version "3.0.3"
@@ -5139,10 +5137,10 @@ [email protected]:
resolved "https://registry.npmjs.org/ee-first/-/ee-first-1.1.1.tgz#590c61156b0ae2f4f0255732a158b266bc56b21d"
integrity sha512-WMwm9LhRUo+WUaRN+vRuETqG89IgZphVSNkdFgeb6sS/E4OrDIN7t48CAewSHXc6C8lefD8KKfr5vY61brQlow==
-electron-to-chromium@^1.4.188:
- version "1.4.193"
- resolved "https://registry.npmjs.org/electron-to-chromium/-/electron-to-chromium-1.4.193.tgz#8e760b9d9a7b92fe472664fd61811b307f3de39b"
- integrity sha512-tBqbgRv0yFIYBLBQKW6kHzI81rjvO1CRy+K8+XHTZtkVPkAZayI/CxTqBiy6Q1+tYAxby8bq/6yOiuNkTvfxmw==
+electron-to-chromium@^1.4.202:
+ version "1.4.206"
+ resolved "https://registry.npmjs.org/electron-to-chromium/-/electron-to-chromium-1.4.206.tgz#580ff85b54d7ec0c05f20b1e37ea0becdd7b0ee4"
+ integrity sha512-h+Fadt1gIaQ06JaIiyqPsBjJ08fV5Q7md+V8bUvQW/9OvXfL2LRICTz2EcnnCP7QzrFTS6/27MRV6Bl9Yn97zA==
emittery@^0.7.1:
version "0.7.2"
@@ -5189,7 +5187,7 @@ end-of-stream@^1.1.0, end-of-stream@^1.4.1:
dependencies:
once "^1.4.0"
-enhanced-resolve@^5.9.3:
+enhanced-resolve@^5.10.0:
version "5.10.0"
resolved "https://registry.npmjs.org/enhanced-resolve/-/enhanced-resolve-5.10.0.tgz#0dc579c3bb2a1032e357ac45b8f3a6f3ad4fb1e6"
integrity sha512-T0yTFjdpldGY8PmuXXR0PyQ1ufZpEGiHVrp7zHKB7jdR4qlmZHhONVM5AQOAWXuF/w3dnHbEQVrNptJgt7F+cQ==
@@ -5425,20 +5423,20 @@ eslint-plugin-jest@^23.16.0:
"@typescript-eslint/experimental-utils" "^2.5.0"
eslint-plugin-jsx-a11y@^6.2.1:
- version "6.6.0"
- resolved "https://registry.npmjs.org/eslint-plugin-jsx-a11y/-/eslint-plugin-jsx-a11y-6.6.0.tgz#2c5ac12e013eb98337b9aa261c3b355275cc6415"
- integrity sha512-kTeLuIzpNhXL2CwLlc8AHI0aFRwWHcg483yepO9VQiHzM9bZwJdzTkzBszbuPrbgGmq2rlX/FaT2fJQsjUSHsw==
+ version "6.6.1"
+ resolved "https://registry.npmjs.org/eslint-plugin-jsx-a11y/-/eslint-plugin-jsx-a11y-6.6.1.tgz#93736fc91b83fdc38cc8d115deedfc3091aef1ff"
+ integrity sha512-sXgFVNHiWffBq23uiS/JaP6eVR622DqwB4yTzKvGZGcPq6/yZ3WmOZfuBks/vHWo9GaFOqC2ZK4i6+C35knx7Q==
dependencies:
- "@babel/runtime" "^7.18.3"
+ "@babel/runtime" "^7.18.9"
aria-query "^4.2.2"
array-includes "^3.1.5"
ast-types-flow "^0.0.7"
- axe-core "^4.4.2"
+ axe-core "^4.4.3"
axobject-query "^2.2.0"
damerau-levenshtein "^1.0.8"
emoji-regex "^9.2.2"
has "^1.0.3"
- jsx-ast-utils "^3.3.1"
+ jsx-ast-utils "^3.3.2"
language-tags "^1.0.5"
minimatch "^3.1.2"
semver "^6.3.0"
@@ -5863,9 +5861,9 @@ fast-safe-stringify@^2.0.7, fast-safe-stringify@^2.0.8:
integrity sha512-W+KJc2dmILlPplD/H4K9l9LcAHAfPtP6BY84uVLXQ6Evcz9Lcg33Y2z1IVblT6xdY54PXYVHEv+0Wpq8Io6zkA==
fastest-levenshtein@^1.0.12:
- version "1.0.12"
- resolved "https://registry.npmjs.org/fastest-levenshtein/-/fastest-levenshtein-1.0.12.tgz#9990f7d3a88cc5a9ffd1f1745745251700d497e2"
- integrity sha512-On2N+BpYJ15xIC974QNVuYGMOlEVt4s0EOI3wwMqOmK1fdDY+FN/zltPV8vosq4ad4c/gJ1KHScUn/6AWIgiow==
+ version "1.0.14"
+ resolved "https://registry.npmjs.org/fastest-levenshtein/-/fastest-levenshtein-1.0.14.tgz#9054384e4b7a78c88d01a4432dc18871af0ac859"
+ integrity sha512-tFfWHjnuUfKE186Tfgr+jtaFc0mZTApEgKDOeyN+FwOqRkO/zK/3h1AiRd8u8CY53owL3CUmGr/oI9p/RdyLTA==
fastq@^1.6.0:
version "1.13.0"
@@ -7995,7 +7993,7 @@ jsonwebtoken@^8.2.0, jsonwebtoken@^8.5.1:
ms "^2.1.1"
semver "^5.6.0"
-"jsx-ast-utils@^2.4.1 || ^3.0.0", jsx-ast-utils@^3.3.1:
+"jsx-ast-utils@^2.4.1 || ^3.0.0", jsx-ast-utils@^3.3.2:
version "3.3.2"
resolved "https://registry.npmjs.org/jsx-ast-utils/-/jsx-ast-utils-3.3.2.tgz#afe5efe4332cd3515c065072bd4d6b0aa22152bd"
integrity sha512-4ZCADZHRkno244xlNnn4AOG6sRQ7iBZ5BbgZ4vW4y5IZw7cVUD1PPeblm1xx/nfmMxPdt/LHsXZW8z/j58+l9Q==
@@ -8615,9 +8613,9 @@ modify-values@^1.0.0:
integrity sha512-xV2bxeN6F7oYjZWTe/YPAy6MN2M+sL4u/Rlm2AHCIVGfo2p1yGmBHQ6vHehl4bRTZBdHu3TSkWdYgkwpYzAGSw==
mongodb-connection-string-url@^2.5.2:
- version "2.5.2"
- resolved "https://registry.npmjs.org/mongodb-connection-string-url/-/mongodb-connection-string-url-2.5.2.tgz#f075c8d529e8d3916386018b8a396aed4f16e5ed"
- integrity sha512-tWDyIG8cQlI5k3skB6ywaEA5F9f5OntrKKsT/Lteub2zgwSUlhqEN2inGgBTm8bpYJf8QYBdA/5naz65XDpczA==
+ version "2.5.3"
+ resolved "https://registry.npmjs.org/mongodb-connection-string-url/-/mongodb-connection-string-url-2.5.3.tgz#c0c572b71570e58be2bd52b33dffd1330cfb6990"
+ integrity sha512-f+/WsED+xF4B74l3k9V/XkTVj5/fxFH2o5ToKXd8Iyi5UhM+sO9u0Ape17Mvl/GkZaFtM0HQnzAG5OTmhKw+tQ==
dependencies:
"@types/whatwg-url" "^8.2.1"
whatwg-url "^11.0.0"
@@ -8654,12 +8652,12 @@ mongodb-memory-server@^7.2.0:
mongodb-memory-server-core "7.6.3"
tslib "^2.3.0"
[email protected]:
- version "4.7.0"
- resolved "https://registry.npmjs.org/mongodb/-/mongodb-4.7.0.tgz#99f7323271d93659067695b60e7b4efee2de9bf0"
- integrity sha512-HhVar6hsUeMAVlIbwQwWtV36iyjKd9qdhY+s4wcU8K6TOj4Q331iiMy+FoPuxEntDIijTYWivwFJkLv8q/ZgvA==
[email protected]:
+ version "4.8.1"
+ resolved "https://registry.npmjs.org/mongodb/-/mongodb-4.8.1.tgz#596de88ff4519128266d9254dbe5b781c4005796"
+ integrity sha512-/NyiM3Ox9AwP5zrfT9TXjRKDJbXlLaUDQ9Rg//2lbg8D2A8GXV0VidYYnA/gfdK6uwbnL4FnAflH7FbGw3TS7w==
dependencies:
- bson "^4.6.3"
+ bson "^4.6.5"
denque "^2.0.1"
mongodb-connection-string-url "^2.5.2"
socks "^2.6.2"
@@ -8685,13 +8683,13 @@ mongoose-paginate-v2@*, mongoose-paginate-v2@^1.6.1:
integrity sha512-r9bns1sMWRl0QO3YXVZ/uGOL/CYcDXTmapGHlddIgzbfOhVxUWKHKItwJO8rZICF1ooOukLQv8qQLVTc3qSLpQ==
mongoose@^6.2.0:
- version "6.4.5"
- resolved "https://registry.npmjs.org/mongoose/-/mongoose-6.4.5.tgz#59b9c0d1ca09dd17957846e75374fde34309b2fc"
- integrity sha512-2E56DnJ4z5pWnBH4/pFGWuDFRn1Wt/JxU31Hcu0ZZtsd8I6piHavLawC9ND6GgyBpHov/aVLPLXtzB+HPKeKQg==
+ version "6.5.0"
+ resolved "https://registry.npmjs.org/mongoose/-/mongoose-6.5.0.tgz#5c71aa8d4027e50bfe8d29d6e955e378e010d174"
+ integrity sha512-swOX8ZEbmCeJaEs29B1j67StBIhuOccNNkipbVhsnLYYCDpNE7heM9W54MFGwN5es9tGGoxINHSzOhJ9kTOZGg==
dependencies:
- bson "^4.6.2"
+ bson "^4.6.5"
kareem "2.4.1"
- mongodb "4.7.0"
+ mongodb "4.8.1"
mpath "0.9.0"
mquery "4.0.3"
ms "2.1.3"
@@ -9324,7 +9322,7 @@ parse-passwd@^1.0.0:
resolved "https://registry.npmjs.org/parse-passwd/-/parse-passwd-1.0.0.tgz#6d5b934a456993b23d37f40a382d6f1666a8e5c6"
integrity sha512-1Y1A//QUXEZK7YKz+rD9WydcE1+EuPr6ZBgKecAB8tmoW6UFv0NREVJe1p+jRxtThkcbbKkfwIbWJe/IeE6m2Q==
-parse-path@^4.0.4:
+parse-path@^4.0.0:
version "4.0.4"
resolved "https://registry.npmjs.org/parse-path/-/parse-path-4.0.4.tgz#4bf424e6b743fb080831f03b536af9fc43f0ffea"
integrity sha512-Z2lWUis7jlmXC1jeOG9giRO2+FsuyNipeQ43HAjqAZjwSe3SEf+q/84FGPHoso3kyntbxa4c4i77t3m6fGf8cw==
@@ -9335,13 +9333,13 @@ parse-path@^4.0.4:
query-string "^6.13.8"
parse-url@^6.0.0:
- version "6.0.2"
- resolved "https://registry.npmjs.org/parse-url/-/parse-url-6.0.2.tgz#4a30b057bfc452af64512dfb1a7755c103db3ea1"
- integrity sha512-uCSjOvD3T+6B/sPWhR+QowAZcU/o4bjPrVBQBGFxcDF6J6FraCGIaDBsdoQawiaaAVdHvtqBe3w3vKlfBKySOQ==
+ version "6.0.5"
+ resolved "https://registry.npmjs.org/parse-url/-/parse-url-6.0.5.tgz#4acab8982cef1846a0f8675fa686cef24b2f6f9b"
+ integrity sha512-e35AeLTSIlkw/5GFq70IN7po8fmDUjpDPY1rIK+VubRfsUvBonjQ+PBZG+vWMACnQSmNlvl524IucoDmcioMxA==
dependencies:
is-ssh "^1.3.0"
normalize-url "^6.1.0"
- parse-path "^4.0.4"
+ parse-path "^4.0.0"
protocols "^1.4.0"
[email protected]:
@@ -9583,10 +9581,10 @@ pkg-up@^3.1.0:
dependencies:
find-up "^3.0.0"
[email protected]:
- version "1.23.4"
- resolved "https://registry.npmjs.org/playwright-core/-/playwright-core-1.23.4.tgz#e8a45e549faf6bfad24a0e9998e451979514d41e"
- integrity sha512-h5V2yw7d8xIwotjyNrkLF13nV9RiiZLHdXeHo+nVJIYGVlZ8U2qV0pMxNJKNTvfQVT0N8/A4CW6/4EW2cOcTiA==
[email protected]:
+ version "1.24.2"
+ resolved "https://registry.npmjs.org/playwright-core/-/playwright-core-1.24.2.tgz#47bc5adf3dcfcc297a5a7a332449c9009987db26"
+ integrity sha512-zfAoDoPY/0sDLsgSgLZwWmSCevIg1ym7CppBwllguVBNiHeixZkc1AdMuYUPZC6AdEYc4CxWEyLMBTw2YcmRrA==
pluralize@^8.0.0:
version "8.0.0"
@@ -10592,9 +10590,9 @@ react-toastify@^8.2.0:
clsx "^1.1.1"
react-transition-group@^4.3.0, react-transition-group@^4.4.2:
- version "4.4.2"
- resolved "https://registry.npmjs.org/react-transition-group/-/react-transition-group-4.4.2.tgz#8b59a56f09ced7b55cbd53c36768b922890d5470"
- integrity sha512-/RNYfRAMlZwDSr6z4zNKV6xu53/e2BuaBbGhbyYIXTrmgu/bGHzmqOs7mJSJBHy9Ud+ApHx3QjrkKSp1pxvlFg==
+ version "4.4.5"
+ resolved "https://registry.npmjs.org/react-transition-group/-/react-transition-group-4.4.5.tgz#e53d4e3f3344da8521489fbef8f2581d42becdd1"
+ integrity sha512-pZcd1MCJoiKiBR2NRxeCRg13uCXbydPnmB4EOeRrY7480qNWO8IIgQG6zlDkm6uRMsURXPuKq0GWtiM59a5Q6g==
dependencies:
"@babel/runtime" "^7.5.5"
dom-helpers "^5.0.1"
@@ -11089,9 +11087,9 @@ sass-loader@^12.6.0:
neo-async "^2.6.2"
sass@^1.52.1:
- version "1.53.0"
- resolved "https://registry.npmjs.org/sass/-/sass-1.53.0.tgz#eab73a7baac045cc57ddc1d1ff501ad2659952eb"
- integrity sha512-zb/oMirbKhUgRQ0/GFz8TSAwRq2IlR29vOUJZOx0l8sV+CkHUfHa4u5nqrG+1VceZp7Jfj59SVW9ogdhTvJDcQ==
+ version "1.54.0"
+ resolved "https://registry.npmjs.org/sass/-/sass-1.54.0.tgz#24873673265e2a4fe3d3a997f714971db2fba1f4"
+ integrity sha512-C4zp79GCXZfK0yoHZg+GxF818/aclhp9F48XBu/+bm9vXEVAYov9iU3FBVRMq3Hx3OA4jfKL+p2K9180mEh0xQ==
dependencies:
chokidar ">=3.0.0 <4.0.0"
immutable "^4.0.0"
@@ -12286,9 +12284,9 @@ type@^1.0.1:
integrity sha512-+5nt5AAniqsCnu2cEQQdpzCAh33kVx8n0VoFidKpB1dVVLAN/F+bgVOqOJqOnEnrhp222clB5p3vUlD+1QAnfg==
type@^2.5.0:
- version "2.6.0"
- resolved "https://registry.npmjs.org/type/-/type-2.6.0.tgz#3ca6099af5981d36ca86b78442973694278a219f"
- integrity sha512-eiDBDOmkih5pMbo9OqsqPRGMljLodLcwd5XD5JbtNB0o89xZAwynY9EdCDsJU7LtcVCClu9DvM7/0Ep1hYX3EQ==
+ version "2.6.1"
+ resolved "https://registry.npmjs.org/type/-/type-2.6.1.tgz#808f389ec777205cc3cd97c1c88ec1a913105aae"
+ integrity sha512-OvgH5rB0XM+iDZGQ1Eg/o7IZn0XYJFVrN/9FQ4OWIYILyJJgVP2s1hLTOFn6UOZoDUI/HctGa0PFlE2n2HW3NQ==
typed-styles@^0.0.7:
version "0.0.7"
@@ -12313,9 +12311,9 @@ typescript@^4.1.2:
integrity sha512-C0WQT0gezHuw6AdY1M2jxUO83Rjf0HP7Sk1DtXj6j1EwkQNZrHAg2XPWlq62oqEhYvONq5pkC2Y9oPljWToLmQ==
uglify-js@^3.1.4:
- version "3.16.2"
- resolved "https://registry.npmjs.org/uglify-js/-/uglify-js-3.16.2.tgz#0481e1dbeed343ad1c2ddf3c6d42e89b7a6d4def"
- integrity sha512-AaQNokTNgExWrkEYA24BTNMSjyqEXPSfhqoS0AxmHkCJ4U+Dyy5AvbGV/sqxuxficEfGGoX3zWw9R7QpLFfEsg==
+ version "3.16.3"
+ resolved "https://registry.npmjs.org/uglify-js/-/uglify-js-3.16.3.tgz#94c7a63337ee31227a18d03b8a3041c210fd1f1d"
+ integrity sha512-uVbFqx9vvLhQg0iBaau9Z75AxWJ8tqM9AV890dIZCLApF4rTcyHwmAvLeEdYRs+BzYWu8Iw81F79ah0EfTXbaw==
unbox-primitive@^1.0.2:
version "1.0.2"
@@ -12405,7 +12403,7 @@ untildify@^4.0.0:
resolved "https://registry.npmjs.org/untildify/-/untildify-4.0.0.tgz#2bc947b953652487e4600949fb091e3ae8cd919b"
integrity sha512-KK8xQ1mkzZeg9inewmFVDNkg3l5LUhoq9kN6iWYB/CC9YMG8HA+c1Q8HwDe6dEX7kErrEVNVBO3fWsVq5iDgtw==
-update-browserslist-db@^1.0.4:
+update-browserslist-db@^1.0.5:
version "1.0.5"
resolved "https://registry.npmjs.org/update-browserslist-db/-/update-browserslist-db-1.0.5.tgz#be06a5eedd62f107b7c19eb5bcefb194411abf38"
integrity sha512-dteFFpCyvuDdr9S/ff1ISkKt/9YZxKjI9WlRR99c180GaztJtRa/fn18FdxGVKVsnPY7/a/FDN68mcvUmP4U7Q==
@@ -12597,7 +12595,7 @@ warning@^4.0.2, warning@^4.0.3:
dependencies:
loose-envify "^1.0.0"
-watchpack@^2.3.1:
+watchpack@^2.4.0:
version "2.4.0"
resolved "https://registry.npmjs.org/watchpack/-/watchpack-2.4.0.tgz#fa33032374962c78113f93c7f2fb4c54c9862a5d"
integrity sha512-Lcvm7MGST/4fup+ifyKi2hjyIAwcdI4HRgtvTpIUxBRhB+RFtUh8XtDOxUfctVCnhVi+QQj49i91OyvzkJl6cg==
@@ -12709,20 +12707,20 @@ webpack-sources@^3.2.3:
integrity sha512-/DyMEOrDgLKKIG0fmvtz+4dUX/3Ghozwgm6iPp8KRhvn+eQf9+Q7GWxVNMk3+uCPWfdXYC4ExGBckIXdFEfH1w==
webpack@^5, webpack@^5.6.0:
- version "5.73.0"
- resolved "https://registry.npmjs.org/webpack/-/webpack-5.73.0.tgz#bbd17738f8a53ee5760ea2f59dce7f3431d35d38"
- integrity sha512-svjudQRPPa0YiOYa2lM/Gacw0r6PvxptHj4FuEKQ2kX05ZLkjbVc5MnPs6its5j7IZljnIqSVo/OsY2X0IpHGA==
+ version "5.74.0"
+ resolved "https://registry.npmjs.org/webpack/-/webpack-5.74.0.tgz#02a5dac19a17e0bb47093f2be67c695102a55980"
+ integrity sha512-A2InDwnhhGN4LYctJj6M1JEaGL7Luj6LOmyBHjcI8529cm5p6VXiTIW2sn6ffvEAKmveLzvu4jrihwXtPojlAA==
dependencies:
"@types/eslint-scope" "^3.7.3"
"@types/estree" "^0.0.51"
"@webassemblyjs/ast" "1.11.1"
"@webassemblyjs/wasm-edit" "1.11.1"
"@webassemblyjs/wasm-parser" "1.11.1"
- acorn "^8.4.1"
+ acorn "^8.7.1"
acorn-import-assertions "^1.7.6"
browserslist "^4.14.5"
chrome-trace-event "^1.0.2"
- enhanced-resolve "^5.9.3"
+ enhanced-resolve "^5.10.0"
es-module-lexer "^0.9.0"
eslint-scope "5.1.1"
events "^3.2.0"
@@ -12735,7 +12733,7 @@ webpack@^5, webpack@^5.6.0:
schema-utils "^3.1.0"
tapable "^2.1.1"
terser-webpack-plugin "^5.1.3"
- watchpack "^2.3.1"
+ watchpack "^2.4.0"
webpack-sources "^3.2.3"
whatwg-encoding@^1.0.5:
|
e912dde08ded93515228d17bb6e9f2fef1e634c4
|
2024-04-04 23:09:06
|
Alessio Gravili
|
chore: ensure autologin passes before starting tests for all e2e test suites (#5659)
| false
|
ensure autologin passes before starting tests for all e2e test suites (#5659)
|
chore
|
diff --git a/test/_community/e2e.spec.ts b/test/_community/e2e.spec.ts
index 4df3db52b8c..948b2b738eb 100644
--- a/test/_community/e2e.spec.ts
+++ b/test/_community/e2e.spec.ts
@@ -4,7 +4,7 @@ import { expect, test } from '@playwright/test'
import * as path from 'path'
import { fileURLToPath } from 'url'
-import { initPageConsoleErrorCatch } from '../helpers.js'
+import { ensureAutoLoginAndCompilationIsDone, initPageConsoleErrorCatch } from '../helpers.js'
import { AdminUrlUtil } from '../helpers/adminUrlUtil.js'
import { initPayloadE2ENoConfig } from '../helpers/initPayloadE2ENoConfig.js'
@@ -22,6 +22,7 @@ test.describe('Admin Panel', () => {
const context = await browser.newContext()
page = await context.newPage()
initPageConsoleErrorCatch(page)
+ await ensureAutoLoginAndCompilationIsDone({ page, serverURL })
})
test('example test', async () => {
diff --git a/test/access-control/e2e.spec.ts b/test/access-control/e2e.spec.ts
index d83181cdc12..0d046404e29 100644
--- a/test/access-control/e2e.spec.ts
+++ b/test/access-control/e2e.spec.ts
@@ -9,6 +9,7 @@ import type { ReadOnlyCollection, RestrictedVersion } from './payload-types.js'
import {
closeNav,
+ ensureAutoLoginAndCompilationIsDone,
exactText,
initPageConsoleErrorCatch,
openDocControls,
@@ -59,6 +60,7 @@ describe('access control', () => {
const context = await browser.newContext()
page = await context.newPage()
initPageConsoleErrorCatch(page)
+ await ensureAutoLoginAndCompilationIsDone({ page, serverURL })
})
test('field without read access should not show', async () => {
diff --git a/test/admin/e2e.spec.ts b/test/admin/e2e.spec.ts
index 89bbfe06705..073795f2582 100644
--- a/test/admin/e2e.spec.ts
+++ b/test/admin/e2e.spec.ts
@@ -11,6 +11,7 @@ import type { Geo, Post } from './payload-types.js'
import {
checkBreadcrumb,
checkPageTitle,
+ ensureAutoLoginAndCompilationIsDone,
exactText,
initPageConsoleErrorCatch,
openDocControls,
@@ -78,6 +79,7 @@ describe('admin', () => {
})
beforeEach(async () => {
await clearAndSeedEverything(payload)
+ await ensureAutoLoginAndCompilationIsDone({ page, serverURL })
})
describe('Nav', () => {
diff --git a/test/field-error-states/e2e.spec.ts b/test/field-error-states/e2e.spec.ts
index cb245f0c947..2348baa436f 100644
--- a/test/field-error-states/e2e.spec.ts
+++ b/test/field-error-states/e2e.spec.ts
@@ -4,7 +4,7 @@ import { expect, test } from '@playwright/test'
import path from 'path'
import { fileURLToPath } from 'url'
-import { initPageConsoleErrorCatch } from '../helpers.js'
+import { ensureAutoLoginAndCompilationIsDone, initPageConsoleErrorCatch } from '../helpers.js'
import { initPayloadE2ENoConfig } from '../helpers/initPayloadE2ENoConfig.js'
const { beforeAll, describe } = test
@@ -20,6 +20,8 @@ describe('field error states', () => {
const context = await browser.newContext()
page = await context.newPage()
initPageConsoleErrorCatch(page)
+
+ await ensureAutoLoginAndCompilationIsDone({ page, serverURL })
})
test('Remove row should remove error states from parent fields', async () => {
diff --git a/test/fields-relationship/e2e.spec.ts b/test/fields-relationship/e2e.spec.ts
index 45b81f0e24b..a78701595d6 100644
--- a/test/fields-relationship/e2e.spec.ts
+++ b/test/fields-relationship/e2e.spec.ts
@@ -14,9 +14,16 @@ import type {
RelationWithTitle,
} from './payload-types.js'
-import { initPageConsoleErrorCatch, openDocControls, saveDocAndAssert } from '../helpers.js'
+import {
+ delayNetwork,
+ ensureAutoLoginAndCompilationIsDone,
+ initPageConsoleErrorCatch,
+ openDocControls,
+ saveDocAndAssert,
+} from '../helpers.js'
import { AdminUrlUtil } from '../helpers/adminUrlUtil.js'
import { initPayloadE2E } from '../helpers/initPayloadE2E.js'
+import { POLL_TOPASS_TIMEOUT } from '../playwright.config.js'
import {
relationFalseFilterOptionSlug,
relationOneSlug,
@@ -123,6 +130,8 @@ describe('fields - relationship', () => {
relationshipWithTitle: relationWithTitle.id,
},
})) as any
+
+ await ensureAutoLoginAndCompilationIsDone({ page, serverURL })
})
test('should create relationship', async () => {
diff --git a/test/fields/e2e.spec.ts b/test/fields/e2e.spec.ts
index 436f559f7a5..37e0b2a259d 100644
--- a/test/fields/e2e.spec.ts
+++ b/test/fields/e2e.spec.ts
@@ -9,6 +9,7 @@ import { fileURLToPath } from 'url'
import type { RelationshipField, TextField } from './payload-types.js'
import {
+ ensureAutoLoginAndCompilationIsDone,
exactText,
initPageConsoleErrorCatch,
saveDocAndAssert,
@@ -56,6 +57,8 @@ describe('fields', () => {
}
client = new RESTClient(null, { defaultSlug: 'users', serverURL })
await client.login()
+
+ await ensureAutoLoginAndCompilationIsDone({ page, serverURL })
})
describe('text', () => {
let url: AdminUrlUtil
diff --git a/test/helpers.ts b/test/helpers.ts
index 8a4b1fa2ae1..f4bfbec9e1b 100644
--- a/test/helpers.ts
+++ b/test/helpers.ts
@@ -35,6 +35,30 @@ const networkConditions = {
},
}
+/**
+ * Load admin panel and make sure autologin has passed before running tests
+ * @param page
+ * @param serverURL
+ */
+export async function ensureAutoLoginAndCompilationIsDone({
+ page,
+ serverURL,
+}: {
+ page: Page
+ serverURL: string
+}): Promise<void> {
+ const adminURL = `${serverURL}/admin`
+
+ await page.goto(adminURL)
+ await page.waitForURL(adminURL)
+ await expect(() => expect(page.url()).not.toContain(`/admin/login`)).toPass({
+ timeout: POLL_TOPASS_TIMEOUT,
+ })
+ await expect(() => expect(page.url()).not.toContain(`/admin/create-first-user`)).toPass({
+ timeout: POLL_TOPASS_TIMEOUT,
+ })
+}
+
export async function delayNetwork({
context,
page,
diff --git a/test/live-preview/e2e.spec.ts b/test/live-preview/e2e.spec.ts
index 77b29b59e86..fac56bf7ec1 100644
--- a/test/live-preview/e2e.spec.ts
+++ b/test/live-preview/e2e.spec.ts
@@ -4,9 +4,15 @@ import { expect, test } from '@playwright/test'
import path from 'path'
import { fileURLToPath } from 'url'
-import { exactText, initPageConsoleErrorCatch, saveDocAndAssert } from '../helpers.js'
+import {
+ ensureAutoLoginAndCompilationIsDone,
+ exactText,
+ initPageConsoleErrorCatch,
+ saveDocAndAssert,
+} from '../helpers.js'
import { AdminUrlUtil } from '../helpers/adminUrlUtil.js'
import { initPayloadE2ENoConfig } from '../helpers/initPayloadE2ENoConfig.js'
+import { POLL_TOPASS_TIMEOUT } from '../playwright.config.js'
import { mobileBreakpoint } from './shared.js'
const filename = fileURLToPath(import.meta.url)
const dirname = path.dirname(filename)
@@ -22,7 +28,7 @@ describe('Live Preview', () => {
await page.goto(url.list)
const linkToDoc = page.locator('tbody tr:first-child .cell-title a').first()
- await expect(() => expect(linkToDoc).toBeTruthy()).toPass({ timeout: 45000 })
+ await expect(() => expect(linkToDoc).toBeTruthy()).toPass({ timeout: POLL_TOPASS_TIMEOUT })
const linkDocHref = await linkToDoc.getAttribute('href')
await linkToDoc.click()
@@ -48,6 +54,8 @@ describe('Live Preview', () => {
page = await context.newPage()
initPageConsoleErrorCatch(page)
+
+ await ensureAutoLoginAndCompilationIsDone({ page, serverURL })
})
test('collection - has tab', async () => {
@@ -57,13 +65,15 @@ describe('Live Preview', () => {
hasText: exactText('Live Preview'),
})
- await expect(() => expect(livePreviewTab).toBeTruthy()).toPass({ timeout: 45000 })
+ await expect(() => expect(livePreviewTab).toBeTruthy()).toPass({ timeout: POLL_TOPASS_TIMEOUT })
const href = await livePreviewTab.locator('a').first().getAttribute('href')
const docURL = page.url()
const pathname = new URL(docURL).pathname
- await expect(() => expect(href).toBe(`${pathname}/preview`)).toPass({ timeout: 45000 })
+ await expect(() => expect(href).toBe(`${pathname}/preview`)).toPass({
+ timeout: POLL_TOPASS_TIMEOUT,
+ })
})
test('collection - has route', async () => {
@@ -71,7 +81,9 @@ describe('Live Preview', () => {
const url = page.url()
await goToCollectionPreview(page)
- await expect(() => expect(page.url()).toBe(`${url}/preview`)).toPass({ timeout: 45000 })
+ await expect(() => expect(page.url()).toBe(`${url}/preview`)).toPass({
+ timeout: POLL_TOPASS_TIMEOUT,
+ })
})
test('collection - renders iframe', async () => {
@@ -90,13 +102,13 @@ describe('Live Preview', () => {
// Forces the test to wait for the nextjs route to render before we try editing a field
await expect(() => expect(frame.locator('#page-title')).toBeVisible()).toPass({
- timeout: 45000,
+ timeout: POLL_TOPASS_TIMEOUT,
})
await field.fill(titleValue)
await expect(() => expect(frame.locator('#page-title')).toHaveText(titleValue)).toPass({
- timeout: 45000,
+ timeout: POLL_TOPASS_TIMEOUT,
})
await saveDocAndAssert(page)
@@ -123,17 +135,21 @@ describe('Live Preview', () => {
hasText: exactText('Live Preview'),
})
- await expect(() => expect(livePreviewTab).toBeTruthy()).toPass({ timeout: 45000 })
+ await expect(() => expect(livePreviewTab).toBeTruthy()).toPass({ timeout: POLL_TOPASS_TIMEOUT })
const href = await livePreviewTab.locator('a').first().getAttribute('href')
- await expect(() => expect(href).toBe(`${pathname}/preview`)).toPass({ timeout: 45000 })
+ await expect(() => expect(href).toBe(`${pathname}/preview`)).toPass({
+ timeout: POLL_TOPASS_TIMEOUT,
+ })
})
test('global - has route', async () => {
const url = page.url()
await goToGlobalPreview(page, 'header')
- await expect(() => expect(page.url()).toBe(`${url}/preview`)).toPass({ timeout: 45000 })
+ await expect(() => expect(page.url()).toBe(`${url}/preview`)).toPass({
+ timeout: POLL_TOPASS_TIMEOUT,
+ })
})
test('global - renders iframe', async () => {
@@ -160,7 +176,9 @@ describe('Live Preview', () => {
await goToCollectionPreview(page)
- await expect(() => expect(page.url()).toContain('/preview')).toPass({ timeout: 45000 })
+ await expect(() => expect(page.url()).toContain('/preview')).toPass({
+ timeout: POLL_TOPASS_TIMEOUT,
+ })
const iframe = page.locator('iframe')
@@ -172,10 +190,10 @@ describe('Live Preview', () => {
const widthInput = page.locator('.live-preview-toolbar input[name="live-preview-width"]')
- await expect(() => expect(widthInput).toBeTruthy()).toPass({ timeout: 45000 })
+ await expect(() => expect(widthInput).toBeTruthy()).toPass({ timeout: POLL_TOPASS_TIMEOUT })
const heightInput = page.locator('.live-preview-toolbar input[name="live-preview-height"]')
- await expect(() => expect(heightInput).toBeTruthy()).toPass({ timeout: 45000 })
+ await expect(() => expect(heightInput).toBeTruthy()).toPass({ timeout: POLL_TOPASS_TIMEOUT })
const widthInputValue = await widthInput.getAttribute('value')
const width = parseInt(widthInputValue)
@@ -186,19 +204,19 @@ describe('Live Preview', () => {
const tolerance = 2
await expect(() => expect(iframeWidthInPx).toBeLessThanOrEqual(width + tolerance)).toPass({
- timeout: 45000,
+ timeout: POLL_TOPASS_TIMEOUT,
})
await expect(() => expect(iframeWidthInPx).toBeGreaterThanOrEqual(width - tolerance)).toPass({
- timeout: 45000,
+ timeout: POLL_TOPASS_TIMEOUT,
})
await expect(() => expect(iframeHeightInPx).toBeLessThanOrEqual(height + tolerance)).toPass({
- timeout: 45000,
+ timeout: POLL_TOPASS_TIMEOUT,
})
await expect(() => expect(iframeHeightInPx).toBeGreaterThanOrEqual(height - tolerance)).toPass({
- timeout: 45000,
+ timeout: POLL_TOPASS_TIMEOUT,
})
})
@@ -211,7 +229,7 @@ describe('Live Preview', () => {
await goToCollectionPreview(page)
await expect(() => expect(page.url()).toContain('/preview')).toPass({
- timeout: 45000,
+ timeout: POLL_TOPASS_TIMEOUT,
})
// Check that the breakpoint select is present
@@ -220,7 +238,7 @@ describe('Live Preview', () => {
)
await expect(() => expect(breakpointSelector).toBeTruthy()).toPass({
- timeout: 45000,
+ timeout: POLL_TOPASS_TIMEOUT,
})
// Select the mobile breakpoint
@@ -241,7 +259,7 @@ describe('Live Preview', () => {
const iframe = page.locator('iframe')
await expect(() => expect(iframe).toBeTruthy()).toPass({
- timeout: 45000,
+ timeout: POLL_TOPASS_TIMEOUT,
})
const iframeSize = await iframe.boundingBox()
const iframeWidthInPx = iframeSize?.width
@@ -251,49 +269,49 @@ describe('Live Preview', () => {
await expect(() =>
expect(iframeWidthInPx).toBeLessThanOrEqual(mobileBreakpoint.width + tolerance),
).toPass({
- timeout: 45000,
+ timeout: POLL_TOPASS_TIMEOUT,
})
await expect(() =>
expect(iframeWidthInPx).toBeGreaterThanOrEqual(mobileBreakpoint.width - tolerance),
).toPass({
- timeout: 45000,
+ timeout: POLL_TOPASS_TIMEOUT,
})
await expect(() =>
expect(iframeHeightInPx).toBeLessThanOrEqual(mobileBreakpoint.height + tolerance),
).toPass({
- timeout: 45000,
+ timeout: POLL_TOPASS_TIMEOUT,
})
await expect(() =>
expect(iframeHeightInPx).toBeGreaterThanOrEqual(mobileBreakpoint.height - tolerance),
).toPass({
- timeout: 45000,
+ timeout: POLL_TOPASS_TIMEOUT,
})
// Check that the inputs have been updated to reflect the new size
const widthInput = page.locator('.live-preview-toolbar input[name="live-preview-width"]')
await expect(() => expect(widthInput).toBeTruthy()).toPass({
- timeout: 45000,
+ timeout: POLL_TOPASS_TIMEOUT,
})
const heightInput = page.locator('.live-preview-toolbar input[name="live-preview-height"]')
await expect(() => expect(heightInput).toBeTruthy()).toPass({
- timeout: 45000,
+ timeout: POLL_TOPASS_TIMEOUT,
})
const widthInputValue = await widthInput.getAttribute('value')
const width = parseInt(widthInputValue)
await expect(() => expect(width).toBe(mobileBreakpoint.width)).toPass({
- timeout: 45000,
+ timeout: POLL_TOPASS_TIMEOUT,
})
const heightInputValue = await heightInput.getAttribute('value')
const height = parseInt(heightInputValue)
await expect(() => expect(height).toBe(mobileBreakpoint.height)).toPass({
- timeout: 45000,
+ timeout: POLL_TOPASS_TIMEOUT,
})
})
})
diff --git a/test/localization/e2e.spec.ts b/test/localization/e2e.spec.ts
index 8305d564d74..81c1bdb49c7 100644
--- a/test/localization/e2e.spec.ts
+++ b/test/localization/e2e.spec.ts
@@ -10,6 +10,7 @@ import type { Config, LocalizedPost } from './payload-types.js'
import {
changeLocale,
+ ensureAutoLoginAndCompilationIsDone,
initPageConsoleErrorCatch,
openDocControls,
saveDocAndAssert,
@@ -60,6 +61,8 @@ describe('Localization', () => {
page = await context.newPage()
initPageConsoleErrorCatch(page)
+
+ await ensureAutoLoginAndCompilationIsDone({ page, serverURL })
})
describe('localized text', () => {
diff --git a/test/plugin-form-builder/e2e.spec.ts b/test/plugin-form-builder/e2e.spec.ts
index b05806697eb..a99516884e9 100644
--- a/test/plugin-form-builder/e2e.spec.ts
+++ b/test/plugin-form-builder/e2e.spec.ts
@@ -7,7 +7,7 @@ import { fileURLToPath } from 'url'
import type { PayloadTestSDK } from '../helpers/sdk/index.js'
import type { Config } from './payload-types.js'
-import { initPageConsoleErrorCatch } from '../helpers.js'
+import { ensureAutoLoginAndCompilationIsDone, initPageConsoleErrorCatch } from '../helpers.js'
import { AdminUrlUtil } from '../helpers/adminUrlUtil.js'
import { initPayloadE2ENoConfig } from '../helpers/initPayloadE2ENoConfig.js'
import { POLL_TOPASS_TIMEOUT } from '../playwright.config.js'
@@ -33,6 +33,8 @@ test.describe('Form Builder', () => {
const context = await browser.newContext()
page = await context.newPage()
initPageConsoleErrorCatch(page)
+
+ await ensureAutoLoginAndCompilationIsDone({ page, serverURL })
})
test.describe('Forms collection', () => {
diff --git a/test/plugin-nested-docs/e2e.spec.ts b/test/plugin-nested-docs/e2e.spec.ts
index 852d7c22e54..433bd1c2a5d 100644
--- a/test/plugin-nested-docs/e2e.spec.ts
+++ b/test/plugin-nested-docs/e2e.spec.ts
@@ -6,7 +6,7 @@ import { fileURLToPath } from 'url'
import type { Page as PayloadPage } from './payload-types.js'
-import { initPageConsoleErrorCatch } from '../helpers.js'
+import { ensureAutoLoginAndCompilationIsDone, initPageConsoleErrorCatch } from '../helpers.js'
import { AdminUrlUtil } from '../helpers/adminUrlUtil.js'
import { initPayloadE2E } from '../helpers/initPayloadE2E.js'
@@ -67,6 +67,8 @@ describe('Nested Docs Plugin', () => {
_status: 'draft',
})
draftChildId = draftChildPage.id
+
+ await ensureAutoLoginAndCompilationIsDone({ page, serverURL })
})
describe('Core functionality', () => {
diff --git a/test/plugin-seo/e2e.spec.ts b/test/plugin-seo/e2e.spec.ts
index 866143abad4..0dcda420dfd 100644
--- a/test/plugin-seo/e2e.spec.ts
+++ b/test/plugin-seo/e2e.spec.ts
@@ -7,7 +7,7 @@ import { fileURLToPath } from 'url'
import type { Page as PayloadPage } from './payload-types.js'
-import { initPageConsoleErrorCatch } from '../helpers.js'
+import { ensureAutoLoginAndCompilationIsDone, initPageConsoleErrorCatch } from '../helpers.js'
import { AdminUrlUtil } from '../helpers/adminUrlUtil.js'
import { initPayloadE2E } from '../helpers/initPayloadE2E.js'
import { mediaSlug } from './shared.js'
@@ -53,6 +53,8 @@ describe('SEO Plugin', () => {
},
})) as unknown as PayloadPage
id = createdPage.id
+
+ await ensureAutoLoginAndCompilationIsDone({ page, serverURL })
})
describe('Core functionality', () => {
diff --git a/test/uploads/e2e.spec.ts b/test/uploads/e2e.spec.ts
index 98b8076a932..0597406e7b7 100644
--- a/test/uploads/e2e.spec.ts
+++ b/test/uploads/e2e.spec.ts
@@ -8,7 +8,11 @@ import { fileURLToPath } from 'url'
import type { Media } from './payload-types.js'
-import { initPageConsoleErrorCatch, saveDocAndAssert } from '../helpers.js'
+import {
+ ensureAutoLoginAndCompilationIsDone,
+ initPageConsoleErrorCatch,
+ saveDocAndAssert,
+} from '../helpers.js'
import { AdminUrlUtil } from '../helpers/adminUrlUtil.js'
import { initPayloadE2E } from '../helpers/initPayloadE2E.js'
import { RESTClient } from '../helpers/rest.js'
@@ -74,6 +78,8 @@ describe('uploads', () => {
})
audioDoc = findAudio.docs[0] as unknown as Media
+
+ await ensureAutoLoginAndCompilationIsDone({ page, serverURL })
})
test('should see upload filename in relation list', async () => {
diff --git a/test/versions/e2e.spec.ts b/test/versions/e2e.spec.ts
index a49ceb6bb1d..e31e9f13fef 100644
--- a/test/versions/e2e.spec.ts
+++ b/test/versions/e2e.spec.ts
@@ -35,6 +35,7 @@ import type { Config } from './payload-types.js'
import { globalSlug } from '../admin/slugs.js'
import {
changeLocale,
+ ensureAutoLoginAndCompilationIsDone,
exactText,
findTableCell,
initPageConsoleErrorCatch,
@@ -70,7 +71,7 @@ const waitForAutoSaveToComplete = async (page: Page) => {
page.locator('.autosave:has-text("Last saved less than a minute ago")'),
).toBeVisible()
}).toPass({
- timeout: 45000,
+ timeout: POLL_TOPASS_TIMEOUT,
})
}
@@ -78,7 +79,7 @@ const waitForAutoSaveToRunAndComplete = async (page: Page) => {
await expect(async () => {
await expect(page.locator('.autosave:has-text("Saving...")')).toBeVisible()
}).toPass({
- timeout: 45000,
+ timeout: POLL_TOPASS_TIMEOUT,
})
await waitForAutoSaveToComplete(page)
@@ -107,6 +108,8 @@ describe('versions', () => {
serverURL,
snapshotKey: 'versionsTest',
})
+
+ await ensureAutoLoginAndCompilationIsDone({ page, serverURL })
//await clearAndSeedEverything(payload)
})
|
9813216ea940614171074318f21de0e567d515cc
|
2022-07-27 20:46:05
|
Dan Ribbens
|
test: add circular relationship to tests (#835)
| false
|
add circular relationship to tests (#835)
|
test
|
diff --git a/test/relationships/config.ts b/test/relationships/config.ts
index c44649b1331..aad6cde7f80 100644
--- a/test/relationships/config.ts
+++ b/test/relationships/config.ts
@@ -2,6 +2,7 @@ import type { CollectionConfig } from '../../src/collections/config/types';
import { devUser } from '../credentials';
import { buildConfig } from '../buildConfig';
import type { CustomIdNumberRelation, CustomIdRelation, Post, Relation } from './payload-types';
+import { ChainedRelation } from './payload-types';
const openAccess = {
create: () => true,
@@ -184,14 +185,14 @@ export default buildConfig({
},
});
- const chained3 = await payload.create<Relation>({
+ const chained3 = await payload.create<ChainedRelation>({
collection: chainedRelSlug,
data: {
name: 'chain3',
},
});
- const chained2 = await payload.create<Relation>({
+ const chained2 = await payload.create<ChainedRelation>({
collection: chainedRelSlug,
data: {
name: 'chain2',
@@ -199,7 +200,7 @@ export default buildConfig({
},
});
- const chained = await payload.create<Relation>({
+ const chained = await payload.create<ChainedRelation>({
collection: chainedRelSlug,
data: {
name: 'chain1',
@@ -207,6 +208,15 @@ export default buildConfig({
},
});
+ await payload.update<ChainedRelation>({
+ collection: chainedRelSlug,
+ id: chained3.id,
+ data: {
+ name: 'chain3',
+ relation: chained.id,
+ },
+ });
+
const customIdRelation = await payload.create<CustomIdRelation>({
collection: customIdSlug,
data: {
diff --git a/test/relationships/int.spec.ts b/test/relationships/int.spec.ts
index cf9c73abc36..e278237bccf 100644
--- a/test/relationships/int.spec.ts
+++ b/test/relationships/int.spec.ts
@@ -89,6 +89,15 @@ describe('Relationships', () => {
},
});
+ chained3 = await payload.update<ChainedRelation>({
+ collection: chainedRelSlug,
+ id: chained3.id,
+ data: {
+ name: 'chain3',
+ relation: chained.id,
+ },
+ });
+
generatedCustomId = `custom-${randomBytes(32).toString('hex').slice(0, 12)}`;
customIdRelation = await payload.create<CustomIdRelation>({
collection: customIdSlug,
|
d99bff9ec32977cd2bda1dd7aca09132279d4a7b
|
2024-07-11 02:25:47
|
Patrik
|
feat: adds ability to upload files from a remote url (#7063)
| false
|
adds ability to upload files from a remote url (#7063)
|
feat
|
diff --git a/docs/upload/overview.mdx b/docs/upload/overview.mdx
index 94cf7cbef01..f4eaeb26954 100644
--- a/docs/upload/overview.mdx
+++ b/docs/upload/overview.mdx
@@ -89,21 +89,21 @@ export const Media: CollectionConfig = {
_An asterisk denotes that an option is required._
-| Option | Description |
-| ------------------------------ | ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| Option | Description |
+| ------------------------------ | ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
| **`adminThumbnail`** | Set the way that the [Admin Panel](../admin/overview) will display thumbnails for this Collection. [More](#admin-thumbnails) |
| **`crop`** | Set to `false` to disable the cropping tool in the [Admin Panel](../admin/overview). Crop is enabled by default. [More](#crop-and-focal-point-selector) |
-| **`disableLocalStorage`** | Completely disable uploading files to disk locally. [More](#disabling-local-upload-storage) |
-| **`externalFileHeaderFilter`** | Accepts existing headers and returns the headers after filtering or modifying. |
-| **`filesRequiredOnCreate`** | Mandate file data on creation, default is true. |
+| **`disableLocalStorage`** | Completely disable uploading files to disk locally. [More](#disabling-local-upload-storage) |
+| **`externalFileHeaderFilter`** | Accepts existing headers and returns the headers after filtering or modifying. |
+| **`filesRequiredOnCreate`** | Mandate file data on creation, default is true. |
| **`focalPoint`** | Set to `false` to disable the focal point selection tool in the [Admin Panel](../admin/overview). The focal point selector is only available when `imageSizes` or `resizeOptions` are defined. [More](#crop-and-focal-point-selector) |
-| **`formatOptions`** | An object with `format` and `options` that are used with the Sharp image library to format the upload file. [More](https://sharp.pixelplumbing.com/api-output#toformat) |
-| **`handlers`** | Array of Request handlers to execute when fetching a file, if a handler returns a Response it will be sent to the client. Otherwise Payload will retrieve and send back the file. |
-| **`imageSizes`** | If specified, image uploads will be automatically resized in accordance to these image sizes. [More](#image-sizes) |
-| **`mimeTypes`** | Restrict mimeTypes in the file picker. Array of valid mimetypes or mimetype wildcards [More](#mimetypes) |
-| **`resizeOptions`** | An object passed to the the Sharp image library to resize the uploaded file. [More](https://sharp.pixelplumbing.com/api-resize) |
-| **`staticDir`** | The folder directory to use to store media in. Can be either an absolute path or relative to the directory that contains your config. Defaults to your collection slug |
-| **`trimOptions`** | An object passed to the the Sharp image library to trim the uploaded file. [More](https://sharp.pixelplumbing.com/api-resize#trim) |
+| **`formatOptions`** | An object with `format` and `options` that are used with the Sharp image library to format the upload file. [More](https://sharp.pixelplumbing.com/api-output#toformat) |
+| **`handlers`** | Array of Request handlers to execute when fetching a file, if a handler returns a Response it will be sent to the client. Otherwise Payload will retrieve and send back the file. |
+| **`imageSizes`** | If specified, image uploads will be automatically resized in accordance to these image sizes. [More](#image-sizes) |
+| **`mimeTypes`** | Restrict mimeTypes in the file picker. Array of valid mimetypes or mimetype wildcards [More](#mimetypes) |
+| **`resizeOptions`** | An object passed to the the Sharp image library to resize the uploaded file. [More](https://sharp.pixelplumbing.com/api-resize) |
+| **`staticDir`** | The folder directory to use to store media in. Can be either an absolute path or relative to the directory that contains your config. Defaults to your collection slug |
+| **`trimOptions`** | An object passed to the the Sharp image library to trim the uploaded file. [More](https://sharp.pixelplumbing.com/api-resize#trim) |
### Payload-wide Upload Options
diff --git a/packages/payload/src/uploads/generateFileData.ts b/packages/payload/src/uploads/generateFileData.ts
index f11c7aac0b0..5ff9b81a370 100644
--- a/packages/payload/src/uploads/generateFileData.ts
+++ b/packages/payload/src/uploads/generateFileData.ts
@@ -177,13 +177,13 @@ export const generateFileData = async <T>({
fileData.filesize = file.size
if (file.name.includes('.')) {
- ext = file.name.split('.').pop()
+ ext = file.name.split('.').pop().split('?')[0]
} else {
ext = ''
}
}
- // Adust SVG mime type. fromBuffer modifies it.
+ // Adjust SVG mime type. fromBuffer modifies it.
if (mime === 'application/xml' && ext === 'svg') mime = 'image/svg+xml'
fileData.mimeType = mime
@@ -302,11 +302,10 @@ function parseUploadEditsFromReqOrIncomingData(args: {
const { data, operation, originalDoc, req } = args
// Get intended focal point change from query string or incoming data
- const {
- uploadEdits = {},
- }: {
- uploadEdits?: UploadEdits
- } = req.query || {}
+ const uploadEdits =
+ req.query?.uploadEdits && typeof req.query.uploadEdits === 'object'
+ ? (req.query.uploadEdits as UploadEdits)
+ : {}
if (uploadEdits.focalPoint) return uploadEdits
diff --git a/packages/payload/src/uploads/getBaseFields.ts b/packages/payload/src/uploads/getBaseFields.ts
index dcedabcae93..801aff927a3 100644
--- a/packages/payload/src/uploads/getBaseFields.ts
+++ b/packages/payload/src/uploads/getBaseFields.ts
@@ -130,7 +130,7 @@ export const getBaseUploadFields = ({ collection, config }: Options): Field[] =>
hooks: {
afterRead: [
({ data, value }) => {
- if (value) return value
+ if (value && !data.filename) return value
return generateURL({
collectionSlug: collection.slug,
@@ -192,7 +192,7 @@ export const getBaseUploadFields = ({ collection, config }: Options): Field[] =>
hooks: {
afterRead: [
({ data, value }) => {
- if (value && size.height && size.width) return value
+ if (value && size.height && size.width && !data.filename) return value
const sizeFilename = data?.sizes?.[size.name]?.filename
diff --git a/packages/payload/src/uploads/types.ts b/packages/payload/src/uploads/types.ts
index 7100a100bb3..e86be233bd9 100644
--- a/packages/payload/src/uploads/types.ts
+++ b/packages/payload/src/uploads/types.ts
@@ -48,7 +48,7 @@ export type ImageUploadFormatOptions = {
*/
export type ImageUploadTrimOptions = Parameters<Sharp['trim']>[0]
-export type ImageSize = Omit<ResizeOptions, 'withoutEnlargement'> & {
+export type ImageSize = {
/**
* @deprecated prefer position
*/
@@ -66,7 +66,7 @@ export type ImageSize = Omit<ResizeOptions, 'withoutEnlargement'> & {
* 3. `true`: if the image is smaller than the image size, return the original image
*/
withoutEnlargement?: ResizeOptions['withoutEnlargement']
-}
+} & Omit<ResizeOptions, 'withoutEnlargement'>
export type GetAdminThumbnail = (args: { doc: Record<string, unknown> }) => false | null | string
@@ -155,9 +155,9 @@ export type UploadConfig = {
trimOptions?: ImageUploadTrimOptions
}
-export type SanitizedUploadConfig = UploadConfig & {
+export type SanitizedUploadConfig = {
staticDir: UploadConfig['staticDir']
-}
+} & UploadConfig
export type File = {
/**
diff --git a/packages/translations/src/clientKeys.ts b/packages/translations/src/clientKeys.ts
index 0e0e57b3536..bd8fed70670 100644
--- a/packages/translations/src/clientKeys.ts
+++ b/packages/translations/src/clientKeys.ts
@@ -257,10 +257,12 @@ export const clientTranslationKeys = createClientTranslationKeys([
'upload:crop',
'upload:cropToolDescription',
'upload:dragAndDrop',
+ 'upload:addImage',
'upload:editImage',
'upload:focalPoint',
'upload:focalPointDescription',
'upload:height',
+ 'upload:pasteURL',
'upload:previewSizes',
'upload:selectCollectionToBrowse',
'upload:selectFile',
diff --git a/packages/translations/src/languages/ar.ts b/packages/translations/src/languages/ar.ts
index 6183e0320bb..8001be15ad9 100644
--- a/packages/translations/src/languages/ar.ts
+++ b/packages/translations/src/languages/ar.ts
@@ -315,6 +315,7 @@ export const arTranslations: DefaultTranslationsObject = {
within: 'في غضون',
},
upload: {
+ addImage: 'إضافة صورة',
crop: 'محصول',
cropToolDescription: 'اسحب الزوايا المحددة للمنطقة، رسم منطقة جديدة أو قم بضبط القيم أدناه.',
dragAndDrop: 'قم بسحب وإسقاط ملفّ',
@@ -327,6 +328,7 @@ export const arTranslations: DefaultTranslationsObject = {
height: 'الطّول',
lessInfo: 'معلومات أقلّ',
moreInfo: 'معلومات أكثر',
+ pasteURL: 'لصق الرابط',
previewSizes: 'أحجام المعاينة',
selectCollectionToBrowse: 'حدّد مجموعة لاستعراضها',
selectFile: 'اختر ملفّ',
diff --git a/packages/translations/src/languages/az.ts b/packages/translations/src/languages/az.ts
index b20544d6829..b137d25210f 100644
--- a/packages/translations/src/languages/az.ts
+++ b/packages/translations/src/languages/az.ts
@@ -318,6 +318,7 @@ export const azTranslations: DefaultTranslationsObject = {
within: 'daxilinde',
},
upload: {
+ addImage: 'Şəkil əlavə et',
crop: 'Məhsul',
cropToolDescription:
'Seçilmiş sahənin köşələrini sürükləyin, yeni bir sahə çəkin və ya aşağıdakı dəyərləri düzəltin.',
@@ -332,6 +333,7 @@ export const azTranslations: DefaultTranslationsObject = {
height: 'Hündürlük',
lessInfo: 'Daha az məlumat',
moreInfo: 'Daha çox məlumat',
+ pasteURL: 'URL yapışdır',
previewSizes: 'Öncədən baxış ölçüləri',
selectCollectionToBrowse: 'Gözdən keçirmək üçün bir Kolleksiya seçin',
selectFile: 'Fayl seçin',
diff --git a/packages/translations/src/languages/bg.ts b/packages/translations/src/languages/bg.ts
index 24037022c3c..dec1e60ca7f 100644
--- a/packages/translations/src/languages/bg.ts
+++ b/packages/translations/src/languages/bg.ts
@@ -316,6 +316,7 @@ export const bgTranslations: DefaultTranslationsObject = {
within: 'в рамките на',
},
upload: {
+ addImage: 'Добавяне на изображение',
crop: 'Изрязване',
cropToolDescription:
'Плъзни ъглите на избраната област, избери нова област или коригирай стойностите по-долу.',
@@ -330,6 +331,7 @@ export const bgTranslations: DefaultTranslationsObject = {
height: 'Височина',
lessInfo: 'По-малко информация',
moreInfo: 'Повече информация',
+ pasteURL: 'Поставяне на URL',
previewSizes: 'Преглед на размери',
selectCollectionToBrowse: 'Избери колекция, която да разгледаш',
selectFile: 'Избери файл',
diff --git a/packages/translations/src/languages/cs.ts b/packages/translations/src/languages/cs.ts
index 2ef222adab8..d22f12ab263 100644
--- a/packages/translations/src/languages/cs.ts
+++ b/packages/translations/src/languages/cs.ts
@@ -316,6 +316,7 @@ export const csTranslations: DefaultTranslationsObject = {
within: 'uvnitř',
},
upload: {
+ addImage: 'Přidat obrázek',
crop: 'Ořez',
cropToolDescription:
'Přetáhněte rohy vybrané oblasti, nakreslete novou oblast nebo upravte níže uvedené hodnoty.',
@@ -330,6 +331,7 @@ export const csTranslations: DefaultTranslationsObject = {
height: 'Výška',
lessInfo: 'Méně informací',
moreInfo: 'Více informací',
+ pasteURL: 'Vložit URL',
previewSizes: 'Náhled velikostí',
selectCollectionToBrowse: 'Vyberte kolekci pro procházení',
selectFile: 'Vyberte soubor',
diff --git a/packages/translations/src/languages/de.ts b/packages/translations/src/languages/de.ts
index f4ce85836de..297f106032a 100644
--- a/packages/translations/src/languages/de.ts
+++ b/packages/translations/src/languages/de.ts
@@ -322,6 +322,7 @@ export const deTranslations: DefaultTranslationsObject = {
within: 'innerhalb',
},
upload: {
+ addImage: 'Bild hinzufügen',
crop: 'Zuschneiden',
cropToolDescription:
'Ziehen Sie die Ecken des ausgewählten Bereichs, zeichnen Sie einen neuen Bereich oder passen Sie die Werte unten an.',
@@ -336,6 +337,7 @@ export const deTranslations: DefaultTranslationsObject = {
height: 'Höhe',
lessInfo: 'Weniger Info',
moreInfo: 'Mehr Info',
+ pasteURL: 'URL einfügen',
previewSizes: 'Vorschaugrößen',
selectCollectionToBrowse: 'Wähle eine Sammlung zum Durchsuchen aus',
selectFile: 'Datei auswählen',
diff --git a/packages/translations/src/languages/en.ts b/packages/translations/src/languages/en.ts
index cb43aea9c7e..dd545236cdd 100644
--- a/packages/translations/src/languages/en.ts
+++ b/packages/translations/src/languages/en.ts
@@ -319,6 +319,7 @@ export const enTranslations = {
within: 'within',
},
upload: {
+ addImage: 'Add Image',
crop: 'Crop',
cropToolDescription:
'Drag the corners of the selected area, draw a new area or adjust the values below.',
@@ -333,6 +334,7 @@ export const enTranslations = {
height: 'Height',
lessInfo: 'Less info',
moreInfo: 'More info',
+ pasteURL: 'Paste URL',
previewSizes: 'Preview Sizes',
selectCollectionToBrowse: 'Select a Collection to Browse',
selectFile: 'Select a file',
diff --git a/packages/translations/src/languages/es.ts b/packages/translations/src/languages/es.ts
index fd85dcd4c86..6c13a48824d 100644
--- a/packages/translations/src/languages/es.ts
+++ b/packages/translations/src/languages/es.ts
@@ -321,6 +321,7 @@ export const esTranslations: DefaultTranslationsObject = {
within: 'dentro de',
},
upload: {
+ addImage: 'Añadir imagen',
crop: 'Cultivo',
cropToolDescription:
'Arrastra las esquinas del área seleccionada, dibuja un nuevo área o ajusta los valores a continuación.',
@@ -335,6 +336,7 @@ export const esTranslations: DefaultTranslationsObject = {
height: 'Alto',
lessInfo: 'Menos info',
moreInfo: 'Más info',
+ pasteURL: 'Pegar URL',
previewSizes: 'Tamaños de Vista Previa',
selectCollectionToBrowse: 'Selecciona una Colección',
selectFile: 'Selecciona un archivo',
diff --git a/packages/translations/src/languages/fa.ts b/packages/translations/src/languages/fa.ts
index 1a1ed698f73..a2cfa7ef3d3 100644
--- a/packages/translations/src/languages/fa.ts
+++ b/packages/translations/src/languages/fa.ts
@@ -316,6 +316,7 @@ export const faTranslations: DefaultTranslationsObject = {
within: 'در داخل',
},
upload: {
+ addImage: 'اضافه کردن تصویر',
crop: 'محصول',
cropToolDescription:
'گوشههای منطقه انتخاب شده را بکشید، یک منطقه جدید رسم کنید یا مقادیر زیر را تنظیم کنید.',
@@ -330,6 +331,7 @@ export const faTranslations: DefaultTranslationsObject = {
height: 'ارتفاع',
lessInfo: 'اطلاعات کمتر',
moreInfo: 'اطلاعات بیشتر',
+ pasteURL: 'چسباندن آدرس اینترنتی',
previewSizes: 'اندازه های پیش نمایش',
selectCollectionToBrowse: 'یک مجموعه را برای مرور انتخاب کنید',
selectFile: 'برگزیدن رسانه',
diff --git a/packages/translations/src/languages/fr.ts b/packages/translations/src/languages/fr.ts
index 4ee13ec028d..d2aaa04ea81 100644
--- a/packages/translations/src/languages/fr.ts
+++ b/packages/translations/src/languages/fr.ts
@@ -325,6 +325,7 @@ export const frTranslations: DefaultTranslationsObject = {
within: 'dans',
},
upload: {
+ addImage: 'Ajouter une image',
crop: 'Recadrer',
cropToolDescription:
'Faites glisser les coins de la zone sélectionnée, dessinez une nouvelle zone ou ajustez les valeurs ci-dessous.',
@@ -339,6 +340,7 @@ export const frTranslations: DefaultTranslationsObject = {
height: 'Hauteur',
lessInfo: 'Moins d’infos',
moreInfo: 'Plus d’infos',
+ pasteURL: `Coller l'URL`,
previewSizes: 'Tailles d’aperçu',
selectCollectionToBrowse: 'Sélectionnez une collection à parcourir',
selectFile: 'Sélectionnez un fichier',
diff --git a/packages/translations/src/languages/he.ts b/packages/translations/src/languages/he.ts
index be8232a36c5..594a57507ed 100644
--- a/packages/translations/src/languages/he.ts
+++ b/packages/translations/src/languages/he.ts
@@ -311,6 +311,7 @@ export const heTranslations: DefaultTranslationsObject = {
within: 'בתוך',
},
upload: {
+ addImage: 'הוסף תמונה',
crop: 'חתוך',
cropToolDescription: 'גרור את הפינות של האזור שנבחר, צייר אזור חדש או התאם את הערכים למטה.',
dragAndDrop: 'גרור ושחרר קובץ',
@@ -323,6 +324,7 @@ export const heTranslations: DefaultTranslationsObject = {
height: 'גובה',
lessInfo: 'פחות מידע',
moreInfo: 'מידע נוסף',
+ pasteURL: 'הדבק כתובת אתר',
previewSizes: 'גדלי תצוגה מקדימה',
selectCollectionToBrowse: 'בחר אוסף לצפייה',
selectFile: 'בחר קובץ',
diff --git a/packages/translations/src/languages/hr.ts b/packages/translations/src/languages/hr.ts
index 9b975980770..3f42b6d7759 100644
--- a/packages/translations/src/languages/hr.ts
+++ b/packages/translations/src/languages/hr.ts
@@ -317,6 +317,7 @@ export const hrTranslations: DefaultTranslationsObject = {
within: 'unutar',
},
upload: {
+ addImage: 'Dodaj sliku',
crop: 'Usjev',
cropToolDescription:
'Povucite kutove odabranog područja, nacrtajte novo područje ili prilagodite vrijednosti ispod.',
@@ -331,6 +332,7 @@ export const hrTranslations: DefaultTranslationsObject = {
height: 'Visina',
lessInfo: 'Manje informacija',
moreInfo: 'Više informacija',
+ pasteURL: 'Zalijepi URL',
previewSizes: 'Veličine pregleda',
selectCollectionToBrowse: 'Odaberite kolekciju za pregled',
selectFile: 'Odaberite datoteku',
diff --git a/packages/translations/src/languages/hu.ts b/packages/translations/src/languages/hu.ts
index 19cb4c253fe..9e4027a8a62 100644
--- a/packages/translations/src/languages/hu.ts
+++ b/packages/translations/src/languages/hu.ts
@@ -319,6 +319,7 @@ export const huTranslations: DefaultTranslationsObject = {
within: 'belül',
},
upload: {
+ addImage: 'Kép hozzáadása',
crop: 'Termés',
cropToolDescription:
'Húzza a kijelölt terület sarkait, rajzoljon új területet, vagy igazítsa a lentebb található értékeket.',
@@ -333,6 +334,7 @@ export const huTranslations: DefaultTranslationsObject = {
height: 'Magasság',
lessInfo: 'Kevesebb információ',
moreInfo: 'További információ',
+ pasteURL: 'URL beillesztése',
previewSizes: 'Előnézeti méretek',
selectCollectionToBrowse: 'Válassza ki a böngészni kívánt gyűjteményt',
selectFile: 'Válasszon ki egy fájlt',
diff --git a/packages/translations/src/languages/it.ts b/packages/translations/src/languages/it.ts
index 7817312b977..10bb1439ed8 100644
--- a/packages/translations/src/languages/it.ts
+++ b/packages/translations/src/languages/it.ts
@@ -319,6 +319,7 @@ export const itTranslations: DefaultTranslationsObject = {
within: "all'interno",
},
upload: {
+ addImage: 'Aggiungi immagine',
crop: 'Raccolto',
cropToolDescription:
"Trascina gli angoli dell'area selezionata, disegna una nuova area o regola i valori qui sotto.",
@@ -333,6 +334,7 @@ export const itTranslations: DefaultTranslationsObject = {
height: 'Altezza',
lessInfo: 'Meno info',
moreInfo: 'Più info',
+ pasteURL: 'Incolla URL',
previewSizes: 'Anteprime Dimensioni',
selectCollectionToBrowse: 'Seleziona una Collezione da Sfogliare',
selectFile: 'Seleziona un file',
diff --git a/packages/translations/src/languages/ja.ts b/packages/translations/src/languages/ja.ts
index fe473efbd8b..ff3afab2c9f 100644
--- a/packages/translations/src/languages/ja.ts
+++ b/packages/translations/src/languages/ja.ts
@@ -317,6 +317,7 @@ export const jaTranslations: DefaultTranslationsObject = {
within: '内で',
},
upload: {
+ addImage: '画像を追加',
crop: 'クロップ',
cropToolDescription:
'選択したエリアのコーナーをドラッグしたり、新たなエリアを描画したり、下記の値を調整してください。',
@@ -330,6 +331,7 @@ export const jaTranslations: DefaultTranslationsObject = {
height: '高さ',
lessInfo: '詳細を隠す',
moreInfo: '詳細を表示',
+ pasteURL: 'URLを貼り付け',
previewSizes: 'プレビューサイズ',
selectCollectionToBrowse: '閲覧するコレクションを選択',
selectFile: 'ファイルを選択',
diff --git a/packages/translations/src/languages/ko.ts b/packages/translations/src/languages/ko.ts
index 0d34e4b228f..7a67eeb49f7 100644
--- a/packages/translations/src/languages/ko.ts
+++ b/packages/translations/src/languages/ko.ts
@@ -316,6 +316,7 @@ export const koTranslations: DefaultTranslationsObject = {
within: '내에서',
},
upload: {
+ addImage: '이미지 추가',
crop: '자르기',
cropToolDescription:
'선택한 영역의 모퉁이를 드래그하거나 새로운 영역을 그리거나 아래의 값을 조정하세요.',
@@ -329,6 +330,7 @@ export const koTranslations: DefaultTranslationsObject = {
height: '높이',
lessInfo: '정보 숨기기',
moreInfo: '정보 더보기',
+ pasteURL: 'URL 붙여넣기',
previewSizes: '미리보기 크기',
selectCollectionToBrowse: '찾을 컬렉션 선택',
selectFile: '파일 선택',
diff --git a/packages/translations/src/languages/my.ts b/packages/translations/src/languages/my.ts
index 658310db1bb..147f68b3a6b 100644
--- a/packages/translations/src/languages/my.ts
+++ b/packages/translations/src/languages/my.ts
@@ -320,6 +320,7 @@ export const myTranslations: DefaultTranslationsObject = {
within: 'အတွင်း',
},
upload: {
+ addImage: 'ပုံ ထည့်ပါ',
crop: 'သုန်း',
cropToolDescription:
'ရွေးထားသည့်ဧရိယာတွင်မွေးလျှက်မှုများကိုဆွဲပြီး, အသစ်တည်ပြီးသို့မဟုတ်အောက်ပါတ',
@@ -334,6 +335,7 @@ export const myTranslations: DefaultTranslationsObject = {
height: 'Height',
lessInfo: 'အချက်အလက်နည်းတယ်။',
moreInfo: 'အချက်အလက်',
+ pasteURL: 'URL ကို ကူးထည့်ပါ',
previewSizes: 'Saiz Pratonton',
selectCollectionToBrowse: 'စုစည်းမှု တစ်ခုခုကို ရွေးချယ်ပါ။',
selectFile: 'ဖိုင်ရွေးပါ။',
diff --git a/packages/translations/src/languages/nb.ts b/packages/translations/src/languages/nb.ts
index 385461de894..17d59b5bf74 100644
--- a/packages/translations/src/languages/nb.ts
+++ b/packages/translations/src/languages/nb.ts
@@ -317,6 +317,7 @@ export const nbTranslations: DefaultTranslationsObject = {
within: 'innen',
},
upload: {
+ addImage: 'Legg til bilde',
crop: 'Beskjær',
cropToolDescription:
'Dra hjørnene av det valgte området, tegn et nytt område eller juster verdiene nedenfor.',
@@ -331,6 +332,7 @@ export const nbTranslations: DefaultTranslationsObject = {
height: 'Høyde',
lessInfo: 'Mindre info',
moreInfo: 'Mer info',
+ pasteURL: 'Lim inn URL',
previewSizes: 'Forhåndsvisningsstørrelser',
selectCollectionToBrowse: 'Velg en samling å bla i',
selectFile: 'Velg en fil',
diff --git a/packages/translations/src/languages/nl.ts b/packages/translations/src/languages/nl.ts
index a1d29b5f4d4..68186cb1b0d 100644
--- a/packages/translations/src/languages/nl.ts
+++ b/packages/translations/src/languages/nl.ts
@@ -319,6 +319,7 @@ export const nlTranslations: DefaultTranslationsObject = {
within: 'binnen',
},
upload: {
+ addImage: 'Afbeelding toevoegen',
crop: 'Bijsnijden',
cropToolDescription:
'Sleep de hoeken van het geselecteerde gebied, teken een nieuw gebied of pas de waarden hieronder aan.',
@@ -333,6 +334,7 @@ export const nlTranslations: DefaultTranslationsObject = {
height: 'Hoogte',
lessInfo: 'Minder info',
moreInfo: 'Meer info',
+ pasteURL: 'URL plakken',
previewSizes: 'Voorbeeldgroottes',
selectCollectionToBrowse: 'Selecteer een collectie om door te bladeren',
selectFile: 'Selecteer een bestand',
diff --git a/packages/translations/src/languages/pl.ts b/packages/translations/src/languages/pl.ts
index 1df16a520ec..c4e9e83b9ae 100644
--- a/packages/translations/src/languages/pl.ts
+++ b/packages/translations/src/languages/pl.ts
@@ -317,6 +317,7 @@ export const plTranslations: DefaultTranslationsObject = {
within: 'w ciągu',
},
upload: {
+ addImage: 'Dodaj obraz',
crop: 'Przytnij',
cropToolDescription:
'Przeciągnij narożniki wybranego obszaru, narysuj nowy obszar lub dostosuj poniższe wartości.',
@@ -331,6 +332,7 @@ export const plTranslations: DefaultTranslationsObject = {
height: 'Wysokość',
lessInfo: 'Mniej informacji',
moreInfo: 'Więcej informacji',
+ pasteURL: 'Wklej URL',
previewSizes: 'Rozmiary podglądu',
selectCollectionToBrowse: 'Wybierz kolekcję aby przejrzeć',
selectFile: 'Wybierz plik',
diff --git a/packages/translations/src/languages/pt.ts b/packages/translations/src/languages/pt.ts
index 378f1d25917..1da9a9a1150 100644
--- a/packages/translations/src/languages/pt.ts
+++ b/packages/translations/src/languages/pt.ts
@@ -318,6 +318,7 @@ export const ptTranslations: DefaultTranslationsObject = {
within: 'dentro',
},
upload: {
+ addImage: 'Adicionar imagem',
crop: 'Cultura',
cropToolDescription:
'Arraste as bordas da área selecionada, desenhe uma nova área ou ajuste os valores abaixo.',
@@ -332,6 +333,7 @@ export const ptTranslations: DefaultTranslationsObject = {
height: 'Altura',
lessInfo: 'Ver menos',
moreInfo: 'Ver mais',
+ pasteURL: 'Colar URL',
previewSizes: 'Tamanhos de Pré-visualização',
selectCollectionToBrowse: 'Selecione uma Coleção para Navegar',
selectFile: 'Selecione um arquivo',
diff --git a/packages/translations/src/languages/ro.ts b/packages/translations/src/languages/ro.ts
index f2a46ce9c6a..62981cb36ac 100644
--- a/packages/translations/src/languages/ro.ts
+++ b/packages/translations/src/languages/ro.ts
@@ -321,6 +321,7 @@ export const roTranslations: DefaultTranslationsObject = {
within: 'înăuntru',
},
upload: {
+ addImage: 'Adaugă imagine',
crop: 'Cultură',
cropToolDescription:
'Trageți colțurile zonei selectate, desenați o nouă zonă sau ajustați valorile de mai jos.',
@@ -335,6 +336,7 @@ export const roTranslations: DefaultTranslationsObject = {
height: 'Înălțime',
lessInfo: 'Mai puține informații',
moreInfo: 'Mai multe informații',
+ pasteURL: 'Lipește URL',
previewSizes: 'Dimensiuni Previzualizare',
selectCollectionToBrowse: 'Selectați o colecție pentru navigare',
selectFile: 'Selectați un fișier',
diff --git a/packages/translations/src/languages/rs.ts b/packages/translations/src/languages/rs.ts
index d64aea68440..fd1b2bbbe64 100644
--- a/packages/translations/src/languages/rs.ts
+++ b/packages/translations/src/languages/rs.ts
@@ -316,6 +316,7 @@ export const rsTranslations: DefaultTranslationsObject = {
within: 'unutar',
},
upload: {
+ addImage: 'Додај слику',
crop: 'Исеците слику',
cropToolDescription:
'Превуците углове изабраног подручја, нацртајте ново подручје или прилагодите вредности испод.',
@@ -330,6 +331,7 @@ export const rsTranslations: DefaultTranslationsObject = {
height: 'Висина',
lessInfo: 'Мање информација',
moreInfo: 'Више информација',
+ pasteURL: 'Налепи URL',
previewSizes: 'Величине прегледа',
selectCollectionToBrowse: 'Одаберите колекцију за преглед',
selectFile: 'Одаберите датотеку',
diff --git a/packages/translations/src/languages/rsLatin.ts b/packages/translations/src/languages/rsLatin.ts
index 96961e88fb8..d10163823db 100644
--- a/packages/translations/src/languages/rsLatin.ts
+++ b/packages/translations/src/languages/rsLatin.ts
@@ -316,6 +316,7 @@ export const rsLatinTranslations: DefaultTranslationsObject = {
within: 'unutar',
},
upload: {
+ addImage: 'Dodaj sliku',
crop: 'Isecite sliku',
cropToolDescription:
'Prevucite uglove izabranog područja, nacrtajte novo područje ili prilagodite vrednosti ispod.',
@@ -330,6 +331,7 @@ export const rsLatinTranslations: DefaultTranslationsObject = {
height: 'Visina',
lessInfo: 'Manje informacija',
moreInfo: 'Više informacija',
+ pasteURL: 'Nalepi URL',
previewSizes: 'Veličine pregleda',
selectCollectionToBrowse: 'Odaberite kolekciju za pregled',
selectFile: 'Odaberite datoteku',
diff --git a/packages/translations/src/languages/ru.ts b/packages/translations/src/languages/ru.ts
index 90881fa44bc..c116a5e03d2 100644
--- a/packages/translations/src/languages/ru.ts
+++ b/packages/translations/src/languages/ru.ts
@@ -320,6 +320,7 @@ export const ruTranslations: DefaultTranslationsObject = {
within: 'в пределах',
},
upload: {
+ addImage: 'Добавить изображение',
crop: 'Обрезать',
cropToolDescription:
'Перетащите углы выбранной области, нарисуйте новую область или отрегулируйте значения ниже.',
@@ -334,6 +335,7 @@ export const ruTranslations: DefaultTranslationsObject = {
height: 'Высота',
lessInfo: 'Меньше информации',
moreInfo: 'Больше информации',
+ pasteURL: 'Вставить URL',
previewSizes: 'Предварительный просмотр размеров',
selectCollectionToBrowse: 'Выберите Коллекцию для просмотра',
selectFile: 'Выберите файл',
diff --git a/packages/translations/src/languages/sk.ts b/packages/translations/src/languages/sk.ts
index d704c926e11..342c5bc3fcb 100644
--- a/packages/translations/src/languages/sk.ts
+++ b/packages/translations/src/languages/sk.ts
@@ -318,6 +318,7 @@ export const skTranslations: DefaultTranslationsObject = {
within: 'vnútri',
},
upload: {
+ addImage: 'Pridať obrázok',
crop: 'Orezať',
cropToolDescription:
'Potiahnite rohy vybranej oblasti, nakreslite novú oblasť alebo upravte hodnoty nižšie.',
@@ -332,6 +333,7 @@ export const skTranslations: DefaultTranslationsObject = {
height: 'Výška',
lessInfo: 'Menej informácií',
moreInfo: 'Viac informácií',
+ pasteURL: 'Vložiť URL',
previewSizes: 'Náhľady veľkostí',
selectCollectionToBrowse: 'Vyberte kolekciu na prezeranie',
selectFile: 'Vyberte súbor',
diff --git a/packages/translations/src/languages/sv.ts b/packages/translations/src/languages/sv.ts
index 41c231b8802..32f4bfd0d09 100644
--- a/packages/translations/src/languages/sv.ts
+++ b/packages/translations/src/languages/sv.ts
@@ -317,6 +317,7 @@ export const svTranslations: DefaultTranslationsObject = {
within: 'inom',
},
upload: {
+ addImage: 'Lägg till bild',
crop: 'Skörd',
cropToolDescription:
'Dra i hörnen på det valda området, rita ett nytt område eller justera värdena nedan.',
@@ -331,6 +332,7 @@ export const svTranslations: DefaultTranslationsObject = {
height: 'Höjd',
lessInfo: 'Mindre info',
moreInfo: 'Mer info',
+ pasteURL: 'Klistra in URL',
previewSizes: 'Förhandsgranska Storlekar',
selectCollectionToBrowse: 'Välj en Samling att Bläddra i',
selectFile: 'Välj en fil',
diff --git a/packages/translations/src/languages/th.ts b/packages/translations/src/languages/th.ts
index c375e7fd213..6934f15390d 100644
--- a/packages/translations/src/languages/th.ts
+++ b/packages/translations/src/languages/th.ts
@@ -313,6 +313,7 @@ export const thTranslations: DefaultTranslationsObject = {
within: 'ภายใน',
},
upload: {
+ addImage: 'เพิ่มรูปภาพ',
crop: 'พืชผล',
cropToolDescription: 'ลากมุมของพื้นที่ที่เลือก, วาดพื้นที่ใหม่หรือปรับค่าด้านล่าง',
dragAndDrop: 'ลากและวางไฟล์',
@@ -325,6 +326,7 @@ export const thTranslations: DefaultTranslationsObject = {
height: 'ความสูง',
lessInfo: 'ซ่อนข้อมูล',
moreInfo: 'แสดงข้อมูล',
+ pasteURL: 'วาง URL',
previewSizes: 'ขนาดตัวอย่าง',
selectCollectionToBrowse: 'เลือก Collection ที่ต้องการค้นหา',
selectFile: 'เลือกไฟล์',
diff --git a/packages/translations/src/languages/tr.ts b/packages/translations/src/languages/tr.ts
index 93d9fc421d1..11389cd40bc 100644
--- a/packages/translations/src/languages/tr.ts
+++ b/packages/translations/src/languages/tr.ts
@@ -321,6 +321,7 @@ export const trTranslations: DefaultTranslationsObject = {
within: 'içinde',
},
upload: {
+ addImage: 'Resim ekle',
crop: 'Mahsulat',
cropToolDescription:
'Seçilen alanın köşelerini sürükleyin, yeni bir alan çizin ya da aşağıdaki değerleri ayarlayın.',
@@ -335,6 +336,7 @@ export const trTranslations: DefaultTranslationsObject = {
height: 'Yükseklik',
lessInfo: 'Daha az bilgi',
moreInfo: 'Daha fazla bilgi',
+ pasteURL: 'URL yapıştır',
previewSizes: 'Önizleme Boyutları',
selectCollectionToBrowse: 'Görüntülenecek bir koleksiyon seçin',
selectFile: 'Dosya seç',
diff --git a/packages/translations/src/languages/uk.ts b/packages/translations/src/languages/uk.ts
index 34fe68c5594..4806d7f71bb 100644
--- a/packages/translations/src/languages/uk.ts
+++ b/packages/translations/src/languages/uk.ts
@@ -317,6 +317,7 @@ export const ukTranslations: DefaultTranslationsObject = {
within: 'в межах',
},
upload: {
+ addImage: 'Додати зображення',
crop: 'Обрізати',
cropToolDescription:
'Перетягніть кути обраної області, намалюйте нову область або скоригуйте значення нижче.',
@@ -331,6 +332,7 @@ export const ukTranslations: DefaultTranslationsObject = {
height: 'Висота',
lessInfo: 'Менше інформації',
moreInfo: 'Більше інформації',
+ pasteURL: 'Вставити URL',
previewSizes: 'Попередній перегляд розмірів',
selectCollectionToBrowse: 'Оберіть колекцію для перегляду',
selectFile: 'Оберіть файл',
diff --git a/packages/translations/src/languages/vi.ts b/packages/translations/src/languages/vi.ts
index fcdcf29f09f..4a8410b235b 100644
--- a/packages/translations/src/languages/vi.ts
+++ b/packages/translations/src/languages/vi.ts
@@ -315,6 +315,7 @@ export const viTranslations: DefaultTranslationsObject = {
within: 'trong',
},
upload: {
+ addImage: 'Thêm hình ảnh',
crop: 'Mùa vụ',
cropToolDescription:
'Kéo các góc của khu vực đã chọn, vẽ một khu vực mới hoặc điều chỉnh các giá trị dưới đây.',
@@ -329,6 +330,7 @@ export const viTranslations: DefaultTranslationsObject = {
height: 'Chiều cao',
lessInfo: 'Hiển thị ít hơn',
moreInfo: 'Thêm',
+ pasteURL: 'Dán URL',
previewSizes: 'Kích cỡ xem trước',
selectCollectionToBrowse: 'Chọn một Collection để tìm',
selectFile: 'Chọn một file',
diff --git a/packages/translations/src/languages/zh.ts b/packages/translations/src/languages/zh.ts
index 2cc31c4287d..96559477d93 100644
--- a/packages/translations/src/languages/zh.ts
+++ b/packages/translations/src/languages/zh.ts
@@ -309,6 +309,7 @@ export const zhTranslations: DefaultTranslationsObject = {
within: '在...之内',
},
upload: {
+ addImage: '添加图片',
crop: '作物',
cropToolDescription: '拖动所选区域的角落,绘制一个新区域或调整以下的值。',
dragAndDrop: '拖放一个文件',
@@ -321,6 +322,7 @@ export const zhTranslations: DefaultTranslationsObject = {
height: '高度',
lessInfo: '更少信息',
moreInfo: '更多信息',
+ pasteURL: '粘贴网址',
previewSizes: '预览尺寸',
selectCollectionToBrowse: '选择一个要浏览的集合',
selectFile: '选择一个文件',
diff --git a/packages/translations/src/languages/zhTw.ts b/packages/translations/src/languages/zhTw.ts
index 222170ece26..65ee9b5bc36 100644
--- a/packages/translations/src/languages/zhTw.ts
+++ b/packages/translations/src/languages/zhTw.ts
@@ -309,6 +309,7 @@ export const zhTwTranslations: DefaultTranslationsObject = {
within: '在...之內',
},
upload: {
+ addImage: '添加圖片',
crop: '裁剪',
cropToolDescription: '拖動所選區域的角落,繪製一個新區域或調整以下的值。',
dragAndDrop: '拖放一個檔案',
@@ -321,6 +322,7 @@ export const zhTwTranslations: DefaultTranslationsObject = {
height: '高度',
lessInfo: '更少資訊',
moreInfo: '更多資訊',
+ pasteURL: '貼上網址',
previewSizes: '預覽尺寸',
selectCollectionToBrowse: '選擇一個要瀏覽的集合',
selectFile: '選擇一個文件',
diff --git a/packages/ui/src/elements/Dropzone/index.tsx b/packages/ui/src/elements/Dropzone/index.tsx
index 337a63125ca..d8b642a0b87 100644
--- a/packages/ui/src/elements/Dropzone/index.tsx
+++ b/packages/ui/src/elements/Dropzone/index.tsx
@@ -16,9 +16,10 @@ export type Props = {
className?: string
mimeTypes?: string[]
onChange: (e: FileList) => void
+ onPasteUrlClick?: () => void
}
-export const Dropzone: React.FC<Props> = ({ className, mimeTypes, onChange }) => {
+export const Dropzone: React.FC<Props> = ({ className, mimeTypes, onChange, onPasteUrlClick }) => {
const dropRef = React.useRef<HTMLDivElement>(null)
const [dragging, setDragging] = React.useState(false)
const inputRef = React.useRef(null)
@@ -110,7 +111,14 @@ export const Dropzone: React.FC<Props> = ({ className, mimeTypes, onChange }) =>
>
{t('upload:selectFile')}
</Button>
-
+ <Button
+ buttonStyle="secondary"
+ className={`${baseClass}__file-button`}
+ onClick={onPasteUrlClick}
+ size="small"
+ >
+ {t('upload:pasteURL')}
+ </Button>
<input
accept={mimeTypes?.join(',')}
className={`${baseClass}__hidden-input`}
diff --git a/packages/ui/src/elements/Upload/index.scss b/packages/ui/src/elements/Upload/index.scss
index dda574ce9ff..5e795bc93c8 100644
--- a/packages/ui/src/elements/Upload/index.scss
+++ b/packages/ui/src/elements/Upload/index.scss
@@ -35,7 +35,8 @@
place-self: flex-start;
}
- &__file-adjustments {
+ &__file-adjustments,
+ &__remote-file-wrap {
padding: $baseline;
width: 100%;
display: flex;
@@ -43,12 +44,14 @@
gap: calc(var(--base) / 2);
}
- &__filename {
+ &__filename,
+ &__remote-file {
@include formInput;
background-color: var(--theme-bg);
}
- &__upload-actions {
+ &__upload-actions,
+ &__add-file-wrap {
display: flex;
gap: calc(var(--base) / 2);
flex-wrap: wrap;
diff --git a/packages/ui/src/elements/Upload/index.tsx b/packages/ui/src/elements/Upload/index.tsx
index 00118919a0b..d126bdee001 100644
--- a/packages/ui/src/elements/Upload/index.tsx
+++ b/packages/ui/src/elements/Upload/index.tsx
@@ -2,7 +2,8 @@
import type { FormState, SanitizedCollectionConfig } from 'payload'
import { isImage, reduceFieldsToValues } from 'payload/shared'
-import React, { useCallback, useEffect, useState } from 'react'
+import React, { useCallback, useEffect, useRef, useState } from 'react'
+import { toast } from 'sonner'
import { FieldError } from '../../fields/FieldError/index.js'
import { fieldBaseClass } from '../../fields/shared/index.js'
@@ -100,7 +101,13 @@ export const Upload: React.FC<UploadProps> = (props) => {
})
const [_crop, setCrop] = useState({ x: 0, y: 0 })
- const handleFileChange = React.useCallback(
+ const [showUrlInput, setShowUrlInput] = useState(false)
+ const [fileUrl, setFileUrl] = useState<string>('')
+
+ const cursorPositionRef = useRef(null)
+ const urlInputRef = useRef<HTMLInputElement>(null)
+
+ const handleFileChange = useCallback(
(newFile: File) => {
if (newFile instanceof File) {
const fileReader = new FileReader()
@@ -115,6 +122,7 @@ export const Upload: React.FC<UploadProps> = (props) => {
}
setValue(newFile)
+ setShowUrlInput(false)
if (typeof onChange === 'function') {
onChange(newFile)
@@ -125,6 +133,10 @@ export const Upload: React.FC<UploadProps> = (props) => {
const handleFileNameChange = (e: React.ChangeEvent<HTMLInputElement>) => {
const updatedFileName = e.target.value
+ const cursorPosition = e.target.selectionStart
+
+ cursorPositionRef.current = cursorPosition
+
if (value) {
const fileValue = value
// Creating a new File object with updated properties
@@ -133,7 +145,15 @@ export const Upload: React.FC<UploadProps> = (props) => {
}
}
- const handleFileSelection = React.useCallback(
+ useEffect(() => {
+ // eslint-disable-next-line @typescript-eslint/no-unnecessary-type-assertion
+ const inputElement = document.querySelector(`.${baseClass}__filename`) as HTMLInputElement
+ if (inputElement && cursorPositionRef.current !== null) {
+ inputElement.setSelectionRange(cursorPositionRef.current, cursorPositionRef.current)
+ }
+ }, [value])
+
+ const handleFileSelection = useCallback(
(files: FileList) => {
const fileToUpload = files?.[0]
handleFileChange(fileToUpload)
@@ -145,9 +165,12 @@ export const Upload: React.FC<UploadProps> = (props) => {
setReplacingFile(true)
handleFileChange(null)
setFileSrc('')
+ setFileUrl('')
+ setDoc({})
+ setShowUrlInput(false)
}, [handleFileChange])
- const onEditsSave = React.useCallback(
+ const onEditsSave = useCallback(
({ crop, focalPosition }) => {
setCrop({
x: crop.x || 0,
@@ -171,11 +194,39 @@ export const Upload: React.FC<UploadProps> = (props) => {
[dispatchFormQueryParams, setModified],
)
+ const handlePasteUrlClick = () => {
+ setShowUrlInput((prev) => !prev)
+ }
+
+ const handleUrlSubmit = async () => {
+ if (fileUrl) {
+ try {
+ const response = await fetch(fileUrl)
+ const data = await response.blob()
+
+ // Extract the file name from the URL
+ const fileName = fileUrl.split('/').pop()
+
+ // Create a new File object from the Blob data
+ const file = new File([data], fileName, { type: data.type })
+ handleFileChange(file)
+ } catch (e) {
+ toast.error(e.message)
+ }
+ }
+ }
+
useEffect(() => {
setDoc(reduceFieldsToValues(initialState || {}, true))
setReplacingFile(false)
}, [initialState])
+ useEffect(() => {
+ if (showUrlInput && urlInputRef.current) {
+ urlInputRef.current.focus() // Focus on the remote-url input field when showUrlInput is true
+ }
+ }, [showUrlInput])
+
const canRemoveUpload =
docPermissions?.update?.permission &&
'delete' in docPermissions &&
@@ -207,14 +258,48 @@ export const Upload: React.FC<UploadProps> = (props) => {
)}
{(!doc.filename || replacingFile) && (
<div className={`${baseClass}__upload`}>
- {!value && (
+ {!value && !showUrlInput && (
<Dropzone
className={`${baseClass}__dropzone`}
mimeTypes={uploadConfig?.mimeTypes}
onChange={handleFileSelection}
+ onPasteUrlClick={handlePasteUrlClick}
/>
)}
-
+ {showUrlInput && (
+ <React.Fragment>
+ <div className={`${baseClass}__remote-file-wrap`}>
+ {/* eslint-disable-next-line jsx-a11y/control-has-associated-label */}
+ <input
+ className={`${baseClass}__remote-file`}
+ onChange={(e) => {
+ setFileUrl(e.target.value)
+ }}
+ ref={urlInputRef}
+ type="text"
+ value={fileUrl}
+ />
+ <div className={`${baseClass}__add-file-wrap`}>
+ <button
+ className={`${baseClass}__add-file`}
+ onClick={handleUrlSubmit}
+ type="button"
+ >
+ {t('upload:addImage')}
+ </button>
+ </div>
+ </div>
+ <Button
+ buttonStyle="icon-label"
+ className={`${baseClass}__remove`}
+ icon="x"
+ iconStyle="with-border"
+ onClick={handleFileRemoval}
+ round
+ tooltip={t('general:cancel')}
+ />
+ </React.Fragment>
+ )}
{value && fileSrc && (
<React.Fragment>
<div className={`${baseClass}__thumbnail-wrap`}>
@@ -224,6 +309,7 @@ export const Upload: React.FC<UploadProps> = (props) => {
/>
</div>
<div className={`${baseClass}__file-adjustments`}>
+ {/* eslint-disable-next-line jsx-a11y/control-has-associated-label */}
<input
className={`${baseClass}__filename`}
onChange={handleFileNameChange}
@@ -254,7 +340,7 @@ export const Upload: React.FC<UploadProps> = (props) => {
<Drawer Header={null} slug={editDrawerSlug}>
<EditUpload
fileName={value?.name || doc?.filename}
- fileSrc={fileSrc || doc?.url}
+ fileSrc={doc?.url || fileSrc}
imageCacheTag={doc.updatedAt}
initialCrop={formQueryParams?.uploadEdits?.crop ?? {}}
initialFocalPoint={{
diff --git a/templates/website/src/payload.config.ts b/templates/website/src/payload.config.ts
index f84d7b569ba..5fc87709d9a 100644
--- a/templates/website/src/payload.config.ts
+++ b/templates/website/src/payload.config.ts
@@ -11,7 +11,9 @@ import {
FixedToolbarFeature,
HeadingFeature,
ItalicFeature,
- LinkFeature , lexicalEditor } from '@payloadcms/richtext-lexical'
+ LinkFeature,
+ lexicalEditor,
+} from '@payloadcms/richtext-lexical'
import sharp from 'sharp' // editor-import
import { UnderlineFeature } from '@payloadcms/richtext-lexical'
import dotenv from 'dotenv'
diff --git a/test/fields/collections/Upload/e2e.spec.ts b/test/fields/collections/Upload/e2e.spec.ts
index c1258d13f91..78441311020 100644
--- a/test/fields/collections/Upload/e2e.spec.ts
+++ b/test/fields/collections/Upload/e2e.spec.ts
@@ -81,11 +81,38 @@ describe('Upload', () => {
await saveDocAndAssert(page)
}
- // eslint-disable-next-line playwright/expect-expect
test('should upload files', async () => {
await uploadImage()
})
+ test('should upload files from remote URL', async () => {
+ await uploadImage()
+
+ await page.goto(url.create)
+
+ const pasteURLButton = page.locator('.file-field__upload .dropzone__file-button', {
+ hasText: 'Paste URL',
+ })
+ await pasteURLButton.click()
+
+ const remoteImage = 'https://payloadcms.com/images/og-image.jpg'
+
+ const inputField = page.locator('.file-field__upload .file-field__remote-file')
+ await inputField.fill(remoteImage)
+
+ const addImageButton = page.locator('.file-field__add-file')
+ await addImageButton.click()
+
+ await expect(page.locator('.file-field .file-field__filename')).toHaveValue('og-image.jpg')
+
+ await saveDocAndAssert(page)
+
+ await expect(page.locator('.file-field .file-details img')).toHaveAttribute(
+ 'src',
+ /\/api\/uploads\/file\/og-image\.jpg(\?.*)?$/,
+ )
+ })
+
// test that the image renders
test('should render uploaded image', async () => {
await uploadImage()
diff --git a/test/fields/collections/Upload/index.ts b/test/fields/collections/Upload/index.ts
index c6c8b6b246f..e1696fc57a3 100644
--- a/test/fields/collections/Upload/index.ts
+++ b/test/fields/collections/Upload/index.ts
@@ -9,29 +9,29 @@ const dirname = path.dirname(filename)
const Uploads: CollectionConfig = {
slug: uploadsSlug,
- upload: {
- staticDir: path.resolve(dirname, './uploads'),
- },
fields: [
{
- type: 'text',
name: 'text',
+ type: 'text',
},
{
- type: 'upload',
name: 'media',
- relationTo: uploadsSlug,
+ type: 'upload',
filterOptions: {
mimeType: {
equals: 'image/png',
},
},
+ relationTo: uploadsSlug,
},
{
- type: 'richText',
name: 'richText',
+ type: 'richText',
},
],
+ upload: {
+ staticDir: path.resolve(dirname, './uploads'),
+ },
}
export default Uploads
|
274682e7369f097110b1dcfcbba15afa270d7dde
|
2024-03-08 03:11:19
|
Alessio Gravili
|
chore(eslint-config-payload): disable no-restricted-exports rule for payload config files
| false
|
disable no-restricted-exports rule for payload config files
|
chore
|
diff --git a/packages/eslint-config-payload/eslint-config/index.js b/packages/eslint-config-payload/eslint-config/index.js
index c1bc360a64f..1706cc87740 100644
--- a/packages/eslint-config-payload/eslint-config/index.js
+++ b/packages/eslint-config-payload/eslint-config/index.js
@@ -30,6 +30,18 @@ module.exports = {
files: ['*.js', '*.cjs'],
extends: ['plugin:@typescript-eslint/disable-type-checked'],
},
+ {
+ files: ['*.config.ts'],
+ rules: {
+ 'no-restricted-exports': 'off',
+ },
+ },
+ {
+ files: ['config.ts'],
+ rules: {
+ 'no-restricted-exports': 'off',
+ },
+ },
],
rules: {
'@typescript-eslint/ban-ts-comment': 'off',
|
f71e61d7d938f58816d588c3bb39d06c3498c0b6
|
2024-04-13 19:57:39
|
Elliot DeNolf
|
chore(templates): remove no longer used editor-import comment
| false
|
remove no longer used editor-import comment
|
chore
|
diff --git a/templates/blank-3.0/src/payload.config.ts b/templates/blank-3.0/src/payload.config.ts
index d1ba25647f8..7a1b1553712 100644
--- a/templates/blank-3.0/src/payload.config.ts
+++ b/templates/blank-3.0/src/payload.config.ts
@@ -1,6 +1,6 @@
import { mongooseAdapter } from '@payloadcms/db-mongodb' // database-adapter-import
// import { payloadCloud } from '@payloadcms/plugin-cloud'
-import { lexicalEditor } from '@payloadcms/richtext-lexical' // editor-import
+import { lexicalEditor } from '@payloadcms/richtext-lexical'
import path from 'path'
import { buildConfig } from 'payload/config'
// import sharp from 'sharp'
@@ -27,6 +27,7 @@ export default buildConfig({
url: process.env.DATABASE_URI || '',
}),
// database-adapter-config-end
+
// Sharp is now an optional dependency -
// if you want to resize images, crop, set focal point, etc.
// make sure to install it and pass it to the config.
|
a7f1aff2c4787091c83b9ce31a4da14ef97c311b
|
2023-01-04 11:41:33
|
Jacob Fletcher
|
chore: explicitly includes types in files array
| false
|
explicitly includes types in files array
|
chore
|
diff --git a/packages/plugin-seo/package.json b/packages/plugin-seo/package.json
index 099559bc2db..0c49fd1faf9 100644
--- a/packages/plugin-seo/package.json
+++ b/packages/plugin-seo/package.json
@@ -32,7 +32,7 @@
},
"files": [
"dist",
- "*.js",
- "*.d.ts"
+ "types.js",
+ "types.d.ts"
]
}
|
1b3419cd125d730a16736861a7d0fdade2f10d1e
|
2023-09-19 20:46:53
|
Jarrod Flesch
|
chore: resolved console errors from checkbox inputs (#3356)
| false
|
resolved console errors from checkbox inputs (#3356)
|
chore
|
diff --git a/packages/payload/src/admin/components/forms/field-types/Checkbox/Input.tsx b/packages/payload/src/admin/components/forms/field-types/Checkbox/Input.tsx
index 9cee47b3be0..dfca9eed34f 100644
--- a/packages/payload/src/admin/components/forms/field-types/Checkbox/Input.tsx
+++ b/packages/payload/src/admin/components/forms/field-types/Checkbox/Input.tsx
@@ -47,7 +47,7 @@ export const CheckboxInput: React.FC<CheckboxInputProps> = (props) => {
<div className={`${baseClass}__input`}>
<input
aria-label={ariaLabel}
- checked={Boolean(checked)}
+ defaultChecked={Boolean(checked)}
disabled={readOnly}
id={id}
name={name}
|
ba31397ac15402eb3837bcbe454e0aaf82ecbf03
|
2021-01-18 09:09:50
|
Elliot DeNolf
|
fix: textarea handle undefined
| false
|
textarea handle undefined
|
fix
|
diff --git a/src/admin/components/views/collections/List/Cell/cellTypes.spec.tsx b/src/admin/components/views/collections/List/Cell/cellTypes.spec.tsx
index c6bbc9923db..88192159085 100644
--- a/src/admin/components/views/collections/List/Cell/cellTypes.spec.tsx
+++ b/src/admin/components/views/collections/List/Cell/cellTypes.spec.tsx
@@ -4,6 +4,7 @@ import { render } from '@testing-library/react';
import BlocksCell from './field-types/Blocks';
import DateCell from './field-types/Date';
import Checkbox from './field-types/Checkbox';
+import Textarea from './field-types/Textarea';
describe('Cell Types', () => {
describe('Blocks', () => {
@@ -87,4 +88,17 @@ describe('Cell Types', () => {
expect(el).toHaveTextContent('false');
});
});
+
+ describe('Textarea', () => {
+ it('renders data', () => {
+ const { container } = render(<Textarea data="data" />);
+ const el = container.querySelector('span');
+ expect(el).toHaveTextContent('data');
+ });
+ it('handle undefined - bug/13', () => {
+ const { container } = render(<Textarea data={undefined} />);
+ const el = container.querySelector('span');
+ expect(el).toHaveTextContent('');
+ });
+ });
});
diff --git a/src/admin/components/views/collections/List/Cell/field-types/Textarea/index.tsx b/src/admin/components/views/collections/List/Cell/field-types/Textarea/index.tsx
index 84f3015ec02..7584cb3fdd7 100644
--- a/src/admin/components/views/collections/List/Cell/field-types/Textarea/index.tsx
+++ b/src/admin/components/views/collections/List/Cell/field-types/Textarea/index.tsx
@@ -1,7 +1,7 @@
import React from 'react';
const TextareaCell = ({ data }) => {
- const textToShow = data.length > 100 ? `${data.substr(0, 100)}\u2026` : data;
+ const textToShow = data?.length > 100 ? `${data.substr(0, 100)}\u2026` : data;
return (
<span>{textToShow}</span>
);
diff --git a/src/fields/validations.spec.ts b/src/fields/validations.spec.ts
new file mode 100644
index 00000000000..b214b7f9c8f
--- /dev/null
+++ b/src/fields/validations.spec.ts
@@ -0,0 +1,34 @@
+
+import { textarea } from './validations';
+
+describe('Field Validations', () => {
+ describe('textarea', () => {
+ it('should validate', () => {
+ const val = 'test';
+ const result = textarea(val);
+ expect(result).toBe(true);
+ });
+ it('should show default message when required and not present', () => {
+ const val = undefined;
+ const result = textarea(val, { required: true });
+ expect(result).toBe('This field is required.');
+ });
+
+ it('should handle undefined', () => {
+ const val = undefined;
+ const result = textarea(val);
+ expect(result).toBe(true);
+ });
+ it('should validate maxLength', () => {
+ const val = 'toolong';
+ const result = textarea(val, { maxLength: 5 });
+ expect(result).toBe('This value must be shorter than the max length of 5 characters.');
+ });
+
+ it('should validate minLength', () => {
+ const val = 'short';
+ const result = textarea(val, { minLength: 10 });
+ expect(result).toBe('This value must be longer than the minimum length of 10 characters.');
+ });
+ });
+});
diff --git a/src/fields/validations.ts b/src/fields/validations.ts
index 78f73334b85..b16ae44d4b7 100644
--- a/src/fields/validations.ts
+++ b/src/fields/validations.ts
@@ -26,16 +26,16 @@ export const number: Validate = (value: string, options = {}) => {
};
export const text: Validate = (value: string, options = {}) => {
- if (options.maxLength && (value && value.length > options.maxLength)) {
+ if (value && options.maxLength && value.length > options.maxLength) {
return `This value must be shorter than the max length of ${options.maxLength} characters.`;
}
- if (options.minLength && (value && value.length < options.minLength)) {
+ if (value && options.minLength && value?.length < options.minLength) {
return `This value must be longer than the minimum length of ${options.minLength} characters.`;
}
if (options.required) {
- if (typeof value !== 'string' || (typeof value === 'string' && value.length === 0)) {
+ if (typeof value !== 'string' || (typeof value === 'string' && value?.length === 0)) {
return defaultMessage;
}
}
@@ -44,11 +44,11 @@ export const text: Validate = (value: string, options = {}) => {
};
export const password: Validate = (value: string, options = {}) => {
- if (options.maxLength && value.length > options.maxLength) {
+ if (value && options.maxLength && value.length > options.maxLength) {
return `This value must be shorter than the max length of ${options.maxLength} characters.`;
}
- if (options.minLength && value.length < options.minLength) {
+ if (value && options.minLength && value.length < options.minLength) {
return `This value must be longer than the minimum length of ${options.minLength} characters.`;
}
@@ -69,11 +69,11 @@ export const email: Validate = (value: string, options = {}) => {
};
export const textarea: Validate = (value: string, options = {}) => {
- if (options.maxLength && value.length > options.maxLength) {
+ if (value && options.maxLength && value.length > options.maxLength) {
return `This value must be shorter than the max length of ${options.maxLength} characters.`;
}
- if (options.minLength && value.length < options.minLength) {
+ if (value && options.minLength && value.length < options.minLength) {
return `This value must be longer than the minimum length of ${options.minLength} characters.`;
}
|
a0fb48c9a37beceafc6f0638604e9946d0814635
|
2021-11-25 21:04:03
|
James
|
fix: #358 - reuploading with existing filenames
| false
|
#358 - reuploading with existing filenames
|
fix
|
diff --git a/src/collections/operations/create.ts b/src/collections/operations/create.ts
index dde5936672e..8b82e8fd55b 100644
--- a/src/collections/operations/create.ts
+++ b/src/collections/operations/create.ts
@@ -29,6 +29,7 @@ export type Arguments = {
overrideAccess?: boolean
showHiddenFields?: boolean
data: Record<string, unknown>
+ overwriteExistingFiles?: boolean
}
async function create(this: Payload, incomingArgs: Arguments): Promise<Document> {
@@ -59,6 +60,7 @@ async function create(this: Payload, incomingArgs: Arguments): Promise<Document>
depth,
overrideAccess,
showHiddenFields,
+ overwriteExistingFiles = false,
} = args;
let { data } = args;
@@ -108,7 +110,7 @@ async function create(this: Payload, incomingArgs: Arguments): Promise<Document>
mkdirp.sync(staticPath);
}
- const fsSafeName = await getSafeFilename(staticPath, file.name);
+ const fsSafeName = !overwriteExistingFiles ? await getSafeFilename(Model, staticPath, file.name) : file.name;
try {
if (!disableLocalStorage) {
@@ -122,7 +124,15 @@ async function create(this: Payload, incomingArgs: Arguments): Promise<Document>
if (Array.isArray(imageSizes) && file.mimetype !== 'image/svg+xml') {
req.payloadUploadSizes = {};
- fileData.sizes = await resizeAndSave(req, file.data, dimensions, staticPath, collectionConfig, fsSafeName, fileData.mimeType);
+ fileData.sizes = await resizeAndSave({
+ req,
+ file: file.data,
+ dimensions,
+ staticPath,
+ config: collectionConfig,
+ savedFilename: fsSafeName,
+ mimeType: fileData.mimeType,
+ });
}
}
} catch (err) {
diff --git a/src/collections/operations/delete.ts b/src/collections/operations/delete.ts
index b7138084e6b..091acbe401d 100644
--- a/src/collections/operations/delete.ts
+++ b/src/collections/operations/delete.ts
@@ -5,7 +5,7 @@ import { PayloadRequest } from '../../express/types';
import sanitizeInternalFields from '../../utilities/sanitizeInternalFields';
import { NotFound, Forbidden, ErrorDeletingFile } from '../../errors';
import executeAccess from '../../auth/executeAccess';
-import fileExists from '../../uploads/fileExists';
+import fileOrDocExists from '../../uploads/fileOrDocExists';
import { BeforeOperationHook, Collection } from '../config/types';
import { Document, Where } from '../../types';
import { hasWhereAccessResult } from '../../auth/types';
@@ -46,7 +46,6 @@ async function deleteQuery(incomingArgs: Arguments): Promise<Document> {
req,
req: {
locale,
- fallbackLocale,
},
overrideAccess,
showHiddenFields,
@@ -106,7 +105,8 @@ async function deleteQuery(incomingArgs: Arguments): Promise<Document> {
const staticPath = path.resolve(this.config.paths.configDir, staticDir);
const fileToDelete = `${staticPath}/${resultToDelete.filename}`;
- if (await fileExists(fileToDelete)) {
+
+ if (await fileOrDocExists(Model, staticPath, resultToDelete.filename)) {
fs.unlink(fileToDelete, (err) => {
if (err) {
throw new ErrorDeletingFile();
@@ -116,7 +116,7 @@ async function deleteQuery(incomingArgs: Arguments): Promise<Document> {
if (resultToDelete.sizes) {
Object.values(resultToDelete.sizes).forEach(async (size: FileData) => {
- if (await fileExists(`${staticPath}/${size.filename}`)) {
+ if (await fileOrDocExists(Model, staticPath, size.filename)) {
fs.unlink(`${staticPath}/${size.filename}`, (err) => {
if (err) {
throw new ErrorDeletingFile();
diff --git a/src/collections/operations/local/create.ts b/src/collections/operations/local/create.ts
index 3979301e038..c96638daea7 100644
--- a/src/collections/operations/local/create.ts
+++ b/src/collections/operations/local/create.ts
@@ -12,6 +12,7 @@ export type Options = {
disableVerificationEmail?: boolean
showHiddenFields?: boolean
filePath?: string
+ overwriteExistingFiles?: boolean
}
export default async function create(options: Options): Promise<Document> {
const {
@@ -25,6 +26,7 @@ export default async function create(options: Options): Promise<Document> {
disableVerificationEmail,
showHiddenFields,
filePath,
+ overwriteExistingFiles = false,
} = options;
const collection = this.collections[collectionSlug];
@@ -36,6 +38,7 @@ export default async function create(options: Options): Promise<Document> {
overrideAccess,
disableVerificationEmail,
showHiddenFields,
+ overwriteExistingFiles,
req: {
user,
payloadAPI: 'local',
diff --git a/src/collections/operations/update.ts b/src/collections/operations/update.ts
index 9a140e0f3a7..26aff658124 100644
--- a/src/collections/operations/update.ts
+++ b/src/collections/operations/update.ts
@@ -138,7 +138,7 @@ async function update(incomingArgs: Arguments): Promise<Document> {
const file = ((req.files && req.files.file) ? req.files.file : req.file) as UploadedFile;
if (file) {
- const fsSafeName = !overwriteExistingFiles ? await getSafeFilename(staticPath, file.name) : file.name;
+ const fsSafeName = !overwriteExistingFiles ? await getSafeFilename(Model, staticPath, file.name) : file.name;
try {
if (!disableLocalStorage) {
@@ -156,7 +156,15 @@ async function update(incomingArgs: Arguments): Promise<Document> {
if (Array.isArray(imageSizes) && file.mimetype !== 'image/svg+xml') {
req.payloadUploadSizes = {};
- fileData.sizes = await resizeAndSave(req, file.data, dimensions, staticPath, collectionConfig, fsSafeName, fileData.mimeType);
+ fileData.sizes = await resizeAndSave({
+ req,
+ file: file.data,
+ dimensions,
+ staticPath,
+ config: collectionConfig,
+ savedFilename: fsSafeName,
+ mimeType: fileData.mimeType,
+ });
}
}
} catch (err) {
diff --git a/src/fields/baseFields/getBaseUploadFields.ts b/src/fields/baseFields/getBaseUploadFields.ts
index fd4e549f8b3..927a925f6cf 100644
--- a/src/fields/baseFields/getBaseUploadFields.ts
+++ b/src/fields/baseFields/getBaseUploadFields.ts
@@ -67,6 +67,7 @@ const getBaseUploadFields = ({ config, collection }: Options): Field[] => {
label: 'File Name',
type: 'text',
index: true,
+ unique: true,
admin: {
readOnly: true,
disabled: true,
diff --git a/src/uploads/fileExists.ts b/src/uploads/fileExists.ts
index 3d1b5d0d3aa..08077524c97 100644
--- a/src/uploads/fileExists.ts
+++ b/src/uploads/fileExists.ts
@@ -3,11 +3,14 @@ import { promisify } from 'util';
const stat = promisify(fs.stat);
-export default async (fileName: string): Promise<boolean> => {
+const fileExists = async (filename: string): Promise<boolean> => {
try {
- await stat(fileName);
+ await stat(filename);
+
return true;
} catch (err) {
return false;
}
};
+
+export default fileExists;
diff --git a/src/uploads/fileOrDocExists.ts b/src/uploads/fileOrDocExists.ts
new file mode 100644
index 00000000000..4bd2d8a61e7
--- /dev/null
+++ b/src/uploads/fileOrDocExists.ts
@@ -0,0 +1,20 @@
+import fs from 'fs';
+import { promisify } from 'util';
+import { CollectionModel } from '../collections/config/types';
+
+const stat = promisify(fs.stat);
+
+const fileOrDocExists = async (Model: CollectionModel, path: string, filename: string): Promise<boolean> => {
+ try {
+ const doc = await Model.findOne({ filename });
+ if (doc) return true;
+
+ await stat(`${path}/${filename}`);
+
+ return true;
+ } catch (err) {
+ return false;
+ }
+};
+
+export default fileOrDocExists;
diff --git a/src/uploads/getSafeFilename.ts b/src/uploads/getSafeFilename.ts
index ef3c67ae888..298a24f446e 100644
--- a/src/uploads/getSafeFilename.ts
+++ b/src/uploads/getSafeFilename.ts
@@ -1,5 +1,6 @@
import sanitize from 'sanitize-filename';
-import fileExists from './fileExists';
+import { CollectionModel } from '../collections/config/types';
+import fileOrDocExists from './fileOrDocExists';
const incrementName = (name: string) => {
const extension = name.split('.').pop();
@@ -19,11 +20,11 @@ const incrementName = (name: string) => {
return `${incrementedName}.${extension}`;
};
-async function getSafeFileName(staticPath: string, desiredFilename: string): Promise<string> {
+async function getSafeFileName(Model: CollectionModel, staticPath: string, desiredFilename: string): Promise<string> {
let modifiedFilename = desiredFilename;
// eslint-disable-next-line no-await-in-loop
- while (await fileExists(`${staticPath}/${modifiedFilename}`)) {
+ while (await fileOrDocExists(Model, staticPath, modifiedFilename)) {
modifiedFilename = incrementName(modifiedFilename);
}
return modifiedFilename;
diff --git a/src/uploads/imageResizer.ts b/src/uploads/imageResizer.ts
index 21534ed470c..0d64190ec81 100644
--- a/src/uploads/imageResizer.ts
+++ b/src/uploads/imageResizer.ts
@@ -7,6 +7,16 @@ import { SanitizedCollectionConfig } from '../collections/config/types';
import { FileSizes, ImageSize } from './types';
import { PayloadRequest } from '../express/types';
+type Args = {
+ req: PayloadRequest,
+ file: Buffer,
+ dimensions: ProbedImageSize,
+ staticPath: string,
+ config: SanitizedCollectionConfig,
+ savedFilename: string,
+ mimeType: string,
+}
+
function getOutputImage(sourceImage: string, size: ImageSize) {
const extension = sourceImage.split('.').pop();
const name = sanitize(sourceImage.substr(0, sourceImage.lastIndexOf('.')) || sourceImage);
@@ -27,15 +37,15 @@ function getOutputImage(sourceImage: string, size: ImageSize) {
* @param mimeType
* @returns image sizes keyed to strings
*/
-export default async function resizeAndSave(
- req: PayloadRequest,
- file: Buffer,
- dimensions: ProbedImageSize,
- staticPath: string,
- config: SanitizedCollectionConfig,
- savedFilename: string,
- mimeType: string,
-): Promise<FileSizes> {
+export default async function resizeAndSave({
+ req,
+ file,
+ dimensions,
+ staticPath,
+ config,
+ savedFilename,
+ mimeType,
+}: Args): Promise<FileSizes> {
const { imageSizes, disableLocalStorage } = config.upload;
const sizes = imageSizes
|
9ecef40ee796f78e2f34c6a9a3fa52fdee8209ce
|
2023-10-05 02:02:14
|
Elliot DeNolf
|
chore(release): [email protected]
| false
|
chore
|
diff --git a/packages/bundler-vite/package.json b/packages/bundler-vite/package.json
index d8b0f2cf08c..0487767af11 100644
--- a/packages/bundler-vite/package.json
+++ b/packages/bundler-vite/package.json
@@ -1,6 +1,6 @@
{
"name": "@payloadcms/bundler-vite",
- "version": "0.1.0-beta.6",
+ "version": "0.1.0-beta.7",
"description": "The officially supported Vite bundler adapter for Payload",
"repository": "https://github.com/payloadcms/payload",
"license": "MIT",
|
|
8d14c213c878a1afda2b3bf03431fed5aa2a44e3
|
2023-11-08 19:01:01
|
Patrik
|
fix: resets list filter row when the filter on field is changed (#3956)
| false
|
resets list filter row when the filter on field is changed (#3956)
|
fix
|
diff --git a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Date/index.tsx b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Date/index.tsx
index 4c3a18eb6cb..898bf266c6b 100644
--- a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Date/index.tsx
+++ b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Date/index.tsx
@@ -6,9 +6,9 @@ import DatePicker from '../../../DatePicker'
const baseClass = 'condition-value-date'
-const DateField: React.FC<Props> = ({ onChange, value }) => (
+const DateField: React.FC<Props> = ({ disabled, onChange, value }) => (
<div className={baseClass}>
- <DatePicker onChange={onChange} value={value} />
+ <DatePicker onChange={onChange} readOnly={disabled} value={value} />
</div>
)
diff --git a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Date/types.ts b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Date/types.ts
index 1de77362604..ffd31f406f8 100644
--- a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Date/types.ts
+++ b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Date/types.ts
@@ -1,4 +1,5 @@
export type Props = {
+ disabled?: boolean
onChange: () => void
value: Date
}
diff --git a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Number/index.tsx b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Number/index.tsx
index c81baf63543..c2c37020e64 100644
--- a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Number/index.tsx
+++ b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Number/index.tsx
@@ -7,11 +7,12 @@ import './index.scss'
const baseClass = 'condition-value-number'
-const NumberField: React.FC<Props> = ({ onChange, value }) => {
+const NumberField: React.FC<Props> = ({ disabled, onChange, value }) => {
const { t } = useTranslation('general')
return (
<input
className={baseClass}
+ disabled={disabled}
onChange={(e) => onChange(e.target.value)}
placeholder={t('enterAValue')}
type="number"
diff --git a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Number/types.ts b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Number/types.ts
index ff6e5e78f91..c7571ee2e83 100644
--- a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Number/types.ts
+++ b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Number/types.ts
@@ -1,4 +1,5 @@
export type Props = {
+ disabled?: boolean
onChange: (e: string) => void
value: string
}
diff --git a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Relationship/index.tsx b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Relationship/index.tsx
index 77b14f5fd52..5113a0a28d0 100644
--- a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Relationship/index.tsx
+++ b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Relationship/index.tsx
@@ -16,7 +16,7 @@ const baseClass = 'condition-value-relationship'
const maxResultsPerRequest = 10
const RelationshipField: React.FC<Props> = (props) => {
- const { admin: { isSortable } = {}, hasMany, onChange, relationTo, value } = props
+ const { admin: { isSortable } = {}, disabled, hasMany, onChange, relationTo, value } = props
const {
collections,
@@ -261,6 +261,7 @@ const RelationshipField: React.FC<Props> = (props) => {
<div className={classes}>
{!errorLoading && (
<ReactSelect
+ disabled={disabled}
isMulti={hasMany}
isSortable={isSortable}
onChange={(selected) => {
diff --git a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Relationship/types.ts b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Relationship/types.ts
index eabbbdef2d8..9a9c47aff98 100644
--- a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Relationship/types.ts
+++ b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Relationship/types.ts
@@ -5,6 +5,7 @@ import type { PaginatedDocs } from '../../../../../../database/types'
import type { RelationshipField } from '../../../../../../fields/config/types'
export type Props = {
+ disabled?: boolean
onChange: (val: unknown) => void
value: unknown
} & RelationshipField
diff --git a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Select/index.tsx b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Select/index.tsx
index e83afa38f7f..89069c26df1 100644
--- a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Select/index.tsx
+++ b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Select/index.tsx
@@ -20,6 +20,7 @@ const formatOptions = (options: Option[]): OptionObject[] =>
})
export const Select: React.FC<Props> = ({
+ disabled,
onChange,
operator,
options: optionsFromProps,
@@ -79,6 +80,7 @@ export const Select: React.FC<Props> = ({
return (
<ReactSelect
+ disabled={disabled}
isMulti={isMulti}
onChange={onSelect}
options={options.map((option) => ({ ...option, label: getTranslation(option.label, i18n) }))}
diff --git a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Select/types.ts b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Select/types.ts
index 9f10c4a5547..6a93d3274b2 100644
--- a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Select/types.ts
+++ b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Select/types.ts
@@ -2,6 +2,7 @@ import type { Option } from '../../../../../../fields/config/types'
import type { Operator } from '../../../../../../types'
export type Props = {
+ disabled?: boolean
onChange: (val: string) => void
operator: Operator
options: Option[]
diff --git a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Text/index.tsx b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Text/index.tsx
index 0fd3195f772..acf5352ec80 100644
--- a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Text/index.tsx
+++ b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Text/index.tsx
@@ -7,11 +7,12 @@ import './index.scss'
const baseClass = 'condition-value-text'
-const Text: React.FC<Props> = ({ onChange, value }) => {
+const Text: React.FC<Props> = ({ disabled, onChange, value }) => {
const { t } = useTranslation('general')
return (
<input
className={baseClass}
+ disabled={disabled}
onChange={(e) => onChange(e.target.value)}
placeholder={t('enterAValue')}
type="text"
diff --git a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Text/types.ts b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Text/types.ts
index ba61c3750c7..03cdc068709 100644
--- a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Text/types.ts
+++ b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/Text/types.ts
@@ -1,4 +1,5 @@
export type Props = {
+ disabled?: boolean
onChange: (val: string) => void
value: string
}
diff --git a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/index.tsx b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/index.tsx
index 8ec270cb9ee..6e088646bba 100644
--- a/packages/payload/src/admin/components/elements/WhereBuilder/Condition/index.tsx
+++ b/packages/payload/src/admin/components/elements/WhereBuilder/Condition/index.tsx
@@ -26,25 +26,29 @@ const baseClass = 'condition'
const Condition: React.FC<Props> = (props) => {
const { andIndex, dispatch, fields, orIndex, value } = props
- const fieldValue = Object.keys(value)[0]
- const operatorAndValue = value?.[fieldValue] ? Object.entries(value[fieldValue])[0] : undefined
+ const fieldName = Object.keys(value)[0]
+ const [activeField, setActiveField] = useState<FieldCondition>(() =>
+ fields.find((field) => fieldName === field.value),
+ )
- const operatorValue = operatorAndValue?.[0]
+ const operatorAndValue = value?.[fieldName] ? Object.entries(value[fieldName])[0] : undefined
const queryValue = operatorAndValue?.[1]
+ const operatorValue = operatorAndValue?.[0]
- const [activeField, setActiveField] = useState<FieldCondition>(() =>
- fields.find((field) => fieldValue === field.value),
- )
const [internalValue, setInternalValue] = useState(queryValue)
+ const [internalOperatorField, setInternalOperatorField] = useState(operatorValue)
+
const debouncedValue = useDebounce(internalValue, 300)
useEffect(() => {
- const newActiveField = fields.find((field) => fieldValue === field.value)
+ const newActiveField = fields.find(({ value: name }) => name === fieldName)
- if (newActiveField) {
+ if (newActiveField && newActiveField !== activeField) {
setActiveField(newActiveField)
+ setInternalOperatorField(null)
+ setInternalValue('')
}
- }, [fieldValue, fields])
+ }, [fieldName, fields, activeField])
useEffect(() => {
dispatch({
@@ -73,21 +77,23 @@ const Condition: React.FC<Props> = (props) => {
<div className={`${baseClass}__inputs`}>
<div className={`${baseClass}__field`}>
<ReactSelect
- onChange={(field) =>
+ isClearable={false}
+ onChange={(field) => {
dispatch({
- andIndex,
- field: field?.value || undefined,
- orIndex,
+ andIndex: andIndex,
+ field: field?.value,
+ orIndex: orIndex,
type: 'update',
})
- }
+ }}
options={fields}
- value={fields.find((field) => fieldValue === field.value)}
+ value={fields.find((field) => fieldName === field.value)}
/>
</div>
<div className={`${baseClass}__operator`}>
<ReactSelect
- disabled={!fieldValue}
+ disabled={!fieldName}
+ isClearable={false}
onChange={(operator) => {
dispatch({
andIndex,
@@ -95,9 +101,14 @@ const Condition: React.FC<Props> = (props) => {
orIndex,
type: 'update',
})
+ setInternalOperatorField(operator.value)
}}
options={activeField.operators}
- value={activeField.operators.find((operator) => operatorValue === operator.value)}
+ value={
+ activeField.operators.find(
+ (operator) => internalOperatorField === operator.value,
+ ) || null
+ }
/>
</div>
<div className={`${baseClass}__value`}>
@@ -106,6 +117,7 @@ const Condition: React.FC<Props> = (props) => {
DefaultComponent={ValueComponent}
componentProps={{
...activeField?.props,
+ disabled: !operatorValue,
onChange: setInternalValue,
operator: operatorValue,
options: valueOptions,
diff --git a/packages/payload/src/admin/components/elements/WhereBuilder/reducer.ts b/packages/payload/src/admin/components/elements/WhereBuilder/reducer.ts
index 1c41a34148f..1e525dcf491 100644
--- a/packages/payload/src/admin/components/elements/WhereBuilder/reducer.ts
+++ b/packages/payload/src/admin/components/elements/WhereBuilder/reducer.ts
@@ -59,17 +59,17 @@ const reducer = (state: Where[], action: Action): Where[] => {
if (field) {
newState[orIndex].and[andIndex] = {
- [field]: {
- [Object.keys(existingCondition)[0]]: Object.values(existingCondition)[0],
- },
+ [field]: operator ? { [operator]: value } : {},
}
}
if (value !== undefined) {
newState[orIndex].and[andIndex] = {
- [existingFieldName]: {
- [Object.keys(existingCondition)[0]]: value,
- },
+ [existingFieldName]: Object.keys(existingCondition)[0]
+ ? {
+ [Object.keys(existingCondition)[0]]: value,
+ }
+ : {},
}
}
}
diff --git a/test/admin/e2e.spec.ts b/test/admin/e2e.spec.ts
index d5d352aa1cb..e6fa8e2e651 100644
--- a/test/admin/e2e.spec.ts
+++ b/test/admin/e2e.spec.ts
@@ -647,6 +647,38 @@ describe('admin', () => {
await expect(page.locator(tableRowLocator)).toHaveCount(2)
})
+ test('resets filter value and operator on field update', async () => {
+ const { id } = await createPost({ title: 'post1' })
+ await createPost({ title: 'post2' })
+
+ // open the column controls
+ await page.locator('.list-controls__toggle-columns').click()
+ await page.locator('.list-controls__toggle-where').click()
+ await page.waitForSelector('.list-controls__where.rah-static--height-auto')
+ await page.locator('.where-builder__add-first-filter').click()
+
+ const operatorField = page.locator('.condition__operator')
+ await operatorField.click()
+
+ const dropdownOperatorOptions = operatorField.locator('.rs__option')
+ await dropdownOperatorOptions.locator('text=equals').click()
+
+ // execute filter (where ID equals id value)
+ const valueField = page.locator('.condition__value > input')
+ await valueField.fill(id)
+
+ const filterField = page.locator('.condition__field')
+ await filterField.click()
+
+ // select new filter field of Number
+ const dropdownFieldOptions = filterField.locator('.rs__option')
+ await dropdownFieldOptions.locator('text=Number').click()
+
+ // expect operator & value field to reset (be empty)
+ await expect(operatorField.locator('.rs__placeholder')).toContainText('Select a value')
+ await expect(valueField).toHaveValue('')
+ })
+
test('should accept where query from valid URL where parameter', async () => {
await createPost({ title: 'post1' })
await createPost({ title: 'post2' })
|
071462b33beb4a38d703b88b203e63aa6bd2097e
|
2023-02-03 22:18:03
|
James
|
chore(release): v1.6.4
| false
|
v1.6.4
|
chore
|
diff --git a/CHANGELOG.md b/CHANGELOG.md
index 8ee816ded01..0dbbc3ee067 100644
--- a/CHANGELOG.md
+++ b/CHANGELOG.md
@@ -1,5 +1,17 @@
+## [1.6.4](https://github.com/payloadcms/payload/compare/v1.6.3...v1.6.4) (2023-02-03)
+
+
+### Bug Fixes
+
+* only hoists localized values if localization is enabled ([8c65f6a](https://github.com/payloadcms/payload/commit/8c65f6a93836d80fb22724454f5efb49e11763ad))
+
+
+### Features
+
+* support large file uploads ([#1981](https://github.com/payloadcms/payload/issues/1981)) ([12ed655](https://github.com/payloadcms/payload/commit/12ed65588131c6db5252a1302a7dd82f0a10bd2e))
+
## [1.6.3](https://github.com/payloadcms/payload/compare/v1.6.2...v1.6.3) (2023-02-01)
diff --git a/package.json b/package.json
index 50c65a8c260..355afa8df42 100644
--- a/package.json
+++ b/package.json
@@ -1,6 +1,6 @@
{
"name": "payload",
- "version": "1.6.3",
+ "version": "1.6.4",
"description": "Node, React and MongoDB Headless CMS and Application Framework",
"license": "MIT",
"engines": {
|
eb2f7631f76e01d4bfe1d939e9a3d3cc030690cb
|
2024-07-02 22:18:21
|
Ritsu
|
feat: allow users/plugins to modify and extend generated types for fields & config, add generated types for json field (#6984)
| false
|
allow users/plugins to modify and extend generated types for fields & config, add generated types for json field (#6984)
|
feat
|
diff --git a/docs/fields/array.mdx b/docs/fields/array.mdx
index 62dd88016f6..913ec982031 100644
--- a/docs/fields/array.mdx
+++ b/docs/fields/array.mdx
@@ -26,26 +26,27 @@ keywords: array, fields, config, configuration, documentation, Content Managemen
## Config
-| Option | Description |
-| ------------------- | ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
-| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
-| **`label`** | Text used as the heading in the Admin panel or an object with keys for each language. Auto-generated from name if not defined. |
-| **`fields`** \* | Array of field types to correspond to each row of the Array. |
-| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
-| **`minRows`** | A number for the fewest allowed items during validation when a value is present. |
-| **`maxRows`** | A number for the most allowed items during validation when a value is present. |
-| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
-| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
-| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
-| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
-| **`defaultValue`** | Provide an array of row data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
-| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. If enabled, a separate, localized set of all data within this Array will be kept, so there is no need to specify each nested field as `localized`. |
-| **`required`** | Require this field to have a value. |
-| **`labels`** | Customize the row labels appearing in the Admin dashboard. |
-| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
-| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
-| **`interfaceName`** | Create a top level, reusable [Typescript interface](/docs/typescript/generating-types#custom-field-interfaces) & [GraphQL type](/docs/graphql/graphql-schema#custom-field-schemas). |
-| **`dbName`** | Custom table name for the field when using SQL database adapter ([Postgres](/docs/database/postgres)). Auto-generated from name if not defined. |
+| Option | Description |
+| ---------------------- | ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
+| **`label`** | Text used as the heading in the Admin panel or an object with keys for each language. Auto-generated from name if not defined. |
+| **`fields`** \* | Array of field types to correspond to each row of the Array. |
+| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
+| **`minRows`** | A number for the fewest allowed items during validation when a value is present. |
+| **`maxRows`** | A number for the most allowed items during validation when a value is present. |
+| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
+| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
+| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
+| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
+| **`defaultValue`** | Provide an array of row data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
+| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. If enabled, a separate, localized set of all data within this Array will be kept, so there is no need to specify each nested field as `localized`. |
+| **`required`** | Require this field to have a value. |
+| **`labels`** | Customize the row labels appearing in the Admin dashboard. |
+| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
+| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| **`interfaceName`** | Create a top level, reusable [Typescript interface](/docs/typescript/generating-types#custom-field-interfaces) & [GraphQL type](/docs/graphql/graphql-schema#custom-field-schemas). |
+| **`dbName`** | Custom table name for the field when using SQL database adapter ([Postgres](/docs/database/postgres)). Auto-generated from name if not defined. |
+| **`typescriptSchema`** | Override field type generation with providing a JSON schema |
_\* An asterisk denotes that a property is required._
diff --git a/docs/fields/blocks.mdx b/docs/fields/blocks.mdx
index 10094fbc633..ab0799d61db 100644
--- a/docs/fields/blocks.mdx
+++ b/docs/fields/blocks.mdx
@@ -28,24 +28,25 @@ keywords: blocks, fields, config, configuration, documentation, Content Manageme
## Field config
-| Option | Description |
-| ------------------ | ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
-| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
-| **`label`** | Text used as the heading in the Admin panel or an object with keys for each language. Auto-generated from name if not defined. |
-| **`blocks`** \* | Array of [block configs](/docs/fields/blocks#block-configs) to be made available to this field. |
-| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
-| **`minRows`** | A number for the fewest allowed items during validation when a value is present. |
-| **`maxRows`** | A number for the most allowed items during validation when a value is present. |
-| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
-| **`hooks`** | Provide field-level hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
-| **`access`** | Provide field-level access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
-| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API response or the Admin panel. |
-| **`defaultValue`** | Provide an array of block data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
-| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. If enabled, a separate, localized set of all data within this field will be kept, so there is no need to specify each nested field as `localized`. |
-| **`unique`** | Enforce that each entry in the Collection has a unique value for this field. |
-| **`labels`** | Customize the block row labels appearing in the Admin dashboard. |
-| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
-| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| Option | Description |
+| ---------------------- | ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
+| **`label`** | Text used as the heading in the Admin panel or an object with keys for each language. Auto-generated from name if not defined. |
+| **`blocks`** \* | Array of [block configs](/docs/fields/blocks#block-configs) to be made available to this field. |
+| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
+| **`minRows`** | A number for the fewest allowed items during validation when a value is present. |
+| **`maxRows`** | A number for the most allowed items during validation when a value is present. |
+| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
+| **`hooks`** | Provide field-level hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
+| **`access`** | Provide field-level access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
+| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API response or the Admin panel. |
+| **`defaultValue`** | Provide an array of block data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
+| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. If enabled, a separate, localized set of all data within this field will be kept, so there is no need to specify each nested field as `localized`. |
+| **`unique`** | Enforce that each entry in the Collection has a unique value for this field. |
+| **`labels`** | Customize the block row labels appearing in the Admin dashboard. |
+| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
+| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| **`typescriptSchema`** | Override field type generation with providing a JSON schema |
_\* An asterisk denotes that a property is required._
diff --git a/docs/fields/checkbox.mdx b/docs/fields/checkbox.mdx
index b9327c1ec93..13fe541182b 100644
--- a/docs/fields/checkbox.mdx
+++ b/docs/fields/checkbox.mdx
@@ -17,21 +17,22 @@ keywords: checkbox, fields, config, configuration, documentation, Content Manage
## Config
-| Option | Description |
-| ------------------ | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
-| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
-| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
-| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
-| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
-| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
-| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
-| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
-| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
-| **`defaultValue`** | Provide data to be used for this field's default value, will default to false if field is also `required`. [More](/docs/fields/overview#default-values) |
-| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
-| **`required`** | Require this field to have a value. |
-| **`admin`** | Admin-specific configuration. See the [default field admin config](/docs/fields/overview#admin-config) for more details. |
-| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| Option | Description |
+| ---------------------- | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
+| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
+| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
+| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
+| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
+| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
+| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
+| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
+| **`defaultValue`** | Provide data to be used for this field's default value, will default to false if field is also `required`. [More](/docs/fields/overview#default-values) |
+| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
+| **`required`** | Require this field to have a value. |
+| **`admin`** | Admin-specific configuration. See the [default field admin config](/docs/fields/overview#admin-config) for more details. |
+| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| **`typescriptSchema`** | Override field type generation with providing a JSON schema |
_\* An asterisk denotes that a property is required._
diff --git a/docs/fields/code.mdx b/docs/fields/code.mdx
index 7f094684799..7b09c1ebcb7 100644
--- a/docs/fields/code.mdx
+++ b/docs/fields/code.mdx
@@ -23,24 +23,25 @@ This field uses the `monaco-react` editor syntax highlighting.
## Config
-| Option | Description |
-| ------------------ | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
-| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
-| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
-| **`unique`** | Enforce that each entry in the Collection has a unique value for this field. |
-| **`index`** | Build an [index](/docs/database#overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
-| **`minLength`** | Used by the default validation function to ensure values are of a minimum character length. |
-| **`maxLength`** | Used by the default validation function to ensure values are of a maximum character length. |
-| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
-| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
-| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
-| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
-| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
-| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
-| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
-| **`required`** | Require this field to have a value. |
-| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
-| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| Option | Description |
+| ---------------------- | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
+| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
+| **`unique`** | Enforce that each entry in the Collection has a unique value for this field. |
+| **`index`** | Build an [index](/docs/database#overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
+| **`minLength`** | Used by the default validation function to ensure values are of a minimum character length. |
+| **`maxLength`** | Used by the default validation function to ensure values are of a maximum character length. |
+| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
+| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
+| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
+| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
+| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
+| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
+| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
+| **`required`** | Require this field to have a value. |
+| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
+| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| **`typescriptSchema`** | Override field type generation with providing a JSON schema |
_\* An asterisk denotes that a property is required._
diff --git a/docs/fields/date.mdx b/docs/fields/date.mdx
index 8e530b22785..2877ce4ee0e 100644
--- a/docs/fields/date.mdx
+++ b/docs/fields/date.mdx
@@ -22,21 +22,22 @@ This field uses [`react-datepicker`](https://www.npmjs.com/package/react-datepic
## Config
-| Option | Description |
-| ------------------ | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
-| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
-| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
-| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
-| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
-| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
-| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
-| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
-| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
-| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
-| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
-| **`required`** | Require this field to have a value. |
-| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
-| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| Option | Description |
+| ---------------------- | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
+| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
+| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
+| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
+| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
+| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
+| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
+| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
+| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
+| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
+| **`required`** | Require this field to have a value. |
+| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
+| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| **`typescriptSchema`** | Override field type generation with providing a JSON schema |
_\* An asterisk denotes that a property is required._
diff --git a/docs/fields/email.mdx b/docs/fields/email.mdx
index f4bcfa12e6f..31c62351138 100644
--- a/docs/fields/email.mdx
+++ b/docs/fields/email.mdx
@@ -17,22 +17,23 @@ keywords: email, fields, config, configuration, documentation, Content Managemen
## Config
-| Option | Description |
-| ------------------ | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
-| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
-| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
-| **`unique`** | Enforce that each entry in the Collection has a unique value for this field. |
-| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
-| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
-| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
-| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
-| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
-| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
-| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
-| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
-| **`required`** | Require this field to have a value. |
-| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
-| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| Option | Description |
+| ---------------------- | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
+| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
+| **`unique`** | Enforce that each entry in the Collection has a unique value for this field. |
+| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
+| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
+| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
+| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
+| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
+| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
+| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
+| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
+| **`required`** | Require this field to have a value. |
+| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
+| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| **`typescriptSchema`** | Override field type generation with providing a JSON schema |
_\* An asterisk denotes that a property is required._
diff --git a/docs/fields/group.mdx b/docs/fields/group.mdx
index f72f38e4419..ada1449b175 100644
--- a/docs/fields/group.mdx
+++ b/docs/fields/group.mdx
@@ -20,21 +20,22 @@ keywords: group, fields, config, configuration, documentation, Content Managemen
## Config
-| Option | Description |
-| ------------------- | ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
-| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
-| **`fields`** \* | Array of field types to nest within this Group. |
-| **`label`** | Used as a heading in the Admin panel and to name the generated GraphQL type. |
-| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
-| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
-| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
-| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
-| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
-| **`defaultValue`** | Provide an object of data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
-| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. If enabled, a separate, localized set of all data within this Group will be kept, so there is no need to specify each nested field as `localized`. |
-| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
-| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
-| **`interfaceName`** | Create a top level, reusable [Typescript interface](/docs/typescript/generating-types#custom-field-interfaces) & [GraphQL type](/docs/graphql/graphql-schema#custom-field-schemas). |
+| Option | Description |
+| ---------------------- | ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
+| **`fields`** \* | Array of field types to nest within this Group. |
+| **`label`** | Used as a heading in the Admin panel and to name the generated GraphQL type. |
+| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
+| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
+| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
+| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
+| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
+| **`defaultValue`** | Provide an object of data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
+| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. If enabled, a separate, localized set of all data within this Group will be kept, so there is no need to specify each nested field as `localized`. |
+| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
+| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| **`interfaceName`** | Create a top level, reusable [Typescript interface](/docs/typescript/generating-types#custom-field-interfaces) & [GraphQL type](/docs/graphql/graphql-schema#custom-field-schemas). |
+| **`typescriptSchema`** | Override field type generation with providing a JSON schema |
_\* An asterisk denotes that a property is required._
diff --git a/docs/fields/json.mdx b/docs/fields/json.mdx
index b90c63f560a..837db23a331 100644
--- a/docs/fields/json.mdx
+++ b/docs/fields/json.mdx
@@ -23,23 +23,24 @@ This field uses the `monaco-react` editor syntax highlighting.
## Config
-| Option | Description |
-| ------------------ | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
-| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
-| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
-| **`unique`** | Enforce that each entry in the Collection has a unique value for this field. |
-| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
-| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
-| **`jsonSchema`** | Provide a JSON schema that will be used for validation. [JSON schemas](https://json-schema.org/learn/getting-started-step-by-step)
-| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
-| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
-| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
-| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
-| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
-| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
-| **`required`** | Require this field to have a value. |
-| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
-| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| Option | Description |
+| ---------------------- | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
+| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
+| **`unique`** | Enforce that each entry in the Collection has a unique value for this field. |
+| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
+| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
+| **`jsonSchema`** | Provide a JSON schema that will be used for validation. [JSON schemas](https://json-schema.org/learn/getting-started-step-by-step) |
+| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
+| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
+| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
+| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
+| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
+| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
+| **`required`** | Require this field to have a value. |
+| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
+| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| **`typescriptSchema`** | Override field type generation with providing a JSON schema |
_\* An asterisk denotes that a property is required._
diff --git a/docs/fields/number.mdx b/docs/fields/number.mdx
index 067b6bfa6dd..67addaea73a 100644
--- a/docs/fields/number.mdx
+++ b/docs/fields/number.mdx
@@ -20,27 +20,28 @@ keywords: number, fields, config, configuration, documentation, Content Manageme
## Config
-| Option | Description |
-|--------------------|--------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------|
-| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
-| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
-| **`min`** | Minimum value accepted. Used in the default `validation` function. |
-| **`max`** | Maximum value accepted. Used in the default `validation` function. |
-| **`hasMany`** | Makes this field an ordered array of numbers instead of just a single number. |
-| **`minRows`** | Minimum number of numbers in the numbers array, if `hasMany` is set to true. |
-| **`maxRows`** | Maximum number of numbers in the numbers array, if `hasMany` is set to true. |
-| **`unique`** | Enforce that each entry in the Collection has a unique value for this field. |
-| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
-| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
-| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
-| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
-| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
-| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
-| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
-| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
-| **`required`** | Require this field to have a value. |
-| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
-| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| Option | Description |
+| ---------------------- | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
+| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
+| **`min`** | Minimum value accepted. Used in the default `validation` function. |
+| **`max`** | Maximum value accepted. Used in the default `validation` function. |
+| **`hasMany`** | Makes this field an ordered array of numbers instead of just a single number. |
+| **`minRows`** | Minimum number of numbers in the numbers array, if `hasMany` is set to true. |
+| **`maxRows`** | Maximum number of numbers in the numbers array, if `hasMany` is set to true. |
+| **`unique`** | Enforce that each entry in the Collection has a unique value for this field. |
+| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
+| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
+| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
+| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
+| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
+| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
+| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
+| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
+| **`required`** | Require this field to have a value. |
+| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
+| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| **`typescriptSchema`** | Override field type generation with providing a JSON schema |
_\* An asterisk denotes that a property is required._
diff --git a/docs/fields/point.mdx b/docs/fields/point.mdx
index c42e7f781eb..b81b5ffc86e 100644
--- a/docs/fields/point.mdx
+++ b/docs/fields/point.mdx
@@ -27,22 +27,23 @@ The data structure in the database matches the GeoJSON structure to represent po
## Config
-| Option | Description |
-| ------------------ | ----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
-| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
-| **`label`** | Used as a field label in the Admin panel and to name the generated GraphQL type. |
-| **`unique`** | Enforce that each entry in the Collection has a unique value for this field. |
-| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. To support location queries, point index defaults to `2dsphere`, to disable the index set to `false`. |
-| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
-| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
-| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
-| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
-| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
-| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
-| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
-| **`required`** | Require this field to have a value. |
-| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
-| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| Option | Description |
+| ---------------------- | ----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
+| **`label`** | Used as a field label in the Admin panel and to name the generated GraphQL type. |
+| **`unique`** | Enforce that each entry in the Collection has a unique value for this field. |
+| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. To support location queries, point index defaults to `2dsphere`, to disable the index set to `false`. |
+| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
+| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
+| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
+| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
+| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
+| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
+| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
+| **`required`** | Require this field to have a value. |
+| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
+| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| **`typescriptSchema`** | Override field type generation with providing a JSON schema |
_\* An asterisk denotes that a property is required._
diff --git a/docs/fields/radio.mdx b/docs/fields/radio.mdx
index 62fdd84810d..453c1d91152 100644
--- a/docs/fields/radio.mdx
+++ b/docs/fields/radio.mdx
@@ -20,23 +20,24 @@ keywords: radio, fields, config, configuration, documentation, Content Managemen
## Config
-| Option | Description |
-| ------------------ | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
-| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
-| **`options`** \* | Array of options to allow the field to store. Can either be an array of strings, or an array of objects containing an `label` string and a `value` string. |
-| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
-| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
-| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
-| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
-| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
-| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
-| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
-| **`defaultValue`** | Provide data to be used for this field's default value. The default value must exist within provided values in `options`. [More](/docs/fields/overview#default-values) |
-| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
-| **`required`** | Require this field to have a value. |
-| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
-| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
-| **`enumName`** | Custom enum name for this field when using SQL database adapter ([Postgres](/docs/database/postgres)). Auto-generated from name if not defined.
+| Option | Description |
+| ---------------------- | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
+| **`options`** \* | Array of options to allow the field to store. Can either be an array of strings, or an array of objects containing an `label` string and a `value` string. |
+| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
+| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
+| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
+| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
+| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
+| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
+| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
+| **`defaultValue`** | Provide data to be used for this field's default value. The default value must exist within provided values in `options`. [More](/docs/fields/overview#default-values) |
+| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
+| **`required`** | Require this field to have a value. |
+| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
+| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| **`enumName`** | Custom enum name for this field when using SQL database adapter ([Postgres](/docs/database/postgres)). Auto-generated from name if not defined. |
+| **`typescriptSchema`** | Override field type generation with providing a JSON schema |
_\* An asterisk denotes that a property is required._
diff --git a/docs/fields/relationship.mdx b/docs/fields/relationship.mdx
index 4176f665b81..b00247f1e5b 100644
--- a/docs/fields/relationship.mdx
+++ b/docs/fields/relationship.mdx
@@ -26,28 +26,29 @@ keywords: relationship, fields, config, configuration, documentation, Content Ma
## Config
-| Option | Description |
-|---------------------|--------------------------------------------------------------------------------------------------------------------------------------------------------------------------------|
-| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
-| **`relationTo`** \* | Provide one or many collection `slug`s to be able to assign relationships to. |
-| **`filterOptions`** | A query to filter which options appear in the UI and validate against. [More](#filtering-relationship-options). |
-| **`hasMany`** | Boolean when, if set to `true`, allows this field to have many relations instead of only one. |
-| **`minRows`** | A number for the fewest allowed items during validation when a value is present. Used with `hasMany`. |
-| **`maxRows`** | A number for the most allowed items during validation when a value is present. Used with `hasMany`. |
-| **`maxDepth`** | Sets a maximum population depth for this field, regardless of the remaining depth when this field is reached. [Max Depth](/docs/getting-started/concepts#field-level-max-depth) |
-| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
-| **`unique`** | Enforce that each entry in the Collection has a unique value for this field. |
-| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
-| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
-| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
-| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
-| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
-| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
-| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
-| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
-| **`required`** | Require this field to have a value. |
-| **`admin`** | Admin-specific configuration. See the [default field admin config](/docs/fields/overview#admin-config) for more details. |
-| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| Option | Description |
+| ---------------------- | ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
+| **`relationTo`** \* | Provide one or many collection `slug`s to be able to assign relationships to. |
+| **`filterOptions`** | A query to filter which options appear in the UI and validate against. [More](#filtering-relationship-options). |
+| **`hasMany`** | Boolean when, if set to `true`, allows this field to have many relations instead of only one. |
+| **`minRows`** | A number for the fewest allowed items during validation when a value is present. Used with `hasMany`. |
+| **`maxRows`** | A number for the most allowed items during validation when a value is present. Used with `hasMany`. |
+| **`maxDepth`** | Sets a maximum population depth for this field, regardless of the remaining depth when this field is reached. [Max Depth](/docs/getting-started/concepts#field-level-max-depth) |
+| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
+| **`unique`** | Enforce that each entry in the Collection has a unique value for this field. |
+| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
+| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
+| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
+| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
+| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
+| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
+| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
+| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
+| **`required`** | Require this field to have a value. |
+| **`admin`** | Admin-specific configuration. See the [default field admin config](/docs/fields/overview#admin-config) for more details. |
+| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| **`typescriptSchema`** | Override field type generation with providing a JSON schema |
_\* An asterisk denotes that a property is required._
diff --git a/docs/fields/rich-text.mdx b/docs/fields/rich-text.mdx
index 6f6a28d9df9..e814a10c2c1 100644
--- a/docs/fields/rich-text.mdx
+++ b/docs/fields/rich-text.mdx
@@ -41,21 +41,22 @@ Right now, Payload is officially supporting two rich text editors:
## Config
-| Option | Description |
-| ------------------ | ------------------------------------------------------------------------------------------------------------------------------------------------------- |
-| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
-| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
-| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
-| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
-| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
-| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
-| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
-| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
-| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
-| **`required`** | Require this field to have a value. |
-| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
-| **`editor`** | Override the rich text editor specified in your base configuration for this field. |
-| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| Option | Description |
+| ---------------------- | ------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
+| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
+| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
+| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
+| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
+| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
+| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
+| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
+| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
+| **`required`** | Require this field to have a value. |
+| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
+| **`editor`** | Override the rich text editor specified in your base configuration for this field. |
+| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| **`typescriptSchema`** | Override field type generation with providing a JSON schema |
_\* An asterisk denotes that a property is required._
diff --git a/docs/fields/select.mdx b/docs/fields/select.mdx
index 676d76dd315..8da11850b83 100644
--- a/docs/fields/select.mdx
+++ b/docs/fields/select.mdx
@@ -20,26 +20,27 @@ keywords: select, multi-select, fields, config, configuration, documentation, Co
## Config
-| Option | Description |
-| ------------------ | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
-| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
-| **`options`** \* | Array of options to allow the field to store. Can either be an array of strings, or an array of objects containing a `label` string and a `value` string. |
-| **`hasMany`** | Boolean when, if set to `true`, allows this field to have many selections instead of only one. |
-| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
-| **`unique`** | Enforce that each entry in the Collection has a unique value for this field. |
-| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
-| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
-| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
-| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
-| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
-| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
-| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
-| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
-| **`required`** | Require this field to have a value. |
-| **`admin`** | Admin-specific configuration. See the [default field admin config](/docs/fields/overview#admin-config) for more details. |
-| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
-| **`enumName`** | Custom enum name for this field when using SQL database adapter ([Postgres](/docs/database/postgres)). Auto-generated from name if not defined. |
-| **`dbName`** | Custom table name (if `hasMany` set to `true`) for this field when using SQL database adapter ([Postgres](/docs/database/postgres)). Auto-generated from name if not defined. |
+| Option | Description |
+| ---------------------- | ----------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
+| **`options`** \* | Array of options to allow the field to store. Can either be an array of strings, or an array of objects containing a `label` string and a `value` string. |
+| **`hasMany`** | Boolean when, if set to `true`, allows this field to have many selections instead of only one. |
+| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
+| **`unique`** | Enforce that each entry in the Collection has a unique value for this field. |
+| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
+| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
+| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
+| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
+| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
+| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
+| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
+| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
+| **`required`** | Require this field to have a value. |
+| **`admin`** | Admin-specific configuration. See the [default field admin config](/docs/fields/overview#admin-config) for more details. |
+| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| **`enumName`** | Custom enum name for this field when using SQL database adapter ([Postgres](/docs/database/postgres)). Auto-generated from name if not defined. |
+| **`dbName`** | Custom table name (if `hasMany` set to `true`) for this field when using SQL database adapter ([Postgres](/docs/database/postgres)). Auto-generated from name if not defined. |
+| **`typescriptSchema`** | Override field type generation with providing a JSON schema |
_\* An asterisk denotes that a property is required._
diff --git a/docs/fields/text.mdx b/docs/fields/text.mdx
index 47f33b1333c..2272a9c1621 100644
--- a/docs/fields/text.mdx
+++ b/docs/fields/text.mdx
@@ -20,27 +20,28 @@ keywords: text, fields, config, configuration, documentation, Content Management
## Config
-| Option | Description |
-| ------------------ | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
-| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
-| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
-| **`unique`** | Enforce that each entry in the Collection has a unique value for this field. |
-| **`minLength`** | Used by the default validation function to ensure values are of a minimum character length. |
-| **`maxLength`** | Used by the default validation function to ensure values are of a maximum character length. |
-| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
-| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
-| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
-| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
-| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
-| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
-| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
-| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
-| **`required`** | Require this field to have a value. |
-| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
-| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
-| **`hasMany`** | Makes this field an ordered array of text instead of just a single text. |
-| **`minRows`** | Minimum number of texts in the array, if `hasMany` is set to true. |
-| **`maxRows`** | Maximum number of texts in the array, if `hasMany` is set to true. |
+| Option | Description |
+| ---------------------- | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
+| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
+| **`unique`** | Enforce that each entry in the Collection has a unique value for this field. |
+| **`minLength`** | Used by the default validation function to ensure values are of a minimum character length. |
+| **`maxLength`** | Used by the default validation function to ensure values are of a maximum character length. |
+| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
+| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
+| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
+| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
+| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
+| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
+| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
+| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
+| **`required`** | Require this field to have a value. |
+| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
+| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| **`hasMany`** | Makes this field an ordered array of text instead of just a single text. |
+| **`minRows`** | Minimum number of texts in the array, if `hasMany` is set to true. |
+| **`maxRows`** | Maximum number of texts in the array, if `hasMany` is set to true. |
+| **`typescriptSchema`** | Override field type generation with providing a JSON schema |
_\* An asterisk denotes that a property is required._
diff --git a/docs/fields/textarea.mdx b/docs/fields/textarea.mdx
index d2384f8eef9..8a0551631b8 100644
--- a/docs/fields/textarea.mdx
+++ b/docs/fields/textarea.mdx
@@ -20,24 +20,25 @@ keywords: textarea, fields, config, configuration, documentation, Content Manage
## Config
-| Option | Description |
-| ------------------ | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
-| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
-| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
-| **`unique`** | Enforce that each entry in the Collection has a unique value for this field. |
-| **`minLength`** | Used by the default validation function to ensure values are of a minimum character length. |
-| **`maxLength`** | Used by the default validation function to ensure values are of a maximum character length. |
-| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
-| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
-| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
-| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
-| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
-| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
-| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
-| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
-| **`required`** | Require this field to have a value. |
-| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
-| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| Option | Description |
+| ---------------------- | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
+| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
+| **`unique`** | Enforce that each entry in the Collection has a unique value for this field. |
+| **`minLength`** | Used by the default validation function to ensure values are of a minimum character length. |
+| **`maxLength`** | Used by the default validation function to ensure values are of a maximum character length. |
+| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
+| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
+| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
+| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
+| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
+| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
+| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
+| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
+| **`required`** | Require this field to have a value. |
+| **`admin`** | Admin-specific configuration. See below for [more detail](#admin-config). |
+| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| **`typescriptSchema`** | Override field type generation with providing a JSON schema |
_\* An asterisk denotes that a property is required._
diff --git a/docs/fields/upload.mdx b/docs/fields/upload.mdx
index 468620f9e78..934131e653e 100644
--- a/docs/fields/upload.mdx
+++ b/docs/fields/upload.mdx
@@ -34,25 +34,26 @@ keywords: upload, images media, fields, config, configuration, documentation, Co
## Config
-| Option | Description |
-| -------------------- | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
-| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
-| **`*relationTo`** \* | Provide a single collection `slug` to allow this field to accept a relation to. <strong>Note: the related collection must be configured to support Uploads.</strong> |
-| **`filterOptions`** | A query to filter which options appear in the UI and validate against. [More](#filtering-upload-options). |
-| **`maxDepth`** | Sets a number limit on iterations of related documents to populate when queried. [Depth](/docs/getting-started/concepts#depth) |
-| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
-| **`unique`** | Enforce that each entry in the Collection has a unique value for this field. |
-| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
-| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
-| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
-| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
-| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
-| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
-| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
-| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
-| **`required`** | Require this field to have a value. |
-| **`admin`** | Admin-specific configuration. See the [default field admin config](/docs/fields/overview#admin-config) for more details. |
-| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| Option | Description |
+| ---------------------- | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
+| **`name`** \* | To be used as the property name when stored and retrieved from the database. [More](/docs/fields/overview#field-names) |
+| **`*relationTo`** \* | Provide a single collection `slug` to allow this field to accept a relation to. <strong>Note: the related collection must be configured to support Uploads.</strong> |
+| **`filterOptions`** | A query to filter which options appear in the UI and validate against. [More](#filtering-upload-options). |
+| **`maxDepth`** | Sets a number limit on iterations of related documents to populate when queried. [Depth](/docs/getting-started/concepts#depth) |
+| **`label`** | Text used as a field label in the Admin panel or an object with keys for each language. |
+| **`unique`** | Enforce that each entry in the Collection has a unique value for this field. |
+| **`validate`** | Provide a custom validation function that will be executed on both the Admin panel and the backend. [More](/docs/fields/overview#validation) |
+| **`index`** | Build an [index](/docs/database/overview) for this field to produce faster queries. Set this field to `true` if your users will perform queries on this field's data often. |
+| **`saveToJWT`** | If this field is top-level and nested in a config supporting [Authentication](/docs/authentication/config), include its data in the user JWT. |
+| **`hooks`** | Provide field-based hooks to control logic for this field. [More](/docs/fields/overview#field-level-hooks) |
+| **`access`** | Provide field-based access control to denote what users can see and do with this field's data. [More](/docs/fields/overview#field-level-access-control) |
+| **`hidden`** | Restrict this field's visibility from all APIs entirely. Will still be saved to the database, but will not appear in any API or the Admin panel. |
+| **`defaultValue`** | Provide data to be used for this field's default value. [More](/docs/fields/overview#default-values) |
+| **`localized`** | Enable localization for this field. Requires [localization to be enabled](/docs/configuration/localization) in the Base config. |
+| **`required`** | Require this field to have a value. |
+| **`admin`** | Admin-specific configuration. See the [default field admin config](/docs/fields/overview#admin-config) for more details. |
+| **`custom`** | Extension point for adding custom data (e.g. for plugins) |
+| **`typescriptSchema`** | Override field type generation with providing a JSON schema |
_\* An asterisk denotes that a property is required._
diff --git a/docs/typescript/generating-types.mdx b/docs/typescript/generating-types.mdx
index 8128314d446..be189544c9a 100644
--- a/docs/typescript/generating-types.mdx
+++ b/docs/typescript/generating-types.mdx
@@ -61,16 +61,55 @@ You can specify where you want your types to be generated by adding a property t
The above example places your types next to your Payload config itself as the file `generated-types.ts`.
+## Custom generated types
+
+Payload generates your types based on a JSON schema. You can extend that JSON schema, and thus the generated types, by passing a function to `typescript.schema`:
+
+```ts
+// payload.config.ts
+{
+ // ...
+ typescript: {
+ schema: [
+ ({ jsonSchema }) => {
+ // Modify the JSON schema here
+ jsonSchema.definitions.Test = {
+ type: 'object',
+ properties: {
+ title: { type: 'string' },
+ content: { type: 'string' },
+ },
+ required: ['title', 'content'],
+ }
+ return jsonSchema
+ },
+ ]
+ }
+}
+
+// This will generate the following type in your payload-types.ts:
+
+export interface Test {
+ title: string;
+ content: string;
+ [k: string]: unknown;
+}
+```
+
+This function takes the existing JSON schema as an argument and returns the modified JSON schema. It can be useful for plugins that wish to generate their own types.
+
## Example Usage
For example, let's look at the following simple Payload config:
```ts
+import type { Config } from 'payload'
+
const config: Config = {
serverURL: process.env.PAYLOAD_PUBLIC_SERVER_URL,
admin: {
user: 'users',
- }
+ },
collections: [
{
slug: 'users',
diff --git a/packages/payload/src/config/schema.ts b/packages/payload/src/config/schema.ts
index 1a6a99ec619..b26886f1a0d 100644
--- a/packages/payload/src/config/schema.ts
+++ b/packages/payload/src/config/schema.ts
@@ -204,6 +204,7 @@ export default joi.object({
autoGenerate: joi.boolean(),
declare: joi.alternatives().try(joi.boolean(), joi.object({ ignoreTSError: joi.boolean() })),
outputFile: joi.string(),
+ schema: joi.array().items(joi.func()),
}),
upload: joi.object(),
})
diff --git a/packages/payload/src/config/types.ts b/packages/payload/src/config/types.ts
index 348c4592e60..520c53bf242 100644
--- a/packages/payload/src/config/types.ts
+++ b/packages/payload/src/config/types.ts
@@ -6,6 +6,7 @@ import type {
} from '@payloadcms/translations'
import type { Options as ExpressFileUploadOptions } from 'express-fileupload'
import type GraphQL from 'graphql'
+import type { JSONSchema4 } from 'json-schema'
import type { DestinationStream, LoggerOptions } from 'pino'
import type React from 'react'
import type { JSX } from 'react'
@@ -744,6 +745,12 @@ export type Config = {
/** Filename to write the generated types to */
outputFile?: string
+
+ /**
+ * Allows you to modify the base JSON schema that is generated during generate:types. This JSON schema will be used
+ * to generate the TypeScript interfaces.
+ */
+ schema?: Array<(args: { jsonSchema: JSONSchema4 }) => JSONSchema4>
}
/**
* Customize the handling of incoming file uploads for collections that have uploads enabled.
diff --git a/packages/payload/src/fields/config/client.ts b/packages/payload/src/fields/config/client.ts
index 201e817b9de..16ba218ef58 100644
--- a/packages/payload/src/fields/config/client.ts
+++ b/packages/payload/src/fields/config/client.ts
@@ -8,6 +8,7 @@ export type ServerOnlyFieldProperties =
| 'editor' // This is a `richText` only property
| 'filterOptions' // This is a `relationship` and `upload` only property
| 'label'
+ | 'typescriptSchema'
| keyof Pick<FieldBase, 'access' | 'custom' | 'defaultValue' | 'hooks' | 'validate'>
export type ServerOnlyFieldAdminProperties = keyof Pick<
@@ -33,6 +34,7 @@ export const createClientFieldConfig = ({
'filterOptions', // This is a `relationship` and `upload` only property
'editor', // This is a `richText` only property
'custom',
+ 'typescriptSchema',
// `fields`
// `blocks`
// `tabs`
diff --git a/packages/payload/src/fields/config/schema.ts b/packages/payload/src/fields/config/schema.ts
index a64de83e754..28de1103ac4 100644
--- a/packages/payload/src/fields/config/schema.ts
+++ b/packages/payload/src/fields/config/schema.ts
@@ -65,6 +65,7 @@ export const baseField = joi
localized: joi.boolean().default(false),
required: joi.boolean().default(false),
saveToJWT: joi.alternatives().try(joi.boolean(), joi.string()).default(false),
+ typescriptSchema: joi.array().items(joi.func()),
unique: joi.boolean().default(false),
validate: joi.func(),
})
diff --git a/packages/payload/src/fields/config/types.ts b/packages/payload/src/fields/config/types.ts
index 2d6484f6219..bd27233733a 100644
--- a/packages/payload/src/fields/config/types.ts
+++ b/packages/payload/src/fields/config/types.ts
@@ -5,6 +5,7 @@ import type { CSSProperties } from 'react'
//eslint-disable-next-line @typescript-eslint/no-unused-vars
import monacoeditor from 'monaco-editor' // IMPORTANT - DO NOT REMOVE: This is required for pnpm's default isolated mode to work - even though the import is not used. This is due to a typescript bug: https://github.com/microsoft/TypeScript/issues/47663#issuecomment-1519138189. (tsbugisolatedmode)
+import type { JSONSchema4 } from 'json-schema'
import type React from 'react'
import type { RichTextAdapter, RichTextAdapterProvider } from '../../admin/RichText.js'
@@ -231,6 +232,11 @@ export interface FieldBase {
name: string
required?: boolean
saveToJWT?: boolean | string
+ /**
+ * Allows you to modify the base JSON schema that is generated during generate:types for this field.
+ * This JSON schema will be used to generate the TypeScript interface of this field.
+ */
+ typescriptSchema?: Array<(args: { jsonSchema: JSONSchema4 }) => JSONSchema4>
unique?: boolean
validate?: Validate
}
@@ -530,7 +536,11 @@ type JSONAdmin = Admin & {
export type JSONField = Omit<FieldBase, 'admin'> & {
admin?: JSONAdmin
- jsonSchema?: Record<string, unknown>
+ jsonSchema?: {
+ fileMatch: string[]
+ schema: JSONSchema4
+ uri: string
+ }
type: 'json'
}
diff --git a/packages/payload/src/utilities/configToJSONSchema.spec.ts b/packages/payload/src/utilities/configToJSONSchema.spec.ts
index ca000cb72a0..b8238c2c49f 100644
--- a/packages/payload/src/utilities/configToJSONSchema.spec.ts
+++ b/packages/payload/src/utilities/configToJSONSchema.spec.ts
@@ -2,6 +2,7 @@ import type { Config } from '../config/types.js'
import { sanitizeConfig } from '../config/sanitize.js'
import { configToJSONSchema } from './configToJSONSchema.js'
+import { JSONSchema4 } from 'json-schema'
describe('configToJSONSchema', () => {
it('should handle optional arrays with required fields', async () => {
@@ -146,4 +147,58 @@ describe('configToJSONSchema', () => {
type: 'object',
})
})
+
+ it('should handle custom typescript schema and JSON field schema', async () => {
+ const customSchema: JSONSchema4 = {
+ type: 'object',
+ properties: {
+ id: {
+ type: 'number',
+ },
+ required: ['id'],
+ },
+ }
+
+ const config: Partial<Config> = {
+ collections: [
+ {
+ fields: [
+ {
+ type: 'text',
+ name: 'withCustom',
+ typescriptSchema: [() => customSchema],
+ },
+ {
+ type: 'json',
+ name: 'jsonWithSchema',
+ jsonSchema: {
+ uri: 'a://b/foo.json',
+ fileMatch: ['a://b/foo.json'],
+ schema: customSchema,
+ },
+ },
+ ],
+ slug: 'test',
+ timestamps: false,
+ },
+ ],
+ }
+
+ const sanitizedConfig = await sanitizeConfig(config as Config)
+ const schema = configToJSONSchema(sanitizedConfig, 'text')
+
+ expect(schema?.definitions?.test).toStrictEqual({
+ additionalProperties: false,
+ properties: {
+ id: {
+ type: 'string',
+ },
+ withCustom: customSchema,
+ jsonWithSchema: customSchema,
+ },
+ required: ['id'],
+ title: 'Test',
+ type: 'object',
+ })
+ })
})
diff --git a/packages/payload/src/utilities/configToJSONSchema.ts b/packages/payload/src/utilities/configToJSONSchema.ts
index bc4ce71ef3d..b50b90e530d 100644
--- a/packages/payload/src/utilities/configToJSONSchema.ts
+++ b/packages/payload/src/utilities/configToJSONSchema.ts
@@ -152,6 +152,7 @@ export function fieldsToJSONSchema(
if (isRequired) requiredFieldNames.add(field.name)
let fieldSchema: JSONSchema4
+
switch (field.type) {
case 'text':
if (field.hasMany === true) {
@@ -189,7 +190,7 @@ export function fieldsToJSONSchema(
}
case 'json': {
- fieldSchema = {
+ fieldSchema = field.jsonSchema?.schema || {
type: ['object', 'array', 'string', 'number', 'boolean', 'null'],
}
break
@@ -516,6 +517,12 @@ export function fieldsToJSONSchema(
}
}
+ if ('typescriptSchema' in field && field?.typescriptSchema?.length) {
+ for (const schema of field.typescriptSchema) {
+ fieldSchema = schema({ jsonSchema: fieldSchema })
+ }
+ }
+
if (fieldSchema && fieldAffectsData(field)) {
fieldSchemas.set(field.name, fieldSchema)
}
@@ -694,7 +701,7 @@ export function configToJSONSchema(
{ auth: {} },
)
- return {
+ let jsonSchema: JSONSchema4 = {
additionalProperties: false,
definitions: {
...entityDefinitions,
@@ -713,4 +720,12 @@ export function configToJSONSchema(
required: ['user', 'locale', 'collections', 'globals', 'auth'],
title: 'Config',
}
+
+ if (config?.typescript?.schema?.length) {
+ for (const schema of config.typescript.schema) {
+ jsonSchema = schema({ jsonSchema })
+ }
+ }
+
+ return jsonSchema
}
diff --git a/test/_community/config.ts b/test/_community/config.ts
index b8c88793199..56ba6c06214 100644
--- a/test/_community/config.ts
+++ b/test/_community/config.ts
@@ -18,6 +18,61 @@ export default buildConfigWithDefaults({
cors: ['http://localhost:3000', 'http://localhost:3001'],
globals: [
MenuGlobal,
+ {
+ slug: 'custom-ts',
+ fields: [
+ {
+ name: 'custom',
+ type: 'text',
+ typescriptSchema: [
+ () => ({
+ enum: ['hello', 'world'],
+ }),
+ ],
+ },
+ {
+ name: 'withDefinitionsUsage',
+ type: 'text',
+ typescriptSchema: [
+ () => ({
+ type: 'array',
+ items: {
+ $ref: `#/definitions/objectWithNumber`,
+ },
+ }),
+ ],
+ },
+ {
+ name: 'json',
+ type: 'json',
+ required: true,
+ jsonSchema: {
+ uri: 'a://b/foo.json',
+ fileMatch: ['a://b/foo.json'],
+ schema: {
+ type: 'array',
+ items: {
+ type: 'object',
+ additionalProperties: false,
+ properties: {
+ id: {
+ type: 'string',
+ },
+ name: {
+ type: 'string',
+ },
+ age: {
+ type: 'integer',
+ },
+ // Add other properties here
+ },
+ required: ['id', 'name'], // Specify which properties are required
+ },
+ },
+ },
+ },
+ ],
+ },
// ...add more globals here
],
onInit: async (payload) => {
@@ -48,5 +103,21 @@ export default buildConfigWithDefaults({
},
typescript: {
outputFile: path.resolve(dirname, 'payload-types.ts'),
+ schema: [
+ ({ jsonSchema }) => {
+ jsonSchema.definitions.objectWithNumber = {
+ type: 'object',
+ properties: {
+ id: {
+ type: 'number',
+ required: true,
+ },
+ },
+ required: true,
+ additionalProperties: false,
+ }
+ return jsonSchema
+ },
+ ],
},
})
diff --git a/test/_community/payload-types.ts b/test/_community/payload-types.ts
index 081ba6b61d3..03aefb25adf 100644
--- a/test/_community/payload-types.ts
+++ b/test/_community/payload-types.ts
@@ -18,6 +18,7 @@ export interface Config {
};
globals: {
menu: Menu;
+ 'custom-ts': CustomT;
};
locale: null;
user: User & {
@@ -149,6 +150,6 @@ export interface Auth {
declare module 'payload' {
- // @ts-ignore
+ // @ts-ignore
export interface GeneratedTypes extends Config {}
-}
\ No newline at end of file
+}
|
216b9f88d988c692d6acdf920ee4dbb9903020ae
|
2022-11-14 05:44:16
|
Thomas Ghysels
|
fix: cursor jumping while typing in inputs
| false
|
cursor jumping while typing in inputs
|
fix
|
diff --git a/src/admin/components/forms/useField/index.tsx b/src/admin/components/forms/useField/index.tsx
index 5c735884171..2a662cfb0a2 100644
--- a/src/admin/components/forms/useField/index.tsx
+++ b/src/admin/components/forms/useField/index.tsx
@@ -1,4 +1,4 @@
-import { useCallback, useEffect, useMemo, useState } from 'react';
+import { useCallback, useMemo } from 'react';
import { useAuth } from '../../utilities/Auth';
import { useFormProcessing, useFormSubmitted, useFormModified, useForm, useFormFields } from '../Form/context';
import { Options, FieldType } from './types';
@@ -26,16 +26,11 @@ const useField = <T extends unknown>(options: Options): FieldType<T> => {
const { getData, getSiblingData, setModified } = useForm();
+ const value = field?.value as T;
const initialValue = field?.initialValue as T;
const valid = typeof field?.valid === 'boolean' ? field.valid : true;
const showError = valid === false && submitted;
- // We store internal value to ensure that components react immediately
- // to any value changes, therefore preventing "cursor jump" that can be seen
- // if a user types quickly in an input
- const [internalValue, setInternalValue] = useState<T>(() => field?.value as T);
- const [internalInitialValue, setInternalInitialValue] = useState<T>(() => field?.initialValue as T);
-
// Method to return from `useField`, used to
// update field values from field component(s)
const setValue = useCallback((e, disableModifyingForm = false) => {
@@ -43,12 +38,10 @@ const useField = <T extends unknown>(options: Options): FieldType<T> => {
if (!modified && !disableModifyingForm) {
if (typeof setModified === 'function') {
- setModified(true);
+ Promise.resolve(() => setModified(true))
}
}
- setInternalValue(val);
-
dispatchField({
type: 'UPDATE',
path,
@@ -68,12 +61,12 @@ const useField = <T extends unknown>(options: Options): FieldType<T> => {
const result = useMemo(() => ({
showError,
errorMessage: field?.errorMessage,
- value: internalValue,
+ value,
formSubmitted: submitted,
formProcessing: processing,
setValue,
initialValue,
- }), [field, processing, setValue, showError, submitted, internalValue, initialValue]);
+ }), [field, processing, setValue, showError, submitted, value, initialValue]);
// Throttle the validate function
useThrottledEffect(() => {
@@ -84,7 +77,7 @@ const useField = <T extends unknown>(options: Options): FieldType<T> => {
disableFormData,
validate,
condition,
- value: internalValue,
+ value,
valid: false,
errorMessage: undefined,
};
@@ -97,7 +90,7 @@ const useField = <T extends unknown>(options: Options): FieldType<T> => {
operation,
};
- const validationResult = typeof validate === 'function' ? await validate(internalValue, validateOptions) : true;
+ const validationResult = typeof validate === 'function' ? await validate(value, validateOptions) : true;
if (typeof validationResult === 'string') {
action.errorMessage = validationResult;
@@ -114,7 +107,7 @@ const useField = <T extends unknown>(options: Options): FieldType<T> => {
validateField();
}, 150, [
- internalValue,
+ value,
condition,
disableFormData,
dispatchField,
@@ -127,13 +120,6 @@ const useField = <T extends unknown>(options: Options): FieldType<T> => {
validate,
]);
- useEffect(() => {
- if (initialValue !== internalInitialValue) {
- setInternalValue(initialValue);
- setInternalInitialValue(initialValue);
- }
- }, [initialValue, internalInitialValue]);
-
return result;
};
|
38b84231508e2675f5297aa47b54d1d63bc9ba48
|
2023-01-04 23:53:46
|
James
|
chore(release): v1.5.1
| false
|
v1.5.1
|
chore
|
diff --git a/CHANGELOG.md b/CHANGELOG.md
index 16c3645b288..df375003534 100644
--- a/CHANGELOG.md
+++ b/CHANGELOG.md
@@ -1,5 +1,12 @@
+## [1.5.1](https://github.com/payloadcms/payload/compare/v1.5.0...v1.5.1) (2023-01-04)
+
+
+### Bug Fixes
+
+* reverts components directory back to ts ([1bbf099](https://github.com/payloadcms/payload/commit/1bbf099fe052e767512e111f8f2b778c1b9c59d9))
+
# [1.5.0](https://github.com/payloadcms/payload/compare/v1.4.2...v1.5.0) (2023-01-04)
diff --git a/package.json b/package.json
index 029c866bf84..121824eecf1 100644
--- a/package.json
+++ b/package.json
@@ -1,6 +1,6 @@
{
"name": "payload",
- "version": "1.5.0",
+ "version": "1.5.1",
"description": "Node, React and MongoDB Headless CMS and Application Framework",
"license": "MIT",
"engines": {
|
ca2acee38abd1479316d145aab989032a931658f
|
2024-04-05 21:23:19
|
Elliot DeNolf
|
chore(release): create-payload-app/v3.0.0-alpha.54 [skip ci]
| false
|
create-payload-app/v3.0.0-alpha.54 [skip ci]
|
chore
|
diff --git a/packages/create-payload-app/package.json b/packages/create-payload-app/package.json
index 2aeb725a70d..187108877bd 100644
--- a/packages/create-payload-app/package.json
+++ b/packages/create-payload-app/package.json
@@ -1,6 +1,6 @@
{
"name": "create-payload-app",
- "version": "3.0.0-alpha.50",
+ "version": "3.0.0-alpha.54",
"license": "MIT",
"type": "module",
"homepage": "https://payloadcms.com",
|
f264c8087a10270388bbc48af10754101eb860bf
|
2024-11-13 08:21:11
|
Elliot DeNolf
|
chore: add download/week to README
| false
|
add download/week to README
|
chore
|
diff --git a/README.md b/README.md
index 3d1e8a7199c..6c29eaf55d7 100644
--- a/README.md
+++ b/README.md
@@ -7,6 +7,8 @@
<a href="https://discord.gg/payload"><img alt="Discord" src="https://img.shields.io/discord/967097582721572934?label=Discord&color=7289da&style=flat-square" /></a>
+ <a href="https://www.npmjs.com/package/payload"><img alt="npm" src="https://img.shields.io/npm/dw/payload?style=flat-square" /></a>
+
<a href="https://www.npmjs.com/package/payload"><img alt="npm" src="https://img.shields.io/npm/v/payload?style=flat-square" /></a>
<a href="https://twitter.com/payloadcms"><img src="https://img.shields.io/badge/follow-payloadcms-1DA1F2?logo=twitter&style=flat-square" alt="Payload Twitter" /></a>
|
c3a357f893d5ae80dac60a599c040ceafa0f020b
|
2023-09-19 20:34:58
|
James
|
chore: merge
| false
|
merge
|
chore
|
diff --git a/packages/db-postgres/src/transform/read/traverseFields.ts b/packages/db-postgres/src/transform/read/traverseFields.ts
index fcd4ccea870..1cb6983e4d2 100644
--- a/packages/db-postgres/src/transform/read/traverseFields.ts
+++ b/packages/db-postgres/src/transform/read/traverseFields.ts
@@ -1,15 +1,9 @@
/* eslint-disable no-param-reassign */
import type { SanitizedConfig } from 'payload/config'
-<<<<<<< HEAD
import type { Field, TabAsField } from 'payload/types'
import { fieldAffectsData, tabHasName } from 'payload/types'
import toSnakeCase from 'to-snake-case'
-=======
-import type { Field } from 'payload/types'
-
-import { fieldAffectsData } from 'payload/types'
->>>>>>> 463a39e8223464012ef67564d46eae5a4cf83280
import type { BlocksMap } from '../../utilities/createBlocksMap'
@@ -211,18 +205,12 @@ export const traverseFields = <T extends Record<string, unknown>>({
const localizedFieldData = {}
const valuesToTransform: {
-<<<<<<< HEAD
ref: Record<string, unknown>
table: Record<string, unknown>
-=======
- localeRow: Record<string, unknown>
- ref: Record<string, unknown>
->>>>>>> 463a39e8223464012ef67564d46eae5a4cf83280
}[] = []
if (field.localized && Array.isArray(table._locales)) {
table._locales.forEach((localeRow) => {
-<<<<<<< HEAD
valuesToTransform.push({ ref: localizedFieldData, table: localeRow })
})
} else {
@@ -232,22 +220,10 @@ export const traverseFields = <T extends Record<string, unknown>>({
valuesToTransform.forEach(({ ref, table }) => {
const fieldData = table[field.name]
const locale = table?._locale
-=======
- valuesToTransform.push({ localeRow, ref: localizedFieldData })
- })
- } else {
- valuesToTransform.push({ localeRow: undefined, ref: result })
- }
-
- valuesToTransform.forEach(({ localeRow, ref }) => {
- const fieldData = localeRow?.[field.name] || ref[field.name]
- const locale = localeRow?._locale
->>>>>>> 463a39e8223464012ef67564d46eae5a4cf83280
switch (field.type) {
case 'tab':
case 'group': {
-<<<<<<< HEAD
// if (field.type === 'tab') {
// console.log('got one')
// }
@@ -269,25 +245,6 @@ export const traverseFields = <T extends Record<string, unknown>>({
const groupColumnPrefix = `${columnPrefix || ''}${toSnakeCase(field.name)}_`
const groupData = {}
-=======
- const groupData = {}
-
- field.fields.forEach((subField) => {
- if (fieldAffectsData(subField)) {
- const subFieldKey = `${sanitizedPath.replace(/\./g, '_')}${field.name}_${
- subField.name
- }`
-
- if (typeof locale === 'string') {
- if (!ref[locale]) ref[locale] = {}
- ref[locale][subField.name] = localeRow[subFieldKey]
- } else {
- groupData[subField.name] = table[subFieldKey]
- delete table[subFieldKey]
- }
- }
- })
->>>>>>> 463a39e8223464012ef67564d46eae5a4cf83280
if (field.localized) {
if (typeof locale === 'string' && !ref[locale]) ref[locale] = {}
@@ -369,7 +326,6 @@ export const traverseFields = <T extends Record<string, unknown>>({
return result
}
-<<<<<<< HEAD
if (field.type === 'tabs') {
traverseFields({
blocks,
@@ -399,10 +355,5 @@ export const traverseFields = <T extends Record<string, unknown>>({
return dataRef
}, dataRef)
-=======
- return siblingData
- }, siblingData)
-
->>>>>>> 463a39e8223464012ef67564d46eae5a4cf83280
return formatted as T
}
diff --git a/packages/payload/auth.d.ts b/packages/payload/auth.d.ts
index e173302b6c5..86d16a82efb 100644
--- a/packages/payload/auth.d.ts
+++ b/packages/payload/auth.d.ts
@@ -1,2 +1,2 @@
-export * from './dist/auth'
-//# sourceMappingURL=auth.d.ts.map
+export * from './dist/auth';
+//# sourceMappingURL=auth.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/auth.js b/packages/payload/auth.js
index e915cb98465..f271d615ec1 100644
--- a/packages/payload/auth.js
+++ b/packages/payload/auth.js
@@ -1,20 +1,20 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
-_export_star(require('./dist/auth'), exports)
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
+_export_star(require("./dist/auth"), exports);
function _export_star(from, to) {
- Object.keys(from).forEach(function (k) {
- if (k !== 'default' && !Object.prototype.hasOwnProperty.call(to, k)) {
- Object.defineProperty(to, k, {
- enumerable: true,
- get: function () {
- return from[k]
- },
- })
- }
- })
- return from
+ Object.keys(from).forEach(function(k) {
+ if (k !== "default" && !Object.prototype.hasOwnProperty.call(to, k)) {
+ Object.defineProperty(to, k, {
+ enumerable: true,
+ get: function() {
+ return from[k];
+ }
+ });
+ }
+ });
+ return from;
}
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uL3NyYy9leHBvcnRzL2F1dGgudHMiXSwic291cmNlc0NvbnRlbnQiOlsiZXhwb3J0ICogZnJvbSAnLi4vYXV0aCdcbiJdLCJuYW1lcyI6W10sIm1hcHBpbmdzIjoiOzs7O3FCQUFjIn0=
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uL3NyYy9leHBvcnRzL2F1dGgudHMiXSwic291cmNlc0NvbnRlbnQiOlsiZXhwb3J0ICogZnJvbSAnLi4vYXV0aCdcbiJdLCJuYW1lcyI6W10sIm1hcHBpbmdzIjoiOzs7O3FCQUFjIn0=
\ No newline at end of file
diff --git a/packages/payload/components.d.ts b/packages/payload/components.d.ts
index eac0f1ceaac..b18413d95dd 100644
--- a/packages/payload/components.d.ts
+++ b/packages/payload/components.d.ts
@@ -1,13 +1,13 @@
-export { default as Banner } from './dist/admin/components/elements/Banner'
-export { default as Button } from './dist/admin/components/elements/Button'
-export { default as Pill } from './dist/admin/components/elements/Pill'
-export { default as Popup } from './dist/admin/components/elements/Popup'
-export { ShimmerEffect } from './dist/admin/components/elements/ShimmerEffect'
-export { default as Tooltip } from './dist/admin/components/elements/Tooltip'
-export { default as Check } from './dist/admin/components/icons/Check'
-export { default as Chevron } from './dist/admin/components/icons/Chevron'
-export { default as Menu } from './dist/admin/components/icons/Menu'
-export { default as Search } from './dist/admin/components/icons/Search'
-export { default as X } from './dist/admin/components/icons/X'
-export { default as MinimalTemplate } from './dist/admin/components/templates/Minimal'
-//# sourceMappingURL=components.d.ts.map
+export { default as Banner } from './dist/admin/components/elements/Banner';
+export { default as Button } from './dist/admin/components/elements/Button';
+export { default as Pill } from './dist/admin/components/elements/Pill';
+export { default as Popup } from './dist/admin/components/elements/Popup';
+export { ShimmerEffect } from './dist/admin/components/elements/ShimmerEffect';
+export { default as Tooltip } from './dist/admin/components/elements/Tooltip';
+export { default as Check } from './dist/admin/components/icons/Check';
+export { default as Chevron } from './dist/admin/components/icons/Chevron';
+export { default as Menu } from './dist/admin/components/icons/Menu';
+export { default as Search } from './dist/admin/components/icons/Search';
+export { default as X } from './dist/admin/components/icons/X';
+export { default as MinimalTemplate } from './dist/admin/components/templates/Minimal';
+//# sourceMappingURL=components.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components.js b/packages/payload/components.js
index 61d89a576e3..03f20a714c6 100644
--- a/packages/payload/components.js
+++ b/packages/payload/components.js
@@ -1,88 +1,67 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
function _export(target, all) {
- for (var name in all)
- Object.defineProperty(target, name, {
- enumerable: true,
- get: all[name],
- })
+ for(var name in all)Object.defineProperty(target, name, {
+ enumerable: true,
+ get: all[name]
+ });
}
_export(exports, {
- Banner: function () {
- return _Banner.default
- },
- Button: function () {
- return _Button.default
- },
- Check: function () {
- return _Check.default
- },
- Chevron: function () {
- return _Chevron.default
- },
- Menu: function () {
- return _Menu.default
- },
- MinimalTemplate: function () {
- return _Minimal.default
- },
- Pill: function () {
- return _Pill.default
- },
- Popup: function () {
- return _Popup.default
- },
- Search: function () {
- return _Search.default
- },
- ShimmerEffect: function () {
- return _ShimmerEffect.ShimmerEffect
- },
- Tooltip: function () {
- return _Tooltip.default
- },
- X: function () {
- return _X.default
- },
-})
-const _Banner = /*#__PURE__*/ _interop_require_default(
- require('./dist/admin/components/elements/Banner'),
-)
-const _Button = /*#__PURE__*/ _interop_require_default(
- require('./dist/admin/components/elements/Button'),
-)
-const _Pill = /*#__PURE__*/ _interop_require_default(
- require('./dist/admin/components/elements/Pill'),
-)
-const _Popup = /*#__PURE__*/ _interop_require_default(
- require('./dist/admin/components/elements/Popup'),
-)
-const _ShimmerEffect = require('./dist/admin/components/elements/ShimmerEffect')
-const _Tooltip = /*#__PURE__*/ _interop_require_default(
- require('./dist/admin/components/elements/Tooltip'),
-)
-const _Check = /*#__PURE__*/ _interop_require_default(
- require('./dist/admin/components/icons/Check'),
-)
-const _Chevron = /*#__PURE__*/ _interop_require_default(
- require('./dist/admin/components/icons/Chevron'),
-)
-const _Menu = /*#__PURE__*/ _interop_require_default(require('./dist/admin/components/icons/Menu'))
-const _Search = /*#__PURE__*/ _interop_require_default(
- require('./dist/admin/components/icons/Search'),
-)
-const _X = /*#__PURE__*/ _interop_require_default(require('./dist/admin/components/icons/X'))
-const _Minimal = /*#__PURE__*/ _interop_require_default(
- require('./dist/admin/components/templates/Minimal'),
-)
+ Banner: function() {
+ return _Banner.default;
+ },
+ Button: function() {
+ return _Button.default;
+ },
+ Pill: function() {
+ return _Pill.default;
+ },
+ Popup: function() {
+ return _Popup.default;
+ },
+ ShimmerEffect: function() {
+ return _ShimmerEffect.ShimmerEffect;
+ },
+ Tooltip: function() {
+ return _Tooltip.default;
+ },
+ Check: function() {
+ return _Check.default;
+ },
+ Chevron: function() {
+ return _Chevron.default;
+ },
+ Menu: function() {
+ return _Menu.default;
+ },
+ Search: function() {
+ return _Search.default;
+ },
+ X: function() {
+ return _X.default;
+ },
+ MinimalTemplate: function() {
+ return _Minimal.default;
+ }
+});
+const _Banner = /*#__PURE__*/ _interop_require_default(require("./dist/admin/components/elements/Banner"));
+const _Button = /*#__PURE__*/ _interop_require_default(require("./dist/admin/components/elements/Button"));
+const _Pill = /*#__PURE__*/ _interop_require_default(require("./dist/admin/components/elements/Pill"));
+const _Popup = /*#__PURE__*/ _interop_require_default(require("./dist/admin/components/elements/Popup"));
+const _ShimmerEffect = require("./dist/admin/components/elements/ShimmerEffect");
+const _Tooltip = /*#__PURE__*/ _interop_require_default(require("./dist/admin/components/elements/Tooltip"));
+const _Check = /*#__PURE__*/ _interop_require_default(require("./dist/admin/components/icons/Check"));
+const _Chevron = /*#__PURE__*/ _interop_require_default(require("./dist/admin/components/icons/Chevron"));
+const _Menu = /*#__PURE__*/ _interop_require_default(require("./dist/admin/components/icons/Menu"));
+const _Search = /*#__PURE__*/ _interop_require_default(require("./dist/admin/components/icons/Search"));
+const _X = /*#__PURE__*/ _interop_require_default(require("./dist/admin/components/icons/X"));
+const _Minimal = /*#__PURE__*/ _interop_require_default(require("./dist/admin/components/templates/Minimal"));
function _interop_require_default(obj) {
- return obj && obj.__esModule
- ? obj
- : {
- default: obj,
- }
+ return obj && obj.__esModule ? obj : {
+ default: obj
+ };
}
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMudHMiXSwic291cmNlc0NvbnRlbnQiOlsiZXhwb3J0IHsgZGVmYXVsdCBhcyBCYW5uZXIgfSBmcm9tICcuLi9hZG1pbi9jb21wb25lbnRzL2VsZW1lbnRzL0Jhbm5lcidcbmV4cG9ydCB7IGRlZmF1bHQgYXMgQnV0dG9uIH0gZnJvbSAnLi4vYWRtaW4vY29tcG9uZW50cy9lbGVtZW50cy9CdXR0b24nXG5cbmV4cG9ydCB7IGRlZmF1bHQgYXMgUGlsbCB9IGZyb20gJy4uL2FkbWluL2NvbXBvbmVudHMvZWxlbWVudHMvUGlsbCdcblxuZXhwb3J0IHsgZGVmYXVsdCBhcyBQb3B1cCB9IGZyb20gJy4uL2FkbWluL2NvbXBvbmVudHMvZWxlbWVudHMvUG9wdXAnXG5cbmV4cG9ydCB7IFNoaW1tZXJFZmZlY3QgfSBmcm9tICcuLi9hZG1pbi9jb21wb25lbnRzL2VsZW1lbnRzL1NoaW1tZXJFZmZlY3QnXG5leHBvcnQgeyBkZWZhdWx0IGFzIFRvb2x0aXAgfSBmcm9tICcuLi9hZG1pbi9jb21wb25lbnRzL2VsZW1lbnRzL1Rvb2x0aXAnXG5leHBvcnQgeyBkZWZhdWx0IGFzIENoZWNrIH0gZnJvbSAnLi4vYWRtaW4vY29tcG9uZW50cy9pY29ucy9DaGVjaydcbmV4cG9ydCB7IGRlZmF1bHQgYXMgQ2hldnJvbiB9IGZyb20gJy4uL2FkbWluL2NvbXBvbmVudHMvaWNvbnMvQ2hldnJvbidcbmV4cG9ydCB7IGRlZmF1bHQgYXMgTWVudSB9IGZyb20gJy4uL2FkbWluL2NvbXBvbmVudHMvaWNvbnMvTWVudSdcbmV4cG9ydCB7IGRlZmF1bHQgYXMgU2VhcmNoIH0gZnJvbSAnLi4vYWRtaW4vY29tcG9uZW50cy9pY29ucy9TZWFyY2gnXG5leHBvcnQgeyBkZWZhdWx0IGFzIFggfSBmcm9tICcuLi9hZG1pbi9jb21wb25lbnRzL2ljb25zL1gnXG5leHBvcnQgeyBkZWZhdWx0IGFzIE1pbmltYWxUZW1wbGF0ZSB9IGZyb20gJy4uL2FkbWluL2NvbXBvbmVudHMvdGVtcGxhdGVzL01pbmltYWwnXG4iXSwibmFtZXMiOlsiQmFubmVyIiwiQnV0dG9uIiwiUGlsbCIsIlBvcHVwIiwiU2hpbW1lckVmZmVjdCIsIlRvb2x0aXAiLCJDaGVjayIsIkNoZXZyb24iLCJNZW51IiwiU2VhcmNoIiwiWCIsIk1pbmltYWxUZW1wbGF0ZSJdLCJtYXBwaW5ncyI6Ijs7Ozs7Ozs7Ozs7SUFBb0JBLE1BQU07ZUFBTkEsZUFBTTs7SUFDTkMsTUFBTTtlQUFOQSxlQUFNOztJQUVOQyxJQUFJO2VBQUpBLGFBQUk7O0lBRUpDLEtBQUs7ZUFBTEEsY0FBSzs7SUFFaEJDLGFBQWE7ZUFBYkEsNEJBQWE7O0lBQ0ZDLE9BQU87ZUFBUEEsZ0JBQU87O0lBQ1BDLEtBQUs7ZUFBTEEsY0FBSzs7SUFDTEMsT0FBTztlQUFQQSxnQkFBTzs7SUFDUEMsSUFBSTtlQUFKQSxhQUFJOztJQUNKQyxNQUFNO2VBQU5BLGVBQU07O0lBQ05DLENBQUM7ZUFBREEsVUFBQzs7SUFDREMsZUFBZTtlQUFmQSxnQkFBZTs7OytEQWREOytEQUNBOzZEQUVGOzhEQUVDOytCQUVIO2dFQUNLOzhEQUNGO2dFQUNFOzZEQUNIOytEQUNFOzBEQUNMO2dFQUNjIn0=
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMudHMiXSwic291cmNlc0NvbnRlbnQiOlsiZXhwb3J0IHsgZGVmYXVsdCBhcyBCYW5uZXIgfSBmcm9tICcuLi9hZG1pbi9jb21wb25lbnRzL2VsZW1lbnRzL0Jhbm5lcidcbmV4cG9ydCB7IGRlZmF1bHQgYXMgQnV0dG9uIH0gZnJvbSAnLi4vYWRtaW4vY29tcG9uZW50cy9lbGVtZW50cy9CdXR0b24nXG5cbmV4cG9ydCB7IGRlZmF1bHQgYXMgUGlsbCB9IGZyb20gJy4uL2FkbWluL2NvbXBvbmVudHMvZWxlbWVudHMvUGlsbCdcblxuZXhwb3J0IHsgZGVmYXVsdCBhcyBQb3B1cCB9IGZyb20gJy4uL2FkbWluL2NvbXBvbmVudHMvZWxlbWVudHMvUG9wdXAnXG5cbmV4cG9ydCB7IFNoaW1tZXJFZmZlY3QgfSBmcm9tICcuLi9hZG1pbi9jb21wb25lbnRzL2VsZW1lbnRzL1NoaW1tZXJFZmZlY3QnXG5leHBvcnQgeyBkZWZhdWx0IGFzIFRvb2x0aXAgfSBmcm9tICcuLi9hZG1pbi9jb21wb25lbnRzL2VsZW1lbnRzL1Rvb2x0aXAnXG5leHBvcnQgeyBkZWZhdWx0IGFzIENoZWNrIH0gZnJvbSAnLi4vYWRtaW4vY29tcG9uZW50cy9pY29ucy9DaGVjaydcbmV4cG9ydCB7IGRlZmF1bHQgYXMgQ2hldnJvbiB9IGZyb20gJy4uL2FkbWluL2NvbXBvbmVudHMvaWNvbnMvQ2hldnJvbidcbmV4cG9ydCB7IGRlZmF1bHQgYXMgTWVudSB9IGZyb20gJy4uL2FkbWluL2NvbXBvbmVudHMvaWNvbnMvTWVudSdcbmV4cG9ydCB7IGRlZmF1bHQgYXMgU2VhcmNoIH0gZnJvbSAnLi4vYWRtaW4vY29tcG9uZW50cy9pY29ucy9TZWFyY2gnXG5leHBvcnQgeyBkZWZhdWx0IGFzIFggfSBmcm9tICcuLi9hZG1pbi9jb21wb25lbnRzL2ljb25zL1gnXG5leHBvcnQgeyBkZWZhdWx0IGFzIE1pbmltYWxUZW1wbGF0ZSB9IGZyb20gJy4uL2FkbWluL2NvbXBvbmVudHMvdGVtcGxhdGVzL01pbmltYWwnXG4iXSwibmFtZXMiOlsiQmFubmVyIiwiQnV0dG9uIiwiUGlsbCIsIlBvcHVwIiwiU2hpbW1lckVmZmVjdCIsIlRvb2x0aXAiLCJDaGVjayIsIkNoZXZyb24iLCJNZW51IiwiU2VhcmNoIiwiWCIsIk1pbmltYWxUZW1wbGF0ZSJdLCJtYXBwaW5ncyI6Ijs7Ozs7Ozs7Ozs7SUFBb0JBLE1BQU07ZUFBTkEsZUFBTTs7SUFDTkMsTUFBTTtlQUFOQSxlQUFNOztJQUVOQyxJQUFJO2VBQUpBLGFBQUk7O0lBRUpDLEtBQUs7ZUFBTEEsY0FBSzs7SUFFaEJDLGFBQWE7ZUFBYkEsNEJBQWE7O0lBQ0ZDLE9BQU87ZUFBUEEsZ0JBQU87O0lBQ1BDLEtBQUs7ZUFBTEEsY0FBSzs7SUFDTEMsT0FBTztlQUFQQSxnQkFBTzs7SUFDUEMsSUFBSTtlQUFKQSxhQUFJOztJQUNKQyxNQUFNO2VBQU5BLGVBQU07O0lBQ05DLENBQUM7ZUFBREEsVUFBQzs7SUFDREMsZUFBZTtlQUFmQSxnQkFBZTs7OytEQWREOytEQUNBOzZEQUVGOzhEQUVDOytCQUVIO2dFQUNLOzhEQUNGO2dFQUNFOzZEQUNIOytEQUNFOzBEQUNMO2dFQUNjIn0=
\ No newline at end of file
diff --git a/packages/payload/components/elements.d.ts b/packages/payload/components/elements.d.ts
index 2d78afeb9f6..3621018f84a 100644
--- a/packages/payload/components/elements.d.ts
+++ b/packages/payload/components/elements.d.ts
@@ -1,21 +1,10 @@
-export { default as Button } from '../dist/admin/components/elements/Button'
-export { default as Card } from '../dist/admin/components/elements/Card'
-export {
- DocumentDrawer,
- DocumentDrawerToggler,
- baseClass as DocumentDrawerBaseClass,
- useDocumentDrawer,
-} from '../dist/admin/components/elements/DocumentDrawer'
-export { Drawer, DrawerToggler, formatDrawerSlug } from '../dist/admin/components/elements/Drawer'
-export { useDrawerSlug } from '../dist/admin/components/elements/Drawer/useDrawerSlug'
-export { default as Eyebrow } from '../dist/admin/components/elements/Eyebrow'
-export { Gutter } from '../dist/admin/components/elements/Gutter'
-export {
- ListDrawer,
- ListDrawerToggler,
- baseClass as ListDrawerBaseClass,
- formatListDrawerSlug,
- useListDrawer,
-} from '../dist/admin/components/elements/ListDrawer'
-export { default as Nav } from '../dist/admin/components/elements/Nav'
-//# sourceMappingURL=elements.d.ts.map
+export { default as Button } from '../dist/admin/components/elements/Button';
+export { default as Card } from '../dist/admin/components/elements/Card';
+export { DocumentDrawer, DocumentDrawerToggler, baseClass as DocumentDrawerBaseClass, useDocumentDrawer, } from '../dist/admin/components/elements/DocumentDrawer';
+export { Drawer, DrawerToggler, formatDrawerSlug } from '../dist/admin/components/elements/Drawer';
+export { useDrawerSlug } from '../dist/admin/components/elements/Drawer/useDrawerSlug';
+export { default as Eyebrow } from '../dist/admin/components/elements/Eyebrow';
+export { Gutter } from '../dist/admin/components/elements/Gutter';
+export { ListDrawer, ListDrawerToggler, baseClass as ListDrawerBaseClass, formatListDrawerSlug, useListDrawer, } from '../dist/admin/components/elements/ListDrawer';
+export { default as Nav } from '../dist/admin/components/elements/Nav';
+//# sourceMappingURL=elements.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/elements.js b/packages/payload/components/elements.js
index a0c7205f3bb..ca3b845d6fd 100644
--- a/packages/payload/components/elements.js
+++ b/packages/payload/components/elements.js
@@ -1,93 +1,82 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
function _export(target, all) {
- for (var name in all)
- Object.defineProperty(target, name, {
- enumerable: true,
- get: all[name],
- })
+ for(var name in all)Object.defineProperty(target, name, {
+ enumerable: true,
+ get: all[name]
+ });
}
_export(exports, {
- Button: function () {
- return _Button.default
- },
- Card: function () {
- return _Card.default
- },
- DocumentDrawer: function () {
- return _DocumentDrawer.DocumentDrawer
- },
- DocumentDrawerBaseClass: function () {
- return _DocumentDrawer.baseClass
- },
- DocumentDrawerToggler: function () {
- return _DocumentDrawer.DocumentDrawerToggler
- },
- Drawer: function () {
- return _Drawer.Drawer
- },
- DrawerToggler: function () {
- return _Drawer.DrawerToggler
- },
- Eyebrow: function () {
- return _Eyebrow.default
- },
- Gutter: function () {
- return _Gutter.Gutter
- },
- ListDrawer: function () {
- return _ListDrawer.ListDrawer
- },
- ListDrawerBaseClass: function () {
- return _ListDrawer.baseClass
- },
- ListDrawerToggler: function () {
- return _ListDrawer.ListDrawerToggler
- },
- Nav: function () {
- return _Nav.default
- },
- formatDrawerSlug: function () {
- return _Drawer.formatDrawerSlug
- },
- formatListDrawerSlug: function () {
- return _ListDrawer.formatListDrawerSlug
- },
- useDocumentDrawer: function () {
- return _DocumentDrawer.useDocumentDrawer
- },
- useDrawerSlug: function () {
- return _useDrawerSlug.useDrawerSlug
- },
- useListDrawer: function () {
- return _ListDrawer.useListDrawer
- },
-})
-const _Button = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/elements/Button'),
-)
-const _Card = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/elements/Card'),
-)
-const _DocumentDrawer = require('../dist/admin/components/elements/DocumentDrawer')
-const _Drawer = require('../dist/admin/components/elements/Drawer')
-const _useDrawerSlug = require('../dist/admin/components/elements/Drawer/useDrawerSlug')
-const _Eyebrow = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/elements/Eyebrow'),
-)
-const _Gutter = require('../dist/admin/components/elements/Gutter')
-const _ListDrawer = require('../dist/admin/components/elements/ListDrawer')
-const _Nav = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/elements/Nav'),
-)
+ Button: function() {
+ return _Button.default;
+ },
+ Card: function() {
+ return _Card.default;
+ },
+ DocumentDrawer: function() {
+ return _DocumentDrawer.DocumentDrawer;
+ },
+ DocumentDrawerToggler: function() {
+ return _DocumentDrawer.DocumentDrawerToggler;
+ },
+ DocumentDrawerBaseClass: function() {
+ return _DocumentDrawer.baseClass;
+ },
+ useDocumentDrawer: function() {
+ return _DocumentDrawer.useDocumentDrawer;
+ },
+ Drawer: function() {
+ return _Drawer.Drawer;
+ },
+ DrawerToggler: function() {
+ return _Drawer.DrawerToggler;
+ },
+ formatDrawerSlug: function() {
+ return _Drawer.formatDrawerSlug;
+ },
+ useDrawerSlug: function() {
+ return _useDrawerSlug.useDrawerSlug;
+ },
+ Eyebrow: function() {
+ return _Eyebrow.default;
+ },
+ Gutter: function() {
+ return _Gutter.Gutter;
+ },
+ ListDrawer: function() {
+ return _ListDrawer.ListDrawer;
+ },
+ ListDrawerToggler: function() {
+ return _ListDrawer.ListDrawerToggler;
+ },
+ ListDrawerBaseClass: function() {
+ return _ListDrawer.baseClass;
+ },
+ formatListDrawerSlug: function() {
+ return _ListDrawer.formatListDrawerSlug;
+ },
+ useListDrawer: function() {
+ return _ListDrawer.useListDrawer;
+ },
+ Nav: function() {
+ return _Nav.default;
+ }
+});
+const _Button = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/elements/Button"));
+const _Card = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/elements/Card"));
+const _DocumentDrawer = require("../dist/admin/components/elements/DocumentDrawer");
+const _Drawer = require("../dist/admin/components/elements/Drawer");
+const _useDrawerSlug = require("../dist/admin/components/elements/Drawer/useDrawerSlug");
+const _Eyebrow = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/elements/Eyebrow"));
+const _Gutter = require("../dist/admin/components/elements/Gutter");
+const _ListDrawer = require("../dist/admin/components/elements/ListDrawer");
+const _Nav = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/elements/Nav"));
function _interop_require_default(obj) {
- return obj && obj.__esModule
- ? obj
- : {
- default: obj,
- }
+ return obj && obj.__esModule ? obj : {
+ default: obj
+ };
}
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvZWxlbWVudHMudHMiXSwic291cmNlc0NvbnRlbnQiOlsiZXhwb3J0IHsgZGVmYXVsdCBhcyBCdXR0b24gfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2VsZW1lbnRzL0J1dHRvbidcbmV4cG9ydCB7IGRlZmF1bHQgYXMgQ2FyZCB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZWxlbWVudHMvQ2FyZCdcbmV4cG9ydCB7XG4gIERvY3VtZW50RHJhd2VyLFxuICBEb2N1bWVudERyYXdlclRvZ2dsZXIsXG4gIGJhc2VDbGFzcyBhcyBEb2N1bWVudERyYXdlckJhc2VDbGFzcyxcbiAgdXNlRG9jdW1lbnREcmF3ZXIsXG59IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZWxlbWVudHMvRG9jdW1lbnREcmF3ZXInXG5leHBvcnQgeyBEcmF3ZXIsIERyYXdlclRvZ2dsZXIsIGZvcm1hdERyYXdlclNsdWcgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2VsZW1lbnRzL0RyYXdlcidcbmV4cG9ydCB7IHVzZURyYXdlclNsdWcgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2VsZW1lbnRzL0RyYXdlci91c2VEcmF3ZXJTbHVnJ1xuXG5leHBvcnQgeyBkZWZhdWx0IGFzIEV5ZWJyb3cgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2VsZW1lbnRzL0V5ZWJyb3cnXG5cbmV4cG9ydCB7IEd1dHRlciB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZWxlbWVudHMvR3V0dGVyJ1xuZXhwb3J0IHtcbiAgTGlzdERyYXdlcixcbiAgTGlzdERyYXdlclRvZ2dsZXIsXG4gIGJhc2VDbGFzcyBhcyBMaXN0RHJhd2VyQmFzZUNsYXNzLFxuICBmb3JtYXRMaXN0RHJhd2VyU2x1ZyxcbiAgdXNlTGlzdERyYXdlcixcbn0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9lbGVtZW50cy9MaXN0RHJhd2VyJ1xuZXhwb3J0IHsgZGVmYXVsdCBhcyBOYXYgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2VsZW1lbnRzL05hdidcbiJdLCJuYW1lcyI6WyJCdXR0b24iLCJDYXJkIiwiRG9jdW1lbnREcmF3ZXIiLCJEb2N1bWVudERyYXdlclRvZ2dsZXIiLCJEb2N1bWVudERyYXdlckJhc2VDbGFzcyIsImJhc2VDbGFzcyIsInVzZURvY3VtZW50RHJhd2VyIiwiRHJhd2VyIiwiRHJhd2VyVG9nZ2xlciIsImZvcm1hdERyYXdlclNsdWciLCJ1c2VEcmF3ZXJTbHVnIiwiRXllYnJvdyIsIkd1dHRlciIsIkxpc3REcmF3ZXIiLCJMaXN0RHJhd2VyVG9nZ2xlciIsIkxpc3REcmF3ZXJCYXNlQ2xhc3MiLCJmb3JtYXRMaXN0RHJhd2VyU2x1ZyIsInVzZUxpc3REcmF3ZXIiLCJOYXYiXSwibWFwcGluZ3MiOiI7Ozs7Ozs7Ozs7O0lBQW9CQSxNQUFNO2VBQU5BLGVBQU07O0lBQ05DLElBQUk7ZUFBSkEsYUFBSTs7SUFFdEJDLGNBQWM7ZUFBZEEsOEJBQWM7O0lBQ2RDLHFCQUFxQjtlQUFyQkEscUNBQXFCOztJQUNSQyx1QkFBdUI7ZUFBcENDLHlCQUFTOztJQUNUQyxpQkFBaUI7ZUFBakJBLGlDQUFpQjs7SUFFVkMsTUFBTTtlQUFOQSxjQUFNOztJQUFFQyxhQUFhO2VBQWJBLHFCQUFhOztJQUFFQyxnQkFBZ0I7ZUFBaEJBLHdCQUFnQjs7SUFDdkNDLGFBQWE7ZUFBYkEsNEJBQWE7O0lBRUZDLE9BQU87ZUFBUEEsZ0JBQU87O0lBRWxCQyxNQUFNO2VBQU5BLGNBQU07O0lBRWJDLFVBQVU7ZUFBVkEsc0JBQVU7O0lBQ1ZDLGlCQUFpQjtlQUFqQkEsNkJBQWlCOztJQUNKQyxtQkFBbUI7ZUFBaENWLHFCQUFTOztJQUNUVyxvQkFBb0I7ZUFBcEJBLGdDQUFvQjs7SUFDcEJDLGFBQWE7ZUFBYkEseUJBQWE7O0lBRUtDLEdBQUc7ZUFBSEEsWUFBRzs7OytEQXJCVzs2REFDRjtnQ0FNekI7d0JBQ2lEOytCQUMxQjtnRUFFSzt3QkFFWjs0QkFPaEI7NERBQ3dCIn0=
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvZWxlbWVudHMudHMiXSwic291cmNlc0NvbnRlbnQiOlsiZXhwb3J0IHsgZGVmYXVsdCBhcyBCdXR0b24gfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2VsZW1lbnRzL0J1dHRvbidcbmV4cG9ydCB7IGRlZmF1bHQgYXMgQ2FyZCB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZWxlbWVudHMvQ2FyZCdcbmV4cG9ydCB7XG4gIERvY3VtZW50RHJhd2VyLFxuICBEb2N1bWVudERyYXdlclRvZ2dsZXIsXG4gIGJhc2VDbGFzcyBhcyBEb2N1bWVudERyYXdlckJhc2VDbGFzcyxcbiAgdXNlRG9jdW1lbnREcmF3ZXIsXG59IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZWxlbWVudHMvRG9jdW1lbnREcmF3ZXInXG5leHBvcnQgeyBEcmF3ZXIsIERyYXdlclRvZ2dsZXIsIGZvcm1hdERyYXdlclNsdWcgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2VsZW1lbnRzL0RyYXdlcidcbmV4cG9ydCB7IHVzZURyYXdlclNsdWcgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2VsZW1lbnRzL0RyYXdlci91c2VEcmF3ZXJTbHVnJ1xuXG5leHBvcnQgeyBkZWZhdWx0IGFzIEV5ZWJyb3cgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2VsZW1lbnRzL0V5ZWJyb3cnXG5cbmV4cG9ydCB7IEd1dHRlciB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZWxlbWVudHMvR3V0dGVyJ1xuZXhwb3J0IHtcbiAgTGlzdERyYXdlcixcbiAgTGlzdERyYXdlclRvZ2dsZXIsXG4gIGJhc2VDbGFzcyBhcyBMaXN0RHJhd2VyQmFzZUNsYXNzLFxuICBmb3JtYXRMaXN0RHJhd2VyU2x1ZyxcbiAgdXNlTGlzdERyYXdlcixcbn0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9lbGVtZW50cy9MaXN0RHJhd2VyJ1xuZXhwb3J0IHsgZGVmYXVsdCBhcyBOYXYgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2VsZW1lbnRzL05hdidcbiJdLCJuYW1lcyI6WyJCdXR0b24iLCJDYXJkIiwiRG9jdW1lbnREcmF3ZXIiLCJEb2N1bWVudERyYXdlclRvZ2dsZXIiLCJEb2N1bWVudERyYXdlckJhc2VDbGFzcyIsImJhc2VDbGFzcyIsInVzZURvY3VtZW50RHJhd2VyIiwiRHJhd2VyIiwiRHJhd2VyVG9nZ2xlciIsImZvcm1hdERyYXdlclNsdWciLCJ1c2VEcmF3ZXJTbHVnIiwiRXllYnJvdyIsIkd1dHRlciIsIkxpc3REcmF3ZXIiLCJMaXN0RHJhd2VyVG9nZ2xlciIsIkxpc3REcmF3ZXJCYXNlQ2xhc3MiLCJmb3JtYXRMaXN0RHJhd2VyU2x1ZyIsInVzZUxpc3REcmF3ZXIiLCJOYXYiXSwibWFwcGluZ3MiOiI7Ozs7Ozs7Ozs7O0lBQW9CQSxNQUFNO2VBQU5BLGVBQU07O0lBQ05DLElBQUk7ZUFBSkEsYUFBSTs7SUFFdEJDLGNBQWM7ZUFBZEEsOEJBQWM7O0lBQ2RDLHFCQUFxQjtlQUFyQkEscUNBQXFCOztJQUNSQyx1QkFBdUI7ZUFBcENDLHlCQUFTOztJQUNUQyxpQkFBaUI7ZUFBakJBLGlDQUFpQjs7SUFFVkMsTUFBTTtlQUFOQSxjQUFNOztJQUFFQyxhQUFhO2VBQWJBLHFCQUFhOztJQUFFQyxnQkFBZ0I7ZUFBaEJBLHdCQUFnQjs7SUFDdkNDLGFBQWE7ZUFBYkEsNEJBQWE7O0lBRUZDLE9BQU87ZUFBUEEsZ0JBQU87O0lBRWxCQyxNQUFNO2VBQU5BLGNBQU07O0lBRWJDLFVBQVU7ZUFBVkEsc0JBQVU7O0lBQ1ZDLGlCQUFpQjtlQUFqQkEsNkJBQWlCOztJQUNKQyxtQkFBbUI7ZUFBaENWLHFCQUFTOztJQUNUVyxvQkFBb0I7ZUFBcEJBLGdDQUFvQjs7SUFDcEJDLGFBQWE7ZUFBYkEseUJBQWE7O0lBRUtDLEdBQUc7ZUFBSEEsWUFBRzs7OytEQXJCVzs2REFDRjtnQ0FNekI7d0JBQ2lEOytCQUMxQjtnRUFFSzt3QkFFWjs0QkFPaEI7NERBQ3dCIn0=
\ No newline at end of file
diff --git a/packages/payload/components/fields/Array.d.ts b/packages/payload/components/fields/Array.d.ts
index de9f124c7a4..725ef9ec41a 100644
--- a/packages/payload/components/fields/Array.d.ts
+++ b/packages/payload/components/fields/Array.d.ts
@@ -1,2 +1,2 @@
-export type { Props } from '../../dist/admin/components/forms/field-types/Array/types'
-//# sourceMappingURL=Array.d.ts.map
+export type { Props } from '../../dist/admin/components/forms/field-types/Array/types';
+//# sourceMappingURL=Array.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/fields/Array.js b/packages/payload/components/fields/Array.js
index d7080c81355..b775d337d89 100644
--- a/packages/payload/components/fields/Array.js
+++ b/packages/payload/components/fields/Array.js
@@ -1,6 +1,6 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
\ No newline at end of file
diff --git a/packages/payload/components/fields/Blocks.d.ts b/packages/payload/components/fields/Blocks.d.ts
index f1a2e8dbe13..5f4fad256c2 100644
--- a/packages/payload/components/fields/Blocks.d.ts
+++ b/packages/payload/components/fields/Blocks.d.ts
@@ -1,2 +1,2 @@
-export type { Props } from '../../dist/admin/components/forms/field-types/Blocks/types'
-//# sourceMappingURL=Blocks.d.ts.map
+export type { Props } from '../../dist/admin/components/forms/field-types/Blocks/types';
+//# sourceMappingURL=Blocks.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/fields/Blocks.js b/packages/payload/components/fields/Blocks.js
index d7080c81355..b775d337d89 100644
--- a/packages/payload/components/fields/Blocks.js
+++ b/packages/payload/components/fields/Blocks.js
@@ -1,6 +1,6 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
\ No newline at end of file
diff --git a/packages/payload/components/fields/Cell.d.ts b/packages/payload/components/fields/Cell.d.ts
index ebc2b105245..9ea060a7b9d 100644
--- a/packages/payload/components/fields/Cell.d.ts
+++ b/packages/payload/components/fields/Cell.d.ts
@@ -1,2 +1,2 @@
-export type { Props } from '../../dist/admin/components/views/collections/List/Cell/types'
-//# sourceMappingURL=Cell.d.ts.map
+export type { Props } from '../../dist/admin/components/views/collections/List/Cell/types';
+//# sourceMappingURL=Cell.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/fields/Cell.js b/packages/payload/components/fields/Cell.js
index d7080c81355..b775d337d89 100644
--- a/packages/payload/components/fields/Cell.js
+++ b/packages/payload/components/fields/Cell.js
@@ -1,6 +1,6 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
\ No newline at end of file
diff --git a/packages/payload/components/fields/Checkbox.d.ts b/packages/payload/components/fields/Checkbox.d.ts
index f8a284a8468..2b03cbcc7d3 100644
--- a/packages/payload/components/fields/Checkbox.d.ts
+++ b/packages/payload/components/fields/Checkbox.d.ts
@@ -1,2 +1,2 @@
-export type { Props } from '../../dist/admin/components/forms/field-types/Checkbox/types'
-//# sourceMappingURL=Checkbox.d.ts.map
+export type { Props } from '../../dist/admin/components/forms/field-types/Checkbox/types';
+//# sourceMappingURL=Checkbox.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/fields/Checkbox.js b/packages/payload/components/fields/Checkbox.js
index d7080c81355..b775d337d89 100644
--- a/packages/payload/components/fields/Checkbox.js
+++ b/packages/payload/components/fields/Checkbox.js
@@ -1,6 +1,6 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
\ No newline at end of file
diff --git a/packages/payload/components/fields/Code.d.ts b/packages/payload/components/fields/Code.d.ts
index 0aa806d0bd2..1d5956877ec 100644
--- a/packages/payload/components/fields/Code.d.ts
+++ b/packages/payload/components/fields/Code.d.ts
@@ -1,2 +1,2 @@
-export type { Props } from '../../dist/admin/components/forms/field-types/Code/types'
-//# sourceMappingURL=Code.d.ts.map
+export type { Props } from '../../dist/admin/components/forms/field-types/Code/types';
+//# sourceMappingURL=Code.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/fields/Code.js b/packages/payload/components/fields/Code.js
index d7080c81355..b775d337d89 100644
--- a/packages/payload/components/fields/Code.js
+++ b/packages/payload/components/fields/Code.js
@@ -1,6 +1,6 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
\ No newline at end of file
diff --git a/packages/payload/components/fields/DateTime.d.ts b/packages/payload/components/fields/DateTime.d.ts
index ca873cccf68..ed5813483d5 100644
--- a/packages/payload/components/fields/DateTime.d.ts
+++ b/packages/payload/components/fields/DateTime.d.ts
@@ -1,2 +1,2 @@
-export type { Props } from '../../dist/admin/components/forms/field-types/DateTime/types'
-//# sourceMappingURL=DateTime.d.ts.map
+export type { Props } from '../../dist/admin/components/forms/field-types/DateTime/types';
+//# sourceMappingURL=DateTime.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/fields/DateTime.js b/packages/payload/components/fields/DateTime.js
index d7080c81355..b775d337d89 100644
--- a/packages/payload/components/fields/DateTime.js
+++ b/packages/payload/components/fields/DateTime.js
@@ -1,6 +1,6 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
\ No newline at end of file
diff --git a/packages/payload/components/fields/Email.d.ts b/packages/payload/components/fields/Email.d.ts
index ca08a0524f1..94f9d20befb 100644
--- a/packages/payload/components/fields/Email.d.ts
+++ b/packages/payload/components/fields/Email.d.ts
@@ -1,2 +1,2 @@
-export type { Props } from '../../dist/admin/components/forms/field-types/Email/types'
-//# sourceMappingURL=Email.d.ts.map
+export type { Props } from '../../dist/admin/components/forms/field-types/Email/types';
+//# sourceMappingURL=Email.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/fields/Email.js b/packages/payload/components/fields/Email.js
index d7080c81355..b775d337d89 100644
--- a/packages/payload/components/fields/Email.js
+++ b/packages/payload/components/fields/Email.js
@@ -1,6 +1,6 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
\ No newline at end of file
diff --git a/packages/payload/components/fields/Group.d.ts b/packages/payload/components/fields/Group.d.ts
index 39849bc3bce..310839c3408 100644
--- a/packages/payload/components/fields/Group.d.ts
+++ b/packages/payload/components/fields/Group.d.ts
@@ -1,2 +1,2 @@
-export type { Props } from '../../dist/admin/components/forms/field-types/Group/types'
-//# sourceMappingURL=Group.d.ts.map
+export type { Props } from '../../dist/admin/components/forms/field-types/Group/types';
+//# sourceMappingURL=Group.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/fields/Group.js b/packages/payload/components/fields/Group.js
index d7080c81355..b775d337d89 100644
--- a/packages/payload/components/fields/Group.js
+++ b/packages/payload/components/fields/Group.js
@@ -1,6 +1,6 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
\ No newline at end of file
diff --git a/packages/payload/components/fields/Json.d.ts b/packages/payload/components/fields/Json.d.ts
index 2227a6e0a7a..ed4eb022bbf 100644
--- a/packages/payload/components/fields/Json.d.ts
+++ b/packages/payload/components/fields/Json.d.ts
@@ -1,2 +1,2 @@
-export type { Props } from '../../dist/admin/components/forms/field-types/JSON/types'
-//# sourceMappingURL=Json.d.ts.map
+export type { Props } from '../../dist/admin/components/forms/field-types/JSON/types';
+//# sourceMappingURL=Json.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/fields/Json.js b/packages/payload/components/fields/Json.js
index d7080c81355..b775d337d89 100644
--- a/packages/payload/components/fields/Json.js
+++ b/packages/payload/components/fields/Json.js
@@ -1,6 +1,6 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
\ No newline at end of file
diff --git a/packages/payload/components/fields/Number.d.ts b/packages/payload/components/fields/Number.d.ts
index eada17d341a..289c971d41a 100644
--- a/packages/payload/components/fields/Number.d.ts
+++ b/packages/payload/components/fields/Number.d.ts
@@ -1,2 +1,2 @@
-export type { Props } from '../../dist/admin/components/forms/field-types/Number/types'
-//# sourceMappingURL=Number.d.ts.map
+export type { Props } from '../../dist/admin/components/forms/field-types/Number/types';
+//# sourceMappingURL=Number.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/fields/Number.js b/packages/payload/components/fields/Number.js
index d7080c81355..b775d337d89 100644
--- a/packages/payload/components/fields/Number.js
+++ b/packages/payload/components/fields/Number.js
@@ -1,6 +1,6 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
\ No newline at end of file
diff --git a/packages/payload/components/fields/Password.d.ts b/packages/payload/components/fields/Password.d.ts
index d748f75fd1a..ba7c5105071 100644
--- a/packages/payload/components/fields/Password.d.ts
+++ b/packages/payload/components/fields/Password.d.ts
@@ -1,2 +1,2 @@
-export type { Props } from '../../dist/admin/components/forms/field-types/Password/types'
-//# sourceMappingURL=Password.d.ts.map
+export type { Props } from '../../dist/admin/components/forms/field-types/Password/types';
+//# sourceMappingURL=Password.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/fields/Password.js b/packages/payload/components/fields/Password.js
index d7080c81355..b775d337d89 100644
--- a/packages/payload/components/fields/Password.js
+++ b/packages/payload/components/fields/Password.js
@@ -1,6 +1,6 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
\ No newline at end of file
diff --git a/packages/payload/components/fields/RadioGroup/RadioInput.d.ts b/packages/payload/components/fields/RadioGroup/RadioInput.d.ts
index 33ea228f684..a09f32e0b61 100644
--- a/packages/payload/components/fields/RadioGroup/RadioInput.d.ts
+++ b/packages/payload/components/fields/RadioGroup/RadioInput.d.ts
@@ -1,2 +1,2 @@
-export type { Props } from '../../../dist/admin/components/forms/field-types/RadioGroup/RadioInput/types'
-//# sourceMappingURL=RadioInput.d.ts.map
+export type { Props } from '../../../dist/admin/components/forms/field-types/RadioGroup/RadioInput/types';
+//# sourceMappingURL=RadioInput.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/fields/RadioGroup/RadioInput.js b/packages/payload/components/fields/RadioGroup/RadioInput.js
index d7080c81355..b775d337d89 100644
--- a/packages/payload/components/fields/RadioGroup/RadioInput.js
+++ b/packages/payload/components/fields/RadioGroup/RadioInput.js
@@ -1,6 +1,6 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
\ No newline at end of file
diff --git a/packages/payload/components/fields/RadioGroup/index.d.ts b/packages/payload/components/fields/RadioGroup/index.d.ts
index 4cb0c9b1c4c..5cd79f18021 100644
--- a/packages/payload/components/fields/RadioGroup/index.d.ts
+++ b/packages/payload/components/fields/RadioGroup/index.d.ts
@@ -1,2 +1,2 @@
-export type { Props } from '../../../dist/admin/components/forms/field-types/RadioGroup/types'
-//# sourceMappingURL=index.d.ts.map
+export type { Props } from '../../../dist/admin/components/forms/field-types/RadioGroup/types';
+//# sourceMappingURL=index.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/fields/RadioGroup/index.js b/packages/payload/components/fields/RadioGroup/index.js
index d7080c81355..b775d337d89 100644
--- a/packages/payload/components/fields/RadioGroup/index.js
+++ b/packages/payload/components/fields/RadioGroup/index.js
@@ -1,6 +1,6 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
\ No newline at end of file
diff --git a/packages/payload/components/fields/Relationship.d.ts b/packages/payload/components/fields/Relationship.d.ts
index ec108b84a81..a5fd025c022 100644
--- a/packages/payload/components/fields/Relationship.d.ts
+++ b/packages/payload/components/fields/Relationship.d.ts
@@ -1,7 +1,3 @@
-export { default as RelationshipComponent } from '../../dist/admin/components/forms/field-types/Relationship'
-export type {
- Option,
- Props,
- ValueWithRelation,
-} from '../../dist/admin/components/forms/field-types/Relationship/types'
-//# sourceMappingURL=Relationship.d.ts.map
+export { default as RelationshipComponent } from '../../dist/admin/components/forms/field-types/Relationship';
+export type { Option, Props, ValueWithRelation, } from '../../dist/admin/components/forms/field-types/Relationship/types';
+//# sourceMappingURL=Relationship.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/fields/Relationship.js b/packages/payload/components/fields/Relationship.js
index 3953aed8933..a7c049e28bf 100644
--- a/packages/payload/components/fields/Relationship.js
+++ b/packages/payload/components/fields/Relationship.js
@@ -1,22 +1,18 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
-Object.defineProperty(exports, 'RelationshipComponent', {
- enumerable: true,
- get: function () {
- return _Relationship.default
- },
-})
-const _Relationship = /*#__PURE__*/ _interop_require_default(
- require('../../dist/admin/components/forms/field-types/Relationship'),
-)
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
+Object.defineProperty(exports, "RelationshipComponent", {
+ enumerable: true,
+ get: function() {
+ return _Relationship.default;
+ }
+});
+const _Relationship = /*#__PURE__*/ _interop_require_default(require("../../dist/admin/components/forms/field-types/Relationship"));
function _interop_require_default(obj) {
- return obj && obj.__esModule
- ? obj
- : {
- default: obj,
- }
+ return obj && obj.__esModule ? obj : {
+ default: obj
+ };
}
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvZmllbGRzL1JlbGF0aW9uc2hpcC50cyJdLCJzb3VyY2VzQ29udGVudCI6WyJleHBvcnQgeyBkZWZhdWx0IGFzIFJlbGF0aW9uc2hpcENvbXBvbmVudCB9IGZyb20gJy4uLy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZm9ybXMvZmllbGQtdHlwZXMvUmVsYXRpb25zaGlwJ1xuZXhwb3J0IHR5cGUge1xuICBPcHRpb24sXG4gIFByb3BzLFxuICBWYWx1ZVdpdGhSZWxhdGlvbixcbn0gZnJvbSAnLi4vLi4vLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy9maWVsZC10eXBlcy9SZWxhdGlvbnNoaXAvdHlwZXMnXG4iXSwibmFtZXMiOlsiUmVsYXRpb25zaGlwQ29tcG9uZW50Il0sIm1hcHBpbmdzIjoiOzs7OytCQUFvQkE7OztlQUFBQSxxQkFBcUI7OztxRUFBUSJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvZmllbGRzL1JlbGF0aW9uc2hpcC50cyJdLCJzb3VyY2VzQ29udGVudCI6WyJleHBvcnQgeyBkZWZhdWx0IGFzIFJlbGF0aW9uc2hpcENvbXBvbmVudCB9IGZyb20gJy4uLy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZm9ybXMvZmllbGQtdHlwZXMvUmVsYXRpb25zaGlwJ1xuZXhwb3J0IHR5cGUge1xuICBPcHRpb24sXG4gIFByb3BzLFxuICBWYWx1ZVdpdGhSZWxhdGlvbixcbn0gZnJvbSAnLi4vLi4vLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy9maWVsZC10eXBlcy9SZWxhdGlvbnNoaXAvdHlwZXMnXG4iXSwibmFtZXMiOlsiUmVsYXRpb25zaGlwQ29tcG9uZW50Il0sIm1hcHBpbmdzIjoiOzs7OytCQUFvQkE7OztlQUFBQSxxQkFBcUI7OztxRUFBUSJ9
\ No newline at end of file
diff --git a/packages/payload/components/fields/RichText.d.ts b/packages/payload/components/fields/RichText.d.ts
index 0a968bcdb57..f145f6b5fab 100644
--- a/packages/payload/components/fields/RichText.d.ts
+++ b/packages/payload/components/fields/RichText.d.ts
@@ -1,2 +1,2 @@
-export type { RichTextFieldProps } from '../../dist/admin/components/forms/field-types/RichText/types'
-//# sourceMappingURL=RichText.d.ts.map
+export type { RichTextFieldProps } from '../../dist/admin/components/forms/field-types/RichText/types';
+//# sourceMappingURL=RichText.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/fields/RichText.js b/packages/payload/components/fields/RichText.js
index d7080c81355..b775d337d89 100644
--- a/packages/payload/components/fields/RichText.js
+++ b/packages/payload/components/fields/RichText.js
@@ -1,6 +1,6 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
\ No newline at end of file
diff --git a/packages/payload/components/fields/Row.d.ts b/packages/payload/components/fields/Row.d.ts
index 539de331f16..943559f41aa 100644
--- a/packages/payload/components/fields/Row.d.ts
+++ b/packages/payload/components/fields/Row.d.ts
@@ -1,2 +1,2 @@
-export type { Props } from '../../dist/admin/components/forms/field-types/Row/types'
-//# sourceMappingURL=Row.d.ts.map
+export type { Props } from '../../dist/admin/components/forms/field-types/Row/types';
+//# sourceMappingURL=Row.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/fields/Row.js b/packages/payload/components/fields/Row.js
index d7080c81355..b775d337d89 100644
--- a/packages/payload/components/fields/Row.js
+++ b/packages/payload/components/fields/Row.js
@@ -1,6 +1,6 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
\ No newline at end of file
diff --git a/packages/payload/components/fields/Select.d.ts b/packages/payload/components/fields/Select.d.ts
index 6a6a1f484b1..d0405e65a8e 100644
--- a/packages/payload/components/fields/Select.d.ts
+++ b/packages/payload/components/fields/Select.d.ts
@@ -1,3 +1,3 @@
-export { default as SelectComponent } from '../../dist/admin/components/forms/field-types/Select'
-export type { Props } from '../../dist/admin/components/forms/field-types/Select/types'
-//# sourceMappingURL=Select.d.ts.map
+export { default as SelectComponent } from '../../dist/admin/components/forms/field-types/Select';
+export type { Props } from '../../dist/admin/components/forms/field-types/Select/types';
+//# sourceMappingURL=Select.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/fields/Select.js b/packages/payload/components/fields/Select.js
index db20fb032a3..2025e493379 100644
--- a/packages/payload/components/fields/Select.js
+++ b/packages/payload/components/fields/Select.js
@@ -1,22 +1,18 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
-Object.defineProperty(exports, 'SelectComponent', {
- enumerable: true,
- get: function () {
- return _Select.default
- },
-})
-const _Select = /*#__PURE__*/ _interop_require_default(
- require('../../dist/admin/components/forms/field-types/Select'),
-)
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
+Object.defineProperty(exports, "SelectComponent", {
+ enumerable: true,
+ get: function() {
+ return _Select.default;
+ }
+});
+const _Select = /*#__PURE__*/ _interop_require_default(require("../../dist/admin/components/forms/field-types/Select"));
function _interop_require_default(obj) {
- return obj && obj.__esModule
- ? obj
- : {
- default: obj,
- }
+ return obj && obj.__esModule ? obj : {
+ default: obj
+ };
}
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvZmllbGRzL1NlbGVjdC50cyJdLCJzb3VyY2VzQ29udGVudCI6WyJleHBvcnQgeyBkZWZhdWx0IGFzIFNlbGVjdENvbXBvbmVudCB9IGZyb20gJy4uLy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZm9ybXMvZmllbGQtdHlwZXMvU2VsZWN0J1xuZXhwb3J0IHR5cGUgeyBQcm9wcyB9IGZyb20gJy4uLy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZm9ybXMvZmllbGQtdHlwZXMvU2VsZWN0L3R5cGVzJ1xuIl0sIm5hbWVzIjpbIlNlbGVjdENvbXBvbmVudCJdLCJtYXBwaW5ncyI6Ijs7OzsrQkFBb0JBOzs7ZUFBQUEsZUFBZTs7OytEQUFRIn0=
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvZmllbGRzL1NlbGVjdC50cyJdLCJzb3VyY2VzQ29udGVudCI6WyJleHBvcnQgeyBkZWZhdWx0IGFzIFNlbGVjdENvbXBvbmVudCB9IGZyb20gJy4uLy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZm9ybXMvZmllbGQtdHlwZXMvU2VsZWN0J1xuZXhwb3J0IHR5cGUgeyBQcm9wcyB9IGZyb20gJy4uLy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZm9ybXMvZmllbGQtdHlwZXMvU2VsZWN0L3R5cGVzJ1xuIl0sIm5hbWVzIjpbIlNlbGVjdENvbXBvbmVudCJdLCJtYXBwaW5ncyI6Ijs7OzsrQkFBb0JBOzs7ZUFBQUEsZUFBZTs7OytEQUFRIn0=
\ No newline at end of file
diff --git a/packages/payload/components/fields/Text.d.ts b/packages/payload/components/fields/Text.d.ts
index 60853a6f176..27ec5e619e3 100644
--- a/packages/payload/components/fields/Text.d.ts
+++ b/packages/payload/components/fields/Text.d.ts
@@ -1,2 +1,2 @@
-export type { Props } from '../../dist/admin/components/forms/field-types/Text/types'
-//# sourceMappingURL=Text.d.ts.map
+export type { Props } from '../../dist/admin/components/forms/field-types/Text/types';
+//# sourceMappingURL=Text.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/fields/Text.js b/packages/payload/components/fields/Text.js
index d7080c81355..b775d337d89 100644
--- a/packages/payload/components/fields/Text.js
+++ b/packages/payload/components/fields/Text.js
@@ -1,6 +1,6 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
\ No newline at end of file
diff --git a/packages/payload/components/fields/Textarea.d.ts b/packages/payload/components/fields/Textarea.d.ts
index b5a3ce0b70b..4527e4408cd 100644
--- a/packages/payload/components/fields/Textarea.d.ts
+++ b/packages/payload/components/fields/Textarea.d.ts
@@ -1,2 +1,2 @@
-export type { Props } from '../../dist/admin/components/forms/field-types/Textarea/types'
-//# sourceMappingURL=Textarea.d.ts.map
+export type { Props } from '../../dist/admin/components/forms/field-types/Textarea/types';
+//# sourceMappingURL=Textarea.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/fields/Textarea.js b/packages/payload/components/fields/Textarea.js
index d7080c81355..b775d337d89 100644
--- a/packages/payload/components/fields/Textarea.js
+++ b/packages/payload/components/fields/Textarea.js
@@ -1,6 +1,6 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
\ No newline at end of file
diff --git a/packages/payload/components/fields/Upload.d.ts b/packages/payload/components/fields/Upload.d.ts
index b161add13a7..3c204461ebb 100644
--- a/packages/payload/components/fields/Upload.d.ts
+++ b/packages/payload/components/fields/Upload.d.ts
@@ -1,2 +1,2 @@
-export type { Props } from '../../dist/admin/components/forms/field-types/Upload/types'
-//# sourceMappingURL=Upload.d.ts.map
+export type { Props } from '../../dist/admin/components/forms/field-types/Upload/types';
+//# sourceMappingURL=Upload.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/fields/Upload.js b/packages/payload/components/fields/Upload.js
index d7080c81355..b775d337d89 100644
--- a/packages/payload/components/fields/Upload.js
+++ b/packages/payload/components/fields/Upload.js
@@ -1,6 +1,6 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6IiJ9
\ No newline at end of file
diff --git a/packages/payload/components/forms.d.ts b/packages/payload/components/forms.d.ts
index a6d0fa12545..72bdaee84ea 100644
--- a/packages/payload/components/forms.d.ts
+++ b/packages/payload/components/forms.d.ts
@@ -1,34 +1,27 @@
-export { default as Error } from '../dist/admin/components/forms/Error'
-export { default as FieldDescription } from '../dist/admin/components/forms/FieldDescription'
-export { default as Form } from '../dist/admin/components/forms/Form'
-export {
- useAllFormFields,
- useForm,
- useFormFields,
- useFormModified,
- useFormProcessing,
- useFormSubmitted,
- /**
- * @deprecated useWatchForm is no longer preferred. If you need all form fields, prefer `useAllFormFields`.
- */
- useWatchForm,
-} from '../dist/admin/components/forms/Form/context'
-export { default as getSiblingData } from '../dist/admin/components/forms/Form/getSiblingData'
-export { default as reduceFieldsToValues } from '../dist/admin/components/forms/Form/reduceFieldsToValues'
-export { default as Label } from '../dist/admin/components/forms/Label'
-export { default as RenderFields } from '../dist/admin/components/forms/RenderFields'
-export { default as Submit } from '../dist/admin/components/forms/Submit'
-export { default as FormSubmit } from '../dist/admin/components/forms/Submit'
-export { default as Checkbox } from '../dist/admin/components/forms/field-types/Checkbox'
-export { default as Group } from '../dist/admin/components/forms/field-types/Group'
-export { default as Select } from '../dist/admin/components/forms/field-types/Select'
-export { default as SelectInput } from '../dist/admin/components/forms/field-types/Select/Input'
-export { default as Text } from '../dist/admin/components/forms/field-types/Text'
-export { default as TextInput } from '../dist/admin/components/forms/field-types/Text/Input'
+export { default as Error } from '../dist/admin/components/forms/Error';
+export { default as FieldDescription } from '../dist/admin/components/forms/FieldDescription';
+export { default as Form } from '../dist/admin/components/forms/Form';
+export { useAllFormFields, useForm, useFormFields, useFormModified, useFormProcessing, useFormSubmitted,
+/**
+ * @deprecated useWatchForm is no longer preferred. If you need all form fields, prefer `useAllFormFields`.
+ */
+useWatchForm, } from '../dist/admin/components/forms/Form/context';
+export { default as getSiblingData } from '../dist/admin/components/forms/Form/getSiblingData';
+export { default as reduceFieldsToValues } from '../dist/admin/components/forms/Form/reduceFieldsToValues';
+export { default as Label } from '../dist/admin/components/forms/Label';
+export { default as RenderFields } from '../dist/admin/components/forms/RenderFields';
+export { default as Submit } from '../dist/admin/components/forms/Submit';
+export { default as FormSubmit } from '../dist/admin/components/forms/Submit';
+export { default as Checkbox } from '../dist/admin/components/forms/field-types/Checkbox';
+export { default as Group } from '../dist/admin/components/forms/field-types/Group';
+export { default as Select } from '../dist/admin/components/forms/field-types/Select';
+export { default as SelectInput } from '../dist/admin/components/forms/field-types/Select/Input';
+export { default as Text } from '../dist/admin/components/forms/field-types/Text';
+export { default as TextInput } from '../dist/admin/components/forms/field-types/Text/Input';
/**
* @deprecated This method is now called useField. The useFieldType alias will be removed in an upcoming version.
*/
-export { default as useFieldType } from '../dist/admin/components/forms/useField'
-export { default as useField } from '../dist/admin/components/forms/useField'
-export { default as withCondition } from '../dist/admin/components/forms/withCondition'
-//# sourceMappingURL=forms.d.ts.map
+export { default as useFieldType } from '../dist/admin/components/forms/useField';
+export { default as useField } from '../dist/admin/components/forms/useField';
+export { default as withCondition } from '../dist/admin/components/forms/withCondition';
+//# sourceMappingURL=forms.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/forms.js b/packages/payload/components/forms.js
index f4fed44b9ec..25de5b68204 100644
--- a/packages/payload/components/forms.js
+++ b/packages/payload/components/forms.js
@@ -1,146 +1,113 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
function _export(target, all) {
- for (var name in all)
- Object.defineProperty(target, name, {
- enumerable: true,
- get: all[name],
- })
+ for(var name in all)Object.defineProperty(target, name, {
+ enumerable: true,
+ get: all[name]
+ });
}
_export(exports, {
- Error: function () {
- return _Error.default
- },
- FieldDescription: function () {
- return _FieldDescription.default
- },
- Form: function () {
- return _Form.default
- },
- useAllFormFields: function () {
- return _context.useAllFormFields
- },
- useForm: function () {
- return _context.useForm
- },
- useFormFields: function () {
- return _context.useFormFields
- },
- useFormModified: function () {
- return _context.useFormModified
- },
- useFormProcessing: function () {
- return _context.useFormProcessing
- },
- useFormSubmitted: function () {
- return _context.useFormSubmitted
- },
- /**
+ Error: function() {
+ return _Error.default;
+ },
+ FieldDescription: function() {
+ return _FieldDescription.default;
+ },
+ Form: function() {
+ return _Form.default;
+ },
+ useAllFormFields: function() {
+ return _context.useAllFormFields;
+ },
+ useForm: function() {
+ return _context.useForm;
+ },
+ useFormFields: function() {
+ return _context.useFormFields;
+ },
+ useFormModified: function() {
+ return _context.useFormModified;
+ },
+ useFormProcessing: function() {
+ return _context.useFormProcessing;
+ },
+ useFormSubmitted: function() {
+ return _context.useFormSubmitted;
+ },
+ /**
* @deprecated useWatchForm is no longer preferred. If you need all form fields, prefer `useAllFormFields`.
- */ Checkbox: function () {
- return _Checkbox.default
- },
- FormSubmit: function () {
- return _Submit.default
- },
- Group: function () {
- return _Group.default
- },
- Label: function () {
- return _Label.default
- },
- RenderFields: function () {
- return _RenderFields.default
- },
- Select: function () {
- return _Select.default
- },
- SelectInput: function () {
- return _Input.default
- },
- Submit: function () {
- return _Submit.default
- },
- Text: function () {
- return _Text.default
- },
- TextInput: function () {
- return _Input1.default
- },
- getSiblingData: function () {
- return _getSiblingData.default
- },
- reduceFieldsToValues: function () {
- return _reduceFieldsToValues.default
- },
- useField: function () {
- return _useField.default
- },
- useFieldType: function () {
- return _useField.default
- },
- useWatchForm: function () {
- return _context.useWatchForm
- },
- withCondition: function () {
- return _withCondition.default
- },
-})
-const _Error = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/forms/Error'),
-)
-const _FieldDescription = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/forms/FieldDescription'),
-)
-const _Form = /*#__PURE__*/ _interop_require_default(require('../dist/admin/components/forms/Form'))
-const _context = require('../dist/admin/components/forms/Form/context')
-const _getSiblingData = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/forms/Form/getSiblingData'),
-)
-const _reduceFieldsToValues = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/forms/Form/reduceFieldsToValues'),
-)
-const _Label = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/forms/Label'),
-)
-const _RenderFields = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/forms/RenderFields'),
-)
-const _Submit = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/forms/Submit'),
-)
-const _Checkbox = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/forms/field-types/Checkbox'),
-)
-const _Group = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/forms/field-types/Group'),
-)
-const _Select = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/forms/field-types/Select'),
-)
-const _Input = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/forms/field-types/Select/Input'),
-)
-const _Text = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/forms/field-types/Text'),
-)
-const _Input1 = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/forms/field-types/Text/Input'),
-)
-const _useField = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/forms/useField'),
-)
-const _withCondition = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/forms/withCondition'),
-)
+ */ useWatchForm: function() {
+ return _context.useWatchForm;
+ },
+ getSiblingData: function() {
+ return _getSiblingData.default;
+ },
+ reduceFieldsToValues: function() {
+ return _reduceFieldsToValues.default;
+ },
+ Label: function() {
+ return _Label.default;
+ },
+ RenderFields: function() {
+ return _RenderFields.default;
+ },
+ Submit: function() {
+ return _Submit.default;
+ },
+ FormSubmit: function() {
+ return _Submit.default;
+ },
+ Checkbox: function() {
+ return _Checkbox.default;
+ },
+ Group: function() {
+ return _Group.default;
+ },
+ Select: function() {
+ return _Select.default;
+ },
+ SelectInput: function() {
+ return _Input.default;
+ },
+ Text: function() {
+ return _Text.default;
+ },
+ TextInput: function() {
+ return _Input1.default;
+ },
+ useFieldType: function() {
+ return _useField.default;
+ },
+ useField: function() {
+ return _useField.default;
+ },
+ withCondition: function() {
+ return _withCondition.default;
+ }
+});
+const _Error = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/forms/Error"));
+const _FieldDescription = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/forms/FieldDescription"));
+const _Form = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/forms/Form"));
+const _context = require("../dist/admin/components/forms/Form/context");
+const _getSiblingData = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/forms/Form/getSiblingData"));
+const _reduceFieldsToValues = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/forms/Form/reduceFieldsToValues"));
+const _Label = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/forms/Label"));
+const _RenderFields = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/forms/RenderFields"));
+const _Submit = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/forms/Submit"));
+const _Checkbox = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/forms/field-types/Checkbox"));
+const _Group = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/forms/field-types/Group"));
+const _Select = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/forms/field-types/Select"));
+const _Input = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/forms/field-types/Select/Input"));
+const _Text = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/forms/field-types/Text"));
+const _Input1 = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/forms/field-types/Text/Input"));
+const _useField = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/forms/useField"));
+const _withCondition = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/forms/withCondition"));
function _interop_require_default(obj) {
- return obj && obj.__esModule
- ? obj
- : {
- default: obj,
- }
+ return obj && obj.__esModule ? obj : {
+ default: obj
+ };
}
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvZm9ybXMudHMiXSwic291cmNlc0NvbnRlbnQiOlsiZXhwb3J0IHsgZGVmYXVsdCBhcyBFcnJvciB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZm9ybXMvRXJyb3InXG5cbmV4cG9ydCB7IGRlZmF1bHQgYXMgRmllbGREZXNjcmlwdGlvbiB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZm9ybXMvRmllbGREZXNjcmlwdGlvbidcblxuZXhwb3J0IHsgZGVmYXVsdCBhcyBGb3JtIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy9Gb3JtJ1xuXG5leHBvcnQge1xuICB1c2VBbGxGb3JtRmllbGRzLFxuICB1c2VGb3JtLFxuICB1c2VGb3JtRmllbGRzLFxuICB1c2VGb3JtTW9kaWZpZWQsXG4gIHVzZUZvcm1Qcm9jZXNzaW5nLFxuICB1c2VGb3JtU3VibWl0dGVkLFxuICAvKipcbiAgICogQGRlcHJlY2F0ZWQgdXNlV2F0Y2hGb3JtIGlzIG5vIGxvbmdlciBwcmVmZXJyZWQuIElmIHlvdSBuZWVkIGFsbCBmb3JtIGZpZWxkcywgcHJlZmVyIGB1c2VBbGxGb3JtRmllbGRzYC5cbiAgICovXG4gIHVzZVdhdGNoRm9ybSxcbn0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy9Gb3JtL2NvbnRleHQnXG5cbmV4cG9ydCB7IGRlZmF1bHQgYXMgZ2V0U2libGluZ0RhdGEgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2Zvcm1zL0Zvcm0vZ2V0U2libGluZ0RhdGEnXG5leHBvcnQgeyBkZWZhdWx0IGFzIHJlZHVjZUZpZWxkc1RvVmFsdWVzIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy9Gb3JtL3JlZHVjZUZpZWxkc1RvVmFsdWVzJ1xuXG5leHBvcnQgeyBkZWZhdWx0IGFzIExhYmVsIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy9MYWJlbCdcblxuZXhwb3J0IHsgZGVmYXVsdCBhcyBSZW5kZXJGaWVsZHMgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2Zvcm1zL1JlbmRlckZpZWxkcydcbmV4cG9ydCB7IGRlZmF1bHQgYXMgU3VibWl0IH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy9TdWJtaXQnXG5cbmV4cG9ydCB7IGRlZmF1bHQgYXMgRm9ybVN1Ym1pdCB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZm9ybXMvU3VibWl0J1xuZXhwb3J0IHsgZGVmYXVsdCBhcyBDaGVja2JveCB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZm9ybXMvZmllbGQtdHlwZXMvQ2hlY2tib3gnXG5leHBvcnQgeyBkZWZhdWx0IGFzIEdyb3VwIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy9maWVsZC10eXBlcy9Hcm91cCdcblxuZXhwb3J0IHsgZGVmYXVsdCBhcyBTZWxlY3QgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2Zvcm1zL2ZpZWxkLXR5cGVzL1NlbGVjdCdcbmV4cG9ydCB7IGRlZmF1bHQgYXMgU2VsZWN0SW5wdXQgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2Zvcm1zL2ZpZWxkLXR5cGVzL1NlbGVjdC9JbnB1dCdcblxuZXhwb3J0IHsgZGVmYXVsdCBhcyBUZXh0IH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy9maWVsZC10eXBlcy9UZXh0J1xuZXhwb3J0IHsgZGVmYXVsdCBhcyBUZXh0SW5wdXQgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2Zvcm1zL2ZpZWxkLXR5cGVzL1RleHQvSW5wdXQnXG4vKipcbiAqIEBkZXByZWNhdGVkIFRoaXMgbWV0aG9kIGlzIG5vdyBjYWxsZWQgdXNlRmllbGQuIFRoZSB1c2VGaWVsZFR5cGUgYWxpYXMgd2lsbCBiZSByZW1vdmVkIGluIGFuIHVwY29taW5nIHZlcnNpb24uXG4gKi9cbmV4cG9ydCB7IGRlZmF1bHQgYXMgdXNlRmllbGRUeXBlIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy91c2VGaWVsZCdcblxuZXhwb3J0IHsgZGVmYXVsdCBhcyB1c2VGaWVsZCB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZm9ybXMvdXNlRmllbGQnXG5leHBvcnQgeyBkZWZhdWx0IGFzIHdpdGhDb25kaXRpb24gfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2Zvcm1zL3dpdGhDb25kaXRpb24nXG4iXSwibmFtZXMiOlsiRXJyb3IiLCJGaWVsZERlc2NyaXB0aW9uIiwiRm9ybSIsInVzZUFsbEZvcm1GaWVsZHMiLCJ1c2VGb3JtIiwidXNlRm9ybUZpZWxkcyIsInVzZUZvcm1Nb2RpZmllZCIsInVzZUZvcm1Qcm9jZXNzaW5nIiwidXNlRm9ybVN1Ym1pdHRlZCIsInVzZVdhdGNoRm9ybSIsImdldFNpYmxpbmdEYXRhIiwicmVkdWNlRmllbGRzVG9WYWx1ZXMiLCJMYWJlbCIsIlJlbmRlckZpZWxkcyIsIlN1Ym1pdCIsIkZvcm1TdWJtaXQiLCJDaGVja2JveCIsIkdyb3VwIiwiU2VsZWN0IiwiU2VsZWN0SW5wdXQiLCJUZXh0IiwiVGV4dElucHV0IiwidXNlRmllbGRUeXBlIiwidXNlRmllbGQiLCJ3aXRoQ29uZGl0aW9uIl0sIm1hcHBpbmdzIjoiOzs7Ozs7Ozs7OztJQUFvQkEsS0FBSztlQUFMQSxjQUFLOztJQUVMQyxnQkFBZ0I7ZUFBaEJBLHlCQUFnQjs7SUFFaEJDLElBQUk7ZUFBSkEsYUFBSTs7SUFHdEJDLGdCQUFnQjtlQUFoQkEseUJBQWdCOztJQUNoQkMsT0FBTztlQUFQQSxnQkFBTzs7SUFDUEMsYUFBYTtlQUFiQSxzQkFBYTs7SUFDYkMsZUFBZTtlQUFmQSx3QkFBZTs7SUFDZkMsaUJBQWlCO2VBQWpCQSwwQkFBaUI7O0lBQ2pCQyxnQkFBZ0I7ZUFBaEJBLHlCQUFnQjs7SUFDaEI7O0dBRUMsR0FDREMsWUFBWTtlQUFaQSxxQkFBWTs7SUFHTUMsY0FBYztlQUFkQSx1QkFBYzs7SUFDZEMsb0JBQW9CO2VBQXBCQSw2QkFBb0I7O0lBRXBCQyxLQUFLO2VBQUxBLGNBQUs7O0lBRUxDLFlBQVk7ZUFBWkEscUJBQVk7O0lBQ1pDLE1BQU07ZUFBTkEsZUFBTTs7SUFFTkMsVUFBVTtlQUFWQSxlQUFVOztJQUNWQyxRQUFRO2VBQVJBLGlCQUFROztJQUNSQyxLQUFLO2VBQUxBLGNBQUs7O0lBRUxDLE1BQU07ZUFBTkEsZUFBTTs7SUFDTkMsV0FBVztlQUFYQSxjQUFXOztJQUVYQyxJQUFJO2VBQUpBLGFBQUk7O0lBQ0pDLFNBQVM7ZUFBVEEsZUFBUzs7SUFJVEMsWUFBWTtlQUFaQSxpQkFBWTs7SUFFWkMsUUFBUTtlQUFSQSxpQkFBUTs7SUFDUkMsYUFBYTtlQUFiQSxzQkFBYTs7OzhEQTFDQTt5RUFFVzs2REFFWjt5QkFhekI7dUVBRW1DOzZFQUNNOzhEQUVmO3FFQUVPOytEQUNOO2lFQUdFOzhEQUNIOytEQUVDOzhEQUNLOzZEQUVQOytEQUNLO2lFQUlHO3NFQUdDIn0=
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvZm9ybXMudHMiXSwic291cmNlc0NvbnRlbnQiOlsiZXhwb3J0IHsgZGVmYXVsdCBhcyBFcnJvciB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZm9ybXMvRXJyb3InXG5cbmV4cG9ydCB7IGRlZmF1bHQgYXMgRmllbGREZXNjcmlwdGlvbiB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZm9ybXMvRmllbGREZXNjcmlwdGlvbidcblxuZXhwb3J0IHsgZGVmYXVsdCBhcyBGb3JtIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy9Gb3JtJ1xuXG5leHBvcnQge1xuICB1c2VBbGxGb3JtRmllbGRzLFxuICB1c2VGb3JtLFxuICB1c2VGb3JtRmllbGRzLFxuICB1c2VGb3JtTW9kaWZpZWQsXG4gIHVzZUZvcm1Qcm9jZXNzaW5nLFxuICB1c2VGb3JtU3VibWl0dGVkLFxuICAvKipcbiAgICogQGRlcHJlY2F0ZWQgdXNlV2F0Y2hGb3JtIGlzIG5vIGxvbmdlciBwcmVmZXJyZWQuIElmIHlvdSBuZWVkIGFsbCBmb3JtIGZpZWxkcywgcHJlZmVyIGB1c2VBbGxGb3JtRmllbGRzYC5cbiAgICovXG4gIHVzZVdhdGNoRm9ybSxcbn0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy9Gb3JtL2NvbnRleHQnXG5cbmV4cG9ydCB7IGRlZmF1bHQgYXMgZ2V0U2libGluZ0RhdGEgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2Zvcm1zL0Zvcm0vZ2V0U2libGluZ0RhdGEnXG5leHBvcnQgeyBkZWZhdWx0IGFzIHJlZHVjZUZpZWxkc1RvVmFsdWVzIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy9Gb3JtL3JlZHVjZUZpZWxkc1RvVmFsdWVzJ1xuXG5leHBvcnQgeyBkZWZhdWx0IGFzIExhYmVsIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy9MYWJlbCdcblxuZXhwb3J0IHsgZGVmYXVsdCBhcyBSZW5kZXJGaWVsZHMgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2Zvcm1zL1JlbmRlckZpZWxkcydcbmV4cG9ydCB7IGRlZmF1bHQgYXMgU3VibWl0IH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy9TdWJtaXQnXG5cbmV4cG9ydCB7IGRlZmF1bHQgYXMgRm9ybVN1Ym1pdCB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZm9ybXMvU3VibWl0J1xuZXhwb3J0IHsgZGVmYXVsdCBhcyBDaGVja2JveCB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZm9ybXMvZmllbGQtdHlwZXMvQ2hlY2tib3gnXG5leHBvcnQgeyBkZWZhdWx0IGFzIEdyb3VwIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy9maWVsZC10eXBlcy9Hcm91cCdcblxuZXhwb3J0IHsgZGVmYXVsdCBhcyBTZWxlY3QgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2Zvcm1zL2ZpZWxkLXR5cGVzL1NlbGVjdCdcbmV4cG9ydCB7IGRlZmF1bHQgYXMgU2VsZWN0SW5wdXQgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2Zvcm1zL2ZpZWxkLXR5cGVzL1NlbGVjdC9JbnB1dCdcblxuZXhwb3J0IHsgZGVmYXVsdCBhcyBUZXh0IH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy9maWVsZC10eXBlcy9UZXh0J1xuZXhwb3J0IHsgZGVmYXVsdCBhcyBUZXh0SW5wdXQgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2Zvcm1zL2ZpZWxkLXR5cGVzL1RleHQvSW5wdXQnXG4vKipcbiAqIEBkZXByZWNhdGVkIFRoaXMgbWV0aG9kIGlzIG5vdyBjYWxsZWQgdXNlRmllbGQuIFRoZSB1c2VGaWVsZFR5cGUgYWxpYXMgd2lsbCBiZSByZW1vdmVkIGluIGFuIHVwY29taW5nIHZlcnNpb24uXG4gKi9cbmV4cG9ydCB7IGRlZmF1bHQgYXMgdXNlRmllbGRUeXBlIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy91c2VGaWVsZCdcblxuZXhwb3J0IHsgZGVmYXVsdCBhcyB1c2VGaWVsZCB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZm9ybXMvdXNlRmllbGQnXG5leHBvcnQgeyBkZWZhdWx0IGFzIHdpdGhDb25kaXRpb24gfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2Zvcm1zL3dpdGhDb25kaXRpb24nXG4iXSwibmFtZXMiOlsiRXJyb3IiLCJGaWVsZERlc2NyaXB0aW9uIiwiRm9ybSIsInVzZUFsbEZvcm1GaWVsZHMiLCJ1c2VGb3JtIiwidXNlRm9ybUZpZWxkcyIsInVzZUZvcm1Nb2RpZmllZCIsInVzZUZvcm1Qcm9jZXNzaW5nIiwidXNlRm9ybVN1Ym1pdHRlZCIsInVzZVdhdGNoRm9ybSIsImdldFNpYmxpbmdEYXRhIiwicmVkdWNlRmllbGRzVG9WYWx1ZXMiLCJMYWJlbCIsIlJlbmRlckZpZWxkcyIsIlN1Ym1pdCIsIkZvcm1TdWJtaXQiLCJDaGVja2JveCIsIkdyb3VwIiwiU2VsZWN0IiwiU2VsZWN0SW5wdXQiLCJUZXh0IiwiVGV4dElucHV0IiwidXNlRmllbGRUeXBlIiwidXNlRmllbGQiLCJ3aXRoQ29uZGl0aW9uIl0sIm1hcHBpbmdzIjoiOzs7Ozs7Ozs7OztJQUFvQkEsS0FBSztlQUFMQSxjQUFLOztJQUVMQyxnQkFBZ0I7ZUFBaEJBLHlCQUFnQjs7SUFFaEJDLElBQUk7ZUFBSkEsYUFBSTs7SUFHdEJDLGdCQUFnQjtlQUFoQkEseUJBQWdCOztJQUNoQkMsT0FBTztlQUFQQSxnQkFBTzs7SUFDUEMsYUFBYTtlQUFiQSxzQkFBYTs7SUFDYkMsZUFBZTtlQUFmQSx3QkFBZTs7SUFDZkMsaUJBQWlCO2VBQWpCQSwwQkFBaUI7O0lBQ2pCQyxnQkFBZ0I7ZUFBaEJBLHlCQUFnQjs7SUFDaEI7O0dBRUMsR0FDREMsWUFBWTtlQUFaQSxxQkFBWTs7SUFHTUMsY0FBYztlQUFkQSx1QkFBYzs7SUFDZEMsb0JBQW9CO2VBQXBCQSw2QkFBb0I7O0lBRXBCQyxLQUFLO2VBQUxBLGNBQUs7O0lBRUxDLFlBQVk7ZUFBWkEscUJBQVk7O0lBQ1pDLE1BQU07ZUFBTkEsZUFBTTs7SUFFTkMsVUFBVTtlQUFWQSxlQUFVOztJQUNWQyxRQUFRO2VBQVJBLGlCQUFROztJQUNSQyxLQUFLO2VBQUxBLGNBQUs7O0lBRUxDLE1BQU07ZUFBTkEsZUFBTTs7SUFDTkMsV0FBVztlQUFYQSxjQUFXOztJQUVYQyxJQUFJO2VBQUpBLGFBQUk7O0lBQ0pDLFNBQVM7ZUFBVEEsZUFBUzs7SUFJVEMsWUFBWTtlQUFaQSxpQkFBWTs7SUFFWkMsUUFBUTtlQUFSQSxpQkFBUTs7SUFDUkMsYUFBYTtlQUFiQSxzQkFBYTs7OzhEQTFDQTt5RUFFVzs2REFFWjt5QkFhekI7dUVBRW1DOzZFQUNNOzhEQUVmO3FFQUVPOytEQUNOO2lFQUdFOzhEQUNIOytEQUVDOzhEQUNLOzZEQUVQOytEQUNLO2lFQUlHO3NFQUdDIn0=
\ No newline at end of file
diff --git a/packages/payload/components/graphics.d.ts b/packages/payload/components/graphics.d.ts
index 0ef7a2ca128..df77422f09b 100644
--- a/packages/payload/components/graphics.d.ts
+++ b/packages/payload/components/graphics.d.ts
@@ -1,7 +1,7 @@
-export { default as AccountGraphic } from '../dist/admin/components/graphics/Account'
-export { default as DefaultBlockImageGraphic } from '../dist/admin/components/graphics/DefaultBlockImage'
-export { default as FileGraphic } from '../dist/admin/components/graphics/File'
-export { default as IconGraphic } from '../dist/admin/components/graphics/Icon'
-export { default as LogoGraphic } from '../dist/admin/components/graphics/Logo'
-export { default as SearchGraphic } from '../dist/admin/components/graphics/Search'
-//# sourceMappingURL=graphics.d.ts.map
+export { default as AccountGraphic } from '../dist/admin/components/graphics/Account';
+export { default as DefaultBlockImageGraphic } from '../dist/admin/components/graphics/DefaultBlockImage';
+export { default as FileGraphic } from '../dist/admin/components/graphics/File';
+export { default as IconGraphic } from '../dist/admin/components/graphics/Icon';
+export { default as LogoGraphic } from '../dist/admin/components/graphics/Logo';
+export { default as SearchGraphic } from '../dist/admin/components/graphics/Search';
+//# sourceMappingURL=graphics.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/graphics.js b/packages/payload/components/graphics.js
index 2f3d453035a..d143b5f1d95 100644
--- a/packages/payload/components/graphics.js
+++ b/packages/payload/components/graphics.js
@@ -1,58 +1,43 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
function _export(target, all) {
- for (var name in all)
- Object.defineProperty(target, name, {
- enumerable: true,
- get: all[name],
- })
+ for(var name in all)Object.defineProperty(target, name, {
+ enumerable: true,
+ get: all[name]
+ });
}
_export(exports, {
- AccountGraphic: function () {
- return _Account.default
- },
- DefaultBlockImageGraphic: function () {
- return _DefaultBlockImage.default
- },
- FileGraphic: function () {
- return _File.default
- },
- IconGraphic: function () {
- return _Icon.default
- },
- LogoGraphic: function () {
- return _Logo.default
- },
- SearchGraphic: function () {
- return _Search.default
- },
-})
-const _Account = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/graphics/Account'),
-)
-const _DefaultBlockImage = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/graphics/DefaultBlockImage'),
-)
-const _File = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/graphics/File'),
-)
-const _Icon = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/graphics/Icon'),
-)
-const _Logo = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/graphics/Logo'),
-)
-const _Search = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/graphics/Search'),
-)
+ AccountGraphic: function() {
+ return _Account.default;
+ },
+ DefaultBlockImageGraphic: function() {
+ return _DefaultBlockImage.default;
+ },
+ FileGraphic: function() {
+ return _File.default;
+ },
+ IconGraphic: function() {
+ return _Icon.default;
+ },
+ LogoGraphic: function() {
+ return _Logo.default;
+ },
+ SearchGraphic: function() {
+ return _Search.default;
+ }
+});
+const _Account = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/graphics/Account"));
+const _DefaultBlockImage = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/graphics/DefaultBlockImage"));
+const _File = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/graphics/File"));
+const _Icon = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/graphics/Icon"));
+const _Logo = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/graphics/Logo"));
+const _Search = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/graphics/Search"));
function _interop_require_default(obj) {
- return obj && obj.__esModule
- ? obj
- : {
- default: obj,
- }
+ return obj && obj.__esModule ? obj : {
+ default: obj
+ };
}
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvZ3JhcGhpY3MudHMiXSwic291cmNlc0NvbnRlbnQiOlsiZXhwb3J0IHsgZGVmYXVsdCBhcyBBY2NvdW50R3JhcGhpYyB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZ3JhcGhpY3MvQWNjb3VudCdcbmV4cG9ydCB7IGRlZmF1bHQgYXMgRGVmYXVsdEJsb2NrSW1hZ2VHcmFwaGljIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9ncmFwaGljcy9EZWZhdWx0QmxvY2tJbWFnZSdcbmV4cG9ydCB7IGRlZmF1bHQgYXMgRmlsZUdyYXBoaWMgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2dyYXBoaWNzL0ZpbGUnXG5leHBvcnQgeyBkZWZhdWx0IGFzIEljb25HcmFwaGljIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9ncmFwaGljcy9JY29uJ1xuZXhwb3J0IHsgZGVmYXVsdCBhcyBMb2dvR3JhcGhpYyB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZ3JhcGhpY3MvTG9nbydcbmV4cG9ydCB7IGRlZmF1bHQgYXMgU2VhcmNoR3JhcGhpYyB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZ3JhcGhpY3MvU2VhcmNoJ1xuIl0sIm5hbWVzIjpbIkFjY291bnRHcmFwaGljIiwiRGVmYXVsdEJsb2NrSW1hZ2VHcmFwaGljIiwiRmlsZUdyYXBoaWMiLCJJY29uR3JhcGhpYyIsIkxvZ29HcmFwaGljIiwiU2VhcmNoR3JhcGhpYyJdLCJtYXBwaW5ncyI6Ijs7Ozs7Ozs7Ozs7SUFBb0JBLGNBQWM7ZUFBZEEsZ0JBQWM7O0lBQ2RDLHdCQUF3QjtlQUF4QkEsMEJBQXdCOztJQUN4QkMsV0FBVztlQUFYQSxhQUFXOztJQUNYQyxXQUFXO2VBQVhBLGFBQVc7O0lBQ1hDLFdBQVc7ZUFBWEEsYUFBVzs7SUFDWEMsYUFBYTtlQUFiQSxlQUFhOzs7Z0VBTFM7MEVBQ1U7NkRBQ2I7NkRBQ0E7NkRBQ0E7K0RBQ0UifQ==
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvZ3JhcGhpY3MudHMiXSwic291cmNlc0NvbnRlbnQiOlsiZXhwb3J0IHsgZGVmYXVsdCBhcyBBY2NvdW50R3JhcGhpYyB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZ3JhcGhpY3MvQWNjb3VudCdcbmV4cG9ydCB7IGRlZmF1bHQgYXMgRGVmYXVsdEJsb2NrSW1hZ2VHcmFwaGljIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9ncmFwaGljcy9EZWZhdWx0QmxvY2tJbWFnZSdcbmV4cG9ydCB7IGRlZmF1bHQgYXMgRmlsZUdyYXBoaWMgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2dyYXBoaWNzL0ZpbGUnXG5leHBvcnQgeyBkZWZhdWx0IGFzIEljb25HcmFwaGljIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9ncmFwaGljcy9JY29uJ1xuZXhwb3J0IHsgZGVmYXVsdCBhcyBMb2dvR3JhcGhpYyB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZ3JhcGhpY3MvTG9nbydcbmV4cG9ydCB7IGRlZmF1bHQgYXMgU2VhcmNoR3JhcGhpYyB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZ3JhcGhpY3MvU2VhcmNoJ1xuIl0sIm5hbWVzIjpbIkFjY291bnRHcmFwaGljIiwiRGVmYXVsdEJsb2NrSW1hZ2VHcmFwaGljIiwiRmlsZUdyYXBoaWMiLCJJY29uR3JhcGhpYyIsIkxvZ29HcmFwaGljIiwiU2VhcmNoR3JhcGhpYyJdLCJtYXBwaW5ncyI6Ijs7Ozs7Ozs7Ozs7SUFBb0JBLGNBQWM7ZUFBZEEsZ0JBQWM7O0lBQ2RDLHdCQUF3QjtlQUF4QkEsMEJBQXdCOztJQUN4QkMsV0FBVztlQUFYQSxhQUFXOztJQUNYQyxXQUFXO2VBQVhBLGFBQVc7O0lBQ1hDLFdBQVc7ZUFBWEEsYUFBVzs7SUFDWEMsYUFBYTtlQUFiQSxlQUFhOzs7Z0VBTFM7MEVBQ1U7NkRBQ2I7NkRBQ0E7NkRBQ0E7K0RBQ0UifQ==
\ No newline at end of file
diff --git a/packages/payload/components/hooks.d.ts b/packages/payload/components/hooks.d.ts
index 33ae6aae1e7..2eee452079b 100644
--- a/packages/payload/components/hooks.d.ts
+++ b/packages/payload/components/hooks.d.ts
@@ -1,13 +1,13 @@
-export { useStepNav } from '../dist/admin/components/elements/StepNav'
-export { default as useDebounce } from '../dist/admin/hooks/useDebounce'
-export { useDebouncedCallback } from '../dist/admin/hooks/useDebouncedCallback'
-export { useDelay } from '../dist/admin/hooks/useDelay'
-export { useDelayedRender } from '../dist/admin/hooks/useDelayedRender'
-export { default as useHotkey } from '../dist/admin/hooks/useHotkey'
-export { default as useIntersect } from '../dist/admin/hooks/useIntersect'
-export { default as useMountEffect } from '../dist/admin/hooks/useMountEffect'
-export { default as usePayloadAPI } from '../dist/admin/hooks/usePayloadAPI'
-export { default as useThrottledEffect } from '../dist/admin/hooks/useThrottledEffect'
-export { default as useThumbnail } from '../dist/admin/hooks/useThumbnail'
-export { default as useTitle, formatUseAsTitle } from '../dist/admin/hooks/useTitle'
-//# sourceMappingURL=hooks.d.ts.map
+export { useStepNav } from '../dist/admin/components/elements/StepNav';
+export { default as useDebounce } from '../dist/admin/hooks/useDebounce';
+export { useDebouncedCallback } from '../dist/admin/hooks/useDebouncedCallback';
+export { useDelay } from '../dist/admin/hooks/useDelay';
+export { useDelayedRender } from '../dist/admin/hooks/useDelayedRender';
+export { default as useHotkey } from '../dist/admin/hooks/useHotkey';
+export { default as useIntersect } from '../dist/admin/hooks/useIntersect';
+export { default as useMountEffect } from '../dist/admin/hooks/useMountEffect';
+export { default as usePayloadAPI } from '../dist/admin/hooks/usePayloadAPI';
+export { default as useThrottledEffect } from '../dist/admin/hooks/useThrottledEffect';
+export { default as useThumbnail } from '../dist/admin/hooks/useThumbnail';
+export { default as useTitle, formatUseAsTitle } from '../dist/admin/hooks/useTitle';
+//# sourceMappingURL=hooks.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/hooks.js b/packages/payload/components/hooks.js
index 93484fe6723..c1e3cd027ac 100644
--- a/packages/payload/components/hooks.js
+++ b/packages/payload/components/hooks.js
@@ -1,124 +1,109 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
function _export(target, all) {
- for (var name in all)
- Object.defineProperty(target, name, {
- enumerable: true,
- get: all[name],
- })
+ for(var name in all)Object.defineProperty(target, name, {
+ enumerable: true,
+ get: all[name]
+ });
}
_export(exports, {
- formatUseAsTitle: function () {
- return _useTitle.formatUseAsTitle
- },
- useDebounce: function () {
- return _useDebounce.default
- },
- useDebouncedCallback: function () {
- return _useDebouncedCallback.useDebouncedCallback
- },
- useDelay: function () {
- return _useDelay.useDelay
- },
- useDelayedRender: function () {
- return _useDelayedRender.useDelayedRender
- },
- useHotkey: function () {
- return _useHotkey.default
- },
- useIntersect: function () {
- return _useIntersect.default
- },
- useMountEffect: function () {
- return _useMountEffect.default
- },
- usePayloadAPI: function () {
- return _usePayloadAPI.default
- },
- useStepNav: function () {
- return _StepNav.useStepNav
- },
- useThrottledEffect: function () {
- return _useThrottledEffect.default
- },
- useThumbnail: function () {
- return _useThumbnail.default
- },
- useTitle: function () {
- return _useTitle.default
- },
-})
-const _StepNav = require('../dist/admin/components/elements/StepNav')
-const _useDebounce = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/hooks/useDebounce'),
-)
-const _useDebouncedCallback = require('../dist/admin/hooks/useDebouncedCallback')
-const _useDelay = require('../dist/admin/hooks/useDelay')
-const _useDelayedRender = require('../dist/admin/hooks/useDelayedRender')
-const _useHotkey = /*#__PURE__*/ _interop_require_default(require('../dist/admin/hooks/useHotkey'))
-const _useIntersect = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/hooks/useIntersect'),
-)
-const _useMountEffect = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/hooks/useMountEffect'),
-)
-const _usePayloadAPI = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/hooks/usePayloadAPI'),
-)
-const _useThrottledEffect = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/hooks/useThrottledEffect'),
-)
-const _useThumbnail = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/hooks/useThumbnail'),
-)
-const _useTitle = /*#__PURE__*/ _interop_require_wildcard(require('../dist/admin/hooks/useTitle'))
+ useStepNav: function() {
+ return _StepNav.useStepNav;
+ },
+ useDebounce: function() {
+ return _useDebounce.default;
+ },
+ useDebouncedCallback: function() {
+ return _useDebouncedCallback.useDebouncedCallback;
+ },
+ useDelay: function() {
+ return _useDelay.useDelay;
+ },
+ useDelayedRender: function() {
+ return _useDelayedRender.useDelayedRender;
+ },
+ useHotkey: function() {
+ return _useHotkey.default;
+ },
+ useIntersect: function() {
+ return _useIntersect.default;
+ },
+ useMountEffect: function() {
+ return _useMountEffect.default;
+ },
+ usePayloadAPI: function() {
+ return _usePayloadAPI.default;
+ },
+ useThrottledEffect: function() {
+ return _useThrottledEffect.default;
+ },
+ useThumbnail: function() {
+ return _useThumbnail.default;
+ },
+ useTitle: function() {
+ return _useTitle.default;
+ },
+ formatUseAsTitle: function() {
+ return _useTitle.formatUseAsTitle;
+ }
+});
+const _StepNav = require("../dist/admin/components/elements/StepNav");
+const _useDebounce = /*#__PURE__*/ _interop_require_default(require("../dist/admin/hooks/useDebounce"));
+const _useDebouncedCallback = require("../dist/admin/hooks/useDebouncedCallback");
+const _useDelay = require("../dist/admin/hooks/useDelay");
+const _useDelayedRender = require("../dist/admin/hooks/useDelayedRender");
+const _useHotkey = /*#__PURE__*/ _interop_require_default(require("../dist/admin/hooks/useHotkey"));
+const _useIntersect = /*#__PURE__*/ _interop_require_default(require("../dist/admin/hooks/useIntersect"));
+const _useMountEffect = /*#__PURE__*/ _interop_require_default(require("../dist/admin/hooks/useMountEffect"));
+const _usePayloadAPI = /*#__PURE__*/ _interop_require_default(require("../dist/admin/hooks/usePayloadAPI"));
+const _useThrottledEffect = /*#__PURE__*/ _interop_require_default(require("../dist/admin/hooks/useThrottledEffect"));
+const _useThumbnail = /*#__PURE__*/ _interop_require_default(require("../dist/admin/hooks/useThumbnail"));
+const _useTitle = /*#__PURE__*/ _interop_require_wildcard(require("../dist/admin/hooks/useTitle"));
function _interop_require_default(obj) {
- return obj && obj.__esModule
- ? obj
- : {
- default: obj,
- }
+ return obj && obj.__esModule ? obj : {
+ default: obj
+ };
}
function _getRequireWildcardCache(nodeInterop) {
- if (typeof WeakMap !== 'function') return null
- var cacheBabelInterop = new WeakMap()
- var cacheNodeInterop = new WeakMap()
- return (_getRequireWildcardCache = function (nodeInterop) {
- return nodeInterop ? cacheNodeInterop : cacheBabelInterop
- })(nodeInterop)
+ if (typeof WeakMap !== "function") return null;
+ var cacheBabelInterop = new WeakMap();
+ var cacheNodeInterop = new WeakMap();
+ return (_getRequireWildcardCache = function(nodeInterop) {
+ return nodeInterop ? cacheNodeInterop : cacheBabelInterop;
+ })(nodeInterop);
}
function _interop_require_wildcard(obj, nodeInterop) {
- if (!nodeInterop && obj && obj.__esModule) {
- return obj
- }
- if (obj === null || (typeof obj !== 'object' && typeof obj !== 'function')) {
- return {
- default: obj,
+ if (!nodeInterop && obj && obj.__esModule) {
+ return obj;
+ }
+ if (obj === null || typeof obj !== "object" && typeof obj !== "function") {
+ return {
+ default: obj
+ };
+ }
+ var cache = _getRequireWildcardCache(nodeInterop);
+ if (cache && cache.has(obj)) {
+ return cache.get(obj);
+ }
+ var newObj = {};
+ var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor;
+ for(var key in obj){
+ if (key !== "default" && Object.prototype.hasOwnProperty.call(obj, key)) {
+ var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null;
+ if (desc && (desc.get || desc.set)) {
+ Object.defineProperty(newObj, key, desc);
+ } else {
+ newObj[key] = obj[key];
+ }
+ }
}
- }
- var cache = _getRequireWildcardCache(nodeInterop)
- if (cache && cache.has(obj)) {
- return cache.get(obj)
- }
- var newObj = {}
- var hasPropertyDescriptor = Object.defineProperty && Object.getOwnPropertyDescriptor
- for (var key in obj) {
- if (key !== 'default' && Object.prototype.hasOwnProperty.call(obj, key)) {
- var desc = hasPropertyDescriptor ? Object.getOwnPropertyDescriptor(obj, key) : null
- if (desc && (desc.get || desc.set)) {
- Object.defineProperty(newObj, key, desc)
- } else {
- newObj[key] = obj[key]
- }
+ newObj.default = obj;
+ if (cache) {
+ cache.set(obj, newObj);
}
- }
- newObj.default = obj
- if (cache) {
- cache.set(obj, newObj)
- }
- return newObj
+ return newObj;
}
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvaG9va3MudHMiXSwic291cmNlc0NvbnRlbnQiOlsiZXhwb3J0IHsgdXNlU3RlcE5hdiB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZWxlbWVudHMvU3RlcE5hdidcbmV4cG9ydCB7IGRlZmF1bHQgYXMgdXNlRGVib3VuY2UgfSBmcm9tICcuLi8uLi9hZG1pbi9ob29rcy91c2VEZWJvdW5jZSdcbmV4cG9ydCB7IHVzZURlYm91bmNlZENhbGxiYWNrIH0gZnJvbSAnLi4vLi4vYWRtaW4vaG9va3MvdXNlRGVib3VuY2VkQ2FsbGJhY2snXG5leHBvcnQgeyB1c2VEZWxheSB9IGZyb20gJy4uLy4uL2FkbWluL2hvb2tzL3VzZURlbGF5J1xuZXhwb3J0IHsgdXNlRGVsYXllZFJlbmRlciB9IGZyb20gJy4uLy4uL2FkbWluL2hvb2tzL3VzZURlbGF5ZWRSZW5kZXInXG5leHBvcnQgeyBkZWZhdWx0IGFzIHVzZUhvdGtleSB9IGZyb20gJy4uLy4uL2FkbWluL2hvb2tzL3VzZUhvdGtleSdcbmV4cG9ydCB7IGRlZmF1bHQgYXMgdXNlSW50ZXJzZWN0IH0gZnJvbSAnLi4vLi4vYWRtaW4vaG9va3MvdXNlSW50ZXJzZWN0J1xuZXhwb3J0IHsgZGVmYXVsdCBhcyB1c2VNb3VudEVmZmVjdCB9IGZyb20gJy4uLy4uL2FkbWluL2hvb2tzL3VzZU1vdW50RWZmZWN0J1xuZXhwb3J0IHsgZGVmYXVsdCBhcyB1c2VQYXlsb2FkQVBJIH0gZnJvbSAnLi4vLi4vYWRtaW4vaG9va3MvdXNlUGF5bG9hZEFQSSdcbmV4cG9ydCB7IGRlZmF1bHQgYXMgdXNlVGhyb3R0bGVkRWZmZWN0IH0gZnJvbSAnLi4vLi4vYWRtaW4vaG9va3MvdXNlVGhyb3R0bGVkRWZmZWN0J1xuZXhwb3J0IHsgZGVmYXVsdCBhcyB1c2VUaHVtYm5haWwgfSBmcm9tICcuLi8uLi9hZG1pbi9ob29rcy91c2VUaHVtYm5haWwnXG5leHBvcnQgeyBkZWZhdWx0IGFzIHVzZVRpdGxlLCBmb3JtYXRVc2VBc1RpdGxlIH0gZnJvbSAnLi4vLi4vYWRtaW4vaG9va3MvdXNlVGl0bGUnXG4iXSwibmFtZXMiOlsidXNlU3RlcE5hdiIsInVzZURlYm91bmNlIiwidXNlRGVib3VuY2VkQ2FsbGJhY2siLCJ1c2VEZWxheSIsInVzZURlbGF5ZWRSZW5kZXIiLCJ1c2VIb3RrZXkiLCJ1c2VJbnRlcnNlY3QiLCJ1c2VNb3VudEVmZmVjdCIsInVzZVBheWxvYWRBUEkiLCJ1c2VUaHJvdHRsZWRFZmZlY3QiLCJ1c2VUaHVtYm5haWwiLCJ1c2VUaXRsZSIsImZvcm1hdFVzZUFzVGl0bGUiXSwibWFwcGluZ3MiOiI7Ozs7Ozs7Ozs7O0lBQVNBLFVBQVU7ZUFBVkEsbUJBQVU7O0lBQ0NDLFdBQVc7ZUFBWEEsb0JBQVc7O0lBQ3RCQyxvQkFBb0I7ZUFBcEJBLDBDQUFvQjs7SUFDcEJDLFFBQVE7ZUFBUkEsa0JBQVE7O0lBQ1JDLGdCQUFnQjtlQUFoQkEsa0NBQWdCOztJQUNMQyxTQUFTO2VBQVRBLGtCQUFTOztJQUNUQyxZQUFZO2VBQVpBLHFCQUFZOztJQUNaQyxjQUFjO2VBQWRBLHVCQUFjOztJQUNkQyxhQUFhO2VBQWJBLHNCQUFhOztJQUNiQyxrQkFBa0I7ZUFBbEJBLDJCQUFrQjs7SUFDbEJDLFlBQVk7ZUFBWkEscUJBQVk7O0lBQ1pDLFFBQVE7ZUFBUkEsaUJBQVE7O0lBQUVDLGdCQUFnQjtlQUFoQkEsMEJBQWdCOzs7eUJBWG5CO29FQUNZO3NDQUNGOzBCQUNaO2tDQUNRO2tFQUNJO3FFQUNHO3VFQUNFO3NFQUNEOzJFQUNLO3FFQUNOO2tFQUNjIn0=
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvaG9va3MudHMiXSwic291cmNlc0NvbnRlbnQiOlsiZXhwb3J0IHsgdXNlU3RlcE5hdiB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZWxlbWVudHMvU3RlcE5hdidcbmV4cG9ydCB7IGRlZmF1bHQgYXMgdXNlRGVib3VuY2UgfSBmcm9tICcuLi8uLi9hZG1pbi9ob29rcy91c2VEZWJvdW5jZSdcbmV4cG9ydCB7IHVzZURlYm91bmNlZENhbGxiYWNrIH0gZnJvbSAnLi4vLi4vYWRtaW4vaG9va3MvdXNlRGVib3VuY2VkQ2FsbGJhY2snXG5leHBvcnQgeyB1c2VEZWxheSB9IGZyb20gJy4uLy4uL2FkbWluL2hvb2tzL3VzZURlbGF5J1xuZXhwb3J0IHsgdXNlRGVsYXllZFJlbmRlciB9IGZyb20gJy4uLy4uL2FkbWluL2hvb2tzL3VzZURlbGF5ZWRSZW5kZXInXG5leHBvcnQgeyBkZWZhdWx0IGFzIHVzZUhvdGtleSB9IGZyb20gJy4uLy4uL2FkbWluL2hvb2tzL3VzZUhvdGtleSdcbmV4cG9ydCB7IGRlZmF1bHQgYXMgdXNlSW50ZXJzZWN0IH0gZnJvbSAnLi4vLi4vYWRtaW4vaG9va3MvdXNlSW50ZXJzZWN0J1xuZXhwb3J0IHsgZGVmYXVsdCBhcyB1c2VNb3VudEVmZmVjdCB9IGZyb20gJy4uLy4uL2FkbWluL2hvb2tzL3VzZU1vdW50RWZmZWN0J1xuZXhwb3J0IHsgZGVmYXVsdCBhcyB1c2VQYXlsb2FkQVBJIH0gZnJvbSAnLi4vLi4vYWRtaW4vaG9va3MvdXNlUGF5bG9hZEFQSSdcbmV4cG9ydCB7IGRlZmF1bHQgYXMgdXNlVGhyb3R0bGVkRWZmZWN0IH0gZnJvbSAnLi4vLi4vYWRtaW4vaG9va3MvdXNlVGhyb3R0bGVkRWZmZWN0J1xuZXhwb3J0IHsgZGVmYXVsdCBhcyB1c2VUaHVtYm5haWwgfSBmcm9tICcuLi8uLi9hZG1pbi9ob29rcy91c2VUaHVtYm5haWwnXG5leHBvcnQgeyBkZWZhdWx0IGFzIHVzZVRpdGxlLCBmb3JtYXRVc2VBc1RpdGxlIH0gZnJvbSAnLi4vLi4vYWRtaW4vaG9va3MvdXNlVGl0bGUnXG4iXSwibmFtZXMiOlsidXNlU3RlcE5hdiIsInVzZURlYm91bmNlIiwidXNlRGVib3VuY2VkQ2FsbGJhY2siLCJ1c2VEZWxheSIsInVzZURlbGF5ZWRSZW5kZXIiLCJ1c2VIb3RrZXkiLCJ1c2VJbnRlcnNlY3QiLCJ1c2VNb3VudEVmZmVjdCIsInVzZVBheWxvYWRBUEkiLCJ1c2VUaHJvdHRsZWRFZmZlY3QiLCJ1c2VUaHVtYm5haWwiLCJ1c2VUaXRsZSIsImZvcm1hdFVzZUFzVGl0bGUiXSwibWFwcGluZ3MiOiI7Ozs7Ozs7Ozs7O0lBQVNBLFVBQVU7ZUFBVkEsbUJBQVU7O0lBQ0NDLFdBQVc7ZUFBWEEsb0JBQVc7O0lBQ3RCQyxvQkFBb0I7ZUFBcEJBLDBDQUFvQjs7SUFDcEJDLFFBQVE7ZUFBUkEsa0JBQVE7O0lBQ1JDLGdCQUFnQjtlQUFoQkEsa0NBQWdCOztJQUNMQyxTQUFTO2VBQVRBLGtCQUFTOztJQUNUQyxZQUFZO2VBQVpBLHFCQUFZOztJQUNaQyxjQUFjO2VBQWRBLHVCQUFjOztJQUNkQyxhQUFhO2VBQWJBLHNCQUFhOztJQUNiQyxrQkFBa0I7ZUFBbEJBLDJCQUFrQjs7SUFDbEJDLFlBQVk7ZUFBWkEscUJBQVk7O0lBQ1pDLFFBQVE7ZUFBUkEsaUJBQVE7O0lBQUVDLGdCQUFnQjtlQUFoQkEsMEJBQWdCOzs7eUJBWG5CO29FQUNZO3NDQUNGOzBCQUNaO2tDQUNRO2tFQUNJO3FFQUNHO3VFQUNFO3NFQUNEOzJFQUNLO3FFQUNOO2tFQUNjIn0=
\ No newline at end of file
diff --git a/packages/payload/components/icons.d.ts b/packages/payload/components/icons.d.ts
index 63984d7e6ab..8593acaa61d 100644
--- a/packages/payload/components/icons.d.ts
+++ b/packages/payload/components/icons.d.ts
@@ -1,3 +1,3 @@
-export { default as Chevron } from '../dist/admin/components/icons/Chevron'
-export { default as X } from '../dist/admin/components/icons/X'
-//# sourceMappingURL=icons.d.ts.map
+export { default as Chevron } from '../dist/admin/components/icons/Chevron';
+export { default as X } from '../dist/admin/components/icons/X';
+//# sourceMappingURL=icons.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/icons.js b/packages/payload/components/icons.js
index c9ebf59f90a..42edf0e715a 100644
--- a/packages/payload/components/icons.js
+++ b/packages/payload/components/icons.js
@@ -1,32 +1,27 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
function _export(target, all) {
- for (var name in all)
- Object.defineProperty(target, name, {
- enumerable: true,
- get: all[name],
- })
+ for(var name in all)Object.defineProperty(target, name, {
+ enumerable: true,
+ get: all[name]
+ });
}
_export(exports, {
- Chevron: function () {
- return _Chevron.default
- },
- X: function () {
- return _X.default
- },
-})
-const _Chevron = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/icons/Chevron'),
-)
-const _X = /*#__PURE__*/ _interop_require_default(require('../dist/admin/components/icons/X'))
+ Chevron: function() {
+ return _Chevron.default;
+ },
+ X: function() {
+ return _X.default;
+ }
+});
+const _Chevron = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/icons/Chevron"));
+const _X = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/icons/X"));
function _interop_require_default(obj) {
- return obj && obj.__esModule
- ? obj
- : {
- default: obj,
- }
+ return obj && obj.__esModule ? obj : {
+ default: obj
+ };
}
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvaWNvbnMudHMiXSwic291cmNlc0NvbnRlbnQiOlsiZXhwb3J0IHsgZGVmYXVsdCBhcyBDaGV2cm9uIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9pY29ucy9DaGV2cm9uJ1xuZXhwb3J0IHsgZGVmYXVsdCBhcyBYIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9pY29ucy9YJ1xuIl0sIm5hbWVzIjpbIkNoZXZyb24iLCJYIl0sIm1hcHBpbmdzIjoiOzs7Ozs7Ozs7OztJQUFvQkEsT0FBTztlQUFQQSxnQkFBTzs7SUFDUEMsQ0FBQztlQUFEQSxVQUFDOzs7Z0VBRGM7MERBQ04ifQ==
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvaWNvbnMudHMiXSwic291cmNlc0NvbnRlbnQiOlsiZXhwb3J0IHsgZGVmYXVsdCBhcyBDaGV2cm9uIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9pY29ucy9DaGV2cm9uJ1xuZXhwb3J0IHsgZGVmYXVsdCBhcyBYIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9pY29ucy9YJ1xuIl0sIm5hbWVzIjpbIkNoZXZyb24iLCJYIl0sIm1hcHBpbmdzIjoiOzs7Ozs7Ozs7OztJQUFvQkEsT0FBTztlQUFQQSxnQkFBTzs7SUFDUEMsQ0FBQztlQUFEQSxVQUFDOzs7Z0VBRGM7MERBQ04ifQ==
\ No newline at end of file
diff --git a/packages/payload/components/index.js b/packages/payload/components/index.js
index efd0c3c540c..6a4da719058 100644
--- a/packages/payload/components/index.js
+++ b/packages/payload/components/index.js
@@ -1,12593 +1,27 @@
-;(() => {
- var e = {
- 2: (e, t, n) => {
- 'use strict'
- Object.defineProperty(t, '__esModule', { value: !0 }),
- Object.defineProperty(t, 'default', {
- enumerable: !0,
- get: function () {
- return o
- },
- })
- const r = a(n(9497))
- function a(e) {
- return e && e.__esModule ? e : { default: e }
- }
- n(7345)
- const o = ({ className: e }) =>
- r.default.createElement(
- 'svg',
- {
- className: [e, 'icon icon--x'].filter(Boolean).join(' '),
- height: '25',
- viewBox: '0 0 25 25',
- width: '25',
- xmlns: 'http://www.w3.org/2000/svg',
- },
- r.default.createElement('line', {
- className: 'stroke',
- x1: '8.74612',
- x2: '16.3973',
- y1: '16.347',
- y2: '8.69584',
- }),
- r.default.createElement('line', {
- className: 'stroke',
- x1: '8.6027',
- x2: '16.2539',
- y1: '8.69585',
- y2: '16.3471',
- }),
- )
- },
- 63: (e, t, n) => {
- 'use strict'
- var r = n(9415),
- a = {
- childContextTypes: !0,
- contextType: !0,
- contextTypes: !0,
- defaultProps: !0,
- displayName: !0,
- getDefaultProps: !0,
- getDerivedStateFromError: !0,
- getDerivedStateFromProps: !0,
- mixins: !0,
- propTypes: !0,
- type: !0,
- },
- o = {
- name: !0,
- arguments: !0,
- arity: !0,
- callee: !0,
- caller: !0,
- length: !0,
- prototype: !0,
- },
- l = {
- $$typeof: !0,
- compare: !0,
- defaultProps: !0,
- displayName: !0,
- propTypes: !0,
- type: !0,
- },
- i = {}
- function u(e) {
- return r.isMemo(e) ? l : i[e.$$typeof] || a
- }
- ;(i[r.ForwardRef] = {
- $$typeof: !0,
- defaultProps: !0,
- displayName: !0,
- propTypes: !0,
- render: !0,
- }),
- (i[r.Memo] = l)
- var s = Object.defineProperty,
- c = Object.getOwnPropertyNames,
- f = Object.getOwnPropertySymbols,
- d = Object.getOwnPropertyDescriptor,
- p = Object.getPrototypeOf,
- h = Object.prototype
- e.exports = function e(t, n, r) {
- if ('string' != typeof n) {
- if (h) {
- var a = p(n)
- a && a !== h && e(t, a, r)
- }
- var l = c(n)
- f && (l = l.concat(f(n)))
- for (var i = u(t), m = u(n), v = 0; v < l.length; ++v) {
- var g = l[v]
- if (!(o[g] || (r && r[g]) || (m && m[g]) || (i && i[g]))) {
- var y = d(n, g)
- try {
- s(t, g, y)
- } catch (e) {}
- }
- }
- }
- return t
- }
- },
- 254: (e, t, n) => {
- 'use strict'
- n.r(t)
- },
- 362: function (e, t, n) {
- 'use strict'
- var r =
- (this && this.__createBinding) ||
- (Object.create
- ? function (e, t, n, r) {
- void 0 === r && (r = n)
- var a = Object.getOwnPropertyDescriptor(t, n)
- ;(a && !('get' in a ? !t.__esModule : a.writable || a.configurable)) ||
- (a = {
- enumerable: !0,
- get: function () {
- return t[n]
- },
- }),
- Object.defineProperty(e, r, a)
- }
- : function (e, t, n, r) {
- void 0 === r && (r = n), (e[r] = t[n])
- }),
- a =
- (this && this.__setModuleDefault) ||
- (Object.create
- ? function (e, t) {
- Object.defineProperty(e, 'default', { enumerable: !0, value: t })
- }
- : function (e, t) {
- e.default = t
- }),
- o =
- (this && this.__importStar) ||
- function (e) {
- if (e && e.__esModule) return e
- var t = {}
- if (null != e)
- for (var n in e)
- 'default' !== n && Object.prototype.hasOwnProperty.call(e, n) && r(t, e, n)
- return a(t, e), t
- },
- l =
- (this && this.__importDefault) ||
- function (e) {
- return e && e.__esModule ? e : { default: e }
- }
- Object.defineProperty(t, '__esModule', { value: !0 })
- var i = o(n(9497)),
- u = l(n(9767))
- t.default = function (e) {
- var t = e.children,
- n = (0, u.default)()
- return t
- ? 'function' == typeof t
- ? i.default.createElement(i.Fragment, null, t(n))
- : i.default.createElement(i.Fragment, null, t)
- : null
- }
- },
- 754: (e, t, n) => {
- 'use strict'
- n.r(t)
- },
- 1117: (e, t, n) => {
- 'use strict'
- n.r(t)
- },
- 1137: (e, t, n) => {
- 'use strict'
- Object.defineProperty(t, '__esModule', { value: !0 }),
- Object.defineProperty(t, 'default', {
- enumerable: !0,
- get: function () {
- return o
- },
- })
- const r = a(n(9497))
- function a(e) {
- return e && e.__esModule ? e : { default: e }
- }
- n(254)
- const o = () =>
- r.default.createElement(
- 'svg',
- {
- className: 'icon icon--swap',
- viewBox: '0 0 25 25',
- xmlns: 'http://www.w3.org/2000/svg',
- },
- r.default.createElement('path', {
- className: 'stroke',
- d: 'M9.84631 4.78679L6.00004 8.63306L9.84631 12.4793',
- }),
- r.default.createElement('path', {
- className: 'stroke',
- d: 'M15.1537 20.1059L19 16.2596L15.1537 12.4133',
- }),
- r.default.createElement('line', {
- className: 'stroke',
- stroke: '#333333',
- x1: '7',
- x2: '15',
- y1: '8.7013',
- y2: '8.7013',
- }),
- r.default.createElement('line', {
- className: 'stroke',
- x1: '18',
- x2: '10',
- y1: '16.1195',
- y2: '16.1195',
- }),
- )
- },
- 1740: function (e, t, n) {
- 'use strict'
- var r =
- (this && this.__assign) ||
- function () {
- return (
- (r =
- Object.assign ||
- function (e) {
- for (var t, n = 1, r = arguments.length; n < r; n++)
- for (var a in (t = arguments[n]))
- Object.prototype.hasOwnProperty.call(t, a) && (e[a] = t[a])
- return e
- }),
- r.apply(this, arguments)
- )
- },
- a =
- (this && this.__importDefault) ||
- function (e) {
- return e && e.__esModule ? e : { default: e }
- }
- Object.defineProperty(t, '__esModule', { value: !0 })
- var o = a(n(9497)),
- l = a(n(9767))
- t.default = function (e) {
- return function (t) {
- var n = (0, l.default)()
- return o.default.createElement(e, r({}, r(r({}, t), { windowInfo: n })))
- }
- }
- },
- 1772: (e, t, n) => {
- 'use strict'
- var r = n(5148)
- function a() {}
- function o() {}
- ;(o.resetWarningCache = a),
- (e.exports = function () {
- function e(e, t, n, a, o, l) {
- if (l !== r) {
- var i = new Error(
- 'Calling PropTypes validators directly is not supported by the `prop-types` package. Use PropTypes.checkPropTypes() to call them. Read more at http://fb.me/use-check-prop-types',
- )
- throw ((i.name = 'Invariant Violation'), i)
- }
- }
- function t() {
- return e
- }
- e.isRequired = e
- var n = {
- any: e,
- array: e,
- arrayOf: t,
- bigint: e,
- bool: e,
- checkPropTypes: o,
- element: e,
- elementType: e,
- exact: t,
- func: e,
- instanceOf: t,
- node: e,
- number: e,
- object: e,
- objectOf: t,
- oneOf: t,
- oneOfType: t,
- resetWarningCache: a,
- shape: t,
- string: e,
- symbol: e,
- }
- return (n.PropTypes = n), n
- })
- },
- 1925: (e, t, n) => {
- 'use strict'
- Object.defineProperty(t, '__esModule', { value: !0 }),
- Object.defineProperty(t, 'default', {
- enumerable: !0,
- get: function () {
- return y
- },
- })
- const r = h(n(9497)),
- a = n(3717),
- o = d(n(5808)),
- l = d(n(6277)),
- i = d(n(2201)),
- u = d(n(8453)),
- s = d(n(1137)),
- c = d(n(2)),
- f = d(n(6982))
- function d(e) {
- return e && e.__esModule ? e : { default: e }
- }
- function p(e) {
- if ('function' != typeof WeakMap) return null
- var t = new WeakMap(),
- n = new WeakMap()
- return (p = function (e) {
- return e ? n : t
- })(e)
- }
- function h(e, t) {
- if (!t && e && e.__esModule) return e
- if (null === e || ('object' != typeof e && 'function' != typeof e)) return { default: e }
- var n = p(t)
- if (n && n.has(e)) return n.get(e)
- var r = {},
- a = Object.defineProperty && Object.getOwnPropertyDescriptor
- for (var o in e)
- if ('default' !== o && Object.prototype.hasOwnProperty.call(e, o)) {
- var l = a ? Object.getOwnPropertyDescriptor(e, o) : null
- l && (l.get || l.set) ? Object.defineProperty(r, o, l) : (r[o] = e[o])
- }
- return (r.default = e), n && n.set(e, r), r
- }
- n(1117)
- const m = {
- chevron: o.default,
- edit: l.default,
- link: i.default,
- plus: u.default,
- swap: s.default,
- x: c.default,
- },
- v = 'btn',
- g = ({ children: e, icon: t, showTooltip: n, tooltip: a }) => {
- const o = m[t]
- return r.default.createElement(
- r.Fragment,
- null,
- a && r.default.createElement(f.default, { className: `${v}__tooltip`, show: n }, a),
- r.default.createElement(
- 'span',
- { className: `${v}__content` },
- e && r.default.createElement('span', { className: `${v}__label` }, e),
- t &&
- r.default.createElement(
- 'span',
- { className: `${v}__icon` },
- (0, r.isValidElement)(t) && t,
- o && r.default.createElement(o, null),
- ),
- ),
- )
- },
- y = (0, r.forwardRef)((e, t) => {
- const {
- id: p,
- 'aria-label': n,
- buttonStyle: o = 'primary',
- children: l,
- className: i,
- disabled: u,
- el: s = 'button',
- icon: c,
- iconPosition: f = 'right',
- iconStyle: d = 'without-border',
- newTab: h,
- onClick: m,
- round: y,
- size: b = 'medium',
- to: w,
- tooltip: k,
- type: x = 'button',
- url: S,
- } = e,
- [E, C] = r.default.useState(!1)
- const _ = {
- id: p,
- 'aria-disabled': u,
- 'aria-label': n,
- className: [
- v,
- i && i,
- o && `${v}--style-${o}`,
- c && `${v}--icon`,
- d && `${v}--icon-style-${d}`,
- c && !l && `${v}--icon-only`,
- u && `${v}--disabled`,
- y && `${v}--round`,
- b && `${v}--size-${b}`,
- f && `${v}--icon-position-${f}`,
- k && `${v}--has-tooltip`,
- ]
- .filter(Boolean)
- .join(' '),
- disabled: u,
- onClick: u
- ? void 0
- : function (e) {
- C(!1), 'submit' !== x && m && e.preventDefault(), m && m(e)
- },
- onMouseEnter: k ? () => C(!0) : void 0,
- onMouseLeave: k ? () => C(!1) : void 0,
- rel: h ? 'noopener noreferrer' : void 0,
- target: h ? '_blank' : void 0,
- type: x,
- }
- switch (s) {
- case 'link':
- return r.default.createElement(
- a.Link,
- { ..._, to: w || S },
- r.default.createElement(g, { icon: c, showTooltip: E, tooltip: k }, l),
- )
- case 'anchor':
- return r.default.createElement(
- 'a',
- { ..._, href: S, ref: t },
- r.default.createElement(g, { icon: c, showTooltip: E, tooltip: k }, l),
- )
- default:
- const e = s
- return r.default.createElement(
- e,
- { ref: t, type: 'submit', ..._ },
- r.default.createElement(g, { icon: c, showTooltip: E, tooltip: k }, l),
- )
- }
- })
- },
- 2197: (e, t) => {
- 'use strict'
- /**
- * @license React
- * scheduler.production.min.js
- *
- * Copyright (c) Facebook, Inc. and its affiliates.
- *
- * This source code is licensed under the MIT license found in the
- * LICENSE file in the root directory of this source tree.
- */ function n(e, t) {
- var n = e.length
- e.push(t)
- e: for (; 0 < n; ) {
- var r = (n - 1) >>> 1,
- a = e[r]
- if (!(0 < o(a, t))) break e
- ;(e[r] = t), (e[n] = a), (n = r)
- }
- }
- function r(e) {
- return 0 === e.length ? null : e[0]
- }
- function a(e) {
- if (0 === e.length) return null
- var t = e[0],
- n = e.pop()
- if (n !== t) {
- e[0] = n
- e: for (var r = 0, a = e.length, l = a >>> 1; r < l; ) {
- var i = 2 * (r + 1) - 1,
- u = e[i],
- s = i + 1,
- c = e[s]
- if (0 > o(u, n))
- s < a && 0 > o(c, u)
- ? ((e[r] = c), (e[s] = n), (r = s))
- : ((e[r] = u), (e[i] = n), (r = i))
- else {
- if (!(s < a && 0 > o(c, n))) break e
- ;(e[r] = c), (e[s] = n), (r = s)
- }
- }
- }
- return t
- }
- function o(e, t) {
- var n = e.sortIndex - t.sortIndex
- return 0 !== n ? n : e.id - t.id
- }
- if ('object' == typeof performance && 'function' == typeof performance.now) {
- var l = performance
- t.unstable_now = function () {
- return l.now()
- }
- } else {
- var i = Date,
- u = i.now()
- t.unstable_now = function () {
- return i.now() - u
- }
- }
- var s = [],
- c = [],
- f = 1,
- d = null,
- p = 3,
- h = !1,
- m = !1,
- v = !1,
- g = 'function' == typeof setTimeout ? setTimeout : null,
- y = 'function' == typeof clearTimeout ? clearTimeout : null,
- b = 'undefined' != typeof setImmediate ? setImmediate : null
- function w(e) {
- for (var t = r(c); null !== t; ) {
- if (null === t.callback) a(c)
- else {
- if (!(t.startTime <= e)) break
- a(c), (t.sortIndex = t.expirationTime), n(s, t)
- }
- t = r(c)
- }
- }
- function k(e) {
- if (((v = !1), w(e), !m))
- if (null !== r(s)) (m = !0), R(x)
- else {
- var t = r(c)
- null !== t && z(k, t.startTime - e)
- }
- }
- function x(e, n) {
- ;(m = !1), v && ((v = !1), y(_), (_ = -1)), (h = !0)
- var o = p
- try {
- for (w(n), d = r(s); null !== d && (!(d.expirationTime > n) || (e && !O())); ) {
- var l = d.callback
- if ('function' == typeof l) {
- ;(d.callback = null), (p = d.priorityLevel)
- var i = l(d.expirationTime <= n)
- ;(n = t.unstable_now()),
- 'function' == typeof i ? (d.callback = i) : d === r(s) && a(s),
- w(n)
- } else a(s)
- d = r(s)
- }
- if (null !== d) var u = !0
- else {
- var f = r(c)
- null !== f && z(k, f.startTime - n), (u = !1)
- }
- return u
- } finally {
- ;(d = null), (p = o), (h = !1)
- }
- }
- 'undefined' != typeof navigator &&
- void 0 !== navigator.scheduling &&
- void 0 !== navigator.scheduling.isInputPending &&
- navigator.scheduling.isInputPending.bind(navigator.scheduling)
- var S,
- E = !1,
- C = null,
- _ = -1,
- P = 5,
- N = -1
- function O() {
- return !(t.unstable_now() - N < P)
- }
- function M() {
- if (null !== C) {
- var e = t.unstable_now()
- N = e
- var n = !0
- try {
- n = C(!0, e)
- } finally {
- n ? S() : ((E = !1), (C = null))
- }
- } else E = !1
- }
- if ('function' == typeof b)
- S = function () {
- b(M)
- }
- else if ('undefined' != typeof MessageChannel) {
- var T = new MessageChannel(),
- L = T.port2
- ;(T.port1.onmessage = M),
- (S = function () {
- L.postMessage(null)
- })
- } else
- S = function () {
- g(M, 0)
- }
- function R(e) {
- ;(C = e), E || ((E = !0), S())
- }
- function z(e, n) {
- _ = g(function () {
- e(t.unstable_now())
- }, n)
- }
- ;(t.unstable_IdlePriority = 5),
- (t.unstable_ImmediatePriority = 1),
- (t.unstable_LowPriority = 4),
- (t.unstable_NormalPriority = 3),
- (t.unstable_Profiling = null),
- (t.unstable_UserBlockingPriority = 2),
- (t.unstable_cancelCallback = function (e) {
- e.callback = null
- }),
- (t.unstable_continueExecution = function () {
- m || h || ((m = !0), R(x))
- }),
- (t.unstable_forceFrameRate = function (e) {
- 0 > e || 125 < e
- ? console.error(
- 'forceFrameRate takes a positive int between 0 and 125, forcing frame rates higher than 125 fps is not supported',
- )
- : (P = 0 < e ? Math.floor(1e3 / e) : 5)
- }),
- (t.unstable_getCurrentPriorityLevel = function () {
- return p
- }),
- (t.unstable_getFirstCallbackNode = function () {
- return r(s)
- }),
- (t.unstable_next = function (e) {
- switch (p) {
- case 1:
- case 2:
- case 3:
- var t = 3
- break
- default:
- t = p
- }
- var n = p
- p = t
- try {
- return e()
- } finally {
- p = n
- }
- }),
- (t.unstable_pauseExecution = function () {}),
- (t.unstable_requestPaint = function () {}),
- (t.unstable_runWithPriority = function (e, t) {
- switch (e) {
- case 1:
- case 2:
- case 3:
- case 4:
- case 5:
- break
- default:
- e = 3
- }
- var n = p
- p = e
- try {
- return t()
- } finally {
- p = n
- }
- }),
- (t.unstable_scheduleCallback = function (e, a, o) {
- var l = t.unstable_now()
- switch (
- ('object' == typeof o && null !== o
- ? (o = 'number' == typeof (o = o.delay) && 0 < o ? l + o : l)
- : (o = l),
- e)
- ) {
- case 1:
- var i = -1
- break
- case 2:
- i = 250
- break
- case 5:
- i = 1073741823
- break
- case 4:
- i = 1e4
- break
- default:
- i = 5e3
- }
- return (
- (e = {
- id: f++,
- callback: a,
- expirationTime: (i = o + i),
- priorityLevel: e,
- sortIndex: -1,
- startTime: o,
- }),
- o > l
- ? ((e.sortIndex = o),
- n(c, e),
- null === r(s) && e === r(c) && (v ? (y(_), (_ = -1)) : (v = !0), z(k, o - l)))
- : ((e.sortIndex = i), n(s, e), m || h || ((m = !0), R(x))),
- e
- )
- }),
- (t.unstable_shouldYield = O),
- (t.unstable_wrapCallback = function (e) {
- var t = p
- return function () {
- var n = p
- p = t
- try {
- return e.apply(this, arguments)
- } finally {
- p = n
- }
- }
- })
- },
- 2201: (e, t, n) => {
- 'use strict'
- Object.defineProperty(t, '__esModule', { value: !0 }),
- Object.defineProperty(t, 'default', {
- enumerable: !0,
- get: function () {
- return o
- },
- })
- const r = a(n(9497))
- function a(e) {
- return e && e.__esModule ? e : { default: e }
- }
- n(4574)
- const o = () =>
- r.default.createElement(
- 'svg',
- {
- 'aria-hidden': 'true',
- className: 'graphic link icon icon--link',
- fill: 'currentColor',
- focusable: 'false',
- viewBox: '0 0 24 24',
- xmlns: 'http://www.w3.org/2000/svg',
- },
- r.default.createElement('path', { d: 'M0 0h24v24H0z', fill: 'none' }),
- r.default.createElement('path', {
- className: 'fill',
- d: 'M3.9 12c0-1.71 1.39-3.1 3.1-3.1h4V7H7c-2.76 0-5 2.24-5 5s2.24 5 5 5h4v-1.9H7c-1.71 0-3.1-1.39-3.1-3.1zM8 13h8v-2H8v2zm9-6h-4v1.9h4c1.71 0 3.1 1.39 3.1 3.1s-1.39 3.1-3.1 3.1h-4V17h4c2.76 0 5-2.24 5-5s-2.24-5-5-5z',
- }),
- )
- },
- 2367: (e, t, n) => {
- 'use strict'
- n.r(t)
- },
- 2767: function (e, t, n) {
- 'use strict'
- var r =
- (this && this.__assign) ||
- function () {
- return (
- (r =
- Object.assign ||
- function (e) {
- for (var t, n = 1, r = arguments.length; n < r; n++)
- for (var a in (t = arguments[n]))
- Object.prototype.hasOwnProperty.call(t, a) && (e[a] = t[a])
- return e
- }),
- r.apply(this, arguments)
- )
- },
- a =
- (this && this.__createBinding) ||
- (Object.create
- ? function (e, t, n, r) {
- void 0 === r && (r = n)
- var a = Object.getOwnPropertyDescriptor(t, n)
- ;(a && !('get' in a ? !t.__esModule : a.writable || a.configurable)) ||
- (a = {
- enumerable: !0,
- get: function () {
- return t[n]
- },
- }),
- Object.defineProperty(e, r, a)
- }
- : function (e, t, n, r) {
- void 0 === r && (r = n), (e[r] = t[n])
- }),
- o =
- (this && this.__setModuleDefault) ||
- (Object.create
- ? function (e, t) {
- Object.defineProperty(e, 'default', { enumerable: !0, value: t })
- }
- : function (e, t) {
- e.default = t
- }),
- l =
- (this && this.__importStar) ||
- function (e) {
- if (e && e.__esModule) return e
- var t = {}
- if (null != e)
- for (var n in e)
- 'default' !== n && Object.prototype.hasOwnProperty.call(e, n) && a(t, e, n)
- return o(t, e), t
- },
- i =
- (this && this.__importDefault) ||
- function (e) {
- return e && e.__esModule ? e : { default: e }
- }
- Object.defineProperty(t, '__esModule', { value: !0 })
- var u = l(n(9497)),
- s = i(n(3690)),
- c = function (e, t) {
- var n = t.payload,
- a = n.breakpoints
- n.animationRef.current = null
- var o = e.eventsFired,
- l = document.documentElement,
- i = l.style,
- u = l.clientWidth,
- s = l.clientHeight,
- c = window.innerWidth,
- f = window.innerHeight,
- d = ''.concat(u / 100, 'px'),
- p = ''.concat(s / 100, 'px'),
- h = a
- ? Object.keys(a).reduce(function (e, t) {
- var n
- return r(r({}, e), (((n = {})[t] = window.matchMedia(a[t]).matches), n))
- }, {})
- : {},
- m = { '--vh': p, '--vw': d, breakpoints: h, eventsFired: o + 1, height: f, width: c }
- return i.setProperty('--vw', d), i.setProperty('--vh', p), m
- }
- t.default = function (e) {
- var t = e.breakpoints,
- n = e.children,
- a = (0, u.useRef)(null),
- o = (0, u.useReducer)(c, {
- '--vh': '',
- '--vw': '',
- breakpoints: {},
- eventsFired: 0,
- height: void 0,
- width: void 0,
- }),
- l = o[0],
- i = o[1],
- f = (0, u.useCallback)(
- function () {
- a.current && cancelAnimationFrame(a.current),
- (a.current = requestAnimationFrame(function () {
- return i({ payload: { animationRef: a, breakpoints: t }, type: 'UPDATE' })
- }))
- },
- [t],
- ),
- d = (0, u.useCallback)(
- function () {
- setTimeout(function () {
- f()
- }, 500)
- },
- [f],
- )
- return (
- (0, u.useEffect)(
- function () {
- return (
- window.addEventListener('resize', f),
- window.addEventListener('orientationchange', d),
- function () {
- window.removeEventListener('resize', f),
- window.removeEventListener('orientationchange', d)
- }
- )
- },
- [f, d],
- ),
- (0, u.useEffect)(
- function () {
- 0 === l.eventsFired &&
- i({ payload: { animationRef: a, breakpoints: t }, type: 'UPDATE' })
- },
- [t, l],
- ),
- u.default.createElement(s.default.Provider, { value: r({}, l) }, n && n)
- )
- }
- },
- 2862: (e, t, n) => {
- 'use strict'
- n.r(t)
- },
- 3174: (e, t, n) => {
- 'use strict'
- n.r(t)
- },
- 3369: (e, t, n) => {
- 'use strict'
- n.r(t)
- },
- 3414: (e, t, n) => {
- 'use strict'
- Object.defineProperty(t, '__esModule', { value: !0 }),
- Object.defineProperty(t, 'default', {
- enumerable: !0,
- get: function () {
- return l
- },
- })
- const r = a(n(9497))
- function a(e) {
- return e && e.__esModule ? e : { default: e }
- }
- n(2367)
- const o = 'template-minimal',
- l = (e) => {
- const { children: t, className: n, style: a = {}, width: l = 'normal' } = e,
- i = [n, o, `${o}--width-${l}`].filter(Boolean).join(' ')
- return r.default.createElement(
- 'section',
- { className: i, style: a },
- r.default.createElement('div', { className: `${o}__wrap` }, t),
- )
- }
- },
- 3617: (e, t, n) => {
- 'use strict'
- n.r(t)
- },
- 3690: (e, t, n) => {
- 'use strict'
- Object.defineProperty(t, '__esModule', { value: !0 })
- var r = (0, n(9497).createContext)({})
- t.default = r
- },
- 3717: (e, t, n) => {
- 'use strict'
- function r(e, t) {
- return (
- (r = Object.setPrototypeOf
- ? Object.setPrototypeOf.bind()
- : function (e, t) {
- return (e.__proto__ = t), e
- }),
- r(e, t)
- )
- }
- function a(e, t) {
- ;(e.prototype = Object.create(t.prototype)), (e.prototype.constructor = e), r(e, t)
- }
- n.r(t),
- n.d(t, {
- BrowserRouter: () => xe,
- HashRouter: () => Se,
- Link: () => Oe,
- MemoryRouter: () => X,
- NavLink: () => Le,
- Prompt: () => J,
- Redirect: () => re,
- Route: () => ue,
- Router: () => Y,
- StaticRouter: () => he,
- Switch: () => me,
- generatePath: () => ne,
- matchPath: () => ie,
- useHistory: () => ye,
- useLocation: () => be,
- useParams: () => we,
- useRouteMatch: () => ke,
- withRouter: () => ve,
- })
- var o = n(9497),
- l = n.n(o),
- i = n(7862),
- u = n.n(i)
- function s() {
- return (
- (s = Object.assign
- ? Object.assign.bind()
- : function (e) {
- for (var t = 1; t < arguments.length; t++) {
- var n = arguments[t]
- for (var r in n) Object.prototype.hasOwnProperty.call(n, r) && (e[r] = n[r])
- }
- return e
- }),
- s.apply(this, arguments)
- )
- }
- function c(e) {
- return '/' === e.charAt(0)
- }
- function f(e, t) {
- for (var n = t, r = n + 1, a = e.length; r < a; n += 1, r += 1) e[n] = e[r]
- e.pop()
- }
- const d = function (e, t) {
- void 0 === t && (t = '')
- var n,
- r = (e && e.split('/')) || [],
- a = (t && t.split('/')) || [],
- o = e && c(e),
- l = t && c(t),
- i = o || l
- if ((e && c(e) ? (a = r) : r.length && (a.pop(), (a = a.concat(r))), !a.length))
- return '/'
- if (a.length) {
- var u = a[a.length - 1]
- n = '.' === u || '..' === u || '' === u
- } else n = !1
- for (var s = 0, d = a.length; d >= 0; d--) {
- var p = a[d]
- '.' === p ? f(a, d) : '..' === p ? (f(a, d), s++) : s && (f(a, d), s--)
- }
- if (!i) for (; s--; s) a.unshift('..')
- !i || '' === a[0] || (a[0] && c(a[0])) || a.unshift('')
- var h = a.join('/')
- return n && '/' !== h.substr(-1) && (h += '/'), h
- }
- function p(e) {
- return e.valueOf ? e.valueOf() : Object.prototype.valueOf.call(e)
- }
- const h = function e(t, n) {
- if (t === n) return !0
- if (null == t || null == n) return !1
- if (Array.isArray(t))
- return (
- Array.isArray(n) &&
- t.length === n.length &&
- t.every(function (t, r) {
- return e(t, n[r])
- })
- )
- if ('object' == typeof t || 'object' == typeof n) {
- var r = p(t),
- a = p(n)
- return r !== t || a !== n
- ? e(r, a)
- : Object.keys(Object.assign({}, t, n)).every(function (r) {
- return e(t[r], n[r])
- })
- }
- return !1
- }
- var m = !0,
- v = 'Invariant failed'
- function g(e, t) {
- if (!e) {
- if (m) throw new Error(v)
- var n = 'function' == typeof t ? t() : t,
- r = n ? ''.concat(v, ': ').concat(n) : v
- throw new Error(r)
- }
- }
- function y(e) {
- return '/' === e.charAt(0) ? e : '/' + e
- }
- function b(e) {
- return '/' === e.charAt(0) ? e.substr(1) : e
- }
- function w(e, t) {
- return (function (e, t) {
- return (
- 0 === e.toLowerCase().indexOf(t.toLowerCase()) &&
- -1 !== '/?#'.indexOf(e.charAt(t.length))
- )
- })(e, t)
- ? e.substr(t.length)
- : e
- }
- function k(e) {
- return '/' === e.charAt(e.length - 1) ? e.slice(0, -1) : e
- }
- function x(e) {
- var t = e.pathname,
- n = e.search,
- r = e.hash,
- a = t || '/'
- return (
- n && '?' !== n && (a += '?' === n.charAt(0) ? n : '?' + n),
- r && '#' !== r && (a += '#' === r.charAt(0) ? r : '#' + r),
- a
- )
- }
- function S(e, t, n, r) {
- var a
- 'string' == typeof e
- ? ((a = (function (e) {
- var t = e || '/',
- n = '',
- r = '',
- a = t.indexOf('#')
- ;-1 !== a && ((r = t.substr(a)), (t = t.substr(0, a)))
- var o = t.indexOf('?')
- return (
- -1 !== o && ((n = t.substr(o)), (t = t.substr(0, o))),
- { hash: '#' === r ? '' : r, pathname: t, search: '?' === n ? '' : n }
- )
- })(e)),
- (a.state = t))
- : (void 0 === (a = s({}, e)).pathname && (a.pathname = ''),
- a.search
- ? '?' !== a.search.charAt(0) && (a.search = '?' + a.search)
- : (a.search = ''),
- a.hash ? '#' !== a.hash.charAt(0) && (a.hash = '#' + a.hash) : (a.hash = ''),
- void 0 !== t && void 0 === a.state && (a.state = t))
- try {
- a.pathname = decodeURI(a.pathname)
- } catch (e) {
- throw e instanceof URIError
- ? new URIError(
- 'Pathname "' +
- a.pathname +
- '" could not be decoded. This is likely caused by an invalid percent-encoding.',
- )
- : e
- }
- return (
- n && (a.key = n),
- r
- ? a.pathname
- ? '/' !== a.pathname.charAt(0) && (a.pathname = d(a.pathname, r.pathname))
- : (a.pathname = r.pathname)
- : a.pathname || (a.pathname = '/'),
- a
- )
- }
- function E() {
- var e = null
- var t = []
- return {
- appendListener: function (e) {
- var n = !0
- function r() {
- n && e.apply(void 0, arguments)
- }
- return (
- t.push(r),
- function () {
- ;(n = !1),
- (t = t.filter(function (e) {
- return e !== r
- }))
- }
- )
- },
- confirmTransitionTo: function (t, n, r, a) {
- if (null != e) {
- var o = 'function' == typeof e ? e(t, n) : e
- 'string' == typeof o ? ('function' == typeof r ? r(o, a) : a(!0)) : a(!1 !== o)
- } else a(!0)
- },
- notifyListeners: function () {
- for (var e = arguments.length, n = new Array(e), r = 0; r < e; r++)
- n[r] = arguments[r]
- t.forEach(function (e) {
- return e.apply(void 0, n)
- })
- },
- setPrompt: function (t) {
- return (
- (e = t),
- function () {
- e === t && (e = null)
- }
- )
- },
- }
- }
- var C = !(
- 'undefined' == typeof window ||
- !window.document ||
- !window.document.createElement
- )
- function _(e, t) {
- t(window.confirm(e))
- }
- var P = 'popstate',
- N = 'hashchange'
- function O() {
- try {
- return window.history.state || {}
- } catch (e) {
- return {}
- }
- }
- function M(e) {
- void 0 === e && (e = {}), C || g(!1)
- var t,
- n = window.history,
- r =
- ((-1 === (t = window.navigator.userAgent).indexOf('Android 2.') &&
- -1 === t.indexOf('Android 4.0')) ||
- -1 === t.indexOf('Mobile Safari') ||
- -1 !== t.indexOf('Chrome') ||
- -1 !== t.indexOf('Windows Phone')) &&
- window.history &&
- 'pushState' in window.history,
- a = !(-1 === window.navigator.userAgent.indexOf('Trident')),
- o = e,
- l = o.forceRefresh,
- i = void 0 !== l && l,
- u = o.getUserConfirmation,
- c = void 0 === u ? _ : u,
- f = o.keyLength,
- d = void 0 === f ? 6 : f,
- p = e.basename ? k(y(e.basename)) : ''
- function h(e) {
- var t = e || {},
- n = t.key,
- r = t.state,
- a = window.location,
- o = a.pathname + a.search + a.hash
- return p && (o = w(o, p)), S(o, r, n)
- }
- function m() {
- return Math.random().toString(36).substr(2, d)
- }
- var v = E()
- function b(e) {
- s(U, e), (U.length = n.length), v.notifyListeners(U.location, U.action)
- }
- function M(e) {
- ;(function (e) {
- return void 0 === e.state && -1 === navigator.userAgent.indexOf('CriOS')
- })(e) || R(h(e.state))
- }
- function T() {
- R(h(O()))
- }
- var L = !1
- function R(e) {
- if (L) (L = !1), b()
- else {
- v.confirmTransitionTo(e, 'POP', c, function (t) {
- t
- ? b({ action: 'POP', location: e })
- : (function (e) {
- var t = U.location,
- n = D.indexOf(t.key)
- ;-1 === n && (n = 0)
- var r = D.indexOf(e.key)
- ;-1 === r && (r = 0)
- var a = n - r
- a && ((L = !0), j(a))
- })(e)
- })
- }
- }
- var z = h(O()),
- D = [z.key]
- function I(e) {
- return p + x(e)
- }
- function j(e) {
- n.go(e)
- }
- var F = 0
- function A(e) {
- 1 === (F += e) && 1 === e
- ? (window.addEventListener(P, M), a && window.addEventListener(N, T))
- : 0 === F && (window.removeEventListener(P, M), a && window.removeEventListener(N, T))
- }
- var $ = !1
- var U = {
- action: 'POP',
- block: function (e) {
- void 0 === e && (e = !1)
- var t = v.setPrompt(e)
- return (
- $ || (A(1), ($ = !0)),
- function () {
- return $ && (($ = !1), A(-1)), t()
- }
- )
- },
- createHref: I,
- go: j,
- goBack: function () {
- j(-1)
- },
- goForward: function () {
- j(1)
- },
- length: n.length,
- listen: function (e) {
- var t = v.appendListener(e)
- return (
- A(1),
- function () {
- A(-1), t()
- }
- )
- },
- location: z,
- push: function (e, t) {
- var a = 'PUSH',
- o = S(e, t, m(), U.location)
- v.confirmTransitionTo(o, a, c, function (e) {
- if (e) {
- var t = I(o),
- l = o.key,
- u = o.state
- if (r)
- if ((n.pushState({ key: l, state: u }, null, t), i)) window.location.href = t
- else {
- var s = D.indexOf(U.location.key),
- c = D.slice(0, s + 1)
- c.push(o.key), (D = c), b({ action: a, location: o })
- }
- else window.location.href = t
- }
- })
- },
- replace: function (e, t) {
- var a = 'REPLACE',
- o = S(e, t, m(), U.location)
- v.confirmTransitionTo(o, a, c, function (e) {
- if (e) {
- var t = I(o),
- l = o.key,
- u = o.state
- if (r)
- if ((n.replaceState({ key: l, state: u }, null, t), i))
- window.location.replace(t)
- else {
- var s = D.indexOf(U.location.key)
- ;-1 !== s && (D[s] = o.key), b({ action: a, location: o })
- }
- else window.location.replace(t)
- }
- })
- },
- }
- return U
- }
- var T = 'hashchange',
- L = {
- hashbang: {
- decodePath: function (e) {
- return '!' === e.charAt(0) ? e.substr(1) : e
- },
- encodePath: function (e) {
- return '!' === e.charAt(0) ? e : '!/' + b(e)
- },
- },
- noslash: { decodePath: y, encodePath: b },
- slash: { decodePath: y, encodePath: y },
- }
- function R(e) {
- var t = e.indexOf('#')
- return -1 === t ? e : e.slice(0, t)
- }
- function z() {
- var e = window.location.href,
- t = e.indexOf('#')
- return -1 === t ? '' : e.substring(t + 1)
- }
- function D(e) {
- window.location.replace(R(window.location.href) + '#' + e)
- }
- function I(e) {
- void 0 === e && (e = {}), C || g(!1)
- var t = window.history,
- n = (window.navigator.userAgent.indexOf('Firefox'), e),
- r = n.getUserConfirmation,
- a = void 0 === r ? _ : r,
- o = n.hashType,
- l = void 0 === o ? 'slash' : o,
- i = e.basename ? k(y(e.basename)) : '',
- u = L[l],
- c = u.encodePath,
- f = u.decodePath
- function d() {
- var e = f(z())
- return i && (e = w(e, i)), S(e)
- }
- var p = E()
- function h(e) {
- s($, e), ($.length = t.length), p.notifyListeners($.location, $.action)
- }
- var m = !1,
- v = null
- function b() {
- var e,
- t,
- n = z(),
- r = c(n)
- if (n !== r) D(r)
- else {
- var o = d(),
- l = $.location
- if (
- !m &&
- ((t = o),
- (e = l).pathname === t.pathname && e.search === t.search && e.hash === t.hash)
- )
- return
- if (v === x(o)) return
- ;(v = null),
- (function (e) {
- if (m) (m = !1), h()
- else {
- var t = 'POP'
- p.confirmTransitionTo(e, t, a, function (n) {
- n
- ? h({ action: t, location: e })
- : (function (e) {
- var t = $.location,
- n = M.lastIndexOf(x(t))
- ;-1 === n && (n = 0)
- var r = M.lastIndexOf(x(e))
- ;-1 === r && (r = 0)
- var a = n - r
- a && ((m = !0), I(a))
- })(e)
- })
- }
- })(o)
- }
- }
- var P = z(),
- N = c(P)
- P !== N && D(N)
- var O = d(),
- M = [x(O)]
- function I(e) {
- t.go(e)
- }
- var j = 0
- function F(e) {
- 1 === (j += e) && 1 === e
- ? window.addEventListener(T, b)
- : 0 === j && window.removeEventListener(T, b)
- }
- var A = !1
- var $ = {
- action: 'POP',
- block: function (e) {
- void 0 === e && (e = !1)
- var t = p.setPrompt(e)
- return (
- A || (F(1), (A = !0)),
- function () {
- return A && ((A = !1), F(-1)), t()
- }
- )
- },
- createHref: function (e) {
- var t = document.querySelector('base'),
- n = ''
- return (
- t && t.getAttribute('href') && (n = R(window.location.href)), n + '#' + c(i + x(e))
- )
- },
- go: I,
- goBack: function () {
- I(-1)
- },
- goForward: function () {
- I(1)
- },
- length: t.length,
- listen: function (e) {
- var t = p.appendListener(e)
- return (
- F(1),
- function () {
- F(-1), t()
- }
- )
- },
- location: O,
- push: function (e, t) {
- var n = 'PUSH',
- r = S(e, void 0, void 0, $.location)
- p.confirmTransitionTo(r, n, a, function (e) {
- if (e) {
- var t = x(r),
- a = c(i + t)
- if (z() !== a) {
- ;(v = t),
- (function (e) {
- window.location.hash = e
- })(a)
- var o = M.lastIndexOf(x($.location)),
- l = M.slice(0, o + 1)
- l.push(t), (M = l), h({ action: n, location: r })
- } else h()
- }
- })
- },
- replace: function (e, t) {
- var n = 'REPLACE',
- r = S(e, void 0, void 0, $.location)
- p.confirmTransitionTo(r, n, a, function (e) {
- if (e) {
- var t = x(r),
- a = c(i + t)
- z() !== a && ((v = t), D(a))
- var o = M.indexOf(x($.location))
- ;-1 !== o && (M[o] = t), h({ action: n, location: r })
- }
- })
- },
- }
- return $
- }
- function j(e, t, n) {
- return Math.min(Math.max(e, t), n)
- }
- var F = n(5415),
- A = n.n(F)
- n(9415)
- function $(e, t) {
- if (null == e) return {}
- var n,
- r,
- a = {},
- o = Object.keys(e)
- for (r = 0; r < o.length; r++) (n = o[r]), t.indexOf(n) >= 0 || (a[n] = e[n])
- return a
- }
- var U = n(63),
- B = n.n(U),
- W = 1073741823,
- H =
- 'undefined' != typeof globalThis
- ? globalThis
- : 'undefined' != typeof window
- ? window
- : void 0 !== n.g
- ? n.g
- : {}
- var V =
- l().createContext ||
- function (e, t) {
- var n,
- r,
- o =
- '__create-react-context-' +
- (function () {
- var e = '__global_unique_id__'
- return (H[e] = (H[e] || 0) + 1)
- })() +
- '__',
- i = (function (e) {
- function n() {
- for (var t, n, r, a = arguments.length, o = new Array(a), l = 0; l < a; l++)
- o[l] = arguments[l]
- return (
- ((t = e.call.apply(e, [this].concat(o)) || this).emitter =
- ((n = t.props.value),
- (r = []),
- {
- get: function () {
- return n
- },
- off: function (e) {
- r = r.filter(function (t) {
- return t !== e
- })
- },
- on: function (e) {
- r.push(e)
- },
- set: function (e, t) {
- ;(n = e),
- r.forEach(function (e) {
- return e(n, t)
- })
- },
- })),
- t
- )
- }
- a(n, e)
- var r = n.prototype
- return (
- (r.getChildContext = function () {
- var e
- return ((e = {})[o] = this.emitter), e
- }),
- (r.componentWillReceiveProps = function (e) {
- if (this.props.value !== e.value) {
- var n,
- r = this.props.value,
- a = e.value
- ;((o = r) === (l = a) ? 0 !== o || 1 / o == 1 / l : o != o && l != l)
- ? (n = 0)
- : ((n = 'function' == typeof t ? t(r, a) : W),
- 0 !== (n |= 0) && this.emitter.set(e.value, n))
- }
- var o, l
- }),
- (r.render = function () {
- return this.props.children
- }),
- n
- )
- })(l().Component)
- i.childContextTypes = (((n = {})[o] = u().object.isRequired), n)
- var s = (function (t) {
- function n() {
- for (var e, n = arguments.length, r = new Array(n), a = 0; a < n; a++)
- r[a] = arguments[a]
- return (
- ((e = t.call.apply(t, [this].concat(r)) || this).observedBits = void 0),
- (e.state = { value: e.getValue() }),
- (e.onUpdate = function (t, n) {
- 0 != ((0 | e.observedBits) & n) && e.setState({ value: e.getValue() })
- }),
- e
- )
- }
- a(n, t)
- var r = n.prototype
- return (
- (r.componentWillReceiveProps = function (e) {
- var t = e.observedBits
- this.observedBits = null == t ? W : t
- }),
- (r.componentDidMount = function () {
- this.context[o] && this.context[o].on(this.onUpdate)
- var e = this.props.observedBits
- this.observedBits = null == e ? W : e
- }),
- (r.componentWillUnmount = function () {
- this.context[o] && this.context[o].off(this.onUpdate)
- }),
- (r.getValue = function () {
- return this.context[o] ? this.context[o].get() : e
- }),
- (r.render = function () {
- return ((e = this.props.children), Array.isArray(e) ? e[0] : e)(
- this.state.value,
- )
- var e
- }),
- n
- )
- })(l().Component)
- return (
- (s.contextTypes = (((r = {})[o] = u().object), r)), { Consumer: s, Provider: i }
- )
- },
- Q = function (e) {
- var t = V()
- return (t.displayName = e), t
- },
- K = Q('Router-History'),
- q = Q('Router'),
- Y = (function (e) {
- function t(t) {
- var n
- return (
- ((n = e.call(this, t) || this).state = { location: t.history.location }),
- (n._isMounted = !1),
- (n._pendingLocation = null),
- t.staticContext ||
- (n.unlisten = t.history.listen(function (e) {
- n._pendingLocation = e
- })),
- n
- )
- }
- a(t, e),
- (t.computeRootMatch = function (e) {
- return { isExact: '/' === e, params: {}, path: '/', url: '/' }
- })
- var n = t.prototype
- return (
- (n.componentDidMount = function () {
- var e = this
- ;(this._isMounted = !0),
- this.unlisten && this.unlisten(),
- this.props.staticContext ||
- (this.unlisten = this.props.history.listen(function (t) {
- e._isMounted && e.setState({ location: t })
- })),
- this._pendingLocation && this.setState({ location: this._pendingLocation })
- }),
- (n.componentWillUnmount = function () {
- this.unlisten &&
- (this.unlisten(), (this._isMounted = !1), (this._pendingLocation = null))
- }),
- (n.render = function () {
- return l().createElement(
- q.Provider,
- {
- value: {
- history: this.props.history,
- location: this.state.location,
- match: t.computeRootMatch(this.state.location.pathname),
- staticContext: this.props.staticContext,
- },
- },
- l().createElement(K.Provider, {
- children: this.props.children || null,
- value: this.props.history,
- }),
- )
- }),
- t
- )
- })(l().Component)
- var X = (function (e) {
- function t() {
- for (var t, n = arguments.length, r = new Array(n), a = 0; a < n; a++)
- r[a] = arguments[a]
- return (
- ((t = e.call.apply(e, [this].concat(r)) || this).history = (function (e) {
- void 0 === e && (e = {})
- var t = e,
- n = t.getUserConfirmation,
- r = t.initialEntries,
- a = void 0 === r ? ['/'] : r,
- o = t.initialIndex,
- l = void 0 === o ? 0 : o,
- i = t.keyLength,
- u = void 0 === i ? 6 : i,
- c = E()
- function f(e) {
- s(g, e), (g.length = g.entries.length), c.notifyListeners(g.location, g.action)
- }
- function d() {
- return Math.random().toString(36).substr(2, u)
- }
- var p = j(l, 0, a.length - 1),
- h = a.map(function (e) {
- return S(e, void 0, 'string' == typeof e ? d() : e.key || d())
- }),
- m = x
- function v(e) {
- var t = j(g.index + e, 0, g.entries.length - 1),
- r = g.entries[t]
- c.confirmTransitionTo(r, 'POP', n, function (e) {
- e ? f({ action: 'POP', index: t, location: r }) : f()
- })
- }
- var g = {
- action: 'POP',
- block: function (e) {
- return void 0 === e && (e = !1), c.setPrompt(e)
- },
- canGo: function (e) {
- var t = g.index + e
- return t >= 0 && t < g.entries.length
- },
- createHref: m,
- entries: h,
- go: v,
- goBack: function () {
- v(-1)
- },
- goForward: function () {
- v(1)
- },
- index: p,
- length: h.length,
- listen: function (e) {
- return c.appendListener(e)
- },
- location: h[p],
- push: function (e, t) {
- var r = 'PUSH',
- a = S(e, t, d(), g.location)
- c.confirmTransitionTo(a, r, n, function (e) {
- if (e) {
- var t = g.index + 1,
- n = g.entries.slice(0)
- n.length > t ? n.splice(t, n.length - t, a) : n.push(a),
- f({ action: r, entries: n, index: t, location: a })
- }
- })
- },
- replace: function (e, t) {
- var r = 'REPLACE',
- a = S(e, t, d(), g.location)
- c.confirmTransitionTo(a, r, n, function (e) {
- e && ((g.entries[g.index] = a), f({ action: r, location: a }))
- })
- },
- }
- return g
- })(t.props)),
- t
- )
- }
- return (
- a(t, e),
- (t.prototype.render = function () {
- return l().createElement(Y, { children: this.props.children, history: this.history })
- }),
- t
- )
- })(l().Component)
- var G = (function (e) {
- function t() {
- return e.apply(this, arguments) || this
- }
- a(t, e)
- var n = t.prototype
- return (
- (n.componentDidMount = function () {
- this.props.onMount && this.props.onMount.call(this, this)
- }),
- (n.componentDidUpdate = function (e) {
- this.props.onUpdate && this.props.onUpdate.call(this, this, e)
- }),
- (n.componentWillUnmount = function () {
- this.props.onUnmount && this.props.onUnmount.call(this, this)
- }),
- (n.render = function () {
- return null
- }),
- t
- )
- })(l().Component)
- function J(e) {
- var t = e.message,
- n = e.when,
- r = void 0 === n || n
- return l().createElement(q.Consumer, null, function (e) {
- if ((e || g(!1), !r || e.staticContext)) return null
- var n = e.history.block
- return l().createElement(G, {
- message: t,
- onMount: function (e) {
- e.release = n(t)
- },
- onUnmount: function (e) {
- e.release()
- },
- onUpdate: function (e, r) {
- r.message !== t && (e.release(), (e.release = n(t)))
- },
- })
- })
- }
- var Z = {},
- ee = 1e4,
- te = 0
- function ne(e, t) {
- return (
- void 0 === e && (e = '/'),
- void 0 === t && (t = {}),
- '/' === e
- ? e
- : (function (e) {
- if (Z[e]) return Z[e]
- var t = A().compile(e)
- return te < ee && ((Z[e] = t), te++), t
- })(e)(t, { pretty: !0 })
- )
- }
- function re(e) {
- var t = e.computedMatch,
- n = e.to,
- r = e.push,
- a = void 0 !== r && r
- return l().createElement(q.Consumer, null, function (e) {
- e || g(!1)
- var r = e.history,
- o = e.staticContext,
- i = a ? r.push : r.replace,
- u = S(
- t
- ? 'string' == typeof n
- ? ne(n, t.params)
- : s({}, n, { pathname: ne(n.pathname, t.params) })
- : n,
- )
- return o
- ? (i(u), null)
- : l().createElement(G, {
- onMount: function () {
- i(u)
- },
- onUpdate: function (e, t) {
- var n,
- r,
- a = S(t.to)
- ;(n = a),
- (r = s({}, u, { key: a.key })),
- (n.pathname === r.pathname &&
- n.search === r.search &&
- n.hash === r.hash &&
- n.key === r.key &&
- h(n.state, r.state)) ||
- i(u)
- },
- to: n,
- })
- })
- }
- var ae = {},
- oe = 1e4,
- le = 0
- function ie(e, t) {
- void 0 === t && (t = {}), ('string' == typeof t || Array.isArray(t)) && (t = { path: t })
- var n = t,
- r = n.path,
- a = n.exact,
- o = void 0 !== a && a,
- l = n.strict,
- i = void 0 !== l && l,
- u = n.sensitive,
- s = void 0 !== u && u
- return [].concat(r).reduce(function (t, n) {
- if (!n && '' !== n) return null
- if (t) return t
- var r = (function (e, t) {
- var n = '' + t.end + t.strict + t.sensitive,
- r = ae[n] || (ae[n] = {})
- if (r[e]) return r[e]
- var a = [],
- o = { keys: a, regexp: A()(e, a, t) }
- return le < oe && ((r[e] = o), le++), o
- })(n, { end: o, sensitive: s, strict: i }),
- a = r.regexp,
- l = r.keys,
- u = a.exec(e)
- if (!u) return null
- var c = u[0],
- f = u.slice(1),
- d = e === c
- return o && !d
- ? null
- : {
- isExact: d,
- params: l.reduce(function (e, t, n) {
- return (e[t.name] = f[n]), e
- }, {}),
- path: n,
- url: '/' === n && '' === c ? '/' : c,
- }
- }, null)
- }
- var ue = (function (e) {
- function t() {
- return e.apply(this, arguments) || this
- }
- return (
- a(t, e),
- (t.prototype.render = function () {
- var e = this
- return l().createElement(q.Consumer, null, function (t) {
- t || g(!1)
- var n = e.props.location || t.location,
- r = s({}, t, {
- location: n,
- match: e.props.computedMatch
- ? e.props.computedMatch
- : e.props.path
- ? ie(n.pathname, e.props)
- : t.match,
- }),
- a = e.props,
- o = a.children,
- i = a.component,
- u = a.render
- return (
- Array.isArray(o) &&
- (function (e) {
- return 0 === l().Children.count(e)
- })(o) &&
- (o = null),
- l().createElement(
- q.Provider,
- { value: r },
- r.match
- ? o
- ? 'function' == typeof o
- ? o(r)
- : o
- : i
- ? l().createElement(i, r)
- : u
- ? u(r)
- : null
- : 'function' == typeof o
- ? o(r)
- : null,
- )
- )
- })
- }),
- t
- )
- })(l().Component)
- function se(e) {
- return '/' === e.charAt(0) ? e : '/' + e
- }
- function ce(e, t) {
- if (!e) return t
- var n = se(e)
- return 0 !== t.pathname.indexOf(n)
- ? t
- : s({}, t, { pathname: t.pathname.substr(n.length) })
- }
- function fe(e) {
- return 'string' == typeof e ? e : x(e)
- }
- function de(e) {
- return function () {
- g(!1)
- }
- }
- function pe() {}
- var he = (function (e) {
- function t() {
- for (var t, n = arguments.length, r = new Array(n), a = 0; a < n; a++)
- r[a] = arguments[a]
- return (
- ((t = e.call.apply(e, [this].concat(r)) || this).handlePush = function (e) {
- return t.navigateTo(e, 'PUSH')
- }),
- (t.handleReplace = function (e) {
- return t.navigateTo(e, 'REPLACE')
- }),
- (t.handleListen = function () {
- return pe
- }),
- (t.handleBlock = function () {
- return pe
- }),
- t
- )
- }
- a(t, e)
- var n = t.prototype
- return (
- (n.navigateTo = function (e, t) {
- var n = this.props,
- r = n.basename,
- a = void 0 === r ? '' : r,
- o = n.context,
- l = void 0 === o ? {} : o
- ;(l.action = t),
- (l.location = (function (e, t) {
- return e ? s({}, t, { pathname: se(e) + t.pathname }) : t
- })(a, S(e))),
- (l.url = fe(l.location))
- }),
- (n.render = function () {
- var e = this.props,
- t = e.basename,
- n = void 0 === t ? '' : t,
- r = e.context,
- a = void 0 === r ? {} : r,
- o = e.location,
- i = void 0 === o ? '/' : o,
- u = $(e, ['basename', 'context', 'location']),
- c = {
- action: 'POP',
- block: this.handleBlock,
- createHref: function (e) {
- return se(n + fe(e))
- },
- go: de(),
- goBack: de(),
- goForward: de(),
- listen: this.handleListen,
- location: ce(n, S(i)),
- push: this.handlePush,
- replace: this.handleReplace,
- }
- return l().createElement(Y, s({}, u, { history: c, staticContext: a }))
- }),
- t
- )
- })(l().Component)
- var me = (function (e) {
- function t() {
- return e.apply(this, arguments) || this
- }
- return (
- a(t, e),
- (t.prototype.render = function () {
- var e = this
- return l().createElement(q.Consumer, null, function (t) {
- t || g(!1)
- var n,
- r,
- a = e.props.location || t.location
- return (
- l().Children.forEach(e.props.children, function (e) {
- if (null == r && l().isValidElement(e)) {
- n = e
- var o = e.props.path || e.props.from
- r = o ? ie(a.pathname, s({}, e.props, { path: o })) : t.match
- }
- }),
- r ? l().cloneElement(n, { computedMatch: r, location: a }) : null
- )
- })
- }),
- t
- )
- })(l().Component)
- function ve(e) {
- var t = 'withRouter(' + (e.displayName || e.name) + ')',
- n = function (t) {
- var n = t.wrappedComponentRef,
- r = $(t, ['wrappedComponentRef'])
- return l().createElement(q.Consumer, null, function (t) {
- return t || g(!1), l().createElement(e, s({}, r, t, { ref: n }))
- })
- }
- return (n.displayName = t), (n.WrappedComponent = e), B()(n, e)
- }
- var ge = l().useContext
- function ye() {
- return ge(K)
- }
- function be() {
- return ge(q).location
- }
- function we() {
- var e = ge(q).match
- return e ? e.params : {}
- }
- function ke(e) {
- var t = be(),
- n = ge(q).match
- return e ? ie(t.pathname, e) : n
- }
- var xe = (function (e) {
- function t() {
- for (var t, n = arguments.length, r = new Array(n), a = 0; a < n; a++)
- r[a] = arguments[a]
- return ((t = e.call.apply(e, [this].concat(r)) || this).history = M(t.props)), t
- }
- return (
- a(t, e),
- (t.prototype.render = function () {
- return l().createElement(Y, { children: this.props.children, history: this.history })
- }),
- t
- )
- })(l().Component)
- var Se = (function (e) {
- function t() {
- for (var t, n = arguments.length, r = new Array(n), a = 0; a < n; a++)
- r[a] = arguments[a]
- return ((t = e.call.apply(e, [this].concat(r)) || this).history = I(t.props)), t
- }
- return (
- a(t, e),
- (t.prototype.render = function () {
- return l().createElement(Y, { children: this.props.children, history: this.history })
- }),
- t
- )
- })(l().Component)
- var Ee = function (e, t) {
- return 'function' == typeof e ? e(t) : e
- },
- Ce = function (e, t) {
- return 'string' == typeof e ? S(e, null, null, t) : e
- },
- _e = function (e) {
- return e
- },
- Pe = l().forwardRef
- void 0 === Pe && (Pe = _e)
- var Ne = Pe(function (e, t) {
- var n = e.innerRef,
- r = e.navigate,
- a = e.onClick,
- o = $(e, ['innerRef', 'navigate', 'onClick']),
- i = o.target,
- u = s({}, o, {
- onClick: function (e) {
- try {
- a && a(e)
- } catch (t) {
- throw (e.preventDefault(), t)
- }
- e.defaultPrevented ||
- 0 !== e.button ||
- (i && '_self' !== i) ||
- (function (e) {
- return !!(e.metaKey || e.altKey || e.ctrlKey || e.shiftKey)
- })(e) ||
- (e.preventDefault(), r())
- },
- })
- return (u.ref = (_e !== Pe && t) || n), l().createElement('a', u)
- })
- var Oe = Pe(function (e, t) {
- var n = e.component,
- r = void 0 === n ? Ne : n,
- a = e.replace,
- o = e.to,
- i = e.innerRef,
- u = $(e, ['component', 'replace', 'to', 'innerRef'])
- return l().createElement(q.Consumer, null, function (e) {
- e || g(!1)
- var n = e.history,
- c = Ce(Ee(o, e.location), e.location),
- f = c ? n.createHref(c) : '',
- d = s({}, u, {
- href: f,
- navigate: function () {
- var t = Ee(o, e.location),
- r = x(e.location) === x(Ce(t))
- ;(a || r ? n.replace : n.push)(t)
- },
- })
- return _e !== Pe ? (d.ref = t || i) : (d.innerRef = i), l().createElement(r, d)
- })
- }),
- Me = function (e) {
- return e
- },
- Te = l().forwardRef
- void 0 === Te && (Te = Me)
- var Le = Te(function (e, t) {
- var n = e['aria-current'],
- r = void 0 === n ? 'page' : n,
- a = e.activeClassName,
- o = void 0 === a ? 'active' : a,
- i = e.activeStyle,
- u = e.className,
- c = e.exact,
- f = e.isActive,
- d = e.location,
- p = e.sensitive,
- h = e.strict,
- m = e.style,
- v = e.to,
- y = e.innerRef,
- b = $(e, [
- 'aria-current',
- 'activeClassName',
- 'activeStyle',
- 'className',
- 'exact',
- 'isActive',
- 'location',
- 'sensitive',
- 'strict',
- 'style',
- 'to',
- 'innerRef',
- ])
- return l().createElement(q.Consumer, null, function (e) {
- e || g(!1)
- var n = d || e.location,
- a = Ce(Ee(v, n), n),
- w = a.pathname,
- k = w && w.replace(/([.+*?=^!:${}()[\]|/\\])/g, '\\$1'),
- x = k ? ie(n.pathname, { exact: c, path: k, sensitive: p, strict: h }) : null,
- S = !!(f ? f(x, n) : x),
- E = 'function' == typeof u ? u(S) : u,
- C = 'function' == typeof m ? m(S) : m
- S &&
- ((E = (function () {
- for (var e = arguments.length, t = new Array(e), n = 0; n < e; n++)
- t[n] = arguments[n]
- return t
- .filter(function (e) {
- return e
- })
- .join(' ')
- })(E, o)),
- (C = s({}, C, i)))
- var _ = s({ 'aria-current': (S && r) || null, className: E, style: C, to: a }, b)
- return Me !== Te ? (_.ref = t || y) : (_.innerRef = y), l().createElement(Oe, _)
- })
- })
- },
- 3730: (e, t, n) => {
- 'use strict'
- !(function e() {
- if (
- 'undefined' != typeof __REACT_DEVTOOLS_GLOBAL_HOOK__ &&
- 'function' == typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE
- )
- try {
- __REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE(e)
- } catch (e) {
- console.error(e)
- }
- })(),
- n(5565)
- },
- 4393: (e, t, n) => {
- 'use strict'
- n.r(t)
- },
- 4507: (e, t) => {
- 'use strict'
- /** @license React v16.13.1
- * react-is.production.min.js
- *
- * Copyright (c) Facebook, Inc. and its affiliates.
- *
- * This source code is licensed under the MIT license found in the
- * LICENSE file in the root directory of this source tree.
- */ var n = 'function' == typeof Symbol && Symbol.for,
- r = n ? Symbol.for('react.element') : 60103,
- a = n ? Symbol.for('react.portal') : 60106,
- o = n ? Symbol.for('react.fragment') : 60107,
- l = n ? Symbol.for('react.strict_mode') : 60108,
- i = n ? Symbol.for('react.profiler') : 60114,
- u = n ? Symbol.for('react.provider') : 60109,
- s = n ? Symbol.for('react.context') : 60110,
- c = n ? Symbol.for('react.async_mode') : 60111,
- f = n ? Symbol.for('react.concurrent_mode') : 60111,
- d = n ? Symbol.for('react.forward_ref') : 60112,
- p = n ? Symbol.for('react.suspense') : 60113,
- h = n ? Symbol.for('react.suspense_list') : 60120,
- m = n ? Symbol.for('react.memo') : 60115,
- v = n ? Symbol.for('react.lazy') : 60116,
- g = n ? Symbol.for('react.block') : 60121,
- y = n ? Symbol.for('react.fundamental') : 60117,
- b = n ? Symbol.for('react.responder') : 60118,
- w = n ? Symbol.for('react.scope') : 60119
- function k(e) {
- if ('object' == typeof e && null !== e) {
- var t = e.$$typeof
- switch (t) {
- case r:
- switch ((e = e.type)) {
- case c:
- case f:
- case o:
- case i:
- case l:
- case p:
- return e
- default:
- switch ((e = e && e.$$typeof)) {
- case s:
- case d:
- case v:
- case m:
- case u:
- return e
- default:
- return t
- }
- }
- case a:
- return t
- }
- }
- }
- function x(e) {
- return k(e) === f
- }
- ;(t.AsyncMode = c),
- (t.ConcurrentMode = f),
- (t.ContextConsumer = s),
- (t.ContextProvider = u),
- (t.Element = r),
- (t.ForwardRef = d),
- (t.Fragment = o),
- (t.Lazy = v),
- (t.Memo = m),
- (t.Portal = a),
- (t.Profiler = i),
- (t.StrictMode = l),
- (t.Suspense = p),
- (t.isAsyncMode = function (e) {
- return x(e) || k(e) === c
- }),
- (t.isConcurrentMode = x),
- (t.isContextConsumer = function (e) {
- return k(e) === s
- }),
- (t.isContextProvider = function (e) {
- return k(e) === u
- }),
- (t.isElement = function (e) {
- return 'object' == typeof e && null !== e && e.$$typeof === r
- }),
- (t.isForwardRef = function (e) {
- return k(e) === d
- }),
- (t.isFragment = function (e) {
- return k(e) === o
- }),
- (t.isLazy = function (e) {
- return k(e) === v
- }),
- (t.isMemo = function (e) {
- return k(e) === m
- }),
- (t.isPortal = function (e) {
- return k(e) === a
- }),
- (t.isProfiler = function (e) {
- return k(e) === i
- }),
- (t.isStrictMode = function (e) {
- return k(e) === l
- }),
- (t.isSuspense = function (e) {
- return k(e) === p
- }),
- (t.isValidElementType = function (e) {
- return (
- 'string' == typeof e ||
- 'function' == typeof e ||
- e === o ||
- e === f ||
- e === i ||
- e === l ||
- e === p ||
- e === h ||
- ('object' == typeof e &&
- null !== e &&
- (e.$$typeof === v ||
- e.$$typeof === m ||
- e.$$typeof === u ||
- e.$$typeof === s ||
- e.$$typeof === d ||
- e.$$typeof === y ||
- e.$$typeof === b ||
- e.$$typeof === w ||
- e.$$typeof === g))
- )
- }),
- (t.typeOf = k)
- },
- 4574: (e, t, n) => {
- 'use strict'
- n.r(t)
- },
- 4717: (e, t, n) => {
- 'use strict'
- n.r(t)
- },
- 4929: (e, t, n) => {
- 'use strict'
- Object.defineProperty(t, '__esModule', { value: !0 }),
- Object.defineProperty(t, 'default', {
- enumerable: !0,
- get: function () {
- return f
- },
- })
- const r = n(9130),
- a = s(n(9497)),
- o = i(n(4981)),
- l = i(n(8507))
- function i(e) {
- return e && e.__esModule ? e : { default: e }
- }
- function u(e) {
- if ('function' != typeof WeakMap) return null
- var t = new WeakMap(),
- n = new WeakMap()
- return (u = function (e) {
- return e ? n : t
- })(e)
- }
- function s(e, t) {
- if (!t && e && e.__esModule) return e
- if (null === e || ('object' != typeof e && 'function' != typeof e)) return { default: e }
- var n = u(t)
- if (n && n.has(e)) return n.get(e)
- var r = {},
- a = Object.defineProperty && Object.getOwnPropertyDescriptor
- for (var o in e)
- if ('default' !== o && Object.prototype.hasOwnProperty.call(e, o)) {
- var l = a ? Object.getOwnPropertyDescriptor(e, o) : null
- l && (l.get || l.set) ? Object.defineProperty(r, o, l) : (r[o] = e[o])
- }
- return (r.default = e), n && n.set(e, r), r
- }
- n(4393)
- const c = 'popup',
- f = (e) => {
- const {
- boundingRef: t,
- button: n,
- buttonClassName: i,
- buttonType: u = 'default',
- caret: s = !0,
- children: f,
- className: d,
- color: p = 'light',
- forceOpen: h,
- horizontalAlign: m = 'left',
- initActive: v = !1,
- onToggleOpen: g,
- padding: y,
- render: b,
- showOnHover: w = !1,
- showScrollbar: k = !1,
- size: x = 'small',
- verticalAlign: S = 'top',
- } = e,
- { height: E, width: C } = (0, r.useWindowInfo)(),
- [_, P] = (0, o.default)({
- root: t?.current || null,
- rootMargin: '-100px 0px 0px 0px',
- threshold: 1,
- }),
- N = (0, a.useRef)(null),
- O = (0, a.useRef)(null),
- [M, T] = (0, a.useState)(v),
- [L, R] = (0, a.useState)(S),
- [z, D] = (0, a.useState)(m),
- I = (0, a.useCallback)(
- ({ horizontal: e = !1, vertical: n = !1 }) => {
- if (O.current) {
- const r = O.current.getBoundingClientRect(),
- { bottom: a, left: o, right: l, top: i } = r
- let u = 100,
- s = window.innerWidth,
- c = window.innerHeight,
- f = 0
- t?.current &&
- ({
- bottom: c,
- left: f,
- right: s,
- top: u,
- } = t.current.getBoundingClientRect()),
- e && (l > s && o > f ? D('right') : o < f && l < s && D('left')),
- n && (i < u && a < c ? R('bottom') : a > c && i > u && R('top'))
- }
- },
- [t],
- ),
- j = (0, a.useCallback)(
- (e) => {
- O.current.contains(e.target) || T(!1)
- },
- [O],
- )
- ;(0, a.useEffect)(() => {
- I({ horizontal: !0 })
- }, [P, I, C]),
- (0, a.useEffect)(() => {
- I({ vertical: !0 })
- }, [P, I, E]),
- (0, a.useEffect)(
- () => (
- 'function' == typeof g && g(M),
- M
- ? document.addEventListener('mousedown', j)
- : document.removeEventListener('mousedown', j),
- () => {
- document.removeEventListener('mousedown', j)
- }
- ),
- [M, j, g],
- ),
- (0, a.useEffect)(() => {
- T(h)
- }, [h])
- const F = [
- c,
- d,
- `${c}--size-${x}`,
- `${c}--color-${p}`,
- `${c}--v-align-${L}`,
- `${c}--h-align-${z}`,
- M && `${c}--active`,
- k && `${c}--show-scrollbar`,
- ]
- .filter(Boolean)
- .join(' ')
- return a.default.createElement(
- 'div',
- { className: F },
- a.default.createElement(
- 'div',
- { className: `${c}__wrapper`, ref: N },
- w
- ? a.default.createElement(
- 'div',
- {
- className: `${c}__on-hover-watch`,
- onMouseEnter: () => T(!0),
- onMouseLeave: () => T(!1),
- },
- a.default.createElement(l.default, {
- active: M,
- button: n,
- buttonType: u,
- className: i,
- setActive: T,
- }),
- )
- : a.default.createElement(l.default, {
- active: M,
- button: n,
- buttonType: u,
- className: i,
- setActive: T,
- }),
- ),
- a.default.createElement(
- 'div',
- {
- className: [`${c}__content`, s && `${c}__content--caret`]
- .filter(Boolean)
- .join(' '),
- ref: O,
- },
- a.default.createElement(
- 'div',
- { className: `${c}__wrap`, ref: _ },
- a.default.createElement(
- 'div',
- { className: `${c}__scroll`, style: { padding: y } },
- b && b({ close: () => T(!1) }),
- f && f,
- ),
- ),
- ),
- )
- }
- },
- 4954: (e, t, n) => {
- 'use strict'
- Object.defineProperty(t, '__esModule', { value: !0 }),
- Object.defineProperty(t, 'default', {
- enumerable: !0,
- get: function () {
- return o
- },
- })
- const r = a(n(9497))
- function a(e) {
- return e && e.__esModule ? e : { default: e }
- }
- n(3174)
- const o = () =>
- r.default.createElement(
- 'svg',
- {
- className: 'icon icon--search',
- fill: 'none',
- viewBox: '0 0 25 25',
- xmlns: 'http://www.w3.org/2000/svg',
- },
- r.default.createElement('circle', {
- className: 'stroke',
- cx: '11.2069',
- cy: '10.7069',
- r: '5',
- }),
- r.default.createElement('line', {
- className: 'stroke',
- x1: '14.914',
- x2: '20.5002',
- y1: '13.9998',
- y2: '19.586',
- }),
- )
- },
- 4981: (e, t, n) => {
- 'use strict'
- Object.defineProperty(t, '__esModule', { value: !0 }),
- Object.defineProperty(t, 'default', {
- enumerable: !0,
- get: function () {
- return a
- },
- })
- const r = n(9497),
- a = ({ root: e = null, rootMargin: t = '0px', threshold: n = 0 } = {}) => {
- const [a, o] = (0, r.useState)(),
- [l, i] = (0, r.useState)(null),
- u = (0, r.useRef)(
- new window.IntersectionObserver(([e]) => o(e), {
- root: e,
- rootMargin: t,
- threshold: n,
- }),
- )
- return (
- (0, r.useEffect)(() => {
- const { current: e } = u
- return e.disconnect(), l && e.observe(l), () => e.disconnect()
- }, [l]),
- [i, a]
- )
- }
- },
- 5061: (e, t, n) => {
- 'use strict'
- Object.defineProperty(t, '__esModule', { value: !0 }),
- Object.defineProperty(t, 'useDraggableSortable', {
- enumerable: !0,
- get: function () {
- return a
- },
- })
- const r = n(9509),
- a = (e) => {
- const { id: n, disabled: t } = e,
- {
- attributes: a,
- isDragging: o,
- listeners: l,
- setNodeRef: i,
- transform: u,
- } = (0, r.useSortable)({ id: n, disabled: t })
- return {
- attributes: { ...a, style: { cursor: o ? 'grabbing' : 'grab' } },
- isDragging: o,
- listeners: l,
- setNodeRef: i,
- transform: u && `translate3d(${u.x}px, ${u.y}px, 0)`,
- }
- }
- },
- 5148: (e) => {
- 'use strict'
- e.exports = 'SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED'
- },
- 5415: (e, t, n) => {
- var r = n(8967)
- ;(e.exports = p),
- (e.exports.parse = o),
- (e.exports.compile = function (e, t) {
- return i(o(e, t), t)
- }),
- (e.exports.tokensToFunction = i),
- (e.exports.tokensToRegExp = d)
- var a = new RegExp(
- [
- '(\\\\.)',
- '([\\/.])?(?:(?:\\:(\\w+)(?:\\(((?:\\\\.|[^\\\\()])+)\\))?|\\(((?:\\\\.|[^\\\\()])+)\\))([+*?])?|(\\*))',
- ].join('|'),
- 'g',
- )
- function o(e, t) {
- for (
- var n, r = [], o = 0, l = 0, i = '', c = (t && t.delimiter) || '/';
- null != (n = a.exec(e));
-
- ) {
- var f = n[0],
- d = n[1],
- p = n.index
- if (((i += e.slice(l, p)), (l = p + f.length), d)) i += d[1]
- else {
- var h = e[l],
- m = n[2],
- v = n[3],
- g = n[4],
- y = n[5],
- b = n[6],
- w = n[7]
- i && (r.push(i), (i = ''))
- var k = null != m && null != h && h !== m,
- x = '+' === b || '*' === b,
- S = '?' === b || '*' === b,
- E = n[2] || c,
- C = g || y
- r.push({
- name: v || o++,
- asterisk: !!w,
- delimiter: E,
- optional: S,
- partial: k,
- pattern: C ? s(C) : w ? '.*' : '[^' + u(E) + ']+?',
- prefix: m || '',
- repeat: x,
- })
- }
- }
- return l < e.length && (i += e.substr(l)), i && r.push(i), r
- }
- function l(e) {
- return encodeURI(e).replace(/[/?#]/g, function (e) {
- return '%' + e.charCodeAt(0).toString(16).toUpperCase()
- })
- }
- function i(e, t) {
- for (var n = new Array(e.length), a = 0; a < e.length; a++)
- 'object' == typeof e[a] && (n[a] = new RegExp('^(?:' + e[a].pattern + ')$', f(t)))
- return function (t, a) {
- for (
- var o = '', i = t || {}, u = (a || {}).pretty ? l : encodeURIComponent, s = 0;
- s < e.length;
- s++
- ) {
- var c = e[s]
- if ('string' != typeof c) {
- var f,
- d = i[c.name]
- if (null == d) {
- if (c.optional) {
- c.partial && (o += c.prefix)
- continue
- }
- throw new TypeError('Expected "' + c.name + '" to be defined')
- }
- if (r(d)) {
- if (!c.repeat)
- throw new TypeError(
- 'Expected "' +
- c.name +
- '" to not repeat, but received `' +
- JSON.stringify(d) +
- '`',
- )
- if (0 === d.length) {
- if (c.optional) continue
- throw new TypeError('Expected "' + c.name + '" to not be empty')
- }
- for (var p = 0; p < d.length; p++) {
- if (((f = u(d[p])), !n[s].test(f)))
- throw new TypeError(
- 'Expected all "' +
- c.name +
- '" to match "' +
- c.pattern +
- '", but received `' +
- JSON.stringify(f) +
- '`',
- )
- o += (0 === p ? c.prefix : c.delimiter) + f
- }
- } else {
- if (
- ((f = c.asterisk
- ? encodeURI(d).replace(/[?#]/g, function (e) {
- return '%' + e.charCodeAt(0).toString(16).toUpperCase()
- })
- : u(d)),
- !n[s].test(f))
- )
- throw new TypeError(
- 'Expected "' +
- c.name +
- '" to match "' +
- c.pattern +
- '", but received "' +
- f +
- '"',
- )
- o += c.prefix + f
- }
- } else o += c
- }
- return o
- }
- }
- function u(e) {
- return e.replace(/([.+*?=^!:${}()[\]|/\\])/g, '\\$1')
- }
- function s(e) {
- return e.replace(/([=!:$/()])/g, '\\$1')
- }
- function c(e, t) {
- return (e.keys = t), e
- }
- function f(e) {
- return e && e.sensitive ? '' : 'i'
- }
- function d(e, t, n) {
- r(t) || ((n = t || n), (t = []))
- for (var a = (n = n || {}).strict, o = !1 !== n.end, l = '', i = 0; i < e.length; i++) {
- var s = e[i]
- if ('string' == typeof s) l += u(s)
- else {
- var d = u(s.prefix),
- p = '(?:' + s.pattern + ')'
- t.push(s),
- s.repeat && (p += '(?:' + d + p + ')*'),
- (l += p =
- s.optional
- ? s.partial
- ? d + '(' + p + ')?'
- : '(?:' + d + '(' + p + '))?'
- : d + '(' + p + ')')
- }
- }
- var h = u(n.delimiter || '/'),
- m = l.slice(-h.length) === h
- return (
- a || (l = (m ? l.slice(0, -h.length) : l) + '(?:' + h + '(?=$))?'),
- (l += o ? '$' : a && m ? '' : '(?=' + h + '|$)'),
- c(new RegExp('^' + l, f(n)), t)
- )
- }
- function p(e, t, n) {
- return (
- r(t) || ((n = t || n), (t = [])),
- (n = n || {}),
- e instanceof RegExp
- ? (function (e, t) {
- var n = e.source.match(/\((?!\?)/g)
- if (n)
- for (var r = 0; r < n.length; r++)
- t.push({
- name: r,
- asterisk: !1,
- delimiter: null,
- optional: !1,
- partial: !1,
- pattern: null,
- prefix: null,
- repeat: !1,
- })
- return c(e, t)
- })(e, t)
- : r(e)
- ? (function (e, t, n) {
- for (var r = [], a = 0; a < e.length; a++) r.push(p(e[a], t, n).source)
- return c(new RegExp('(?:' + r.join('|') + ')', f(n)), t)
- })(e, t, n)
- : (function (e, t, n) {
- return d(o(e, n), t, n)
- })(e, t, n)
- )
- }
- },
- 5565: (e, t, n) => {
- 'use strict'
- var r = n(9497),
- a = n(5655)
- /**
- * @license React
- * react-dom.production.min.js
- *
- * Copyright (c) Facebook, Inc. and its affiliates.
- *
- * This source code is licensed under the MIT license found in the
- * LICENSE file in the root directory of this source tree.
- */ function o(e) {
- for (
- var t = 'https://reactjs.org/docs/error-decoder.html?invariant=' + e, n = 1;
- n < arguments.length;
- n++
- )
- t += '&args[]=' + encodeURIComponent(arguments[n])
- return (
- 'Minified React error #' +
- e +
- '; visit ' +
- t +
- ' for the full message or use the non-minified dev environment for full errors and additional helpful warnings.'
- )
- }
- var l = new Set(),
- i = {}
- function u(e, t) {
- s(e, t), s(e + 'Capture', t)
- }
- function s(e, t) {
- for (i[e] = t, e = 0; e < t.length; e++) l.add(t[e])
- }
- var c = !(
- 'undefined' == typeof window ||
- void 0 === window.document ||
- void 0 === window.document.createElement
- ),
- f = Object.prototype.hasOwnProperty,
- d =
- /^[:A-Z_a-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD][:\w\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD\-.\u00B7\u0300-\u036F\u203F\u2040]*$/,
- p = {},
- h = {}
- function m(e, t, n, r, a, o, l) {
- ;(this.acceptsBooleans = 2 === t || 3 === t || 4 === t),
- (this.attributeName = r),
- (this.attributeNamespace = a),
- (this.mustUseProperty = n),
- (this.propertyName = e),
- (this.type = t),
- (this.sanitizeURL = o),
- (this.removeEmptyString = l)
- }
- var v = {}
- 'children dangerouslySetInnerHTML defaultValue defaultChecked innerHTML suppressContentEditableWarning suppressHydrationWarning style'
- .split(' ')
- .forEach(function (e) {
- v[e] = new m(e, 0, !1, e, null, !1, !1)
- }),
- [
- ['acceptCharset', 'accept-charset'],
- ['className', 'class'],
- ['htmlFor', 'for'],
- ['httpEquiv', 'http-equiv'],
- ].forEach(function (e) {
- var t = e[0]
- v[t] = new m(t, 1, !1, e[1], null, !1, !1)
- }),
- ['contentEditable', 'draggable', 'spellCheck', 'value'].forEach(function (e) {
- v[e] = new m(e, 2, !1, e.toLowerCase(), null, !1, !1)
- }),
- ['autoReverse', 'externalResourcesRequired', 'focusable', 'preserveAlpha'].forEach(
- function (e) {
- v[e] = new m(e, 2, !1, e, null, !1, !1)
- },
- ),
- 'allowFullScreen async autoFocus autoPlay controls default defer disabled disablePictureInPicture disableRemotePlayback formNoValidate hidden loop noModule noValidate open playsInline readOnly required reversed scoped seamless itemScope'
- .split(' ')
- .forEach(function (e) {
- v[e] = new m(e, 3, !1, e.toLowerCase(), null, !1, !1)
- }),
- ['checked', 'multiple', 'muted', 'selected'].forEach(function (e) {
- v[e] = new m(e, 3, !0, e, null, !1, !1)
- }),
- ['capture', 'download'].forEach(function (e) {
- v[e] = new m(e, 4, !1, e, null, !1, !1)
- }),
- ['cols', 'rows', 'size', 'span'].forEach(function (e) {
- v[e] = new m(e, 6, !1, e, null, !1, !1)
- }),
- ['rowSpan', 'start'].forEach(function (e) {
- v[e] = new m(e, 5, !1, e.toLowerCase(), null, !1, !1)
- })
- var g = /[\-:]([a-z])/g
- function y(e) {
- return e[1].toUpperCase()
- }
- function b(e, t, n, r) {
- var a = v.hasOwnProperty(t) ? v[t] : null
- ;(null !== a
- ? 0 !== a.type
- : r ||
- !(2 < t.length) ||
- ('o' !== t[0] && 'O' !== t[0]) ||
- ('n' !== t[1] && 'N' !== t[1])) &&
- ((function (e, t, n, r) {
- if (
- null == t ||
- (function (e, t, n, r) {
- if (null !== n && 0 === n.type) return !1
- switch (typeof t) {
- case 'function':
- case 'symbol':
- return !0
- case 'boolean':
- return (
- !r &&
- (null !== n
- ? !n.acceptsBooleans
- : 'data-' !== (e = e.toLowerCase().slice(0, 5)) && 'aria-' !== e)
- )
- default:
- return !1
- }
- })(e, t, n, r)
- )
- return !0
- if (r) return !1
- if (null !== n)
- switch (n.type) {
- case 3:
- return !t
- case 4:
- return !1 === t
- case 5:
- return isNaN(t)
- case 6:
- return isNaN(t) || 1 > t
- }
- return !1
- })(t, n, a, r) && (n = null),
- r || null === a
- ? (function (e) {
- return (
- !!f.call(h, e) ||
- (!f.call(p, e) && (d.test(e) ? (h[e] = !0) : ((p[e] = !0), !1)))
- )
- })(t) && (null === n ? e.removeAttribute(t) : e.setAttribute(t, '' + n))
- : a.mustUseProperty
- ? (e[a.propertyName] = null === n ? 3 !== a.type && '' : n)
- : ((t = a.attributeName),
- (r = a.attributeNamespace),
- null === n
- ? e.removeAttribute(t)
- : ((n = 3 === (a = a.type) || (4 === a && !0 === n) ? '' : '' + n),
- r ? e.setAttributeNS(r, t, n) : e.setAttribute(t, n))))
- }
- 'accent-height alignment-baseline arabic-form baseline-shift cap-height clip-path clip-rule color-interpolation color-interpolation-filters color-profile color-rendering dominant-baseline enable-background fill-opacity fill-rule flood-color flood-opacity font-family font-size font-size-adjust font-stretch font-style font-variant font-weight glyph-name glyph-orientation-horizontal glyph-orientation-vertical horiz-adv-x horiz-origin-x image-rendering letter-spacing lighting-color marker-end marker-mid marker-start overline-position overline-thickness paint-order panose-1 pointer-events rendering-intent shape-rendering stop-color stop-opacity strikethrough-position strikethrough-thickness stroke-dasharray stroke-dashoffset stroke-linecap stroke-linejoin stroke-miterlimit stroke-opacity stroke-width text-anchor text-decoration text-rendering underline-position underline-thickness unicode-bidi unicode-range units-per-em v-alphabetic v-hanging v-ideographic v-mathematical vector-effect vert-adv-y vert-origin-x vert-origin-y word-spacing writing-mode xmlns:xlink x-height'
- .split(' ')
- .forEach(function (e) {
- var t = e.replace(g, y)
- v[t] = new m(t, 1, !1, e, null, !1, !1)
- }),
- 'xlink:actuate xlink:arcrole xlink:role xlink:show xlink:title xlink:type'
- .split(' ')
- .forEach(function (e) {
- var t = e.replace(g, y)
- v[t] = new m(t, 1, !1, e, 'http://www.w3.org/1999/xlink', !1, !1)
- }),
- ['xml:base', 'xml:lang', 'xml:space'].forEach(function (e) {
- var t = e.replace(g, y)
- v[t] = new m(t, 1, !1, e, 'http://www.w3.org/XML/1998/namespace', !1, !1)
- }),
- ['tabIndex', 'crossOrigin'].forEach(function (e) {
- v[e] = new m(e, 1, !1, e.toLowerCase(), null, !1, !1)
- }),
- (v.xlinkHref = new m(
- 'xlinkHref',
- 1,
- !1,
- 'xlink:href',
- 'http://www.w3.org/1999/xlink',
- !0,
- !1,
- )),
- ['src', 'href', 'action', 'formAction'].forEach(function (e) {
- v[e] = new m(e, 1, !1, e.toLowerCase(), null, !0, !0)
- })
- var w = r.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED,
- k = Symbol.for('react.element'),
- x = Symbol.for('react.portal'),
- S = Symbol.for('react.fragment'),
- E = Symbol.for('react.strict_mode'),
- C = Symbol.for('react.profiler'),
- _ = Symbol.for('react.provider'),
- P = Symbol.for('react.context'),
- N = Symbol.for('react.forward_ref'),
- O = Symbol.for('react.suspense'),
- M = Symbol.for('react.suspense_list'),
- T = Symbol.for('react.memo'),
- L = Symbol.for('react.lazy')
- Symbol.for('react.scope'), Symbol.for('react.debug_trace_mode')
- var R = Symbol.for('react.offscreen')
- Symbol.for('react.legacy_hidden'),
- Symbol.for('react.cache'),
- Symbol.for('react.tracing_marker')
- var z = Symbol.iterator
- function D(e) {
- return null === e || 'object' != typeof e
- ? null
- : 'function' == typeof (e = (z && e[z]) || e['@@iterator'])
- ? e
- : null
- }
- var I,
- j = Object.assign
- function F(e) {
- if (void 0 === I)
- try {
- throw Error()
- } catch (e) {
- var t = e.stack.trim().match(/\n( *(at )?)/)
- I = (t && t[1]) || ''
- }
- return '\n' + I + e
- }
- var A = !1
- function $(e, t) {
- if (!e || A) return ''
- A = !0
- var n = Error.prepareStackTrace
- Error.prepareStackTrace = void 0
- try {
- if (t)
- if (
- ((t = function () {
- throw Error()
- }),
- Object.defineProperty(t.prototype, 'props', {
- set: function () {
- throw Error()
- },
- }),
- 'object' == typeof Reflect && Reflect.construct)
- ) {
- try {
- Reflect.construct(t, [])
- } catch (e) {
- var r = e
- }
- Reflect.construct(e, [], t)
- } else {
- try {
- t.call()
- } catch (e) {
- r = e
- }
- e.call(t.prototype)
- }
- else {
- try {
- throw Error()
- } catch (e) {
- r = e
- }
- e()
- }
- } catch (t) {
- if (t && r && 'string' == typeof t.stack) {
- for (
- var a = t.stack.split('\n'),
- o = r.stack.split('\n'),
- l = a.length - 1,
- i = o.length - 1;
- 1 <= l && 0 <= i && a[l] !== o[i];
-
- )
- i--
- for (; 1 <= l && 0 <= i; l--, i--)
- if (a[l] !== o[i]) {
- if (1 !== l || 1 !== i)
- do {
- if ((l--, 0 > --i || a[l] !== o[i])) {
- var u = '\n' + a[l].replace(' at new ', ' at ')
- return (
- e.displayName &&
- u.includes('<anonymous>') &&
- (u = u.replace('<anonymous>', e.displayName)),
- u
- )
- }
- } while (1 <= l && 0 <= i)
- break
- }
- }
- } finally {
- ;(A = !1), (Error.prepareStackTrace = n)
- }
- return (e = e ? e.displayName || e.name : '') ? F(e) : ''
- }
- function U(e) {
- switch (e.tag) {
- case 5:
- return F(e.type)
- case 16:
- return F('Lazy')
- case 13:
- return F('Suspense')
- case 19:
- return F('SuspenseList')
- case 0:
- case 2:
- case 15:
- return (e = $(e.type, !1))
- case 11:
- return (e = $(e.type.render, !1))
- case 1:
- return (e = $(e.type, !0))
- default:
- return ''
- }
- }
- function B(e) {
- if (null == e) return null
- if ('function' == typeof e) return e.displayName || e.name || null
- if ('string' == typeof e) return e
- switch (e) {
- case S:
- return 'Fragment'
- case x:
- return 'Portal'
- case C:
- return 'Profiler'
- case E:
- return 'StrictMode'
- case O:
- return 'Suspense'
- case M:
- return 'SuspenseList'
- }
- if ('object' == typeof e)
- switch (e.$$typeof) {
- case P:
- return (e.displayName || 'Context') + '.Consumer'
- case _:
- return (e._context.displayName || 'Context') + '.Provider'
- case N:
- var t = e.render
- return (
- (e = e.displayName) ||
- (e =
- '' !== (e = t.displayName || t.name || '')
- ? 'ForwardRef(' + e + ')'
- : 'ForwardRef'),
- e
- )
- case T:
- return null !== (t = e.displayName || null) ? t : B(e.type) || 'Memo'
- case L:
- ;(t = e._payload), (e = e._init)
- try {
- return B(e(t))
- } catch (e) {}
- }
- return null
- }
- function W(e) {
- var t = e.type
- switch (e.tag) {
- case 24:
- return 'Cache'
- case 9:
- return (t.displayName || 'Context') + '.Consumer'
- case 10:
- return (t._context.displayName || 'Context') + '.Provider'
- case 18:
- return 'DehydratedFragment'
- case 11:
- return (
- (e = (e = t.render).displayName || e.name || ''),
- t.displayName || ('' !== e ? 'ForwardRef(' + e + ')' : 'ForwardRef')
- )
- case 7:
- return 'Fragment'
- case 5:
- return t
- case 4:
- return 'Portal'
- case 3:
- return 'Root'
- case 6:
- return 'Text'
- case 16:
- return B(t)
- case 8:
- return t === E ? 'StrictMode' : 'Mode'
- case 22:
- return 'Offscreen'
- case 12:
- return 'Profiler'
- case 21:
- return 'Scope'
- case 13:
- return 'Suspense'
- case 19:
- return 'SuspenseList'
- case 25:
- return 'TracingMarker'
- case 1:
- case 0:
- case 17:
- case 2:
- case 14:
- case 15:
- if ('function' == typeof t) return t.displayName || t.name || null
- if ('string' == typeof t) return t
- }
- return null
- }
- function H(e) {
- switch (typeof e) {
- case 'boolean':
- case 'number':
- case 'string':
- case 'undefined':
- case 'object':
- return e
- default:
- return ''
- }
- }
- function V(e) {
- var t = e.type
- return (
- (e = e.nodeName) && 'input' === e.toLowerCase() && ('checkbox' === t || 'radio' === t)
- )
- }
- function Q(e) {
- e._valueTracker ||
- (e._valueTracker = (function (e) {
- var t = V(e) ? 'checked' : 'value',
- n = Object.getOwnPropertyDescriptor(e.constructor.prototype, t),
- r = '' + e[t]
- if (
- !e.hasOwnProperty(t) &&
- void 0 !== n &&
- 'function' == typeof n.get &&
- 'function' == typeof n.set
- ) {
- var a = n.get,
- o = n.set
- return (
- Object.defineProperty(e, t, {
- configurable: !0,
- get: function () {
- return a.call(this)
- },
- set: function (e) {
- ;(r = '' + e), o.call(this, e)
- },
- }),
- Object.defineProperty(e, t, { enumerable: n.enumerable }),
- {
- getValue: function () {
- return r
- },
- setValue: function (e) {
- r = '' + e
- },
- stopTracking: function () {
- ;(e._valueTracker = null), delete e[t]
- },
- }
- )
- }
- })(e))
- }
- function K(e) {
- if (!e) return !1
- var t = e._valueTracker
- if (!t) return !0
- var n = t.getValue(),
- r = ''
- return (
- e && (r = V(e) ? (e.checked ? 'true' : 'false') : e.value),
- (e = r) !== n && (t.setValue(e), !0)
- )
- }
- function q(e) {
- if (void 0 === (e = e || ('undefined' != typeof document ? document : void 0)))
- return null
- try {
- return e.activeElement || e.body
- } catch (t) {
- return e.body
- }
- }
- function Y(e, t) {
- var n = t.checked
- return j({}, t, {
- checked: null != n ? n : e._wrapperState.initialChecked,
- defaultChecked: void 0,
- defaultValue: void 0,
- value: void 0,
- })
- }
- function X(e, t) {
- var n = null == t.defaultValue ? '' : t.defaultValue,
- r = null != t.checked ? t.checked : t.defaultChecked
- ;(n = H(null != t.value ? t.value : n)),
- (e._wrapperState = {
- controlled:
- 'checkbox' === t.type || 'radio' === t.type ? null != t.checked : null != t.value,
- initialChecked: r,
- initialValue: n,
- })
- }
- function G(e, t) {
- null != (t = t.checked) && b(e, 'checked', t, !1)
- }
- function J(e, t) {
- G(e, t)
- var n = H(t.value),
- r = t.type
- if (null != n)
- 'number' === r
- ? ((0 === n && '' === e.value) || e.value != n) && (e.value = '' + n)
- : e.value !== '' + n && (e.value = '' + n)
- else if ('submit' === r || 'reset' === r) return void e.removeAttribute('value')
- t.hasOwnProperty('value')
- ? ee(e, t.type, n)
- : t.hasOwnProperty('defaultValue') && ee(e, t.type, H(t.defaultValue)),
- null == t.checked && null != t.defaultChecked && (e.defaultChecked = !!t.defaultChecked)
- }
- function Z(e, t, n) {
- if (t.hasOwnProperty('value') || t.hasOwnProperty('defaultValue')) {
- var r = t.type
- if (!(('submit' !== r && 'reset' !== r) || (void 0 !== t.value && null !== t.value)))
- return
- ;(t = '' + e._wrapperState.initialValue),
- n || t === e.value || (e.value = t),
- (e.defaultValue = t)
- }
- '' !== (n = e.name) && (e.name = ''),
- (e.defaultChecked = !!e._wrapperState.initialChecked),
- '' !== n && (e.name = n)
- }
- function ee(e, t, n) {
- ;('number' === t && q(e.ownerDocument) === e) ||
- (null == n
- ? (e.defaultValue = '' + e._wrapperState.initialValue)
- : e.defaultValue !== '' + n && (e.defaultValue = '' + n))
- }
- var te = Array.isArray
- function ne(e, t, n, r) {
- if (((e = e.options), t)) {
- t = {}
- for (var a = 0; a < n.length; a++) t['$' + n[a]] = !0
- for (n = 0; n < e.length; n++)
- (a = t.hasOwnProperty('$' + e[n].value)),
- e[n].selected !== a && (e[n].selected = a),
- a && r && (e[n].defaultSelected = !0)
- } else {
- for (n = '' + H(n), t = null, a = 0; a < e.length; a++) {
- if (e[a].value === n)
- return (e[a].selected = !0), void (r && (e[a].defaultSelected = !0))
- null !== t || e[a].disabled || (t = e[a])
- }
- null !== t && (t.selected = !0)
- }
- }
- function re(e, t) {
- if (null != t.dangerouslySetInnerHTML) throw Error(o(91))
- return j({}, t, {
- children: '' + e._wrapperState.initialValue,
- defaultValue: void 0,
- value: void 0,
- })
- }
- function ae(e, t) {
- var n = t.value
- if (null == n) {
- if (((n = t.children), (t = t.defaultValue), null != n)) {
- if (null != t) throw Error(o(92))
- if (te(n)) {
- if (1 < n.length) throw Error(o(93))
- n = n[0]
- }
- t = n
- }
- null == t && (t = ''), (n = t)
- }
- e._wrapperState = { initialValue: H(n) }
- }
- function oe(e, t) {
- var n = H(t.value),
- r = H(t.defaultValue)
- null != n &&
- ((n = '' + n) !== e.value && (e.value = n),
- null == t.defaultValue && e.defaultValue !== n && (e.defaultValue = n)),
- null != r && (e.defaultValue = '' + r)
- }
- function le(e) {
- var t = e.textContent
- t === e._wrapperState.initialValue && '' !== t && null !== t && (e.value = t)
- }
- function ie(e) {
- switch (e) {
- case 'svg':
- return 'http://www.w3.org/2000/svg'
- case 'math':
- return 'http://www.w3.org/1998/Math/MathML'
- default:
- return 'http://www.w3.org/1999/xhtml'
- }
- }
- function ue(e, t) {
- return null == e || 'http://www.w3.org/1999/xhtml' === e
- ? ie(t)
- : 'http://www.w3.org/2000/svg' === e && 'foreignObject' === t
- ? 'http://www.w3.org/1999/xhtml'
- : e
- }
- var se,
- ce,
- fe =
- ((ce = function (e, t) {
- if ('http://www.w3.org/2000/svg' !== e.namespaceURI || 'innerHTML' in e)
- e.innerHTML = t
- else {
- for (
- (se = se || document.createElement('div')).innerHTML =
- '<svg>' + t.valueOf().toString() + '</svg>',
- t = se.firstChild;
- e.firstChild;
-
- )
- e.removeChild(e.firstChild)
- for (; t.firstChild; ) e.appendChild(t.firstChild)
- }
- }),
- 'undefined' != typeof MSApp && MSApp.execUnsafeLocalFunction
- ? function (e, t, n, r) {
- MSApp.execUnsafeLocalFunction(function () {
- return ce(e, t)
- })
- }
- : ce)
- function de(e, t) {
- if (t) {
- var n = e.firstChild
- if (n && n === e.lastChild && 3 === n.nodeType) return void (n.nodeValue = t)
- }
- e.textContent = t
- }
- var pe = {
- animationIterationCount: !0,
- aspectRatio: !0,
- borderImageOutset: !0,
- borderImageSlice: !0,
- borderImageWidth: !0,
- boxFlex: !0,
- boxFlexGroup: !0,
- boxOrdinalGroup: !0,
- columnCount: !0,
- columns: !0,
- fillOpacity: !0,
- flex: !0,
- flexGrow: !0,
- flexNegative: !0,
- flexOrder: !0,
- flexPositive: !0,
- flexShrink: !0,
- floodOpacity: !0,
- fontWeight: !0,
- gridArea: !0,
- gridColumn: !0,
- gridColumnEnd: !0,
- gridColumnSpan: !0,
- gridColumnStart: !0,
- gridRow: !0,
- gridRowEnd: !0,
- gridRowSpan: !0,
- gridRowStart: !0,
- lineClamp: !0,
- lineHeight: !0,
- opacity: !0,
- order: !0,
- orphans: !0,
- stopOpacity: !0,
- strokeDasharray: !0,
- strokeDashoffset: !0,
- strokeMiterlimit: !0,
- strokeOpacity: !0,
- strokeWidth: !0,
- tabSize: !0,
- widows: !0,
- zIndex: !0,
- zoom: !0,
- },
- he = ['Webkit', 'ms', 'Moz', 'O']
- function me(e, t, n) {
- return null == t || 'boolean' == typeof t || '' === t
- ? ''
- : n || 'number' != typeof t || 0 === t || (pe.hasOwnProperty(e) && pe[e])
- ? ('' + t).trim()
- : t + 'px'
- }
- function ve(e, t) {
- for (var n in ((e = e.style), t))
- if (t.hasOwnProperty(n)) {
- var r = 0 === n.indexOf('--'),
- a = me(n, t[n], r)
- 'float' === n && (n = 'cssFloat'), r ? e.setProperty(n, a) : (e[n] = a)
- }
- }
- Object.keys(pe).forEach(function (e) {
- he.forEach(function (t) {
- ;(t = t + e.charAt(0).toUpperCase() + e.substring(1)), (pe[t] = pe[e])
- })
- })
- var ge = j(
- { menuitem: !0 },
- {
- area: !0,
- base: !0,
- br: !0,
- col: !0,
- embed: !0,
- hr: !0,
- img: !0,
- input: !0,
- keygen: !0,
- link: !0,
- meta: !0,
- param: !0,
- source: !0,
- track: !0,
- wbr: !0,
- },
- )
- function ye(e, t) {
- if (t) {
- if (ge[e] && (null != t.children || null != t.dangerouslySetInnerHTML))
- throw Error(o(137, e))
- if (null != t.dangerouslySetInnerHTML) {
- if (null != t.children) throw Error(o(60))
- if (
- 'object' != typeof t.dangerouslySetInnerHTML ||
- !('__html' in t.dangerouslySetInnerHTML)
- )
- throw Error(o(61))
- }
- if (null != t.style && 'object' != typeof t.style) throw Error(o(62))
- }
- }
- function be(e, t) {
- if (-1 === e.indexOf('-')) return 'string' == typeof t.is
- switch (e) {
- case 'annotation-xml':
- case 'color-profile':
- case 'font-face':
- case 'font-face-src':
- case 'font-face-uri':
- case 'font-face-format':
- case 'font-face-name':
- case 'missing-glyph':
- return !1
- default:
- return !0
- }
- }
- var we = null
- function ke(e) {
- return (
- (e = e.target || e.srcElement || window).correspondingUseElement &&
- (e = e.correspondingUseElement),
- 3 === e.nodeType ? e.parentNode : e
- )
- }
- var xe = null,
- Se = null,
- Ee = null
- function Ce(e) {
- if ((e = ba(e))) {
- if ('function' != typeof xe) throw Error(o(280))
- var t = e.stateNode
- t && ((t = ka(t)), xe(e.stateNode, e.type, t))
- }
- }
- function _e(e) {
- Se ? (Ee ? Ee.push(e) : (Ee = [e])) : (Se = e)
- }
- function Pe() {
- if (Se) {
- var e = Se,
- t = Ee
- if (((Ee = Se = null), Ce(e), t)) for (e = 0; e < t.length; e++) Ce(t[e])
- }
- }
- function Ne(e, t) {
- return e(t)
- }
- function Oe() {}
- var Me = !1
- function Te(e, t, n) {
- if (Me) return e(t, n)
- Me = !0
- try {
- return Ne(e, t, n)
- } finally {
- ;(Me = !1), (null !== Se || null !== Ee) && (Oe(), Pe())
- }
- }
- function Le(e, t) {
- var n = e.stateNode
- if (null === n) return null
- var r = ka(n)
- if (null === r) return null
- n = r[t]
- e: switch (t) {
- case 'onClick':
- case 'onClickCapture':
- case 'onDoubleClick':
- case 'onDoubleClickCapture':
- case 'onMouseDown':
- case 'onMouseDownCapture':
- case 'onMouseMove':
- case 'onMouseMoveCapture':
- case 'onMouseUp':
- case 'onMouseUpCapture':
- case 'onMouseEnter':
- ;(r = !r.disabled) ||
- (r = !(
- 'button' === (e = e.type) ||
- 'input' === e ||
- 'select' === e ||
- 'textarea' === e
- )),
- (e = !r)
- break e
- default:
- e = !1
- }
- if (e) return null
- if (n && 'function' != typeof n) throw Error(o(231, t, typeof n))
- return n
- }
- var Re = !1
- if (c)
- try {
- var ze = {}
- Object.defineProperty(ze, 'passive', {
- get: function () {
- Re = !0
- },
- }),
- window.addEventListener('test', ze, ze),
- window.removeEventListener('test', ze, ze)
- } catch (ce) {
- Re = !1
- }
- function De(e, t, n, r, a, o, l, i, u) {
- var s = Array.prototype.slice.call(arguments, 3)
- try {
- t.apply(n, s)
- } catch (e) {
- this.onError(e)
- }
- }
- var Ie = !1,
- je = null,
- Fe = !1,
- Ae = null,
- $e = {
- onError: function (e) {
- ;(Ie = !0), (je = e)
- },
- }
- function Ue(e, t, n, r, a, o, l, i, u) {
- ;(Ie = !1), (je = null), De.apply($e, arguments)
- }
- function Be(e) {
- var t = e,
- n = e
- if (e.alternate) for (; t.return; ) t = t.return
- else {
- e = t
- do {
- 0 != (4098 & (t = e).flags) && (n = t.return), (e = t.return)
- } while (e)
- }
- return 3 === t.tag ? n : null
- }
- function We(e) {
- if (13 === e.tag) {
- var t = e.memoizedState
- if ((null === t && null !== (e = e.alternate) && (t = e.memoizedState), null !== t))
- return t.dehydrated
- }
- return null
- }
- function He(e) {
- if (Be(e) !== e) throw Error(o(188))
- }
- function Ve(e) {
- return null !==
- (e = (function (e) {
- var t = e.alternate
- if (!t) {
- if (null === (t = Be(e))) throw Error(o(188))
- return t !== e ? null : e
- }
- for (var n = e, r = t; ; ) {
- var a = n.return
- if (null === a) break
- var l = a.alternate
- if (null === l) {
- if (null !== (r = a.return)) {
- n = r
- continue
- }
- break
- }
- if (a.child === l.child) {
- for (l = a.child; l; ) {
- if (l === n) return He(a), e
- if (l === r) return He(a), t
- l = l.sibling
- }
- throw Error(o(188))
- }
- if (n.return !== r.return) (n = a), (r = l)
- else {
- for (var i = !1, u = a.child; u; ) {
- if (u === n) {
- ;(i = !0), (n = a), (r = l)
- break
- }
- if (u === r) {
- ;(i = !0), (r = a), (n = l)
- break
- }
- u = u.sibling
- }
- if (!i) {
- for (u = l.child; u; ) {
- if (u === n) {
- ;(i = !0), (n = l), (r = a)
- break
- }
- if (u === r) {
- ;(i = !0), (r = l), (n = a)
- break
- }
- u = u.sibling
- }
- if (!i) throw Error(o(189))
- }
- }
- if (n.alternate !== r) throw Error(o(190))
- }
- if (3 !== n.tag) throw Error(o(188))
- return n.stateNode.current === n ? e : t
- })(e))
- ? Qe(e)
- : null
- }
- function Qe(e) {
- if (5 === e.tag || 6 === e.tag) return e
- for (e = e.child; null !== e; ) {
- var t = Qe(e)
- if (null !== t) return t
- e = e.sibling
- }
- return null
- }
- var Ke = a.unstable_scheduleCallback,
- qe = a.unstable_cancelCallback,
- Ye = a.unstable_shouldYield,
- Xe = a.unstable_requestPaint,
- Ge = a.unstable_now,
- Je = a.unstable_getCurrentPriorityLevel,
- Ze = a.unstable_ImmediatePriority,
- et = a.unstable_UserBlockingPriority,
- tt = a.unstable_NormalPriority,
- nt = a.unstable_LowPriority,
- rt = a.unstable_IdlePriority,
- at = null,
- ot = null
- var lt = Math.clz32
- ? Math.clz32
- : function (e) {
- return (e >>>= 0), 0 === e ? 32 : (31 - ((it(e) / ut) | 0)) | 0
- },
- it = Math.log,
- ut = Math.LN2
- var st = 64,
- ct = 4194304
- function ft(e) {
- switch (e & -e) {
- case 1:
- return 1
- case 2:
- return 2
- case 4:
- return 4
- case 8:
- return 8
- case 16:
- return 16
- case 32:
- return 32
- case 64:
- case 128:
- case 256:
- case 512:
- case 1024:
- case 2048:
- case 4096:
- case 8192:
- case 16384:
- case 32768:
- case 65536:
- case 131072:
- case 262144:
- case 524288:
- case 1048576:
- case 2097152:
- return 4194240 & e
- case 4194304:
- case 8388608:
- case 16777216:
- case 33554432:
- case 67108864:
- return 130023424 & e
- case 134217728:
- return 134217728
- case 268435456:
- return 268435456
- case 536870912:
- return 536870912
- case 1073741824:
- return 1073741824
- default:
- return e
- }
- }
- function dt(e, t) {
- var n = e.pendingLanes
- if (0 === n) return 0
- var r = 0,
- a = e.suspendedLanes,
- o = e.pingedLanes,
- l = 268435455 & n
- if (0 !== l) {
- var i = l & ~a
- 0 !== i ? (r = ft(i)) : 0 !== (o &= l) && (r = ft(o))
- } else 0 !== (l = n & ~a) ? (r = ft(l)) : 0 !== o && (r = ft(o))
- if (0 === r) return 0
- if (
- 0 !== t &&
- t !== r &&
- 0 == (t & a) &&
- ((a = r & -r) >= (o = t & -t) || (16 === a && 0 != (4194240 & o)))
- )
- return t
- if ((0 != (4 & r) && (r |= 16 & n), 0 !== (t = e.entangledLanes)))
- for (e = e.entanglements, t &= r; 0 < t; )
- (a = 1 << (n = 31 - lt(t))), (r |= e[n]), (t &= ~a)
- return r
- }
- function pt(e, t) {
- switch (e) {
- case 1:
- case 2:
- case 4:
- return t + 250
- case 8:
- case 16:
- case 32:
- case 64:
- case 128:
- case 256:
- case 512:
- case 1024:
- case 2048:
- case 4096:
- case 8192:
- case 16384:
- case 32768:
- case 65536:
- case 131072:
- case 262144:
- case 524288:
- case 1048576:
- case 2097152:
- return t + 5e3
- default:
- return -1
- }
- }
- function ht(e) {
- return 0 !== (e = -1073741825 & e.pendingLanes) ? e : 1073741824 & e ? 1073741824 : 0
- }
- function mt() {
- var e = st
- return 0 == (4194240 & (st <<= 1)) && (st = 64), e
- }
- function vt(e) {
- for (var t = [], n = 0; 31 > n; n++) t.push(e)
- return t
- }
- function gt(e, t, n) {
- ;(e.pendingLanes |= t),
- 536870912 !== t && ((e.suspendedLanes = 0), (e.pingedLanes = 0)),
- ((e = e.eventTimes)[(t = 31 - lt(t))] = n)
- }
- function yt(e, t) {
- var n = (e.entangledLanes |= t)
- for (e = e.entanglements; n; ) {
- var r = 31 - lt(n),
- a = 1 << r
- ;(a & t) | (e[r] & t) && (e[r] |= t), (n &= ~a)
- }
- }
- var bt = 0
- function wt(e) {
- return 1 < (e &= -e) ? (4 < e ? (0 != (268435455 & e) ? 16 : 536870912) : 4) : 1
- }
- var kt,
- xt,
- St,
- Et,
- Ct,
- _t = !1,
- Pt = [],
- Nt = null,
- Ot = null,
- Mt = null,
- Tt = new Map(),
- Lt = new Map(),
- Rt = [],
- zt =
- 'mousedown mouseup touchcancel touchend touchstart auxclick dblclick pointercancel pointerdown pointerup dragend dragstart drop compositionend compositionstart keydown keypress keyup input textInput copy cut paste click change contextmenu reset submit'.split(
- ' ',
- )
- function Dt(e, t) {
- switch (e) {
- case 'focusin':
- case 'focusout':
- Nt = null
- break
- case 'dragenter':
- case 'dragleave':
- Ot = null
- break
- case 'mouseover':
- case 'mouseout':
- Mt = null
- break
- case 'pointerover':
- case 'pointerout':
- Tt.delete(t.pointerId)
- break
- case 'gotpointercapture':
- case 'lostpointercapture':
- Lt.delete(t.pointerId)
- }
- }
- function It(e, t, n, r, a, o) {
- return null === e || e.nativeEvent !== o
- ? ((e = {
- blockedOn: t,
- domEventName: n,
- eventSystemFlags: r,
- nativeEvent: o,
- targetContainers: [a],
- }),
- null !== t && null !== (t = ba(t)) && xt(t),
- e)
- : ((e.eventSystemFlags |= r),
- (t = e.targetContainers),
- null !== a && -1 === t.indexOf(a) && t.push(a),
- e)
- }
- function jt(e) {
- var t = ya(e.target)
- if (null !== t) {
- var n = Be(t)
- if (null !== n)
- if (13 === (t = n.tag)) {
- if (null !== (t = We(n)))
- return (
- (e.blockedOn = t),
- void Ct(e.priority, function () {
- St(n)
- })
- )
- } else if (3 === t && n.stateNode.current.memoizedState.isDehydrated)
- return void (e.blockedOn = 3 === n.tag ? n.stateNode.containerInfo : null)
- }
- e.blockedOn = null
- }
- function Ft(e) {
- if (null !== e.blockedOn) return !1
- for (var t = e.targetContainers; 0 < t.length; ) {
- var n = Yt(e.domEventName, e.eventSystemFlags, t[0], e.nativeEvent)
- if (null !== n) return null !== (t = ba(n)) && xt(t), (e.blockedOn = n), !1
- var r = new (n = e.nativeEvent).constructor(n.type, n)
- ;(we = r), n.target.dispatchEvent(r), (we = null), t.shift()
- }
- return !0
- }
- function At(e, t, n) {
- Ft(e) && n.delete(t)
- }
- function $t() {
- ;(_t = !1),
- null !== Nt && Ft(Nt) && (Nt = null),
- null !== Ot && Ft(Ot) && (Ot = null),
- null !== Mt && Ft(Mt) && (Mt = null),
- Tt.forEach(At),
- Lt.forEach(At)
- }
- function Ut(e, t) {
- e.blockedOn === t &&
- ((e.blockedOn = null),
- _t || ((_t = !0), a.unstable_scheduleCallback(a.unstable_NormalPriority, $t)))
- }
- function Bt(e) {
- function t(t) {
- return Ut(t, e)
- }
- if (0 < Pt.length) {
- Ut(Pt[0], e)
- for (var n = 1; n < Pt.length; n++) {
- var r = Pt[n]
- r.blockedOn === e && (r.blockedOn = null)
- }
- }
- for (
- null !== Nt && Ut(Nt, e),
- null !== Ot && Ut(Ot, e),
- null !== Mt && Ut(Mt, e),
- Tt.forEach(t),
- Lt.forEach(t),
- n = 0;
- n < Rt.length;
- n++
- )
- (r = Rt[n]).blockedOn === e && (r.blockedOn = null)
- for (; 0 < Rt.length && null === (n = Rt[0]).blockedOn; )
- jt(n), null === n.blockedOn && Rt.shift()
- }
- var Wt = w.ReactCurrentBatchConfig,
- Ht = !0
- function Vt(e, t, n, r) {
- var a = bt,
- o = Wt.transition
- Wt.transition = null
- try {
- ;(bt = 1), Kt(e, t, n, r)
- } finally {
- ;(bt = a), (Wt.transition = o)
- }
- }
- function Qt(e, t, n, r) {
- var a = bt,
- o = Wt.transition
- Wt.transition = null
- try {
- ;(bt = 4), Kt(e, t, n, r)
- } finally {
- ;(bt = a), (Wt.transition = o)
- }
- }
- function Kt(e, t, n, r) {
- if (Ht) {
- var a = Yt(e, t, n, r)
- if (null === a) Hr(e, t, r, qt, n), Dt(e, r)
- else if (
- (function (e, t, n, r, a) {
- switch (t) {
- case 'focusin':
- return (Nt = It(Nt, e, t, n, r, a)), !0
- case 'dragenter':
- return (Ot = It(Ot, e, t, n, r, a)), !0
- case 'mouseover':
- return (Mt = It(Mt, e, t, n, r, a)), !0
- case 'pointerover':
- var o = a.pointerId
- return Tt.set(o, It(Tt.get(o) || null, e, t, n, r, a)), !0
- case 'gotpointercapture':
- return (o = a.pointerId), Lt.set(o, It(Lt.get(o) || null, e, t, n, r, a)), !0
- }
- return !1
- })(a, e, t, n, r)
- )
- r.stopPropagation()
- else if ((Dt(e, r), 4 & t && -1 < zt.indexOf(e))) {
- for (; null !== a; ) {
- var o = ba(a)
- if (
- (null !== o && kt(o),
- null === (o = Yt(e, t, n, r)) && Hr(e, t, r, qt, n),
- o === a)
- )
- break
- a = o
- }
- null !== a && r.stopPropagation()
- } else Hr(e, t, r, null, n)
- }
- }
- var qt = null
- function Yt(e, t, n, r) {
- if (((qt = null), null !== (e = ya((e = ke(r))))))
- if (null === (t = Be(e))) e = null
- else if (13 === (n = t.tag)) {
- if (null !== (e = We(t))) return e
- e = null
- } else if (3 === n) {
- if (t.stateNode.current.memoizedState.isDehydrated)
- return 3 === t.tag ? t.stateNode.containerInfo : null
- e = null
- } else t !== e && (e = null)
- return (qt = e), null
- }
- function Xt(e) {
- switch (e) {
- case 'cancel':
- case 'click':
- case 'close':
- case 'contextmenu':
- case 'copy':
- case 'cut':
- case 'auxclick':
- case 'dblclick':
- case 'dragend':
- case 'dragstart':
- case 'drop':
- case 'focusin':
- case 'focusout':
- case 'input':
- case 'invalid':
- case 'keydown':
- case 'keypress':
- case 'keyup':
- case 'mousedown':
- case 'mouseup':
- case 'paste':
- case 'pause':
- case 'play':
- case 'pointercancel':
- case 'pointerdown':
- case 'pointerup':
- case 'ratechange':
- case 'reset':
- case 'resize':
- case 'seeked':
- case 'submit':
- case 'touchcancel':
- case 'touchend':
- case 'touchstart':
- case 'volumechange':
- case 'change':
- case 'selectionchange':
- case 'textInput':
- case 'compositionstart':
- case 'compositionend':
- case 'compositionupdate':
- case 'beforeblur':
- case 'afterblur':
- case 'beforeinput':
- case 'blur':
- case 'fullscreenchange':
- case 'focus':
- case 'hashchange':
- case 'popstate':
- case 'select':
- case 'selectstart':
- return 1
- case 'drag':
- case 'dragenter':
- case 'dragexit':
- case 'dragleave':
- case 'dragover':
- case 'mousemove':
- case 'mouseout':
- case 'mouseover':
- case 'pointermove':
- case 'pointerout':
- case 'pointerover':
- case 'scroll':
- case 'toggle':
- case 'touchmove':
- case 'wheel':
- case 'mouseenter':
- case 'mouseleave':
- case 'pointerenter':
- case 'pointerleave':
- return 4
- case 'message':
- switch (Je()) {
- case Ze:
- return 1
- case et:
- return 4
- case tt:
- case nt:
- return 16
- case rt:
- return 536870912
- default:
- return 16
- }
- default:
- return 16
- }
- }
- var Gt = null,
- Jt = null,
- Zt = null
- function en() {
- if (Zt) return Zt
- var e,
- t,
- n = Jt,
- r = n.length,
- a = 'value' in Gt ? Gt.value : Gt.textContent,
- o = a.length
- for (e = 0; e < r && n[e] === a[e]; e++);
- var l = r - e
- for (t = 1; t <= l && n[r - t] === a[o - t]; t++);
- return (Zt = a.slice(e, 1 < t ? 1 - t : void 0))
- }
- function tn(e) {
- var t = e.keyCode
- return (
- 'charCode' in e ? 0 === (e = e.charCode) && 13 === t && (e = 13) : (e = t),
- 10 === e && (e = 13),
- 32 <= e || 13 === e ? e : 0
- )
- }
- function nn() {
- return !0
- }
- function rn() {
- return !1
- }
- function an(e) {
- function t(t, n, r, a, o) {
- for (var l in ((this._reactName = t),
- (this._targetInst = r),
- (this.type = n),
- (this.nativeEvent = a),
- (this.target = o),
- (this.currentTarget = null),
- e))
- e.hasOwnProperty(l) && ((t = e[l]), (this[l] = t ? t(a) : a[l]))
- return (
- (this.isDefaultPrevented = (
- null != a.defaultPrevented ? a.defaultPrevented : !1 === a.returnValue
- )
- ? nn
- : rn),
- (this.isPropagationStopped = rn),
- this
- )
- }
- return (
- j(t.prototype, {
- isPersistent: nn,
- persist: function () {},
- preventDefault: function () {
- this.defaultPrevented = !0
- var e = this.nativeEvent
- e &&
- (e.preventDefault
- ? e.preventDefault()
- : 'unknown' != typeof e.returnValue && (e.returnValue = !1),
- (this.isDefaultPrevented = nn))
- },
- stopPropagation: function () {
- var e = this.nativeEvent
- e &&
- (e.stopPropagation
- ? e.stopPropagation()
- : 'unknown' != typeof e.cancelBubble && (e.cancelBubble = !0),
- (this.isPropagationStopped = nn))
- },
- }),
- t
- )
- }
- var on,
- ln,
- un,
- sn = {
- bubbles: 0,
- cancelable: 0,
- defaultPrevented: 0,
- eventPhase: 0,
- isTrusted: 0,
- timeStamp: function (e) {
- return e.timeStamp || Date.now()
- },
- },
- cn = an(sn),
- fn = j({}, sn, { detail: 0, view: 0 }),
- dn = an(fn),
- pn = j({}, fn, {
- altKey: 0,
- button: 0,
- buttons: 0,
- clientX: 0,
- clientY: 0,
- ctrlKey: 0,
- getModifierState: Cn,
- metaKey: 0,
- movementX: function (e) {
- return 'movementX' in e
- ? e.movementX
- : (e !== un &&
- (un && 'mousemove' === e.type
- ? ((on = e.screenX - un.screenX), (ln = e.screenY - un.screenY))
- : (ln = on = 0),
- (un = e)),
- on)
- },
- movementY: function (e) {
- return 'movementY' in e ? e.movementY : ln
- },
- pageX: 0,
- pageY: 0,
- relatedTarget: function (e) {
- return void 0 === e.relatedTarget
- ? e.fromElement === e.srcElement
- ? e.toElement
- : e.fromElement
- : e.relatedTarget
- },
- screenX: 0,
- screenY: 0,
- shiftKey: 0,
- }),
- hn = an(pn),
- mn = an(j({}, pn, { dataTransfer: 0 })),
- vn = an(j({}, fn, { relatedTarget: 0 })),
- gn = an(j({}, sn, { animationName: 0, elapsedTime: 0, pseudoElement: 0 })),
- yn = j({}, sn, {
- clipboardData: function (e) {
- return 'clipboardData' in e ? e.clipboardData : window.clipboardData
- },
- }),
- bn = an(yn),
- wn = an(j({}, sn, { data: 0 })),
- kn = {
- Apps: 'ContextMenu',
- Del: 'Delete',
- Down: 'ArrowDown',
- Esc: 'Escape',
- Left: 'ArrowLeft',
- Menu: 'ContextMenu',
- MozPrintableKey: 'Unidentified',
- Right: 'ArrowRight',
- Scroll: 'ScrollLock',
- Spacebar: ' ',
- Up: 'ArrowUp',
- Win: 'OS',
- },
- xn = {
- 8: 'Backspace',
- 9: 'Tab',
- 12: 'Clear',
- 13: 'Enter',
- 16: 'Shift',
- 17: 'Control',
- 18: 'Alt',
- 19: 'Pause',
- 20: 'CapsLock',
- 27: 'Escape',
- 32: ' ',
- 33: 'PageUp',
- 34: 'PageDown',
- 35: 'End',
- 36: 'Home',
- 37: 'ArrowLeft',
- 38: 'ArrowUp',
- 39: 'ArrowRight',
- 40: 'ArrowDown',
- 45: 'Insert',
- 46: 'Delete',
- 112: 'F1',
- 113: 'F2',
- 114: 'F3',
- 115: 'F4',
- 116: 'F5',
- 117: 'F6',
- 118: 'F7',
- 119: 'F8',
- 120: 'F9',
- 121: 'F10',
- 122: 'F11',
- 123: 'F12',
- 144: 'NumLock',
- 145: 'ScrollLock',
- 224: 'Meta',
- },
- Sn = { Alt: 'altKey', Control: 'ctrlKey', Meta: 'metaKey', Shift: 'shiftKey' }
- function En(e) {
- var t = this.nativeEvent
- return t.getModifierState ? t.getModifierState(e) : !!(e = Sn[e]) && !!t[e]
- }
- function Cn() {
- return En
- }
- var _n = j({}, fn, {
- altKey: 0,
- charCode: function (e) {
- return 'keypress' === e.type ? tn(e) : 0
- },
- code: 0,
- ctrlKey: 0,
- getModifierState: Cn,
- key: function (e) {
- if (e.key) {
- var t = kn[e.key] || e.key
- if ('Unidentified' !== t) return t
- }
- return 'keypress' === e.type
- ? 13 === (e = tn(e))
- ? 'Enter'
- : String.fromCharCode(e)
- : 'keydown' === e.type || 'keyup' === e.type
- ? xn[e.keyCode] || 'Unidentified'
- : ''
- },
- keyCode: function (e) {
- return 'keydown' === e.type || 'keyup' === e.type ? e.keyCode : 0
- },
- locale: 0,
- location: 0,
- metaKey: 0,
- repeat: 0,
- shiftKey: 0,
- which: function (e) {
- return 'keypress' === e.type
- ? tn(e)
- : 'keydown' === e.type || 'keyup' === e.type
- ? e.keyCode
- : 0
- },
- }),
- Pn = an(_n),
- Nn = an(
- j({}, pn, {
- height: 0,
- isPrimary: 0,
- pointerId: 0,
- pointerType: 0,
- pressure: 0,
- tangentialPressure: 0,
- tiltX: 0,
- tiltY: 0,
- twist: 0,
- width: 0,
- }),
- ),
- On = an(
- j({}, fn, {
- altKey: 0,
- changedTouches: 0,
- ctrlKey: 0,
- getModifierState: Cn,
- metaKey: 0,
- shiftKey: 0,
- targetTouches: 0,
- touches: 0,
- }),
- ),
- Mn = an(j({}, sn, { elapsedTime: 0, propertyName: 0, pseudoElement: 0 })),
- Tn = j({}, pn, {
- deltaMode: 0,
- deltaX: function (e) {
- return 'deltaX' in e ? e.deltaX : 'wheelDeltaX' in e ? -e.wheelDeltaX : 0
- },
- deltaY: function (e) {
- return 'deltaY' in e
- ? e.deltaY
- : 'wheelDeltaY' in e
- ? -e.wheelDeltaY
- : 'wheelDelta' in e
- ? -e.wheelDelta
- : 0
- },
- deltaZ: 0,
- }),
- Ln = an(Tn),
- Rn = [9, 13, 27, 32],
- zn = c && 'CompositionEvent' in window,
- Dn = null
- c && 'documentMode' in document && (Dn = document.documentMode)
- var In = c && 'TextEvent' in window && !Dn,
- jn = c && (!zn || (Dn && 8 < Dn && 11 >= Dn)),
- Fn = String.fromCharCode(32),
- An = !1
- function $n(e, t) {
- switch (e) {
- case 'keyup':
- return -1 !== Rn.indexOf(t.keyCode)
- case 'keydown':
- return 229 !== t.keyCode
- case 'keypress':
- case 'mousedown':
- case 'focusout':
- return !0
- default:
- return !1
- }
- }
- function Un(e) {
- return 'object' == typeof (e = e.detail) && 'data' in e ? e.data : null
- }
- var Bn = !1
- var Wn = {
- color: !0,
- date: !0,
- datetime: !0,
- 'datetime-local': !0,
- email: !0,
- month: !0,
- number: !0,
- password: !0,
- range: !0,
- search: !0,
- tel: !0,
- text: !0,
- time: !0,
- url: !0,
- week: !0,
- }
- function Hn(e) {
- var t = e && e.nodeName && e.nodeName.toLowerCase()
- return 'input' === t ? !!Wn[e.type] : 'textarea' === t
- }
- function Vn(e, t, n, r) {
- _e(r),
- 0 < (t = Qr(t, 'onChange')).length &&
- ((n = new cn('onChange', 'change', null, n, r)), e.push({ event: n, listeners: t }))
- }
- var Qn = null,
- Kn = null
- function qn(e) {
- Fr(e, 0)
- }
- function Yn(e) {
- if (K(wa(e))) return e
- }
- function Xn(e, t) {
- if ('change' === e) return t
- }
- var Gn = !1
- if (c) {
- var Jn
- if (c) {
- var Zn = 'oninput' in document
- if (!Zn) {
- var er = document.createElement('div')
- er.setAttribute('oninput', 'return;'), (Zn = 'function' == typeof er.oninput)
- }
- Jn = Zn
- } else Jn = !1
- Gn = Jn && (!document.documentMode || 9 < document.documentMode)
- }
- function tr() {
- Qn && (Qn.detachEvent('onpropertychange', nr), (Kn = Qn = null))
- }
- function nr(e) {
- if ('value' === e.propertyName && Yn(Kn)) {
- var t = []
- Vn(t, Kn, e, ke(e)), Te(qn, t)
- }
- }
- function rr(e, t, n) {
- 'focusin' === e
- ? (tr(), (Kn = n), (Qn = t).attachEvent('onpropertychange', nr))
- : 'focusout' === e && tr()
- }
- function ar(e) {
- if ('selectionchange' === e || 'keyup' === e || 'keydown' === e) return Yn(Kn)
- }
- function or(e, t) {
- if ('click' === e) return Yn(t)
- }
- function lr(e, t) {
- if ('input' === e || 'change' === e) return Yn(t)
- }
- var ir =
- 'function' == typeof Object.is
- ? Object.is
- : function (e, t) {
- return (e === t && (0 !== e || 1 / e == 1 / t)) || (e != e && t != t)
- }
- function ur(e, t) {
- if (ir(e, t)) return !0
- if ('object' != typeof e || null === e || 'object' != typeof t || null === t) return !1
- var n = Object.keys(e),
- r = Object.keys(t)
- if (n.length !== r.length) return !1
- for (r = 0; r < n.length; r++) {
- var a = n[r]
- if (!f.call(t, a) || !ir(e[a], t[a])) return !1
- }
- return !0
- }
- function sr(e) {
- for (; e && e.firstChild; ) e = e.firstChild
- return e
- }
- function cr(e, t) {
- var n,
- r = sr(e)
- for (e = 0; r; ) {
- if (3 === r.nodeType) {
- if (((n = e + r.textContent.length), e <= t && n >= t))
- return { node: r, offset: t - e }
- e = n
- }
- e: {
- for (; r; ) {
- if (r.nextSibling) {
- r = r.nextSibling
- break e
- }
- r = r.parentNode
- }
- r = void 0
- }
- r = sr(r)
- }
- }
- function fr(e, t) {
- return (
- !(!e || !t) &&
- (e === t ||
- ((!e || 3 !== e.nodeType) &&
- (t && 3 === t.nodeType
- ? fr(e, t.parentNode)
- : 'contains' in e
- ? e.contains(t)
- : !!e.compareDocumentPosition && !!(16 & e.compareDocumentPosition(t)))))
- )
- }
- function dr() {
- for (var e = window, t = q(); t instanceof e.HTMLIFrameElement; ) {
- try {
- var n = 'string' == typeof t.contentWindow.location.href
- } catch (e) {
- n = !1
- }
- if (!n) break
- t = q((e = t.contentWindow).document)
- }
- return t
- }
- function pr(e) {
- var t = e && e.nodeName && e.nodeName.toLowerCase()
- return (
- t &&
- (('input' === t &&
- ('text' === e.type ||
- 'search' === e.type ||
- 'tel' === e.type ||
- 'url' === e.type ||
- 'password' === e.type)) ||
- 'textarea' === t ||
- 'true' === e.contentEditable)
- )
- }
- function hr(e) {
- var t = dr(),
- n = e.focusedElem,
- r = e.selectionRange
- if (t !== n && n && n.ownerDocument && fr(n.ownerDocument.documentElement, n)) {
- if (null !== r && pr(n))
- if (((t = r.start), void 0 === (e = r.end) && (e = t), 'selectionStart' in n))
- (n.selectionStart = t), (n.selectionEnd = Math.min(e, n.value.length))
- else if (
- (e = ((t = n.ownerDocument || document) && t.defaultView) || window).getSelection
- ) {
- e = e.getSelection()
- var a = n.textContent.length,
- o = Math.min(r.start, a)
- ;(r = void 0 === r.end ? o : Math.min(r.end, a)),
- !e.extend && o > r && ((a = r), (r = o), (o = a)),
- (a = cr(n, o))
- var l = cr(n, r)
- a &&
- l &&
- (1 !== e.rangeCount ||
- e.anchorNode !== a.node ||
- e.anchorOffset !== a.offset ||
- e.focusNode !== l.node ||
- e.focusOffset !== l.offset) &&
- ((t = t.createRange()).setStart(a.node, a.offset),
- e.removeAllRanges(),
- o > r
- ? (e.addRange(t), e.extend(l.node, l.offset))
- : (t.setEnd(l.node, l.offset), e.addRange(t)))
- }
- for (t = [], e = n; (e = e.parentNode); )
- 1 === e.nodeType && t.push({ element: e, left: e.scrollLeft, top: e.scrollTop })
- for ('function' == typeof n.focus && n.focus(), n = 0; n < t.length; n++)
- ((e = t[n]).element.scrollLeft = e.left), (e.element.scrollTop = e.top)
- }
- }
- var mr = c && 'documentMode' in document && 11 >= document.documentMode,
- vr = null,
- gr = null,
- yr = null,
- br = !1
- function wr(e, t, n) {
- var r = n.window === n ? n.document : 9 === n.nodeType ? n : n.ownerDocument
- br ||
- null == vr ||
- vr !== q(r) ||
- ('selectionStart' in (r = vr) && pr(r)
- ? (r = { end: r.selectionEnd, start: r.selectionStart })
- : (r = {
- anchorNode: (r = (
- (r.ownerDocument && r.ownerDocument.defaultView) ||
- window
- ).getSelection()).anchorNode,
- anchorOffset: r.anchorOffset,
- focusNode: r.focusNode,
- focusOffset: r.focusOffset,
- }),
- (yr && ur(yr, r)) ||
- ((yr = r),
- 0 < (r = Qr(gr, 'onSelect')).length &&
- ((t = new cn('onSelect', 'select', null, t, n)),
- e.push({ event: t, listeners: r }),
- (t.target = vr))))
- }
- function kr(e, t) {
- var n = {}
- return (
- (n[e.toLowerCase()] = t.toLowerCase()),
- (n['Webkit' + e] = 'webkit' + t),
- (n['Moz' + e] = 'moz' + t),
- n
- )
- }
- var xr = {
- animationend: kr('Animation', 'AnimationEnd'),
- animationiteration: kr('Animation', 'AnimationIteration'),
- animationstart: kr('Animation', 'AnimationStart'),
- transitionend: kr('Transition', 'TransitionEnd'),
- },
- Sr = {},
- Er = {}
- function Cr(e) {
- if (Sr[e]) return Sr[e]
- if (!xr[e]) return e
- var t,
- n = xr[e]
- for (t in n) if (n.hasOwnProperty(t) && t in Er) return (Sr[e] = n[t])
- return e
- }
- c &&
- ((Er = document.createElement('div').style),
- 'AnimationEvent' in window ||
- (delete xr.animationend.animation,
- delete xr.animationiteration.animation,
- delete xr.animationstart.animation),
- 'TransitionEvent' in window || delete xr.transitionend.transition)
- var _r = Cr('animationend'),
- Pr = Cr('animationiteration'),
- Nr = Cr('animationstart'),
- Or = Cr('transitionend'),
- Mr = new Map(),
- Tr =
- 'abort auxClick cancel canPlay canPlayThrough click close contextMenu copy cut drag dragEnd dragEnter dragExit dragLeave dragOver dragStart drop durationChange emptied encrypted ended error gotPointerCapture input invalid keyDown keyPress keyUp load loadedData loadedMetadata loadStart lostPointerCapture mouseDown mouseMove mouseOut mouseOver mouseUp paste pause play playing pointerCancel pointerDown pointerMove pointerOut pointerOver pointerUp progress rateChange reset resize seeked seeking stalled submit suspend timeUpdate touchCancel touchEnd touchStart volumeChange scroll toggle touchMove waiting wheel'.split(
- ' ',
- )
- function Lr(e, t) {
- Mr.set(e, t), u(t, [e])
- }
- for (var Rr = 0; Rr < Tr.length; Rr++) {
- var zr = Tr[Rr]
- Lr(zr.toLowerCase(), 'on' + (zr[0].toUpperCase() + zr.slice(1)))
- }
- Lr(_r, 'onAnimationEnd'),
- Lr(Pr, 'onAnimationIteration'),
- Lr(Nr, 'onAnimationStart'),
- Lr('dblclick', 'onDoubleClick'),
- Lr('focusin', 'onFocus'),
- Lr('focusout', 'onBlur'),
- Lr(Or, 'onTransitionEnd'),
- s('onMouseEnter', ['mouseout', 'mouseover']),
- s('onMouseLeave', ['mouseout', 'mouseover']),
- s('onPointerEnter', ['pointerout', 'pointerover']),
- s('onPointerLeave', ['pointerout', 'pointerover']),
- u(
- 'onChange',
- 'change click focusin focusout input keydown keyup selectionchange'.split(' '),
- ),
- u(
- 'onSelect',
- 'focusout contextmenu dragend focusin keydown keyup mousedown mouseup selectionchange'.split(
- ' ',
- ),
- ),
- u('onBeforeInput', ['compositionend', 'keypress', 'textInput', 'paste']),
- u(
- 'onCompositionEnd',
- 'compositionend focusout keydown keypress keyup mousedown'.split(' '),
- ),
- u(
- 'onCompositionStart',
- 'compositionstart focusout keydown keypress keyup mousedown'.split(' '),
- ),
- u(
- 'onCompositionUpdate',
- 'compositionupdate focusout keydown keypress keyup mousedown'.split(' '),
- )
- var Dr =
- 'abort canplay canplaythrough durationchange emptied encrypted ended error loadeddata loadedmetadata loadstart pause play playing progress ratechange resize seeked seeking stalled suspend timeupdate volumechange waiting'.split(
- ' ',
- ),
- Ir = new Set('cancel close invalid load scroll toggle'.split(' ').concat(Dr))
- function jr(e, t, n) {
- var r = e.type || 'unknown-event'
- ;(e.currentTarget = n),
- (function (e, t, n, r, a, l, i, u, s) {
- if ((Ue.apply(this, arguments), Ie)) {
- if (!Ie) throw Error(o(198))
- var c = je
- ;(Ie = !1), (je = null), Fe || ((Fe = !0), (Ae = c))
- }
- })(r, t, void 0, e),
- (e.currentTarget = null)
- }
- function Fr(e, t) {
- t = 0 != (4 & t)
- for (var n = 0; n < e.length; n++) {
- var r = e[n],
- a = r.event
- r = r.listeners
- e: {
- var o = void 0
- if (t)
- for (var l = r.length - 1; 0 <= l; l--) {
- var i = r[l],
- u = i.instance,
- s = i.currentTarget
- if (((i = i.listener), u !== o && a.isPropagationStopped())) break e
- jr(a, i, s), (o = u)
- }
- else
- for (l = 0; l < r.length; l++) {
- if (
- ((u = (i = r[l]).instance),
- (s = i.currentTarget),
- (i = i.listener),
- u !== o && a.isPropagationStopped())
- )
- break e
- jr(a, i, s), (o = u)
- }
- }
- }
- if (Fe) throw ((e = Ae), (Fe = !1), (Ae = null), e)
- }
- function Ar(e, t) {
- var n = t[ma]
- void 0 === n && (n = t[ma] = new Set())
- var r = e + '__bubble'
- n.has(r) || (Wr(t, e, 2, !1), n.add(r))
- }
- function $r(e, t, n) {
- var r = 0
- t && (r |= 4), Wr(n, e, r, t)
- }
- var Ur = '_reactListening' + Math.random().toString(36).slice(2)
- function Br(e) {
- if (!e[Ur]) {
- ;(e[Ur] = !0),
- l.forEach(function (t) {
- 'selectionchange' !== t && (Ir.has(t) || $r(t, !1, e), $r(t, !0, e))
- })
- var t = 9 === e.nodeType ? e : e.ownerDocument
- null === t || t[Ur] || ((t[Ur] = !0), $r('selectionchange', !1, t))
- }
- }
- function Wr(e, t, n, r) {
- switch (Xt(t)) {
- case 1:
- var a = Vt
- break
- case 4:
- a = Qt
- break
- default:
- a = Kt
- }
- ;(n = a.bind(null, t, n, e)),
- (a = void 0),
- !Re || ('touchstart' !== t && 'touchmove' !== t && 'wheel' !== t) || (a = !0),
- r
- ? void 0 !== a
- ? e.addEventListener(t, n, { capture: !0, passive: a })
- : e.addEventListener(t, n, !0)
- : void 0 !== a
- ? e.addEventListener(t, n, { passive: a })
- : e.addEventListener(t, n, !1)
- }
- function Hr(e, t, n, r, a) {
- var o = r
- if (0 == (1 & t) && 0 == (2 & t) && null !== r)
- e: for (;;) {
- if (null === r) return
- var l = r.tag
- if (3 === l || 4 === l) {
- var i = r.stateNode.containerInfo
- if (i === a || (8 === i.nodeType && i.parentNode === a)) break
- if (4 === l)
- for (l = r.return; null !== l; ) {
- var u = l.tag
- if (
- (3 === u || 4 === u) &&
- ((u = l.stateNode.containerInfo) === a ||
- (8 === u.nodeType && u.parentNode === a))
- )
- return
- l = l.return
- }
- for (; null !== i; ) {
- if (null === (l = ya(i))) return
- if (5 === (u = l.tag) || 6 === u) {
- r = o = l
- continue e
- }
- i = i.parentNode
- }
- }
- r = r.return
- }
- Te(function () {
- var r = o,
- a = ke(n),
- l = []
- e: {
- var i = Mr.get(e)
- if (void 0 !== i) {
- var u = cn,
- s = e
- switch (e) {
- case 'keypress':
- if (0 === tn(n)) break e
- case 'keydown':
- case 'keyup':
- u = Pn
- break
- case 'focusin':
- ;(s = 'focus'), (u = vn)
- break
- case 'focusout':
- ;(s = 'blur'), (u = vn)
- break
- case 'beforeblur':
- case 'afterblur':
- u = vn
- break
- case 'click':
- if (2 === n.button) break e
- case 'auxclick':
- case 'dblclick':
- case 'mousedown':
- case 'mousemove':
- case 'mouseup':
- case 'mouseout':
- case 'mouseover':
- case 'contextmenu':
- u = hn
- break
- case 'drag':
- case 'dragend':
- case 'dragenter':
- case 'dragexit':
- case 'dragleave':
- case 'dragover':
- case 'dragstart':
- case 'drop':
- u = mn
- break
- case 'touchcancel':
- case 'touchend':
- case 'touchmove':
- case 'touchstart':
- u = On
- break
- case _r:
- case Pr:
- case Nr:
- u = gn
- break
- case Or:
- u = Mn
- break
- case 'scroll':
- u = dn
- break
- case 'wheel':
- u = Ln
- break
- case 'copy':
- case 'cut':
- case 'paste':
- u = bn
- break
- case 'gotpointercapture':
- case 'lostpointercapture':
- case 'pointercancel':
- case 'pointerdown':
- case 'pointermove':
- case 'pointerout':
- case 'pointerover':
- case 'pointerup':
- u = Nn
- }
- var c = 0 != (4 & t),
- f = !c && 'scroll' === e,
- d = c ? (null !== i ? i + 'Capture' : null) : i
- c = []
- for (var p, h = r; null !== h; ) {
- var m = (p = h).stateNode
- if (
- (5 === p.tag &&
- null !== m &&
- ((p = m), null !== d && null != (m = Le(h, d)) && c.push(Vr(h, m, p))),
- f)
- )
- break
- h = h.return
- }
- 0 < c.length && ((i = new u(i, s, null, n, a)), l.push({ event: i, listeners: c }))
- }
- }
- if (0 == (7 & t)) {
- if (
- ((u = 'mouseout' === e || 'pointerout' === e),
- (!(i = 'mouseover' === e || 'pointerover' === e) ||
- n === we ||
- !(s = n.relatedTarget || n.fromElement) ||
- (!ya(s) && !s[ha])) &&
- (u || i) &&
- ((i =
- a.window === a
- ? a
- : (i = a.ownerDocument)
- ? i.defaultView || i.parentWindow
- : window),
- u
- ? ((u = r),
- null !== (s = (s = n.relatedTarget || n.toElement) ? ya(s) : null) &&
- (s !== (f = Be(s)) || (5 !== s.tag && 6 !== s.tag)) &&
- (s = null))
- : ((u = null), (s = r)),
- u !== s))
- ) {
- if (
- ((c = hn),
- (m = 'onMouseLeave'),
- (d = 'onMouseEnter'),
- (h = 'mouse'),
- ('pointerout' !== e && 'pointerover' !== e) ||
- ((c = Nn), (m = 'onPointerLeave'), (d = 'onPointerEnter'), (h = 'pointer')),
- (f = null == u ? i : wa(u)),
- (p = null == s ? i : wa(s)),
- ((i = new c(m, h + 'leave', u, n, a)).target = f),
- (i.relatedTarget = p),
- (m = null),
- ya(a) === r &&
- (((c = new c(d, h + 'enter', s, n, a)).target = p),
- (c.relatedTarget = f),
- (m = c)),
- (f = m),
- u && s)
- )
- e: {
- for (d = s, h = 0, p = c = u; p; p = Kr(p)) h++
- for (p = 0, m = d; m; m = Kr(m)) p++
- for (; 0 < h - p; ) (c = Kr(c)), h--
- for (; 0 < p - h; ) (d = Kr(d)), p--
- for (; h--; ) {
- if (c === d || (null !== d && c === d.alternate)) break e
- ;(c = Kr(c)), (d = Kr(d))
- }
- c = null
- }
- else c = null
- null !== u && qr(l, i, u, c, !1), null !== s && null !== f && qr(l, f, s, c, !0)
- }
- if (
- 'select' === (u = (i = r ? wa(r) : window).nodeName && i.nodeName.toLowerCase()) ||
- ('input' === u && 'file' === i.type)
- )
- var v = Xn
- else if (Hn(i))
- if (Gn) v = lr
- else {
- v = ar
- var g = rr
- }
- else
- (u = i.nodeName) &&
- 'input' === u.toLowerCase() &&
- ('checkbox' === i.type || 'radio' === i.type) &&
- (v = or)
- switch (
- (v && (v = v(e, r))
- ? Vn(l, v, n, a)
- : (g && g(e, i, r),
- 'focusout' === e &&
- (g = i._wrapperState) &&
- g.controlled &&
- 'number' === i.type &&
- ee(i, 'number', i.value)),
- (g = r ? wa(r) : window),
- e)
- ) {
- case 'focusin':
- ;(Hn(g) || 'true' === g.contentEditable) && ((vr = g), (gr = r), (yr = null))
- break
- case 'focusout':
- yr = gr = vr = null
- break
- case 'mousedown':
- br = !0
- break
- case 'contextmenu':
- case 'mouseup':
- case 'dragend':
- ;(br = !1), wr(l, n, a)
- break
- case 'selectionchange':
- if (mr) break
- case 'keydown':
- case 'keyup':
- wr(l, n, a)
- }
- var y
- if (zn)
- e: {
- switch (e) {
- case 'compositionstart':
- var b = 'onCompositionStart'
- break e
- case 'compositionend':
- b = 'onCompositionEnd'
- break e
- case 'compositionupdate':
- b = 'onCompositionUpdate'
- break e
- }
- b = void 0
- }
- else
- Bn
- ? $n(e, n) && (b = 'onCompositionEnd')
- : 'keydown' === e && 229 === n.keyCode && (b = 'onCompositionStart')
- b &&
- (jn &&
- 'ko' !== n.locale &&
- (Bn || 'onCompositionStart' !== b
- ? 'onCompositionEnd' === b && Bn && (y = en())
- : ((Jt = 'value' in (Gt = a) ? Gt.value : Gt.textContent), (Bn = !0))),
- 0 < (g = Qr(r, b)).length &&
- ((b = new wn(b, e, null, n, a)),
- l.push({ event: b, listeners: g }),
- y ? (b.data = y) : null !== (y = Un(n)) && (b.data = y))),
- (y = In
- ? (function (e, t) {
- switch (e) {
- case 'compositionend':
- return Un(t)
- case 'keypress':
- return 32 !== t.which ? null : ((An = !0), Fn)
- case 'textInput':
- return (e = t.data) === Fn && An ? null : e
- default:
- return null
- }
- })(e, n)
- : (function (e, t) {
- if (Bn)
- return 'compositionend' === e || (!zn && $n(e, t))
- ? ((e = en()), (Zt = Jt = Gt = null), (Bn = !1), e)
- : null
- switch (e) {
- case 'paste':
- default:
- return null
- case 'keypress':
- if (!(t.ctrlKey || t.altKey || t.metaKey) || (t.ctrlKey && t.altKey)) {
- if (t.char && 1 < t.char.length) return t.char
- if (t.which) return String.fromCharCode(t.which)
- }
- return null
- case 'compositionend':
- return jn && 'ko' !== t.locale ? null : t.data
- }
- })(e, n)) &&
- 0 < (r = Qr(r, 'onBeforeInput')).length &&
- ((a = new wn('onBeforeInput', 'beforeinput', null, n, a)),
- l.push({ event: a, listeners: r }),
- (a.data = y))
- }
- Fr(l, t)
- })
- }
- function Vr(e, t, n) {
- return { currentTarget: n, instance: e, listener: t }
- }
- function Qr(e, t) {
- for (var n = t + 'Capture', r = []; null !== e; ) {
- var a = e,
- o = a.stateNode
- 5 === a.tag &&
- null !== o &&
- ((a = o),
- null != (o = Le(e, n)) && r.unshift(Vr(e, o, a)),
- null != (o = Le(e, t)) && r.push(Vr(e, o, a))),
- (e = e.return)
- }
- return r
- }
- function Kr(e) {
- if (null === e) return null
- do {
- e = e.return
- } while (e && 5 !== e.tag)
- return e || null
- }
- function qr(e, t, n, r, a) {
- for (var o = t._reactName, l = []; null !== n && n !== r; ) {
- var i = n,
- u = i.alternate,
- s = i.stateNode
- if (null !== u && u === r) break
- 5 === i.tag &&
- null !== s &&
- ((i = s),
- a
- ? null != (u = Le(n, o)) && l.unshift(Vr(n, u, i))
- : a || (null != (u = Le(n, o)) && l.push(Vr(n, u, i)))),
- (n = n.return)
- }
- 0 !== l.length && e.push({ event: t, listeners: l })
- }
- var Yr = /\r\n?/g,
- Xr = /\0|\uFFFD/g
- function Gr(e) {
- return ('string' == typeof e ? e : '' + e).replace(Yr, '\n').replace(Xr, '')
- }
- function Jr(e, t, n) {
- if (((t = Gr(t)), Gr(e) !== t && n)) throw Error(o(425))
- }
- function Zr() {}
- var ea = null,
- ta = null
- function na(e, t) {
- return (
- 'textarea' === e ||
- 'noscript' === e ||
- 'string' == typeof t.children ||
- 'number' == typeof t.children ||
- ('object' == typeof t.dangerouslySetInnerHTML &&
- null !== t.dangerouslySetInnerHTML &&
- null != t.dangerouslySetInnerHTML.__html)
- )
- }
- var ra = 'function' == typeof setTimeout ? setTimeout : void 0,
- aa = 'function' == typeof clearTimeout ? clearTimeout : void 0,
- oa = 'function' == typeof Promise ? Promise : void 0,
- la =
- 'function' == typeof queueMicrotask
- ? queueMicrotask
- : void 0 !== oa
- ? function (e) {
- return oa.resolve(null).then(e).catch(ia)
- }
- : ra
- function ia(e) {
- setTimeout(function () {
- throw e
- })
- }
- function ua(e, t) {
- var n = t,
- r = 0
- do {
- var a = n.nextSibling
- if ((e.removeChild(n), a && 8 === a.nodeType))
- if ('/$' === (n = a.data)) {
- if (0 === r) return e.removeChild(a), void Bt(t)
- r--
- } else ('$' !== n && '$?' !== n && '$!' !== n) || r++
- n = a
- } while (n)
- Bt(t)
- }
- function sa(e) {
- for (; null != e; e = e.nextSibling) {
- var t = e.nodeType
- if (1 === t || 3 === t) break
- if (8 === t) {
- if ('$' === (t = e.data) || '$!' === t || '$?' === t) break
- if ('/$' === t) return null
- }
- }
- return e
- }
- function ca(e) {
- e = e.previousSibling
- for (var t = 0; e; ) {
- if (8 === e.nodeType) {
- var n = e.data
- if ('$' === n || '$!' === n || '$?' === n) {
- if (0 === t) return e
- t--
- } else '/$' === n && t++
- }
- e = e.previousSibling
- }
- return null
- }
- var fa = Math.random().toString(36).slice(2),
- da = '__reactFiber$' + fa,
- pa = '__reactProps$' + fa,
- ha = '__reactContainer$' + fa,
- ma = '__reactEvents$' + fa,
- va = '__reactListeners$' + fa,
- ga = '__reactHandles$' + fa
- function ya(e) {
- var t = e[da]
- if (t) return t
- for (var n = e.parentNode; n; ) {
- if ((t = n[ha] || n[da])) {
- if (((n = t.alternate), null !== t.child || (null !== n && null !== n.child)))
- for (e = ca(e); null !== e; ) {
- if ((n = e[da])) return n
- e = ca(e)
- }
- return t
- }
- n = (e = n).parentNode
- }
- return null
- }
- function ba(e) {
- return !(e = e[da] || e[ha]) ||
- (5 !== e.tag && 6 !== e.tag && 13 !== e.tag && 3 !== e.tag)
- ? null
- : e
- }
- function wa(e) {
- if (5 === e.tag || 6 === e.tag) return e.stateNode
- throw Error(o(33))
- }
- function ka(e) {
- return e[pa] || null
- }
- var xa = [],
- Sa = -1
- function Ea(e) {
- return { current: e }
- }
- function Ca(e) {
- 0 > Sa || ((e.current = xa[Sa]), (xa[Sa] = null), Sa--)
- }
- function _a(e, t) {
- Sa++, (xa[Sa] = e.current), (e.current = t)
- }
- var Pa = {},
- Na = Ea(Pa),
- Oa = Ea(!1),
- Ma = Pa
- function Ta(e, t) {
- var n = e.type.contextTypes
- if (!n) return Pa
- var r = e.stateNode
- if (r && r.__reactInternalMemoizedUnmaskedChildContext === t)
- return r.__reactInternalMemoizedMaskedChildContext
- var a,
- o = {}
- for (a in n) o[a] = t[a]
- return (
- r &&
- (((e = e.stateNode).__reactInternalMemoizedUnmaskedChildContext = t),
- (e.__reactInternalMemoizedMaskedChildContext = o)),
- o
- )
- }
- function La(e) {
- return null != (e = e.childContextTypes)
- }
- function Ra() {
- Ca(Oa), Ca(Na)
- }
- function za(e, t, n) {
- if (Na.current !== Pa) throw Error(o(168))
- _a(Na, t), _a(Oa, n)
- }
- function Da(e, t, n) {
- var r = e.stateNode
- if (((t = t.childContextTypes), 'function' != typeof r.getChildContext)) return n
- for (var a in (r = r.getChildContext()))
- if (!(a in t)) throw Error(o(108, W(e) || 'Unknown', a))
- return j({}, n, r)
- }
- function Ia(e) {
- return (
- (e = ((e = e.stateNode) && e.__reactInternalMemoizedMergedChildContext) || Pa),
- (Ma = Na.current),
- _a(Na, e),
- _a(Oa, Oa.current),
- !0
- )
- }
- function ja(e, t, n) {
- var r = e.stateNode
- if (!r) throw Error(o(169))
- n
- ? ((e = Da(e, t, Ma)),
- (r.__reactInternalMemoizedMergedChildContext = e),
- Ca(Oa),
- Ca(Na),
- _a(Na, e))
- : Ca(Oa),
- _a(Oa, n)
- }
- var Fa = null,
- Aa = !1,
- $a = !1
- function Ua(e) {
- null === Fa ? (Fa = [e]) : Fa.push(e)
- }
- function Ba() {
- if (!$a && null !== Fa) {
- $a = !0
- var e = 0,
- t = bt
- try {
- var n = Fa
- for (bt = 1; e < n.length; e++) {
- var r = n[e]
- do {
- r = r(!0)
- } while (null !== r)
- }
- ;(Fa = null), (Aa = !1)
- } catch (t) {
- throw (null !== Fa && (Fa = Fa.slice(e + 1)), Ke(Ze, Ba), t)
- } finally {
- ;(bt = t), ($a = !1)
- }
- }
- return null
- }
- var Wa = [],
- Ha = 0,
- Va = null,
- Qa = 0,
- Ka = [],
- qa = 0,
- Ya = null,
- Xa = 1,
- Ga = ''
- function Ja(e, t) {
- ;(Wa[Ha++] = Qa), (Wa[Ha++] = Va), (Va = e), (Qa = t)
- }
- function Za(e, t, n) {
- ;(Ka[qa++] = Xa), (Ka[qa++] = Ga), (Ka[qa++] = Ya), (Ya = e)
- var r = Xa
- e = Ga
- var a = 32 - lt(r) - 1
- ;(r &= ~(1 << a)), (n += 1)
- var o = 32 - lt(t) + a
- if (30 < o) {
- var l = a - (a % 5)
- ;(o = (r & ((1 << l) - 1)).toString(32)),
- (r >>= l),
- (a -= l),
- (Xa = (1 << (32 - lt(t) + a)) | (n << a) | r),
- (Ga = o + e)
- } else (Xa = (1 << o) | (n << a) | r), (Ga = e)
- }
- function eo(e) {
- null !== e.return && (Ja(e, 1), Za(e, 1, 0))
- }
- function to(e) {
- for (; e === Va; ) (Va = Wa[--Ha]), (Wa[Ha] = null), (Qa = Wa[--Ha]), (Wa[Ha] = null)
- for (; e === Ya; )
- (Ya = Ka[--qa]),
- (Ka[qa] = null),
- (Ga = Ka[--qa]),
- (Ka[qa] = null),
- (Xa = Ka[--qa]),
- (Ka[qa] = null)
- }
- var no = null,
- ro = null,
- ao = !1,
- oo = null
- function lo(e, t) {
- var n = Ls(5, null, null, 0)
- ;(n.elementType = 'DELETED'),
- (n.stateNode = t),
- (n.return = e),
- null === (t = e.deletions) ? ((e.deletions = [n]), (e.flags |= 16)) : t.push(n)
- }
- function io(e, t) {
- switch (e.tag) {
- case 5:
- var n = e.type
- return (
- null !==
- (t =
- 1 !== t.nodeType || n.toLowerCase() !== t.nodeName.toLowerCase() ? null : t) &&
- ((e.stateNode = t), (no = e), (ro = sa(t.firstChild)), !0)
- )
- case 6:
- return (
- null !== (t = '' === e.pendingProps || 3 !== t.nodeType ? null : t) &&
- ((e.stateNode = t), (no = e), (ro = null), !0)
- )
- case 13:
- return (
- null !== (t = 8 !== t.nodeType ? null : t) &&
- ((n = null !== Ya ? { id: Xa, overflow: Ga } : null),
- (e.memoizedState = { dehydrated: t, retryLane: 1073741824, treeContext: n }),
- ((n = Ls(18, null, null, 0)).stateNode = t),
- (n.return = e),
- (e.child = n),
- (no = e),
- (ro = null),
- !0)
- )
- default:
- return !1
- }
- }
- function uo(e) {
- return 0 != (1 & e.mode) && 0 == (128 & e.flags)
- }
- function so(e) {
- if (ao) {
- var t = ro
- if (t) {
- var n = t
- if (!io(e, t)) {
- if (uo(e)) throw Error(o(418))
- t = sa(n.nextSibling)
- var r = no
- t && io(e, t) ? lo(r, n) : ((e.flags = (-4097 & e.flags) | 2), (ao = !1), (no = e))
- }
- } else {
- if (uo(e)) throw Error(o(418))
- ;(e.flags = (-4097 & e.flags) | 2), (ao = !1), (no = e)
- }
- }
- }
- function co(e) {
- for (e = e.return; null !== e && 5 !== e.tag && 3 !== e.tag && 13 !== e.tag; )
- e = e.return
- no = e
- }
- function fo(e) {
- if (e !== no) return !1
- if (!ao) return co(e), (ao = !0), !1
- var t
- if (
- ((t = 3 !== e.tag) &&
- !(t = 5 !== e.tag) &&
- (t = 'head' !== (t = e.type) && 'body' !== t && !na(e.type, e.memoizedProps)),
- t && (t = ro))
- ) {
- if (uo(e)) throw (po(), Error(o(418)))
- for (; t; ) lo(e, t), (t = sa(t.nextSibling))
- }
- if ((co(e), 13 === e.tag)) {
- if (!(e = null !== (e = e.memoizedState) ? e.dehydrated : null)) throw Error(o(317))
- e: {
- for (e = e.nextSibling, t = 0; e; ) {
- if (8 === e.nodeType) {
- var n = e.data
- if ('/$' === n) {
- if (0 === t) {
- ro = sa(e.nextSibling)
- break e
- }
- t--
- } else ('$' !== n && '$!' !== n && '$?' !== n) || t++
- }
- e = e.nextSibling
- }
- ro = null
- }
- } else ro = no ? sa(e.stateNode.nextSibling) : null
- return !0
- }
- function po() {
- for (var e = ro; e; ) e = sa(e.nextSibling)
- }
- function ho() {
- ;(ro = no = null), (ao = !1)
- }
- function mo(e) {
- null === oo ? (oo = [e]) : oo.push(e)
- }
- var vo = w.ReactCurrentBatchConfig
- function go(e, t) {
- if (e && e.defaultProps) {
- for (var n in ((t = j({}, t)), (e = e.defaultProps))) void 0 === t[n] && (t[n] = e[n])
- return t
- }
- return t
- }
- var yo = Ea(null),
- bo = null,
- wo = null,
- ko = null
- function xo() {
- ko = wo = bo = null
- }
- function So(e) {
- var t = yo.current
- Ca(yo), (e._currentValue = t)
- }
- function Eo(e, t, n) {
- for (; null !== e; ) {
- var r = e.alternate
- if (
- ((e.childLanes & t) !== t
- ? ((e.childLanes |= t), null !== r && (r.childLanes |= t))
- : null !== r && (r.childLanes & t) !== t && (r.childLanes |= t),
- e === n)
- )
- break
- e = e.return
- }
- }
- function Co(e, t) {
- ;(bo = e),
- (ko = wo = null),
- null !== (e = e.dependencies) &&
- null !== e.firstContext &&
- (0 != (e.lanes & t) && (wi = !0), (e.firstContext = null))
- }
- function _o(e) {
- var t = e._currentValue
- if (ko !== e)
- if (((e = { context: e, memoizedValue: t, next: null }), null === wo)) {
- if (null === bo) throw Error(o(308))
- ;(wo = e), (bo.dependencies = { firstContext: e, lanes: 0 })
- } else wo = wo.next = e
- return t
- }
- var Po = null
- function No(e) {
- null === Po ? (Po = [e]) : Po.push(e)
- }
- function Oo(e, t, n, r) {
- var a = t.interleaved
- return (
- null === a ? ((n.next = n), No(t)) : ((n.next = a.next), (a.next = n)),
- (t.interleaved = n),
- Mo(e, r)
- )
- }
- function Mo(e, t) {
- e.lanes |= t
- var n = e.alternate
- for (null !== n && (n.lanes |= t), n = e, e = e.return; null !== e; )
- (e.childLanes |= t),
- null !== (n = e.alternate) && (n.childLanes |= t),
- (n = e),
- (e = e.return)
- return 3 === n.tag ? n.stateNode : null
- }
- var To = !1
- function Lo(e) {
- e.updateQueue = {
- baseState: e.memoizedState,
- effects: null,
- firstBaseUpdate: null,
- lastBaseUpdate: null,
- shared: { interleaved: null, lanes: 0, pending: null },
- }
- }
- function Ro(e, t) {
- ;(e = e.updateQueue),
- t.updateQueue === e &&
- (t.updateQueue = {
- baseState: e.baseState,
- effects: e.effects,
- firstBaseUpdate: e.firstBaseUpdate,
- lastBaseUpdate: e.lastBaseUpdate,
- shared: e.shared,
- })
- }
- function zo(e, t) {
- return { callback: null, eventTime: e, lane: t, next: null, payload: null, tag: 0 }
- }
- function Do(e, t, n) {
- var r = e.updateQueue
- if (null === r) return null
- if (((r = r.shared), 0 != (2 & Ou))) {
- var a = r.pending
- return (
- null === a ? (t.next = t) : ((t.next = a.next), (a.next = t)),
- (r.pending = t),
- Mo(e, n)
- )
- }
- return (
- null === (a = r.interleaved)
- ? ((t.next = t), No(r))
- : ((t.next = a.next), (a.next = t)),
- (r.interleaved = t),
- Mo(e, n)
- )
- }
- function Io(e, t, n) {
- if (null !== (t = t.updateQueue) && ((t = t.shared), 0 != (4194240 & n))) {
- var r = t.lanes
- ;(n |= r &= e.pendingLanes), (t.lanes = n), yt(e, n)
- }
- }
- function jo(e, t) {
- var n = e.updateQueue,
- r = e.alternate
- if (null !== r && n === (r = r.updateQueue)) {
- var a = null,
- o = null
- if (null !== (n = n.firstBaseUpdate)) {
- do {
- var l = {
- callback: n.callback,
- eventTime: n.eventTime,
- lane: n.lane,
- next: null,
- payload: n.payload,
- tag: n.tag,
- }
- null === o ? (a = o = l) : (o = o.next = l), (n = n.next)
- } while (null !== n)
- null === o ? (a = o = t) : (o = o.next = t)
- } else a = o = t
- return (
- (n = {
- baseState: r.baseState,
- effects: r.effects,
- firstBaseUpdate: a,
- lastBaseUpdate: o,
- shared: r.shared,
- }),
- void (e.updateQueue = n)
- )
- }
- null === (e = n.lastBaseUpdate) ? (n.firstBaseUpdate = t) : (e.next = t),
- (n.lastBaseUpdate = t)
- }
- function Fo(e, t, n, r) {
- var a = e.updateQueue
- To = !1
- var o = a.firstBaseUpdate,
- l = a.lastBaseUpdate,
- i = a.shared.pending
- if (null !== i) {
- a.shared.pending = null
- var u = i,
- s = u.next
- ;(u.next = null), null === l ? (o = s) : (l.next = s), (l = u)
- var c = e.alternate
- null !== c &&
- (i = (c = c.updateQueue).lastBaseUpdate) !== l &&
- (null === i ? (c.firstBaseUpdate = s) : (i.next = s), (c.lastBaseUpdate = u))
- }
- if (null !== o) {
- var f = a.baseState
- for (l = 0, c = s = u = null, i = o; ; ) {
- var d = i.lane,
- p = i.eventTime
- if ((r & d) === d) {
- null !== c &&
- (c = c.next =
- {
- callback: i.callback,
- eventTime: p,
- lane: 0,
- next: null,
- payload: i.payload,
- tag: i.tag,
- })
- e: {
- var h = e,
- m = i
- switch (((d = t), (p = n), m.tag)) {
- case 1:
- if ('function' == typeof (h = m.payload)) {
- f = h.call(p, f, d)
- break e
- }
- f = h
- break e
- case 3:
- h.flags = (-65537 & h.flags) | 128
- case 0:
- if (null == (d = 'function' == typeof (h = m.payload) ? h.call(p, f, d) : h))
- break e
- f = j({}, f, d)
- break e
- case 2:
- To = !0
- }
- }
- null !== i.callback &&
- 0 !== i.lane &&
- ((e.flags |= 64), null === (d = a.effects) ? (a.effects = [i]) : d.push(i))
- } else
- (p = {
- callback: i.callback,
- eventTime: p,
- lane: d,
- next: null,
- payload: i.payload,
- tag: i.tag,
- }),
- null === c ? ((s = c = p), (u = f)) : (c = c.next = p),
- (l |= d)
- if (null === (i = i.next)) {
- if (null === (i = a.shared.pending)) break
- ;(i = (d = i).next),
- (d.next = null),
- (a.lastBaseUpdate = d),
- (a.shared.pending = null)
- }
- }
- if (
- (null === c && (u = f),
- (a.baseState = u),
- (a.firstBaseUpdate = s),
- (a.lastBaseUpdate = c),
- null !== (t = a.shared.interleaved))
- ) {
- a = t
- do {
- ;(l |= a.lane), (a = a.next)
- } while (a !== t)
- } else null === o && (a.shared.lanes = 0)
- ;(ju |= l), (e.lanes = l), (e.memoizedState = f)
- }
- }
- function Ao(e, t, n) {
- if (((e = t.effects), (t.effects = null), null !== e))
- for (t = 0; t < e.length; t++) {
- var r = e[t],
- a = r.callback
- if (null !== a) {
- if (((r.callback = null), (r = n), 'function' != typeof a)) throw Error(o(191, a))
- a.call(r)
- }
- }
- }
- var $o = new r.Component().refs
- function Uo(e, t, n, r) {
- ;(n = null == (n = n(r, (t = e.memoizedState))) ? t : j({}, t, n)),
- (e.memoizedState = n),
- 0 === e.lanes && (e.updateQueue.baseState = n)
- }
- var Bo = {
- enqueueForceUpdate: function (e, t) {
- e = e._reactInternals
- var n = ts(),
- r = ns(e),
- a = zo(n, r)
- ;(a.tag = 2),
- null != t && (a.callback = t),
- null !== (t = Do(e, a, r)) && (rs(t, e, r, n), Io(t, e, r))
- },
- enqueueReplaceState: function (e, t, n) {
- e = e._reactInternals
- var r = ts(),
- a = ns(e),
- o = zo(r, a)
- ;(o.tag = 1),
- (o.payload = t),
- null != n && (o.callback = n),
- null !== (t = Do(e, o, a)) && (rs(t, e, a, r), Io(t, e, a))
- },
- enqueueSetState: function (e, t, n) {
- e = e._reactInternals
- var r = ts(),
- a = ns(e),
- o = zo(r, a)
- ;(o.payload = t),
- null != n && (o.callback = n),
- null !== (t = Do(e, o, a)) && (rs(t, e, a, r), Io(t, e, a))
- },
- isMounted: function (e) {
- return !!(e = e._reactInternals) && Be(e) === e
- },
- }
- function Wo(e, t, n, r, a, o, l) {
- return 'function' == typeof (e = e.stateNode).shouldComponentUpdate
- ? e.shouldComponentUpdate(r, o, l)
- : !t.prototype || !t.prototype.isPureReactComponent || !ur(n, r) || !ur(a, o)
- }
- function Ho(e, t, n) {
- var r = !1,
- a = Pa,
- o = t.contextType
- return (
- 'object' == typeof o && null !== o
- ? (o = _o(o))
- : ((a = La(t) ? Ma : Na.current),
- (o = (r = null != (r = t.contextTypes)) ? Ta(e, a) : Pa)),
- (t = new t(n, o)),
- (e.memoizedState = null !== t.state && void 0 !== t.state ? t.state : null),
- (t.updater = Bo),
- (e.stateNode = t),
- (t._reactInternals = e),
- r &&
- (((e = e.stateNode).__reactInternalMemoizedUnmaskedChildContext = a),
- (e.__reactInternalMemoizedMaskedChildContext = o)),
- t
- )
- }
- function Vo(e, t, n, r) {
- ;(e = t.state),
- 'function' == typeof t.componentWillReceiveProps && t.componentWillReceiveProps(n, r),
- 'function' == typeof t.UNSAFE_componentWillReceiveProps &&
- t.UNSAFE_componentWillReceiveProps(n, r),
- t.state !== e && Bo.enqueueReplaceState(t, t.state, null)
- }
- function Qo(e, t, n, r) {
- var a = e.stateNode
- ;(a.props = n), (a.state = e.memoizedState), (a.refs = $o), Lo(e)
- var o = t.contextType
- 'object' == typeof o && null !== o
- ? (a.context = _o(o))
- : ((o = La(t) ? Ma : Na.current), (a.context = Ta(e, o))),
- (a.state = e.memoizedState),
- 'function' == typeof (o = t.getDerivedStateFromProps) &&
- (Uo(e, t, o, n), (a.state = e.memoizedState)),
- 'function' == typeof t.getDerivedStateFromProps ||
- 'function' == typeof a.getSnapshotBeforeUpdate ||
- ('function' != typeof a.UNSAFE_componentWillMount &&
- 'function' != typeof a.componentWillMount) ||
- ((t = a.state),
- 'function' == typeof a.componentWillMount && a.componentWillMount(),
- 'function' == typeof a.UNSAFE_componentWillMount && a.UNSAFE_componentWillMount(),
- t !== a.state && Bo.enqueueReplaceState(a, a.state, null),
- Fo(e, n, a, r),
- (a.state = e.memoizedState)),
- 'function' == typeof a.componentDidMount && (e.flags |= 4194308)
- }
- function Ko(e, t, n) {
- if (null !== (e = n.ref) && 'function' != typeof e && 'object' != typeof e) {
- if (n._owner) {
- if ((n = n._owner)) {
- if (1 !== n.tag) throw Error(o(309))
- var r = n.stateNode
- }
- if (!r) throw Error(o(147, e))
- var a = r,
- l = '' + e
- return null !== t &&
- null !== t.ref &&
- 'function' == typeof t.ref &&
- t.ref._stringRef === l
- ? t.ref
- : ((t = function (e) {
- var t = a.refs
- t === $o && (t = a.refs = {}), null === e ? delete t[l] : (t[l] = e)
- }),
- (t._stringRef = l),
- t)
- }
- if ('string' != typeof e) throw Error(o(284))
- if (!n._owner) throw Error(o(290, e))
- }
- return e
- }
- function qo(e, t) {
- throw (
- ((e = Object.prototype.toString.call(t)),
- Error(
- o(
- 31,
- '[object Object]' === e
- ? 'object with keys {' + Object.keys(t).join(', ') + '}'
- : e,
- ),
- ))
- )
- }
- function Yo(e) {
- return (0, e._init)(e._payload)
- }
- function Xo(e) {
- function t(t, n) {
- if (e) {
- var r = t.deletions
- null === r ? ((t.deletions = [n]), (t.flags |= 16)) : r.push(n)
- }
- }
- function n(n, r) {
- if (!e) return null
- for (; null !== r; ) t(n, r), (r = r.sibling)
- return null
- }
- function r(e, t) {
- for (e = new Map(); null !== t; )
- null !== t.key ? e.set(t.key, t) : e.set(t.index, t), (t = t.sibling)
- return e
- }
- function a(e, t) {
- return ((e = zs(e, t)).index = 0), (e.sibling = null), e
- }
- function l(t, n, r) {
- return (
- (t.index = r),
- e
- ? null !== (r = t.alternate)
- ? (r = r.index) < n
- ? ((t.flags |= 2), n)
- : r
- : ((t.flags |= 2), n)
- : ((t.flags |= 1048576), n)
- )
- }
- function i(t) {
- return e && null === t.alternate && (t.flags |= 2), t
- }
- function u(e, t, n, r) {
- return null === t || 6 !== t.tag
- ? (((t = Fs(n, e.mode, r)).return = e), t)
- : (((t = a(t, n)).return = e), t)
- }
- function s(e, t, n, r) {
- var o = n.type
- return o === S
- ? f(e, t, n.props.children, r, n.key)
- : null !== t &&
- (t.elementType === o ||
- ('object' == typeof o && null !== o && o.$$typeof === L && Yo(o) === t.type))
- ? (((r = a(t, n.props)).ref = Ko(e, t, n)), (r.return = e), r)
- : (((r = Ds(n.type, n.key, n.props, null, e.mode, r)).ref = Ko(e, t, n)),
- (r.return = e),
- r)
- }
- function c(e, t, n, r) {
- return null === t ||
- 4 !== t.tag ||
- t.stateNode.containerInfo !== n.containerInfo ||
- t.stateNode.implementation !== n.implementation
- ? (((t = As(n, e.mode, r)).return = e), t)
- : (((t = a(t, n.children || [])).return = e), t)
- }
- function f(e, t, n, r, o) {
- return null === t || 7 !== t.tag
- ? (((t = Is(n, e.mode, r, o)).return = e), t)
- : (((t = a(t, n)).return = e), t)
- }
- function d(e, t, n) {
- if (('string' == typeof t && '' !== t) || 'number' == typeof t)
- return ((t = Fs('' + t, e.mode, n)).return = e), t
- if ('object' == typeof t && null !== t) {
- switch (t.$$typeof) {
- case k:
- return (
- ((n = Ds(t.type, t.key, t.props, null, e.mode, n)).ref = Ko(e, null, t)),
- (n.return = e),
- n
- )
- case x:
- return ((t = As(t, e.mode, n)).return = e), t
- case L:
- return d(e, (0, t._init)(t._payload), n)
- }
- if (te(t) || D(t)) return ((t = Is(t, e.mode, n, null)).return = e), t
- qo(e, t)
- }
- return null
- }
- function p(e, t, n, r) {
- var a = null !== t ? t.key : null
- if (('string' == typeof n && '' !== n) || 'number' == typeof n)
- return null !== a ? null : u(e, t, '' + n, r)
- if ('object' == typeof n && null !== n) {
- switch (n.$$typeof) {
- case k:
- return n.key === a ? s(e, t, n, r) : null
- case x:
- return n.key === a ? c(e, t, n, r) : null
- case L:
- return p(e, t, (a = n._init)(n._payload), r)
- }
- if (te(n) || D(n)) return null !== a ? null : f(e, t, n, r, null)
- qo(e, n)
- }
- return null
- }
- function h(e, t, n, r, a) {
- if (('string' == typeof r && '' !== r) || 'number' == typeof r)
- return u(t, (e = e.get(n) || null), '' + r, a)
- if ('object' == typeof r && null !== r) {
- switch (r.$$typeof) {
- case k:
- return s(t, (e = e.get(null === r.key ? n : r.key) || null), r, a)
- case x:
- return c(t, (e = e.get(null === r.key ? n : r.key) || null), r, a)
- case L:
- return h(e, t, n, (0, r._init)(r._payload), a)
- }
- if (te(r) || D(r)) return f(t, (e = e.get(n) || null), r, a, null)
- qo(t, r)
- }
- return null
- }
- function m(a, o, i, u) {
- for (
- var s = null, c = null, f = o, m = (o = 0), v = null;
- null !== f && m < i.length;
- m++
- ) {
- f.index > m ? ((v = f), (f = null)) : (v = f.sibling)
- var g = p(a, f, i[m], u)
- if (null === g) {
- null === f && (f = v)
- break
- }
- e && f && null === g.alternate && t(a, f),
- (o = l(g, o, m)),
- null === c ? (s = g) : (c.sibling = g),
- (c = g),
- (f = v)
- }
- if (m === i.length) return n(a, f), ao && Ja(a, m), s
- if (null === f) {
- for (; m < i.length; m++)
- null !== (f = d(a, i[m], u)) &&
- ((o = l(f, o, m)), null === c ? (s = f) : (c.sibling = f), (c = f))
- return ao && Ja(a, m), s
- }
- for (f = r(a, f); m < i.length; m++)
- null !== (v = h(f, a, m, i[m], u)) &&
- (e && null !== v.alternate && f.delete(null === v.key ? m : v.key),
- (o = l(v, o, m)),
- null === c ? (s = v) : (c.sibling = v),
- (c = v))
- return (
- e &&
- f.forEach(function (e) {
- return t(a, e)
- }),
- ao && Ja(a, m),
- s
- )
- }
- function v(a, i, u, s) {
- var c = D(u)
- if ('function' != typeof c) throw Error(o(150))
- if (null == (u = c.call(u))) throw Error(o(151))
- for (
- var f = (c = null), m = i, v = (i = 0), g = null, y = u.next();
- null !== m && !y.done;
- v++, y = u.next()
- ) {
- m.index > v ? ((g = m), (m = null)) : (g = m.sibling)
- var b = p(a, m, y.value, s)
- if (null === b) {
- null === m && (m = g)
- break
- }
- e && m && null === b.alternate && t(a, m),
- (i = l(b, i, v)),
- null === f ? (c = b) : (f.sibling = b),
- (f = b),
- (m = g)
- }
- if (y.done) return n(a, m), ao && Ja(a, v), c
- if (null === m) {
- for (; !y.done; v++, y = u.next())
- null !== (y = d(a, y.value, s)) &&
- ((i = l(y, i, v)), null === f ? (c = y) : (f.sibling = y), (f = y))
- return ao && Ja(a, v), c
- }
- for (m = r(a, m); !y.done; v++, y = u.next())
- null !== (y = h(m, a, v, y.value, s)) &&
- (e && null !== y.alternate && m.delete(null === y.key ? v : y.key),
- (i = l(y, i, v)),
- null === f ? (c = y) : (f.sibling = y),
- (f = y))
- return (
- e &&
- m.forEach(function (e) {
- return t(a, e)
- }),
- ao && Ja(a, v),
- c
- )
- }
- return function e(r, o, l, u) {
- if (
- ('object' == typeof l &&
- null !== l &&
- l.type === S &&
- null === l.key &&
- (l = l.props.children),
- 'object' == typeof l && null !== l)
- ) {
- switch (l.$$typeof) {
- case k:
- e: {
- for (var s = l.key, c = o; null !== c; ) {
- if (c.key === s) {
- if ((s = l.type) === S) {
- if (7 === c.tag) {
- n(r, c.sibling), ((o = a(c, l.props.children)).return = r), (r = o)
- break e
- }
- } else if (
- c.elementType === s ||
- ('object' == typeof s &&
- null !== s &&
- s.$$typeof === L &&
- Yo(s) === c.type)
- ) {
- n(r, c.sibling),
- ((o = a(c, l.props)).ref = Ko(r, c, l)),
- (o.return = r),
- (r = o)
- break e
- }
- n(r, c)
- break
- }
- t(r, c), (c = c.sibling)
- }
- l.type === S
- ? (((o = Is(l.props.children, r.mode, u, l.key)).return = r), (r = o))
- : (((u = Ds(l.type, l.key, l.props, null, r.mode, u)).ref = Ko(r, o, l)),
- (u.return = r),
- (r = u))
- }
- return i(r)
- case x:
- e: {
- for (c = l.key; null !== o; ) {
- if (o.key === c) {
- if (
- 4 === o.tag &&
- o.stateNode.containerInfo === l.containerInfo &&
- o.stateNode.implementation === l.implementation
- ) {
- n(r, o.sibling), ((o = a(o, l.children || [])).return = r), (r = o)
- break e
- }
- n(r, o)
- break
- }
- t(r, o), (o = o.sibling)
- }
- ;((o = As(l, r.mode, u)).return = r), (r = o)
- }
- return i(r)
- case L:
- return e(r, o, (c = l._init)(l._payload), u)
- }
- if (te(l)) return m(r, o, l, u)
- if (D(l)) return v(r, o, l, u)
- qo(r, l)
- }
- return ('string' == typeof l && '' !== l) || 'number' == typeof l
- ? ((l = '' + l),
- null !== o && 6 === o.tag
- ? (n(r, o.sibling), ((o = a(o, l)).return = r), (r = o))
- : (n(r, o), ((o = Fs(l, r.mode, u)).return = r), (r = o)),
- i(r))
- : n(r, o)
- }
- }
- var Go = Xo(!0),
- Jo = Xo(!1),
- Zo = {},
- el = Ea(Zo),
- tl = Ea(Zo),
- nl = Ea(Zo)
- function rl(e) {
- if (e === Zo) throw Error(o(174))
- return e
- }
- function al(e, t) {
- switch ((_a(nl, t), _a(tl, e), _a(el, Zo), (e = t.nodeType))) {
- case 9:
- case 11:
- t = (t = t.documentElement) ? t.namespaceURI : ue(null, '')
- break
- default:
- t = ue((t = (e = 8 === e ? t.parentNode : t).namespaceURI || null), (e = e.tagName))
- }
- Ca(el), _a(el, t)
- }
- function ol() {
- Ca(el), Ca(tl), Ca(nl)
- }
- function ll(e) {
- rl(nl.current)
- var t = rl(el.current),
- n = ue(t, e.type)
- t !== n && (_a(tl, e), _a(el, n))
- }
- function il(e) {
- tl.current === e && (Ca(el), Ca(tl))
- }
- var ul = Ea(0)
- function sl(e) {
- for (var t = e; null !== t; ) {
- if (13 === t.tag) {
- var n = t.memoizedState
- if (null !== n && (null === (n = n.dehydrated) || '$?' === n.data || '$!' === n.data))
- return t
- } else if (19 === t.tag && void 0 !== t.memoizedProps.revealOrder) {
- if (0 != (128 & t.flags)) return t
- } else if (null !== t.child) {
- ;(t.child.return = t), (t = t.child)
- continue
- }
- if (t === e) break
- for (; null === t.sibling; ) {
- if (null === t.return || t.return === e) return null
- t = t.return
- }
- ;(t.sibling.return = t.return), (t = t.sibling)
- }
- return null
- }
- var cl = []
- function fl() {
- for (var e = 0; e < cl.length; e++) cl[e]._workInProgressVersionPrimary = null
- cl.length = 0
- }
- var dl = w.ReactCurrentDispatcher,
- pl = w.ReactCurrentBatchConfig,
- hl = 0,
- ml = null,
- vl = null,
- gl = null,
- yl = !1,
- bl = !1,
- wl = 0,
- kl = 0
- function xl() {
- throw Error(o(321))
- }
- function Sl(e, t) {
- if (null === t) return !1
- for (var n = 0; n < t.length && n < e.length; n++) if (!ir(e[n], t[n])) return !1
- return !0
- }
- function El(e, t, n, r, a, l) {
- if (
- ((hl = l),
- (ml = t),
- (t.memoizedState = null),
- (t.updateQueue = null),
- (t.lanes = 0),
- (dl.current = null === e || null === e.memoizedState ? ii : ui),
- (e = n(r, a)),
- bl)
- ) {
- l = 0
- do {
- if (((bl = !1), (wl = 0), 25 <= l)) throw Error(o(301))
- ;(l += 1), (gl = vl = null), (t.updateQueue = null), (dl.current = si), (e = n(r, a))
- } while (bl)
- }
- if (
- ((dl.current = li),
- (t = null !== vl && null !== vl.next),
- (hl = 0),
- (gl = vl = ml = null),
- (yl = !1),
- t)
- )
- throw Error(o(300))
- return e
- }
- function Cl() {
- var e = 0 !== wl
- return (wl = 0), e
- }
- function _l() {
- var e = { baseQueue: null, baseState: null, memoizedState: null, next: null, queue: null }
- return null === gl ? (ml.memoizedState = gl = e) : (gl = gl.next = e), gl
- }
- function Pl() {
- if (null === vl) {
- var e = ml.alternate
- e = null !== e ? e.memoizedState : null
- } else e = vl.next
- var t = null === gl ? ml.memoizedState : gl.next
- if (null !== t) (gl = t), (vl = e)
- else {
- if (null === e) throw Error(o(310))
- ;(e = {
- baseQueue: vl.baseQueue,
- baseState: vl.baseState,
- memoizedState: (vl = e).memoizedState,
- next: null,
- queue: vl.queue,
- }),
- null === gl ? (ml.memoizedState = gl = e) : (gl = gl.next = e)
- }
- return gl
- }
- function Nl(e, t) {
- return 'function' == typeof t ? t(e) : t
- }
- function Ol(e) {
- var t = Pl(),
- n = t.queue
- if (null === n) throw Error(o(311))
- n.lastRenderedReducer = e
- var r = vl,
- a = r.baseQueue,
- l = n.pending
- if (null !== l) {
- if (null !== a) {
- var i = a.next
- ;(a.next = l.next), (l.next = i)
- }
- ;(r.baseQueue = a = l), (n.pending = null)
- }
- if (null !== a) {
- ;(l = a.next), (r = r.baseState)
- var u = (i = null),
- s = null,
- c = l
- do {
- var f = c.lane
- if ((hl & f) === f)
- null !== s &&
- (s = s.next =
- {
- action: c.action,
- eagerState: c.eagerState,
- hasEagerState: c.hasEagerState,
- lane: 0,
- next: null,
- }),
- (r = c.hasEagerState ? c.eagerState : e(r, c.action))
- else {
- var d = {
- action: c.action,
- eagerState: c.eagerState,
- hasEagerState: c.hasEagerState,
- lane: f,
- next: null,
- }
- null === s ? ((u = s = d), (i = r)) : (s = s.next = d), (ml.lanes |= f), (ju |= f)
- }
- c = c.next
- } while (null !== c && c !== l)
- null === s ? (i = r) : (s.next = u),
- ir(r, t.memoizedState) || (wi = !0),
- (t.memoizedState = r),
- (t.baseState = i),
- (t.baseQueue = s),
- (n.lastRenderedState = r)
- }
- if (null !== (e = n.interleaved)) {
- a = e
- do {
- ;(l = a.lane), (ml.lanes |= l), (ju |= l), (a = a.next)
- } while (a !== e)
- } else null === a && (n.lanes = 0)
- return [t.memoizedState, n.dispatch]
- }
- function Ml(e) {
- var t = Pl(),
- n = t.queue
- if (null === n) throw Error(o(311))
- n.lastRenderedReducer = e
- var r = n.dispatch,
- a = n.pending,
- l = t.memoizedState
- if (null !== a) {
- n.pending = null
- var i = (a = a.next)
- do {
- ;(l = e(l, i.action)), (i = i.next)
- } while (i !== a)
- ir(l, t.memoizedState) || (wi = !0),
- (t.memoizedState = l),
- null === t.baseQueue && (t.baseState = l),
- (n.lastRenderedState = l)
- }
- return [l, r]
- }
- function Tl() {}
- function Ll(e, t) {
- var n = ml,
- r = Pl(),
- a = t(),
- l = !ir(r.memoizedState, a)
- if (
- (l && ((r.memoizedState = a), (wi = !0)),
- (r = r.queue),
- Hl(Dl.bind(null, n, r, e), [e]),
- r.getSnapshot !== t || l || (null !== gl && 1 & gl.memoizedState.tag))
- ) {
- if (((n.flags |= 2048), Al(9, zl.bind(null, n, r, a, t), void 0, null), null === Mu))
- throw Error(o(349))
- 0 != (30 & hl) || Rl(n, t, a)
- }
- return a
- }
- function Rl(e, t, n) {
- ;(e.flags |= 16384),
- (e = { getSnapshot: t, value: n }),
- null === (t = ml.updateQueue)
- ? ((t = { lastEffect: null, stores: null }), (ml.updateQueue = t), (t.stores = [e]))
- : null === (n = t.stores)
- ? (t.stores = [e])
- : n.push(e)
- }
- function zl(e, t, n, r) {
- ;(t.value = n), (t.getSnapshot = r), Il(t) && jl(e)
- }
- function Dl(e, t, n) {
- return n(function () {
- Il(t) && jl(e)
- })
- }
- function Il(e) {
- var t = e.getSnapshot
- e = e.value
- try {
- var n = t()
- return !ir(e, n)
- } catch (e) {
- return !0
- }
- }
- function jl(e) {
- var t = Mo(e, 1)
- null !== t && rs(t, e, 1, -1)
- }
- function Fl(e) {
- var t = _l()
- return (
- 'function' == typeof e && (e = e()),
- (t.memoizedState = t.baseState = e),
- (e = {
- dispatch: null,
- interleaved: null,
- lanes: 0,
- lastRenderedReducer: Nl,
- lastRenderedState: e,
- pending: null,
- }),
- (t.queue = e),
- (e = e.dispatch = ni.bind(null, ml, e)),
- [t.memoizedState, e]
- )
- }
- function Al(e, t, n, r) {
- return (
- (e = { create: t, deps: r, destroy: n, next: null, tag: e }),
- null === (t = ml.updateQueue)
- ? ((t = { lastEffect: null, stores: null }),
- (ml.updateQueue = t),
- (t.lastEffect = e.next = e))
- : null === (n = t.lastEffect)
- ? (t.lastEffect = e.next = e)
- : ((r = n.next), (n.next = e), (e.next = r), (t.lastEffect = e)),
- e
- )
- }
- function $l() {
- return Pl().memoizedState
- }
- function Ul(e, t, n, r) {
- var a = _l()
- ;(ml.flags |= e), (a.memoizedState = Al(1 | t, n, void 0, void 0 === r ? null : r))
- }
- function Bl(e, t, n, r) {
- var a = Pl()
- r = void 0 === r ? null : r
- var o = void 0
- if (null !== vl) {
- var l = vl.memoizedState
- if (((o = l.destroy), null !== r && Sl(r, l.deps)))
- return void (a.memoizedState = Al(t, n, o, r))
- }
- ;(ml.flags |= e), (a.memoizedState = Al(1 | t, n, o, r))
- }
- function Wl(e, t) {
- return Ul(8390656, 8, e, t)
- }
- function Hl(e, t) {
- return Bl(2048, 8, e, t)
- }
- function Vl(e, t) {
- return Bl(4, 2, e, t)
- }
- function Ql(e, t) {
- return Bl(4, 4, e, t)
- }
- function Kl(e, t) {
- return 'function' == typeof t
- ? ((e = e()),
- t(e),
- function () {
- t(null)
- })
- : null != t
- ? ((e = e()),
- (t.current = e),
- function () {
- t.current = null
- })
- : void 0
- }
- function ql(e, t, n) {
- return (n = null != n ? n.concat([e]) : null), Bl(4, 4, Kl.bind(null, t, e), n)
- }
- function Yl() {}
- function Xl(e, t) {
- var n = Pl()
- t = void 0 === t ? null : t
- var r = n.memoizedState
- return null !== r && null !== t && Sl(t, r[1]) ? r[0] : ((n.memoizedState = [e, t]), e)
- }
- function Gl(e, t) {
- var n = Pl()
- t = void 0 === t ? null : t
- var r = n.memoizedState
- return null !== r && null !== t && Sl(t, r[1])
- ? r[0]
- : ((e = e()), (n.memoizedState = [e, t]), e)
- }
- function Jl(e, t, n) {
- return 0 == (21 & hl)
- ? (e.baseState && ((e.baseState = !1), (wi = !0)), (e.memoizedState = n))
- : (ir(n, t) || ((n = mt()), (ml.lanes |= n), (ju |= n), (e.baseState = !0)), t)
- }
- function Zl(e, t) {
- var n = bt
- ;(bt = 0 !== n && 4 > n ? n : 4), e(!0)
- var r = pl.transition
- pl.transition = {}
- try {
- e(!1), t()
- } finally {
- ;(bt = n), (pl.transition = r)
- }
- }
- function ei() {
- return Pl().memoizedState
- }
- function ti(e, t, n) {
- var r = ns(e)
- if (
- ((n = { action: n, eagerState: null, hasEagerState: !1, lane: r, next: null }), ri(e))
- )
- ai(t, n)
- else if (null !== (n = Oo(e, t, n, r))) {
- rs(n, e, r, ts()), oi(n, t, r)
- }
- }
- function ni(e, t, n) {
- var r = ns(e),
- a = { action: n, eagerState: null, hasEagerState: !1, lane: r, next: null }
- if (ri(e)) ai(t, a)
- else {
- var o = e.alternate
- if (
- 0 === e.lanes &&
- (null === o || 0 === o.lanes) &&
- null !== (o = t.lastRenderedReducer)
- )
- try {
- var l = t.lastRenderedState,
- i = o(l, n)
- if (((a.hasEagerState = !0), (a.eagerState = i), ir(i, l))) {
- var u = t.interleaved
- return (
- null === u ? ((a.next = a), No(t)) : ((a.next = u.next), (u.next = a)),
- void (t.interleaved = a)
- )
- }
- } catch (e) {}
- null !== (n = Oo(e, t, a, r)) && (rs(n, e, r, (a = ts())), oi(n, t, r))
- }
- }
- function ri(e) {
- var t = e.alternate
- return e === ml || (null !== t && t === ml)
- }
- function ai(e, t) {
- bl = yl = !0
- var n = e.pending
- null === n ? (t.next = t) : ((t.next = n.next), (n.next = t)), (e.pending = t)
- }
- function oi(e, t, n) {
- if (0 != (4194240 & n)) {
- var r = t.lanes
- ;(n |= r &= e.pendingLanes), (t.lanes = n), yt(e, n)
- }
- }
- var li = {
- readContext: _o,
- unstable_isNewReconciler: !1,
- useCallback: xl,
- useContext: xl,
- useDebugValue: xl,
- useDeferredValue: xl,
- useEffect: xl,
- useId: xl,
- useImperativeHandle: xl,
- useInsertionEffect: xl,
- useLayoutEffect: xl,
- useMemo: xl,
- useMutableSource: xl,
- useReducer: xl,
- useRef: xl,
- useState: xl,
- useSyncExternalStore: xl,
- useTransition: xl,
- },
- ii = {
- readContext: _o,
- unstable_isNewReconciler: !1,
- useCallback: function (e, t) {
- return (_l().memoizedState = [e, void 0 === t ? null : t]), e
- },
- useContext: _o,
- useDebugValue: Yl,
- useDeferredValue: function (e) {
- return (_l().memoizedState = e)
- },
- useEffect: Wl,
- useId: function () {
- var e = _l(),
- t = Mu.identifierPrefix
- if (ao) {
- var n = Ga
- ;(t = ':' + t + 'R' + (n = (Xa & ~(1 << (32 - lt(Xa) - 1))).toString(32) + n)),
- 0 < (n = wl++) && (t += 'H' + n.toString(32)),
- (t += ':')
- } else t = ':' + t + 'r' + (n = kl++).toString(32) + ':'
- return (e.memoizedState = t)
- },
- useImperativeHandle: function (e, t, n) {
- return (n = null != n ? n.concat([e]) : null), Ul(4194308, 4, Kl.bind(null, t, e), n)
- },
- useInsertionEffect: function (e, t) {
- return Ul(4, 2, e, t)
- },
- useLayoutEffect: function (e, t) {
- return Ul(4194308, 4, e, t)
- },
- useMemo: function (e, t) {
- var n = _l()
- return (t = void 0 === t ? null : t), (e = e()), (n.memoizedState = [e, t]), e
- },
- useMutableSource: function () {},
- useReducer: function (e, t, n) {
- var r = _l()
- return (
- (t = void 0 !== n ? n(t) : t),
- (r.memoizedState = r.baseState = t),
- (e = {
- dispatch: null,
- interleaved: null,
- lanes: 0,
- lastRenderedReducer: e,
- lastRenderedState: t,
- pending: null,
- }),
- (r.queue = e),
- (e = e.dispatch = ti.bind(null, ml, e)),
- [r.memoizedState, e]
- )
- },
- useRef: function (e) {
- return (e = { current: e }), (_l().memoizedState = e)
- },
- useState: Fl,
- useSyncExternalStore: function (e, t, n) {
- var r = ml,
- a = _l()
- if (ao) {
- if (void 0 === n) throw Error(o(407))
- n = n()
- } else {
- if (((n = t()), null === Mu)) throw Error(o(349))
- 0 != (30 & hl) || Rl(r, t, n)
- }
- a.memoizedState = n
- var l = { getSnapshot: t, value: n }
- return (
- (a.queue = l),
- Wl(Dl.bind(null, r, l, e), [e]),
- (r.flags |= 2048),
- Al(9, zl.bind(null, r, l, n, t), void 0, null),
- n
- )
- },
- useTransition: function () {
- var e = Fl(!1),
- t = e[0]
- return (e = Zl.bind(null, e[1])), (_l().memoizedState = e), [t, e]
- },
- },
- ui = {
- readContext: _o,
- unstable_isNewReconciler: !1,
- useCallback: Xl,
- useContext: _o,
- useDebugValue: Yl,
- useDeferredValue: function (e) {
- return Jl(Pl(), vl.memoizedState, e)
- },
- useEffect: Hl,
- useId: ei,
- useImperativeHandle: ql,
- useInsertionEffect: Vl,
- useLayoutEffect: Ql,
- useMemo: Gl,
- useMutableSource: Tl,
- useReducer: Ol,
- useRef: $l,
- useState: function () {
- return Ol(Nl)
- },
- useSyncExternalStore: Ll,
- useTransition: function () {
- return [Ol(Nl)[0], Pl().memoizedState]
- },
- },
- si = {
- readContext: _o,
- unstable_isNewReconciler: !1,
- useCallback: Xl,
- useContext: _o,
- useDebugValue: Yl,
- useDeferredValue: function (e) {
- var t = Pl()
- return null === vl ? (t.memoizedState = e) : Jl(t, vl.memoizedState, e)
- },
- useEffect: Hl,
- useId: ei,
- useImperativeHandle: ql,
- useInsertionEffect: Vl,
- useLayoutEffect: Ql,
- useMemo: Gl,
- useMutableSource: Tl,
- useReducer: Ml,
- useRef: $l,
- useState: function () {
- return Ml(Nl)
- },
- useSyncExternalStore: Ll,
- useTransition: function () {
- return [Ml(Nl)[0], Pl().memoizedState]
- },
- }
- function ci(e, t) {
- try {
- var n = '',
- r = t
- do {
- ;(n += U(r)), (r = r.return)
- } while (r)
- var a = n
- } catch (e) {
- a = '\nError generating stack: ' + e.message + '\n' + e.stack
- }
- return { digest: null, source: t, stack: a, value: e }
- }
- function fi(e, t, n) {
- return {
- digest: null != t ? t : null,
- source: null,
- stack: null != n ? n : null,
- value: e,
- }
- }
- function di(e, t) {
- try {
- console.error(t.value)
- } catch (e) {
- setTimeout(function () {
- throw e
- })
- }
- }
- var pi = 'function' == typeof WeakMap ? WeakMap : Map
- function hi(e, t, n) {
- ;((n = zo(-1, n)).tag = 3), (n.payload = { element: null })
- var r = t.value
- return (
- (n.callback = function () {
- Vu || ((Vu = !0), (Qu = r)), di(0, t)
- }),
- n
- )
- }
- function mi(e, t, n) {
- ;(n = zo(-1, n)).tag = 3
- var r = e.type.getDerivedStateFromError
- if ('function' == typeof r) {
- var a = t.value
- ;(n.payload = function () {
- return r(a)
- }),
- (n.callback = function () {
- di(0, t)
- })
- }
- var o = e.stateNode
- return (
- null !== o &&
- 'function' == typeof o.componentDidCatch &&
- (n.callback = function () {
- di(0, t),
- 'function' != typeof r && (null === Ku ? (Ku = new Set([this])) : Ku.add(this))
- var e = t.stack
- this.componentDidCatch(t.value, { componentStack: null !== e ? e : '' })
- }),
- n
- )
- }
- function vi(e, t, n) {
- var r = e.pingCache
- if (null === r) {
- r = e.pingCache = new pi()
- var a = new Set()
- r.set(t, a)
- } else void 0 === (a = r.get(t)) && ((a = new Set()), r.set(t, a))
- a.has(n) || (a.add(n), (e = _s.bind(null, e, t, n)), t.then(e, e))
- }
- function gi(e) {
- do {
- var t
- if (
- ((t = 13 === e.tag) && (t = null === (t = e.memoizedState) || null !== t.dehydrated),
- t)
- )
- return e
- e = e.return
- } while (null !== e)
- return null
- }
- function yi(e, t, n, r, a) {
- return 0 == (1 & e.mode)
- ? (e === t
- ? (e.flags |= 65536)
- : ((e.flags |= 128),
- (n.flags |= 131072),
- (n.flags &= -52805),
- 1 === n.tag &&
- (null === n.alternate
- ? (n.tag = 17)
- : (((t = zo(-1, 1)).tag = 2), Do(n, t, 1))),
- (n.lanes |= 1)),
- e)
- : ((e.flags |= 65536), (e.lanes = a), e)
- }
- var bi = w.ReactCurrentOwner,
- wi = !1
- function ki(e, t, n, r) {
- t.child = null === e ? Jo(t, null, n, r) : Go(t, e.child, n, r)
- }
- function xi(e, t, n, r, a) {
- n = n.render
- var o = t.ref
- return (
- Co(t, a),
- (r = El(e, t, n, r, o, a)),
- (n = Cl()),
- null === e || wi
- ? (ao && n && eo(t), (t.flags |= 1), ki(e, t, r, a), t.child)
- : ((t.updateQueue = e.updateQueue), (t.flags &= -2053), (e.lanes &= ~a), Vi(e, t, a))
- )
- }
- function Si(e, t, n, r, a) {
- if (null === e) {
- var o = n.type
- return 'function' != typeof o ||
- Rs(o) ||
- void 0 !== o.defaultProps ||
- null !== n.compare ||
- void 0 !== n.defaultProps
- ? (((e = Ds(n.type, null, r, t, t.mode, a)).ref = t.ref),
- (e.return = t),
- (t.child = e))
- : ((t.tag = 15), (t.type = o), Ei(e, t, o, r, a))
- }
- if (((o = e.child), 0 == (e.lanes & a))) {
- var l = o.memoizedProps
- if ((n = null !== (n = n.compare) ? n : ur)(l, r) && e.ref === t.ref) return Vi(e, t, a)
- }
- return (t.flags |= 1), ((e = zs(o, r)).ref = t.ref), (e.return = t), (t.child = e)
- }
- function Ei(e, t, n, r, a) {
- if (null !== e) {
- var o = e.memoizedProps
- if (ur(o, r) && e.ref === t.ref) {
- if (((wi = !1), (t.pendingProps = r = o), 0 == (e.lanes & a)))
- return (t.lanes = e.lanes), Vi(e, t, a)
- 0 != (131072 & e.flags) && (wi = !0)
- }
- }
- return Pi(e, t, n, r, a)
- }
- function Ci(e, t, n) {
- var r = t.pendingProps,
- a = r.children,
- o = null !== e ? e.memoizedState : null
- if ('hidden' === r.mode)
- if (0 == (1 & t.mode))
- (t.memoizedState = { baseLanes: 0, cachePool: null, transitions: null }),
- _a(zu, Ru),
- (Ru |= n)
- else {
- if (0 == (1073741824 & n))
- return (
- (e = null !== o ? o.baseLanes | n : n),
- (t.lanes = t.childLanes = 1073741824),
- (t.memoizedState = { baseLanes: e, cachePool: null, transitions: null }),
- (t.updateQueue = null),
- _a(zu, Ru),
- (Ru |= e),
- null
- )
- ;(t.memoizedState = { baseLanes: 0, cachePool: null, transitions: null }),
- (r = null !== o ? o.baseLanes : n),
- _a(zu, Ru),
- (Ru |= r)
- }
- else
- null !== o ? ((r = o.baseLanes | n), (t.memoizedState = null)) : (r = n),
- _a(zu, Ru),
- (Ru |= r)
- return ki(e, t, a, n), t.child
- }
- function _i(e, t) {
- var n = t.ref
- ;((null === e && null !== n) || (null !== e && e.ref !== n)) &&
- ((t.flags |= 512), (t.flags |= 2097152))
- }
- function Pi(e, t, n, r, a) {
- var o = La(n) ? Ma : Na.current
- return (
- (o = Ta(t, o)),
- Co(t, a),
- (n = El(e, t, n, r, o, a)),
- (r = Cl()),
- null === e || wi
- ? (ao && r && eo(t), (t.flags |= 1), ki(e, t, n, a), t.child)
- : ((t.updateQueue = e.updateQueue), (t.flags &= -2053), (e.lanes &= ~a), Vi(e, t, a))
- )
- }
- function Ni(e, t, n, r, a) {
- if (La(n)) {
- var o = !0
- Ia(t)
- } else o = !1
- if ((Co(t, a), null === t.stateNode)) Hi(e, t), Ho(t, n, r), Qo(t, n, r, a), (r = !0)
- else if (null === e) {
- var l = t.stateNode,
- i = t.memoizedProps
- l.props = i
- var u = l.context,
- s = n.contextType
- 'object' == typeof s && null !== s
- ? (s = _o(s))
- : (s = Ta(t, (s = La(n) ? Ma : Na.current)))
- var c = n.getDerivedStateFromProps,
- f = 'function' == typeof c || 'function' == typeof l.getSnapshotBeforeUpdate
- f ||
- ('function' != typeof l.UNSAFE_componentWillReceiveProps &&
- 'function' != typeof l.componentWillReceiveProps) ||
- ((i !== r || u !== s) && Vo(t, l, r, s)),
- (To = !1)
- var d = t.memoizedState
- ;(l.state = d),
- Fo(t, r, l, a),
- (u = t.memoizedState),
- i !== r || d !== u || Oa.current || To
- ? ('function' == typeof c && (Uo(t, n, c, r), (u = t.memoizedState)),
- (i = To || Wo(t, n, i, r, d, u, s))
- ? (f ||
- ('function' != typeof l.UNSAFE_componentWillMount &&
- 'function' != typeof l.componentWillMount) ||
- ('function' == typeof l.componentWillMount && l.componentWillMount(),
- 'function' == typeof l.UNSAFE_componentWillMount &&
- l.UNSAFE_componentWillMount()),
- 'function' == typeof l.componentDidMount && (t.flags |= 4194308))
- : ('function' == typeof l.componentDidMount && (t.flags |= 4194308),
- (t.memoizedProps = r),
- (t.memoizedState = u)),
- (l.props = r),
- (l.state = u),
- (l.context = s),
- (r = i))
- : ('function' == typeof l.componentDidMount && (t.flags |= 4194308), (r = !1))
- } else {
- ;(l = t.stateNode),
- Ro(e, t),
- (i = t.memoizedProps),
- (s = t.type === t.elementType ? i : go(t.type, i)),
- (l.props = s),
- (f = t.pendingProps),
- (d = l.context),
- 'object' == typeof (u = n.contextType) && null !== u
- ? (u = _o(u))
- : (u = Ta(t, (u = La(n) ? Ma : Na.current)))
- var p = n.getDerivedStateFromProps
- ;(c = 'function' == typeof p || 'function' == typeof l.getSnapshotBeforeUpdate) ||
- ('function' != typeof l.UNSAFE_componentWillReceiveProps &&
- 'function' != typeof l.componentWillReceiveProps) ||
- ((i !== f || d !== u) && Vo(t, l, r, u)),
- (To = !1),
- (d = t.memoizedState),
- (l.state = d),
- Fo(t, r, l, a)
- var h = t.memoizedState
- i !== f || d !== h || Oa.current || To
- ? ('function' == typeof p && (Uo(t, n, p, r), (h = t.memoizedState)),
- (s = To || Wo(t, n, s, r, d, h, u) || !1)
- ? (c ||
- ('function' != typeof l.UNSAFE_componentWillUpdate &&
- 'function' != typeof l.componentWillUpdate) ||
- ('function' == typeof l.componentWillUpdate && l.componentWillUpdate(r, h, u),
- 'function' == typeof l.UNSAFE_componentWillUpdate &&
- l.UNSAFE_componentWillUpdate(r, h, u)),
- 'function' == typeof l.componentDidUpdate && (t.flags |= 4),
- 'function' == typeof l.getSnapshotBeforeUpdate && (t.flags |= 1024))
- : ('function' != typeof l.componentDidUpdate ||
- (i === e.memoizedProps && d === e.memoizedState) ||
- (t.flags |= 4),
- 'function' != typeof l.getSnapshotBeforeUpdate ||
- (i === e.memoizedProps && d === e.memoizedState) ||
- (t.flags |= 1024),
- (t.memoizedProps = r),
- (t.memoizedState = h)),
- (l.props = r),
- (l.state = h),
- (l.context = u),
- (r = s))
- : ('function' != typeof l.componentDidUpdate ||
- (i === e.memoizedProps && d === e.memoizedState) ||
- (t.flags |= 4),
- 'function' != typeof l.getSnapshotBeforeUpdate ||
- (i === e.memoizedProps && d === e.memoizedState) ||
- (t.flags |= 1024),
- (r = !1))
- }
- return Oi(e, t, n, r, o, a)
- }
- function Oi(e, t, n, r, a, o) {
- _i(e, t)
- var l = 0 != (128 & t.flags)
- if (!r && !l) return a && ja(t, n, !1), Vi(e, t, o)
- ;(r = t.stateNode), (bi.current = t)
- var i = l && 'function' != typeof n.getDerivedStateFromError ? null : r.render()
- return (
- (t.flags |= 1),
- null !== e && l
- ? ((t.child = Go(t, e.child, null, o)), (t.child = Go(t, null, i, o)))
- : ki(e, t, i, o),
- (t.memoizedState = r.state),
- a && ja(t, n, !0),
- t.child
- )
- }
- function Mi(e) {
- var t = e.stateNode
- t.pendingContext
- ? za(0, t.pendingContext, t.pendingContext !== t.context)
- : t.context && za(0, t.context, !1),
- al(e, t.containerInfo)
- }
- function Ti(e, t, n, r, a) {
- return ho(), mo(a), (t.flags |= 256), ki(e, t, n, r), t.child
- }
- var Li,
- Ri,
- zi,
- Di,
- Ii = { dehydrated: null, retryLane: 0, treeContext: null }
- function ji(e) {
- return { baseLanes: e, cachePool: null, transitions: null }
- }
- function Fi(e, t, n) {
- var r,
- a = t.pendingProps,
- l = ul.current,
- i = !1,
- u = 0 != (128 & t.flags)
- if (
- ((r = u) || (r = (null === e || null !== e.memoizedState) && 0 != (2 & l)),
- r
- ? ((i = !0), (t.flags &= -129))
- : (null !== e && null === e.memoizedState) || (l |= 1),
- _a(ul, 1 & l),
- null === e)
- )
- return (
- so(t),
- null !== (e = t.memoizedState) && null !== (e = e.dehydrated)
- ? (0 == (1 & t.mode)
- ? (t.lanes = 1)
- : '$!' === e.data
- ? (t.lanes = 8)
- : (t.lanes = 1073741824),
- null)
- : ((u = a.children),
- (e = a.fallback),
- i
- ? ((a = t.mode),
- (i = t.child),
- (u = { children: u, mode: 'hidden' }),
- 0 == (1 & a) && null !== i
- ? ((i.childLanes = 0), (i.pendingProps = u))
- : (i = js(u, a, 0, null)),
- (e = Is(e, a, n, null)),
- (i.return = t),
- (e.return = t),
- (i.sibling = e),
- (t.child = i),
- (t.child.memoizedState = ji(n)),
- (t.memoizedState = Ii),
- e)
- : Ai(t, u))
- )
- if (null !== (l = e.memoizedState) && null !== (r = l.dehydrated))
- return (function (e, t, n, r, a, l, i) {
- if (n)
- return 256 & t.flags
- ? ((t.flags &= -257), $i(e, t, i, (r = fi(Error(o(422))))))
- : null !== t.memoizedState
- ? ((t.child = e.child), (t.flags |= 128), null)
- : ((l = r.fallback),
- (a = t.mode),
- (r = js({ children: r.children, mode: 'visible' }, a, 0, null)),
- ((l = Is(l, a, i, null)).flags |= 2),
- (r.return = t),
- (l.return = t),
- (r.sibling = l),
- (t.child = r),
- 0 != (1 & t.mode) && Go(t, e.child, null, i),
- (t.child.memoizedState = ji(i)),
- (t.memoizedState = Ii),
- l)
- if (0 == (1 & t.mode)) return $i(e, t, i, null)
- if ('$!' === a.data) {
- if ((r = a.nextSibling && a.nextSibling.dataset)) var u = r.dgst
- return (r = u), $i(e, t, i, (r = fi((l = Error(o(419))), r, void 0)))
- }
- if (((u = 0 != (i & e.childLanes)), wi || u)) {
- if (null !== (r = Mu)) {
- switch (i & -i) {
- case 4:
- a = 2
- break
- case 16:
- a = 8
- break
- case 64:
- case 128:
- case 256:
- case 512:
- case 1024:
- case 2048:
- case 4096:
- case 8192:
- case 16384:
- case 32768:
- case 65536:
- case 131072:
- case 262144:
- case 524288:
- case 1048576:
- case 2097152:
- case 4194304:
- case 8388608:
- case 16777216:
- case 33554432:
- case 67108864:
- a = 32
- break
- case 536870912:
- a = 268435456
- break
- default:
- a = 0
- }
- 0 !== (a = 0 != (a & (r.suspendedLanes | i)) ? 0 : a) &&
- a !== l.retryLane &&
- ((l.retryLane = a), Mo(e, a), rs(r, e, a, -1))
- }
- return vs(), $i(e, t, i, (r = fi(Error(o(421)))))
- }
- return '$?' === a.data
- ? ((t.flags |= 128),
- (t.child = e.child),
- (t = Ns.bind(null, e)),
- (a._reactRetry = t),
- null)
- : ((e = l.treeContext),
- (ro = sa(a.nextSibling)),
- (no = t),
- (ao = !0),
- (oo = null),
- null !== e &&
- ((Ka[qa++] = Xa),
- (Ka[qa++] = Ga),
- (Ka[qa++] = Ya),
- (Xa = e.id),
- (Ga = e.overflow),
- (Ya = t)),
- (t = Ai(t, r.children)),
- (t.flags |= 4096),
- t)
- })(e, t, u, a, r, l, n)
- if (i) {
- ;(i = a.fallback), (u = t.mode), (r = (l = e.child).sibling)
- var s = { children: a.children, mode: 'hidden' }
- return (
- 0 == (1 & u) && t.child !== l
- ? (((a = t.child).childLanes = 0), (a.pendingProps = s), (t.deletions = null))
- : ((a = zs(l, s)).subtreeFlags = 14680064 & l.subtreeFlags),
- null !== r ? (i = zs(r, i)) : ((i = Is(i, u, n, null)).flags |= 2),
- (i.return = t),
- (a.return = t),
- (a.sibling = i),
- (t.child = a),
- (a = i),
- (i = t.child),
- (u =
- null === (u = e.child.memoizedState)
- ? ji(n)
- : { baseLanes: u.baseLanes | n, cachePool: null, transitions: u.transitions }),
- (i.memoizedState = u),
- (i.childLanes = e.childLanes & ~n),
- (t.memoizedState = Ii),
- a
- )
- }
- return (
- (e = (i = e.child).sibling),
- (a = zs(i, { children: a.children, mode: 'visible' })),
- 0 == (1 & t.mode) && (a.lanes = n),
- (a.return = t),
- (a.sibling = null),
- null !== e &&
- (null === (n = t.deletions) ? ((t.deletions = [e]), (t.flags |= 16)) : n.push(e)),
- (t.child = a),
- (t.memoizedState = null),
- a
- )
- }
- function Ai(e, t) {
- return (
- ((t = js({ children: t, mode: 'visible' }, e.mode, 0, null)).return = e), (e.child = t)
- )
- }
- function $i(e, t, n, r) {
- return (
- null !== r && mo(r),
- Go(t, e.child, null, n),
- ((e = Ai(t, t.pendingProps.children)).flags |= 2),
- (t.memoizedState = null),
- e
- )
- }
- function Ui(e, t, n) {
- e.lanes |= t
- var r = e.alternate
- null !== r && (r.lanes |= t), Eo(e.return, t, n)
- }
- function Bi(e, t, n, r, a) {
- var o = e.memoizedState
- null === o
- ? (e.memoizedState = {
- isBackwards: t,
- last: r,
- rendering: null,
- renderingStartTime: 0,
- tail: n,
- tailMode: a,
- })
- : ((o.isBackwards = t),
- (o.rendering = null),
- (o.renderingStartTime = 0),
- (o.last = r),
- (o.tail = n),
- (o.tailMode = a))
- }
- function Wi(e, t, n) {
- var r = t.pendingProps,
- a = r.revealOrder,
- o = r.tail
- if ((ki(e, t, r.children, n), 0 != (2 & (r = ul.current))))
- (r = (1 & r) | 2), (t.flags |= 128)
- else {
- if (null !== e && 0 != (128 & e.flags))
- e: for (e = t.child; null !== e; ) {
- if (13 === e.tag) null !== e.memoizedState && Ui(e, n, t)
- else if (19 === e.tag) Ui(e, n, t)
- else if (null !== e.child) {
- ;(e.child.return = e), (e = e.child)
- continue
- }
- if (e === t) break e
- for (; null === e.sibling; ) {
- if (null === e.return || e.return === t) break e
- e = e.return
- }
- ;(e.sibling.return = e.return), (e = e.sibling)
- }
- r &= 1
- }
- if ((_a(ul, r), 0 == (1 & t.mode))) t.memoizedState = null
- else
- switch (a) {
- case 'forwards':
- for (n = t.child, a = null; null !== n; )
- null !== (e = n.alternate) && null === sl(e) && (a = n), (n = n.sibling)
- null === (n = a)
- ? ((a = t.child), (t.child = null))
- : ((a = n.sibling), (n.sibling = null)),
- Bi(t, !1, a, n, o)
- break
- case 'backwards':
- for (n = null, a = t.child, t.child = null; null !== a; ) {
- if (null !== (e = a.alternate) && null === sl(e)) {
- t.child = a
- break
- }
- ;(e = a.sibling), (a.sibling = n), (n = a), (a = e)
- }
- Bi(t, !0, n, null, o)
- break
- case 'together':
- Bi(t, !1, null, null, void 0)
- break
- default:
- t.memoizedState = null
- }
- return t.child
- }
- function Hi(e, t) {
- 0 == (1 & t.mode) &&
- null !== e &&
- ((e.alternate = null), (t.alternate = null), (t.flags |= 2))
- }
- function Vi(e, t, n) {
- if (
- (null !== e && (t.dependencies = e.dependencies),
- (ju |= t.lanes),
- 0 == (n & t.childLanes))
- )
- return null
- if (null !== e && t.child !== e.child) throw Error(o(153))
- if (null !== t.child) {
- for (
- n = zs((e = t.child), e.pendingProps), t.child = n, n.return = t;
- null !== e.sibling;
-
- )
- (e = e.sibling), ((n = n.sibling = zs(e, e.pendingProps)).return = t)
- n.sibling = null
- }
- return t.child
- }
- function Qi(e, t) {
- if (!ao)
- switch (e.tailMode) {
- case 'hidden':
- t = e.tail
- for (var n = null; null !== t; ) null !== t.alternate && (n = t), (t = t.sibling)
- null === n ? (e.tail = null) : (n.sibling = null)
- break
- case 'collapsed':
- n = e.tail
- for (var r = null; null !== n; ) null !== n.alternate && (r = n), (n = n.sibling)
- null === r
- ? t || null === e.tail
- ? (e.tail = null)
- : (e.tail.sibling = null)
- : (r.sibling = null)
- }
- }
- function Ki(e) {
- var t = null !== e.alternate && e.alternate.child === e.child,
- n = 0,
- r = 0
- if (t)
- for (var a = e.child; null !== a; )
- (n |= a.lanes | a.childLanes),
- (r |= 14680064 & a.subtreeFlags),
- (r |= 14680064 & a.flags),
- (a.return = e),
- (a = a.sibling)
- else
- for (a = e.child; null !== a; )
- (n |= a.lanes | a.childLanes),
- (r |= a.subtreeFlags),
- (r |= a.flags),
- (a.return = e),
- (a = a.sibling)
- return (e.subtreeFlags |= r), (e.childLanes = n), t
- }
- function qi(e, t, n) {
- var r = t.pendingProps
- switch ((to(t), t.tag)) {
- case 2:
- case 16:
- case 15:
- case 0:
- case 11:
- case 7:
- case 8:
- case 12:
- case 9:
- case 14:
- return Ki(t), null
- case 1:
- case 17:
- return La(t.type) && Ra(), Ki(t), null
- case 3:
- return (
- (r = t.stateNode),
- ol(),
- Ca(Oa),
- Ca(Na),
- fl(),
- r.pendingContext && ((r.context = r.pendingContext), (r.pendingContext = null)),
- (null !== e && null !== e.child) ||
- (fo(t)
- ? (t.flags |= 4)
- : null === e ||
- (e.memoizedState.isDehydrated && 0 == (256 & t.flags)) ||
- ((t.flags |= 1024), null !== oo && (is(oo), (oo = null)))),
- Ri(e, t),
- Ki(t),
- null
- )
- case 5:
- il(t)
- var a = rl(nl.current)
- if (((n = t.type), null !== e && null != t.stateNode))
- zi(e, t, n, r, a), e.ref !== t.ref && ((t.flags |= 512), (t.flags |= 2097152))
- else {
- if (!r) {
- if (null === t.stateNode) throw Error(o(166))
- return Ki(t), null
- }
- if (((e = rl(el.current)), fo(t))) {
- ;(r = t.stateNode), (n = t.type)
- var l = t.memoizedProps
- switch (((r[da] = t), (r[pa] = l), (e = 0 != (1 & t.mode)), n)) {
- case 'dialog':
- Ar('cancel', r), Ar('close', r)
- break
- case 'iframe':
- case 'object':
- case 'embed':
- Ar('load', r)
- break
- case 'video':
- case 'audio':
- for (a = 0; a < Dr.length; a++) Ar(Dr[a], r)
- break
- case 'source':
- Ar('error', r)
- break
- case 'img':
- case 'image':
- case 'link':
- Ar('error', r), Ar('load', r)
- break
- case 'details':
- Ar('toggle', r)
- break
- case 'input':
- X(r, l), Ar('invalid', r)
- break
- case 'select':
- ;(r._wrapperState = { wasMultiple: !!l.multiple }), Ar('invalid', r)
- break
- case 'textarea':
- ae(r, l), Ar('invalid', r)
- }
- for (var u in (ye(n, l), (a = null), l))
- if (l.hasOwnProperty(u)) {
- var s = l[u]
- 'children' === u
- ? 'string' == typeof s
- ? r.textContent !== s &&
- (!0 !== l.suppressHydrationWarning && Jr(r.textContent, s, e),
- (a = ['children', s]))
- : 'number' == typeof s &&
- r.textContent !== '' + s &&
- (!0 !== l.suppressHydrationWarning && Jr(r.textContent, s, e),
- (a = ['children', '' + s]))
- : i.hasOwnProperty(u) && null != s && 'onScroll' === u && Ar('scroll', r)
- }
- switch (n) {
- case 'input':
- Q(r), Z(r, l, !0)
- break
- case 'textarea':
- Q(r), le(r)
- break
- case 'select':
- case 'option':
- break
- default:
- 'function' == typeof l.onClick && (r.onclick = Zr)
- }
- ;(r = a), (t.updateQueue = r), null !== r && (t.flags |= 4)
- } else {
- ;(u = 9 === a.nodeType ? a : a.ownerDocument),
- 'http://www.w3.org/1999/xhtml' === e && (e = ie(n)),
- 'http://www.w3.org/1999/xhtml' === e
- ? 'script' === n
- ? (((e = u.createElement('div')).innerHTML = '<script></script>'),
- (e = e.removeChild(e.firstChild)))
- : 'string' == typeof r.is
- ? (e = u.createElement(n, { is: r.is }))
- : ((e = u.createElement(n)),
- 'select' === n &&
- ((u = e), r.multiple ? (u.multiple = !0) : r.size && (u.size = r.size)))
- : (e = u.createElementNS(e, n)),
- (e[da] = t),
- (e[pa] = r),
- Li(e, t, !1, !1),
- (t.stateNode = e)
- e: {
- switch (((u = be(n, r)), n)) {
- case 'dialog':
- Ar('cancel', e), Ar('close', e), (a = r)
- break
- case 'iframe':
- case 'object':
- case 'embed':
- Ar('load', e), (a = r)
- break
- case 'video':
- case 'audio':
- for (a = 0; a < Dr.length; a++) Ar(Dr[a], e)
- a = r
- break
- case 'source':
- Ar('error', e), (a = r)
- break
- case 'img':
- case 'image':
- case 'link':
- Ar('error', e), Ar('load', e), (a = r)
- break
- case 'details':
- Ar('toggle', e), (a = r)
- break
- case 'input':
- X(e, r), (a = Y(e, r)), Ar('invalid', e)
- break
- case 'option':
- default:
- a = r
- break
- case 'select':
- ;(e._wrapperState = { wasMultiple: !!r.multiple }),
- (a = j({}, r, { value: void 0 })),
- Ar('invalid', e)
- break
- case 'textarea':
- ae(e, r), (a = re(e, r)), Ar('invalid', e)
- }
- for (l in (ye(n, a), (s = a)))
- if (s.hasOwnProperty(l)) {
- var c = s[l]
- 'style' === l
- ? ve(e, c)
- : 'dangerouslySetInnerHTML' === l
- ? null != (c = c ? c.__html : void 0) && fe(e, c)
- : 'children' === l
- ? 'string' == typeof c
- ? ('textarea' !== n || '' !== c) && de(e, c)
- : 'number' == typeof c && de(e, '' + c)
- : 'suppressContentEditableWarning' !== l &&
- 'suppressHydrationWarning' !== l &&
- 'autoFocus' !== l &&
- (i.hasOwnProperty(l)
- ? null != c && 'onScroll' === l && Ar('scroll', e)
- : null != c && b(e, l, c, u))
- }
- switch (n) {
- case 'input':
- Q(e), Z(e, r, !1)
- break
- case 'textarea':
- Q(e), le(e)
- break
- case 'option':
- null != r.value && e.setAttribute('value', '' + H(r.value))
- break
- case 'select':
- ;(e.multiple = !!r.multiple),
- null != (l = r.value)
- ? ne(e, !!r.multiple, l, !1)
- : null != r.defaultValue && ne(e, !!r.multiple, r.defaultValue, !0)
- break
- default:
- 'function' == typeof a.onClick && (e.onclick = Zr)
- }
- switch (n) {
- case 'button':
- case 'input':
- case 'select':
- case 'textarea':
- r = !!r.autoFocus
- break e
- case 'img':
- r = !0
- break e
- default:
- r = !1
- }
- }
- r && (t.flags |= 4)
- }
- null !== t.ref && ((t.flags |= 512), (t.flags |= 2097152))
- }
- return Ki(t), null
- case 6:
- if (e && null != t.stateNode) Di(e, t, e.memoizedProps, r)
- else {
- if ('string' != typeof r && null === t.stateNode) throw Error(o(166))
- if (((n = rl(nl.current)), rl(el.current), fo(t))) {
- if (
- ((r = t.stateNode),
- (n = t.memoizedProps),
- (r[da] = t),
- (l = r.nodeValue !== n) && null !== (e = no))
- )
- switch (e.tag) {
- case 3:
- Jr(r.nodeValue, n, 0 != (1 & e.mode))
- break
- case 5:
- !0 !== e.memoizedProps.suppressHydrationWarning &&
- Jr(r.nodeValue, n, 0 != (1 & e.mode))
- }
- l && (t.flags |= 4)
- } else
- ((r = (9 === n.nodeType ? n : n.ownerDocument).createTextNode(r))[da] = t),
- (t.stateNode = r)
- }
- return Ki(t), null
- case 13:
- if (
- (Ca(ul),
- (r = t.memoizedState),
- null === e || (null !== e.memoizedState && null !== e.memoizedState.dehydrated))
- ) {
- if (ao && null !== ro && 0 != (1 & t.mode) && 0 == (128 & t.flags))
- po(), ho(), (t.flags |= 98560), (l = !1)
- else if (((l = fo(t)), null !== r && null !== r.dehydrated)) {
- if (null === e) {
- if (!l) throw Error(o(318))
- if (!(l = null !== (l = t.memoizedState) ? l.dehydrated : null))
- throw Error(o(317))
- l[da] = t
- } else ho(), 0 == (128 & t.flags) && (t.memoizedState = null), (t.flags |= 4)
- Ki(t), (l = !1)
- } else null !== oo && (is(oo), (oo = null)), (l = !0)
- if (!l) return 65536 & t.flags ? t : null
- }
- return 0 != (128 & t.flags)
- ? ((t.lanes = n), t)
- : ((r = null !== r) !== (null !== e && null !== e.memoizedState) &&
- r &&
- ((t.child.flags |= 8192),
- 0 != (1 & t.mode) &&
- (null === e || 0 != (1 & ul.current) ? 0 === Du && (Du = 3) : vs())),
- null !== t.updateQueue && (t.flags |= 4),
- Ki(t),
- null)
- case 4:
- return ol(), Ri(e, t), null === e && Br(t.stateNode.containerInfo), Ki(t), null
- case 10:
- return So(t.type._context), Ki(t), null
- case 19:
- if ((Ca(ul), null === (l = t.memoizedState))) return Ki(t), null
- if (((r = 0 != (128 & t.flags)), null === (u = l.rendering)))
- if (r) Qi(l, !1)
- else {
- if (0 !== Du || (null !== e && 0 != (128 & e.flags)))
- for (e = t.child; null !== e; ) {
- if (null !== (u = sl(e))) {
- for (
- t.flags |= 128,
- Qi(l, !1),
- null !== (r = u.updateQueue) && ((t.updateQueue = r), (t.flags |= 4)),
- t.subtreeFlags = 0,
- r = n,
- n = t.child;
- null !== n;
-
- )
- (e = r),
- ((l = n).flags &= 14680066),
- null === (u = l.alternate)
- ? ((l.childLanes = 0),
- (l.lanes = e),
- (l.child = null),
- (l.subtreeFlags = 0),
- (l.memoizedProps = null),
- (l.memoizedState = null),
- (l.updateQueue = null),
- (l.dependencies = null),
- (l.stateNode = null))
- : ((l.childLanes = u.childLanes),
- (l.lanes = u.lanes),
- (l.child = u.child),
- (l.subtreeFlags = 0),
- (l.deletions = null),
- (l.memoizedProps = u.memoizedProps),
- (l.memoizedState = u.memoizedState),
- (l.updateQueue = u.updateQueue),
- (l.type = u.type),
- (e = u.dependencies),
- (l.dependencies =
- null === e
- ? null
- : { firstContext: e.firstContext, lanes: e.lanes })),
- (n = n.sibling)
- return _a(ul, (1 & ul.current) | 2), t.child
- }
- e = e.sibling
- }
- null !== l.tail &&
- Ge() > Wu &&
- ((t.flags |= 128), (r = !0), Qi(l, !1), (t.lanes = 4194304))
- }
- else {
- if (!r)
- if (null !== (e = sl(u))) {
- if (
- ((t.flags |= 128),
- (r = !0),
- null !== (n = e.updateQueue) && ((t.updateQueue = n), (t.flags |= 4)),
- Qi(l, !0),
- null === l.tail && 'hidden' === l.tailMode && !u.alternate && !ao)
- )
- return Ki(t), null
- } else
- 2 * Ge() - l.renderingStartTime > Wu &&
- 1073741824 !== n &&
- ((t.flags |= 128), (r = !0), Qi(l, !1), (t.lanes = 4194304))
- l.isBackwards
- ? ((u.sibling = t.child), (t.child = u))
- : (null !== (n = l.last) ? (n.sibling = u) : (t.child = u), (l.last = u))
- }
- return null !== l.tail
- ? ((t = l.tail),
- (l.rendering = t),
- (l.tail = t.sibling),
- (l.renderingStartTime = Ge()),
- (t.sibling = null),
- (n = ul.current),
- _a(ul, r ? (1 & n) | 2 : 1 & n),
- t)
- : (Ki(t), null)
- case 22:
- case 23:
- return (
- ds(),
- (r = null !== t.memoizedState),
- null !== e && (null !== e.memoizedState) !== r && (t.flags |= 8192),
- r && 0 != (1 & t.mode)
- ? 0 != (1073741824 & Ru) && (Ki(t), 6 & t.subtreeFlags && (t.flags |= 8192))
- : Ki(t),
- null
- )
- case 24:
- case 25:
- return null
- }
- throw Error(o(156, t.tag))
- }
- function Yi(e, t) {
- switch ((to(t), t.tag)) {
- case 1:
- return (
- La(t.type) && Ra(),
- 65536 & (e = t.flags) ? ((t.flags = (-65537 & e) | 128), t) : null
- )
- case 3:
- return (
- ol(),
- Ca(Oa),
- Ca(Na),
- fl(),
- 0 != (65536 & (e = t.flags)) && 0 == (128 & e)
- ? ((t.flags = (-65537 & e) | 128), t)
- : null
- )
- case 5:
- return il(t), null
- case 13:
- if ((Ca(ul), null !== (e = t.memoizedState) && null !== e.dehydrated)) {
- if (null === t.alternate) throw Error(o(340))
- ho()
- }
- return 65536 & (e = t.flags) ? ((t.flags = (-65537 & e) | 128), t) : null
- case 19:
- return Ca(ul), null
- case 4:
- return ol(), null
- case 10:
- return So(t.type._context), null
- case 22:
- case 23:
- return ds(), null
- default:
- return null
- }
- }
- ;(Li = function (e, t) {
- for (var n = t.child; null !== n; ) {
- if (5 === n.tag || 6 === n.tag) e.appendChild(n.stateNode)
- else if (4 !== n.tag && null !== n.child) {
- ;(n.child.return = n), (n = n.child)
- continue
- }
- if (n === t) break
- for (; null === n.sibling; ) {
- if (null === n.return || n.return === t) return
- n = n.return
- }
- ;(n.sibling.return = n.return), (n = n.sibling)
- }
- }),
- (Ri = function () {}),
- (zi = function (e, t, n, r) {
- var a = e.memoizedProps
- if (a !== r) {
- ;(e = t.stateNode), rl(el.current)
- var o,
- l = null
- switch (n) {
- case 'input':
- ;(a = Y(e, a)), (r = Y(e, r)), (l = [])
- break
- case 'select':
- ;(a = j({}, a, { value: void 0 })), (r = j({}, r, { value: void 0 })), (l = [])
- break
- case 'textarea':
- ;(a = re(e, a)), (r = re(e, r)), (l = [])
- break
- default:
- 'function' != typeof a.onClick &&
- 'function' == typeof r.onClick &&
- (e.onclick = Zr)
- }
- for (c in (ye(n, r), (n = null), a))
- if (!r.hasOwnProperty(c) && a.hasOwnProperty(c) && null != a[c])
- if ('style' === c) {
- var u = a[c]
- for (o in u) u.hasOwnProperty(o) && (n || (n = {}), (n[o] = ''))
- } else
- 'dangerouslySetInnerHTML' !== c &&
- 'children' !== c &&
- 'suppressContentEditableWarning' !== c &&
- 'suppressHydrationWarning' !== c &&
- 'autoFocus' !== c &&
- (i.hasOwnProperty(c) ? l || (l = []) : (l = l || []).push(c, null))
- for (c in r) {
- var s = r[c]
- if (
- ((u = null != a ? a[c] : void 0),
- r.hasOwnProperty(c) && s !== u && (null != s || null != u))
- )
- if ('style' === c)
- if (u) {
- for (o in u)
- !u.hasOwnProperty(o) ||
- (s && s.hasOwnProperty(o)) ||
- (n || (n = {}), (n[o] = ''))
- for (o in s)
- s.hasOwnProperty(o) && u[o] !== s[o] && (n || (n = {}), (n[o] = s[o]))
- } else n || (l || (l = []), l.push(c, n)), (n = s)
- else
- 'dangerouslySetInnerHTML' === c
- ? ((s = s ? s.__html : void 0),
- (u = u ? u.__html : void 0),
- null != s && u !== s && (l = l || []).push(c, s))
- : 'children' === c
- ? ('string' != typeof s && 'number' != typeof s) ||
- (l = l || []).push(c, '' + s)
- : 'suppressContentEditableWarning' !== c &&
- 'suppressHydrationWarning' !== c &&
- (i.hasOwnProperty(c)
- ? (null != s && 'onScroll' === c && Ar('scroll', e),
- l || u === s || (l = []))
- : (l = l || []).push(c, s))
- }
- n && (l = l || []).push('style', n)
- var c = l
- ;(t.updateQueue = c) && (t.flags |= 4)
- }
- }),
- (Di = function (e, t, n, r) {
- n !== r && (t.flags |= 4)
- })
- var Xi = !1,
- Gi = !1,
- Ji = 'function' == typeof WeakSet ? WeakSet : Set,
- Zi = null
- function eu(e, t) {
- var n = e.ref
- if (null !== n)
- if ('function' == typeof n)
- try {
- n(null)
- } catch (n) {
- Cs(e, t, n)
- }
- else n.current = null
- }
- function tu(e, t, n) {
- try {
- n()
- } catch (n) {
- Cs(e, t, n)
- }
- }
- var nu = !1
- function ru(e, t, n) {
- var r = t.updateQueue
- if (null !== (r = null !== r ? r.lastEffect : null)) {
- var a = (r = r.next)
- do {
- if ((a.tag & e) === e) {
- var o = a.destroy
- ;(a.destroy = void 0), void 0 !== o && tu(t, n, o)
- }
- a = a.next
- } while (a !== r)
- }
- }
- function au(e, t) {
- if (null !== (t = null !== (t = t.updateQueue) ? t.lastEffect : null)) {
- var n = (t = t.next)
- do {
- if ((n.tag & e) === e) {
- var r = n.create
- n.destroy = r()
- }
- n = n.next
- } while (n !== t)
- }
- }
- function ou(e) {
- var t = e.ref
- if (null !== t) {
- var n = e.stateNode
- e.tag, (e = n), 'function' == typeof t ? t(e) : (t.current = e)
- }
- }
- function lu(e) {
- var t = e.alternate
- null !== t && ((e.alternate = null), lu(t)),
- (e.child = null),
- (e.deletions = null),
- (e.sibling = null),
- 5 === e.tag &&
- null !== (t = e.stateNode) &&
- (delete t[da], delete t[pa], delete t[ma], delete t[va], delete t[ga]),
- (e.stateNode = null),
- (e.return = null),
- (e.dependencies = null),
- (e.memoizedProps = null),
- (e.memoizedState = null),
- (e.pendingProps = null),
- (e.stateNode = null),
- (e.updateQueue = null)
- }
- function iu(e) {
- return 5 === e.tag || 3 === e.tag || 4 === e.tag
- }
- function uu(e) {
- e: for (;;) {
- for (; null === e.sibling; ) {
- if (null === e.return || iu(e.return)) return null
- e = e.return
- }
- for (
- e.sibling.return = e.return, e = e.sibling;
- 5 !== e.tag && 6 !== e.tag && 18 !== e.tag;
-
- ) {
- if (2 & e.flags) continue e
- if (null === e.child || 4 === e.tag) continue e
- ;(e.child.return = e), (e = e.child)
- }
- if (!(2 & e.flags)) return e.stateNode
- }
- }
- function su(e, t, n) {
- var r = e.tag
- if (5 === r || 6 === r)
- (e = e.stateNode),
- t
- ? 8 === n.nodeType
- ? n.parentNode.insertBefore(e, t)
- : n.insertBefore(e, t)
- : (8 === n.nodeType
- ? (t = n.parentNode).insertBefore(e, n)
- : (t = n).appendChild(e),
- null != (n = n._reactRootContainer) || null !== t.onclick || (t.onclick = Zr))
- else if (4 !== r && null !== (e = e.child))
- for (su(e, t, n), e = e.sibling; null !== e; ) su(e, t, n), (e = e.sibling)
- }
- function cu(e, t, n) {
- var r = e.tag
- if (5 === r || 6 === r) (e = e.stateNode), t ? n.insertBefore(e, t) : n.appendChild(e)
- else if (4 !== r && null !== (e = e.child))
- for (cu(e, t, n), e = e.sibling; null !== e; ) cu(e, t, n), (e = e.sibling)
- }
- var fu = null,
- du = !1
- function pu(e, t, n) {
- for (n = n.child; null !== n; ) hu(e, t, n), (n = n.sibling)
- }
- function hu(e, t, n) {
- if (ot && 'function' == typeof ot.onCommitFiberUnmount)
- try {
- ot.onCommitFiberUnmount(at, n)
- } catch (e) {}
- switch (n.tag) {
- case 5:
- Gi || eu(n, t)
- case 6:
- var r = fu,
- a = du
- ;(fu = null),
- pu(e, t, n),
- (du = a),
- null !== (fu = r) &&
- (du
- ? ((e = fu),
- (n = n.stateNode),
- 8 === e.nodeType ? e.parentNode.removeChild(n) : e.removeChild(n))
- : fu.removeChild(n.stateNode))
- break
- case 18:
- null !== fu &&
- (du
- ? ((e = fu),
- (n = n.stateNode),
- 8 === e.nodeType ? ua(e.parentNode, n) : 1 === e.nodeType && ua(e, n),
- Bt(e))
- : ua(fu, n.stateNode))
- break
- case 4:
- ;(r = fu),
- (a = du),
- (fu = n.stateNode.containerInfo),
- (du = !0),
- pu(e, t, n),
- (fu = r),
- (du = a)
- break
- case 0:
- case 11:
- case 14:
- case 15:
- if (!Gi && null !== (r = n.updateQueue) && null !== (r = r.lastEffect)) {
- a = r = r.next
- do {
- var o = a,
- l = o.destroy
- ;(o = o.tag),
- void 0 !== l && (0 != (2 & o) || 0 != (4 & o)) && tu(n, t, l),
- (a = a.next)
- } while (a !== r)
- }
- pu(e, t, n)
- break
- case 1:
- if (!Gi && (eu(n, t), 'function' == typeof (r = n.stateNode).componentWillUnmount))
- try {
- ;(r.props = n.memoizedProps),
- (r.state = n.memoizedState),
- r.componentWillUnmount()
- } catch (e) {
- Cs(n, t, e)
- }
- pu(e, t, n)
- break
- case 21:
- pu(e, t, n)
- break
- case 22:
- 1 & n.mode
- ? ((Gi = (r = Gi) || null !== n.memoizedState), pu(e, t, n), (Gi = r))
- : pu(e, t, n)
- break
- default:
- pu(e, t, n)
- }
- }
- function mu(e) {
- var t = e.updateQueue
- if (null !== t) {
- e.updateQueue = null
- var n = e.stateNode
- null === n && (n = e.stateNode = new Ji()),
- t.forEach(function (t) {
- var r = Os.bind(null, e, t)
- n.has(t) || (n.add(t), t.then(r, r))
- })
- }
- }
- function vu(e, t) {
- var n = t.deletions
- if (null !== n)
- for (var r = 0; r < n.length; r++) {
- var a = n[r]
- try {
- var l = e,
- i = t,
- u = i
- e: for (; null !== u; ) {
- switch (u.tag) {
- case 5:
- ;(fu = u.stateNode), (du = !1)
- break e
- case 3:
- case 4:
- ;(fu = u.stateNode.containerInfo), (du = !0)
- break e
- }
- u = u.return
- }
- if (null === fu) throw Error(o(160))
- hu(l, i, a), (fu = null), (du = !1)
- var s = a.alternate
- null !== s && (s.return = null), (a.return = null)
- } catch (e) {
- Cs(a, t, e)
- }
- }
- if (12854 & t.subtreeFlags) for (t = t.child; null !== t; ) gu(t, e), (t = t.sibling)
- }
- function gu(e, t) {
- var n = e.alternate,
- r = e.flags
- switch (e.tag) {
- case 0:
- case 11:
- case 14:
- case 15:
- if ((vu(t, e), yu(e), 4 & r)) {
- try {
- ru(3, e, e.return), au(3, e)
- } catch (t) {
- Cs(e, e.return, t)
- }
- try {
- ru(5, e, e.return)
- } catch (t) {
- Cs(e, e.return, t)
- }
- }
- break
- case 1:
- vu(t, e), yu(e), 512 & r && null !== n && eu(n, n.return)
- break
- case 5:
- if ((vu(t, e), yu(e), 512 & r && null !== n && eu(n, n.return), 32 & e.flags)) {
- var a = e.stateNode
- try {
- de(a, '')
- } catch (t) {
- Cs(e, e.return, t)
- }
- }
- if (4 & r && null != (a = e.stateNode)) {
- var l = e.memoizedProps,
- i = null !== n ? n.memoizedProps : l,
- u = e.type,
- s = e.updateQueue
- if (((e.updateQueue = null), null !== s))
- try {
- 'input' === u && 'radio' === l.type && null != l.name && G(a, l), be(u, i)
- var c = be(u, l)
- for (i = 0; i < s.length; i += 2) {
- var f = s[i],
- d = s[i + 1]
- 'style' === f
- ? ve(a, d)
- : 'dangerouslySetInnerHTML' === f
- ? fe(a, d)
- : 'children' === f
- ? de(a, d)
- : b(a, f, d, c)
- }
- switch (u) {
- case 'input':
- J(a, l)
- break
- case 'textarea':
- oe(a, l)
- break
- case 'select':
- var p = a._wrapperState.wasMultiple
- a._wrapperState.wasMultiple = !!l.multiple
- var h = l.value
- null != h
- ? ne(a, !!l.multiple, h, !1)
- : p !== !!l.multiple &&
- (null != l.defaultValue
- ? ne(a, !!l.multiple, l.defaultValue, !0)
- : ne(a, !!l.multiple, l.multiple ? [] : '', !1))
- }
- a[pa] = l
- } catch (t) {
- Cs(e, e.return, t)
- }
- }
- break
- case 6:
- if ((vu(t, e), yu(e), 4 & r)) {
- if (null === e.stateNode) throw Error(o(162))
- ;(a = e.stateNode), (l = e.memoizedProps)
- try {
- a.nodeValue = l
- } catch (t) {
- Cs(e, e.return, t)
- }
- }
- break
- case 3:
- if ((vu(t, e), yu(e), 4 & r && null !== n && n.memoizedState.isDehydrated))
- try {
- Bt(t.containerInfo)
- } catch (t) {
- Cs(e, e.return, t)
- }
- break
- case 4:
- default:
- vu(t, e), yu(e)
- break
- case 13:
- vu(t, e),
- yu(e),
- 8192 & (a = e.child).flags &&
- ((l = null !== a.memoizedState),
- (a.stateNode.isHidden = l),
- !l ||
- (null !== a.alternate && null !== a.alternate.memoizedState) ||
- (Bu = Ge())),
- 4 & r && mu(e)
- break
- case 22:
- if (
- ((f = null !== n && null !== n.memoizedState),
- 1 & e.mode ? ((Gi = (c = Gi) || f), vu(t, e), (Gi = c)) : vu(t, e),
- yu(e),
- 8192 & r)
- ) {
- if (
- ((c = null !== e.memoizedState),
- (e.stateNode.isHidden = c) && !f && 0 != (1 & e.mode))
- )
- for (Zi = e, f = e.child; null !== f; ) {
- for (d = Zi = f; null !== Zi; ) {
- switch (((h = (p = Zi).child), p.tag)) {
- case 0:
- case 11:
- case 14:
- case 15:
- ru(4, p, p.return)
- break
- case 1:
- eu(p, p.return)
- var m = p.stateNode
- if ('function' == typeof m.componentWillUnmount) {
- ;(r = p), (n = p.return)
- try {
- ;(t = r),
- (m.props = t.memoizedProps),
- (m.state = t.memoizedState),
- m.componentWillUnmount()
- } catch (e) {
- Cs(r, n, e)
- }
- }
- break
- case 5:
- eu(p, p.return)
- break
- case 22:
- if (null !== p.memoizedState) {
- xu(d)
- continue
- }
- }
- null !== h ? ((h.return = p), (Zi = h)) : xu(d)
- }
- f = f.sibling
- }
- e: for (f = null, d = e; ; ) {
- if (5 === d.tag) {
- if (null === f) {
- f = d
- try {
- ;(a = d.stateNode),
- c
- ? 'function' == typeof (l = a.style).setProperty
- ? l.setProperty('display', 'none', 'important')
- : (l.display = 'none')
- : ((u = d.stateNode),
- (i =
- null != (s = d.memoizedProps.style) && s.hasOwnProperty('display')
- ? s.display
- : null),
- (u.style.display = me('display', i)))
- } catch (t) {
- Cs(e, e.return, t)
- }
- }
- } else if (6 === d.tag) {
- if (null === f)
- try {
- d.stateNode.nodeValue = c ? '' : d.memoizedProps
- } catch (t) {
- Cs(e, e.return, t)
- }
- } else if (
- ((22 !== d.tag && 23 !== d.tag) || null === d.memoizedState || d === e) &&
- null !== d.child
- ) {
- ;(d.child.return = d), (d = d.child)
- continue
- }
- if (d === e) break e
- for (; null === d.sibling; ) {
- if (null === d.return || d.return === e) break e
- f === d && (f = null), (d = d.return)
- }
- f === d && (f = null), (d.sibling.return = d.return), (d = d.sibling)
- }
- }
- break
- case 19:
- vu(t, e), yu(e), 4 & r && mu(e)
- case 21:
- }
- }
- function yu(e) {
- var t = e.flags
- if (2 & t) {
- try {
- e: {
- for (var n = e.return; null !== n; ) {
- if (iu(n)) {
- var r = n
- break e
- }
- n = n.return
- }
- throw Error(o(160))
- }
- switch (r.tag) {
- case 5:
- var a = r.stateNode
- 32 & r.flags && (de(a, ''), (r.flags &= -33)), cu(e, uu(e), a)
- break
- case 3:
- case 4:
- var l = r.stateNode.containerInfo
- su(e, uu(e), l)
- break
- default:
- throw Error(o(161))
- }
- } catch (t) {
- Cs(e, e.return, t)
- }
- e.flags &= -3
- }
- 4096 & t && (e.flags &= -4097)
- }
- function bu(e, t, n) {
- ;(Zi = e), wu(e, t, n)
- }
- function wu(e, t, n) {
- for (var r = 0 != (1 & e.mode); null !== Zi; ) {
- var a = Zi,
- o = a.child
- if (22 === a.tag && r) {
- var l = null !== a.memoizedState || Xi
- if (!l) {
- var i = a.alternate,
- u = (null !== i && null !== i.memoizedState) || Gi
- i = Xi
- var s = Gi
- if (((Xi = l), (Gi = u) && !s))
- for (Zi = a; null !== Zi; )
- (u = (l = Zi).child),
- 22 === l.tag && null !== l.memoizedState
- ? Su(a)
- : null !== u
- ? ((u.return = l), (Zi = u))
- : Su(a)
- for (; null !== o; ) (Zi = o), wu(o, t, n), (o = o.sibling)
- ;(Zi = a), (Xi = i), (Gi = s)
- }
- ku(e)
- } else 0 != (8772 & a.subtreeFlags) && null !== o ? ((o.return = a), (Zi = o)) : ku(e)
- }
- }
- function ku(e) {
- for (; null !== Zi; ) {
- var t = Zi
- if (0 != (8772 & t.flags)) {
- var n = t.alternate
- try {
- if (0 != (8772 & t.flags))
- switch (t.tag) {
- case 0:
- case 11:
- case 15:
- Gi || au(5, t)
- break
- case 1:
- var r = t.stateNode
- if (4 & t.flags && !Gi)
- if (null === n) r.componentDidMount()
- else {
- var a =
- t.elementType === t.type ? n.memoizedProps : go(t.type, n.memoizedProps)
- r.componentDidUpdate(
- a,
- n.memoizedState,
- r.__reactInternalSnapshotBeforeUpdate,
- )
- }
- var l = t.updateQueue
- null !== l && Ao(t, l, r)
- break
- case 3:
- var i = t.updateQueue
- if (null !== i) {
- if (((n = null), null !== t.child))
- switch (t.child.tag) {
- case 5:
- case 1:
- n = t.child.stateNode
- }
- Ao(t, i, n)
- }
- break
- case 5:
- var u = t.stateNode
- if (null === n && 4 & t.flags) {
- n = u
- var s = t.memoizedProps
- switch (t.type) {
- case 'button':
- case 'input':
- case 'select':
- case 'textarea':
- s.autoFocus && n.focus()
- break
- case 'img':
- s.src && (n.src = s.src)
- }
- }
- break
- case 6:
- case 4:
- case 12:
- case 19:
- case 17:
- case 21:
- case 22:
- case 23:
- case 25:
- break
- case 13:
- if (null === t.memoizedState) {
- var c = t.alternate
- if (null !== c) {
- var f = c.memoizedState
- if (null !== f) {
- var d = f.dehydrated
- null !== d && Bt(d)
- }
- }
- }
- break
- default:
- throw Error(o(163))
- }
- Gi || (512 & t.flags && ou(t))
- } catch (e) {
- Cs(t, t.return, e)
- }
- }
- if (t === e) {
- Zi = null
- break
- }
- if (null !== (n = t.sibling)) {
- ;(n.return = t.return), (Zi = n)
- break
- }
- Zi = t.return
- }
- }
- function xu(e) {
- for (; null !== Zi; ) {
- var t = Zi
- if (t === e) {
- Zi = null
- break
- }
- var n = t.sibling
- if (null !== n) {
- ;(n.return = t.return), (Zi = n)
- break
- }
- Zi = t.return
- }
- }
- function Su(e) {
- for (; null !== Zi; ) {
- var t = Zi
- try {
- switch (t.tag) {
- case 0:
- case 11:
- case 15:
- var n = t.return
- try {
- au(4, t)
- } catch (e) {
- Cs(t, n, e)
- }
- break
- case 1:
- var r = t.stateNode
- if ('function' == typeof r.componentDidMount) {
- var a = t.return
- try {
- r.componentDidMount()
- } catch (e) {
- Cs(t, a, e)
- }
- }
- var o = t.return
- try {
- ou(t)
- } catch (e) {
- Cs(t, o, e)
- }
- break
- case 5:
- var l = t.return
- try {
- ou(t)
- } catch (e) {
- Cs(t, l, e)
- }
- }
- } catch (e) {
- Cs(t, t.return, e)
- }
- if (t === e) {
- Zi = null
- break
- }
- var i = t.sibling
- if (null !== i) {
- ;(i.return = t.return), (Zi = i)
- break
- }
- Zi = t.return
- }
- }
- var Eu,
- Cu = Math.ceil,
- _u = w.ReactCurrentDispatcher,
- Pu = w.ReactCurrentOwner,
- Nu = w.ReactCurrentBatchConfig,
- Ou = 0,
- Mu = null,
- Tu = null,
- Lu = 0,
- Ru = 0,
- zu = Ea(0),
- Du = 0,
- Iu = null,
- ju = 0,
- Fu = 0,
- Au = 0,
- $u = null,
- Uu = null,
- Bu = 0,
- Wu = 1 / 0,
- Hu = null,
- Vu = !1,
- Qu = null,
- Ku = null,
- qu = !1,
- Yu = null,
- Xu = 0,
- Gu = 0,
- Ju = null,
- Zu = -1,
- es = 0
- function ts() {
- return 0 != (6 & Ou) ? Ge() : -1 !== Zu ? Zu : (Zu = Ge())
- }
- function ns(e) {
- return 0 == (1 & e.mode)
- ? 1
- : 0 != (2 & Ou) && 0 !== Lu
- ? Lu & -Lu
- : null !== vo.transition
- ? (0 === es && (es = mt()), es)
- : 0 !== (e = bt)
- ? e
- : (e = void 0 === (e = window.event) ? 16 : Xt(e.type))
- }
- function rs(e, t, n, r) {
- if (50 < Gu) throw ((Gu = 0), (Ju = null), Error(o(185)))
- gt(e, n, r),
- (0 != (2 & Ou) && e === Mu) ||
- (e === Mu && (0 == (2 & Ou) && (Fu |= n), 4 === Du && us(e, Lu)),
- as(e, r),
- 1 === n && 0 === Ou && 0 == (1 & t.mode) && ((Wu = Ge() + 500), Aa && Ba()))
- }
- function as(e, t) {
- var n = e.callbackNode
- !(function (e, t) {
- for (
- var n = e.suspendedLanes,
- r = e.pingedLanes,
- a = e.expirationTimes,
- o = e.pendingLanes;
- 0 < o;
-
- ) {
- var l = 31 - lt(o),
- i = 1 << l,
- u = a[l]
- ;-1 === u
- ? (0 != (i & n) && 0 == (i & r)) || (a[l] = pt(i, t))
- : u <= t && (e.expiredLanes |= i),
- (o &= ~i)
- }
- })(e, t)
- var r = dt(e, e === Mu ? Lu : 0)
- if (0 === r) null !== n && qe(n), (e.callbackNode = null), (e.callbackPriority = 0)
- else if (((t = r & -r), e.callbackPriority !== t)) {
- if ((null != n && qe(n), 1 === t))
- 0 === e.tag
- ? (function (e) {
- ;(Aa = !0), Ua(e)
- })(ss.bind(null, e))
- : Ua(ss.bind(null, e)),
- la(function () {
- 0 == (6 & Ou) && Ba()
- }),
- (n = null)
- else {
- switch (wt(r)) {
- case 1:
- n = Ze
- break
- case 4:
- n = et
- break
- case 16:
- default:
- n = tt
- break
- case 536870912:
- n = rt
- }
- n = Ms(n, os.bind(null, e))
- }
- ;(e.callbackPriority = t), (e.callbackNode = n)
- }
- }
- function os(e, t) {
- if (((Zu = -1), (es = 0), 0 != (6 & Ou))) throw Error(o(327))
- var n = e.callbackNode
- if (Ss() && e.callbackNode !== n) return null
- var r = dt(e, e === Mu ? Lu : 0)
- if (0 === r) return null
- if (0 != (30 & r) || 0 != (r & e.expiredLanes) || t) t = gs(e, r)
- else {
- t = r
- var a = Ou
- Ou |= 2
- var l = ms()
- for ((Mu === e && Lu === t) || ((Hu = null), (Wu = Ge() + 500), ps(e, t)); ; )
- try {
- bs()
- break
- } catch (t) {
- hs(e, t)
- }
- xo(),
- (_u.current = l),
- (Ou = a),
- null !== Tu ? (t = 0) : ((Mu = null), (Lu = 0), (t = Du))
- }
- if (0 !== t) {
- if ((2 === t && 0 !== (a = ht(e)) && ((r = a), (t = ls(e, a))), 1 === t))
- throw ((n = Iu), ps(e, 0), us(e, r), as(e, Ge()), n)
- if (6 === t) us(e, r)
- else {
- if (
- ((a = e.current.alternate),
- 0 == (30 & r) &&
- !(function (e) {
- for (var t = e; ; ) {
- if (16384 & t.flags) {
- var n = t.updateQueue
- if (null !== n && null !== (n = n.stores))
- for (var r = 0; r < n.length; r++) {
- var a = n[r],
- o = a.getSnapshot
- a = a.value
- try {
- if (!ir(o(), a)) return !1
- } catch (e) {
- return !1
- }
- }
- }
- if (((n = t.child), 16384 & t.subtreeFlags && null !== n))
- (n.return = t), (t = n)
- else {
- if (t === e) break
- for (; null === t.sibling; ) {
- if (null === t.return || t.return === e) return !0
- t = t.return
- }
- ;(t.sibling.return = t.return), (t = t.sibling)
- }
- }
- return !0
- })(a) &&
- (2 === (t = gs(e, r)) && 0 !== (l = ht(e)) && ((r = l), (t = ls(e, l))), 1 === t))
- )
- throw ((n = Iu), ps(e, 0), us(e, r), as(e, Ge()), n)
- switch (((e.finishedWork = a), (e.finishedLanes = r), t)) {
- case 0:
- case 1:
- throw Error(o(345))
- case 2:
- case 5:
- xs(e, Uu, Hu)
- break
- case 3:
- if ((us(e, r), (130023424 & r) === r && 10 < (t = Bu + 500 - Ge()))) {
- if (0 !== dt(e, 0)) break
- if (((a = e.suspendedLanes) & r) !== r) {
- ts(), (e.pingedLanes |= e.suspendedLanes & a)
- break
- }
- e.timeoutHandle = ra(xs.bind(null, e, Uu, Hu), t)
- break
- }
- xs(e, Uu, Hu)
- break
- case 4:
- if ((us(e, r), (4194240 & r) === r)) break
- for (t = e.eventTimes, a = -1; 0 < r; ) {
- var i = 31 - lt(r)
- ;(l = 1 << i), (i = t[i]) > a && (a = i), (r &= ~l)
- }
- if (
- ((r = a),
- 10 <
- (r =
- (120 > (r = Ge() - r)
- ? 120
- : 480 > r
- ? 480
- : 1080 > r
- ? 1080
- : 1920 > r
- ? 1920
- : 3e3 > r
- ? 3e3
- : 4320 > r
- ? 4320
- : 1960 * Cu(r / 1960)) - r))
- ) {
- e.timeoutHandle = ra(xs.bind(null, e, Uu, Hu), r)
- break
- }
- xs(e, Uu, Hu)
- break
- default:
- throw Error(o(329))
- }
- }
- }
- return as(e, Ge()), e.callbackNode === n ? os.bind(null, e) : null
- }
- function ls(e, t) {
- var n = $u
- return (
- e.current.memoizedState.isDehydrated && (ps(e, t).flags |= 256),
- 2 !== (e = gs(e, t)) && ((t = Uu), (Uu = n), null !== t && is(t)),
- e
- )
- }
- function is(e) {
- null === Uu ? (Uu = e) : Uu.push.apply(Uu, e)
- }
- function us(e, t) {
- for (
- t &= ~Au, t &= ~Fu, e.suspendedLanes |= t, e.pingedLanes &= ~t, e = e.expirationTimes;
- 0 < t;
-
- ) {
- var n = 31 - lt(t),
- r = 1 << n
- ;(e[n] = -1), (t &= ~r)
- }
- }
- function ss(e) {
- if (0 != (6 & Ou)) throw Error(o(327))
- Ss()
- var t = dt(e, 0)
- if (0 == (1 & t)) return as(e, Ge()), null
- var n = gs(e, t)
- if (0 !== e.tag && 2 === n) {
- var r = ht(e)
- 0 !== r && ((t = r), (n = ls(e, r)))
- }
- if (1 === n) throw ((n = Iu), ps(e, 0), us(e, t), as(e, Ge()), n)
- if (6 === n) throw Error(o(345))
- return (
- (e.finishedWork = e.current.alternate),
- (e.finishedLanes = t),
- xs(e, Uu, Hu),
- as(e, Ge()),
- null
- )
- }
- function cs(e, t) {
- var n = Ou
- Ou |= 1
- try {
- return e(t)
- } finally {
- 0 === (Ou = n) && ((Wu = Ge() + 500), Aa && Ba())
- }
- }
- function fs(e) {
- null !== Yu && 0 === Yu.tag && 0 == (6 & Ou) && Ss()
- var t = Ou
- Ou |= 1
- var n = Nu.transition,
- r = bt
- try {
- if (((Nu.transition = null), (bt = 1), e)) return e()
- } finally {
- ;(bt = r), (Nu.transition = n), 0 == (6 & (Ou = t)) && Ba()
- }
- }
- function ds() {
- ;(Ru = zu.current), Ca(zu)
- }
- function ps(e, t) {
- ;(e.finishedWork = null), (e.finishedLanes = 0)
- var n = e.timeoutHandle
- if ((-1 !== n && ((e.timeoutHandle = -1), aa(n)), null !== Tu))
- for (n = Tu.return; null !== n; ) {
- var r = n
- switch ((to(r), r.tag)) {
- case 1:
- null != (r = r.type.childContextTypes) && Ra()
- break
- case 3:
- ol(), Ca(Oa), Ca(Na), fl()
- break
- case 5:
- il(r)
- break
- case 4:
- ol()
- break
- case 13:
- case 19:
- Ca(ul)
- break
- case 10:
- So(r.type._context)
- break
- case 22:
- case 23:
- ds()
- }
- n = n.return
- }
- if (
- ((Mu = e),
- (Tu = e = zs(e.current, null)),
- (Lu = Ru = t),
- (Du = 0),
- (Iu = null),
- (Au = Fu = ju = 0),
- (Uu = $u = null),
- null !== Po)
- ) {
- for (t = 0; t < Po.length; t++)
- if (null !== (r = (n = Po[t]).interleaved)) {
- n.interleaved = null
- var a = r.next,
- o = n.pending
- if (null !== o) {
- var l = o.next
- ;(o.next = a), (r.next = l)
- }
- n.pending = r
- }
- Po = null
- }
- return e
- }
- function hs(e, t) {
- for (;;) {
- var n = Tu
- try {
- if ((xo(), (dl.current = li), yl)) {
- for (var r = ml.memoizedState; null !== r; ) {
- var a = r.queue
- null !== a && (a.pending = null), (r = r.next)
- }
- yl = !1
- }
- if (
- ((hl = 0),
- (gl = vl = ml = null),
- (bl = !1),
- (wl = 0),
- (Pu.current = null),
- null === n || null === n.return)
- ) {
- ;(Du = 1), (Iu = t), (Tu = null)
- break
- }
- e: {
- var l = e,
- i = n.return,
- u = n,
- s = t
- if (
- ((t = Lu),
- (u.flags |= 32768),
- null !== s && 'object' == typeof s && 'function' == typeof s.then)
- ) {
- var c = s,
- f = u,
- d = f.tag
- if (0 == (1 & f.mode) && (0 === d || 11 === d || 15 === d)) {
- var p = f.alternate
- p
- ? ((f.updateQueue = p.updateQueue),
- (f.memoizedState = p.memoizedState),
- (f.lanes = p.lanes))
- : ((f.updateQueue = null), (f.memoizedState = null))
- }
- var h = gi(i)
- if (null !== h) {
- ;(h.flags &= -257), yi(h, i, u, 0, t), 1 & h.mode && vi(l, c, t), (s = c)
- var m = (t = h).updateQueue
- if (null === m) {
- var v = new Set()
- v.add(s), (t.updateQueue = v)
- } else m.add(s)
- break e
- }
- if (0 == (1 & t)) {
- vi(l, c, t), vs()
- break e
- }
- s = Error(o(426))
- } else if (ao && 1 & u.mode) {
- var g = gi(i)
- if (null !== g) {
- 0 == (65536 & g.flags) && (g.flags |= 256), yi(g, i, u, 0, t), mo(ci(s, u))
- break e
- }
- }
- ;(l = s = ci(s, u)),
- 4 !== Du && (Du = 2),
- null === $u ? ($u = [l]) : $u.push(l),
- (l = i)
- do {
- switch (l.tag) {
- case 3:
- ;(l.flags |= 65536), (t &= -t), (l.lanes |= t), jo(l, hi(0, s, t))
- break e
- case 1:
- u = s
- var y = l.type,
- b = l.stateNode
- if (
- 0 == (128 & l.flags) &&
- ('function' == typeof y.getDerivedStateFromError ||
- (null !== b &&
- 'function' == typeof b.componentDidCatch &&
- (null === Ku || !Ku.has(b))))
- ) {
- ;(l.flags |= 65536), (t &= -t), (l.lanes |= t), jo(l, mi(l, u, t))
- break e
- }
- }
- l = l.return
- } while (null !== l)
- }
- ks(n)
- } catch (e) {
- ;(t = e), Tu === n && null !== n && (Tu = n = n.return)
- continue
- }
- break
- }
- }
- function ms() {
- var e = _u.current
- return (_u.current = li), null === e ? li : e
- }
- function vs() {
- ;(0 !== Du && 3 !== Du && 2 !== Du) || (Du = 4),
- null === Mu || (0 == (268435455 & ju) && 0 == (268435455 & Fu)) || us(Mu, Lu)
- }
- function gs(e, t) {
- var n = Ou
- Ou |= 2
- var r = ms()
- for ((Mu === e && Lu === t) || ((Hu = null), ps(e, t)); ; )
- try {
- ys()
- break
- } catch (t) {
- hs(e, t)
- }
- if ((xo(), (Ou = n), (_u.current = r), null !== Tu)) throw Error(o(261))
- return (Mu = null), (Lu = 0), Du
- }
- function ys() {
- for (; null !== Tu; ) ws(Tu)
- }
- function bs() {
- for (; null !== Tu && !Ye(); ) ws(Tu)
- }
- function ws(e) {
- var t = Eu(e.alternate, e, Ru)
- ;(e.memoizedProps = e.pendingProps), null === t ? ks(e) : (Tu = t), (Pu.current = null)
- }
- function ks(e) {
- var t = e
- do {
- var n = t.alternate
- if (((e = t.return), 0 == (32768 & t.flags))) {
- if (null !== (n = qi(n, t, Ru))) return void (Tu = n)
- } else {
- if (null !== (n = Yi(n, t))) return (n.flags &= 32767), void (Tu = n)
- if (null === e) return (Du = 6), void (Tu = null)
- ;(e.flags |= 32768), (e.subtreeFlags = 0), (e.deletions = null)
- }
- if (null !== (t = t.sibling)) return void (Tu = t)
- Tu = t = e
- } while (null !== t)
- 0 === Du && (Du = 5)
- }
- function xs(e, t, n) {
- var r = bt,
- a = Nu.transition
- try {
- ;(Nu.transition = null),
- (bt = 1),
- (function (e, t, n, r) {
- do {
- Ss()
- } while (null !== Yu)
- if (0 != (6 & Ou)) throw Error(o(327))
- n = e.finishedWork
- var a = e.finishedLanes
- if (null === n) return null
- if (((e.finishedWork = null), (e.finishedLanes = 0), n === e.current))
- throw Error(o(177))
- ;(e.callbackNode = null), (e.callbackPriority = 0)
- var l = n.lanes | n.childLanes
- if (
- ((function (e, t) {
- var n = e.pendingLanes & ~t
- ;(e.pendingLanes = t),
- (e.suspendedLanes = 0),
- (e.pingedLanes = 0),
- (e.expiredLanes &= t),
- (e.mutableReadLanes &= t),
- (e.entangledLanes &= t),
- (t = e.entanglements)
- var r = e.eventTimes
- for (e = e.expirationTimes; 0 < n; ) {
- var a = 31 - lt(n),
- o = 1 << a
- ;(t[a] = 0), (r[a] = -1), (e[a] = -1), (n &= ~o)
- }
- })(e, l),
- e === Mu && ((Tu = Mu = null), (Lu = 0)),
- (0 == (2064 & n.subtreeFlags) && 0 == (2064 & n.flags)) ||
- qu ||
- ((qu = !0),
- Ms(tt, function () {
- return Ss(), null
- })),
- (l = 0 != (15990 & n.flags)),
- 0 != (15990 & n.subtreeFlags) || l)
- ) {
- ;(l = Nu.transition), (Nu.transition = null)
- var i = bt
- bt = 1
- var u = Ou
- ;(Ou |= 4),
- (Pu.current = null),
- (function (e, t) {
- if (((ea = Ht), pr((e = dr())))) {
- if ('selectionStart' in e)
- var n = { end: e.selectionEnd, start: e.selectionStart }
- else
- e: {
- var r =
- (n = ((n = e.ownerDocument) && n.defaultView) || window)
- .getSelection && n.getSelection()
- if (r && 0 !== r.rangeCount) {
- n = r.anchorNode
- var a = r.anchorOffset,
- l = r.focusNode
- r = r.focusOffset
- try {
- n.nodeType, l.nodeType
- } catch (e) {
- n = null
- break e
- }
- var i = 0,
- u = -1,
- s = -1,
- c = 0,
- f = 0,
- d = e,
- p = null
- t: for (;;) {
- for (
- var h;
- d !== n || (0 !== a && 3 !== d.nodeType) || (u = i + a),
- d !== l || (0 !== r && 3 !== d.nodeType) || (s = i + r),
- 3 === d.nodeType && (i += d.nodeValue.length),
- null !== (h = d.firstChild);
-
- )
- (p = d), (d = h)
- for (;;) {
- if (d === e) break t
- if (
- (p === n && ++c === a && (u = i),
- p === l && ++f === r && (s = i),
- null !== (h = d.nextSibling))
- )
- break
- p = (d = p).parentNode
- }
- d = h
- }
- n = -1 === u || -1 === s ? null : { end: s, start: u }
- } else n = null
- }
- n = n || { end: 0, start: 0 }
- } else n = null
- for (
- ta = { focusedElem: e, selectionRange: n }, Ht = !1, Zi = t;
- null !== Zi;
-
- )
- if (((e = (t = Zi).child), 0 != (1028 & t.subtreeFlags) && null !== e))
- (e.return = t), (Zi = e)
- else
- for (; null !== Zi; ) {
- t = Zi
- try {
- var m = t.alternate
- if (0 != (1024 & t.flags))
- switch (t.tag) {
- case 0:
- case 11:
- case 15:
- case 5:
- case 6:
- case 4:
- case 17:
- break
- case 1:
- if (null !== m) {
- var v = m.memoizedProps,
- g = m.memoizedState,
- y = t.stateNode,
- b = y.getSnapshotBeforeUpdate(
- t.elementType === t.type ? v : go(t.type, v),
- g,
- )
- y.__reactInternalSnapshotBeforeUpdate = b
- }
- break
- case 3:
- var w = t.stateNode.containerInfo
- 1 === w.nodeType
- ? (w.textContent = '')
- : 9 === w.nodeType &&
- w.documentElement &&
- w.removeChild(w.documentElement)
- break
- default:
- throw Error(o(163))
- }
- } catch (e) {
- Cs(t, t.return, e)
- }
- if (null !== (e = t.sibling)) {
- ;(e.return = t.return), (Zi = e)
- break
- }
- Zi = t.return
- }
- ;(m = nu), (nu = !1)
- })(e, n),
- gu(n, e),
- hr(ta),
- (Ht = !!ea),
- (ta = ea = null),
- (e.current = n),
- bu(n, e, a),
- Xe(),
- (Ou = u),
- (bt = i),
- (Nu.transition = l)
- } else e.current = n
- if (
- (qu && ((qu = !1), (Yu = e), (Xu = a)),
- (l = e.pendingLanes),
- 0 === l && (Ku = null),
- (function (e) {
- if (ot && 'function' == typeof ot.onCommitFiberRoot)
- try {
- ot.onCommitFiberRoot(at, e, void 0, 128 == (128 & e.current.flags))
- } catch (e) {}
- })(n.stateNode),
- as(e, Ge()),
- null !== t)
- )
- for (r = e.onRecoverableError, n = 0; n < t.length; n++)
- (a = t[n]), r(a.value, { componentStack: a.stack, digest: a.digest })
- if (Vu) throw ((Vu = !1), (e = Qu), (Qu = null), e)
- 0 != (1 & Xu) && 0 !== e.tag && Ss(),
- (l = e.pendingLanes),
- 0 != (1 & l) ? (e === Ju ? Gu++ : ((Gu = 0), (Ju = e))) : (Gu = 0),
- Ba()
- })(e, t, n, r)
- } finally {
- ;(Nu.transition = a), (bt = r)
- }
- return null
- }
- function Ss() {
- if (null !== Yu) {
- var e = wt(Xu),
- t = Nu.transition,
- n = bt
- try {
- if (((Nu.transition = null), (bt = 16 > e ? 16 : e), null === Yu)) var r = !1
- else {
- if (((e = Yu), (Yu = null), (Xu = 0), 0 != (6 & Ou))) throw Error(o(331))
- var a = Ou
- for (Ou |= 4, Zi = e.current; null !== Zi; ) {
- var l = Zi,
- i = l.child
- if (0 != (16 & Zi.flags)) {
- var u = l.deletions
- if (null !== u) {
- for (var s = 0; s < u.length; s++) {
- var c = u[s]
- for (Zi = c; null !== Zi; ) {
- var f = Zi
- switch (f.tag) {
- case 0:
- case 11:
- case 15:
- ru(8, f, l)
- }
- var d = f.child
- if (null !== d) (d.return = f), (Zi = d)
- else
- for (; null !== Zi; ) {
- var p = (f = Zi).sibling,
- h = f.return
- if ((lu(f), f === c)) {
- Zi = null
- break
- }
- if (null !== p) {
- ;(p.return = h), (Zi = p)
- break
- }
- Zi = h
- }
- }
- }
- var m = l.alternate
- if (null !== m) {
- var v = m.child
- if (null !== v) {
- m.child = null
- do {
- var g = v.sibling
- ;(v.sibling = null), (v = g)
- } while (null !== v)
- }
- }
- Zi = l
- }
- }
- if (0 != (2064 & l.subtreeFlags) && null !== i) (i.return = l), (Zi = i)
- else
- e: for (; null !== Zi; ) {
- if (0 != (2048 & (l = Zi).flags))
- switch (l.tag) {
- case 0:
- case 11:
- case 15:
- ru(9, l, l.return)
- }
- var y = l.sibling
- if (null !== y) {
- ;(y.return = l.return), (Zi = y)
- break e
- }
- Zi = l.return
- }
- }
- var b = e.current
- for (Zi = b; null !== Zi; ) {
- var w = (i = Zi).child
- if (0 != (2064 & i.subtreeFlags) && null !== w) (w.return = i), (Zi = w)
- else
- e: for (i = b; null !== Zi; ) {
- if (0 != (2048 & (u = Zi).flags))
- try {
- switch (u.tag) {
- case 0:
- case 11:
- case 15:
- au(9, u)
- }
- } catch (e) {
- Cs(u, u.return, e)
- }
- if (u === i) {
- Zi = null
- break e
- }
- var k = u.sibling
- if (null !== k) {
- ;(k.return = u.return), (Zi = k)
- break e
- }
- Zi = u.return
- }
- }
- if (((Ou = a), Ba(), ot && 'function' == typeof ot.onPostCommitFiberRoot))
- try {
- ot.onPostCommitFiberRoot(at, e)
- } catch (e) {}
- r = !0
- }
- return r
- } finally {
- ;(bt = n), (Nu.transition = t)
- }
- }
- return !1
- }
- function Es(e, t, n) {
- ;(e = Do(e, (t = hi(0, (t = ci(n, t)), 1)), 1)),
- (t = ts()),
- null !== e && (gt(e, 1, t), as(e, t))
- }
- function Cs(e, t, n) {
- if (3 === e.tag) Es(e, e, n)
- else
- for (; null !== t; ) {
- if (3 === t.tag) {
- Es(t, e, n)
- break
- }
- if (1 === t.tag) {
- var r = t.stateNode
- if (
- 'function' == typeof t.type.getDerivedStateFromError ||
- ('function' == typeof r.componentDidCatch && (null === Ku || !Ku.has(r)))
- ) {
- ;(t = Do(t, (e = mi(t, (e = ci(n, e)), 1)), 1)),
- (e = ts()),
- null !== t && (gt(t, 1, e), as(t, e))
- break
- }
- }
- t = t.return
- }
- }
- function _s(e, t, n) {
- var r = e.pingCache
- null !== r && r.delete(t),
- (t = ts()),
- (e.pingedLanes |= e.suspendedLanes & n),
- Mu === e &&
- (Lu & n) === n &&
- (4 === Du || (3 === Du && (130023424 & Lu) === Lu && 500 > Ge() - Bu)
- ? ps(e, 0)
- : (Au |= n)),
- as(e, t)
- }
- function Ps(e, t) {
- 0 === t &&
- (0 == (1 & e.mode)
- ? (t = 1)
- : ((t = ct), 0 == (130023424 & (ct <<= 1)) && (ct = 4194304)))
- var n = ts()
- null !== (e = Mo(e, t)) && (gt(e, t, n), as(e, n))
- }
- function Ns(e) {
- var t = e.memoizedState,
- n = 0
- null !== t && (n = t.retryLane), Ps(e, n)
- }
- function Os(e, t) {
- var n = 0
- switch (e.tag) {
- case 13:
- var r = e.stateNode,
- a = e.memoizedState
- null !== a && (n = a.retryLane)
- break
- case 19:
- r = e.stateNode
- break
- default:
- throw Error(o(314))
- }
- null !== r && r.delete(t), Ps(e, n)
- }
- function Ms(e, t) {
- return Ke(e, t)
- }
- function Ts(e, t, n, r) {
- ;(this.tag = e),
- (this.key = n),
- (this.sibling =
- this.child =
- this.return =
- this.stateNode =
- this.type =
- this.elementType =
- null),
- (this.index = 0),
- (this.ref = null),
- (this.pendingProps = t),
- (this.dependencies = this.memoizedState = this.updateQueue = this.memoizedProps = null),
- (this.mode = r),
- (this.subtreeFlags = this.flags = 0),
- (this.deletions = null),
- (this.childLanes = this.lanes = 0),
- (this.alternate = null)
- }
- function Ls(e, t, n, r) {
- return new Ts(e, t, n, r)
- }
- function Rs(e) {
- return !(!(e = e.prototype) || !e.isReactComponent)
- }
- function zs(e, t) {
- var n = e.alternate
- return (
- null === n
- ? (((n = Ls(e.tag, t, e.key, e.mode)).elementType = e.elementType),
- (n.type = e.type),
- (n.stateNode = e.stateNode),
- (n.alternate = e),
- (e.alternate = n))
- : ((n.pendingProps = t),
- (n.type = e.type),
- (n.flags = 0),
- (n.subtreeFlags = 0),
- (n.deletions = null)),
- (n.flags = 14680064 & e.flags),
- (n.childLanes = e.childLanes),
- (n.lanes = e.lanes),
- (n.child = e.child),
- (n.memoizedProps = e.memoizedProps),
- (n.memoizedState = e.memoizedState),
- (n.updateQueue = e.updateQueue),
- (t = e.dependencies),
- (n.dependencies = null === t ? null : { firstContext: t.firstContext, lanes: t.lanes }),
- (n.sibling = e.sibling),
- (n.index = e.index),
- (n.ref = e.ref),
- n
- )
- }
- function Ds(e, t, n, r, a, l) {
- var i = 2
- if (((r = e), 'function' == typeof e)) Rs(e) && (i = 1)
- else if ('string' == typeof e) i = 5
- else
- e: switch (e) {
- case S:
- return Is(n.children, a, l, t)
- case E:
- ;(i = 8), (a |= 8)
- break
- case C:
- return ((e = Ls(12, n, t, 2 | a)).elementType = C), (e.lanes = l), e
- case O:
- return ((e = Ls(13, n, t, a)).elementType = O), (e.lanes = l), e
- case M:
- return ((e = Ls(19, n, t, a)).elementType = M), (e.lanes = l), e
- case R:
- return js(n, a, l, t)
- default:
- if ('object' == typeof e && null !== e)
- switch (e.$$typeof) {
- case _:
- i = 10
- break e
- case P:
- i = 9
- break e
- case N:
- i = 11
- break e
- case T:
- i = 14
- break e
- case L:
- ;(i = 16), (r = null)
- break e
- }
- throw Error(o(130, null == e ? e : typeof e, ''))
- }
- return ((t = Ls(i, n, t, a)).elementType = e), (t.type = r), (t.lanes = l), t
- }
- function Is(e, t, n, r) {
- return ((e = Ls(7, e, r, t)).lanes = n), e
- }
- function js(e, t, n, r) {
- return (
- ((e = Ls(22, e, r, t)).elementType = R),
- (e.lanes = n),
- (e.stateNode = { isHidden: !1 }),
- e
- )
- }
- function Fs(e, t, n) {
- return ((e = Ls(6, e, null, t)).lanes = n), e
- }
- function As(e, t, n) {
- return (
- ((t = Ls(4, null !== e.children ? e.children : [], e.key, t)).lanes = n),
- (t.stateNode = {
- containerInfo: e.containerInfo,
- implementation: e.implementation,
- pendingChildren: null,
- }),
- t
- )
- }
- function $s(e, t, n, r, a) {
- ;(this.tag = t),
- (this.containerInfo = e),
- (this.finishedWork = this.pingCache = this.current = this.pendingChildren = null),
- (this.timeoutHandle = -1),
- (this.callbackNode = this.pendingContext = this.context = null),
- (this.callbackPriority = 0),
- (this.eventTimes = vt(0)),
- (this.expirationTimes = vt(-1)),
- (this.entangledLanes =
- this.finishedLanes =
- this.mutableReadLanes =
- this.expiredLanes =
- this.pingedLanes =
- this.suspendedLanes =
- this.pendingLanes =
- 0),
- (this.entanglements = vt(0)),
- (this.identifierPrefix = r),
- (this.onRecoverableError = a),
- (this.mutableSourceEagerHydrationData = null)
- }
- function Us(e, t, n, r, a, o, l, i, u) {
- return (
- (e = new $s(e, t, n, i, u)),
- 1 === t ? ((t = 1), !0 === o && (t |= 8)) : (t = 0),
- (o = Ls(3, null, null, t)),
- (e.current = o),
- (o.stateNode = e),
- (o.memoizedState = {
- cache: null,
- element: r,
- isDehydrated: n,
- pendingSuspenseBoundaries: null,
- transitions: null,
- }),
- Lo(o),
- e
- )
- }
- function Bs(e) {
- if (!e) return Pa
- e: {
- if (Be((e = e._reactInternals)) !== e || 1 !== e.tag) throw Error(o(170))
- var t = e
- do {
- switch (t.tag) {
- case 3:
- t = t.stateNode.context
- break e
- case 1:
- if (La(t.type)) {
- t = t.stateNode.__reactInternalMemoizedMergedChildContext
- break e
- }
- }
- t = t.return
- } while (null !== t)
- throw Error(o(171))
- }
- if (1 === e.tag) {
- var n = e.type
- if (La(n)) return Da(e, n, t)
- }
- return t
- }
- function Ws(e, t, n, r, a, o, l, i, u) {
- return (
- ((e = Us(n, r, !0, e, 0, o, 0, i, u)).context = Bs(null)),
- (n = e.current),
- ((o = zo((r = ts()), (a = ns(n)))).callback = null != t ? t : null),
- Do(n, o, a),
- (e.current.lanes = a),
- gt(e, a, r),
- as(e, r),
- e
- )
- }
- function Hs(e, t, n, r) {
- var a = t.current,
- o = ts(),
- l = ns(a)
- return (
- (n = Bs(n)),
- null === t.context ? (t.context = n) : (t.pendingContext = n),
- ((t = zo(o, l)).payload = { element: e }),
- null !== (r = void 0 === r ? null : r) && (t.callback = r),
- null !== (e = Do(a, t, l)) && (rs(e, a, l, o), Io(e, a, l)),
- l
- )
- }
- function Vs(e) {
- return (e = e.current).child ? (e.child.tag, e.child.stateNode) : null
- }
- function Qs(e, t) {
- if (null !== (e = e.memoizedState) && null !== e.dehydrated) {
- var n = e.retryLane
- e.retryLane = 0 !== n && n < t ? n : t
- }
- }
- function Ks(e, t) {
- Qs(e, t), (e = e.alternate) && Qs(e, t)
- }
- Eu = function (e, t, n) {
- if (null !== e)
- if (e.memoizedProps !== t.pendingProps || Oa.current) wi = !0
- else {
- if (0 == (e.lanes & n) && 0 == (128 & t.flags))
- return (
- (wi = !1),
- (function (e, t, n) {
- switch (t.tag) {
- case 3:
- Mi(t), ho()
- break
- case 5:
- ll(t)
- break
- case 1:
- La(t.type) && Ia(t)
- break
- case 4:
- al(t, t.stateNode.containerInfo)
- break
- case 10:
- var r = t.type._context,
- a = t.memoizedProps.value
- _a(yo, r._currentValue), (r._currentValue = a)
- break
- case 13:
- if (null !== (r = t.memoizedState))
- return null !== r.dehydrated
- ? (_a(ul, 1 & ul.current), (t.flags |= 128), null)
- : 0 != (n & t.child.childLanes)
- ? Fi(e, t, n)
- : (_a(ul, 1 & ul.current),
- null !== (e = Vi(e, t, n)) ? e.sibling : null)
- _a(ul, 1 & ul.current)
- break
- case 19:
- if (((r = 0 != (n & t.childLanes)), 0 != (128 & e.flags))) {
- if (r) return Wi(e, t, n)
- t.flags |= 128
- }
- if (
- (null !== (a = t.memoizedState) &&
- ((a.rendering = null), (a.tail = null), (a.lastEffect = null)),
- _a(ul, ul.current),
- r)
- )
- break
- return null
- case 22:
- case 23:
- return (t.lanes = 0), Ci(e, t, n)
- }
- return Vi(e, t, n)
- })(e, t, n)
- )
- wi = 0 != (131072 & e.flags)
- }
- else (wi = !1), ao && 0 != (1048576 & t.flags) && Za(t, Qa, t.index)
- switch (((t.lanes = 0), t.tag)) {
- case 2:
- var r = t.type
- Hi(e, t), (e = t.pendingProps)
- var a = Ta(t, Na.current)
- Co(t, n), (a = El(null, t, r, e, a, n))
- var l = Cl()
- return (
- (t.flags |= 1),
- 'object' == typeof a &&
- null !== a &&
- 'function' == typeof a.render &&
- void 0 === a.$$typeof
- ? ((t.tag = 1),
- (t.memoizedState = null),
- (t.updateQueue = null),
- La(r) ? ((l = !0), Ia(t)) : (l = !1),
- (t.memoizedState = null !== a.state && void 0 !== a.state ? a.state : null),
- Lo(t),
- (a.updater = Bo),
- (t.stateNode = a),
- (a._reactInternals = t),
- Qo(t, r, e, n),
- (t = Oi(null, t, r, !0, l, n)))
- : ((t.tag = 0), ao && l && eo(t), ki(null, t, a, n), (t = t.child)),
- t
- )
- case 16:
- r = t.elementType
- e: {
- switch (
- (Hi(e, t),
- (e = t.pendingProps),
- (r = (a = r._init)(r._payload)),
- (t.type = r),
- (a = t.tag =
- (function (e) {
- if ('function' == typeof e) return Rs(e) ? 1 : 0
- if (null != e) {
- if ((e = e.$$typeof) === N) return 11
- if (e === T) return 14
- }
- return 2
- })(r)),
- (e = go(r, e)),
- a)
- ) {
- case 0:
- t = Pi(null, t, r, e, n)
- break e
- case 1:
- t = Ni(null, t, r, e, n)
- break e
- case 11:
- t = xi(null, t, r, e, n)
- break e
- case 14:
- t = Si(null, t, r, go(r.type, e), n)
- break e
- }
- throw Error(o(306, r, ''))
- }
- return t
- case 0:
- return (
- (r = t.type),
- (a = t.pendingProps),
- Pi(e, t, r, (a = t.elementType === r ? a : go(r, a)), n)
- )
- case 1:
- return (
- (r = t.type),
- (a = t.pendingProps),
- Ni(e, t, r, (a = t.elementType === r ? a : go(r, a)), n)
- )
- case 3:
- e: {
- if ((Mi(t), null === e)) throw Error(o(387))
- ;(r = t.pendingProps),
- (a = (l = t.memoizedState).element),
- Ro(e, t),
- Fo(t, r, null, n)
- var i = t.memoizedState
- if (((r = i.element), l.isDehydrated)) {
- if (
- ((l = {
- cache: i.cache,
- element: r,
- isDehydrated: !1,
- pendingSuspenseBoundaries: i.pendingSuspenseBoundaries,
- transitions: i.transitions,
- }),
- (t.updateQueue.baseState = l),
- (t.memoizedState = l),
- 256 & t.flags)
- ) {
- t = Ti(e, t, r, n, (a = ci(Error(o(423)), t)))
- break e
- }
- if (r !== a) {
- t = Ti(e, t, r, n, (a = ci(Error(o(424)), t)))
- break e
- }
- for (
- ro = sa(t.stateNode.containerInfo.firstChild),
- no = t,
- ao = !0,
- oo = null,
- n = Jo(t, null, r, n),
- t.child = n;
- n;
-
- )
- (n.flags = (-3 & n.flags) | 4096), (n = n.sibling)
- } else {
- if ((ho(), r === a)) {
- t = Vi(e, t, n)
- break e
- }
- ki(e, t, r, n)
- }
- t = t.child
- }
- return t
- case 5:
- return (
- ll(t),
- null === e && so(t),
- (r = t.type),
- (a = t.pendingProps),
- (l = null !== e ? e.memoizedProps : null),
- (i = a.children),
- na(r, a) ? (i = null) : null !== l && na(r, l) && (t.flags |= 32),
- _i(e, t),
- ki(e, t, i, n),
- t.child
- )
- case 6:
- return null === e && so(t), null
- case 13:
- return Fi(e, t, n)
- case 4:
- return (
- al(t, t.stateNode.containerInfo),
- (r = t.pendingProps),
- null === e ? (t.child = Go(t, null, r, n)) : ki(e, t, r, n),
- t.child
- )
- case 11:
- return (
- (r = t.type),
- (a = t.pendingProps),
- xi(e, t, r, (a = t.elementType === r ? a : go(r, a)), n)
- )
- case 7:
- return ki(e, t, t.pendingProps, n), t.child
- case 8:
- case 12:
- return ki(e, t, t.pendingProps.children, n), t.child
- case 10:
- e: {
- if (
- ((r = t.type._context),
- (a = t.pendingProps),
- (l = t.memoizedProps),
- (i = a.value),
- _a(yo, r._currentValue),
- (r._currentValue = i),
- null !== l)
- )
- if (ir(l.value, i)) {
- if (l.children === a.children && !Oa.current) {
- t = Vi(e, t, n)
- break e
- }
- } else
- for (null !== (l = t.child) && (l.return = t); null !== l; ) {
- var u = l.dependencies
- if (null !== u) {
- i = l.child
- for (var s = u.firstContext; null !== s; ) {
- if (s.context === r) {
- if (1 === l.tag) {
- ;(s = zo(-1, n & -n)).tag = 2
- var c = l.updateQueue
- if (null !== c) {
- var f = (c = c.shared).pending
- null === f ? (s.next = s) : ((s.next = f.next), (f.next = s)),
- (c.pending = s)
- }
- }
- ;(l.lanes |= n),
- null !== (s = l.alternate) && (s.lanes |= n),
- Eo(l.return, n, t),
- (u.lanes |= n)
- break
- }
- s = s.next
- }
- } else if (10 === l.tag) i = l.type === t.type ? null : l.child
- else if (18 === l.tag) {
- if (null === (i = l.return)) throw Error(o(341))
- ;(i.lanes |= n),
- null !== (u = i.alternate) && (u.lanes |= n),
- Eo(i, n, t),
- (i = l.sibling)
- } else i = l.child
- if (null !== i) i.return = l
- else
- for (i = l; null !== i; ) {
- if (i === t) {
- i = null
- break
- }
- if (null !== (l = i.sibling)) {
- ;(l.return = i.return), (i = l)
- break
- }
- i = i.return
- }
- l = i
- }
- ki(e, t, a.children, n), (t = t.child)
- }
- return t
- case 9:
- return (
- (a = t.type),
- (r = t.pendingProps.children),
- Co(t, n),
- (r = r((a = _o(a)))),
- (t.flags |= 1),
- ki(e, t, r, n),
- t.child
- )
- case 14:
- return (a = go((r = t.type), t.pendingProps)), Si(e, t, r, (a = go(r.type, a)), n)
- case 15:
- return Ei(e, t, t.type, t.pendingProps, n)
- case 17:
- return (
- (r = t.type),
- (a = t.pendingProps),
- (a = t.elementType === r ? a : go(r, a)),
- Hi(e, t),
- (t.tag = 1),
- La(r) ? ((e = !0), Ia(t)) : (e = !1),
- Co(t, n),
- Ho(t, r, a),
- Qo(t, r, a, n),
- Oi(null, t, r, !0, e, n)
- )
- case 19:
- return Wi(e, t, n)
- case 22:
- return Ci(e, t, n)
- }
- throw Error(o(156, t.tag))
- }
- var qs =
- 'function' == typeof reportError
- ? reportError
- : function (e) {
- console.error(e)
- }
- function Ys(e) {
- this._internalRoot = e
- }
- function Xs(e) {
- this._internalRoot = e
- }
- function Gs(e) {
- return !(!e || (1 !== e.nodeType && 9 !== e.nodeType && 11 !== e.nodeType))
- }
- function Js(e) {
- return !(
- !e ||
- (1 !== e.nodeType &&
- 9 !== e.nodeType &&
- 11 !== e.nodeType &&
- (8 !== e.nodeType || ' react-mount-point-unstable ' !== e.nodeValue))
- )
- }
- function Zs() {}
- function ec(e, t, n, r, a) {
- var o = n._reactRootContainer
- if (o) {
- var l = o
- if ('function' == typeof a) {
- var i = a
- a = function () {
- var e = Vs(l)
- i.call(e)
- }
- }
- Hs(t, l, e, a)
- } else
- l = (function (e, t, n, r, a) {
- if (a) {
- if ('function' == typeof r) {
- var o = r
- r = function () {
- var e = Vs(l)
- o.call(e)
- }
- }
- var l = Ws(t, r, e, 0, null, !1, 0, '', Zs)
- return (
- (e._reactRootContainer = l),
- (e[ha] = l.current),
- Br(8 === e.nodeType ? e.parentNode : e),
- fs(),
- l
- )
- }
- for (; (a = e.lastChild); ) e.removeChild(a)
- if ('function' == typeof r) {
- var i = r
- r = function () {
- var e = Vs(u)
- i.call(e)
- }
- }
- var u = Us(e, 0, !1, null, 0, !1, 0, '', Zs)
- return (
- (e._reactRootContainer = u),
- (e[ha] = u.current),
- Br(8 === e.nodeType ? e.parentNode : e),
- fs(function () {
- Hs(t, u, n, r)
- }),
- u
- )
- })(n, t, e, a, r)
- return Vs(l)
- }
- ;(Xs.prototype.render = Ys.prototype.render =
- function (e) {
- var t = this._internalRoot
- if (null === t) throw Error(o(409))
- Hs(e, t, null, null)
- }),
- (Xs.prototype.unmount = Ys.prototype.unmount =
- function () {
- var e = this._internalRoot
- if (null !== e) {
- this._internalRoot = null
- var t = e.containerInfo
- fs(function () {
- Hs(null, e, null, null)
- }),
- (t[ha] = null)
- }
- }),
- (Xs.prototype.unstable_scheduleHydration = function (e) {
- if (e) {
- var t = Et()
- e = { blockedOn: null, priority: t, target: e }
- for (var n = 0; n < Rt.length && 0 !== t && t < Rt[n].priority; n++);
- Rt.splice(n, 0, e), 0 === n && jt(e)
- }
- }),
- (kt = function (e) {
- switch (e.tag) {
- case 3:
- var t = e.stateNode
- if (t.current.memoizedState.isDehydrated) {
- var n = ft(t.pendingLanes)
- 0 !== n && (yt(t, 1 | n), as(t, Ge()), 0 == (6 & Ou) && ((Wu = Ge() + 500), Ba()))
- }
- break
- case 13:
- fs(function () {
- var t = Mo(e, 1)
- if (null !== t) {
- var n = ts()
- rs(t, e, 1, n)
- }
- }),
- Ks(e, 1)
- }
- }),
- (xt = function (e) {
- if (13 === e.tag) {
- var t = Mo(e, 134217728)
- if (null !== t) rs(t, e, 134217728, ts())
- Ks(e, 134217728)
- }
- }),
- (St = function (e) {
- if (13 === e.tag) {
- var t = ns(e),
- n = Mo(e, t)
- if (null !== n) rs(n, e, t, ts())
- Ks(e, t)
- }
- }),
- (Et = function () {
- return bt
- }),
- (Ct = function (e, t) {
- var n = bt
- try {
- return (bt = e), t()
- } finally {
- bt = n
- }
- }),
- (xe = function (e, t, n) {
- switch (t) {
- case 'input':
- if ((J(e, n), (t = n.name), 'radio' === n.type && null != t)) {
- for (n = e; n.parentNode; ) n = n.parentNode
- for (
- n = n.querySelectorAll(
- 'input[name=' + JSON.stringify('' + t) + '][type="radio"]',
- ),
- t = 0;
- t < n.length;
- t++
- ) {
- var r = n[t]
- if (r !== e && r.form === e.form) {
- var a = ka(r)
- if (!a) throw Error(o(90))
- K(r), J(r, a)
- }
- }
- }
- break
- case 'textarea':
- oe(e, n)
- break
- case 'select':
- null != (t = n.value) && ne(e, !!n.multiple, t, !1)
- }
- }),
- (Ne = cs),
- (Oe = fs)
- var tc = { Events: [ba, wa, ka, _e, Pe, cs], usingClientEntryPoint: !1 },
- nc = {
- bundleType: 0,
- findFiberByHostInstance: ya,
- rendererPackageName: 'react-dom',
- version: '18.2.0',
- },
- rc = {
- bundleType: nc.bundleType,
- currentDispatcherRef: w.ReactCurrentDispatcher,
- findFiberByHostInstance:
- nc.findFiberByHostInstance ||
- function () {
- return null
- },
- findHostInstanceByFiber: function (e) {
- return null === (e = Ve(e)) ? null : e.stateNode
- },
- findHostInstancesForRefresh: null,
- getCurrentFiber: null,
- overrideHookState: null,
- overrideHookStateDeletePath: null,
- overrideHookStateRenamePath: null,
- overrideProps: null,
- overridePropsDeletePath: null,
- overridePropsRenamePath: null,
- reconcilerVersion: '18.2.0-next-9e3b772b8-20220608',
- rendererConfig: nc.rendererConfig,
- rendererPackageName: nc.rendererPackageName,
- scheduleRefresh: null,
- scheduleRoot: null,
- scheduleUpdate: null,
- setErrorHandler: null,
- setRefreshHandler: null,
- setSuspenseHandler: null,
- version: nc.version,
- }
- if ('undefined' != typeof __REACT_DEVTOOLS_GLOBAL_HOOK__) {
- var ac = __REACT_DEVTOOLS_GLOBAL_HOOK__
- if (!ac.isDisabled && ac.supportsFiber)
- try {
- ;(at = ac.inject(rc)), (ot = ac)
- } catch (ce) {}
- }
- },
- 5655: (e, t, n) => {
- 'use strict'
- e.exports = n(2197)
- },
- 5734: (e, t, n) => {
- 'use strict'
- n.r(t)
- },
- 5808: (e, t, n) => {
- 'use strict'
- Object.defineProperty(t, '__esModule', { value: !0 }),
- Object.defineProperty(t, 'default', {
- enumerable: !0,
- get: function () {
- return o
- },
- })
- const r = a(n(9497))
- function a(e) {
- return e && e.__esModule ? e : { default: e }
- }
- n(2862)
- const o = ({ className: e }) =>
- r.default.createElement(
- 'svg',
- {
- className: ['icon icon--chevron', e].filter(Boolean).join(' '),
- viewBox: '0 0 25 25',
- xmlns: 'http://www.w3.org/2000/svg',
- },
- r.default.createElement('path', {
- className: 'stroke',
- d: 'M9 10.5L12.5 14.5L16 10.5',
- }),
- )
- },
- 5809: (e, t, n) => {
- 'use strict'
- n.r(t)
- },
- 6277: (e, t, n) => {
- 'use strict'
- Object.defineProperty(t, '__esModule', { value: !0 }),
- Object.defineProperty(t, 'default', {
- enumerable: !0,
- get: function () {
- return o
- },
- })
- const r = a(n(9497))
- function a(e) {
- return e && e.__esModule ? e : { default: e }
- }
- n(5734)
- const o = () =>
- r.default.createElement(
- 'svg',
- {
- className: 'icon icon--edit',
- viewBox: '0 0 25 25',
- xmlns: 'http://www.w3.org/2000/svg',
- },
- r.default.createElement('polygon', {
- className: 'fill',
- points:
- '16.92 16.86 8.25 16.86 8.25 8.21 12.54 8.21 12.54 6.63 6.68 6.63 6.68 18.43 18.5 18.43 18.5 12.53 16.92 12.53 16.92 16.86',
- }),
- r.default.createElement('polygon', {
- className: 'fill',
- points: '16.31 7.33 17.42 8.44 12.66 13.2 11.51 13.24 11.55 12.09 16.31 7.33',
- }),
- r.default.createElement('rect', {
- className: 'fill',
- height: '1.15',
- transform: 'translate(10.16 -10.48) rotate(45)',
- width: '1.58',
- x: '16.94',
- y: '6.44',
- }),
- )
- },
- 6553: (e, t, n) => {
- 'use strict'
- Object.defineProperty(t, '__esModule', { value: !0 }),
- (function (e, t) {
- for (var n in t) Object.defineProperty(e, n, { enumerable: !0, get: t[n] })
- })(t, {
- Banner: function () {
- return r.default
- },
- Button: function () {
- return a.default
- },
- Check: function () {
- return i.default
- },
- Chevron: function () {
- return u.default
- },
- Menu: function () {
- return s.default
- },
- MinimalTemplate: function () {
- return d.default
- },
- Pill: function () {
- return o.default
- },
- Popup: function () {
- return l.default
- },
- Search: function () {
- return c.default
- },
- X: function () {
- return f.default
- },
- })
- const r = p(n(7913)),
- a = p(n(1925)),
- o = p(n(9474)),
- l = p(n(4929)),
- i = p(n(6562)),
- u = p(n(5808)),
- s = p(n(7771)),
- c = p(n(4954)),
- f = p(n(2)),
- d = p(n(3414))
- function p(e) {
- return e && e.__esModule ? e : { default: e }
- }
- },
- 6562: (e, t, n) => {
- 'use strict'
- Object.defineProperty(t, '__esModule', { value: !0 }),
- Object.defineProperty(t, 'default', {
- enumerable: !0,
- get: function () {
- return o
- },
- })
- const r = a(n(9497))
- function a(e) {
- return e && e.__esModule ? e : { default: e }
- }
- n(5809)
- const o = () =>
- r.default.createElement(
- 'svg',
- {
- className: 'icon icon--check',
- viewBox: '0 0 25 25',
- xmlns: 'http://www.w3.org/2000/svg',
- },
- r.default.createElement('path', {
- className: 'stroke',
- d: 'M10.6092 16.0192L17.6477 8.98076',
- strokeLinecap: 'square',
- strokeLinejoin: 'bevel',
- }),
- r.default.createElement('path', {
- className: 'stroke',
- d: 'M7.35229 12.7623L10.6092 16.0192',
- strokeLinecap: 'square',
- strokeLinejoin: 'bevel',
- }),
- )
- },
- 6982: (e, t, n) => {
- 'use strict'
- Object.defineProperty(t, '__esModule', { value: !0 }),
- Object.defineProperty(t, 'default', {
- enumerable: !0,
- get: function () {
- return u
- },
- })
- const r = i(n(9497)),
- a = o(n(4981))
- function o(e) {
- return e && e.__esModule ? e : { default: e }
- }
- function l(e) {
- if ('function' != typeof WeakMap) return null
- var t = new WeakMap(),
- n = new WeakMap()
- return (l = function (e) {
- return e ? n : t
- })(e)
- }
- function i(e, t) {
- if (!t && e && e.__esModule) return e
- if (null === e || ('object' != typeof e && 'function' != typeof e)) return { default: e }
- var n = l(t)
- if (n && n.has(e)) return n.get(e)
- var r = {},
- a = Object.defineProperty && Object.getOwnPropertyDescriptor
- for (var o in e)
- if ('default' !== o && Object.prototype.hasOwnProperty.call(e, o)) {
- var i = a ? Object.getOwnPropertyDescriptor(e, o) : null
- i && (i.get || i.set) ? Object.defineProperty(r, o, i) : (r[o] = e[o])
- }
- return (r.default = e), n && n.set(e, r), r
- }
- n(754)
- const u = (e) => {
- const { boundingRef: t, children: n, className: o, delay: l = 350, show: i = !0 } = e,
- [u, s] = r.default.useState(i),
- [c, f] = r.default.useState('top'),
- [d, p] = (0, a.default)({
- root: t?.current || null,
- rootMargin: '-145px 0px 0px 100px',
- threshold: 0,
- })
- return (
- (0, r.useEffect)(() => {
- let e
- return (
- l && i
- ? (e = setTimeout(() => {
- s(i)
- }, l))
- : s(i),
- () => {
- e && clearTimeout(e)
- }
- )
- }, [i, l]),
- (0, r.useEffect)(() => {
- f(p?.isIntersecting ? 'top' : 'bottom')
- }, [p]),
- r.default.createElement(
- r.default.Fragment,
- null,
- r.default.createElement(
- 'aside',
- {
- 'aria-hidden': 'true',
- className: ['tooltip', o, 'tooltip--position-top'].filter(Boolean).join(' '),
- ref: d,
- },
- n,
- ),
- r.default.createElement(
- 'aside',
- {
- className: ['tooltip', o, u && 'tooltip--show', `tooltip--position-${c}`]
- .filter(Boolean)
- .join(' '),
- },
- n,
- ),
- )
- )
- }
- },
- 7345: (e, t, n) => {
- 'use strict'
- n.r(t)
- },
- 7366: (e, t, n) => {
- 'use strict'
- n.r(t)
- },
- 7771: (e, t, n) => {
- 'use strict'
- Object.defineProperty(t, '__esModule', { value: !0 }),
- Object.defineProperty(t, 'default', {
- enumerable: !0,
- get: function () {
- return o
- },
- })
- const r = a(n(9497))
- function a(e) {
- return e && e.__esModule ? e : { default: e }
- }
- n(3369)
- const o = () =>
- r.default.createElement(
- 'svg',
- {
- className: 'icon icon--menu',
- fill: 'none',
- height: '25',
- viewBox: '0 0 25 25',
- width: '25',
- xmlns: 'http://www.w3.org/2000/svg',
- },
- r.default.createElement('rect', {
- className: 'fill',
- height: '2',
- width: '18',
- x: '3.5',
- y: '4.5',
- }),
- r.default.createElement('rect', {
- className: 'fill',
- height: '2',
- width: '18',
- x: '3.5',
- y: '11.5',
- }),
- r.default.createElement('rect', {
- className: 'fill',
- height: '2',
- width: '18',
- x: '3.5',
- y: '18.5',
- }),
- )
- },
- 7862: (e, t, n) => {
- e.exports = n(1772)()
- },
- 7913: (e, t, n) => {
- 'use strict'
- Object.defineProperty(t, '__esModule', { value: !0 }),
- (function (e, t) {
- for (var n in t) Object.defineProperty(e, n, { enumerable: !0, get: t[n] })
- })(t, {
- Banner: function () {
- return i
- },
- default: function () {
- return u
- },
- })
- const r = o(n(9497)),
- a = n(3717)
- function o(e) {
- return e && e.__esModule ? e : { default: e }
- }
- n(7366)
- const l = 'banner',
- i = ({
- alignIcon: e = 'right',
- children: t,
- className: n,
- icon: o,
- onClick: i,
- to: u,
- type: s = 'default',
- }) => {
- const c = [
- l,
- `${l}--type-${s}`,
- n && n,
- u && `${l}--has-link`,
- (u || i) && `${l}--has-action`,
- o && `${l}--has-icon`,
- o && `${l}--align-icon-${e}`,
- ]
- .filter(Boolean)
- .join(' ')
- let f = 'div'
- return (
- i && !u && (f = 'button'),
- u && (f = a.Link),
- r.default.createElement(
- f,
- { className: c, onClick: i, to: u || void 0 },
- o && 'left' === e && r.default.createElement(r.default.Fragment, null, o),
- r.default.createElement('span', { className: `${l}__content` }, t),
- o && 'right' === e && r.default.createElement(r.default.Fragment, null, o),
- )
- )
- },
- u = i
- },
- 8453: (e, t, n) => {
- 'use strict'
- Object.defineProperty(t, '__esModule', { value: !0 }),
- Object.defineProperty(t, 'default', {
- enumerable: !0,
- get: function () {
- return o
- },
- })
- const r = a(n(9497))
- function a(e) {
- return e && e.__esModule ? e : { default: e }
- }
- n(3617)
- const o = () =>
- r.default.createElement(
- 'svg',
- {
- className: 'icon icon--plus',
- viewBox: '0 0 25 25',
- xmlns: 'http://www.w3.org/2000/svg',
- },
- r.default.createElement('line', {
- className: 'stroke',
- x1: '12.4589',
- x2: '12.4589',
- y1: '16.9175',
- y2: '8.50115',
- }),
- r.default.createElement('line', {
- className: 'stroke',
- x1: '8.05164',
- x2: '16.468',
- y1: '12.594',
- y2: '12.594',
- }),
- )
- },
- 8507: (e, t, n) => {
- 'use strict'
- Object.defineProperty(t, '__esModule', { value: !0 }),
- Object.defineProperty(t, 'default', {
- enumerable: !0,
- get: function () {
- return l
- },
- })
- const r = a(n(9497))
- function a(e) {
- return e && e.__esModule ? e : { default: e }
- }
- n(4717)
- const o = 'popup-button',
- l = (e) => {
- const { active: t, button: n, buttonType: a, className: l, setActive: i } = e,
- u = [o, l, `${o}--${a}`].filter(Boolean).join(' '),
- s = () => {
- i(!t)
- }
- return 'none' === a
- ? null
- : 'custom' === a
- ? r.default.createElement(
- 'div',
- {
- className: u,
- onClick: s,
- onKeyDown: (e) => {
- 'Enter' === e.key && s()
- },
- role: 'button',
- tabIndex: 0,
- },
- n,
- )
- : r.default.createElement(
- 'button',
- { className: u, onClick: () => i(!t), type: 'button' },
- n,
- )
- }
- },
- 8967: (e) => {
- e.exports =
- Array.isArray ||
- function (e) {
- return '[object Array]' == Object.prototype.toString.call(e)
- }
- },
- 9130: function (e, t, n) {
- 'use strict'
- var r =
- (this && this.__importDefault) ||
- function (e) {
- return e && e.__esModule ? e : { default: e }
- }
- Object.defineProperty(t, '__esModule', { value: !0 }),
- (t.withWindowInfo =
- t.WindowInfoProvider =
- t.WindowInfoContext =
- t.WindowInfo =
- t.useWindowInfo =
- void 0)
- var a = n(9767)
- Object.defineProperty(t, 'useWindowInfo', {
- enumerable: !0,
- get: function () {
- return r(a).default
- },
- })
- var o = n(362)
- Object.defineProperty(t, 'WindowInfo', {
- enumerable: !0,
- get: function () {
- return r(o).default
- },
- })
- var l = n(3690)
- Object.defineProperty(t, 'WindowInfoContext', {
- enumerable: !0,
- get: function () {
- return r(l).default
- },
- })
- var i = n(2767)
- Object.defineProperty(t, 'WindowInfoProvider', {
- enumerable: !0,
- get: function () {
- return r(i).default
- },
- })
- var u = n(1740)
- Object.defineProperty(t, 'withWindowInfo', {
- enumerable: !0,
- get: function () {
- return r(u).default
- },
- })
- },
- 9279: (e, t, n) => {
- 'use strict'
- n.r(t)
- },
- 9415: (e, t, n) => {
- 'use strict'
- e.exports = n(4507)
- },
- 9474: (e, t, n) => {
- 'use strict'
- Object.defineProperty(t, '__esModule', { value: !0 }),
- Object.defineProperty(t, 'default', {
- enumerable: !0,
- get: function () {
- return c
- },
- })
- const r = l(n(9497)),
- a = n(3717),
- o = n(5061)
- function l(e) {
- return e && e.__esModule ? e : { default: e }
- }
- n(9279)
- const i = 'pill',
- u = (e) => {
- const { id: n, className: t } = e,
- {
- attributes: a,
- isDragging: l,
- listeners: u,
- setNodeRef: c,
- transform: f,
- } = (0, o.useDraggableSortable)({ id: n })
- return r.default.createElement(s, {
- ...e,
- className: [l && `${i}--is-dragging`, t].filter(Boolean).join(' '),
- elementProps: { ...u, ...a, ref: c, style: { transform: f } },
- })
- },
- s = (e) => {
- const {
- alignIcon: t = 'right',
- 'aria-checked': n,
- 'aria-controls': o,
- 'aria-expanded': l,
- 'aria-label': u,
- children: s,
- className: c,
- draggable: f,
- elementProps: d,
- icon: p,
- onClick: h,
- pillStyle: m = 'light',
- rounded: v,
- to: g,
- } = e,
- y = [
- i,
- `${i}--style-${m}`,
- c && c,
- g && `${i}--has-link`,
- (g || h) && `${i}--has-action`,
- p && `${i}--has-icon`,
- p && `${i}--align-icon-${t}`,
- f && `${i}--draggable`,
- v && `${i}--rounded`,
- ]
- .filter(Boolean)
- .join(' ')
- let b = 'div'
- return (
- h && !g && (b = 'button'),
- g && (b = a.Link),
- r.default.createElement(
- b,
- {
- ...d,
- 'aria-checked': n,
- 'aria-controls': o,
- 'aria-expanded': l,
- 'aria-label': u,
- className: y,
- onClick: h,
- to: g || void 0,
- type: 'button' === b ? 'button' : void 0,
- },
- p && 'left' === t && r.default.createElement(r.default.Fragment, null, p),
- s,
- p && 'right' === t && r.default.createElement(r.default.Fragment, null, p),
- )
- )
- },
- c = (e) => {
- const { draggable: t } = e
- return t ? r.default.createElement(u, e) : r.default.createElement(s, e)
- }
- },
- 9497: (e) => {
- 'use strict'
- e.exports = require('react')
- },
- 9509: (e, t, n) => {
- 'use strict'
- n.r(t),
- n.d(t, {
- SortableContext: () => je,
- arrayMove: () => Ce,
- arraySwap: () => _e,
- defaultAnimateLayoutChanges: () => Ae,
- defaultNewIndexGetter: () => Fe,
- hasSortableData: () => Ve,
- horizontalListSortingStrategy: () => Me,
- rectSortingStrategy: () => Te,
- rectSwappingStrategy: () => Le,
- sortableKeyboardCoordinates: () => Ke,
- useSortable: () => He,
- verticalListSortingStrategy: () => ze,
- })
- var r = n(9497),
- a = n.n(r)
- n(3730)
- const o =
- 'undefined' != typeof window &&
- void 0 !== window.document &&
- void 0 !== window.document.createElement
- function l(e) {
- const t = Object.prototype.toString.call(e)
- return '[object Window]' === t || '[object global]' === t
- }
- function i(e) {
- return 'nodeType' in e
- }
- function u(e) {
- var t, n
- return e
- ? l(e)
- ? e
- : i(e) && null != (t = null == (n = e.ownerDocument) ? void 0 : n.defaultView)
- ? t
- : window
- : window
- }
- function s(e) {
- const { Document: t } = u(e)
- return e instanceof t
- }
- function c(e) {
- return !l(e) && e instanceof u(e).HTMLElement
- }
- function f(e) {
- return e
- ? l(e)
- ? e.document
- : i(e)
- ? s(e)
- ? e
- : c(e)
- ? e.ownerDocument
- : document
- : document
- : document
- }
- const d = o ? r.useLayoutEffect : r.useEffect
- function p(e) {
- const t = (0, r.useRef)(e)
- return (
- d(() => {
- t.current = e
- }),
- (0, r.useCallback)(function () {
- for (var e = arguments.length, n = new Array(e), r = 0; r < e; r++)
- n[r] = arguments[r]
- return null == t.current ? void 0 : t.current(...n)
- }, [])
- )
- }
- function h(e, t) {
- void 0 === t && (t = [e])
- const n = (0, r.useRef)(e)
- return (
- d(() => {
- n.current !== e && (n.current = e)
- }, t),
- n
- )
- }
- function m(e) {
- const t = p(e),
- n = (0, r.useRef)(null),
- a = (0, r.useCallback)((e) => {
- e !== n.current && (null == t || t(e, n.current)), (n.current = e)
- }, [])
- return [n, a]
- }
- let v = {}
- function g(e, t) {
- return (0, r.useMemo)(() => {
- if (t) return t
- const n = null == v[e] ? 0 : v[e] + 1
- return (v[e] = n), e + '-' + n
- }, [e, t])
- }
- function y(e) {
- return function (t) {
- for (var n = arguments.length, r = new Array(n > 1 ? n - 1 : 0), a = 1; a < n; a++)
- r[a - 1] = arguments[a]
- return r.reduce(
- (t, n) => {
- const r = Object.entries(n)
- for (const [n, a] of r) {
- const r = t[n]
- null != r && (t[n] = r + e * a)
- }
- return t
- },
- { ...t },
- )
- }
- }
- const b = y(1),
- w = y(-1)
- function k(e) {
- if (!e) return !1
- const { KeyboardEvent: t } = u(e.target)
- return t && e instanceof t
- }
- function x(e) {
- if (
- (function (e) {
- if (!e) return !1
- const { TouchEvent: t } = u(e.target)
- return t && e instanceof t
- })(e)
- ) {
- if (e.touches && e.touches.length) {
- const { clientX: t, clientY: n } = e.touches[0]
- return { x: t, y: n }
- }
- if (e.changedTouches && e.changedTouches.length) {
- const { clientX: t, clientY: n } = e.changedTouches[0]
- return { x: t, y: n }
- }
- }
- return (function (e) {
- return 'clientX' in e && 'clientY' in e
- })(e)
- ? { x: e.clientX, y: e.clientY }
- : null
- }
- const S = Object.freeze({
- Scale: {
- toString(e) {
- if (!e) return
- const { scaleX: t, scaleY: n } = e
- return 'scaleX(' + t + ') scaleY(' + n + ')'
- },
- },
- Transform: {
- toString(e) {
- if (e) return [S.Translate.toString(e), S.Scale.toString(e)].join(' ')
- },
- },
- Transition: {
- toString(e) {
- let { duration: n, easing: r, property: t } = e
- return t + ' ' + n + 'ms ' + r
- },
- },
- Translate: {
- toString(e) {
- if (!e) return
- const { x: t, y: n } = e
- return (
- 'translate3d(' +
- (t ? Math.round(t) : 0) +
- 'px, ' +
- (n ? Math.round(n) : 0) +
- 'px, 0)'
- )
- },
- },
- })
- var E
- function C() {}
- !(function (e) {
- ;(e.DragStart = 'dragStart'),
- (e.DragMove = 'dragMove'),
- (e.DragEnd = 'dragEnd'),
- (e.DragCancel = 'dragCancel'),
- (e.DragOver = 'dragOver'),
- (e.RegisterDroppable = 'registerDroppable'),
- (e.SetDroppableDisabled = 'setDroppableDisabled'),
- (e.UnregisterDroppable = 'unregisterDroppable')
- })(E || (E = {}))
- const _ = Object.freeze({ x: 0, y: 0 })
- function P(e, t) {
- return Math.sqrt(Math.pow(e.x - t.x, 2) + Math.pow(e.y - t.y, 2))
- }
- function N(e, t) {
- let {
- data: { value: n },
- } = e,
- {
- data: { value: r },
- } = t
- return n - r
- }
- function O(e) {
- let { height: r, left: t, top: n, width: a } = e
- return [
- { x: t, y: n },
- { x: t + a, y: n },
- { x: t, y: n + r },
- { x: t + a, y: n + r },
- ]
- }
- function M(e, t) {
- if (!e || 0 === e.length) return null
- const [n] = e
- return t ? n[t] : n
- }
- function T(e) {
- if (e.startsWith('matrix3d(')) {
- const t = e.slice(9, -1).split(/, /)
- return { scaleX: +t[0], scaleY: +t[5], x: +t[12], y: +t[13] }
- }
- if (e.startsWith('matrix(')) {
- const t = e.slice(7, -1).split(/, /)
- return { scaleX: +t[0], scaleY: +t[3], x: +t[4], y: +t[5] }
- }
- return null
- }
- const L = { ignoreTransform: !1 }
- function R(e, t) {
- void 0 === t && (t = L)
- let n = e.getBoundingClientRect()
- if (t.ignoreTransform) {
- const { transform: t, transformOrigin: r } = u(e).getComputedStyle(e)
- t &&
- (n = (function (e, t, n) {
- const r = T(t)
- if (!r) return e
- const { scaleX: a, scaleY: o, x: l, y: i } = r,
- u = e.left - l - (1 - a) * parseFloat(n),
- s = e.top - i - (1 - o) * parseFloat(n.slice(n.indexOf(' ') + 1)),
- c = a ? e.width / a : e.width,
- f = o ? e.height / o : e.height
- return { bottom: s + f, height: f, left: u, right: u + c, top: s, width: c }
- })(n, t, r))
- }
- const { bottom: i, height: l, left: a, right: s, top: r, width: o } = n
- return { bottom: i, height: l, left: a, right: s, top: r, width: o }
- }
- function z(e) {
- return R(e, { ignoreTransform: !0 })
- }
- function D(e, t) {
- const n = []
- return e
- ? (function r(a) {
- if (null != t && n.length >= t) return n
- if (!a) return n
- if (s(a) && null != a.scrollingElement && !n.includes(a.scrollingElement))
- return n.push(a.scrollingElement), n
- if (
- !c(a) ||
- (function (e) {
- return e instanceof u(e).SVGElement
- })(a)
- )
- return n
- if (n.includes(a)) return n
- const o = u(e).getComputedStyle(a)
- return (
- a !== e &&
- (function (e, t) {
- void 0 === t && (t = u(e).getComputedStyle(e))
- const n = /(auto|scroll|overlay)/
- return ['overflow', 'overflowX', 'overflowY'].some((e) => {
- const r = t[e]
- return 'string' == typeof r && n.test(r)
- })
- })(a, o) &&
- n.push(a),
- (function (e, t) {
- return void 0 === t && (t = u(e).getComputedStyle(e)), 'fixed' === t.position
- })(a, o)
- ? n
- : r(a.parentNode)
- )
- })(e)
- : n
- }
- function I(e) {
- const [t] = D(e, 1)
- return null != t ? t : null
- }
- var j
- function F(e) {
- return !(!o || !e) && e === document.scrollingElement
- }
- function A(e) {
- const t = { x: 0, y: 0 },
- n = F(e)
- ? { height: window.innerHeight, width: window.innerWidth }
- : { height: e.clientHeight, width: e.clientWidth },
- r = { x: e.scrollWidth - n.width, y: e.scrollHeight - n.height }
- return {
- isBottom: e.scrollTop >= r.y,
- isLeft: e.scrollLeft <= t.x,
- isRight: e.scrollLeft >= r.x,
- isTop: e.scrollTop <= t.y,
- maxScroll: r,
- minScroll: t,
- }
- }
- !(function (e) {
- ;(e[(e.Forward = 1)] = 'Forward'), (e[(e.Backward = -1)] = 'Backward')
- })(j || (j = {}))
- function $(e) {
- if (e === document.scrollingElement) {
- const { innerHeight: t, innerWidth: e } = window
- return { bottom: t, height: t, left: 0, right: e, top: 0, width: e }
- }
- const { bottom: a, left: n, right: r, top: t } = e.getBoundingClientRect()
- return {
- bottom: a,
- height: e.clientHeight,
- left: n,
- right: r,
- top: t,
- width: e.clientWidth,
- }
- }
- function U(e, t) {
- if ((void 0 === t && (t = R), !e)) return
- const { bottom: a, left: r, right: o, top: n } = t(e)
- I(e) &&
- (a <= 0 || o <= 0 || n >= window.innerHeight || r >= window.innerWidth) &&
- e.scrollIntoView({ block: 'center', inline: 'center' })
- }
- class B {
- constructor(e) {
- ;(this.target = void 0),
- (this.listeners = []),
- (this.removeAll = () => {
- this.listeners.forEach((e) => {
- var t
- return null == (t = this.target) ? void 0 : t.removeEventListener(...e)
- })
- }),
- (this.target = e)
- }
- add(e, t, n) {
- var r
- null == (r = this.target) || r.addEventListener(e, t, n), this.listeners.push([e, t, n])
- }
- }
- function W(e, t) {
- const n = Math.abs(e.x),
- r = Math.abs(e.y)
- return 'number' == typeof t
- ? Math.sqrt(n ** 2 + r ** 2) > t
- : 'x' in t && 'y' in t
- ? n > t.x && r > t.y
- : 'x' in t
- ? n > t.x
- : 'y' in t && r > t.y
- }
- var H, V
- function Q(e) {
- e.preventDefault()
- }
- function K(e) {
- e.stopPropagation()
- }
- !(function (e) {
- ;(e.Click = 'click'),
- (e.DragStart = 'dragstart'),
- (e.Keydown = 'keydown'),
- (e.ContextMenu = 'contextmenu'),
- (e.Resize = 'resize'),
- (e.SelectionChange = 'selectionchange'),
- (e.VisibilityChange = 'visibilitychange')
- })(H || (H = {})),
- (function (e) {
- ;(e.Space = 'Space'),
- (e.Down = 'ArrowDown'),
- (e.Right = 'ArrowRight'),
- (e.Left = 'ArrowLeft'),
- (e.Up = 'ArrowUp'),
- (e.Esc = 'Escape'),
- (e.Enter = 'Enter')
- })(V || (V = {}))
- const q = { cancel: [V.Esc], end: [V.Space, V.Enter], start: [V.Space, V.Enter] },
- Y = (e, t) => {
- let { currentCoordinates: n } = t
- switch (e.code) {
- case V.Right:
- return { ...n, x: n.x + 25 }
- case V.Left:
- return { ...n, x: n.x - 25 }
- case V.Down:
- return { ...n, y: n.y + 25 }
- case V.Up:
- return { ...n, y: n.y - 25 }
- }
- }
- class X {
- constructor(e) {
- ;(this.props = void 0),
- (this.autoScrollEnabled = !1),
- (this.referenceCoordinates = void 0),
- (this.listeners = void 0),
- (this.windowListeners = void 0),
- (this.props = e)
- const {
- event: { target: t },
- } = e
- ;(this.props = e),
- (this.listeners = new B(f(t))),
- (this.windowListeners = new B(u(t))),
- (this.handleKeyDown = this.handleKeyDown.bind(this)),
- (this.handleCancel = this.handleCancel.bind(this)),
- this.attach()
- }
- attach() {
- this.handleStart(),
- this.windowListeners.add(H.Resize, this.handleCancel),
- this.windowListeners.add(H.VisibilityChange, this.handleCancel),
- setTimeout(() => this.listeners.add(H.Keydown, this.handleKeyDown))
- }
- detach() {
- this.listeners.removeAll(), this.windowListeners.removeAll()
- }
- handleCancel(e) {
- const { onCancel: t } = this.props
- e.preventDefault(), this.detach(), t()
- }
- handleEnd(e) {
- const { onEnd: t } = this.props
- e.preventDefault(), this.detach(), t()
- }
- handleKeyDown(e) {
- if (k(e)) {
- const { active: t, context: n, options: r } = this.props,
- { coordinateGetter: o = Y, keyboardCodes: a = q, scrollBehavior: l = 'smooth' } = r,
- { code: i } = e
- if (a.end.includes(i)) return void this.handleEnd(e)
- if (a.cancel.includes(i)) return void this.handleCancel(e)
- const { collisionRect: u } = n.current,
- s = u ? { x: u.left, y: u.top } : _
- this.referenceCoordinates || (this.referenceCoordinates = s)
- const c = o(e, { active: t, context: n.current, currentCoordinates: s })
- if (c) {
- const t = w(c, s),
- r = { x: 0, y: 0 },
- { scrollableAncestors: a } = n.current
- for (const n of a) {
- const a = e.code,
- {
- isBottom: s,
- isLeft: u,
- isRight: i,
- isTop: o,
- maxScroll: f,
- minScroll: d,
- } = A(n),
- p = $(n),
- h = {
- x: Math.min(
- a === V.Right ? p.right - p.width / 2 : p.right,
- Math.max(a === V.Right ? p.left : p.left + p.width / 2, c.x),
- ),
- y: Math.min(
- a === V.Down ? p.bottom - p.height / 2 : p.bottom,
- Math.max(a === V.Down ? p.top : p.top + p.height / 2, c.y),
- ),
- },
- m = (a === V.Right && !i) || (a === V.Left && !u),
- v = (a === V.Down && !s) || (a === V.Up && !o)
- if (m && h.x !== c.x) {
- const e = n.scrollLeft + t.x,
- o = (a === V.Right && e <= f.x) || (a === V.Left && e >= d.x)
- if (o && !t.y) return void n.scrollTo({ behavior: l, left: e })
- ;(r.x = o
- ? n.scrollLeft - e
- : a === V.Right
- ? n.scrollLeft - f.x
- : n.scrollLeft - d.x),
- r.x && n.scrollBy({ behavior: l, left: -r.x })
- break
- }
- if (v && h.y !== c.y) {
- const e = n.scrollTop + t.y,
- o = (a === V.Down && e <= f.y) || (a === V.Up && e >= d.y)
- if (o && !t.x) return void n.scrollTo({ behavior: l, top: e })
- ;(r.y = o
- ? n.scrollTop - e
- : a === V.Down
- ? n.scrollTop - f.y
- : n.scrollTop - d.y),
- r.y && n.scrollBy({ behavior: l, top: -r.y })
- break
- }
- }
- this.handleMove(e, b(w(c, this.referenceCoordinates), r))
- }
- }
- }
- handleMove(e, t) {
- const { onMove: n } = this.props
- e.preventDefault(), n(t)
- }
- handleStart() {
- const { activeNode: e, onStart: t } = this.props,
- n = e.node.current
- n && U(n), t(_)
- }
- }
- function G(e) {
- return Boolean(e && 'distance' in e)
- }
- function J(e) {
- return Boolean(e && 'delay' in e)
- }
- X.activators = [
- {
- eventName: 'onKeyDown',
- handler: (e, t, n) => {
- let { keyboardCodes: r = q, onActivation: a } = t,
- { active: o } = n
- const { code: l } = e.nativeEvent
- if (r.start.includes(l)) {
- const t = o.activatorNode.current
- return (
- (!t || e.target === t) &&
- (e.preventDefault(), null == a || a({ event: e.nativeEvent }), !0)
- )
- }
- return !1
- },
- },
- ]
- class Z {
- constructor(e, t, n) {
- var r
- void 0 === n &&
- (n = (function (e) {
- const { EventTarget: t } = u(e)
- return e instanceof t ? e : f(e)
- })(e.event.target)),
- (this.props = void 0),
- (this.events = void 0),
- (this.autoScrollEnabled = !0),
- (this.document = void 0),
- (this.activated = !1),
- (this.initialCoordinates = void 0),
- (this.timeoutId = null),
- (this.listeners = void 0),
- (this.documentListeners = void 0),
- (this.windowListeners = void 0),
- (this.props = e),
- (this.events = t)
- const { event: a } = e,
- { target: o } = a
- ;(this.props = e),
- (this.events = t),
- (this.document = f(o)),
- (this.documentListeners = new B(this.document)),
- (this.listeners = new B(n)),
- (this.windowListeners = new B(u(o))),
- (this.initialCoordinates = null != (r = x(a)) ? r : _),
- (this.handleStart = this.handleStart.bind(this)),
- (this.handleMove = this.handleMove.bind(this)),
- (this.handleEnd = this.handleEnd.bind(this)),
- (this.handleCancel = this.handleCancel.bind(this)),
- (this.handleKeydown = this.handleKeydown.bind(this)),
- (this.removeTextSelection = this.removeTextSelection.bind(this)),
- this.attach()
- }
- attach() {
- const {
- events: e,
- props: {
- options: { activationConstraint: t },
- },
- } = this
- if (
- (this.listeners.add(e.move.name, this.handleMove, { passive: !1 }),
- this.listeners.add(e.end.name, this.handleEnd),
- this.windowListeners.add(H.Resize, this.handleCancel),
- this.windowListeners.add(H.DragStart, Q),
- this.windowListeners.add(H.VisibilityChange, this.handleCancel),
- this.windowListeners.add(H.ContextMenu, Q),
- this.documentListeners.add(H.Keydown, this.handleKeydown),
- t)
- ) {
- if (G(t)) return
- if (J(t)) return void (this.timeoutId = setTimeout(this.handleStart, t.delay))
- }
- this.handleStart()
- }
- detach() {
- this.listeners.removeAll(),
- this.windowListeners.removeAll(),
- setTimeout(this.documentListeners.removeAll, 50),
- null !== this.timeoutId && (clearTimeout(this.timeoutId), (this.timeoutId = null))
- }
- handleCancel() {
- const { onCancel: e } = this.props
- this.detach(), e()
- }
- handleEnd() {
- const { onEnd: e } = this.props
- this.detach(), e()
- }
- handleKeydown(e) {
- e.code === V.Esc && this.handleCancel()
- }
- handleMove(e) {
- var t
- const { activated: n, initialCoordinates: r, props: a } = this,
- {
- onMove: o,
- options: { activationConstraint: l },
- } = a
- if (!r) return
- const i = null != (t = x(e)) ? t : _,
- u = w(r, i)
- if (!n && l) {
- if (J(l)) return W(u, l.tolerance) ? this.handleCancel() : void 0
- if (G(l))
- return null != l.tolerance && W(u, l.tolerance)
- ? this.handleCancel()
- : W(u, l.distance)
- ? this.handleStart()
- : void 0
- }
- e.cancelable && e.preventDefault(), o(i)
- }
- handleStart() {
- const { initialCoordinates: e } = this,
- { onStart: t } = this.props
- e &&
- ((this.activated = !0),
- this.documentListeners.add(H.Click, K, { capture: !0 }),
- this.removeTextSelection(),
- this.documentListeners.add(H.SelectionChange, this.removeTextSelection),
- t(e))
- }
- removeTextSelection() {
- var e
- null == (e = this.document.getSelection()) || e.removeAllRanges()
- }
- }
- const ee = { end: { name: 'pointerup' }, move: { name: 'pointermove' } }
- class te extends Z {
- constructor(e) {
- const { event: t } = e,
- n = f(t.target)
- super(e, ee, n)
- }
- }
- te.activators = [
- {
- eventName: 'onPointerDown',
- handler: (e, t) => {
- let { nativeEvent: n } = e,
- { onActivation: r } = t
- return !(!n.isPrimary || 0 !== n.button) && (null == r || r({ event: n }), !0)
- },
- },
- ]
- const ne = { end: { name: 'mouseup' }, move: { name: 'mousemove' } }
- var re
- !(function (e) {
- e[(e.RightClick = 2)] = 'RightClick'
- })(re || (re = {}))
- ;(class extends Z {
- constructor(e) {
- super(e, ne, f(e.event.target))
- }
- }).activators = [
- {
- eventName: 'onMouseDown',
- handler: (e, t) => {
- let { nativeEvent: n } = e,
- { onActivation: r } = t
- return n.button !== re.RightClick && (null == r || r({ event: n }), !0)
- },
- },
- ]
- const ae = { end: { name: 'touchend' }, move: { name: 'touchmove' } }
- var oe, le
- ;((class extends Z {
- constructor(e) {
- super(e, ae)
- }
- static setup() {
- return (
- window.addEventListener(ae.move.name, e, { capture: !1, passive: !1 }),
- function () {
- window.removeEventListener(ae.move.name, e)
- }
- )
- function e() {}
- }
- }).activators = [
- {
- eventName: 'onTouchStart',
- handler: (e, t) => {
- let { nativeEvent: n } = e,
- { onActivation: r } = t
- const { touches: a } = n
- return !(a.length > 1) && (null == r || r({ event: n }), !0)
- },
- },
- ]),
- (function (e) {
- ;(e[(e.Pointer = 0)] = 'Pointer'), (e[(e.DraggableRect = 1)] = 'DraggableRect')
- })(oe || (oe = {})),
- (function (e) {
- ;(e[(e.TreeOrder = 0)] = 'TreeOrder'),
- (e[(e.ReversedTreeOrder = 1)] = 'ReversedTreeOrder')
- })(le || (le = {}))
- j.Backward, j.Forward, j.Backward, j.Forward
- var ie, ue
- !(function (e) {
- ;(e[(e.Always = 0)] = 'Always'),
- (e[(e.BeforeDragging = 1)] = 'BeforeDragging'),
- (e[(e.WhileDragging = 2)] = 'WhileDragging')
- })(ie || (ie = {})),
- (function (e) {
- e.Optimized = 'optimized'
- })(ue || (ue = {}))
- function se(e) {
- let { callback: t, disabled: n } = e
- const a = p(t),
- o = (0, r.useMemo)(() => {
- if (n || 'undefined' == typeof window || void 0 === window.ResizeObserver) return
- const { ResizeObserver: e } = window
- return new e(a)
- }, [n])
- return (0, r.useEffect)(() => () => (null == o ? void 0 : o.disconnect()), [o]), o
- }
- const ce = {
- dragOverlay: { measure: R },
- draggable: { measure: z },
- droppable: { frequency: ue.Optimized, measure: z, strategy: ie.WhileDragging },
- }
- class fe extends Map {
- get(e) {
- var t
- return null != e && null != (t = super.get(e)) ? t : void 0
- }
- getEnabled() {
- return this.toArray().filter((e) => {
- let { disabled: t } = e
- return !t
- })
- }
- getNodeFor(e) {
- var t, n
- return null != (t = null == (n = this.get(e)) ? void 0 : n.node.current) ? t : void 0
- }
- toArray() {
- return Array.from(this.values())
- }
- }
- const de = {
- activatorEvent: null,
- active: null,
- activeNode: null,
- activeNodeRect: null,
- collisions: null,
- containerNodeRect: null,
- dragOverlay: { nodeRef: { current: null }, rect: null, setRef: C },
- draggableNodes: new Map(),
- droppableContainers: new fe(),
- droppableRects: new Map(),
- measureDroppableContainers: C,
- measuringConfiguration: ce,
- measuringScheduled: !1,
- over: null,
- scrollableAncestorRects: [],
- scrollableAncestors: [],
- windowRect: null,
- },
- pe = {
- activatorEvent: null,
- activators: [],
- active: null,
- activeNodeRect: null,
- ariaDescribedById: { draggable: '' },
- dispatch: C,
- draggableNodes: new Map(),
- measureDroppableContainers: C,
- over: null,
- },
- he = (0, r.createContext)(pe),
- me = (0, r.createContext)(de)
- const ve = (0, r.createContext)({ ..._, scaleX: 1, scaleY: 1 })
- var ge
- !(function (e) {
- ;(e[(e.Uninitialized = 0)] = 'Uninitialized'),
- (e[(e.Initializing = 1)] = 'Initializing'),
- (e[(e.Initialized = 2)] = 'Initialized')
- })(ge || (ge = {}))
- const ye = (0, r.createContext)(null),
- be = 'button',
- we = 'Droppable'
- function ke(e) {
- let { id: t, attributes: o, data: n, disabled: a = !1 } = e
- const l = g(we),
- {
- activatorEvent: u,
- activators: i,
- active: s,
- activeNodeRect: c,
- ariaDescribedById: f,
- draggableNodes: p,
- over: v,
- } = (0, r.useContext)(he),
- {
- role: y = be,
- roleDescription: b = 'draggable',
- tabIndex: w = 0,
- } = null != o ? o : {},
- k = (null == s ? void 0 : s.id) === t,
- x = (0, r.useContext)(k ? ve : ye),
- [S, E] = m(),
- [C, _] = m(),
- P = (function (e, t) {
- return (0, r.useMemo)(
- () =>
- e.reduce((e, n) => {
- let { eventName: r, handler: a } = n
- return (
- (e[r] = (e) => {
- a(e, t)
- }),
- e
- )
- }, {}),
- [e, t],
- )
- })(i, t),
- N = h(n)
- d(
- () => (
- p.set(t, { id: t, activatorNode: C, data: N, key: l, node: S }),
- () => {
- const e = p.get(t)
- e && e.key === l && p.delete(t)
- }
- ),
- [p, t],
- )
- return {
- activatorEvent: u,
- active: s,
- activeNodeRect: c,
- attributes: (0, r.useMemo)(
- () => ({
- 'aria-describedby': f.draggable,
- 'aria-disabled': a,
- 'aria-pressed': !(!k || y !== be) || void 0,
- 'aria-roledescription': b,
- role: y,
- tabIndex: w,
- }),
- [a, y, w, k, b, f.draggable],
- ),
- isDragging: k,
- listeners: a ? void 0 : P,
- node: S,
- over: v,
- setActivatorNodeRef: _,
- setNodeRef: E,
- transform: x,
- }
- }
- function xe() {
- return (0, r.useContext)(me)
- }
- const Se = 'Droppable',
- Ee = { timeout: 25 }
- function Ce(e, t, n) {
- const r = e.slice()
- return r.splice(n < 0 ? r.length + n : n, 0, r.splice(t, 1)[0]), r
- }
- function _e(e, t, n) {
- const r = e.slice()
- return (r[t] = e[n]), (r[n] = e[t]), r
- }
- function Pe(e, t) {
- return e.reduce((e, n, r) => {
- const a = t.get(n)
- return a && (e[r] = a), e
- }, Array(e.length))
- }
- function Ne(e) {
- return null !== e && e >= 0
- }
- const Oe = { scaleX: 1, scaleY: 1 },
- Me = (e) => {
- var t
- let { activeIndex: a, activeNodeRect: r, index: l, overIndex: o, rects: n } = e
- const i = null != (t = n[a]) ? t : r
- if (!i) return null
- const u = (function (e, t, n) {
- const r = e[t],
- a = e[t - 1],
- o = e[t + 1]
- if (!r || (!a && !o)) return 0
- if (n < t) return a ? r.left - (a.left + a.width) : o.left - (r.left + r.width)
- return o ? o.left - (r.left + r.width) : r.left - (a.left + a.width)
- })(n, l, a)
- if (l === a) {
- const e = n[o]
- return e
- ? {
- x: a < o ? e.left + e.width - (i.left + i.width) : e.left - i.left,
- y: 0,
- ...Oe,
- }
- : null
- }
- return l > a && l <= o
- ? { x: -i.width - u, y: 0, ...Oe }
- : l < a && l >= o
- ? { x: i.width + u, y: 0, ...Oe }
- : { x: 0, y: 0, ...Oe }
- }
- const Te = (e) => {
- let { activeIndex: n, index: a, overIndex: r, rects: t } = e
- const o = Ce(t, r, n),
- l = t[a],
- i = o[a]
- return i && l
- ? {
- scaleX: i.width / l.width,
- scaleY: i.height / l.height,
- x: i.left - l.left,
- y: i.top - l.top,
- }
- : null
- },
- Le = (e) => {
- let t,
- n,
- { activeIndex: r, index: a, overIndex: l, rects: o } = e
- return (
- a === r && ((t = o[a]), (n = o[l])),
- a === l && ((t = o[a]), (n = o[r])),
- n && t
- ? {
- scaleX: n.width / t.width,
- scaleY: n.height / t.height,
- x: n.left - t.left,
- y: n.top - t.top,
- }
- : null
- )
- },
- Re = { scaleX: 1, scaleY: 1 },
- ze = (e) => {
- var t
- let { activeIndex: n, activeNodeRect: r, index: a, overIndex: l, rects: o } = e
- const i = null != (t = o[n]) ? t : r
- if (!i) return null
- if (a === n) {
- const e = o[l]
- return e
- ? { x: 0, y: n < l ? e.top + e.height - (i.top + i.height) : e.top - i.top, ...Re }
- : null
- }
- const u = (function (e, t, n) {
- const r = e[t],
- a = e[t - 1],
- o = e[t + 1]
- if (!r) return 0
- if (n < t) return a ? r.top - (a.top + a.height) : o ? o.top - (r.top + r.height) : 0
- return o ? o.top - (r.top + r.height) : a ? r.top - (a.top + a.height) : 0
- })(o, a, n)
- return a > n && a <= l
- ? { x: 0, y: -i.height - u, ...Re }
- : a < n && a >= l
- ? { x: 0, y: i.height + u, ...Re }
- : { x: 0, y: 0, ...Re }
- }
- const De = 'Sortable',
- Ie = a().createContext({
- activeIndex: -1,
- containerId: De,
- disableTransforms: !1,
- disabled: { draggable: !1, droppable: !1 },
- items: [],
- overIndex: -1,
- sortedRects: [],
- strategy: Te,
- useDragOverlay: !1,
- })
- function je(e) {
- let { id: n, children: t, disabled: i = !1, items: o, strategy: l = Te } = e
- const {
- active: u,
- dragOverlay: s,
- droppableRects: c,
- measureDroppableContainers: p,
- over: f,
- } = xe(),
- h = g(De, n),
- m = Boolean(null !== s.rect),
- v = (0, r.useMemo)(
- () => o.map((e) => ('object' == typeof e && 'id' in e ? e.id : e)),
- [o],
- ),
- y = null != u,
- b = u ? v.indexOf(u.id) : -1,
- w = f ? v.indexOf(f.id) : -1,
- k = (0, r.useRef)(v),
- x = !(function (e, t) {
- if (e === t) return !0
- if (e.length !== t.length) return !1
- for (let n = 0; n < e.length; n++) if (e[n] !== t[n]) return !1
- return !0
- })(v, k.current),
- S = (-1 !== w && -1 === b) || x,
- E = (function (e) {
- return 'boolean' == typeof e ? { draggable: e, droppable: e } : e
- })(i)
- d(() => {
- x && y && p(v)
- }, [x, v, y, p]),
- (0, r.useEffect)(() => {
- k.current = v
- }, [v])
- const C = (0, r.useMemo)(
- () => ({
- activeIndex: b,
- containerId: h,
- disableTransforms: S,
- disabled: E,
- items: v,
- overIndex: w,
- sortedRects: Pe(v, c),
- strategy: l,
- useDragOverlay: m,
- }),
- [b, h, E.draggable, E.droppable, S, v, w, c, m, l],
- )
- return a().createElement(Ie.Provider, { value: C }, t)
- }
- const Fe = (e) => {
- let { id: t, activeIndex: r, items: n, overIndex: a } = e
- return Ce(n, r, a).indexOf(t)
- },
- Ae = (e) => {
- let {
- containerId: t,
- index: a,
- isSorting: n,
- items: o,
- newIndex: l,
- previousContainerId: u,
- previousItems: i,
- transition: s,
- wasDragging: r,
- } = e
- return !(!s || !r) && (i === o || a !== l) && (!!n || (l !== a && t === u))
- },
- $e = { duration: 200, easing: 'ease' },
- Ue = 'transform',
- Be = S.Transition.toString({ duration: 0, easing: 'linear', property: Ue }),
- We = { roleDescription: 'sortable' }
- function He(e) {
- let {
- id: i,
- animateLayoutChanges: t = Ae,
- attributes: n,
- data: o,
- disabled: a,
- getNewIndex: l = Fe,
- resizeObserverConfig: s,
- strategy: u,
- transition: c = $e,
- } = e
- const {
- activeIndex: v,
- containerId: p,
- disableTransforms: b,
- disabled: y,
- items: f,
- overIndex: x,
- sortedRects: w,
- strategy: _,
- useDragOverlay: C,
- } = (0, r.useContext)(Ie),
- P = (function (e, t) {
- var n, r
- if ('boolean' == typeof e) return { draggable: e, droppable: !1 }
- return {
- draggable: null != (n = null == e ? void 0 : e.draggable) ? n : t.draggable,
- droppable: null != (r = null == e ? void 0 : e.droppable) ? r : t.droppable,
- }
- })(a, y),
- N = f.indexOf(i),
- O = (0, r.useMemo)(
- () => ({ sortable: { containerId: p, index: N, items: f }, ...o }),
- [p, o, N, f],
- ),
- M = (0, r.useMemo)(() => f.slice(f.indexOf(i)), [f, i]),
- {
- isOver: z,
- node: L,
- rect: T,
- setNodeRef: D,
- } = (function (e) {
- let { id: a, data: t, disabled: n = !1, resizeObserverConfig: o } = e
- const l = g(Se),
- {
- active: i,
- dispatch: u,
- measureDroppableContainers: c,
- over: s,
- } = (0, r.useContext)(he),
- f = (0, r.useRef)({ disabled: n }),
- p = (0, r.useRef)(!1),
- v = (0, r.useRef)(null),
- y = (0, r.useRef)(null),
- { disabled: b, timeout: k, updateMeasurementsFor: w } = { ...Ee, ...o },
- x = h(null != w ? w : a),
- S = se({
- callback: (0, r.useCallback)(() => {
- p.current
- ? (null != y.current && clearTimeout(y.current),
- (y.current = setTimeout(() => {
- c(Array.isArray(x.current) ? x.current : [x.current]), (y.current = null)
- }, k)))
- : (p.current = !0)
- }, [k]),
- disabled: b || !i,
- }),
- C = (0, r.useCallback)(
- (e, t) => {
- S && (t && (S.unobserve(t), (p.current = !1)), e && S.observe(e))
- },
- [S],
- ),
- [_, P] = m(C),
- N = h(t)
- return (
- (0, r.useEffect)(() => {
- S && _.current && (S.disconnect(), (p.current = !1), S.observe(_.current))
- }, [_, S]),
- d(
- () => (
- u({
- element: { id: a, data: N, disabled: n, key: l, node: _, rect: v },
- type: E.RegisterDroppable,
- }),
- () => u({ id: a, key: l, type: E.UnregisterDroppable })
- ),
- [a],
- ),
- (0, r.useEffect)(() => {
- n !== f.current.disabled &&
- (u({ id: a, disabled: n, key: l, type: E.SetDroppableDisabled }),
- (f.current.disabled = n))
- }, [a, l, n, u]),
- {
- active: i,
- isOver: (null == s ? void 0 : s.id) === a,
- node: _,
- over: s,
- rect: v,
- setNodeRef: P,
- }
- )
- })({
- id: i,
- data: O,
- disabled: P.droppable,
- resizeObserverConfig: { updateMeasurementsFor: M, ...s },
- }),
- {
- activatorEvent: j,
- active: I,
- activeNodeRect: F,
- attributes: A,
- isDragging: B,
- listeners: U,
- over: W,
- setActivatorNodeRef: H,
- setNodeRef: $,
- transform: V,
- } = ke({ id: i, attributes: { ...We, ...n }, data: O, disabled: P.draggable }),
- Q = (function () {
- for (var e = arguments.length, t = new Array(e), n = 0; n < e; n++)
- t[n] = arguments[n]
- return (0, r.useMemo)(
- () => (e) => {
- t.forEach((t) => t(e))
- },
- t,
- )
- })(D, $),
- K = Boolean(I),
- q = K && !b && Ne(v) && Ne(x),
- Y = !C && B,
- X = Y && q ? V : null,
- G = q
- ? null != X
- ? X
- : (null != u ? u : _)({
- activeIndex: v,
- activeNodeRect: F,
- index: N,
- overIndex: x,
- rects: w,
- })
- : null,
- J = Ne(v) && Ne(x) ? l({ id: i, activeIndex: v, items: f, overIndex: x }) : N,
- Z = null == I ? void 0 : I.id,
- ee = (0, r.useRef)({ activeId: Z, containerId: p, items: f, newIndex: J }),
- te = f !== ee.current.items,
- ne = t({
- id: i,
- active: I,
- containerId: p,
- index: N,
- isDragging: B,
- isSorting: K,
- items: f,
- newIndex: ee.current.newIndex,
- previousContainerId: ee.current.containerId,
- previousItems: ee.current.items,
- transition: c,
- wasDragging: null != ee.current.activeId,
- }),
- re = (function (e) {
- let { disabled: t, index: n, node: a, rect: o } = e
- const [l, i] = (0, r.useState)(null),
- u = (0, r.useRef)(n)
- return (
- d(() => {
- if (!t && n !== u.current && a.current) {
- const e = o.current
- if (e) {
- const t = R(a.current, { ignoreTransform: !0 }),
- n = {
- scaleX: e.width / t.width,
- scaleY: e.height / t.height,
- x: e.left - t.left,
- y: e.top - t.top,
- }
- ;(n.x || n.y) && i(n)
- }
- }
- n !== u.current && (u.current = n)
- }, [t, n, a, o]),
- (0, r.useEffect)(() => {
- l && i(null)
- }, [l]),
- l
- )
- })({ disabled: !ne, index: N, node: L, rect: T })
- return (
- (0, r.useEffect)(() => {
- K && ee.current.newIndex !== J && (ee.current.newIndex = J),
- p !== ee.current.containerId && (ee.current.containerId = p),
- f !== ee.current.items && (ee.current.items = f)
- }, [K, J, p, f]),
- (0, r.useEffect)(() => {
- if (Z === ee.current.activeId) return
- if (Z && !ee.current.activeId) return void (ee.current.activeId = Z)
- const e = setTimeout(() => {
- ee.current.activeId = Z
- }, 50)
- return () => clearTimeout(e)
- }, [Z]),
- {
- active: I,
- activeIndex: v,
- attributes: A,
- data: O,
- index: N,
- isDragging: B,
- isOver: z,
- isSorting: K,
- items: f,
- listeners: U,
- newIndex: J,
- node: L,
- over: W,
- overIndex: x,
- rect: T,
- setActivatorNodeRef: H,
- setDraggableNodeRef: $,
- setDroppableNodeRef: D,
- setNodeRef: Q,
- transform: null != re ? re : G,
- transition: (function () {
- if (re || (te && ee.current.newIndex === N)) return Be
- if ((Y && !k(j)) || !c) return
- if (K || ne) return S.Transition.toString({ ...c, property: Ue })
- return
- })(),
- }
- )
- }
- function Ve(e) {
- if (!e) return !1
- const t = e.data.current
- return !!(
- t &&
- 'sortable' in t &&
- 'object' == typeof t.sortable &&
- 'containerId' in t.sortable &&
- 'items' in t.sortable &&
- 'index' in t.sortable
- )
- }
- const Qe = [V.Down, V.Right, V.Up, V.Left],
- Ke = (e, t) => {
- let {
- context: {
- active: n,
- collisionRect: r,
- droppableContainers: o,
- droppableRects: a,
- over: l,
- scrollableAncestors: i,
- },
- } = t
- if (Qe.includes(e.code)) {
- if ((e.preventDefault(), !n || !r)) return
- const t = []
- o.getEnabled().forEach((n) => {
- if (!n || (null != n && n.disabled)) return
- const o = a.get(n.id)
- if (o)
- switch (e.code) {
- case V.Down:
- r.top < o.top && t.push(n)
- break
- case V.Up:
- r.top > o.top && t.push(n)
- break
- case V.Left:
- r.left > o.left && t.push(n)
- break
- case V.Right:
- r.left < o.left && t.push(n)
- }
- })
- const u = ((e) => {
- let { collisionRect: t, droppableContainers: r, droppableRects: n } = e
- const a = O(t),
- o = []
- for (const e of r) {
- const { id: t } = e,
- r = n.get(t)
- if (r) {
- const n = O(r),
- l = a.reduce((e, t, r) => e + P(n[r], t), 0),
- i = Number((l / 4).toFixed(4))
- o.push({ id: t, data: { droppableContainer: e, value: i } })
- }
- }
- return o.sort(N)
- })({
- active: n,
- collisionRect: r,
- droppableContainers: t,
- droppableRects: a,
- pointerCoordinates: null,
- })
- let s = M(u, 'id')
- if ((s === (null == l ? void 0 : l.id) && u.length > 1 && (s = u[1].id), null != s)) {
- const e = o.get(n.id),
- t = o.get(s),
- l = t ? a.get(t.id) : null,
- u = null == t ? void 0 : t.node.current
- if (u && l && e && t) {
- const n = D(u).some((e, t) => i[t] !== e),
- a = qe(e, t),
- o = (function (e, t) {
- if (!Ve(e) || !Ve(t)) return !1
- if (!qe(e, t)) return !1
- return e.data.current.sortable.index < t.data.current.sortable.index
- })(e, t),
- s =
- n || !a
- ? { x: 0, y: 0 }
- : { x: o ? r.width - l.width : 0, y: o ? r.height - l.height : 0 },
- c = { x: l.left, y: l.top }
- return s.x && s.y ? c : w(c, s)
- }
- }
- }
- }
- function qe(e, t) {
- return (
- !(!Ve(e) || !Ve(t)) &&
- e.data.current.sortable.containerId === t.data.current.sortable.containerId
- )
- }
- },
- 9767: function (e, t, n) {
- 'use strict'
- var r =
- (this && this.__importDefault) ||
- function (e) {
- return e && e.__esModule ? e : { default: e }
- }
- Object.defineProperty(t, '__esModule', { value: !0 })
- var a = n(9497),
- o = r(n(3690))
- t.default = function () {
- return (0, a.useContext)(o.default)
- }
- },
- },
- t = {}
- function n(r) {
- var a = t[r]
- if (void 0 !== a) return a.exports
- var o = (t[r] = { exports: {} })
- return e[r].call(o.exports, o, o.exports, n), o.exports
- }
- ;(n.n = (e) => {
- var t = e && e.__esModule ? () => e.default : () => e
- return n.d(t, { a: t }), t
- }),
- (n.d = (e, t) => {
- for (var r in t)
- n.o(t, r) && !n.o(e, r) && Object.defineProperty(e, r, { enumerable: !0, get: t[r] })
- }),
- (n.g = (function () {
- if ('object' == typeof globalThis) return globalThis
- try {
- return this || new Function('return this')()
- } catch (e) {
- if ('object' == typeof window) return window
- }
- })()),
- (n.o = (e, t) => Object.prototype.hasOwnProperty.call(e, t)),
- (n.r = (e) => {
- 'undefined' != typeof Symbol &&
- Symbol.toStringTag &&
- Object.defineProperty(e, Symbol.toStringTag, { value: 'Module' }),
- Object.defineProperty(e, '__esModule', { value: !0 })
- })
- var r = n(6553)
- module.exports = r
-})()
+(()=>{var e={9509:(e,t,n)=>{"use strict";n.r(t),n.d(t,{SortableContext:()=>je,arrayMove:()=>Ce,arraySwap:()=>_e,defaultAnimateLayoutChanges:()=>Ae,defaultNewIndexGetter:()=>Fe,hasSortableData:()=>Ve,horizontalListSortingStrategy:()=>Me,rectSortingStrategy:()=>Te,rectSwappingStrategy:()=>Le,sortableKeyboardCoordinates:()=>Ke,useSortable:()=>He,verticalListSortingStrategy:()=>ze});var r=n(9497),a=n.n(r);n(3730);const o="undefined"!=typeof window&&void 0!==window.document&&void 0!==window.document.createElement;function l(e){const t=Object.prototype.toString.call(e);return"[object Window]"===t||"[object global]"===t}function i(e){return"nodeType"in e}function u(e){var t,n;return e?l(e)?e:i(e)&&null!=(t=null==(n=e.ownerDocument)?void 0:n.defaultView)?t:window:window}function s(e){const{Document:t}=u(e);return e instanceof t}function c(e){return!l(e)&&e instanceof u(e).HTMLElement}function f(e){return e?l(e)?e.document:i(e)?s(e)?e:c(e)?e.ownerDocument:document:document:document}const d=o?r.useLayoutEffect:r.useEffect;function p(e){const t=(0,r.useRef)(e);return d((()=>{t.current=e})),(0,r.useCallback)((function(){for(var e=arguments.length,n=new Array(e),r=0;r<e;r++)n[r]=arguments[r];return null==t.current?void 0:t.current(...n)}),[])}function h(e,t){void 0===t&&(t=[e]);const n=(0,r.useRef)(e);return d((()=>{n.current!==e&&(n.current=e)}),t),n}function m(e){const t=p(e),n=(0,r.useRef)(null),a=(0,r.useCallback)((e=>{e!==n.current&&(null==t||t(e,n.current)),n.current=e}),[]);return[n,a]}let v={};function g(e,t){return(0,r.useMemo)((()=>{if(t)return t;const n=null==v[e]?0:v[e]+1;return v[e]=n,e+"-"+n}),[e,t])}function y(e){return function(t){for(var n=arguments.length,r=new Array(n>1?n-1:0),a=1;a<n;a++)r[a-1]=arguments[a];return r.reduce(((t,n)=>{const r=Object.entries(n);for(const[n,a]of r){const r=t[n];null!=r&&(t[n]=r+e*a)}return t}),{...t})}}const b=y(1),w=y(-1);function k(e){if(!e)return!1;const{KeyboardEvent:t}=u(e.target);return t&&e instanceof t}function x(e){if(function(e){if(!e)return!1;const{TouchEvent:t}=u(e.target);return t&&e instanceof t}(e)){if(e.touches&&e.touches.length){const{clientX:t,clientY:n}=e.touches[0];return{x:t,y:n}}if(e.changedTouches&&e.changedTouches.length){const{clientX:t,clientY:n}=e.changedTouches[0];return{x:t,y:n}}}return function(e){return"clientX"in e&&"clientY"in e}(e)?{x:e.clientX,y:e.clientY}:null}const S=Object.freeze({Translate:{toString(e){if(!e)return;const{x:t,y:n}=e;return"translate3d("+(t?Math.round(t):0)+"px, "+(n?Math.round(n):0)+"px, 0)"}},Scale:{toString(e){if(!e)return;const{scaleX:t,scaleY:n}=e;return"scaleX("+t+") scaleY("+n+")"}},Transform:{toString(e){if(e)return[S.Translate.toString(e),S.Scale.toString(e)].join(" ")}},Transition:{toString(e){let{property:t,duration:n,easing:r}=e;return t+" "+n+"ms "+r}}});var E;function C(){}!function(e){e.DragStart="dragStart",e.DragMove="dragMove",e.DragEnd="dragEnd",e.DragCancel="dragCancel",e.DragOver="dragOver",e.RegisterDroppable="registerDroppable",e.SetDroppableDisabled="setDroppableDisabled",e.UnregisterDroppable="unregisterDroppable"}(E||(E={}));const _=Object.freeze({x:0,y:0});function P(e,t){return Math.sqrt(Math.pow(e.x-t.x,2)+Math.pow(e.y-t.y,2))}function N(e,t){let{data:{value:n}}=e,{data:{value:r}}=t;return n-r}function O(e){let{left:t,top:n,height:r,width:a}=e;return[{x:t,y:n},{x:t+a,y:n},{x:t,y:n+r},{x:t+a,y:n+r}]}function M(e,t){if(!e||0===e.length)return null;const[n]=e;return t?n[t]:n}function T(e){if(e.startsWith("matrix3d(")){const t=e.slice(9,-1).split(/, /);return{x:+t[12],y:+t[13],scaleX:+t[0],scaleY:+t[5]}}if(e.startsWith("matrix(")){const t=e.slice(7,-1).split(/, /);return{x:+t[4],y:+t[5],scaleX:+t[0],scaleY:+t[3]}}return null}const L={ignoreTransform:!1};function R(e,t){void 0===t&&(t=L);let n=e.getBoundingClientRect();if(t.ignoreTransform){const{transform:t,transformOrigin:r}=u(e).getComputedStyle(e);t&&(n=function(e,t,n){const r=T(t);if(!r)return e;const{scaleX:a,scaleY:o,x:l,y:i}=r,u=e.left-l-(1-a)*parseFloat(n),s=e.top-i-(1-o)*parseFloat(n.slice(n.indexOf(" ")+1)),c=a?e.width/a:e.width,f=o?e.height/o:e.height;return{width:c,height:f,top:s,right:u+c,bottom:s+f,left:u}}(n,t,r))}const{top:r,left:a,width:o,height:l,bottom:i,right:s}=n;return{top:r,left:a,width:o,height:l,bottom:i,right:s}}function z(e){return R(e,{ignoreTransform:!0})}function D(e,t){const n=[];return e?function r(a){if(null!=t&&n.length>=t)return n;if(!a)return n;if(s(a)&&null!=a.scrollingElement&&!n.includes(a.scrollingElement))return n.push(a.scrollingElement),n;if(!c(a)||function(e){return e instanceof u(e).SVGElement}(a))return n;if(n.includes(a))return n;const o=u(e).getComputedStyle(a);return a!==e&&function(e,t){void 0===t&&(t=u(e).getComputedStyle(e));const n=/(auto|scroll|overlay)/;return["overflow","overflowX","overflowY"].some((e=>{const r=t[e];return"string"==typeof r&&n.test(r)}))}(a,o)&&n.push(a),function(e,t){return void 0===t&&(t=u(e).getComputedStyle(e)),"fixed"===t.position}(a,o)?n:r(a.parentNode)}(e):n}function I(e){const[t]=D(e,1);return null!=t?t:null}var j;function F(e){return!(!o||!e)&&e===document.scrollingElement}function A(e){const t={x:0,y:0},n=F(e)?{height:window.innerHeight,width:window.innerWidth}:{height:e.clientHeight,width:e.clientWidth},r={x:e.scrollWidth-n.width,y:e.scrollHeight-n.height};return{isTop:e.scrollTop<=t.y,isLeft:e.scrollLeft<=t.x,isBottom:e.scrollTop>=r.y,isRight:e.scrollLeft>=r.x,maxScroll:r,minScroll:t}}!function(e){e[e.Forward=1]="Forward",e[e.Backward=-1]="Backward"}(j||(j={}));function $(e){if(e===document.scrollingElement){const{innerWidth:e,innerHeight:t}=window;return{top:0,left:0,right:e,bottom:t,width:e,height:t}}const{top:t,left:n,right:r,bottom:a}=e.getBoundingClientRect();return{top:t,left:n,right:r,bottom:a,width:e.clientWidth,height:e.clientHeight}}function U(e,t){if(void 0===t&&(t=R),!e)return;const{top:n,left:r,bottom:a,right:o}=t(e);I(e)&&(a<=0||o<=0||n>=window.innerHeight||r>=window.innerWidth)&&e.scrollIntoView({block:"center",inline:"center"})}class B{constructor(e){this.target=void 0,this.listeners=[],this.removeAll=()=>{this.listeners.forEach((e=>{var t;return null==(t=this.target)?void 0:t.removeEventListener(...e)}))},this.target=e}add(e,t,n){var r;null==(r=this.target)||r.addEventListener(e,t,n),this.listeners.push([e,t,n])}}function W(e,t){const n=Math.abs(e.x),r=Math.abs(e.y);return"number"==typeof t?Math.sqrt(n**2+r**2)>t:"x"in t&&"y"in t?n>t.x&&r>t.y:"x"in t?n>t.x:"y"in t&&r>t.y}var H,V;function Q(e){e.preventDefault()}function K(e){e.stopPropagation()}!function(e){e.Click="click",e.DragStart="dragstart",e.Keydown="keydown",e.ContextMenu="contextmenu",e.Resize="resize",e.SelectionChange="selectionchange",e.VisibilityChange="visibilitychange"}(H||(H={})),function(e){e.Space="Space",e.Down="ArrowDown",e.Right="ArrowRight",e.Left="ArrowLeft",e.Up="ArrowUp",e.Esc="Escape",e.Enter="Enter"}(V||(V={}));const q={start:[V.Space,V.Enter],cancel:[V.Esc],end:[V.Space,V.Enter]},Y=(e,t)=>{let{currentCoordinates:n}=t;switch(e.code){case V.Right:return{...n,x:n.x+25};case V.Left:return{...n,x:n.x-25};case V.Down:return{...n,y:n.y+25};case V.Up:return{...n,y:n.y-25}}};class X{constructor(e){this.props=void 0,this.autoScrollEnabled=!1,this.referenceCoordinates=void 0,this.listeners=void 0,this.windowListeners=void 0,this.props=e;const{event:{target:t}}=e;this.props=e,this.listeners=new B(f(t)),this.windowListeners=new B(u(t)),this.handleKeyDown=this.handleKeyDown.bind(this),this.handleCancel=this.handleCancel.bind(this),this.attach()}attach(){this.handleStart(),this.windowListeners.add(H.Resize,this.handleCancel),this.windowListeners.add(H.VisibilityChange,this.handleCancel),setTimeout((()=>this.listeners.add(H.Keydown,this.handleKeyDown)))}handleStart(){const{activeNode:e,onStart:t}=this.props,n=e.node.current;n&&U(n),t(_)}handleKeyDown(e){if(k(e)){const{active:t,context:n,options:r}=this.props,{keyboardCodes:a=q,coordinateGetter:o=Y,scrollBehavior:l="smooth"}=r,{code:i}=e;if(a.end.includes(i))return void this.handleEnd(e);if(a.cancel.includes(i))return void this.handleCancel(e);const{collisionRect:u}=n.current,s=u?{x:u.left,y:u.top}:_;this.referenceCoordinates||(this.referenceCoordinates=s);const c=o(e,{active:t,context:n.current,currentCoordinates:s});if(c){const t=w(c,s),r={x:0,y:0},{scrollableAncestors:a}=n.current;for(const n of a){const a=e.code,{isTop:o,isRight:i,isLeft:u,isBottom:s,maxScroll:f,minScroll:d}=A(n),p=$(n),h={x:Math.min(a===V.Right?p.right-p.width/2:p.right,Math.max(a===V.Right?p.left:p.left+p.width/2,c.x)),y:Math.min(a===V.Down?p.bottom-p.height/2:p.bottom,Math.max(a===V.Down?p.top:p.top+p.height/2,c.y))},m=a===V.Right&&!i||a===V.Left&&!u,v=a===V.Down&&!s||a===V.Up&&!o;if(m&&h.x!==c.x){const e=n.scrollLeft+t.x,o=a===V.Right&&e<=f.x||a===V.Left&&e>=d.x;if(o&&!t.y)return void n.scrollTo({left:e,behavior:l});r.x=o?n.scrollLeft-e:a===V.Right?n.scrollLeft-f.x:n.scrollLeft-d.x,r.x&&n.scrollBy({left:-r.x,behavior:l});break}if(v&&h.y!==c.y){const e=n.scrollTop+t.y,o=a===V.Down&&e<=f.y||a===V.Up&&e>=d.y;if(o&&!t.x)return void n.scrollTo({top:e,behavior:l});r.y=o?n.scrollTop-e:a===V.Down?n.scrollTop-f.y:n.scrollTop-d.y,r.y&&n.scrollBy({top:-r.y,behavior:l});break}}this.handleMove(e,b(w(c,this.referenceCoordinates),r))}}}handleMove(e,t){const{onMove:n}=this.props;e.preventDefault(),n(t)}handleEnd(e){const{onEnd:t}=this.props;e.preventDefault(),this.detach(),t()}handleCancel(e){const{onCancel:t}=this.props;e.preventDefault(),this.detach(),t()}detach(){this.listeners.removeAll(),this.windowListeners.removeAll()}}function G(e){return Boolean(e&&"distance"in e)}function J(e){return Boolean(e&&"delay"in e)}X.activators=[{eventName:"onKeyDown",handler:(e,t,n)=>{let{keyboardCodes:r=q,onActivation:a}=t,{active:o}=n;const{code:l}=e.nativeEvent;if(r.start.includes(l)){const t=o.activatorNode.current;return(!t||e.target===t)&&(e.preventDefault(),null==a||a({event:e.nativeEvent}),!0)}return!1}}];class Z{constructor(e,t,n){var r;void 0===n&&(n=function(e){const{EventTarget:t}=u(e);return e instanceof t?e:f(e)}(e.event.target)),this.props=void 0,this.events=void 0,this.autoScrollEnabled=!0,this.document=void 0,this.activated=!1,this.initialCoordinates=void 0,this.timeoutId=null,this.listeners=void 0,this.documentListeners=void 0,this.windowListeners=void 0,this.props=e,this.events=t;const{event:a}=e,{target:o}=a;this.props=e,this.events=t,this.document=f(o),this.documentListeners=new B(this.document),this.listeners=new B(n),this.windowListeners=new B(u(o)),this.initialCoordinates=null!=(r=x(a))?r:_,this.handleStart=this.handleStart.bind(this),this.handleMove=this.handleMove.bind(this),this.handleEnd=this.handleEnd.bind(this),this.handleCancel=this.handleCancel.bind(this),this.handleKeydown=this.handleKeydown.bind(this),this.removeTextSelection=this.removeTextSelection.bind(this),this.attach()}attach(){const{events:e,props:{options:{activationConstraint:t}}}=this;if(this.listeners.add(e.move.name,this.handleMove,{passive:!1}),this.listeners.add(e.end.name,this.handleEnd),this.windowListeners.add(H.Resize,this.handleCancel),this.windowListeners.add(H.DragStart,Q),this.windowListeners.add(H.VisibilityChange,this.handleCancel),this.windowListeners.add(H.ContextMenu,Q),this.documentListeners.add(H.Keydown,this.handleKeydown),t){if(G(t))return;if(J(t))return void(this.timeoutId=setTimeout(this.handleStart,t.delay))}this.handleStart()}detach(){this.listeners.removeAll(),this.windowListeners.removeAll(),setTimeout(this.documentListeners.removeAll,50),null!==this.timeoutId&&(clearTimeout(this.timeoutId),this.timeoutId=null)}handleStart(){const{initialCoordinates:e}=this,{onStart:t}=this.props;e&&(this.activated=!0,this.documentListeners.add(H.Click,K,{capture:!0}),this.removeTextSelection(),this.documentListeners.add(H.SelectionChange,this.removeTextSelection),t(e))}handleMove(e){var t;const{activated:n,initialCoordinates:r,props:a}=this,{onMove:o,options:{activationConstraint:l}}=a;if(!r)return;const i=null!=(t=x(e))?t:_,u=w(r,i);if(!n&&l){if(J(l))return W(u,l.tolerance)?this.handleCancel():void 0;if(G(l))return null!=l.tolerance&&W(u,l.tolerance)?this.handleCancel():W(u,l.distance)?this.handleStart():void 0}e.cancelable&&e.preventDefault(),o(i)}handleEnd(){const{onEnd:e}=this.props;this.detach(),e()}handleCancel(){const{onCancel:e}=this.props;this.detach(),e()}handleKeydown(e){e.code===V.Esc&&this.handleCancel()}removeTextSelection(){var e;null==(e=this.document.getSelection())||e.removeAllRanges()}}const ee={move:{name:"pointermove"},end:{name:"pointerup"}};class te extends Z{constructor(e){const{event:t}=e,n=f(t.target);super(e,ee,n)}}te.activators=[{eventName:"onPointerDown",handler:(e,t)=>{let{nativeEvent:n}=e,{onActivation:r}=t;return!(!n.isPrimary||0!==n.button)&&(null==r||r({event:n}),!0)}}];const ne={move:{name:"mousemove"},end:{name:"mouseup"}};var re;!function(e){e[e.RightClick=2]="RightClick"}(re||(re={}));(class extends Z{constructor(e){super(e,ne,f(e.event.target))}}).activators=[{eventName:"onMouseDown",handler:(e,t)=>{let{nativeEvent:n}=e,{onActivation:r}=t;return n.button!==re.RightClick&&(null==r||r({event:n}),!0)}}];const ae={move:{name:"touchmove"},end:{name:"touchend"}};var oe,le;(class extends Z{constructor(e){super(e,ae)}static setup(){return window.addEventListener(ae.move.name,e,{capture:!1,passive:!1}),function(){window.removeEventListener(ae.move.name,e)};function e(){}}}).activators=[{eventName:"onTouchStart",handler:(e,t)=>{let{nativeEvent:n}=e,{onActivation:r}=t;const{touches:a}=n;return!(a.length>1)&&(null==r||r({event:n}),!0)}}],function(e){e[e.Pointer=0]="Pointer",e[e.DraggableRect=1]="DraggableRect"}(oe||(oe={})),function(e){e[e.TreeOrder=0]="TreeOrder",e[e.ReversedTreeOrder=1]="ReversedTreeOrder"}(le||(le={}));j.Backward,j.Forward,j.Backward,j.Forward;var ie,ue;!function(e){e[e.Always=0]="Always",e[e.BeforeDragging=1]="BeforeDragging",e[e.WhileDragging=2]="WhileDragging"}(ie||(ie={})),function(e){e.Optimized="optimized"}(ue||(ue={}));function se(e){let{callback:t,disabled:n}=e;const a=p(t),o=(0,r.useMemo)((()=>{if(n||"undefined"==typeof window||void 0===window.ResizeObserver)return;const{ResizeObserver:e}=window;return new e(a)}),[n]);return(0,r.useEffect)((()=>()=>null==o?void 0:o.disconnect()),[o]),o}const ce={draggable:{measure:z},droppable:{measure:z,strategy:ie.WhileDragging,frequency:ue.Optimized},dragOverlay:{measure:R}};class fe extends Map{get(e){var t;return null!=e&&null!=(t=super.get(e))?t:void 0}toArray(){return Array.from(this.values())}getEnabled(){return this.toArray().filter((e=>{let{disabled:t}=e;return!t}))}getNodeFor(e){var t,n;return null!=(t=null==(n=this.get(e))?void 0:n.node.current)?t:void 0}}const de={activatorEvent:null,active:null,activeNode:null,activeNodeRect:null,collisions:null,containerNodeRect:null,draggableNodes:new Map,droppableRects:new Map,droppableContainers:new fe,over:null,dragOverlay:{nodeRef:{current:null},rect:null,setRef:C},scrollableAncestors:[],scrollableAncestorRects:[],measuringConfiguration:ce,measureDroppableContainers:C,windowRect:null,measuringScheduled:!1},pe={activatorEvent:null,activators:[],active:null,activeNodeRect:null,ariaDescribedById:{draggable:""},dispatch:C,draggableNodes:new Map,over:null,measureDroppableContainers:C},he=(0,r.createContext)(pe),me=(0,r.createContext)(de);const ve=(0,r.createContext)({..._,scaleX:1,scaleY:1});var ge;!function(e){e[e.Uninitialized=0]="Uninitialized",e[e.Initializing=1]="Initializing",e[e.Initialized=2]="Initialized"}(ge||(ge={}));const ye=(0,r.createContext)(null),be="button",we="Droppable";function ke(e){let{id:t,data:n,disabled:a=!1,attributes:o}=e;const l=g(we),{activators:i,activatorEvent:u,active:s,activeNodeRect:c,ariaDescribedById:f,draggableNodes:p,over:v}=(0,r.useContext)(he),{role:y=be,roleDescription:b="draggable",tabIndex:w=0}=null!=o?o:{},k=(null==s?void 0:s.id)===t,x=(0,r.useContext)(k?ve:ye),[S,E]=m(),[C,_]=m(),P=function(e,t){return(0,r.useMemo)((()=>e.reduce(((e,n)=>{let{eventName:r,handler:a}=n;return e[r]=e=>{a(e,t)},e}),{})),[e,t])}(i,t),N=h(n);d((()=>(p.set(t,{id:t,key:l,node:S,activatorNode:C,data:N}),()=>{const e=p.get(t);e&&e.key===l&&p.delete(t)})),[p,t]);return{active:s,activatorEvent:u,activeNodeRect:c,attributes:(0,r.useMemo)((()=>({role:y,tabIndex:w,"aria-disabled":a,"aria-pressed":!(!k||y!==be)||void 0,"aria-roledescription":b,"aria-describedby":f.draggable})),[a,y,w,k,b,f.draggable]),isDragging:k,listeners:a?void 0:P,node:S,over:v,setNodeRef:E,setActivatorNodeRef:_,transform:x}}function xe(){return(0,r.useContext)(me)}const Se="Droppable",Ee={timeout:25};function Ce(e,t,n){const r=e.slice();return r.splice(n<0?r.length+n:n,0,r.splice(t,1)[0]),r}function _e(e,t,n){const r=e.slice();return r[t]=e[n],r[n]=e[t],r}function Pe(e,t){return e.reduce(((e,n,r)=>{const a=t.get(n);return a&&(e[r]=a),e}),Array(e.length))}function Ne(e){return null!==e&&e>=0}const Oe={scaleX:1,scaleY:1},Me=e=>{var t;let{rects:n,activeNodeRect:r,activeIndex:a,overIndex:o,index:l}=e;const i=null!=(t=n[a])?t:r;if(!i)return null;const u=function(e,t,n){const r=e[t],a=e[t-1],o=e[t+1];if(!r||!a&&!o)return 0;if(n<t)return a?r.left-(a.left+a.width):o.left-(r.left+r.width);return o?o.left-(r.left+r.width):r.left-(a.left+a.width)}(n,l,a);if(l===a){const e=n[o];return e?{x:a<o?e.left+e.width-(i.left+i.width):e.left-i.left,y:0,...Oe}:null}return l>a&&l<=o?{x:-i.width-u,y:0,...Oe}:l<a&&l>=o?{x:i.width+u,y:0,...Oe}:{x:0,y:0,...Oe}};const Te=e=>{let{rects:t,activeIndex:n,overIndex:r,index:a}=e;const o=Ce(t,r,n),l=t[a],i=o[a];return i&&l?{x:i.left-l.left,y:i.top-l.top,scaleX:i.width/l.width,scaleY:i.height/l.height}:null},Le=e=>{let t,n,{activeIndex:r,index:a,rects:o,overIndex:l}=e;return a===r&&(t=o[a],n=o[l]),a===l&&(t=o[a],n=o[r]),n&&t?{x:n.left-t.left,y:n.top-t.top,scaleX:n.width/t.width,scaleY:n.height/t.height}:null},Re={scaleX:1,scaleY:1},ze=e=>{var t;let{activeIndex:n,activeNodeRect:r,index:a,rects:o,overIndex:l}=e;const i=null!=(t=o[n])?t:r;if(!i)return null;if(a===n){const e=o[l];return e?{x:0,y:n<l?e.top+e.height-(i.top+i.height):e.top-i.top,...Re}:null}const u=function(e,t,n){const r=e[t],a=e[t-1],o=e[t+1];if(!r)return 0;if(n<t)return a?r.top-(a.top+a.height):o?o.top-(r.top+r.height):0;return o?o.top-(r.top+r.height):a?r.top-(a.top+a.height):0}(o,a,n);return a>n&&a<=l?{x:0,y:-i.height-u,...Re}:a<n&&a>=l?{x:0,y:i.height+u,...Re}:{x:0,y:0,...Re}};const De="Sortable",Ie=a().createContext({activeIndex:-1,containerId:De,disableTransforms:!1,items:[],overIndex:-1,useDragOverlay:!1,sortedRects:[],strategy:Te,disabled:{draggable:!1,droppable:!1}});function je(e){let{children:t,id:n,items:o,strategy:l=Te,disabled:i=!1}=e;const{active:u,dragOverlay:s,droppableRects:c,over:f,measureDroppableContainers:p}=xe(),h=g(De,n),m=Boolean(null!==s.rect),v=(0,r.useMemo)((()=>o.map((e=>"object"==typeof e&&"id"in e?e.id:e))),[o]),y=null!=u,b=u?v.indexOf(u.id):-1,w=f?v.indexOf(f.id):-1,k=(0,r.useRef)(v),x=!function(e,t){if(e===t)return!0;if(e.length!==t.length)return!1;for(let n=0;n<e.length;n++)if(e[n]!==t[n])return!1;return!0}(v,k.current),S=-1!==w&&-1===b||x,E=function(e){return"boolean"==typeof e?{draggable:e,droppable:e}:e}(i);d((()=>{x&&y&&p(v)}),[x,v,y,p]),(0,r.useEffect)((()=>{k.current=v}),[v]);const C=(0,r.useMemo)((()=>({activeIndex:b,containerId:h,disabled:E,disableTransforms:S,items:v,overIndex:w,useDragOverlay:m,sortedRects:Pe(v,c),strategy:l})),[b,h,E.draggable,E.droppable,S,v,w,c,m,l]);return a().createElement(Ie.Provider,{value:C},t)}const Fe=e=>{let{id:t,items:n,activeIndex:r,overIndex:a}=e;return Ce(n,r,a).indexOf(t)},Ae=e=>{let{containerId:t,isSorting:n,wasDragging:r,index:a,items:o,newIndex:l,previousItems:i,previousContainerId:u,transition:s}=e;return!(!s||!r)&&((i===o||a!==l)&&(!!n||l!==a&&t===u))},$e={duration:200,easing:"ease"},Ue="transform",Be=S.Transition.toString({property:Ue,duration:0,easing:"linear"}),We={roleDescription:"sortable"};function He(e){let{animateLayoutChanges:t=Ae,attributes:n,disabled:a,data:o,getNewIndex:l=Fe,id:i,strategy:u,resizeObserverConfig:s,transition:c=$e}=e;const{items:f,containerId:p,activeIndex:v,disabled:y,disableTransforms:b,sortedRects:w,overIndex:x,useDragOverlay:C,strategy:_}=(0,r.useContext)(Ie),P=function(e,t){var n,r;if("boolean"==typeof e)return{draggable:e,droppable:!1};return{draggable:null!=(n=null==e?void 0:e.draggable)?n:t.draggable,droppable:null!=(r=null==e?void 0:e.droppable)?r:t.droppable}}(a,y),N=f.indexOf(i),O=(0,r.useMemo)((()=>({sortable:{containerId:p,index:N,items:f},...o})),[p,o,N,f]),M=(0,r.useMemo)((()=>f.slice(f.indexOf(i))),[f,i]),{rect:T,node:L,isOver:z,setNodeRef:D}=function(e){let{data:t,disabled:n=!1,id:a,resizeObserverConfig:o}=e;const l=g(Se),{active:i,dispatch:u,over:s,measureDroppableContainers:c}=(0,r.useContext)(he),f=(0,r.useRef)({disabled:n}),p=(0,r.useRef)(!1),v=(0,r.useRef)(null),y=(0,r.useRef)(null),{disabled:b,updateMeasurementsFor:w,timeout:k}={...Ee,...o},x=h(null!=w?w:a),S=se({callback:(0,r.useCallback)((()=>{p.current?(null!=y.current&&clearTimeout(y.current),y.current=setTimeout((()=>{c(Array.isArray(x.current)?x.current:[x.current]),y.current=null}),k)):p.current=!0}),[k]),disabled:b||!i}),C=(0,r.useCallback)(((e,t)=>{S&&(t&&(S.unobserve(t),p.current=!1),e&&S.observe(e))}),[S]),[_,P]=m(C),N=h(t);return(0,r.useEffect)((()=>{S&&_.current&&(S.disconnect(),p.current=!1,S.observe(_.current))}),[_,S]),d((()=>(u({type:E.RegisterDroppable,element:{id:a,key:l,disabled:n,node:_,rect:v,data:N}}),()=>u({type:E.UnregisterDroppable,key:l,id:a}))),[a]),(0,r.useEffect)((()=>{n!==f.current.disabled&&(u({type:E.SetDroppableDisabled,id:a,key:l,disabled:n}),f.current.disabled=n)}),[a,l,n,u]),{active:i,rect:v,isOver:(null==s?void 0:s.id)===a,node:_,over:s,setNodeRef:P}}({id:i,data:O,disabled:P.droppable,resizeObserverConfig:{updateMeasurementsFor:M,...s}}),{active:I,activatorEvent:j,activeNodeRect:F,attributes:A,setNodeRef:$,listeners:U,isDragging:B,over:W,setActivatorNodeRef:H,transform:V}=ke({id:i,data:O,attributes:{...We,...n},disabled:P.draggable}),Q=function(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return(0,r.useMemo)((()=>e=>{t.forEach((t=>t(e)))}),t)}(D,$),K=Boolean(I),q=K&&!b&&Ne(v)&&Ne(x),Y=!C&&B,X=Y&&q?V:null,G=q?null!=X?X:(null!=u?u:_)({rects:w,activeNodeRect:F,activeIndex:v,overIndex:x,index:N}):null,J=Ne(v)&&Ne(x)?l({id:i,items:f,activeIndex:v,overIndex:x}):N,Z=null==I?void 0:I.id,ee=(0,r.useRef)({activeId:Z,items:f,newIndex:J,containerId:p}),te=f!==ee.current.items,ne=t({active:I,containerId:p,isDragging:B,isSorting:K,id:i,index:N,items:f,newIndex:ee.current.newIndex,previousItems:ee.current.items,previousContainerId:ee.current.containerId,transition:c,wasDragging:null!=ee.current.activeId}),re=function(e){let{disabled:t,index:n,node:a,rect:o}=e;const[l,i]=(0,r.useState)(null),u=(0,r.useRef)(n);return d((()=>{if(!t&&n!==u.current&&a.current){const e=o.current;if(e){const t=R(a.current,{ignoreTransform:!0}),n={x:e.left-t.left,y:e.top-t.top,scaleX:e.width/t.width,scaleY:e.height/t.height};(n.x||n.y)&&i(n)}}n!==u.current&&(u.current=n)}),[t,n,a,o]),(0,r.useEffect)((()=>{l&&i(null)}),[l]),l}({disabled:!ne,index:N,node:L,rect:T});return(0,r.useEffect)((()=>{K&&ee.current.newIndex!==J&&(ee.current.newIndex=J),p!==ee.current.containerId&&(ee.current.containerId=p),f!==ee.current.items&&(ee.current.items=f)}),[K,J,p,f]),(0,r.useEffect)((()=>{if(Z===ee.current.activeId)return;if(Z&&!ee.current.activeId)return void(ee.current.activeId=Z);const e=setTimeout((()=>{ee.current.activeId=Z}),50);return()=>clearTimeout(e)}),[Z]),{active:I,activeIndex:v,attributes:A,data:O,rect:T,index:N,newIndex:J,items:f,isOver:z,isSorting:K,isDragging:B,listeners:U,node:L,overIndex:x,over:W,setNodeRef:Q,setActivatorNodeRef:H,setDroppableNodeRef:D,setDraggableNodeRef:$,transform:null!=re?re:G,transition:function(){if(re||te&&ee.current.newIndex===N)return Be;if(Y&&!k(j)||!c)return;if(K||ne)return S.Transition.toString({...c,property:Ue});return}()}}function Ve(e){if(!e)return!1;const t=e.data.current;return!!(t&&"sortable"in t&&"object"==typeof t.sortable&&"containerId"in t.sortable&&"items"in t.sortable&&"index"in t.sortable)}const Qe=[V.Down,V.Right,V.Up,V.Left],Ke=(e,t)=>{let{context:{active:n,collisionRect:r,droppableRects:a,droppableContainers:o,over:l,scrollableAncestors:i}}=t;if(Qe.includes(e.code)){if(e.preventDefault(),!n||!r)return;const t=[];o.getEnabled().forEach((n=>{if(!n||null!=n&&n.disabled)return;const o=a.get(n.id);if(o)switch(e.code){case V.Down:r.top<o.top&&t.push(n);break;case V.Up:r.top>o.top&&t.push(n);break;case V.Left:r.left>o.left&&t.push(n);break;case V.Right:r.left<o.left&&t.push(n)}}));const u=(e=>{let{collisionRect:t,droppableRects:n,droppableContainers:r}=e;const a=O(t),o=[];for(const e of r){const{id:t}=e,r=n.get(t);if(r){const n=O(r),l=a.reduce(((e,t,r)=>e+P(n[r],t)),0),i=Number((l/4).toFixed(4));o.push({id:t,data:{droppableContainer:e,value:i}})}}return o.sort(N)})({active:n,collisionRect:r,droppableRects:a,droppableContainers:t,pointerCoordinates:null});let s=M(u,"id");if(s===(null==l?void 0:l.id)&&u.length>1&&(s=u[1].id),null!=s){const e=o.get(n.id),t=o.get(s),l=t?a.get(t.id):null,u=null==t?void 0:t.node.current;if(u&&l&&e&&t){const n=D(u).some(((e,t)=>i[t]!==e)),a=qe(e,t),o=function(e,t){if(!Ve(e)||!Ve(t))return!1;if(!qe(e,t))return!1;return e.data.current.sortable.index<t.data.current.sortable.index}(e,t),s=n||!a?{x:0,y:0}:{x:o?r.width-l.width:0,y:o?r.height-l.height:0},c={x:l.left,y:l.top};return s.x&&s.y?c:w(c,s)}}}};function qe(e,t){return!(!Ve(e)||!Ve(t))&&e.data.current.sortable.containerId===t.data.current.sortable.containerId}},362:function(e,t,n){"use strict";var r=this&&this.__createBinding||(Object.create?function(e,t,n,r){void 0===r&&(r=n);var a=Object.getOwnPropertyDescriptor(t,n);a&&!("get"in a?!t.__esModule:a.writable||a.configurable)||(a={enumerable:!0,get:function(){return t[n]}}),Object.defineProperty(e,r,a)}:function(e,t,n,r){void 0===r&&(r=n),e[r]=t[n]}),a=this&&this.__setModuleDefault||(Object.create?function(e,t){Object.defineProperty(e,"default",{enumerable:!0,value:t})}:function(e,t){e.default=t}),o=this&&this.__importStar||function(e){if(e&&e.__esModule)return e;var t={};if(null!=e)for(var n in e)"default"!==n&&Object.prototype.hasOwnProperty.call(e,n)&&r(t,e,n);return a(t,e),t},l=this&&this.__importDefault||function(e){return e&&e.__esModule?e:{default:e}};Object.defineProperty(t,"__esModule",{value:!0});var i=o(n(9497)),u=l(n(9767));t.default=function(e){var t=e.children,n=(0,u.default)();return t?"function"==typeof t?i.default.createElement(i.Fragment,null,t(n)):i.default.createElement(i.Fragment,null,t):null}},3690:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=(0,n(9497).createContext)({});t.default=r},2767:function(e,t,n){"use strict";var r=this&&this.__assign||function(){return r=Object.assign||function(e){for(var t,n=1,r=arguments.length;n<r;n++)for(var a in t=arguments[n])Object.prototype.hasOwnProperty.call(t,a)&&(e[a]=t[a]);return e},r.apply(this,arguments)},a=this&&this.__createBinding||(Object.create?function(e,t,n,r){void 0===r&&(r=n);var a=Object.getOwnPropertyDescriptor(t,n);a&&!("get"in a?!t.__esModule:a.writable||a.configurable)||(a={enumerable:!0,get:function(){return t[n]}}),Object.defineProperty(e,r,a)}:function(e,t,n,r){void 0===r&&(r=n),e[r]=t[n]}),o=this&&this.__setModuleDefault||(Object.create?function(e,t){Object.defineProperty(e,"default",{enumerable:!0,value:t})}:function(e,t){e.default=t}),l=this&&this.__importStar||function(e){if(e&&e.__esModule)return e;var t={};if(null!=e)for(var n in e)"default"!==n&&Object.prototype.hasOwnProperty.call(e,n)&&a(t,e,n);return o(t,e),t},i=this&&this.__importDefault||function(e){return e&&e.__esModule?e:{default:e}};Object.defineProperty(t,"__esModule",{value:!0});var u=l(n(9497)),s=i(n(3690)),c=function(e,t){var n=t.payload,a=n.breakpoints;n.animationRef.current=null;var o=e.eventsFired,l=document.documentElement,i=l.style,u=l.clientWidth,s=l.clientHeight,c=window.innerWidth,f=window.innerHeight,d="".concat(u/100,"px"),p="".concat(s/100,"px"),h=a?Object.keys(a).reduce((function(e,t){var n;return r(r({},e),((n={})[t]=window.matchMedia(a[t]).matches,n))}),{}):{},m={width:c,height:f,"--vw":d,"--vh":p,breakpoints:h,eventsFired:o+1};return i.setProperty("--vw",d),i.setProperty("--vh",p),m};t.default=function(e){var t=e.breakpoints,n=e.children,a=(0,u.useRef)(null),o=(0,u.useReducer)(c,{width:void 0,height:void 0,"--vw":"","--vh":"",breakpoints:{},eventsFired:0}),l=o[0],i=o[1],f=(0,u.useCallback)((function(){a.current&&cancelAnimationFrame(a.current),a.current=requestAnimationFrame((function(){return i({type:"UPDATE",payload:{breakpoints:t,animationRef:a}})}))}),[t]),d=(0,u.useCallback)((function(){setTimeout((function(){f()}),500)}),[f]);return(0,u.useEffect)((function(){return window.addEventListener("resize",f),window.addEventListener("orientationchange",d),function(){window.removeEventListener("resize",f),window.removeEventListener("orientationchange",d)}}),[f,d]),(0,u.useEffect)((function(){0===l.eventsFired&&i({type:"UPDATE",payload:{breakpoints:t,animationRef:a}})}),[t,l]),u.default.createElement(s.default.Provider,{value:r({},l)},n&&n)}},9130:function(e,t,n){"use strict";var r=this&&this.__importDefault||function(e){return e&&e.__esModule?e:{default:e}};Object.defineProperty(t,"__esModule",{value:!0}),t.withWindowInfo=t.WindowInfoProvider=t.WindowInfoContext=t.WindowInfo=t.useWindowInfo=void 0;var a=n(9767);Object.defineProperty(t,"useWindowInfo",{enumerable:!0,get:function(){return r(a).default}});var o=n(362);Object.defineProperty(t,"WindowInfo",{enumerable:!0,get:function(){return r(o).default}});var l=n(3690);Object.defineProperty(t,"WindowInfoContext",{enumerable:!0,get:function(){return r(l).default}});var i=n(2767);Object.defineProperty(t,"WindowInfoProvider",{enumerable:!0,get:function(){return r(i).default}});var u=n(1740);Object.defineProperty(t,"withWindowInfo",{enumerable:!0,get:function(){return r(u).default}})},9767:function(e,t,n){"use strict";var r=this&&this.__importDefault||function(e){return e&&e.__esModule?e:{default:e}};Object.defineProperty(t,"__esModule",{value:!0});var a=n(9497),o=r(n(3690));t.default=function(){return(0,a.useContext)(o.default)}},1740:function(e,t,n){"use strict";var r=this&&this.__assign||function(){return r=Object.assign||function(e){for(var t,n=1,r=arguments.length;n<r;n++)for(var a in t=arguments[n])Object.prototype.hasOwnProperty.call(t,a)&&(e[a]=t[a]);return e},r.apply(this,arguments)},a=this&&this.__importDefault||function(e){return e&&e.__esModule?e:{default:e}};Object.defineProperty(t,"__esModule",{value:!0});var o=a(n(9497)),l=a(n(9767));t.default=function(e){return function(t){var n=(0,l.default)();return o.default.createElement(e,r({},r(r({},t),{windowInfo:n})))}}},63:(e,t,n)=>{"use strict";var r=n(9415),a={childContextTypes:!0,contextType:!0,contextTypes:!0,defaultProps:!0,displayName:!0,getDefaultProps:!0,getDerivedStateFromError:!0,getDerivedStateFromProps:!0,mixins:!0,propTypes:!0,type:!0},o={name:!0,length:!0,prototype:!0,caller:!0,callee:!0,arguments:!0,arity:!0},l={$$typeof:!0,compare:!0,defaultProps:!0,displayName:!0,propTypes:!0,type:!0},i={};function u(e){return r.isMemo(e)?l:i[e.$$typeof]||a}i[r.ForwardRef]={$$typeof:!0,render:!0,defaultProps:!0,displayName:!0,propTypes:!0},i[r.Memo]=l;var s=Object.defineProperty,c=Object.getOwnPropertyNames,f=Object.getOwnPropertySymbols,d=Object.getOwnPropertyDescriptor,p=Object.getPrototypeOf,h=Object.prototype;e.exports=function e(t,n,r){if("string"!=typeof n){if(h){var a=p(n);a&&a!==h&&e(t,a,r)}var l=c(n);f&&(l=l.concat(f(n)));for(var i=u(t),m=u(n),v=0;v<l.length;++v){var g=l[v];if(!(o[g]||r&&r[g]||m&&m[g]||i&&i[g])){var y=d(n,g);try{s(t,g,y)}catch(e){}}}}return t}},8967:e=>{e.exports=Array.isArray||function(e){return"[object Array]"==Object.prototype.toString.call(e)}},7366:(e,t,n)=>{"use strict";n.r(t)},1117:(e,t,n)=>{"use strict";n.r(t)},9279:(e,t,n)=>{"use strict";n.r(t)},4717:(e,t,n)=>{"use strict";n.r(t)},4393:(e,t,n)=>{"use strict";n.r(t)},754:(e,t,n)=>{"use strict";n.r(t)},5809:(e,t,n)=>{"use strict";n.r(t)},2862:(e,t,n)=>{"use strict";n.r(t)},5734:(e,t,n)=>{"use strict";n.r(t)},4574:(e,t,n)=>{"use strict";n.r(t)},3369:(e,t,n)=>{"use strict";n.r(t)},3617:(e,t,n)=>{"use strict";n.r(t)},3174:(e,t,n)=>{"use strict";n.r(t)},254:(e,t,n)=>{"use strict";n.r(t)},7345:(e,t,n)=>{"use strict";n.r(t)},2367:(e,t,n)=>{"use strict";n.r(t)},5415:(e,t,n)=>{var r=n(8967);e.exports=p,e.exports.parse=o,e.exports.compile=function(e,t){return i(o(e,t),t)},e.exports.tokensToFunction=i,e.exports.tokensToRegExp=d;var a=new RegExp(["(\\\\.)","([\\/.])?(?:(?:\\:(\\w+)(?:\\(((?:\\\\.|[^\\\\()])+)\\))?|\\(((?:\\\\.|[^\\\\()])+)\\))([+*?])?|(\\*))"].join("|"),"g");function o(e,t){for(var n,r=[],o=0,l=0,i="",c=t&&t.delimiter||"/";null!=(n=a.exec(e));){var f=n[0],d=n[1],p=n.index;if(i+=e.slice(l,p),l=p+f.length,d)i+=d[1];else{var h=e[l],m=n[2],v=n[3],g=n[4],y=n[5],b=n[6],w=n[7];i&&(r.push(i),i="");var k=null!=m&&null!=h&&h!==m,x="+"===b||"*"===b,S="?"===b||"*"===b,E=n[2]||c,C=g||y;r.push({name:v||o++,prefix:m||"",delimiter:E,optional:S,repeat:x,partial:k,asterisk:!!w,pattern:C?s(C):w?".*":"[^"+u(E)+"]+?"})}}return l<e.length&&(i+=e.substr(l)),i&&r.push(i),r}function l(e){return encodeURI(e).replace(/[\/?#]/g,(function(e){return"%"+e.charCodeAt(0).toString(16).toUpperCase()}))}function i(e,t){for(var n=new Array(e.length),a=0;a<e.length;a++)"object"==typeof e[a]&&(n[a]=new RegExp("^(?:"+e[a].pattern+")$",f(t)));return function(t,a){for(var o="",i=t||{},u=(a||{}).pretty?l:encodeURIComponent,s=0;s<e.length;s++){var c=e[s];if("string"!=typeof c){var f,d=i[c.name];if(null==d){if(c.optional){c.partial&&(o+=c.prefix);continue}throw new TypeError('Expected "'+c.name+'" to be defined')}if(r(d)){if(!c.repeat)throw new TypeError('Expected "'+c.name+'" to not repeat, but received `'+JSON.stringify(d)+"`");if(0===d.length){if(c.optional)continue;throw new TypeError('Expected "'+c.name+'" to not be empty')}for(var p=0;p<d.length;p++){if(f=u(d[p]),!n[s].test(f))throw new TypeError('Expected all "'+c.name+'" to match "'+c.pattern+'", but received `'+JSON.stringify(f)+"`");o+=(0===p?c.prefix:c.delimiter)+f}}else{if(f=c.asterisk?encodeURI(d).replace(/[?#]/g,(function(e){return"%"+e.charCodeAt(0).toString(16).toUpperCase()})):u(d),!n[s].test(f))throw new TypeError('Expected "'+c.name+'" to match "'+c.pattern+'", but received "'+f+'"');o+=c.prefix+f}}else o+=c}return o}}function u(e){return e.replace(/([.+*?=^!:${}()[\]|\/\\])/g,"\\$1")}function s(e){return e.replace(/([=!:$\/()])/g,"\\$1")}function c(e,t){return e.keys=t,e}function f(e){return e&&e.sensitive?"":"i"}function d(e,t,n){r(t)||(n=t||n,t=[]);for(var a=(n=n||{}).strict,o=!1!==n.end,l="",i=0;i<e.length;i++){var s=e[i];if("string"==typeof s)l+=u(s);else{var d=u(s.prefix),p="(?:"+s.pattern+")";t.push(s),s.repeat&&(p+="(?:"+d+p+")*"),l+=p=s.optional?s.partial?d+"("+p+")?":"(?:"+d+"("+p+"))?":d+"("+p+")"}}var h=u(n.delimiter||"/"),m=l.slice(-h.length)===h;return a||(l=(m?l.slice(0,-h.length):l)+"(?:"+h+"(?=$))?"),l+=o?"$":a&&m?"":"(?="+h+"|$)",c(new RegExp("^"+l,f(n)),t)}function p(e,t,n){return r(t)||(n=t||n,t=[]),n=n||{},e instanceof RegExp?function(e,t){var n=e.source.match(/\((?!\?)/g);if(n)for(var r=0;r<n.length;r++)t.push({name:r,prefix:null,delimiter:null,optional:!1,repeat:!1,partial:!1,asterisk:!1,pattern:null});return c(e,t)}(e,t):r(e)?function(e,t,n){for(var r=[],a=0;a<e.length;a++)r.push(p(e[a],t,n).source);return c(new RegExp("(?:"+r.join("|")+")",f(n)),t)}(e,t,n):function(e,t,n){return d(o(e,n),t,n)}(e,t,n)}},1772:(e,t,n)=>{"use strict";var r=n(5148);function a(){}function o(){}o.resetWarningCache=a,e.exports=function(){function e(e,t,n,a,o,l){if(l!==r){var i=new Error("Calling PropTypes validators directly is not supported by the `prop-types` package. Use PropTypes.checkPropTypes() to call them. Read more at http://fb.me/use-check-prop-types");throw i.name="Invariant Violation",i}}function t(){return e}e.isRequired=e;var n={array:e,bigint:e,bool:e,func:e,number:e,object:e,string:e,symbol:e,any:e,arrayOf:t,element:e,elementType:e,instanceOf:t,node:e,objectOf:t,oneOf:t,oneOfType:t,shape:t,exact:t,checkPropTypes:o,resetWarningCache:a};return n.PropTypes=n,n}},7862:(e,t,n)=>{e.exports=n(1772)()},5148:e=>{"use strict";e.exports="SECRET_DO_NOT_PASS_THIS_OR_YOU_WILL_BE_FIRED"},5565:(e,t,n)=>{"use strict";var r=n(9497),a=n(5655);
+/**
+ * @license React
+ * react-dom.production.min.js
+ *
+ * Copyright (c) Facebook, Inc. and its affiliates.
+ *
+ * This source code is licensed under the MIT license found in the
+ * LICENSE file in the root directory of this source tree.
+ */function o(e){for(var t="https://reactjs.org/docs/error-decoder.html?invariant="+e,n=1;n<arguments.length;n++)t+="&args[]="+encodeURIComponent(arguments[n]);return"Minified React error #"+e+"; visit "+t+" for the full message or use the non-minified dev environment for full errors and additional helpful warnings."}var l=new Set,i={};function u(e,t){s(e,t),s(e+"Capture",t)}function s(e,t){for(i[e]=t,e=0;e<t.length;e++)l.add(t[e])}var c=!("undefined"==typeof window||void 0===window.document||void 0===window.document.createElement),f=Object.prototype.hasOwnProperty,d=/^[:A-Z_a-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD][:A-Z_a-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD\-.0-9\u00B7\u0300-\u036F\u203F-\u2040]*$/,p={},h={};function m(e,t,n,r,a,o,l){this.acceptsBooleans=2===t||3===t||4===t,this.attributeName=r,this.attributeNamespace=a,this.mustUseProperty=n,this.propertyName=e,this.type=t,this.sanitizeURL=o,this.removeEmptyString=l}var v={};"children dangerouslySetInnerHTML defaultValue defaultChecked innerHTML suppressContentEditableWarning suppressHydrationWarning style".split(" ").forEach((function(e){v[e]=new m(e,0,!1,e,null,!1,!1)})),[["acceptCharset","accept-charset"],["className","class"],["htmlFor","for"],["httpEquiv","http-equiv"]].forEach((function(e){var t=e[0];v[t]=new m(t,1,!1,e[1],null,!1,!1)})),["contentEditable","draggable","spellCheck","value"].forEach((function(e){v[e]=new m(e,2,!1,e.toLowerCase(),null,!1,!1)})),["autoReverse","externalResourcesRequired","focusable","preserveAlpha"].forEach((function(e){v[e]=new m(e,2,!1,e,null,!1,!1)})),"allowFullScreen async autoFocus autoPlay controls default defer disabled disablePictureInPicture disableRemotePlayback formNoValidate hidden loop noModule noValidate open playsInline readOnly required reversed scoped seamless itemScope".split(" ").forEach((function(e){v[e]=new m(e,3,!1,e.toLowerCase(),null,!1,!1)})),["checked","multiple","muted","selected"].forEach((function(e){v[e]=new m(e,3,!0,e,null,!1,!1)})),["capture","download"].forEach((function(e){v[e]=new m(e,4,!1,e,null,!1,!1)})),["cols","rows","size","span"].forEach((function(e){v[e]=new m(e,6,!1,e,null,!1,!1)})),["rowSpan","start"].forEach((function(e){v[e]=new m(e,5,!1,e.toLowerCase(),null,!1,!1)}));var g=/[\-:]([a-z])/g;function y(e){return e[1].toUpperCase()}function b(e,t,n,r){var a=v.hasOwnProperty(t)?v[t]:null;(null!==a?0!==a.type:r||!(2<t.length)||"o"!==t[0]&&"O"!==t[0]||"n"!==t[1]&&"N"!==t[1])&&(function(e,t,n,r){if(null==t||function(e,t,n,r){if(null!==n&&0===n.type)return!1;switch(typeof t){case"function":case"symbol":return!0;case"boolean":return!r&&(null!==n?!n.acceptsBooleans:"data-"!==(e=e.toLowerCase().slice(0,5))&&"aria-"!==e);default:return!1}}(e,t,n,r))return!0;if(r)return!1;if(null!==n)switch(n.type){case 3:return!t;case 4:return!1===t;case 5:return isNaN(t);case 6:return isNaN(t)||1>t}return!1}(t,n,a,r)&&(n=null),r||null===a?function(e){return!!f.call(h,e)||!f.call(p,e)&&(d.test(e)?h[e]=!0:(p[e]=!0,!1))}(t)&&(null===n?e.removeAttribute(t):e.setAttribute(t,""+n)):a.mustUseProperty?e[a.propertyName]=null===n?3!==a.type&&"":n:(t=a.attributeName,r=a.attributeNamespace,null===n?e.removeAttribute(t):(n=3===(a=a.type)||4===a&&!0===n?"":""+n,r?e.setAttributeNS(r,t,n):e.setAttribute(t,n))))}"accent-height alignment-baseline arabic-form baseline-shift cap-height clip-path clip-rule color-interpolation color-interpolation-filters color-profile color-rendering dominant-baseline enable-background fill-opacity fill-rule flood-color flood-opacity font-family font-size font-size-adjust font-stretch font-style font-variant font-weight glyph-name glyph-orientation-horizontal glyph-orientation-vertical horiz-adv-x horiz-origin-x image-rendering letter-spacing lighting-color marker-end marker-mid marker-start overline-position overline-thickness paint-order panose-1 pointer-events rendering-intent shape-rendering stop-color stop-opacity strikethrough-position strikethrough-thickness stroke-dasharray stroke-dashoffset stroke-linecap stroke-linejoin stroke-miterlimit stroke-opacity stroke-width text-anchor text-decoration text-rendering underline-position underline-thickness unicode-bidi unicode-range units-per-em v-alphabetic v-hanging v-ideographic v-mathematical vector-effect vert-adv-y vert-origin-x vert-origin-y word-spacing writing-mode xmlns:xlink x-height".split(" ").forEach((function(e){var t=e.replace(g,y);v[t]=new m(t,1,!1,e,null,!1,!1)})),"xlink:actuate xlink:arcrole xlink:role xlink:show xlink:title xlink:type".split(" ").forEach((function(e){var t=e.replace(g,y);v[t]=new m(t,1,!1,e,"http://www.w3.org/1999/xlink",!1,!1)})),["xml:base","xml:lang","xml:space"].forEach((function(e){var t=e.replace(g,y);v[t]=new m(t,1,!1,e,"http://www.w3.org/XML/1998/namespace",!1,!1)})),["tabIndex","crossOrigin"].forEach((function(e){v[e]=new m(e,1,!1,e.toLowerCase(),null,!1,!1)})),v.xlinkHref=new m("xlinkHref",1,!1,"xlink:href","http://www.w3.org/1999/xlink",!0,!1),["src","href","action","formAction"].forEach((function(e){v[e]=new m(e,1,!1,e.toLowerCase(),null,!0,!0)}));var w=r.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED,k=Symbol.for("react.element"),x=Symbol.for("react.portal"),S=Symbol.for("react.fragment"),E=Symbol.for("react.strict_mode"),C=Symbol.for("react.profiler"),_=Symbol.for("react.provider"),P=Symbol.for("react.context"),N=Symbol.for("react.forward_ref"),O=Symbol.for("react.suspense"),M=Symbol.for("react.suspense_list"),T=Symbol.for("react.memo"),L=Symbol.for("react.lazy");Symbol.for("react.scope"),Symbol.for("react.debug_trace_mode");var R=Symbol.for("react.offscreen");Symbol.for("react.legacy_hidden"),Symbol.for("react.cache"),Symbol.for("react.tracing_marker");var z=Symbol.iterator;function D(e){return null===e||"object"!=typeof e?null:"function"==typeof(e=z&&e[z]||e["@@iterator"])?e:null}var I,j=Object.assign;function F(e){if(void 0===I)try{throw Error()}catch(e){var t=e.stack.trim().match(/\n( *(at )?)/);I=t&&t[1]||""}return"\n"+I+e}var A=!1;function $(e,t){if(!e||A)return"";A=!0;var n=Error.prepareStackTrace;Error.prepareStackTrace=void 0;try{if(t)if(t=function(){throw Error()},Object.defineProperty(t.prototype,"props",{set:function(){throw Error()}}),"object"==typeof Reflect&&Reflect.construct){try{Reflect.construct(t,[])}catch(e){var r=e}Reflect.construct(e,[],t)}else{try{t.call()}catch(e){r=e}e.call(t.prototype)}else{try{throw Error()}catch(e){r=e}e()}}catch(t){if(t&&r&&"string"==typeof t.stack){for(var a=t.stack.split("\n"),o=r.stack.split("\n"),l=a.length-1,i=o.length-1;1<=l&&0<=i&&a[l]!==o[i];)i--;for(;1<=l&&0<=i;l--,i--)if(a[l]!==o[i]){if(1!==l||1!==i)do{if(l--,0>--i||a[l]!==o[i]){var u="\n"+a[l].replace(" at new "," at ");return e.displayName&&u.includes("<anonymous>")&&(u=u.replace("<anonymous>",e.displayName)),u}}while(1<=l&&0<=i);break}}}finally{A=!1,Error.prepareStackTrace=n}return(e=e?e.displayName||e.name:"")?F(e):""}function U(e){switch(e.tag){case 5:return F(e.type);case 16:return F("Lazy");case 13:return F("Suspense");case 19:return F("SuspenseList");case 0:case 2:case 15:return e=$(e.type,!1);case 11:return e=$(e.type.render,!1);case 1:return e=$(e.type,!0);default:return""}}function B(e){if(null==e)return null;if("function"==typeof e)return e.displayName||e.name||null;if("string"==typeof e)return e;switch(e){case S:return"Fragment";case x:return"Portal";case C:return"Profiler";case E:return"StrictMode";case O:return"Suspense";case M:return"SuspenseList"}if("object"==typeof e)switch(e.$$typeof){case P:return(e.displayName||"Context")+".Consumer";case _:return(e._context.displayName||"Context")+".Provider";case N:var t=e.render;return(e=e.displayName)||(e=""!==(e=t.displayName||t.name||"")?"ForwardRef("+e+")":"ForwardRef"),e;case T:return null!==(t=e.displayName||null)?t:B(e.type)||"Memo";case L:t=e._payload,e=e._init;try{return B(e(t))}catch(e){}}return null}function W(e){var t=e.type;switch(e.tag){case 24:return"Cache";case 9:return(t.displayName||"Context")+".Consumer";case 10:return(t._context.displayName||"Context")+".Provider";case 18:return"DehydratedFragment";case 11:return e=(e=t.render).displayName||e.name||"",t.displayName||(""!==e?"ForwardRef("+e+")":"ForwardRef");case 7:return"Fragment";case 5:return t;case 4:return"Portal";case 3:return"Root";case 6:return"Text";case 16:return B(t);case 8:return t===E?"StrictMode":"Mode";case 22:return"Offscreen";case 12:return"Profiler";case 21:return"Scope";case 13:return"Suspense";case 19:return"SuspenseList";case 25:return"TracingMarker";case 1:case 0:case 17:case 2:case 14:case 15:if("function"==typeof t)return t.displayName||t.name||null;if("string"==typeof t)return t}return null}function H(e){switch(typeof e){case"boolean":case"number":case"string":case"undefined":case"object":return e;default:return""}}function V(e){var t=e.type;return(e=e.nodeName)&&"input"===e.toLowerCase()&&("checkbox"===t||"radio"===t)}function Q(e){e._valueTracker||(e._valueTracker=function(e){var t=V(e)?"checked":"value",n=Object.getOwnPropertyDescriptor(e.constructor.prototype,t),r=""+e[t];if(!e.hasOwnProperty(t)&&void 0!==n&&"function"==typeof n.get&&"function"==typeof n.set){var a=n.get,o=n.set;return Object.defineProperty(e,t,{configurable:!0,get:function(){return a.call(this)},set:function(e){r=""+e,o.call(this,e)}}),Object.defineProperty(e,t,{enumerable:n.enumerable}),{getValue:function(){return r},setValue:function(e){r=""+e},stopTracking:function(){e._valueTracker=null,delete e[t]}}}}(e))}function K(e){if(!e)return!1;var t=e._valueTracker;if(!t)return!0;var n=t.getValue(),r="";return e&&(r=V(e)?e.checked?"true":"false":e.value),(e=r)!==n&&(t.setValue(e),!0)}function q(e){if(void 0===(e=e||("undefined"!=typeof document?document:void 0)))return null;try{return e.activeElement||e.body}catch(t){return e.body}}function Y(e,t){var n=t.checked;return j({},t,{defaultChecked:void 0,defaultValue:void 0,value:void 0,checked:null!=n?n:e._wrapperState.initialChecked})}function X(e,t){var n=null==t.defaultValue?"":t.defaultValue,r=null!=t.checked?t.checked:t.defaultChecked;n=H(null!=t.value?t.value:n),e._wrapperState={initialChecked:r,initialValue:n,controlled:"checkbox"===t.type||"radio"===t.type?null!=t.checked:null!=t.value}}function G(e,t){null!=(t=t.checked)&&b(e,"checked",t,!1)}function J(e,t){G(e,t);var n=H(t.value),r=t.type;if(null!=n)"number"===r?(0===n&&""===e.value||e.value!=n)&&(e.value=""+n):e.value!==""+n&&(e.value=""+n);else if("submit"===r||"reset"===r)return void e.removeAttribute("value");t.hasOwnProperty("value")?ee(e,t.type,n):t.hasOwnProperty("defaultValue")&&ee(e,t.type,H(t.defaultValue)),null==t.checked&&null!=t.defaultChecked&&(e.defaultChecked=!!t.defaultChecked)}function Z(e,t,n){if(t.hasOwnProperty("value")||t.hasOwnProperty("defaultValue")){var r=t.type;if(!("submit"!==r&&"reset"!==r||void 0!==t.value&&null!==t.value))return;t=""+e._wrapperState.initialValue,n||t===e.value||(e.value=t),e.defaultValue=t}""!==(n=e.name)&&(e.name=""),e.defaultChecked=!!e._wrapperState.initialChecked,""!==n&&(e.name=n)}function ee(e,t,n){"number"===t&&q(e.ownerDocument)===e||(null==n?e.defaultValue=""+e._wrapperState.initialValue:e.defaultValue!==""+n&&(e.defaultValue=""+n))}var te=Array.isArray;function ne(e,t,n,r){if(e=e.options,t){t={};for(var a=0;a<n.length;a++)t["$"+n[a]]=!0;for(n=0;n<e.length;n++)a=t.hasOwnProperty("$"+e[n].value),e[n].selected!==a&&(e[n].selected=a),a&&r&&(e[n].defaultSelected=!0)}else{for(n=""+H(n),t=null,a=0;a<e.length;a++){if(e[a].value===n)return e[a].selected=!0,void(r&&(e[a].defaultSelected=!0));null!==t||e[a].disabled||(t=e[a])}null!==t&&(t.selected=!0)}}function re(e,t){if(null!=t.dangerouslySetInnerHTML)throw Error(o(91));return j({},t,{value:void 0,defaultValue:void 0,children:""+e._wrapperState.initialValue})}function ae(e,t){var n=t.value;if(null==n){if(n=t.children,t=t.defaultValue,null!=n){if(null!=t)throw Error(o(92));if(te(n)){if(1<n.length)throw Error(o(93));n=n[0]}t=n}null==t&&(t=""),n=t}e._wrapperState={initialValue:H(n)}}function oe(e,t){var n=H(t.value),r=H(t.defaultValue);null!=n&&((n=""+n)!==e.value&&(e.value=n),null==t.defaultValue&&e.defaultValue!==n&&(e.defaultValue=n)),null!=r&&(e.defaultValue=""+r)}function le(e){var t=e.textContent;t===e._wrapperState.initialValue&&""!==t&&null!==t&&(e.value=t)}function ie(e){switch(e){case"svg":return"http://www.w3.org/2000/svg";case"math":return"http://www.w3.org/1998/Math/MathML";default:return"http://www.w3.org/1999/xhtml"}}function ue(e,t){return null==e||"http://www.w3.org/1999/xhtml"===e?ie(t):"http://www.w3.org/2000/svg"===e&&"foreignObject"===t?"http://www.w3.org/1999/xhtml":e}var se,ce,fe=(ce=function(e,t){if("http://www.w3.org/2000/svg"!==e.namespaceURI||"innerHTML"in e)e.innerHTML=t;else{for((se=se||document.createElement("div")).innerHTML="<svg>"+t.valueOf().toString()+"</svg>",t=se.firstChild;e.firstChild;)e.removeChild(e.firstChild);for(;t.firstChild;)e.appendChild(t.firstChild)}},"undefined"!=typeof MSApp&&MSApp.execUnsafeLocalFunction?function(e,t,n,r){MSApp.execUnsafeLocalFunction((function(){return ce(e,t)}))}:ce);function de(e,t){if(t){var n=e.firstChild;if(n&&n===e.lastChild&&3===n.nodeType)return void(n.nodeValue=t)}e.textContent=t}var pe={animationIterationCount:!0,aspectRatio:!0,borderImageOutset:!0,borderImageSlice:!0,borderImageWidth:!0,boxFlex:!0,boxFlexGroup:!0,boxOrdinalGroup:!0,columnCount:!0,columns:!0,flex:!0,flexGrow:!0,flexPositive:!0,flexShrink:!0,flexNegative:!0,flexOrder:!0,gridArea:!0,gridRow:!0,gridRowEnd:!0,gridRowSpan:!0,gridRowStart:!0,gridColumn:!0,gridColumnEnd:!0,gridColumnSpan:!0,gridColumnStart:!0,fontWeight:!0,lineClamp:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,tabSize:!0,widows:!0,zIndex:!0,zoom:!0,fillOpacity:!0,floodOpacity:!0,stopOpacity:!0,strokeDasharray:!0,strokeDashoffset:!0,strokeMiterlimit:!0,strokeOpacity:!0,strokeWidth:!0},he=["Webkit","ms","Moz","O"];function me(e,t,n){return null==t||"boolean"==typeof t||""===t?"":n||"number"!=typeof t||0===t||pe.hasOwnProperty(e)&&pe[e]?(""+t).trim():t+"px"}function ve(e,t){for(var n in e=e.style,t)if(t.hasOwnProperty(n)){var r=0===n.indexOf("--"),a=me(n,t[n],r);"float"===n&&(n="cssFloat"),r?e.setProperty(n,a):e[n]=a}}Object.keys(pe).forEach((function(e){he.forEach((function(t){t=t+e.charAt(0).toUpperCase()+e.substring(1),pe[t]=pe[e]}))}));var ge=j({menuitem:!0},{area:!0,base:!0,br:!0,col:!0,embed:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0});function ye(e,t){if(t){if(ge[e]&&(null!=t.children||null!=t.dangerouslySetInnerHTML))throw Error(o(137,e));if(null!=t.dangerouslySetInnerHTML){if(null!=t.children)throw Error(o(60));if("object"!=typeof t.dangerouslySetInnerHTML||!("__html"in t.dangerouslySetInnerHTML))throw Error(o(61))}if(null!=t.style&&"object"!=typeof t.style)throw Error(o(62))}}function be(e,t){if(-1===e.indexOf("-"))return"string"==typeof t.is;switch(e){case"annotation-xml":case"color-profile":case"font-face":case"font-face-src":case"font-face-uri":case"font-face-format":case"font-face-name":case"missing-glyph":return!1;default:return!0}}var we=null;function ke(e){return(e=e.target||e.srcElement||window).correspondingUseElement&&(e=e.correspondingUseElement),3===e.nodeType?e.parentNode:e}var xe=null,Se=null,Ee=null;function Ce(e){if(e=ba(e)){if("function"!=typeof xe)throw Error(o(280));var t=e.stateNode;t&&(t=ka(t),xe(e.stateNode,e.type,t))}}function _e(e){Se?Ee?Ee.push(e):Ee=[e]:Se=e}function Pe(){if(Se){var e=Se,t=Ee;if(Ee=Se=null,Ce(e),t)for(e=0;e<t.length;e++)Ce(t[e])}}function Ne(e,t){return e(t)}function Oe(){}var Me=!1;function Te(e,t,n){if(Me)return e(t,n);Me=!0;try{return Ne(e,t,n)}finally{Me=!1,(null!==Se||null!==Ee)&&(Oe(),Pe())}}function Le(e,t){var n=e.stateNode;if(null===n)return null;var r=ka(n);if(null===r)return null;n=r[t];e:switch(t){case"onClick":case"onClickCapture":case"onDoubleClick":case"onDoubleClickCapture":case"onMouseDown":case"onMouseDownCapture":case"onMouseMove":case"onMouseMoveCapture":case"onMouseUp":case"onMouseUpCapture":case"onMouseEnter":(r=!r.disabled)||(r=!("button"===(e=e.type)||"input"===e||"select"===e||"textarea"===e)),e=!r;break e;default:e=!1}if(e)return null;if(n&&"function"!=typeof n)throw Error(o(231,t,typeof n));return n}var Re=!1;if(c)try{var ze={};Object.defineProperty(ze,"passive",{get:function(){Re=!0}}),window.addEventListener("test",ze,ze),window.removeEventListener("test",ze,ze)}catch(ce){Re=!1}function De(e,t,n,r,a,o,l,i,u){var s=Array.prototype.slice.call(arguments,3);try{t.apply(n,s)}catch(e){this.onError(e)}}var Ie=!1,je=null,Fe=!1,Ae=null,$e={onError:function(e){Ie=!0,je=e}};function Ue(e,t,n,r,a,o,l,i,u){Ie=!1,je=null,De.apply($e,arguments)}function Be(e){var t=e,n=e;if(e.alternate)for(;t.return;)t=t.return;else{e=t;do{0!=(4098&(t=e).flags)&&(n=t.return),e=t.return}while(e)}return 3===t.tag?n:null}function We(e){if(13===e.tag){var t=e.memoizedState;if(null===t&&(null!==(e=e.alternate)&&(t=e.memoizedState)),null!==t)return t.dehydrated}return null}function He(e){if(Be(e)!==e)throw Error(o(188))}function Ve(e){return null!==(e=function(e){var t=e.alternate;if(!t){if(null===(t=Be(e)))throw Error(o(188));return t!==e?null:e}for(var n=e,r=t;;){var a=n.return;if(null===a)break;var l=a.alternate;if(null===l){if(null!==(r=a.return)){n=r;continue}break}if(a.child===l.child){for(l=a.child;l;){if(l===n)return He(a),e;if(l===r)return He(a),t;l=l.sibling}throw Error(o(188))}if(n.return!==r.return)n=a,r=l;else{for(var i=!1,u=a.child;u;){if(u===n){i=!0,n=a,r=l;break}if(u===r){i=!0,r=a,n=l;break}u=u.sibling}if(!i){for(u=l.child;u;){if(u===n){i=!0,n=l,r=a;break}if(u===r){i=!0,r=l,n=a;break}u=u.sibling}if(!i)throw Error(o(189))}}if(n.alternate!==r)throw Error(o(190))}if(3!==n.tag)throw Error(o(188));return n.stateNode.current===n?e:t}(e))?Qe(e):null}function Qe(e){if(5===e.tag||6===e.tag)return e;for(e=e.child;null!==e;){var t=Qe(e);if(null!==t)return t;e=e.sibling}return null}var Ke=a.unstable_scheduleCallback,qe=a.unstable_cancelCallback,Ye=a.unstable_shouldYield,Xe=a.unstable_requestPaint,Ge=a.unstable_now,Je=a.unstable_getCurrentPriorityLevel,Ze=a.unstable_ImmediatePriority,et=a.unstable_UserBlockingPriority,tt=a.unstable_NormalPriority,nt=a.unstable_LowPriority,rt=a.unstable_IdlePriority,at=null,ot=null;var lt=Math.clz32?Math.clz32:function(e){return e>>>=0,0===e?32:31-(it(e)/ut|0)|0},it=Math.log,ut=Math.LN2;var st=64,ct=4194304;function ft(e){switch(e&-e){case 1:return 1;case 2:return 2;case 4:return 4;case 8:return 8;case 16:return 16;case 32:return 32;case 64:case 128:case 256:case 512:case 1024:case 2048:case 4096:case 8192:case 16384:case 32768:case 65536:case 131072:case 262144:case 524288:case 1048576:case 2097152:return 4194240&e;case 4194304:case 8388608:case 16777216:case 33554432:case 67108864:return 130023424&e;case 134217728:return 134217728;case 268435456:return 268435456;case 536870912:return 536870912;case 1073741824:return 1073741824;default:return e}}function dt(e,t){var n=e.pendingLanes;if(0===n)return 0;var r=0,a=e.suspendedLanes,o=e.pingedLanes,l=268435455&n;if(0!==l){var i=l&~a;0!==i?r=ft(i):0!==(o&=l)&&(r=ft(o))}else 0!==(l=n&~a)?r=ft(l):0!==o&&(r=ft(o));if(0===r)return 0;if(0!==t&&t!==r&&0==(t&a)&&((a=r&-r)>=(o=t&-t)||16===a&&0!=(4194240&o)))return t;if(0!=(4&r)&&(r|=16&n),0!==(t=e.entangledLanes))for(e=e.entanglements,t&=r;0<t;)a=1<<(n=31-lt(t)),r|=e[n],t&=~a;return r}function pt(e,t){switch(e){case 1:case 2:case 4:return t+250;case 8:case 16:case 32:case 64:case 128:case 256:case 512:case 1024:case 2048:case 4096:case 8192:case 16384:case 32768:case 65536:case 131072:case 262144:case 524288:case 1048576:case 2097152:return t+5e3;default:return-1}}function ht(e){return 0!==(e=-1073741825&e.pendingLanes)?e:1073741824&e?1073741824:0}function mt(){var e=st;return 0==(4194240&(st<<=1))&&(st=64),e}function vt(e){for(var t=[],n=0;31>n;n++)t.push(e);return t}function gt(e,t,n){e.pendingLanes|=t,536870912!==t&&(e.suspendedLanes=0,e.pingedLanes=0),(e=e.eventTimes)[t=31-lt(t)]=n}function yt(e,t){var n=e.entangledLanes|=t;for(e=e.entanglements;n;){var r=31-lt(n),a=1<<r;a&t|e[r]&t&&(e[r]|=t),n&=~a}}var bt=0;function wt(e){return 1<(e&=-e)?4<e?0!=(268435455&e)?16:536870912:4:1}var kt,xt,St,Et,Ct,_t=!1,Pt=[],Nt=null,Ot=null,Mt=null,Tt=new Map,Lt=new Map,Rt=[],zt="mousedown mouseup touchcancel touchend touchstart auxclick dblclick pointercancel pointerdown pointerup dragend dragstart drop compositionend compositionstart keydown keypress keyup input textInput copy cut paste click change contextmenu reset submit".split(" ");function Dt(e,t){switch(e){case"focusin":case"focusout":Nt=null;break;case"dragenter":case"dragleave":Ot=null;break;case"mouseover":case"mouseout":Mt=null;break;case"pointerover":case"pointerout":Tt.delete(t.pointerId);break;case"gotpointercapture":case"lostpointercapture":Lt.delete(t.pointerId)}}function It(e,t,n,r,a,o){return null===e||e.nativeEvent!==o?(e={blockedOn:t,domEventName:n,eventSystemFlags:r,nativeEvent:o,targetContainers:[a]},null!==t&&(null!==(t=ba(t))&&xt(t)),e):(e.eventSystemFlags|=r,t=e.targetContainers,null!==a&&-1===t.indexOf(a)&&t.push(a),e)}function jt(e){var t=ya(e.target);if(null!==t){var n=Be(t);if(null!==n)if(13===(t=n.tag)){if(null!==(t=We(n)))return e.blockedOn=t,void Ct(e.priority,(function(){St(n)}))}else if(3===t&&n.stateNode.current.memoizedState.isDehydrated)return void(e.blockedOn=3===n.tag?n.stateNode.containerInfo:null)}e.blockedOn=null}function Ft(e){if(null!==e.blockedOn)return!1;for(var t=e.targetContainers;0<t.length;){var n=Yt(e.domEventName,e.eventSystemFlags,t[0],e.nativeEvent);if(null!==n)return null!==(t=ba(n))&&xt(t),e.blockedOn=n,!1;var r=new(n=e.nativeEvent).constructor(n.type,n);we=r,n.target.dispatchEvent(r),we=null,t.shift()}return!0}function At(e,t,n){Ft(e)&&n.delete(t)}function $t(){_t=!1,null!==Nt&&Ft(Nt)&&(Nt=null),null!==Ot&&Ft(Ot)&&(Ot=null),null!==Mt&&Ft(Mt)&&(Mt=null),Tt.forEach(At),Lt.forEach(At)}function Ut(e,t){e.blockedOn===t&&(e.blockedOn=null,_t||(_t=!0,a.unstable_scheduleCallback(a.unstable_NormalPriority,$t)))}function Bt(e){function t(t){return Ut(t,e)}if(0<Pt.length){Ut(Pt[0],e);for(var n=1;n<Pt.length;n++){var r=Pt[n];r.blockedOn===e&&(r.blockedOn=null)}}for(null!==Nt&&Ut(Nt,e),null!==Ot&&Ut(Ot,e),null!==Mt&&Ut(Mt,e),Tt.forEach(t),Lt.forEach(t),n=0;n<Rt.length;n++)(r=Rt[n]).blockedOn===e&&(r.blockedOn=null);for(;0<Rt.length&&null===(n=Rt[0]).blockedOn;)jt(n),null===n.blockedOn&&Rt.shift()}var Wt=w.ReactCurrentBatchConfig,Ht=!0;function Vt(e,t,n,r){var a=bt,o=Wt.transition;Wt.transition=null;try{bt=1,Kt(e,t,n,r)}finally{bt=a,Wt.transition=o}}function Qt(e,t,n,r){var a=bt,o=Wt.transition;Wt.transition=null;try{bt=4,Kt(e,t,n,r)}finally{bt=a,Wt.transition=o}}function Kt(e,t,n,r){if(Ht){var a=Yt(e,t,n,r);if(null===a)Hr(e,t,r,qt,n),Dt(e,r);else if(function(e,t,n,r,a){switch(t){case"focusin":return Nt=It(Nt,e,t,n,r,a),!0;case"dragenter":return Ot=It(Ot,e,t,n,r,a),!0;case"mouseover":return Mt=It(Mt,e,t,n,r,a),!0;case"pointerover":var o=a.pointerId;return Tt.set(o,It(Tt.get(o)||null,e,t,n,r,a)),!0;case"gotpointercapture":return o=a.pointerId,Lt.set(o,It(Lt.get(o)||null,e,t,n,r,a)),!0}return!1}(a,e,t,n,r))r.stopPropagation();else if(Dt(e,r),4&t&&-1<zt.indexOf(e)){for(;null!==a;){var o=ba(a);if(null!==o&&kt(o),null===(o=Yt(e,t,n,r))&&Hr(e,t,r,qt,n),o===a)break;a=o}null!==a&&r.stopPropagation()}else Hr(e,t,r,null,n)}}var qt=null;function Yt(e,t,n,r){if(qt=null,null!==(e=ya(e=ke(r))))if(null===(t=Be(e)))e=null;else if(13===(n=t.tag)){if(null!==(e=We(t)))return e;e=null}else if(3===n){if(t.stateNode.current.memoizedState.isDehydrated)return 3===t.tag?t.stateNode.containerInfo:null;e=null}else t!==e&&(e=null);return qt=e,null}function Xt(e){switch(e){case"cancel":case"click":case"close":case"contextmenu":case"copy":case"cut":case"auxclick":case"dblclick":case"dragend":case"dragstart":case"drop":case"focusin":case"focusout":case"input":case"invalid":case"keydown":case"keypress":case"keyup":case"mousedown":case"mouseup":case"paste":case"pause":case"play":case"pointercancel":case"pointerdown":case"pointerup":case"ratechange":case"reset":case"resize":case"seeked":case"submit":case"touchcancel":case"touchend":case"touchstart":case"volumechange":case"change":case"selectionchange":case"textInput":case"compositionstart":case"compositionend":case"compositionupdate":case"beforeblur":case"afterblur":case"beforeinput":case"blur":case"fullscreenchange":case"focus":case"hashchange":case"popstate":case"select":case"selectstart":return 1;case"drag":case"dragenter":case"dragexit":case"dragleave":case"dragover":case"mousemove":case"mouseout":case"mouseover":case"pointermove":case"pointerout":case"pointerover":case"scroll":case"toggle":case"touchmove":case"wheel":case"mouseenter":case"mouseleave":case"pointerenter":case"pointerleave":return 4;case"message":switch(Je()){case Ze:return 1;case et:return 4;case tt:case nt:return 16;case rt:return 536870912;default:return 16}default:return 16}}var Gt=null,Jt=null,Zt=null;function en(){if(Zt)return Zt;var e,t,n=Jt,r=n.length,a="value"in Gt?Gt.value:Gt.textContent,o=a.length;for(e=0;e<r&&n[e]===a[e];e++);var l=r-e;for(t=1;t<=l&&n[r-t]===a[o-t];t++);return Zt=a.slice(e,1<t?1-t:void 0)}function tn(e){var t=e.keyCode;return"charCode"in e?0===(e=e.charCode)&&13===t&&(e=13):e=t,10===e&&(e=13),32<=e||13===e?e:0}function nn(){return!0}function rn(){return!1}function an(e){function t(t,n,r,a,o){for(var l in this._reactName=t,this._targetInst=r,this.type=n,this.nativeEvent=a,this.target=o,this.currentTarget=null,e)e.hasOwnProperty(l)&&(t=e[l],this[l]=t?t(a):a[l]);return this.isDefaultPrevented=(null!=a.defaultPrevented?a.defaultPrevented:!1===a.returnValue)?nn:rn,this.isPropagationStopped=rn,this}return j(t.prototype,{preventDefault:function(){this.defaultPrevented=!0;var e=this.nativeEvent;e&&(e.preventDefault?e.preventDefault():"unknown"!=typeof e.returnValue&&(e.returnValue=!1),this.isDefaultPrevented=nn)},stopPropagation:function(){var e=this.nativeEvent;e&&(e.stopPropagation?e.stopPropagation():"unknown"!=typeof e.cancelBubble&&(e.cancelBubble=!0),this.isPropagationStopped=nn)},persist:function(){},isPersistent:nn}),t}var on,ln,un,sn={eventPhase:0,bubbles:0,cancelable:0,timeStamp:function(e){return e.timeStamp||Date.now()},defaultPrevented:0,isTrusted:0},cn=an(sn),fn=j({},sn,{view:0,detail:0}),dn=an(fn),pn=j({},fn,{screenX:0,screenY:0,clientX:0,clientY:0,pageX:0,pageY:0,ctrlKey:0,shiftKey:0,altKey:0,metaKey:0,getModifierState:Cn,button:0,buttons:0,relatedTarget:function(e){return void 0===e.relatedTarget?e.fromElement===e.srcElement?e.toElement:e.fromElement:e.relatedTarget},movementX:function(e){return"movementX"in e?e.movementX:(e!==un&&(un&&"mousemove"===e.type?(on=e.screenX-un.screenX,ln=e.screenY-un.screenY):ln=on=0,un=e),on)},movementY:function(e){return"movementY"in e?e.movementY:ln}}),hn=an(pn),mn=an(j({},pn,{dataTransfer:0})),vn=an(j({},fn,{relatedTarget:0})),gn=an(j({},sn,{animationName:0,elapsedTime:0,pseudoElement:0})),yn=j({},sn,{clipboardData:function(e){return"clipboardData"in e?e.clipboardData:window.clipboardData}}),bn=an(yn),wn=an(j({},sn,{data:0})),kn={Esc:"Escape",Spacebar:" ",Left:"ArrowLeft",Up:"ArrowUp",Right:"ArrowRight",Down:"ArrowDown",Del:"Delete",Win:"OS",Menu:"ContextMenu",Apps:"ContextMenu",Scroll:"ScrollLock",MozPrintableKey:"Unidentified"},xn={8:"Backspace",9:"Tab",12:"Clear",13:"Enter",16:"Shift",17:"Control",18:"Alt",19:"Pause",20:"CapsLock",27:"Escape",32:" ",33:"PageUp",34:"PageDown",35:"End",36:"Home",37:"ArrowLeft",38:"ArrowUp",39:"ArrowRight",40:"ArrowDown",45:"Insert",46:"Delete",112:"F1",113:"F2",114:"F3",115:"F4",116:"F5",117:"F6",118:"F7",119:"F8",120:"F9",121:"F10",122:"F11",123:"F12",144:"NumLock",145:"ScrollLock",224:"Meta"},Sn={Alt:"altKey",Control:"ctrlKey",Meta:"metaKey",Shift:"shiftKey"};function En(e){var t=this.nativeEvent;return t.getModifierState?t.getModifierState(e):!!(e=Sn[e])&&!!t[e]}function Cn(){return En}var _n=j({},fn,{key:function(e){if(e.key){var t=kn[e.key]||e.key;if("Unidentified"!==t)return t}return"keypress"===e.type?13===(e=tn(e))?"Enter":String.fromCharCode(e):"keydown"===e.type||"keyup"===e.type?xn[e.keyCode]||"Unidentified":""},code:0,location:0,ctrlKey:0,shiftKey:0,altKey:0,metaKey:0,repeat:0,locale:0,getModifierState:Cn,charCode:function(e){return"keypress"===e.type?tn(e):0},keyCode:function(e){return"keydown"===e.type||"keyup"===e.type?e.keyCode:0},which:function(e){return"keypress"===e.type?tn(e):"keydown"===e.type||"keyup"===e.type?e.keyCode:0}}),Pn=an(_n),Nn=an(j({},pn,{pointerId:0,width:0,height:0,pressure:0,tangentialPressure:0,tiltX:0,tiltY:0,twist:0,pointerType:0,isPrimary:0})),On=an(j({},fn,{touches:0,targetTouches:0,changedTouches:0,altKey:0,metaKey:0,ctrlKey:0,shiftKey:0,getModifierState:Cn})),Mn=an(j({},sn,{propertyName:0,elapsedTime:0,pseudoElement:0})),Tn=j({},pn,{deltaX:function(e){return"deltaX"in e?e.deltaX:"wheelDeltaX"in e?-e.wheelDeltaX:0},deltaY:function(e){return"deltaY"in e?e.deltaY:"wheelDeltaY"in e?-e.wheelDeltaY:"wheelDelta"in e?-e.wheelDelta:0},deltaZ:0,deltaMode:0}),Ln=an(Tn),Rn=[9,13,27,32],zn=c&&"CompositionEvent"in window,Dn=null;c&&"documentMode"in document&&(Dn=document.documentMode);var In=c&&"TextEvent"in window&&!Dn,jn=c&&(!zn||Dn&&8<Dn&&11>=Dn),Fn=String.fromCharCode(32),An=!1;function $n(e,t){switch(e){case"keyup":return-1!==Rn.indexOf(t.keyCode);case"keydown":return 229!==t.keyCode;case"keypress":case"mousedown":case"focusout":return!0;default:return!1}}function Un(e){return"object"==typeof(e=e.detail)&&"data"in e?e.data:null}var Bn=!1;var Wn={color:!0,date:!0,datetime:!0,"datetime-local":!0,email:!0,month:!0,number:!0,password:!0,range:!0,search:!0,tel:!0,text:!0,time:!0,url:!0,week:!0};function Hn(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return"input"===t?!!Wn[e.type]:"textarea"===t}function Vn(e,t,n,r){_e(r),0<(t=Qr(t,"onChange")).length&&(n=new cn("onChange","change",null,n,r),e.push({event:n,listeners:t}))}var Qn=null,Kn=null;function qn(e){Fr(e,0)}function Yn(e){if(K(wa(e)))return e}function Xn(e,t){if("change"===e)return t}var Gn=!1;if(c){var Jn;if(c){var Zn="oninput"in document;if(!Zn){var er=document.createElement("div");er.setAttribute("oninput","return;"),Zn="function"==typeof er.oninput}Jn=Zn}else Jn=!1;Gn=Jn&&(!document.documentMode||9<document.documentMode)}function tr(){Qn&&(Qn.detachEvent("onpropertychange",nr),Kn=Qn=null)}function nr(e){if("value"===e.propertyName&&Yn(Kn)){var t=[];Vn(t,Kn,e,ke(e)),Te(qn,t)}}function rr(e,t,n){"focusin"===e?(tr(),Kn=n,(Qn=t).attachEvent("onpropertychange",nr)):"focusout"===e&&tr()}function ar(e){if("selectionchange"===e||"keyup"===e||"keydown"===e)return Yn(Kn)}function or(e,t){if("click"===e)return Yn(t)}function lr(e,t){if("input"===e||"change"===e)return Yn(t)}var ir="function"==typeof Object.is?Object.is:function(e,t){return e===t&&(0!==e||1/e==1/t)||e!=e&&t!=t};function ur(e,t){if(ir(e,t))return!0;if("object"!=typeof e||null===e||"object"!=typeof t||null===t)return!1;var n=Object.keys(e),r=Object.keys(t);if(n.length!==r.length)return!1;for(r=0;r<n.length;r++){var a=n[r];if(!f.call(t,a)||!ir(e[a],t[a]))return!1}return!0}function sr(e){for(;e&&e.firstChild;)e=e.firstChild;return e}function cr(e,t){var n,r=sr(e);for(e=0;r;){if(3===r.nodeType){if(n=e+r.textContent.length,e<=t&&n>=t)return{node:r,offset:t-e};e=n}e:{for(;r;){if(r.nextSibling){r=r.nextSibling;break e}r=r.parentNode}r=void 0}r=sr(r)}}function fr(e,t){return!(!e||!t)&&(e===t||(!e||3!==e.nodeType)&&(t&&3===t.nodeType?fr(e,t.parentNode):"contains"in e?e.contains(t):!!e.compareDocumentPosition&&!!(16&e.compareDocumentPosition(t))))}function dr(){for(var e=window,t=q();t instanceof e.HTMLIFrameElement;){try{var n="string"==typeof t.contentWindow.location.href}catch(e){n=!1}if(!n)break;t=q((e=t.contentWindow).document)}return t}function pr(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return t&&("input"===t&&("text"===e.type||"search"===e.type||"tel"===e.type||"url"===e.type||"password"===e.type)||"textarea"===t||"true"===e.contentEditable)}function hr(e){var t=dr(),n=e.focusedElem,r=e.selectionRange;if(t!==n&&n&&n.ownerDocument&&fr(n.ownerDocument.documentElement,n)){if(null!==r&&pr(n))if(t=r.start,void 0===(e=r.end)&&(e=t),"selectionStart"in n)n.selectionStart=t,n.selectionEnd=Math.min(e,n.value.length);else if((e=(t=n.ownerDocument||document)&&t.defaultView||window).getSelection){e=e.getSelection();var a=n.textContent.length,o=Math.min(r.start,a);r=void 0===r.end?o:Math.min(r.end,a),!e.extend&&o>r&&(a=r,r=o,o=a),a=cr(n,o);var l=cr(n,r);a&&l&&(1!==e.rangeCount||e.anchorNode!==a.node||e.anchorOffset!==a.offset||e.focusNode!==l.node||e.focusOffset!==l.offset)&&((t=t.createRange()).setStart(a.node,a.offset),e.removeAllRanges(),o>r?(e.addRange(t),e.extend(l.node,l.offset)):(t.setEnd(l.node,l.offset),e.addRange(t)))}for(t=[],e=n;e=e.parentNode;)1===e.nodeType&&t.push({element:e,left:e.scrollLeft,top:e.scrollTop});for("function"==typeof n.focus&&n.focus(),n=0;n<t.length;n++)(e=t[n]).element.scrollLeft=e.left,e.element.scrollTop=e.top}}var mr=c&&"documentMode"in document&&11>=document.documentMode,vr=null,gr=null,yr=null,br=!1;function wr(e,t,n){var r=n.window===n?n.document:9===n.nodeType?n:n.ownerDocument;br||null==vr||vr!==q(r)||("selectionStart"in(r=vr)&&pr(r)?r={start:r.selectionStart,end:r.selectionEnd}:r={anchorNode:(r=(r.ownerDocument&&r.ownerDocument.defaultView||window).getSelection()).anchorNode,anchorOffset:r.anchorOffset,focusNode:r.focusNode,focusOffset:r.focusOffset},yr&&ur(yr,r)||(yr=r,0<(r=Qr(gr,"onSelect")).length&&(t=new cn("onSelect","select",null,t,n),e.push({event:t,listeners:r}),t.target=vr)))}function kr(e,t){var n={};return n[e.toLowerCase()]=t.toLowerCase(),n["Webkit"+e]="webkit"+t,n["Moz"+e]="moz"+t,n}var xr={animationend:kr("Animation","AnimationEnd"),animationiteration:kr("Animation","AnimationIteration"),animationstart:kr("Animation","AnimationStart"),transitionend:kr("Transition","TransitionEnd")},Sr={},Er={};function Cr(e){if(Sr[e])return Sr[e];if(!xr[e])return e;var t,n=xr[e];for(t in n)if(n.hasOwnProperty(t)&&t in Er)return Sr[e]=n[t];return e}c&&(Er=document.createElement("div").style,"AnimationEvent"in window||(delete xr.animationend.animation,delete xr.animationiteration.animation,delete xr.animationstart.animation),"TransitionEvent"in window||delete xr.transitionend.transition);var _r=Cr("animationend"),Pr=Cr("animationiteration"),Nr=Cr("animationstart"),Or=Cr("transitionend"),Mr=new Map,Tr="abort auxClick cancel canPlay canPlayThrough click close contextMenu copy cut drag dragEnd dragEnter dragExit dragLeave dragOver dragStart drop durationChange emptied encrypted ended error gotPointerCapture input invalid keyDown keyPress keyUp load loadedData loadedMetadata loadStart lostPointerCapture mouseDown mouseMove mouseOut mouseOver mouseUp paste pause play playing pointerCancel pointerDown pointerMove pointerOut pointerOver pointerUp progress rateChange reset resize seeked seeking stalled submit suspend timeUpdate touchCancel touchEnd touchStart volumeChange scroll toggle touchMove waiting wheel".split(" ");function Lr(e,t){Mr.set(e,t),u(t,[e])}for(var Rr=0;Rr<Tr.length;Rr++){var zr=Tr[Rr];Lr(zr.toLowerCase(),"on"+(zr[0].toUpperCase()+zr.slice(1)))}Lr(_r,"onAnimationEnd"),Lr(Pr,"onAnimationIteration"),Lr(Nr,"onAnimationStart"),Lr("dblclick","onDoubleClick"),Lr("focusin","onFocus"),Lr("focusout","onBlur"),Lr(Or,"onTransitionEnd"),s("onMouseEnter",["mouseout","mouseover"]),s("onMouseLeave",["mouseout","mouseover"]),s("onPointerEnter",["pointerout","pointerover"]),s("onPointerLeave",["pointerout","pointerover"]),u("onChange","change click focusin focusout input keydown keyup selectionchange".split(" ")),u("onSelect","focusout contextmenu dragend focusin keydown keyup mousedown mouseup selectionchange".split(" ")),u("onBeforeInput",["compositionend","keypress","textInput","paste"]),u("onCompositionEnd","compositionend focusout keydown keypress keyup mousedown".split(" ")),u("onCompositionStart","compositionstart focusout keydown keypress keyup mousedown".split(" ")),u("onCompositionUpdate","compositionupdate focusout keydown keypress keyup mousedown".split(" "));var Dr="abort canplay canplaythrough durationchange emptied encrypted ended error loadeddata loadedmetadata loadstart pause play playing progress ratechange resize seeked seeking stalled suspend timeupdate volumechange waiting".split(" "),Ir=new Set("cancel close invalid load scroll toggle".split(" ").concat(Dr));function jr(e,t,n){var r=e.type||"unknown-event";e.currentTarget=n,function(e,t,n,r,a,l,i,u,s){if(Ue.apply(this,arguments),Ie){if(!Ie)throw Error(o(198));var c=je;Ie=!1,je=null,Fe||(Fe=!0,Ae=c)}}(r,t,void 0,e),e.currentTarget=null}function Fr(e,t){t=0!=(4&t);for(var n=0;n<e.length;n++){var r=e[n],a=r.event;r=r.listeners;e:{var o=void 0;if(t)for(var l=r.length-1;0<=l;l--){var i=r[l],u=i.instance,s=i.currentTarget;if(i=i.listener,u!==o&&a.isPropagationStopped())break e;jr(a,i,s),o=u}else for(l=0;l<r.length;l++){if(u=(i=r[l]).instance,s=i.currentTarget,i=i.listener,u!==o&&a.isPropagationStopped())break e;jr(a,i,s),o=u}}}if(Fe)throw e=Ae,Fe=!1,Ae=null,e}function Ar(e,t){var n=t[ma];void 0===n&&(n=t[ma]=new Set);var r=e+"__bubble";n.has(r)||(Wr(t,e,2,!1),n.add(r))}function $r(e,t,n){var r=0;t&&(r|=4),Wr(n,e,r,t)}var Ur="_reactListening"+Math.random().toString(36).slice(2);function Br(e){if(!e[Ur]){e[Ur]=!0,l.forEach((function(t){"selectionchange"!==t&&(Ir.has(t)||$r(t,!1,e),$r(t,!0,e))}));var t=9===e.nodeType?e:e.ownerDocument;null===t||t[Ur]||(t[Ur]=!0,$r("selectionchange",!1,t))}}function Wr(e,t,n,r){switch(Xt(t)){case 1:var a=Vt;break;case 4:a=Qt;break;default:a=Kt}n=a.bind(null,t,n,e),a=void 0,!Re||"touchstart"!==t&&"touchmove"!==t&&"wheel"!==t||(a=!0),r?void 0!==a?e.addEventListener(t,n,{capture:!0,passive:a}):e.addEventListener(t,n,!0):void 0!==a?e.addEventListener(t,n,{passive:a}):e.addEventListener(t,n,!1)}function Hr(e,t,n,r,a){var o=r;if(0==(1&t)&&0==(2&t)&&null!==r)e:for(;;){if(null===r)return;var l=r.tag;if(3===l||4===l){var i=r.stateNode.containerInfo;if(i===a||8===i.nodeType&&i.parentNode===a)break;if(4===l)for(l=r.return;null!==l;){var u=l.tag;if((3===u||4===u)&&((u=l.stateNode.containerInfo)===a||8===u.nodeType&&u.parentNode===a))return;l=l.return}for(;null!==i;){if(null===(l=ya(i)))return;if(5===(u=l.tag)||6===u){r=o=l;continue e}i=i.parentNode}}r=r.return}Te((function(){var r=o,a=ke(n),l=[];e:{var i=Mr.get(e);if(void 0!==i){var u=cn,s=e;switch(e){case"keypress":if(0===tn(n))break e;case"keydown":case"keyup":u=Pn;break;case"focusin":s="focus",u=vn;break;case"focusout":s="blur",u=vn;break;case"beforeblur":case"afterblur":u=vn;break;case"click":if(2===n.button)break e;case"auxclick":case"dblclick":case"mousedown":case"mousemove":case"mouseup":case"mouseout":case"mouseover":case"contextmenu":u=hn;break;case"drag":case"dragend":case"dragenter":case"dragexit":case"dragleave":case"dragover":case"dragstart":case"drop":u=mn;break;case"touchcancel":case"touchend":case"touchmove":case"touchstart":u=On;break;case _r:case Pr:case Nr:u=gn;break;case Or:u=Mn;break;case"scroll":u=dn;break;case"wheel":u=Ln;break;case"copy":case"cut":case"paste":u=bn;break;case"gotpointercapture":case"lostpointercapture":case"pointercancel":case"pointerdown":case"pointermove":case"pointerout":case"pointerover":case"pointerup":u=Nn}var c=0!=(4&t),f=!c&&"scroll"===e,d=c?null!==i?i+"Capture":null:i;c=[];for(var p,h=r;null!==h;){var m=(p=h).stateNode;if(5===p.tag&&null!==m&&(p=m,null!==d&&(null!=(m=Le(h,d))&&c.push(Vr(h,m,p)))),f)break;h=h.return}0<c.length&&(i=new u(i,s,null,n,a),l.push({event:i,listeners:c}))}}if(0==(7&t)){if(u="mouseout"===e||"pointerout"===e,(!(i="mouseover"===e||"pointerover"===e)||n===we||!(s=n.relatedTarget||n.fromElement)||!ya(s)&&!s[ha])&&(u||i)&&(i=a.window===a?a:(i=a.ownerDocument)?i.defaultView||i.parentWindow:window,u?(u=r,null!==(s=(s=n.relatedTarget||n.toElement)?ya(s):null)&&(s!==(f=Be(s))||5!==s.tag&&6!==s.tag)&&(s=null)):(u=null,s=r),u!==s)){if(c=hn,m="onMouseLeave",d="onMouseEnter",h="mouse","pointerout"!==e&&"pointerover"!==e||(c=Nn,m="onPointerLeave",d="onPointerEnter",h="pointer"),f=null==u?i:wa(u),p=null==s?i:wa(s),(i=new c(m,h+"leave",u,n,a)).target=f,i.relatedTarget=p,m=null,ya(a)===r&&((c=new c(d,h+"enter",s,n,a)).target=p,c.relatedTarget=f,m=c),f=m,u&&s)e:{for(d=s,h=0,p=c=u;p;p=Kr(p))h++;for(p=0,m=d;m;m=Kr(m))p++;for(;0<h-p;)c=Kr(c),h--;for(;0<p-h;)d=Kr(d),p--;for(;h--;){if(c===d||null!==d&&c===d.alternate)break e;c=Kr(c),d=Kr(d)}c=null}else c=null;null!==u&&qr(l,i,u,c,!1),null!==s&&null!==f&&qr(l,f,s,c,!0)}if("select"===(u=(i=r?wa(r):window).nodeName&&i.nodeName.toLowerCase())||"input"===u&&"file"===i.type)var v=Xn;else if(Hn(i))if(Gn)v=lr;else{v=ar;var g=rr}else(u=i.nodeName)&&"input"===u.toLowerCase()&&("checkbox"===i.type||"radio"===i.type)&&(v=or);switch(v&&(v=v(e,r))?Vn(l,v,n,a):(g&&g(e,i,r),"focusout"===e&&(g=i._wrapperState)&&g.controlled&&"number"===i.type&&ee(i,"number",i.value)),g=r?wa(r):window,e){case"focusin":(Hn(g)||"true"===g.contentEditable)&&(vr=g,gr=r,yr=null);break;case"focusout":yr=gr=vr=null;break;case"mousedown":br=!0;break;case"contextmenu":case"mouseup":case"dragend":br=!1,wr(l,n,a);break;case"selectionchange":if(mr)break;case"keydown":case"keyup":wr(l,n,a)}var y;if(zn)e:{switch(e){case"compositionstart":var b="onCompositionStart";break e;case"compositionend":b="onCompositionEnd";break e;case"compositionupdate":b="onCompositionUpdate";break e}b=void 0}else Bn?$n(e,n)&&(b="onCompositionEnd"):"keydown"===e&&229===n.keyCode&&(b="onCompositionStart");b&&(jn&&"ko"!==n.locale&&(Bn||"onCompositionStart"!==b?"onCompositionEnd"===b&&Bn&&(y=en()):(Jt="value"in(Gt=a)?Gt.value:Gt.textContent,Bn=!0)),0<(g=Qr(r,b)).length&&(b=new wn(b,e,null,n,a),l.push({event:b,listeners:g}),y?b.data=y:null!==(y=Un(n))&&(b.data=y))),(y=In?function(e,t){switch(e){case"compositionend":return Un(t);case"keypress":return 32!==t.which?null:(An=!0,Fn);case"textInput":return(e=t.data)===Fn&&An?null:e;default:return null}}(e,n):function(e,t){if(Bn)return"compositionend"===e||!zn&&$n(e,t)?(e=en(),Zt=Jt=Gt=null,Bn=!1,e):null;switch(e){case"paste":default:return null;case"keypress":if(!(t.ctrlKey||t.altKey||t.metaKey)||t.ctrlKey&&t.altKey){if(t.char&&1<t.char.length)return t.char;if(t.which)return String.fromCharCode(t.which)}return null;case"compositionend":return jn&&"ko"!==t.locale?null:t.data}}(e,n))&&(0<(r=Qr(r,"onBeforeInput")).length&&(a=new wn("onBeforeInput","beforeinput",null,n,a),l.push({event:a,listeners:r}),a.data=y))}Fr(l,t)}))}function Vr(e,t,n){return{instance:e,listener:t,currentTarget:n}}function Qr(e,t){for(var n=t+"Capture",r=[];null!==e;){var a=e,o=a.stateNode;5===a.tag&&null!==o&&(a=o,null!=(o=Le(e,n))&&r.unshift(Vr(e,o,a)),null!=(o=Le(e,t))&&r.push(Vr(e,o,a))),e=e.return}return r}function Kr(e){if(null===e)return null;do{e=e.return}while(e&&5!==e.tag);return e||null}function qr(e,t,n,r,a){for(var o=t._reactName,l=[];null!==n&&n!==r;){var i=n,u=i.alternate,s=i.stateNode;if(null!==u&&u===r)break;5===i.tag&&null!==s&&(i=s,a?null!=(u=Le(n,o))&&l.unshift(Vr(n,u,i)):a||null!=(u=Le(n,o))&&l.push(Vr(n,u,i))),n=n.return}0!==l.length&&e.push({event:t,listeners:l})}var Yr=/\r\n?/g,Xr=/\u0000|\uFFFD/g;function Gr(e){return("string"==typeof e?e:""+e).replace(Yr,"\n").replace(Xr,"")}function Jr(e,t,n){if(t=Gr(t),Gr(e)!==t&&n)throw Error(o(425))}function Zr(){}var ea=null,ta=null;function na(e,t){return"textarea"===e||"noscript"===e||"string"==typeof t.children||"number"==typeof t.children||"object"==typeof t.dangerouslySetInnerHTML&&null!==t.dangerouslySetInnerHTML&&null!=t.dangerouslySetInnerHTML.__html}var ra="function"==typeof setTimeout?setTimeout:void 0,aa="function"==typeof clearTimeout?clearTimeout:void 0,oa="function"==typeof Promise?Promise:void 0,la="function"==typeof queueMicrotask?queueMicrotask:void 0!==oa?function(e){return oa.resolve(null).then(e).catch(ia)}:ra;function ia(e){setTimeout((function(){throw e}))}function ua(e,t){var n=t,r=0;do{var a=n.nextSibling;if(e.removeChild(n),a&&8===a.nodeType)if("/$"===(n=a.data)){if(0===r)return e.removeChild(a),void Bt(t);r--}else"$"!==n&&"$?"!==n&&"$!"!==n||r++;n=a}while(n);Bt(t)}function sa(e){for(;null!=e;e=e.nextSibling){var t=e.nodeType;if(1===t||3===t)break;if(8===t){if("$"===(t=e.data)||"$!"===t||"$?"===t)break;if("/$"===t)return null}}return e}function ca(e){e=e.previousSibling;for(var t=0;e;){if(8===e.nodeType){var n=e.data;if("$"===n||"$!"===n||"$?"===n){if(0===t)return e;t--}else"/$"===n&&t++}e=e.previousSibling}return null}var fa=Math.random().toString(36).slice(2),da="__reactFiber$"+fa,pa="__reactProps$"+fa,ha="__reactContainer$"+fa,ma="__reactEvents$"+fa,va="__reactListeners$"+fa,ga="__reactHandles$"+fa;function ya(e){var t=e[da];if(t)return t;for(var n=e.parentNode;n;){if(t=n[ha]||n[da]){if(n=t.alternate,null!==t.child||null!==n&&null!==n.child)for(e=ca(e);null!==e;){if(n=e[da])return n;e=ca(e)}return t}n=(e=n).parentNode}return null}function ba(e){return!(e=e[da]||e[ha])||5!==e.tag&&6!==e.tag&&13!==e.tag&&3!==e.tag?null:e}function wa(e){if(5===e.tag||6===e.tag)return e.stateNode;throw Error(o(33))}function ka(e){return e[pa]||null}var xa=[],Sa=-1;function Ea(e){return{current:e}}function Ca(e){0>Sa||(e.current=xa[Sa],xa[Sa]=null,Sa--)}function _a(e,t){Sa++,xa[Sa]=e.current,e.current=t}var Pa={},Na=Ea(Pa),Oa=Ea(!1),Ma=Pa;function Ta(e,t){var n=e.type.contextTypes;if(!n)return Pa;var r=e.stateNode;if(r&&r.__reactInternalMemoizedUnmaskedChildContext===t)return r.__reactInternalMemoizedMaskedChildContext;var a,o={};for(a in n)o[a]=t[a];return r&&((e=e.stateNode).__reactInternalMemoizedUnmaskedChildContext=t,e.__reactInternalMemoizedMaskedChildContext=o),o}function La(e){return null!=(e=e.childContextTypes)}function Ra(){Ca(Oa),Ca(Na)}function za(e,t,n){if(Na.current!==Pa)throw Error(o(168));_a(Na,t),_a(Oa,n)}function Da(e,t,n){var r=e.stateNode;if(t=t.childContextTypes,"function"!=typeof r.getChildContext)return n;for(var a in r=r.getChildContext())if(!(a in t))throw Error(o(108,W(e)||"Unknown",a));return j({},n,r)}function Ia(e){return e=(e=e.stateNode)&&e.__reactInternalMemoizedMergedChildContext||Pa,Ma=Na.current,_a(Na,e),_a(Oa,Oa.current),!0}function ja(e,t,n){var r=e.stateNode;if(!r)throw Error(o(169));n?(e=Da(e,t,Ma),r.__reactInternalMemoizedMergedChildContext=e,Ca(Oa),Ca(Na),_a(Na,e)):Ca(Oa),_a(Oa,n)}var Fa=null,Aa=!1,$a=!1;function Ua(e){null===Fa?Fa=[e]:Fa.push(e)}function Ba(){if(!$a&&null!==Fa){$a=!0;var e=0,t=bt;try{var n=Fa;for(bt=1;e<n.length;e++){var r=n[e];do{r=r(!0)}while(null!==r)}Fa=null,Aa=!1}catch(t){throw null!==Fa&&(Fa=Fa.slice(e+1)),Ke(Ze,Ba),t}finally{bt=t,$a=!1}}return null}var Wa=[],Ha=0,Va=null,Qa=0,Ka=[],qa=0,Ya=null,Xa=1,Ga="";function Ja(e,t){Wa[Ha++]=Qa,Wa[Ha++]=Va,Va=e,Qa=t}function Za(e,t,n){Ka[qa++]=Xa,Ka[qa++]=Ga,Ka[qa++]=Ya,Ya=e;var r=Xa;e=Ga;var a=32-lt(r)-1;r&=~(1<<a),n+=1;var o=32-lt(t)+a;if(30<o){var l=a-a%5;o=(r&(1<<l)-1).toString(32),r>>=l,a-=l,Xa=1<<32-lt(t)+a|n<<a|r,Ga=o+e}else Xa=1<<o|n<<a|r,Ga=e}function eo(e){null!==e.return&&(Ja(e,1),Za(e,1,0))}function to(e){for(;e===Va;)Va=Wa[--Ha],Wa[Ha]=null,Qa=Wa[--Ha],Wa[Ha]=null;for(;e===Ya;)Ya=Ka[--qa],Ka[qa]=null,Ga=Ka[--qa],Ka[qa]=null,Xa=Ka[--qa],Ka[qa]=null}var no=null,ro=null,ao=!1,oo=null;function lo(e,t){var n=Ls(5,null,null,0);n.elementType="DELETED",n.stateNode=t,n.return=e,null===(t=e.deletions)?(e.deletions=[n],e.flags|=16):t.push(n)}function io(e,t){switch(e.tag){case 5:var n=e.type;return null!==(t=1!==t.nodeType||n.toLowerCase()!==t.nodeName.toLowerCase()?null:t)&&(e.stateNode=t,no=e,ro=sa(t.firstChild),!0);case 6:return null!==(t=""===e.pendingProps||3!==t.nodeType?null:t)&&(e.stateNode=t,no=e,ro=null,!0);case 13:return null!==(t=8!==t.nodeType?null:t)&&(n=null!==Ya?{id:Xa,overflow:Ga}:null,e.memoizedState={dehydrated:t,treeContext:n,retryLane:1073741824},(n=Ls(18,null,null,0)).stateNode=t,n.return=e,e.child=n,no=e,ro=null,!0);default:return!1}}function uo(e){return 0!=(1&e.mode)&&0==(128&e.flags)}function so(e){if(ao){var t=ro;if(t){var n=t;if(!io(e,t)){if(uo(e))throw Error(o(418));t=sa(n.nextSibling);var r=no;t&&io(e,t)?lo(r,n):(e.flags=-4097&e.flags|2,ao=!1,no=e)}}else{if(uo(e))throw Error(o(418));e.flags=-4097&e.flags|2,ao=!1,no=e}}}function co(e){for(e=e.return;null!==e&&5!==e.tag&&3!==e.tag&&13!==e.tag;)e=e.return;no=e}function fo(e){if(e!==no)return!1;if(!ao)return co(e),ao=!0,!1;var t;if((t=3!==e.tag)&&!(t=5!==e.tag)&&(t="head"!==(t=e.type)&&"body"!==t&&!na(e.type,e.memoizedProps)),t&&(t=ro)){if(uo(e))throw po(),Error(o(418));for(;t;)lo(e,t),t=sa(t.nextSibling)}if(co(e),13===e.tag){if(!(e=null!==(e=e.memoizedState)?e.dehydrated:null))throw Error(o(317));e:{for(e=e.nextSibling,t=0;e;){if(8===e.nodeType){var n=e.data;if("/$"===n){if(0===t){ro=sa(e.nextSibling);break e}t--}else"$"!==n&&"$!"!==n&&"$?"!==n||t++}e=e.nextSibling}ro=null}}else ro=no?sa(e.stateNode.nextSibling):null;return!0}function po(){for(var e=ro;e;)e=sa(e.nextSibling)}function ho(){ro=no=null,ao=!1}function mo(e){null===oo?oo=[e]:oo.push(e)}var vo=w.ReactCurrentBatchConfig;function go(e,t){if(e&&e.defaultProps){for(var n in t=j({},t),e=e.defaultProps)void 0===t[n]&&(t[n]=e[n]);return t}return t}var yo=Ea(null),bo=null,wo=null,ko=null;function xo(){ko=wo=bo=null}function So(e){var t=yo.current;Ca(yo),e._currentValue=t}function Eo(e,t,n){for(;null!==e;){var r=e.alternate;if((e.childLanes&t)!==t?(e.childLanes|=t,null!==r&&(r.childLanes|=t)):null!==r&&(r.childLanes&t)!==t&&(r.childLanes|=t),e===n)break;e=e.return}}function Co(e,t){bo=e,ko=wo=null,null!==(e=e.dependencies)&&null!==e.firstContext&&(0!=(e.lanes&t)&&(wi=!0),e.firstContext=null)}function _o(e){var t=e._currentValue;if(ko!==e)if(e={context:e,memoizedValue:t,next:null},null===wo){if(null===bo)throw Error(o(308));wo=e,bo.dependencies={lanes:0,firstContext:e}}else wo=wo.next=e;return t}var Po=null;function No(e){null===Po?Po=[e]:Po.push(e)}function Oo(e,t,n,r){var a=t.interleaved;return null===a?(n.next=n,No(t)):(n.next=a.next,a.next=n),t.interleaved=n,Mo(e,r)}function Mo(e,t){e.lanes|=t;var n=e.alternate;for(null!==n&&(n.lanes|=t),n=e,e=e.return;null!==e;)e.childLanes|=t,null!==(n=e.alternate)&&(n.childLanes|=t),n=e,e=e.return;return 3===n.tag?n.stateNode:null}var To=!1;function Lo(e){e.updateQueue={baseState:e.memoizedState,firstBaseUpdate:null,lastBaseUpdate:null,shared:{pending:null,interleaved:null,lanes:0},effects:null}}function Ro(e,t){e=e.updateQueue,t.updateQueue===e&&(t.updateQueue={baseState:e.baseState,firstBaseUpdate:e.firstBaseUpdate,lastBaseUpdate:e.lastBaseUpdate,shared:e.shared,effects:e.effects})}function zo(e,t){return{eventTime:e,lane:t,tag:0,payload:null,callback:null,next:null}}function Do(e,t,n){var r=e.updateQueue;if(null===r)return null;if(r=r.shared,0!=(2&Ou)){var a=r.pending;return null===a?t.next=t:(t.next=a.next,a.next=t),r.pending=t,Mo(e,n)}return null===(a=r.interleaved)?(t.next=t,No(r)):(t.next=a.next,a.next=t),r.interleaved=t,Mo(e,n)}function Io(e,t,n){if(null!==(t=t.updateQueue)&&(t=t.shared,0!=(4194240&n))){var r=t.lanes;n|=r&=e.pendingLanes,t.lanes=n,yt(e,n)}}function jo(e,t){var n=e.updateQueue,r=e.alternate;if(null!==r&&n===(r=r.updateQueue)){var a=null,o=null;if(null!==(n=n.firstBaseUpdate)){do{var l={eventTime:n.eventTime,lane:n.lane,tag:n.tag,payload:n.payload,callback:n.callback,next:null};null===o?a=o=l:o=o.next=l,n=n.next}while(null!==n);null===o?a=o=t:o=o.next=t}else a=o=t;return n={baseState:r.baseState,firstBaseUpdate:a,lastBaseUpdate:o,shared:r.shared,effects:r.effects},void(e.updateQueue=n)}null===(e=n.lastBaseUpdate)?n.firstBaseUpdate=t:e.next=t,n.lastBaseUpdate=t}function Fo(e,t,n,r){var a=e.updateQueue;To=!1;var o=a.firstBaseUpdate,l=a.lastBaseUpdate,i=a.shared.pending;if(null!==i){a.shared.pending=null;var u=i,s=u.next;u.next=null,null===l?o=s:l.next=s,l=u;var c=e.alternate;null!==c&&((i=(c=c.updateQueue).lastBaseUpdate)!==l&&(null===i?c.firstBaseUpdate=s:i.next=s,c.lastBaseUpdate=u))}if(null!==o){var f=a.baseState;for(l=0,c=s=u=null,i=o;;){var d=i.lane,p=i.eventTime;if((r&d)===d){null!==c&&(c=c.next={eventTime:p,lane:0,tag:i.tag,payload:i.payload,callback:i.callback,next:null});e:{var h=e,m=i;switch(d=t,p=n,m.tag){case 1:if("function"==typeof(h=m.payload)){f=h.call(p,f,d);break e}f=h;break e;case 3:h.flags=-65537&h.flags|128;case 0:if(null==(d="function"==typeof(h=m.payload)?h.call(p,f,d):h))break e;f=j({},f,d);break e;case 2:To=!0}}null!==i.callback&&0!==i.lane&&(e.flags|=64,null===(d=a.effects)?a.effects=[i]:d.push(i))}else p={eventTime:p,lane:d,tag:i.tag,payload:i.payload,callback:i.callback,next:null},null===c?(s=c=p,u=f):c=c.next=p,l|=d;if(null===(i=i.next)){if(null===(i=a.shared.pending))break;i=(d=i).next,d.next=null,a.lastBaseUpdate=d,a.shared.pending=null}}if(null===c&&(u=f),a.baseState=u,a.firstBaseUpdate=s,a.lastBaseUpdate=c,null!==(t=a.shared.interleaved)){a=t;do{l|=a.lane,a=a.next}while(a!==t)}else null===o&&(a.shared.lanes=0);ju|=l,e.lanes=l,e.memoizedState=f}}function Ao(e,t,n){if(e=t.effects,t.effects=null,null!==e)for(t=0;t<e.length;t++){var r=e[t],a=r.callback;if(null!==a){if(r.callback=null,r=n,"function"!=typeof a)throw Error(o(191,a));a.call(r)}}}var $o=(new r.Component).refs;function Uo(e,t,n,r){n=null==(n=n(r,t=e.memoizedState))?t:j({},t,n),e.memoizedState=n,0===e.lanes&&(e.updateQueue.baseState=n)}var Bo={isMounted:function(e){return!!(e=e._reactInternals)&&Be(e)===e},enqueueSetState:function(e,t,n){e=e._reactInternals;var r=ts(),a=ns(e),o=zo(r,a);o.payload=t,null!=n&&(o.callback=n),null!==(t=Do(e,o,a))&&(rs(t,e,a,r),Io(t,e,a))},enqueueReplaceState:function(e,t,n){e=e._reactInternals;var r=ts(),a=ns(e),o=zo(r,a);o.tag=1,o.payload=t,null!=n&&(o.callback=n),null!==(t=Do(e,o,a))&&(rs(t,e,a,r),Io(t,e,a))},enqueueForceUpdate:function(e,t){e=e._reactInternals;var n=ts(),r=ns(e),a=zo(n,r);a.tag=2,null!=t&&(a.callback=t),null!==(t=Do(e,a,r))&&(rs(t,e,r,n),Io(t,e,r))}};function Wo(e,t,n,r,a,o,l){return"function"==typeof(e=e.stateNode).shouldComponentUpdate?e.shouldComponentUpdate(r,o,l):!t.prototype||!t.prototype.isPureReactComponent||(!ur(n,r)||!ur(a,o))}function Ho(e,t,n){var r=!1,a=Pa,o=t.contextType;return"object"==typeof o&&null!==o?o=_o(o):(a=La(t)?Ma:Na.current,o=(r=null!=(r=t.contextTypes))?Ta(e,a):Pa),t=new t(n,o),e.memoizedState=null!==t.state&&void 0!==t.state?t.state:null,t.updater=Bo,e.stateNode=t,t._reactInternals=e,r&&((e=e.stateNode).__reactInternalMemoizedUnmaskedChildContext=a,e.__reactInternalMemoizedMaskedChildContext=o),t}function Vo(e,t,n,r){e=t.state,"function"==typeof t.componentWillReceiveProps&&t.componentWillReceiveProps(n,r),"function"==typeof t.UNSAFE_componentWillReceiveProps&&t.UNSAFE_componentWillReceiveProps(n,r),t.state!==e&&Bo.enqueueReplaceState(t,t.state,null)}function Qo(e,t,n,r){var a=e.stateNode;a.props=n,a.state=e.memoizedState,a.refs=$o,Lo(e);var o=t.contextType;"object"==typeof o&&null!==o?a.context=_o(o):(o=La(t)?Ma:Na.current,a.context=Ta(e,o)),a.state=e.memoizedState,"function"==typeof(o=t.getDerivedStateFromProps)&&(Uo(e,t,o,n),a.state=e.memoizedState),"function"==typeof t.getDerivedStateFromProps||"function"==typeof a.getSnapshotBeforeUpdate||"function"!=typeof a.UNSAFE_componentWillMount&&"function"!=typeof a.componentWillMount||(t=a.state,"function"==typeof a.componentWillMount&&a.componentWillMount(),"function"==typeof a.UNSAFE_componentWillMount&&a.UNSAFE_componentWillMount(),t!==a.state&&Bo.enqueueReplaceState(a,a.state,null),Fo(e,n,a,r),a.state=e.memoizedState),"function"==typeof a.componentDidMount&&(e.flags|=4194308)}function Ko(e,t,n){if(null!==(e=n.ref)&&"function"!=typeof e&&"object"!=typeof e){if(n._owner){if(n=n._owner){if(1!==n.tag)throw Error(o(309));var r=n.stateNode}if(!r)throw Error(o(147,e));var a=r,l=""+e;return null!==t&&null!==t.ref&&"function"==typeof t.ref&&t.ref._stringRef===l?t.ref:(t=function(e){var t=a.refs;t===$o&&(t=a.refs={}),null===e?delete t[l]:t[l]=e},t._stringRef=l,t)}if("string"!=typeof e)throw Error(o(284));if(!n._owner)throw Error(o(290,e))}return e}function qo(e,t){throw e=Object.prototype.toString.call(t),Error(o(31,"[object Object]"===e?"object with keys {"+Object.keys(t).join(", ")+"}":e))}function Yo(e){return(0,e._init)(e._payload)}function Xo(e){function t(t,n){if(e){var r=t.deletions;null===r?(t.deletions=[n],t.flags|=16):r.push(n)}}function n(n,r){if(!e)return null;for(;null!==r;)t(n,r),r=r.sibling;return null}function r(e,t){for(e=new Map;null!==t;)null!==t.key?e.set(t.key,t):e.set(t.index,t),t=t.sibling;return e}function a(e,t){return(e=zs(e,t)).index=0,e.sibling=null,e}function l(t,n,r){return t.index=r,e?null!==(r=t.alternate)?(r=r.index)<n?(t.flags|=2,n):r:(t.flags|=2,n):(t.flags|=1048576,n)}function i(t){return e&&null===t.alternate&&(t.flags|=2),t}function u(e,t,n,r){return null===t||6!==t.tag?((t=Fs(n,e.mode,r)).return=e,t):((t=a(t,n)).return=e,t)}function s(e,t,n,r){var o=n.type;return o===S?f(e,t,n.props.children,r,n.key):null!==t&&(t.elementType===o||"object"==typeof o&&null!==o&&o.$$typeof===L&&Yo(o)===t.type)?((r=a(t,n.props)).ref=Ko(e,t,n),r.return=e,r):((r=Ds(n.type,n.key,n.props,null,e.mode,r)).ref=Ko(e,t,n),r.return=e,r)}function c(e,t,n,r){return null===t||4!==t.tag||t.stateNode.containerInfo!==n.containerInfo||t.stateNode.implementation!==n.implementation?((t=As(n,e.mode,r)).return=e,t):((t=a(t,n.children||[])).return=e,t)}function f(e,t,n,r,o){return null===t||7!==t.tag?((t=Is(n,e.mode,r,o)).return=e,t):((t=a(t,n)).return=e,t)}function d(e,t,n){if("string"==typeof t&&""!==t||"number"==typeof t)return(t=Fs(""+t,e.mode,n)).return=e,t;if("object"==typeof t&&null!==t){switch(t.$$typeof){case k:return(n=Ds(t.type,t.key,t.props,null,e.mode,n)).ref=Ko(e,null,t),n.return=e,n;case x:return(t=As(t,e.mode,n)).return=e,t;case L:return d(e,(0,t._init)(t._payload),n)}if(te(t)||D(t))return(t=Is(t,e.mode,n,null)).return=e,t;qo(e,t)}return null}function p(e,t,n,r){var a=null!==t?t.key:null;if("string"==typeof n&&""!==n||"number"==typeof n)return null!==a?null:u(e,t,""+n,r);if("object"==typeof n&&null!==n){switch(n.$$typeof){case k:return n.key===a?s(e,t,n,r):null;case x:return n.key===a?c(e,t,n,r):null;case L:return p(e,t,(a=n._init)(n._payload),r)}if(te(n)||D(n))return null!==a?null:f(e,t,n,r,null);qo(e,n)}return null}function h(e,t,n,r,a){if("string"==typeof r&&""!==r||"number"==typeof r)return u(t,e=e.get(n)||null,""+r,a);if("object"==typeof r&&null!==r){switch(r.$$typeof){case k:return s(t,e=e.get(null===r.key?n:r.key)||null,r,a);case x:return c(t,e=e.get(null===r.key?n:r.key)||null,r,a);case L:return h(e,t,n,(0,r._init)(r._payload),a)}if(te(r)||D(r))return f(t,e=e.get(n)||null,r,a,null);qo(t,r)}return null}function m(a,o,i,u){for(var s=null,c=null,f=o,m=o=0,v=null;null!==f&&m<i.length;m++){f.index>m?(v=f,f=null):v=f.sibling;var g=p(a,f,i[m],u);if(null===g){null===f&&(f=v);break}e&&f&&null===g.alternate&&t(a,f),o=l(g,o,m),null===c?s=g:c.sibling=g,c=g,f=v}if(m===i.length)return n(a,f),ao&&Ja(a,m),s;if(null===f){for(;m<i.length;m++)null!==(f=d(a,i[m],u))&&(o=l(f,o,m),null===c?s=f:c.sibling=f,c=f);return ao&&Ja(a,m),s}for(f=r(a,f);m<i.length;m++)null!==(v=h(f,a,m,i[m],u))&&(e&&null!==v.alternate&&f.delete(null===v.key?m:v.key),o=l(v,o,m),null===c?s=v:c.sibling=v,c=v);return e&&f.forEach((function(e){return t(a,e)})),ao&&Ja(a,m),s}function v(a,i,u,s){var c=D(u);if("function"!=typeof c)throw Error(o(150));if(null==(u=c.call(u)))throw Error(o(151));for(var f=c=null,m=i,v=i=0,g=null,y=u.next();null!==m&&!y.done;v++,y=u.next()){m.index>v?(g=m,m=null):g=m.sibling;var b=p(a,m,y.value,s);if(null===b){null===m&&(m=g);break}e&&m&&null===b.alternate&&t(a,m),i=l(b,i,v),null===f?c=b:f.sibling=b,f=b,m=g}if(y.done)return n(a,m),ao&&Ja(a,v),c;if(null===m){for(;!y.done;v++,y=u.next())null!==(y=d(a,y.value,s))&&(i=l(y,i,v),null===f?c=y:f.sibling=y,f=y);return ao&&Ja(a,v),c}for(m=r(a,m);!y.done;v++,y=u.next())null!==(y=h(m,a,v,y.value,s))&&(e&&null!==y.alternate&&m.delete(null===y.key?v:y.key),i=l(y,i,v),null===f?c=y:f.sibling=y,f=y);return e&&m.forEach((function(e){return t(a,e)})),ao&&Ja(a,v),c}return function e(r,o,l,u){if("object"==typeof l&&null!==l&&l.type===S&&null===l.key&&(l=l.props.children),"object"==typeof l&&null!==l){switch(l.$$typeof){case k:e:{for(var s=l.key,c=o;null!==c;){if(c.key===s){if((s=l.type)===S){if(7===c.tag){n(r,c.sibling),(o=a(c,l.props.children)).return=r,r=o;break e}}else if(c.elementType===s||"object"==typeof s&&null!==s&&s.$$typeof===L&&Yo(s)===c.type){n(r,c.sibling),(o=a(c,l.props)).ref=Ko(r,c,l),o.return=r,r=o;break e}n(r,c);break}t(r,c),c=c.sibling}l.type===S?((o=Is(l.props.children,r.mode,u,l.key)).return=r,r=o):((u=Ds(l.type,l.key,l.props,null,r.mode,u)).ref=Ko(r,o,l),u.return=r,r=u)}return i(r);case x:e:{for(c=l.key;null!==o;){if(o.key===c){if(4===o.tag&&o.stateNode.containerInfo===l.containerInfo&&o.stateNode.implementation===l.implementation){n(r,o.sibling),(o=a(o,l.children||[])).return=r,r=o;break e}n(r,o);break}t(r,o),o=o.sibling}(o=As(l,r.mode,u)).return=r,r=o}return i(r);case L:return e(r,o,(c=l._init)(l._payload),u)}if(te(l))return m(r,o,l,u);if(D(l))return v(r,o,l,u);qo(r,l)}return"string"==typeof l&&""!==l||"number"==typeof l?(l=""+l,null!==o&&6===o.tag?(n(r,o.sibling),(o=a(o,l)).return=r,r=o):(n(r,o),(o=Fs(l,r.mode,u)).return=r,r=o),i(r)):n(r,o)}}var Go=Xo(!0),Jo=Xo(!1),Zo={},el=Ea(Zo),tl=Ea(Zo),nl=Ea(Zo);function rl(e){if(e===Zo)throw Error(o(174));return e}function al(e,t){switch(_a(nl,t),_a(tl,e),_a(el,Zo),e=t.nodeType){case 9:case 11:t=(t=t.documentElement)?t.namespaceURI:ue(null,"");break;default:t=ue(t=(e=8===e?t.parentNode:t).namespaceURI||null,e=e.tagName)}Ca(el),_a(el,t)}function ol(){Ca(el),Ca(tl),Ca(nl)}function ll(e){rl(nl.current);var t=rl(el.current),n=ue(t,e.type);t!==n&&(_a(tl,e),_a(el,n))}function il(e){tl.current===e&&(Ca(el),Ca(tl))}var ul=Ea(0);function sl(e){for(var t=e;null!==t;){if(13===t.tag){var n=t.memoizedState;if(null!==n&&(null===(n=n.dehydrated)||"$?"===n.data||"$!"===n.data))return t}else if(19===t.tag&&void 0!==t.memoizedProps.revealOrder){if(0!=(128&t.flags))return t}else if(null!==t.child){t.child.return=t,t=t.child;continue}if(t===e)break;for(;null===t.sibling;){if(null===t.return||t.return===e)return null;t=t.return}t.sibling.return=t.return,t=t.sibling}return null}var cl=[];function fl(){for(var e=0;e<cl.length;e++)cl[e]._workInProgressVersionPrimary=null;cl.length=0}var dl=w.ReactCurrentDispatcher,pl=w.ReactCurrentBatchConfig,hl=0,ml=null,vl=null,gl=null,yl=!1,bl=!1,wl=0,kl=0;function xl(){throw Error(o(321))}function Sl(e,t){if(null===t)return!1;for(var n=0;n<t.length&&n<e.length;n++)if(!ir(e[n],t[n]))return!1;return!0}function El(e,t,n,r,a,l){if(hl=l,ml=t,t.memoizedState=null,t.updateQueue=null,t.lanes=0,dl.current=null===e||null===e.memoizedState?ii:ui,e=n(r,a),bl){l=0;do{if(bl=!1,wl=0,25<=l)throw Error(o(301));l+=1,gl=vl=null,t.updateQueue=null,dl.current=si,e=n(r,a)}while(bl)}if(dl.current=li,t=null!==vl&&null!==vl.next,hl=0,gl=vl=ml=null,yl=!1,t)throw Error(o(300));return e}function Cl(){var e=0!==wl;return wl=0,e}function _l(){var e={memoizedState:null,baseState:null,baseQueue:null,queue:null,next:null};return null===gl?ml.memoizedState=gl=e:gl=gl.next=e,gl}function Pl(){if(null===vl){var e=ml.alternate;e=null!==e?e.memoizedState:null}else e=vl.next;var t=null===gl?ml.memoizedState:gl.next;if(null!==t)gl=t,vl=e;else{if(null===e)throw Error(o(310));e={memoizedState:(vl=e).memoizedState,baseState:vl.baseState,baseQueue:vl.baseQueue,queue:vl.queue,next:null},null===gl?ml.memoizedState=gl=e:gl=gl.next=e}return gl}function Nl(e,t){return"function"==typeof t?t(e):t}function Ol(e){var t=Pl(),n=t.queue;if(null===n)throw Error(o(311));n.lastRenderedReducer=e;var r=vl,a=r.baseQueue,l=n.pending;if(null!==l){if(null!==a){var i=a.next;a.next=l.next,l.next=i}r.baseQueue=a=l,n.pending=null}if(null!==a){l=a.next,r=r.baseState;var u=i=null,s=null,c=l;do{var f=c.lane;if((hl&f)===f)null!==s&&(s=s.next={lane:0,action:c.action,hasEagerState:c.hasEagerState,eagerState:c.eagerState,next:null}),r=c.hasEagerState?c.eagerState:e(r,c.action);else{var d={lane:f,action:c.action,hasEagerState:c.hasEagerState,eagerState:c.eagerState,next:null};null===s?(u=s=d,i=r):s=s.next=d,ml.lanes|=f,ju|=f}c=c.next}while(null!==c&&c!==l);null===s?i=r:s.next=u,ir(r,t.memoizedState)||(wi=!0),t.memoizedState=r,t.baseState=i,t.baseQueue=s,n.lastRenderedState=r}if(null!==(e=n.interleaved)){a=e;do{l=a.lane,ml.lanes|=l,ju|=l,a=a.next}while(a!==e)}else null===a&&(n.lanes=0);return[t.memoizedState,n.dispatch]}function Ml(e){var t=Pl(),n=t.queue;if(null===n)throw Error(o(311));n.lastRenderedReducer=e;var r=n.dispatch,a=n.pending,l=t.memoizedState;if(null!==a){n.pending=null;var i=a=a.next;do{l=e(l,i.action),i=i.next}while(i!==a);ir(l,t.memoizedState)||(wi=!0),t.memoizedState=l,null===t.baseQueue&&(t.baseState=l),n.lastRenderedState=l}return[l,r]}function Tl(){}function Ll(e,t){var n=ml,r=Pl(),a=t(),l=!ir(r.memoizedState,a);if(l&&(r.memoizedState=a,wi=!0),r=r.queue,Hl(Dl.bind(null,n,r,e),[e]),r.getSnapshot!==t||l||null!==gl&&1&gl.memoizedState.tag){if(n.flags|=2048,Al(9,zl.bind(null,n,r,a,t),void 0,null),null===Mu)throw Error(o(349));0!=(30&hl)||Rl(n,t,a)}return a}function Rl(e,t,n){e.flags|=16384,e={getSnapshot:t,value:n},null===(t=ml.updateQueue)?(t={lastEffect:null,stores:null},ml.updateQueue=t,t.stores=[e]):null===(n=t.stores)?t.stores=[e]:n.push(e)}function zl(e,t,n,r){t.value=n,t.getSnapshot=r,Il(t)&&jl(e)}function Dl(e,t,n){return n((function(){Il(t)&&jl(e)}))}function Il(e){var t=e.getSnapshot;e=e.value;try{var n=t();return!ir(e,n)}catch(e){return!0}}function jl(e){var t=Mo(e,1);null!==t&&rs(t,e,1,-1)}function Fl(e){var t=_l();return"function"==typeof e&&(e=e()),t.memoizedState=t.baseState=e,e={pending:null,interleaved:null,lanes:0,dispatch:null,lastRenderedReducer:Nl,lastRenderedState:e},t.queue=e,e=e.dispatch=ni.bind(null,ml,e),[t.memoizedState,e]}function Al(e,t,n,r){return e={tag:e,create:t,destroy:n,deps:r,next:null},null===(t=ml.updateQueue)?(t={lastEffect:null,stores:null},ml.updateQueue=t,t.lastEffect=e.next=e):null===(n=t.lastEffect)?t.lastEffect=e.next=e:(r=n.next,n.next=e,e.next=r,t.lastEffect=e),e}function $l(){return Pl().memoizedState}function Ul(e,t,n,r){var a=_l();ml.flags|=e,a.memoizedState=Al(1|t,n,void 0,void 0===r?null:r)}function Bl(e,t,n,r){var a=Pl();r=void 0===r?null:r;var o=void 0;if(null!==vl){var l=vl.memoizedState;if(o=l.destroy,null!==r&&Sl(r,l.deps))return void(a.memoizedState=Al(t,n,o,r))}ml.flags|=e,a.memoizedState=Al(1|t,n,o,r)}function Wl(e,t){return Ul(8390656,8,e,t)}function Hl(e,t){return Bl(2048,8,e,t)}function Vl(e,t){return Bl(4,2,e,t)}function Ql(e,t){return Bl(4,4,e,t)}function Kl(e,t){return"function"==typeof t?(e=e(),t(e),function(){t(null)}):null!=t?(e=e(),t.current=e,function(){t.current=null}):void 0}function ql(e,t,n){return n=null!=n?n.concat([e]):null,Bl(4,4,Kl.bind(null,t,e),n)}function Yl(){}function Xl(e,t){var n=Pl();t=void 0===t?null:t;var r=n.memoizedState;return null!==r&&null!==t&&Sl(t,r[1])?r[0]:(n.memoizedState=[e,t],e)}function Gl(e,t){var n=Pl();t=void 0===t?null:t;var r=n.memoizedState;return null!==r&&null!==t&&Sl(t,r[1])?r[0]:(e=e(),n.memoizedState=[e,t],e)}function Jl(e,t,n){return 0==(21&hl)?(e.baseState&&(e.baseState=!1,wi=!0),e.memoizedState=n):(ir(n,t)||(n=mt(),ml.lanes|=n,ju|=n,e.baseState=!0),t)}function Zl(e,t){var n=bt;bt=0!==n&&4>n?n:4,e(!0);var r=pl.transition;pl.transition={};try{e(!1),t()}finally{bt=n,pl.transition=r}}function ei(){return Pl().memoizedState}function ti(e,t,n){var r=ns(e);if(n={lane:r,action:n,hasEagerState:!1,eagerState:null,next:null},ri(e))ai(t,n);else if(null!==(n=Oo(e,t,n,r))){rs(n,e,r,ts()),oi(n,t,r)}}function ni(e,t,n){var r=ns(e),a={lane:r,action:n,hasEagerState:!1,eagerState:null,next:null};if(ri(e))ai(t,a);else{var o=e.alternate;if(0===e.lanes&&(null===o||0===o.lanes)&&null!==(o=t.lastRenderedReducer))try{var l=t.lastRenderedState,i=o(l,n);if(a.hasEagerState=!0,a.eagerState=i,ir(i,l)){var u=t.interleaved;return null===u?(a.next=a,No(t)):(a.next=u.next,u.next=a),void(t.interleaved=a)}}catch(e){}null!==(n=Oo(e,t,a,r))&&(rs(n,e,r,a=ts()),oi(n,t,r))}}function ri(e){var t=e.alternate;return e===ml||null!==t&&t===ml}function ai(e,t){bl=yl=!0;var n=e.pending;null===n?t.next=t:(t.next=n.next,n.next=t),e.pending=t}function oi(e,t,n){if(0!=(4194240&n)){var r=t.lanes;n|=r&=e.pendingLanes,t.lanes=n,yt(e,n)}}var li={readContext:_o,useCallback:xl,useContext:xl,useEffect:xl,useImperativeHandle:xl,useInsertionEffect:xl,useLayoutEffect:xl,useMemo:xl,useReducer:xl,useRef:xl,useState:xl,useDebugValue:xl,useDeferredValue:xl,useTransition:xl,useMutableSource:xl,useSyncExternalStore:xl,useId:xl,unstable_isNewReconciler:!1},ii={readContext:_o,useCallback:function(e,t){return _l().memoizedState=[e,void 0===t?null:t],e},useContext:_o,useEffect:Wl,useImperativeHandle:function(e,t,n){return n=null!=n?n.concat([e]):null,Ul(4194308,4,Kl.bind(null,t,e),n)},useLayoutEffect:function(e,t){return Ul(4194308,4,e,t)},useInsertionEffect:function(e,t){return Ul(4,2,e,t)},useMemo:function(e,t){var n=_l();return t=void 0===t?null:t,e=e(),n.memoizedState=[e,t],e},useReducer:function(e,t,n){var r=_l();return t=void 0!==n?n(t):t,r.memoizedState=r.baseState=t,e={pending:null,interleaved:null,lanes:0,dispatch:null,lastRenderedReducer:e,lastRenderedState:t},r.queue=e,e=e.dispatch=ti.bind(null,ml,e),[r.memoizedState,e]},useRef:function(e){return e={current:e},_l().memoizedState=e},useState:Fl,useDebugValue:Yl,useDeferredValue:function(e){return _l().memoizedState=e},useTransition:function(){var e=Fl(!1),t=e[0];return e=Zl.bind(null,e[1]),_l().memoizedState=e,[t,e]},useMutableSource:function(){},useSyncExternalStore:function(e,t,n){var r=ml,a=_l();if(ao){if(void 0===n)throw Error(o(407));n=n()}else{if(n=t(),null===Mu)throw Error(o(349));0!=(30&hl)||Rl(r,t,n)}a.memoizedState=n;var l={value:n,getSnapshot:t};return a.queue=l,Wl(Dl.bind(null,r,l,e),[e]),r.flags|=2048,Al(9,zl.bind(null,r,l,n,t),void 0,null),n},useId:function(){var e=_l(),t=Mu.identifierPrefix;if(ao){var n=Ga;t=":"+t+"R"+(n=(Xa&~(1<<32-lt(Xa)-1)).toString(32)+n),0<(n=wl++)&&(t+="H"+n.toString(32)),t+=":"}else t=":"+t+"r"+(n=kl++).toString(32)+":";return e.memoizedState=t},unstable_isNewReconciler:!1},ui={readContext:_o,useCallback:Xl,useContext:_o,useEffect:Hl,useImperativeHandle:ql,useInsertionEffect:Vl,useLayoutEffect:Ql,useMemo:Gl,useReducer:Ol,useRef:$l,useState:function(){return Ol(Nl)},useDebugValue:Yl,useDeferredValue:function(e){return Jl(Pl(),vl.memoizedState,e)},useTransition:function(){return[Ol(Nl)[0],Pl().memoizedState]},useMutableSource:Tl,useSyncExternalStore:Ll,useId:ei,unstable_isNewReconciler:!1},si={readContext:_o,useCallback:Xl,useContext:_o,useEffect:Hl,useImperativeHandle:ql,useInsertionEffect:Vl,useLayoutEffect:Ql,useMemo:Gl,useReducer:Ml,useRef:$l,useState:function(){return Ml(Nl)},useDebugValue:Yl,useDeferredValue:function(e){var t=Pl();return null===vl?t.memoizedState=e:Jl(t,vl.memoizedState,e)},useTransition:function(){return[Ml(Nl)[0],Pl().memoizedState]},useMutableSource:Tl,useSyncExternalStore:Ll,useId:ei,unstable_isNewReconciler:!1};function ci(e,t){try{var n="",r=t;do{n+=U(r),r=r.return}while(r);var a=n}catch(e){a="\nError generating stack: "+e.message+"\n"+e.stack}return{value:e,source:t,stack:a,digest:null}}function fi(e,t,n){return{value:e,source:null,stack:null!=n?n:null,digest:null!=t?t:null}}function di(e,t){try{console.error(t.value)}catch(e){setTimeout((function(){throw e}))}}var pi="function"==typeof WeakMap?WeakMap:Map;function hi(e,t,n){(n=zo(-1,n)).tag=3,n.payload={element:null};var r=t.value;return n.callback=function(){Vu||(Vu=!0,Qu=r),di(0,t)},n}function mi(e,t,n){(n=zo(-1,n)).tag=3;var r=e.type.getDerivedStateFromError;if("function"==typeof r){var a=t.value;n.payload=function(){return r(a)},n.callback=function(){di(0,t)}}var o=e.stateNode;return null!==o&&"function"==typeof o.componentDidCatch&&(n.callback=function(){di(0,t),"function"!=typeof r&&(null===Ku?Ku=new Set([this]):Ku.add(this));var e=t.stack;this.componentDidCatch(t.value,{componentStack:null!==e?e:""})}),n}function vi(e,t,n){var r=e.pingCache;if(null===r){r=e.pingCache=new pi;var a=new Set;r.set(t,a)}else void 0===(a=r.get(t))&&(a=new Set,r.set(t,a));a.has(n)||(a.add(n),e=_s.bind(null,e,t,n),t.then(e,e))}function gi(e){do{var t;if((t=13===e.tag)&&(t=null===(t=e.memoizedState)||null!==t.dehydrated),t)return e;e=e.return}while(null!==e);return null}function yi(e,t,n,r,a){return 0==(1&e.mode)?(e===t?e.flags|=65536:(e.flags|=128,n.flags|=131072,n.flags&=-52805,1===n.tag&&(null===n.alternate?n.tag=17:((t=zo(-1,1)).tag=2,Do(n,t,1))),n.lanes|=1),e):(e.flags|=65536,e.lanes=a,e)}var bi=w.ReactCurrentOwner,wi=!1;function ki(e,t,n,r){t.child=null===e?Jo(t,null,n,r):Go(t,e.child,n,r)}function xi(e,t,n,r,a){n=n.render;var o=t.ref;return Co(t,a),r=El(e,t,n,r,o,a),n=Cl(),null===e||wi?(ao&&n&&eo(t),t.flags|=1,ki(e,t,r,a),t.child):(t.updateQueue=e.updateQueue,t.flags&=-2053,e.lanes&=~a,Vi(e,t,a))}function Si(e,t,n,r,a){if(null===e){var o=n.type;return"function"!=typeof o||Rs(o)||void 0!==o.defaultProps||null!==n.compare||void 0!==n.defaultProps?((e=Ds(n.type,null,r,t,t.mode,a)).ref=t.ref,e.return=t,t.child=e):(t.tag=15,t.type=o,Ei(e,t,o,r,a))}if(o=e.child,0==(e.lanes&a)){var l=o.memoizedProps;if((n=null!==(n=n.compare)?n:ur)(l,r)&&e.ref===t.ref)return Vi(e,t,a)}return t.flags|=1,(e=zs(o,r)).ref=t.ref,e.return=t,t.child=e}function Ei(e,t,n,r,a){if(null!==e){var o=e.memoizedProps;if(ur(o,r)&&e.ref===t.ref){if(wi=!1,t.pendingProps=r=o,0==(e.lanes&a))return t.lanes=e.lanes,Vi(e,t,a);0!=(131072&e.flags)&&(wi=!0)}}return Pi(e,t,n,r,a)}function Ci(e,t,n){var r=t.pendingProps,a=r.children,o=null!==e?e.memoizedState:null;if("hidden"===r.mode)if(0==(1&t.mode))t.memoizedState={baseLanes:0,cachePool:null,transitions:null},_a(zu,Ru),Ru|=n;else{if(0==(1073741824&n))return e=null!==o?o.baseLanes|n:n,t.lanes=t.childLanes=1073741824,t.memoizedState={baseLanes:e,cachePool:null,transitions:null},t.updateQueue=null,_a(zu,Ru),Ru|=e,null;t.memoizedState={baseLanes:0,cachePool:null,transitions:null},r=null!==o?o.baseLanes:n,_a(zu,Ru),Ru|=r}else null!==o?(r=o.baseLanes|n,t.memoizedState=null):r=n,_a(zu,Ru),Ru|=r;return ki(e,t,a,n),t.child}function _i(e,t){var n=t.ref;(null===e&&null!==n||null!==e&&e.ref!==n)&&(t.flags|=512,t.flags|=2097152)}function Pi(e,t,n,r,a){var o=La(n)?Ma:Na.current;return o=Ta(t,o),Co(t,a),n=El(e,t,n,r,o,a),r=Cl(),null===e||wi?(ao&&r&&eo(t),t.flags|=1,ki(e,t,n,a),t.child):(t.updateQueue=e.updateQueue,t.flags&=-2053,e.lanes&=~a,Vi(e,t,a))}function Ni(e,t,n,r,a){if(La(n)){var o=!0;Ia(t)}else o=!1;if(Co(t,a),null===t.stateNode)Hi(e,t),Ho(t,n,r),Qo(t,n,r,a),r=!0;else if(null===e){var l=t.stateNode,i=t.memoizedProps;l.props=i;var u=l.context,s=n.contextType;"object"==typeof s&&null!==s?s=_o(s):s=Ta(t,s=La(n)?Ma:Na.current);var c=n.getDerivedStateFromProps,f="function"==typeof c||"function"==typeof l.getSnapshotBeforeUpdate;f||"function"!=typeof l.UNSAFE_componentWillReceiveProps&&"function"!=typeof l.componentWillReceiveProps||(i!==r||u!==s)&&Vo(t,l,r,s),To=!1;var d=t.memoizedState;l.state=d,Fo(t,r,l,a),u=t.memoizedState,i!==r||d!==u||Oa.current||To?("function"==typeof c&&(Uo(t,n,c,r),u=t.memoizedState),(i=To||Wo(t,n,i,r,d,u,s))?(f||"function"!=typeof l.UNSAFE_componentWillMount&&"function"!=typeof l.componentWillMount||("function"==typeof l.componentWillMount&&l.componentWillMount(),"function"==typeof l.UNSAFE_componentWillMount&&l.UNSAFE_componentWillMount()),"function"==typeof l.componentDidMount&&(t.flags|=4194308)):("function"==typeof l.componentDidMount&&(t.flags|=4194308),t.memoizedProps=r,t.memoizedState=u),l.props=r,l.state=u,l.context=s,r=i):("function"==typeof l.componentDidMount&&(t.flags|=4194308),r=!1)}else{l=t.stateNode,Ro(e,t),i=t.memoizedProps,s=t.type===t.elementType?i:go(t.type,i),l.props=s,f=t.pendingProps,d=l.context,"object"==typeof(u=n.contextType)&&null!==u?u=_o(u):u=Ta(t,u=La(n)?Ma:Na.current);var p=n.getDerivedStateFromProps;(c="function"==typeof p||"function"==typeof l.getSnapshotBeforeUpdate)||"function"!=typeof l.UNSAFE_componentWillReceiveProps&&"function"!=typeof l.componentWillReceiveProps||(i!==f||d!==u)&&Vo(t,l,r,u),To=!1,d=t.memoizedState,l.state=d,Fo(t,r,l,a);var h=t.memoizedState;i!==f||d!==h||Oa.current||To?("function"==typeof p&&(Uo(t,n,p,r),h=t.memoizedState),(s=To||Wo(t,n,s,r,d,h,u)||!1)?(c||"function"!=typeof l.UNSAFE_componentWillUpdate&&"function"!=typeof l.componentWillUpdate||("function"==typeof l.componentWillUpdate&&l.componentWillUpdate(r,h,u),"function"==typeof l.UNSAFE_componentWillUpdate&&l.UNSAFE_componentWillUpdate(r,h,u)),"function"==typeof l.componentDidUpdate&&(t.flags|=4),"function"==typeof l.getSnapshotBeforeUpdate&&(t.flags|=1024)):("function"!=typeof l.componentDidUpdate||i===e.memoizedProps&&d===e.memoizedState||(t.flags|=4),"function"!=typeof l.getSnapshotBeforeUpdate||i===e.memoizedProps&&d===e.memoizedState||(t.flags|=1024),t.memoizedProps=r,t.memoizedState=h),l.props=r,l.state=h,l.context=u,r=s):("function"!=typeof l.componentDidUpdate||i===e.memoizedProps&&d===e.memoizedState||(t.flags|=4),"function"!=typeof l.getSnapshotBeforeUpdate||i===e.memoizedProps&&d===e.memoizedState||(t.flags|=1024),r=!1)}return Oi(e,t,n,r,o,a)}function Oi(e,t,n,r,a,o){_i(e,t);var l=0!=(128&t.flags);if(!r&&!l)return a&&ja(t,n,!1),Vi(e,t,o);r=t.stateNode,bi.current=t;var i=l&&"function"!=typeof n.getDerivedStateFromError?null:r.render();return t.flags|=1,null!==e&&l?(t.child=Go(t,e.child,null,o),t.child=Go(t,null,i,o)):ki(e,t,i,o),t.memoizedState=r.state,a&&ja(t,n,!0),t.child}function Mi(e){var t=e.stateNode;t.pendingContext?za(0,t.pendingContext,t.pendingContext!==t.context):t.context&&za(0,t.context,!1),al(e,t.containerInfo)}function Ti(e,t,n,r,a){return ho(),mo(a),t.flags|=256,ki(e,t,n,r),t.child}var Li,Ri,zi,Di,Ii={dehydrated:null,treeContext:null,retryLane:0};function ji(e){return{baseLanes:e,cachePool:null,transitions:null}}function Fi(e,t,n){var r,a=t.pendingProps,l=ul.current,i=!1,u=0!=(128&t.flags);if((r=u)||(r=(null===e||null!==e.memoizedState)&&0!=(2&l)),r?(i=!0,t.flags&=-129):null!==e&&null===e.memoizedState||(l|=1),_a(ul,1&l),null===e)return so(t),null!==(e=t.memoizedState)&&null!==(e=e.dehydrated)?(0==(1&t.mode)?t.lanes=1:"$!"===e.data?t.lanes=8:t.lanes=1073741824,null):(u=a.children,e=a.fallback,i?(a=t.mode,i=t.child,u={mode:"hidden",children:u},0==(1&a)&&null!==i?(i.childLanes=0,i.pendingProps=u):i=js(u,a,0,null),e=Is(e,a,n,null),i.return=t,e.return=t,i.sibling=e,t.child=i,t.child.memoizedState=ji(n),t.memoizedState=Ii,e):Ai(t,u));if(null!==(l=e.memoizedState)&&null!==(r=l.dehydrated))return function(e,t,n,r,a,l,i){if(n)return 256&t.flags?(t.flags&=-257,$i(e,t,i,r=fi(Error(o(422))))):null!==t.memoizedState?(t.child=e.child,t.flags|=128,null):(l=r.fallback,a=t.mode,r=js({mode:"visible",children:r.children},a,0,null),(l=Is(l,a,i,null)).flags|=2,r.return=t,l.return=t,r.sibling=l,t.child=r,0!=(1&t.mode)&&Go(t,e.child,null,i),t.child.memoizedState=ji(i),t.memoizedState=Ii,l);if(0==(1&t.mode))return $i(e,t,i,null);if("$!"===a.data){if(r=a.nextSibling&&a.nextSibling.dataset)var u=r.dgst;return r=u,$i(e,t,i,r=fi(l=Error(o(419)),r,void 0))}if(u=0!=(i&e.childLanes),wi||u){if(null!==(r=Mu)){switch(i&-i){case 4:a=2;break;case 16:a=8;break;case 64:case 128:case 256:case 512:case 1024:case 2048:case 4096:case 8192:case 16384:case 32768:case 65536:case 131072:case 262144:case 524288:case 1048576:case 2097152:case 4194304:case 8388608:case 16777216:case 33554432:case 67108864:a=32;break;case 536870912:a=268435456;break;default:a=0}0!==(a=0!=(a&(r.suspendedLanes|i))?0:a)&&a!==l.retryLane&&(l.retryLane=a,Mo(e,a),rs(r,e,a,-1))}return vs(),$i(e,t,i,r=fi(Error(o(421))))}return"$?"===a.data?(t.flags|=128,t.child=e.child,t=Ns.bind(null,e),a._reactRetry=t,null):(e=l.treeContext,ro=sa(a.nextSibling),no=t,ao=!0,oo=null,null!==e&&(Ka[qa++]=Xa,Ka[qa++]=Ga,Ka[qa++]=Ya,Xa=e.id,Ga=e.overflow,Ya=t),t=Ai(t,r.children),t.flags|=4096,t)}(e,t,u,a,r,l,n);if(i){i=a.fallback,u=t.mode,r=(l=e.child).sibling;var s={mode:"hidden",children:a.children};return 0==(1&u)&&t.child!==l?((a=t.child).childLanes=0,a.pendingProps=s,t.deletions=null):(a=zs(l,s)).subtreeFlags=14680064&l.subtreeFlags,null!==r?i=zs(r,i):(i=Is(i,u,n,null)).flags|=2,i.return=t,a.return=t,a.sibling=i,t.child=a,a=i,i=t.child,u=null===(u=e.child.memoizedState)?ji(n):{baseLanes:u.baseLanes|n,cachePool:null,transitions:u.transitions},i.memoizedState=u,i.childLanes=e.childLanes&~n,t.memoizedState=Ii,a}return e=(i=e.child).sibling,a=zs(i,{mode:"visible",children:a.children}),0==(1&t.mode)&&(a.lanes=n),a.return=t,a.sibling=null,null!==e&&(null===(n=t.deletions)?(t.deletions=[e],t.flags|=16):n.push(e)),t.child=a,t.memoizedState=null,a}function Ai(e,t){return(t=js({mode:"visible",children:t},e.mode,0,null)).return=e,e.child=t}function $i(e,t,n,r){return null!==r&&mo(r),Go(t,e.child,null,n),(e=Ai(t,t.pendingProps.children)).flags|=2,t.memoizedState=null,e}function Ui(e,t,n){e.lanes|=t;var r=e.alternate;null!==r&&(r.lanes|=t),Eo(e.return,t,n)}function Bi(e,t,n,r,a){var o=e.memoizedState;null===o?e.memoizedState={isBackwards:t,rendering:null,renderingStartTime:0,last:r,tail:n,tailMode:a}:(o.isBackwards=t,o.rendering=null,o.renderingStartTime=0,o.last=r,o.tail=n,o.tailMode=a)}function Wi(e,t,n){var r=t.pendingProps,a=r.revealOrder,o=r.tail;if(ki(e,t,r.children,n),0!=(2&(r=ul.current)))r=1&r|2,t.flags|=128;else{if(null!==e&&0!=(128&e.flags))e:for(e=t.child;null!==e;){if(13===e.tag)null!==e.memoizedState&&Ui(e,n,t);else if(19===e.tag)Ui(e,n,t);else if(null!==e.child){e.child.return=e,e=e.child;continue}if(e===t)break e;for(;null===e.sibling;){if(null===e.return||e.return===t)break e;e=e.return}e.sibling.return=e.return,e=e.sibling}r&=1}if(_a(ul,r),0==(1&t.mode))t.memoizedState=null;else switch(a){case"forwards":for(n=t.child,a=null;null!==n;)null!==(e=n.alternate)&&null===sl(e)&&(a=n),n=n.sibling;null===(n=a)?(a=t.child,t.child=null):(a=n.sibling,n.sibling=null),Bi(t,!1,a,n,o);break;case"backwards":for(n=null,a=t.child,t.child=null;null!==a;){if(null!==(e=a.alternate)&&null===sl(e)){t.child=a;break}e=a.sibling,a.sibling=n,n=a,a=e}Bi(t,!0,n,null,o);break;case"together":Bi(t,!1,null,null,void 0);break;default:t.memoizedState=null}return t.child}function Hi(e,t){0==(1&t.mode)&&null!==e&&(e.alternate=null,t.alternate=null,t.flags|=2)}function Vi(e,t,n){if(null!==e&&(t.dependencies=e.dependencies),ju|=t.lanes,0==(n&t.childLanes))return null;if(null!==e&&t.child!==e.child)throw Error(o(153));if(null!==t.child){for(n=zs(e=t.child,e.pendingProps),t.child=n,n.return=t;null!==e.sibling;)e=e.sibling,(n=n.sibling=zs(e,e.pendingProps)).return=t;n.sibling=null}return t.child}function Qi(e,t){if(!ao)switch(e.tailMode){case"hidden":t=e.tail;for(var n=null;null!==t;)null!==t.alternate&&(n=t),t=t.sibling;null===n?e.tail=null:n.sibling=null;break;case"collapsed":n=e.tail;for(var r=null;null!==n;)null!==n.alternate&&(r=n),n=n.sibling;null===r?t||null===e.tail?e.tail=null:e.tail.sibling=null:r.sibling=null}}function Ki(e){var t=null!==e.alternate&&e.alternate.child===e.child,n=0,r=0;if(t)for(var a=e.child;null!==a;)n|=a.lanes|a.childLanes,r|=14680064&a.subtreeFlags,r|=14680064&a.flags,a.return=e,a=a.sibling;else for(a=e.child;null!==a;)n|=a.lanes|a.childLanes,r|=a.subtreeFlags,r|=a.flags,a.return=e,a=a.sibling;return e.subtreeFlags|=r,e.childLanes=n,t}function qi(e,t,n){var r=t.pendingProps;switch(to(t),t.tag){case 2:case 16:case 15:case 0:case 11:case 7:case 8:case 12:case 9:case 14:return Ki(t),null;case 1:case 17:return La(t.type)&&Ra(),Ki(t),null;case 3:return r=t.stateNode,ol(),Ca(Oa),Ca(Na),fl(),r.pendingContext&&(r.context=r.pendingContext,r.pendingContext=null),null!==e&&null!==e.child||(fo(t)?t.flags|=4:null===e||e.memoizedState.isDehydrated&&0==(256&t.flags)||(t.flags|=1024,null!==oo&&(is(oo),oo=null))),Ri(e,t),Ki(t),null;case 5:il(t);var a=rl(nl.current);if(n=t.type,null!==e&&null!=t.stateNode)zi(e,t,n,r,a),e.ref!==t.ref&&(t.flags|=512,t.flags|=2097152);else{if(!r){if(null===t.stateNode)throw Error(o(166));return Ki(t),null}if(e=rl(el.current),fo(t)){r=t.stateNode,n=t.type;var l=t.memoizedProps;switch(r[da]=t,r[pa]=l,e=0!=(1&t.mode),n){case"dialog":Ar("cancel",r),Ar("close",r);break;case"iframe":case"object":case"embed":Ar("load",r);break;case"video":case"audio":for(a=0;a<Dr.length;a++)Ar(Dr[a],r);break;case"source":Ar("error",r);break;case"img":case"image":case"link":Ar("error",r),Ar("load",r);break;case"details":Ar("toggle",r);break;case"input":X(r,l),Ar("invalid",r);break;case"select":r._wrapperState={wasMultiple:!!l.multiple},Ar("invalid",r);break;case"textarea":ae(r,l),Ar("invalid",r)}for(var u in ye(n,l),a=null,l)if(l.hasOwnProperty(u)){var s=l[u];"children"===u?"string"==typeof s?r.textContent!==s&&(!0!==l.suppressHydrationWarning&&Jr(r.textContent,s,e),a=["children",s]):"number"==typeof s&&r.textContent!==""+s&&(!0!==l.suppressHydrationWarning&&Jr(r.textContent,s,e),a=["children",""+s]):i.hasOwnProperty(u)&&null!=s&&"onScroll"===u&&Ar("scroll",r)}switch(n){case"input":Q(r),Z(r,l,!0);break;case"textarea":Q(r),le(r);break;case"select":case"option":break;default:"function"==typeof l.onClick&&(r.onclick=Zr)}r=a,t.updateQueue=r,null!==r&&(t.flags|=4)}else{u=9===a.nodeType?a:a.ownerDocument,"http://www.w3.org/1999/xhtml"===e&&(e=ie(n)),"http://www.w3.org/1999/xhtml"===e?"script"===n?((e=u.createElement("div")).innerHTML="<script><\/script>",e=e.removeChild(e.firstChild)):"string"==typeof r.is?e=u.createElement(n,{is:r.is}):(e=u.createElement(n),"select"===n&&(u=e,r.multiple?u.multiple=!0:r.size&&(u.size=r.size))):e=u.createElementNS(e,n),e[da]=t,e[pa]=r,Li(e,t,!1,!1),t.stateNode=e;e:{switch(u=be(n,r),n){case"dialog":Ar("cancel",e),Ar("close",e),a=r;break;case"iframe":case"object":case"embed":Ar("load",e),a=r;break;case"video":case"audio":for(a=0;a<Dr.length;a++)Ar(Dr[a],e);a=r;break;case"source":Ar("error",e),a=r;break;case"img":case"image":case"link":Ar("error",e),Ar("load",e),a=r;break;case"details":Ar("toggle",e),a=r;break;case"input":X(e,r),a=Y(e,r),Ar("invalid",e);break;case"option":default:a=r;break;case"select":e._wrapperState={wasMultiple:!!r.multiple},a=j({},r,{value:void 0}),Ar("invalid",e);break;case"textarea":ae(e,r),a=re(e,r),Ar("invalid",e)}for(l in ye(n,a),s=a)if(s.hasOwnProperty(l)){var c=s[l];"style"===l?ve(e,c):"dangerouslySetInnerHTML"===l?null!=(c=c?c.__html:void 0)&&fe(e,c):"children"===l?"string"==typeof c?("textarea"!==n||""!==c)&&de(e,c):"number"==typeof c&&de(e,""+c):"suppressContentEditableWarning"!==l&&"suppressHydrationWarning"!==l&&"autoFocus"!==l&&(i.hasOwnProperty(l)?null!=c&&"onScroll"===l&&Ar("scroll",e):null!=c&&b(e,l,c,u))}switch(n){case"input":Q(e),Z(e,r,!1);break;case"textarea":Q(e),le(e);break;case"option":null!=r.value&&e.setAttribute("value",""+H(r.value));break;case"select":e.multiple=!!r.multiple,null!=(l=r.value)?ne(e,!!r.multiple,l,!1):null!=r.defaultValue&&ne(e,!!r.multiple,r.defaultValue,!0);break;default:"function"==typeof a.onClick&&(e.onclick=Zr)}switch(n){case"button":case"input":case"select":case"textarea":r=!!r.autoFocus;break e;case"img":r=!0;break e;default:r=!1}}r&&(t.flags|=4)}null!==t.ref&&(t.flags|=512,t.flags|=2097152)}return Ki(t),null;case 6:if(e&&null!=t.stateNode)Di(e,t,e.memoizedProps,r);else{if("string"!=typeof r&&null===t.stateNode)throw Error(o(166));if(n=rl(nl.current),rl(el.current),fo(t)){if(r=t.stateNode,n=t.memoizedProps,r[da]=t,(l=r.nodeValue!==n)&&null!==(e=no))switch(e.tag){case 3:Jr(r.nodeValue,n,0!=(1&e.mode));break;case 5:!0!==e.memoizedProps.suppressHydrationWarning&&Jr(r.nodeValue,n,0!=(1&e.mode))}l&&(t.flags|=4)}else(r=(9===n.nodeType?n:n.ownerDocument).createTextNode(r))[da]=t,t.stateNode=r}return Ki(t),null;case 13:if(Ca(ul),r=t.memoizedState,null===e||null!==e.memoizedState&&null!==e.memoizedState.dehydrated){if(ao&&null!==ro&&0!=(1&t.mode)&&0==(128&t.flags))po(),ho(),t.flags|=98560,l=!1;else if(l=fo(t),null!==r&&null!==r.dehydrated){if(null===e){if(!l)throw Error(o(318));if(!(l=null!==(l=t.memoizedState)?l.dehydrated:null))throw Error(o(317));l[da]=t}else ho(),0==(128&t.flags)&&(t.memoizedState=null),t.flags|=4;Ki(t),l=!1}else null!==oo&&(is(oo),oo=null),l=!0;if(!l)return 65536&t.flags?t:null}return 0!=(128&t.flags)?(t.lanes=n,t):((r=null!==r)!==(null!==e&&null!==e.memoizedState)&&r&&(t.child.flags|=8192,0!=(1&t.mode)&&(null===e||0!=(1&ul.current)?0===Du&&(Du=3):vs())),null!==t.updateQueue&&(t.flags|=4),Ki(t),null);case 4:return ol(),Ri(e,t),null===e&&Br(t.stateNode.containerInfo),Ki(t),null;case 10:return So(t.type._context),Ki(t),null;case 19:if(Ca(ul),null===(l=t.memoizedState))return Ki(t),null;if(r=0!=(128&t.flags),null===(u=l.rendering))if(r)Qi(l,!1);else{if(0!==Du||null!==e&&0!=(128&e.flags))for(e=t.child;null!==e;){if(null!==(u=sl(e))){for(t.flags|=128,Qi(l,!1),null!==(r=u.updateQueue)&&(t.updateQueue=r,t.flags|=4),t.subtreeFlags=0,r=n,n=t.child;null!==n;)e=r,(l=n).flags&=14680066,null===(u=l.alternate)?(l.childLanes=0,l.lanes=e,l.child=null,l.subtreeFlags=0,l.memoizedProps=null,l.memoizedState=null,l.updateQueue=null,l.dependencies=null,l.stateNode=null):(l.childLanes=u.childLanes,l.lanes=u.lanes,l.child=u.child,l.subtreeFlags=0,l.deletions=null,l.memoizedProps=u.memoizedProps,l.memoizedState=u.memoizedState,l.updateQueue=u.updateQueue,l.type=u.type,e=u.dependencies,l.dependencies=null===e?null:{lanes:e.lanes,firstContext:e.firstContext}),n=n.sibling;return _a(ul,1&ul.current|2),t.child}e=e.sibling}null!==l.tail&&Ge()>Wu&&(t.flags|=128,r=!0,Qi(l,!1),t.lanes=4194304)}else{if(!r)if(null!==(e=sl(u))){if(t.flags|=128,r=!0,null!==(n=e.updateQueue)&&(t.updateQueue=n,t.flags|=4),Qi(l,!0),null===l.tail&&"hidden"===l.tailMode&&!u.alternate&&!ao)return Ki(t),null}else 2*Ge()-l.renderingStartTime>Wu&&1073741824!==n&&(t.flags|=128,r=!0,Qi(l,!1),t.lanes=4194304);l.isBackwards?(u.sibling=t.child,t.child=u):(null!==(n=l.last)?n.sibling=u:t.child=u,l.last=u)}return null!==l.tail?(t=l.tail,l.rendering=t,l.tail=t.sibling,l.renderingStartTime=Ge(),t.sibling=null,n=ul.current,_a(ul,r?1&n|2:1&n),t):(Ki(t),null);case 22:case 23:return ds(),r=null!==t.memoizedState,null!==e&&null!==e.memoizedState!==r&&(t.flags|=8192),r&&0!=(1&t.mode)?0!=(1073741824&Ru)&&(Ki(t),6&t.subtreeFlags&&(t.flags|=8192)):Ki(t),null;case 24:case 25:return null}throw Error(o(156,t.tag))}function Yi(e,t){switch(to(t),t.tag){case 1:return La(t.type)&&Ra(),65536&(e=t.flags)?(t.flags=-65537&e|128,t):null;case 3:return ol(),Ca(Oa),Ca(Na),fl(),0!=(65536&(e=t.flags))&&0==(128&e)?(t.flags=-65537&e|128,t):null;case 5:return il(t),null;case 13:if(Ca(ul),null!==(e=t.memoizedState)&&null!==e.dehydrated){if(null===t.alternate)throw Error(o(340));ho()}return 65536&(e=t.flags)?(t.flags=-65537&e|128,t):null;case 19:return Ca(ul),null;case 4:return ol(),null;case 10:return So(t.type._context),null;case 22:case 23:return ds(),null;default:return null}}Li=function(e,t){for(var n=t.child;null!==n;){if(5===n.tag||6===n.tag)e.appendChild(n.stateNode);else if(4!==n.tag&&null!==n.child){n.child.return=n,n=n.child;continue}if(n===t)break;for(;null===n.sibling;){if(null===n.return||n.return===t)return;n=n.return}n.sibling.return=n.return,n=n.sibling}},Ri=function(){},zi=function(e,t,n,r){var a=e.memoizedProps;if(a!==r){e=t.stateNode,rl(el.current);var o,l=null;switch(n){case"input":a=Y(e,a),r=Y(e,r),l=[];break;case"select":a=j({},a,{value:void 0}),r=j({},r,{value:void 0}),l=[];break;case"textarea":a=re(e,a),r=re(e,r),l=[];break;default:"function"!=typeof a.onClick&&"function"==typeof r.onClick&&(e.onclick=Zr)}for(c in ye(n,r),n=null,a)if(!r.hasOwnProperty(c)&&a.hasOwnProperty(c)&&null!=a[c])if("style"===c){var u=a[c];for(o in u)u.hasOwnProperty(o)&&(n||(n={}),n[o]="")}else"dangerouslySetInnerHTML"!==c&&"children"!==c&&"suppressContentEditableWarning"!==c&&"suppressHydrationWarning"!==c&&"autoFocus"!==c&&(i.hasOwnProperty(c)?l||(l=[]):(l=l||[]).push(c,null));for(c in r){var s=r[c];if(u=null!=a?a[c]:void 0,r.hasOwnProperty(c)&&s!==u&&(null!=s||null!=u))if("style"===c)if(u){for(o in u)!u.hasOwnProperty(o)||s&&s.hasOwnProperty(o)||(n||(n={}),n[o]="");for(o in s)s.hasOwnProperty(o)&&u[o]!==s[o]&&(n||(n={}),n[o]=s[o])}else n||(l||(l=[]),l.push(c,n)),n=s;else"dangerouslySetInnerHTML"===c?(s=s?s.__html:void 0,u=u?u.__html:void 0,null!=s&&u!==s&&(l=l||[]).push(c,s)):"children"===c?"string"!=typeof s&&"number"!=typeof s||(l=l||[]).push(c,""+s):"suppressContentEditableWarning"!==c&&"suppressHydrationWarning"!==c&&(i.hasOwnProperty(c)?(null!=s&&"onScroll"===c&&Ar("scroll",e),l||u===s||(l=[])):(l=l||[]).push(c,s))}n&&(l=l||[]).push("style",n);var c=l;(t.updateQueue=c)&&(t.flags|=4)}},Di=function(e,t,n,r){n!==r&&(t.flags|=4)};var Xi=!1,Gi=!1,Ji="function"==typeof WeakSet?WeakSet:Set,Zi=null;function eu(e,t){var n=e.ref;if(null!==n)if("function"==typeof n)try{n(null)}catch(n){Cs(e,t,n)}else n.current=null}function tu(e,t,n){try{n()}catch(n){Cs(e,t,n)}}var nu=!1;function ru(e,t,n){var r=t.updateQueue;if(null!==(r=null!==r?r.lastEffect:null)){var a=r=r.next;do{if((a.tag&e)===e){var o=a.destroy;a.destroy=void 0,void 0!==o&&tu(t,n,o)}a=a.next}while(a!==r)}}function au(e,t){if(null!==(t=null!==(t=t.updateQueue)?t.lastEffect:null)){var n=t=t.next;do{if((n.tag&e)===e){var r=n.create;n.destroy=r()}n=n.next}while(n!==t)}}function ou(e){var t=e.ref;if(null!==t){var n=e.stateNode;e.tag,e=n,"function"==typeof t?t(e):t.current=e}}function lu(e){var t=e.alternate;null!==t&&(e.alternate=null,lu(t)),e.child=null,e.deletions=null,e.sibling=null,5===e.tag&&(null!==(t=e.stateNode)&&(delete t[da],delete t[pa],delete t[ma],delete t[va],delete t[ga])),e.stateNode=null,e.return=null,e.dependencies=null,e.memoizedProps=null,e.memoizedState=null,e.pendingProps=null,e.stateNode=null,e.updateQueue=null}function iu(e){return 5===e.tag||3===e.tag||4===e.tag}function uu(e){e:for(;;){for(;null===e.sibling;){if(null===e.return||iu(e.return))return null;e=e.return}for(e.sibling.return=e.return,e=e.sibling;5!==e.tag&&6!==e.tag&&18!==e.tag;){if(2&e.flags)continue e;if(null===e.child||4===e.tag)continue e;e.child.return=e,e=e.child}if(!(2&e.flags))return e.stateNode}}function su(e,t,n){var r=e.tag;if(5===r||6===r)e=e.stateNode,t?8===n.nodeType?n.parentNode.insertBefore(e,t):n.insertBefore(e,t):(8===n.nodeType?(t=n.parentNode).insertBefore(e,n):(t=n).appendChild(e),null!=(n=n._reactRootContainer)||null!==t.onclick||(t.onclick=Zr));else if(4!==r&&null!==(e=e.child))for(su(e,t,n),e=e.sibling;null!==e;)su(e,t,n),e=e.sibling}function cu(e,t,n){var r=e.tag;if(5===r||6===r)e=e.stateNode,t?n.insertBefore(e,t):n.appendChild(e);else if(4!==r&&null!==(e=e.child))for(cu(e,t,n),e=e.sibling;null!==e;)cu(e,t,n),e=e.sibling}var fu=null,du=!1;function pu(e,t,n){for(n=n.child;null!==n;)hu(e,t,n),n=n.sibling}function hu(e,t,n){if(ot&&"function"==typeof ot.onCommitFiberUnmount)try{ot.onCommitFiberUnmount(at,n)}catch(e){}switch(n.tag){case 5:Gi||eu(n,t);case 6:var r=fu,a=du;fu=null,pu(e,t,n),du=a,null!==(fu=r)&&(du?(e=fu,n=n.stateNode,8===e.nodeType?e.parentNode.removeChild(n):e.removeChild(n)):fu.removeChild(n.stateNode));break;case 18:null!==fu&&(du?(e=fu,n=n.stateNode,8===e.nodeType?ua(e.parentNode,n):1===e.nodeType&&ua(e,n),Bt(e)):ua(fu,n.stateNode));break;case 4:r=fu,a=du,fu=n.stateNode.containerInfo,du=!0,pu(e,t,n),fu=r,du=a;break;case 0:case 11:case 14:case 15:if(!Gi&&(null!==(r=n.updateQueue)&&null!==(r=r.lastEffect))){a=r=r.next;do{var o=a,l=o.destroy;o=o.tag,void 0!==l&&(0!=(2&o)||0!=(4&o))&&tu(n,t,l),a=a.next}while(a!==r)}pu(e,t,n);break;case 1:if(!Gi&&(eu(n,t),"function"==typeof(r=n.stateNode).componentWillUnmount))try{r.props=n.memoizedProps,r.state=n.memoizedState,r.componentWillUnmount()}catch(e){Cs(n,t,e)}pu(e,t,n);break;case 21:pu(e,t,n);break;case 22:1&n.mode?(Gi=(r=Gi)||null!==n.memoizedState,pu(e,t,n),Gi=r):pu(e,t,n);break;default:pu(e,t,n)}}function mu(e){var t=e.updateQueue;if(null!==t){e.updateQueue=null;var n=e.stateNode;null===n&&(n=e.stateNode=new Ji),t.forEach((function(t){var r=Os.bind(null,e,t);n.has(t)||(n.add(t),t.then(r,r))}))}}function vu(e,t){var n=t.deletions;if(null!==n)for(var r=0;r<n.length;r++){var a=n[r];try{var l=e,i=t,u=i;e:for(;null!==u;){switch(u.tag){case 5:fu=u.stateNode,du=!1;break e;case 3:case 4:fu=u.stateNode.containerInfo,du=!0;break e}u=u.return}if(null===fu)throw Error(o(160));hu(l,i,a),fu=null,du=!1;var s=a.alternate;null!==s&&(s.return=null),a.return=null}catch(e){Cs(a,t,e)}}if(12854&t.subtreeFlags)for(t=t.child;null!==t;)gu(t,e),t=t.sibling}function gu(e,t){var n=e.alternate,r=e.flags;switch(e.tag){case 0:case 11:case 14:case 15:if(vu(t,e),yu(e),4&r){try{ru(3,e,e.return),au(3,e)}catch(t){Cs(e,e.return,t)}try{ru(5,e,e.return)}catch(t){Cs(e,e.return,t)}}break;case 1:vu(t,e),yu(e),512&r&&null!==n&&eu(n,n.return);break;case 5:if(vu(t,e),yu(e),512&r&&null!==n&&eu(n,n.return),32&e.flags){var a=e.stateNode;try{de(a,"")}catch(t){Cs(e,e.return,t)}}if(4&r&&null!=(a=e.stateNode)){var l=e.memoizedProps,i=null!==n?n.memoizedProps:l,u=e.type,s=e.updateQueue;if(e.updateQueue=null,null!==s)try{"input"===u&&"radio"===l.type&&null!=l.name&&G(a,l),be(u,i);var c=be(u,l);for(i=0;i<s.length;i+=2){var f=s[i],d=s[i+1];"style"===f?ve(a,d):"dangerouslySetInnerHTML"===f?fe(a,d):"children"===f?de(a,d):b(a,f,d,c)}switch(u){case"input":J(a,l);break;case"textarea":oe(a,l);break;case"select":var p=a._wrapperState.wasMultiple;a._wrapperState.wasMultiple=!!l.multiple;var h=l.value;null!=h?ne(a,!!l.multiple,h,!1):p!==!!l.multiple&&(null!=l.defaultValue?ne(a,!!l.multiple,l.defaultValue,!0):ne(a,!!l.multiple,l.multiple?[]:"",!1))}a[pa]=l}catch(t){Cs(e,e.return,t)}}break;case 6:if(vu(t,e),yu(e),4&r){if(null===e.stateNode)throw Error(o(162));a=e.stateNode,l=e.memoizedProps;try{a.nodeValue=l}catch(t){Cs(e,e.return,t)}}break;case 3:if(vu(t,e),yu(e),4&r&&null!==n&&n.memoizedState.isDehydrated)try{Bt(t.containerInfo)}catch(t){Cs(e,e.return,t)}break;case 4:default:vu(t,e),yu(e);break;case 13:vu(t,e),yu(e),8192&(a=e.child).flags&&(l=null!==a.memoizedState,a.stateNode.isHidden=l,!l||null!==a.alternate&&null!==a.alternate.memoizedState||(Bu=Ge())),4&r&&mu(e);break;case 22:if(f=null!==n&&null!==n.memoizedState,1&e.mode?(Gi=(c=Gi)||f,vu(t,e),Gi=c):vu(t,e),yu(e),8192&r){if(c=null!==e.memoizedState,(e.stateNode.isHidden=c)&&!f&&0!=(1&e.mode))for(Zi=e,f=e.child;null!==f;){for(d=Zi=f;null!==Zi;){switch(h=(p=Zi).child,p.tag){case 0:case 11:case 14:case 15:ru(4,p,p.return);break;case 1:eu(p,p.return);var m=p.stateNode;if("function"==typeof m.componentWillUnmount){r=p,n=p.return;try{t=r,m.props=t.memoizedProps,m.state=t.memoizedState,m.componentWillUnmount()}catch(e){Cs(r,n,e)}}break;case 5:eu(p,p.return);break;case 22:if(null!==p.memoizedState){xu(d);continue}}null!==h?(h.return=p,Zi=h):xu(d)}f=f.sibling}e:for(f=null,d=e;;){if(5===d.tag){if(null===f){f=d;try{a=d.stateNode,c?"function"==typeof(l=a.style).setProperty?l.setProperty("display","none","important"):l.display="none":(u=d.stateNode,i=null!=(s=d.memoizedProps.style)&&s.hasOwnProperty("display")?s.display:null,u.style.display=me("display",i))}catch(t){Cs(e,e.return,t)}}}else if(6===d.tag){if(null===f)try{d.stateNode.nodeValue=c?"":d.memoizedProps}catch(t){Cs(e,e.return,t)}}else if((22!==d.tag&&23!==d.tag||null===d.memoizedState||d===e)&&null!==d.child){d.child.return=d,d=d.child;continue}if(d===e)break e;for(;null===d.sibling;){if(null===d.return||d.return===e)break e;f===d&&(f=null),d=d.return}f===d&&(f=null),d.sibling.return=d.return,d=d.sibling}}break;case 19:vu(t,e),yu(e),4&r&&mu(e);case 21:}}function yu(e){var t=e.flags;if(2&t){try{e:{for(var n=e.return;null!==n;){if(iu(n)){var r=n;break e}n=n.return}throw Error(o(160))}switch(r.tag){case 5:var a=r.stateNode;32&r.flags&&(de(a,""),r.flags&=-33),cu(e,uu(e),a);break;case 3:case 4:var l=r.stateNode.containerInfo;su(e,uu(e),l);break;default:throw Error(o(161))}}catch(t){Cs(e,e.return,t)}e.flags&=-3}4096&t&&(e.flags&=-4097)}function bu(e,t,n){Zi=e,wu(e,t,n)}function wu(e,t,n){for(var r=0!=(1&e.mode);null!==Zi;){var a=Zi,o=a.child;if(22===a.tag&&r){var l=null!==a.memoizedState||Xi;if(!l){var i=a.alternate,u=null!==i&&null!==i.memoizedState||Gi;i=Xi;var s=Gi;if(Xi=l,(Gi=u)&&!s)for(Zi=a;null!==Zi;)u=(l=Zi).child,22===l.tag&&null!==l.memoizedState?Su(a):null!==u?(u.return=l,Zi=u):Su(a);for(;null!==o;)Zi=o,wu(o,t,n),o=o.sibling;Zi=a,Xi=i,Gi=s}ku(e)}else 0!=(8772&a.subtreeFlags)&&null!==o?(o.return=a,Zi=o):ku(e)}}function ku(e){for(;null!==Zi;){var t=Zi;if(0!=(8772&t.flags)){var n=t.alternate;try{if(0!=(8772&t.flags))switch(t.tag){case 0:case 11:case 15:Gi||au(5,t);break;case 1:var r=t.stateNode;if(4&t.flags&&!Gi)if(null===n)r.componentDidMount();else{var a=t.elementType===t.type?n.memoizedProps:go(t.type,n.memoizedProps);r.componentDidUpdate(a,n.memoizedState,r.__reactInternalSnapshotBeforeUpdate)}var l=t.updateQueue;null!==l&&Ao(t,l,r);break;case 3:var i=t.updateQueue;if(null!==i){if(n=null,null!==t.child)switch(t.child.tag){case 5:case 1:n=t.child.stateNode}Ao(t,i,n)}break;case 5:var u=t.stateNode;if(null===n&&4&t.flags){n=u;var s=t.memoizedProps;switch(t.type){case"button":case"input":case"select":case"textarea":s.autoFocus&&n.focus();break;case"img":s.src&&(n.src=s.src)}}break;case 6:case 4:case 12:case 19:case 17:case 21:case 22:case 23:case 25:break;case 13:if(null===t.memoizedState){var c=t.alternate;if(null!==c){var f=c.memoizedState;if(null!==f){var d=f.dehydrated;null!==d&&Bt(d)}}}break;default:throw Error(o(163))}Gi||512&t.flags&&ou(t)}catch(e){Cs(t,t.return,e)}}if(t===e){Zi=null;break}if(null!==(n=t.sibling)){n.return=t.return,Zi=n;break}Zi=t.return}}function xu(e){for(;null!==Zi;){var t=Zi;if(t===e){Zi=null;break}var n=t.sibling;if(null!==n){n.return=t.return,Zi=n;break}Zi=t.return}}function Su(e){for(;null!==Zi;){var t=Zi;try{switch(t.tag){case 0:case 11:case 15:var n=t.return;try{au(4,t)}catch(e){Cs(t,n,e)}break;case 1:var r=t.stateNode;if("function"==typeof r.componentDidMount){var a=t.return;try{r.componentDidMount()}catch(e){Cs(t,a,e)}}var o=t.return;try{ou(t)}catch(e){Cs(t,o,e)}break;case 5:var l=t.return;try{ou(t)}catch(e){Cs(t,l,e)}}}catch(e){Cs(t,t.return,e)}if(t===e){Zi=null;break}var i=t.sibling;if(null!==i){i.return=t.return,Zi=i;break}Zi=t.return}}var Eu,Cu=Math.ceil,_u=w.ReactCurrentDispatcher,Pu=w.ReactCurrentOwner,Nu=w.ReactCurrentBatchConfig,Ou=0,Mu=null,Tu=null,Lu=0,Ru=0,zu=Ea(0),Du=0,Iu=null,ju=0,Fu=0,Au=0,$u=null,Uu=null,Bu=0,Wu=1/0,Hu=null,Vu=!1,Qu=null,Ku=null,qu=!1,Yu=null,Xu=0,Gu=0,Ju=null,Zu=-1,es=0;function ts(){return 0!=(6&Ou)?Ge():-1!==Zu?Zu:Zu=Ge()}function ns(e){return 0==(1&e.mode)?1:0!=(2&Ou)&&0!==Lu?Lu&-Lu:null!==vo.transition?(0===es&&(es=mt()),es):0!==(e=bt)?e:e=void 0===(e=window.event)?16:Xt(e.type)}function rs(e,t,n,r){if(50<Gu)throw Gu=0,Ju=null,Error(o(185));gt(e,n,r),0!=(2&Ou)&&e===Mu||(e===Mu&&(0==(2&Ou)&&(Fu|=n),4===Du&&us(e,Lu)),as(e,r),1===n&&0===Ou&&0==(1&t.mode)&&(Wu=Ge()+500,Aa&&Ba()))}function as(e,t){var n=e.callbackNode;!function(e,t){for(var n=e.suspendedLanes,r=e.pingedLanes,a=e.expirationTimes,o=e.pendingLanes;0<o;){var l=31-lt(o),i=1<<l,u=a[l];-1===u?0!=(i&n)&&0==(i&r)||(a[l]=pt(i,t)):u<=t&&(e.expiredLanes|=i),o&=~i}}(e,t);var r=dt(e,e===Mu?Lu:0);if(0===r)null!==n&&qe(n),e.callbackNode=null,e.callbackPriority=0;else if(t=r&-r,e.callbackPriority!==t){if(null!=n&&qe(n),1===t)0===e.tag?function(e){Aa=!0,Ua(e)}(ss.bind(null,e)):Ua(ss.bind(null,e)),la((function(){0==(6&Ou)&&Ba()})),n=null;else{switch(wt(r)){case 1:n=Ze;break;case 4:n=et;break;case 16:default:n=tt;break;case 536870912:n=rt}n=Ms(n,os.bind(null,e))}e.callbackPriority=t,e.callbackNode=n}}function os(e,t){if(Zu=-1,es=0,0!=(6&Ou))throw Error(o(327));var n=e.callbackNode;if(Ss()&&e.callbackNode!==n)return null;var r=dt(e,e===Mu?Lu:0);if(0===r)return null;if(0!=(30&r)||0!=(r&e.expiredLanes)||t)t=gs(e,r);else{t=r;var a=Ou;Ou|=2;var l=ms();for(Mu===e&&Lu===t||(Hu=null,Wu=Ge()+500,ps(e,t));;)try{bs();break}catch(t){hs(e,t)}xo(),_u.current=l,Ou=a,null!==Tu?t=0:(Mu=null,Lu=0,t=Du)}if(0!==t){if(2===t&&(0!==(a=ht(e))&&(r=a,t=ls(e,a))),1===t)throw n=Iu,ps(e,0),us(e,r),as(e,Ge()),n;if(6===t)us(e,r);else{if(a=e.current.alternate,0==(30&r)&&!function(e){for(var t=e;;){if(16384&t.flags){var n=t.updateQueue;if(null!==n&&null!==(n=n.stores))for(var r=0;r<n.length;r++){var a=n[r],o=a.getSnapshot;a=a.value;try{if(!ir(o(),a))return!1}catch(e){return!1}}}if(n=t.child,16384&t.subtreeFlags&&null!==n)n.return=t,t=n;else{if(t===e)break;for(;null===t.sibling;){if(null===t.return||t.return===e)return!0;t=t.return}t.sibling.return=t.return,t=t.sibling}}return!0}(a)&&(2===(t=gs(e,r))&&(0!==(l=ht(e))&&(r=l,t=ls(e,l))),1===t))throw n=Iu,ps(e,0),us(e,r),as(e,Ge()),n;switch(e.finishedWork=a,e.finishedLanes=r,t){case 0:case 1:throw Error(o(345));case 2:case 5:xs(e,Uu,Hu);break;case 3:if(us(e,r),(130023424&r)===r&&10<(t=Bu+500-Ge())){if(0!==dt(e,0))break;if(((a=e.suspendedLanes)&r)!==r){ts(),e.pingedLanes|=e.suspendedLanes&a;break}e.timeoutHandle=ra(xs.bind(null,e,Uu,Hu),t);break}xs(e,Uu,Hu);break;case 4:if(us(e,r),(4194240&r)===r)break;for(t=e.eventTimes,a=-1;0<r;){var i=31-lt(r);l=1<<i,(i=t[i])>a&&(a=i),r&=~l}if(r=a,10<(r=(120>(r=Ge()-r)?120:480>r?480:1080>r?1080:1920>r?1920:3e3>r?3e3:4320>r?4320:1960*Cu(r/1960))-r)){e.timeoutHandle=ra(xs.bind(null,e,Uu,Hu),r);break}xs(e,Uu,Hu);break;default:throw Error(o(329))}}}return as(e,Ge()),e.callbackNode===n?os.bind(null,e):null}function ls(e,t){var n=$u;return e.current.memoizedState.isDehydrated&&(ps(e,t).flags|=256),2!==(e=gs(e,t))&&(t=Uu,Uu=n,null!==t&&is(t)),e}function is(e){null===Uu?Uu=e:Uu.push.apply(Uu,e)}function us(e,t){for(t&=~Au,t&=~Fu,e.suspendedLanes|=t,e.pingedLanes&=~t,e=e.expirationTimes;0<t;){var n=31-lt(t),r=1<<n;e[n]=-1,t&=~r}}function ss(e){if(0!=(6&Ou))throw Error(o(327));Ss();var t=dt(e,0);if(0==(1&t))return as(e,Ge()),null;var n=gs(e,t);if(0!==e.tag&&2===n){var r=ht(e);0!==r&&(t=r,n=ls(e,r))}if(1===n)throw n=Iu,ps(e,0),us(e,t),as(e,Ge()),n;if(6===n)throw Error(o(345));return e.finishedWork=e.current.alternate,e.finishedLanes=t,xs(e,Uu,Hu),as(e,Ge()),null}function cs(e,t){var n=Ou;Ou|=1;try{return e(t)}finally{0===(Ou=n)&&(Wu=Ge()+500,Aa&&Ba())}}function fs(e){null!==Yu&&0===Yu.tag&&0==(6&Ou)&&Ss();var t=Ou;Ou|=1;var n=Nu.transition,r=bt;try{if(Nu.transition=null,bt=1,e)return e()}finally{bt=r,Nu.transition=n,0==(6&(Ou=t))&&Ba()}}function ds(){Ru=zu.current,Ca(zu)}function ps(e,t){e.finishedWork=null,e.finishedLanes=0;var n=e.timeoutHandle;if(-1!==n&&(e.timeoutHandle=-1,aa(n)),null!==Tu)for(n=Tu.return;null!==n;){var r=n;switch(to(r),r.tag){case 1:null!=(r=r.type.childContextTypes)&&Ra();break;case 3:ol(),Ca(Oa),Ca(Na),fl();break;case 5:il(r);break;case 4:ol();break;case 13:case 19:Ca(ul);break;case 10:So(r.type._context);break;case 22:case 23:ds()}n=n.return}if(Mu=e,Tu=e=zs(e.current,null),Lu=Ru=t,Du=0,Iu=null,Au=Fu=ju=0,Uu=$u=null,null!==Po){for(t=0;t<Po.length;t++)if(null!==(r=(n=Po[t]).interleaved)){n.interleaved=null;var a=r.next,o=n.pending;if(null!==o){var l=o.next;o.next=a,r.next=l}n.pending=r}Po=null}return e}function hs(e,t){for(;;){var n=Tu;try{if(xo(),dl.current=li,yl){for(var r=ml.memoizedState;null!==r;){var a=r.queue;null!==a&&(a.pending=null),r=r.next}yl=!1}if(hl=0,gl=vl=ml=null,bl=!1,wl=0,Pu.current=null,null===n||null===n.return){Du=1,Iu=t,Tu=null;break}e:{var l=e,i=n.return,u=n,s=t;if(t=Lu,u.flags|=32768,null!==s&&"object"==typeof s&&"function"==typeof s.then){var c=s,f=u,d=f.tag;if(0==(1&f.mode)&&(0===d||11===d||15===d)){var p=f.alternate;p?(f.updateQueue=p.updateQueue,f.memoizedState=p.memoizedState,f.lanes=p.lanes):(f.updateQueue=null,f.memoizedState=null)}var h=gi(i);if(null!==h){h.flags&=-257,yi(h,i,u,0,t),1&h.mode&&vi(l,c,t),s=c;var m=(t=h).updateQueue;if(null===m){var v=new Set;v.add(s),t.updateQueue=v}else m.add(s);break e}if(0==(1&t)){vi(l,c,t),vs();break e}s=Error(o(426))}else if(ao&&1&u.mode){var g=gi(i);if(null!==g){0==(65536&g.flags)&&(g.flags|=256),yi(g,i,u,0,t),mo(ci(s,u));break e}}l=s=ci(s,u),4!==Du&&(Du=2),null===$u?$u=[l]:$u.push(l),l=i;do{switch(l.tag){case 3:l.flags|=65536,t&=-t,l.lanes|=t,jo(l,hi(0,s,t));break e;case 1:u=s;var y=l.type,b=l.stateNode;if(0==(128&l.flags)&&("function"==typeof y.getDerivedStateFromError||null!==b&&"function"==typeof b.componentDidCatch&&(null===Ku||!Ku.has(b)))){l.flags|=65536,t&=-t,l.lanes|=t,jo(l,mi(l,u,t));break e}}l=l.return}while(null!==l)}ks(n)}catch(e){t=e,Tu===n&&null!==n&&(Tu=n=n.return);continue}break}}function ms(){var e=_u.current;return _u.current=li,null===e?li:e}function vs(){0!==Du&&3!==Du&&2!==Du||(Du=4),null===Mu||0==(268435455&ju)&&0==(268435455&Fu)||us(Mu,Lu)}function gs(e,t){var n=Ou;Ou|=2;var r=ms();for(Mu===e&&Lu===t||(Hu=null,ps(e,t));;)try{ys();break}catch(t){hs(e,t)}if(xo(),Ou=n,_u.current=r,null!==Tu)throw Error(o(261));return Mu=null,Lu=0,Du}function ys(){for(;null!==Tu;)ws(Tu)}function bs(){for(;null!==Tu&&!Ye();)ws(Tu)}function ws(e){var t=Eu(e.alternate,e,Ru);e.memoizedProps=e.pendingProps,null===t?ks(e):Tu=t,Pu.current=null}function ks(e){var t=e;do{var n=t.alternate;if(e=t.return,0==(32768&t.flags)){if(null!==(n=qi(n,t,Ru)))return void(Tu=n)}else{if(null!==(n=Yi(n,t)))return n.flags&=32767,void(Tu=n);if(null===e)return Du=6,void(Tu=null);e.flags|=32768,e.subtreeFlags=0,e.deletions=null}if(null!==(t=t.sibling))return void(Tu=t);Tu=t=e}while(null!==t);0===Du&&(Du=5)}function xs(e,t,n){var r=bt,a=Nu.transition;try{Nu.transition=null,bt=1,function(e,t,n,r){do{Ss()}while(null!==Yu);if(0!=(6&Ou))throw Error(o(327));n=e.finishedWork;var a=e.finishedLanes;if(null===n)return null;if(e.finishedWork=null,e.finishedLanes=0,n===e.current)throw Error(o(177));e.callbackNode=null,e.callbackPriority=0;var l=n.lanes|n.childLanes;if(function(e,t){var n=e.pendingLanes&~t;e.pendingLanes=t,e.suspendedLanes=0,e.pingedLanes=0,e.expiredLanes&=t,e.mutableReadLanes&=t,e.entangledLanes&=t,t=e.entanglements;var r=e.eventTimes;for(e=e.expirationTimes;0<n;){var a=31-lt(n),o=1<<a;t[a]=0,r[a]=-1,e[a]=-1,n&=~o}}(e,l),e===Mu&&(Tu=Mu=null,Lu=0),0==(2064&n.subtreeFlags)&&0==(2064&n.flags)||qu||(qu=!0,Ms(tt,(function(){return Ss(),null}))),l=0!=(15990&n.flags),0!=(15990&n.subtreeFlags)||l){l=Nu.transition,Nu.transition=null;var i=bt;bt=1;var u=Ou;Ou|=4,Pu.current=null,function(e,t){if(ea=Ht,pr(e=dr())){if("selectionStart"in e)var n={start:e.selectionStart,end:e.selectionEnd};else e:{var r=(n=(n=e.ownerDocument)&&n.defaultView||window).getSelection&&n.getSelection();if(r&&0!==r.rangeCount){n=r.anchorNode;var a=r.anchorOffset,l=r.focusNode;r=r.focusOffset;try{n.nodeType,l.nodeType}catch(e){n=null;break e}var i=0,u=-1,s=-1,c=0,f=0,d=e,p=null;t:for(;;){for(var h;d!==n||0!==a&&3!==d.nodeType||(u=i+a),d!==l||0!==r&&3!==d.nodeType||(s=i+r),3===d.nodeType&&(i+=d.nodeValue.length),null!==(h=d.firstChild);)p=d,d=h;for(;;){if(d===e)break t;if(p===n&&++c===a&&(u=i),p===l&&++f===r&&(s=i),null!==(h=d.nextSibling))break;p=(d=p).parentNode}d=h}n=-1===u||-1===s?null:{start:u,end:s}}else n=null}n=n||{start:0,end:0}}else n=null;for(ta={focusedElem:e,selectionRange:n},Ht=!1,Zi=t;null!==Zi;)if(e=(t=Zi).child,0!=(1028&t.subtreeFlags)&&null!==e)e.return=t,Zi=e;else for(;null!==Zi;){t=Zi;try{var m=t.alternate;if(0!=(1024&t.flags))switch(t.tag){case 0:case 11:case 15:case 5:case 6:case 4:case 17:break;case 1:if(null!==m){var v=m.memoizedProps,g=m.memoizedState,y=t.stateNode,b=y.getSnapshotBeforeUpdate(t.elementType===t.type?v:go(t.type,v),g);y.__reactInternalSnapshotBeforeUpdate=b}break;case 3:var w=t.stateNode.containerInfo;1===w.nodeType?w.textContent="":9===w.nodeType&&w.documentElement&&w.removeChild(w.documentElement);break;default:throw Error(o(163))}}catch(e){Cs(t,t.return,e)}if(null!==(e=t.sibling)){e.return=t.return,Zi=e;break}Zi=t.return}m=nu,nu=!1}(e,n),gu(n,e),hr(ta),Ht=!!ea,ta=ea=null,e.current=n,bu(n,e,a),Xe(),Ou=u,bt=i,Nu.transition=l}else e.current=n;if(qu&&(qu=!1,Yu=e,Xu=a),l=e.pendingLanes,0===l&&(Ku=null),function(e){if(ot&&"function"==typeof ot.onCommitFiberRoot)try{ot.onCommitFiberRoot(at,e,void 0,128==(128&e.current.flags))}catch(e){}}(n.stateNode),as(e,Ge()),null!==t)for(r=e.onRecoverableError,n=0;n<t.length;n++)a=t[n],r(a.value,{componentStack:a.stack,digest:a.digest});if(Vu)throw Vu=!1,e=Qu,Qu=null,e;0!=(1&Xu)&&0!==e.tag&&Ss(),l=e.pendingLanes,0!=(1&l)?e===Ju?Gu++:(Gu=0,Ju=e):Gu=0,Ba()}(e,t,n,r)}finally{Nu.transition=a,bt=r}return null}function Ss(){if(null!==Yu){var e=wt(Xu),t=Nu.transition,n=bt;try{if(Nu.transition=null,bt=16>e?16:e,null===Yu)var r=!1;else{if(e=Yu,Yu=null,Xu=0,0!=(6&Ou))throw Error(o(331));var a=Ou;for(Ou|=4,Zi=e.current;null!==Zi;){var l=Zi,i=l.child;if(0!=(16&Zi.flags)){var u=l.deletions;if(null!==u){for(var s=0;s<u.length;s++){var c=u[s];for(Zi=c;null!==Zi;){var f=Zi;switch(f.tag){case 0:case 11:case 15:ru(8,f,l)}var d=f.child;if(null!==d)d.return=f,Zi=d;else for(;null!==Zi;){var p=(f=Zi).sibling,h=f.return;if(lu(f),f===c){Zi=null;break}if(null!==p){p.return=h,Zi=p;break}Zi=h}}}var m=l.alternate;if(null!==m){var v=m.child;if(null!==v){m.child=null;do{var g=v.sibling;v.sibling=null,v=g}while(null!==v)}}Zi=l}}if(0!=(2064&l.subtreeFlags)&&null!==i)i.return=l,Zi=i;else e:for(;null!==Zi;){if(0!=(2048&(l=Zi).flags))switch(l.tag){case 0:case 11:case 15:ru(9,l,l.return)}var y=l.sibling;if(null!==y){y.return=l.return,Zi=y;break e}Zi=l.return}}var b=e.current;for(Zi=b;null!==Zi;){var w=(i=Zi).child;if(0!=(2064&i.subtreeFlags)&&null!==w)w.return=i,Zi=w;else e:for(i=b;null!==Zi;){if(0!=(2048&(u=Zi).flags))try{switch(u.tag){case 0:case 11:case 15:au(9,u)}}catch(e){Cs(u,u.return,e)}if(u===i){Zi=null;break e}var k=u.sibling;if(null!==k){k.return=u.return,Zi=k;break e}Zi=u.return}}if(Ou=a,Ba(),ot&&"function"==typeof ot.onPostCommitFiberRoot)try{ot.onPostCommitFiberRoot(at,e)}catch(e){}r=!0}return r}finally{bt=n,Nu.transition=t}}return!1}function Es(e,t,n){e=Do(e,t=hi(0,t=ci(n,t),1),1),t=ts(),null!==e&&(gt(e,1,t),as(e,t))}function Cs(e,t,n){if(3===e.tag)Es(e,e,n);else for(;null!==t;){if(3===t.tag){Es(t,e,n);break}if(1===t.tag){var r=t.stateNode;if("function"==typeof t.type.getDerivedStateFromError||"function"==typeof r.componentDidCatch&&(null===Ku||!Ku.has(r))){t=Do(t,e=mi(t,e=ci(n,e),1),1),e=ts(),null!==t&&(gt(t,1,e),as(t,e));break}}t=t.return}}function _s(e,t,n){var r=e.pingCache;null!==r&&r.delete(t),t=ts(),e.pingedLanes|=e.suspendedLanes&n,Mu===e&&(Lu&n)===n&&(4===Du||3===Du&&(130023424&Lu)===Lu&&500>Ge()-Bu?ps(e,0):Au|=n),as(e,t)}function Ps(e,t){0===t&&(0==(1&e.mode)?t=1:(t=ct,0==(130023424&(ct<<=1))&&(ct=4194304)));var n=ts();null!==(e=Mo(e,t))&&(gt(e,t,n),as(e,n))}function Ns(e){var t=e.memoizedState,n=0;null!==t&&(n=t.retryLane),Ps(e,n)}function Os(e,t){var n=0;switch(e.tag){case 13:var r=e.stateNode,a=e.memoizedState;null!==a&&(n=a.retryLane);break;case 19:r=e.stateNode;break;default:throw Error(o(314))}null!==r&&r.delete(t),Ps(e,n)}function Ms(e,t){return Ke(e,t)}function Ts(e,t,n,r){this.tag=e,this.key=n,this.sibling=this.child=this.return=this.stateNode=this.type=this.elementType=null,this.index=0,this.ref=null,this.pendingProps=t,this.dependencies=this.memoizedState=this.updateQueue=this.memoizedProps=null,this.mode=r,this.subtreeFlags=this.flags=0,this.deletions=null,this.childLanes=this.lanes=0,this.alternate=null}function Ls(e,t,n,r){return new Ts(e,t,n,r)}function Rs(e){return!(!(e=e.prototype)||!e.isReactComponent)}function zs(e,t){var n=e.alternate;return null===n?((n=Ls(e.tag,t,e.key,e.mode)).elementType=e.elementType,n.type=e.type,n.stateNode=e.stateNode,n.alternate=e,e.alternate=n):(n.pendingProps=t,n.type=e.type,n.flags=0,n.subtreeFlags=0,n.deletions=null),n.flags=14680064&e.flags,n.childLanes=e.childLanes,n.lanes=e.lanes,n.child=e.child,n.memoizedProps=e.memoizedProps,n.memoizedState=e.memoizedState,n.updateQueue=e.updateQueue,t=e.dependencies,n.dependencies=null===t?null:{lanes:t.lanes,firstContext:t.firstContext},n.sibling=e.sibling,n.index=e.index,n.ref=e.ref,n}function Ds(e,t,n,r,a,l){var i=2;if(r=e,"function"==typeof e)Rs(e)&&(i=1);else if("string"==typeof e)i=5;else e:switch(e){case S:return Is(n.children,a,l,t);case E:i=8,a|=8;break;case C:return(e=Ls(12,n,t,2|a)).elementType=C,e.lanes=l,e;case O:return(e=Ls(13,n,t,a)).elementType=O,e.lanes=l,e;case M:return(e=Ls(19,n,t,a)).elementType=M,e.lanes=l,e;case R:return js(n,a,l,t);default:if("object"==typeof e&&null!==e)switch(e.$$typeof){case _:i=10;break e;case P:i=9;break e;case N:i=11;break e;case T:i=14;break e;case L:i=16,r=null;break e}throw Error(o(130,null==e?e:typeof e,""))}return(t=Ls(i,n,t,a)).elementType=e,t.type=r,t.lanes=l,t}function Is(e,t,n,r){return(e=Ls(7,e,r,t)).lanes=n,e}function js(e,t,n,r){return(e=Ls(22,e,r,t)).elementType=R,e.lanes=n,e.stateNode={isHidden:!1},e}function Fs(e,t,n){return(e=Ls(6,e,null,t)).lanes=n,e}function As(e,t,n){return(t=Ls(4,null!==e.children?e.children:[],e.key,t)).lanes=n,t.stateNode={containerInfo:e.containerInfo,pendingChildren:null,implementation:e.implementation},t}function $s(e,t,n,r,a){this.tag=t,this.containerInfo=e,this.finishedWork=this.pingCache=this.current=this.pendingChildren=null,this.timeoutHandle=-1,this.callbackNode=this.pendingContext=this.context=null,this.callbackPriority=0,this.eventTimes=vt(0),this.expirationTimes=vt(-1),this.entangledLanes=this.finishedLanes=this.mutableReadLanes=this.expiredLanes=this.pingedLanes=this.suspendedLanes=this.pendingLanes=0,this.entanglements=vt(0),this.identifierPrefix=r,this.onRecoverableError=a,this.mutableSourceEagerHydrationData=null}function Us(e,t,n,r,a,o,l,i,u){return e=new $s(e,t,n,i,u),1===t?(t=1,!0===o&&(t|=8)):t=0,o=Ls(3,null,null,t),e.current=o,o.stateNode=e,o.memoizedState={element:r,isDehydrated:n,cache:null,transitions:null,pendingSuspenseBoundaries:null},Lo(o),e}function Bs(e){if(!e)return Pa;e:{if(Be(e=e._reactInternals)!==e||1!==e.tag)throw Error(o(170));var t=e;do{switch(t.tag){case 3:t=t.stateNode.context;break e;case 1:if(La(t.type)){t=t.stateNode.__reactInternalMemoizedMergedChildContext;break e}}t=t.return}while(null!==t);throw Error(o(171))}if(1===e.tag){var n=e.type;if(La(n))return Da(e,n,t)}return t}function Ws(e,t,n,r,a,o,l,i,u){return(e=Us(n,r,!0,e,0,o,0,i,u)).context=Bs(null),n=e.current,(o=zo(r=ts(),a=ns(n))).callback=null!=t?t:null,Do(n,o,a),e.current.lanes=a,gt(e,a,r),as(e,r),e}function Hs(e,t,n,r){var a=t.current,o=ts(),l=ns(a);return n=Bs(n),null===t.context?t.context=n:t.pendingContext=n,(t=zo(o,l)).payload={element:e},null!==(r=void 0===r?null:r)&&(t.callback=r),null!==(e=Do(a,t,l))&&(rs(e,a,l,o),Io(e,a,l)),l}function Vs(e){return(e=e.current).child?(e.child.tag,e.child.stateNode):null}function Qs(e,t){if(null!==(e=e.memoizedState)&&null!==e.dehydrated){var n=e.retryLane;e.retryLane=0!==n&&n<t?n:t}}function Ks(e,t){Qs(e,t),(e=e.alternate)&&Qs(e,t)}Eu=function(e,t,n){if(null!==e)if(e.memoizedProps!==t.pendingProps||Oa.current)wi=!0;else{if(0==(e.lanes&n)&&0==(128&t.flags))return wi=!1,function(e,t,n){switch(t.tag){case 3:Mi(t),ho();break;case 5:ll(t);break;case 1:La(t.type)&&Ia(t);break;case 4:al(t,t.stateNode.containerInfo);break;case 10:var r=t.type._context,a=t.memoizedProps.value;_a(yo,r._currentValue),r._currentValue=a;break;case 13:if(null!==(r=t.memoizedState))return null!==r.dehydrated?(_a(ul,1&ul.current),t.flags|=128,null):0!=(n&t.child.childLanes)?Fi(e,t,n):(_a(ul,1&ul.current),null!==(e=Vi(e,t,n))?e.sibling:null);_a(ul,1&ul.current);break;case 19:if(r=0!=(n&t.childLanes),0!=(128&e.flags)){if(r)return Wi(e,t,n);t.flags|=128}if(null!==(a=t.memoizedState)&&(a.rendering=null,a.tail=null,a.lastEffect=null),_a(ul,ul.current),r)break;return null;case 22:case 23:return t.lanes=0,Ci(e,t,n)}return Vi(e,t,n)}(e,t,n);wi=0!=(131072&e.flags)}else wi=!1,ao&&0!=(1048576&t.flags)&&Za(t,Qa,t.index);switch(t.lanes=0,t.tag){case 2:var r=t.type;Hi(e,t),e=t.pendingProps;var a=Ta(t,Na.current);Co(t,n),a=El(null,t,r,e,a,n);var l=Cl();return t.flags|=1,"object"==typeof a&&null!==a&&"function"==typeof a.render&&void 0===a.$$typeof?(t.tag=1,t.memoizedState=null,t.updateQueue=null,La(r)?(l=!0,Ia(t)):l=!1,t.memoizedState=null!==a.state&&void 0!==a.state?a.state:null,Lo(t),a.updater=Bo,t.stateNode=a,a._reactInternals=t,Qo(t,r,e,n),t=Oi(null,t,r,!0,l,n)):(t.tag=0,ao&&l&&eo(t),ki(null,t,a,n),t=t.child),t;case 16:r=t.elementType;e:{switch(Hi(e,t),e=t.pendingProps,r=(a=r._init)(r._payload),t.type=r,a=t.tag=function(e){if("function"==typeof e)return Rs(e)?1:0;if(null!=e){if((e=e.$$typeof)===N)return 11;if(e===T)return 14}return 2}(r),e=go(r,e),a){case 0:t=Pi(null,t,r,e,n);break e;case 1:t=Ni(null,t,r,e,n);break e;case 11:t=xi(null,t,r,e,n);break e;case 14:t=Si(null,t,r,go(r.type,e),n);break e}throw Error(o(306,r,""))}return t;case 0:return r=t.type,a=t.pendingProps,Pi(e,t,r,a=t.elementType===r?a:go(r,a),n);case 1:return r=t.type,a=t.pendingProps,Ni(e,t,r,a=t.elementType===r?a:go(r,a),n);case 3:e:{if(Mi(t),null===e)throw Error(o(387));r=t.pendingProps,a=(l=t.memoizedState).element,Ro(e,t),Fo(t,r,null,n);var i=t.memoizedState;if(r=i.element,l.isDehydrated){if(l={element:r,isDehydrated:!1,cache:i.cache,pendingSuspenseBoundaries:i.pendingSuspenseBoundaries,transitions:i.transitions},t.updateQueue.baseState=l,t.memoizedState=l,256&t.flags){t=Ti(e,t,r,n,a=ci(Error(o(423)),t));break e}if(r!==a){t=Ti(e,t,r,n,a=ci(Error(o(424)),t));break e}for(ro=sa(t.stateNode.containerInfo.firstChild),no=t,ao=!0,oo=null,n=Jo(t,null,r,n),t.child=n;n;)n.flags=-3&n.flags|4096,n=n.sibling}else{if(ho(),r===a){t=Vi(e,t,n);break e}ki(e,t,r,n)}t=t.child}return t;case 5:return ll(t),null===e&&so(t),r=t.type,a=t.pendingProps,l=null!==e?e.memoizedProps:null,i=a.children,na(r,a)?i=null:null!==l&&na(r,l)&&(t.flags|=32),_i(e,t),ki(e,t,i,n),t.child;case 6:return null===e&&so(t),null;case 13:return Fi(e,t,n);case 4:return al(t,t.stateNode.containerInfo),r=t.pendingProps,null===e?t.child=Go(t,null,r,n):ki(e,t,r,n),t.child;case 11:return r=t.type,a=t.pendingProps,xi(e,t,r,a=t.elementType===r?a:go(r,a),n);case 7:return ki(e,t,t.pendingProps,n),t.child;case 8:case 12:return ki(e,t,t.pendingProps.children,n),t.child;case 10:e:{if(r=t.type._context,a=t.pendingProps,l=t.memoizedProps,i=a.value,_a(yo,r._currentValue),r._currentValue=i,null!==l)if(ir(l.value,i)){if(l.children===a.children&&!Oa.current){t=Vi(e,t,n);break e}}else for(null!==(l=t.child)&&(l.return=t);null!==l;){var u=l.dependencies;if(null!==u){i=l.child;for(var s=u.firstContext;null!==s;){if(s.context===r){if(1===l.tag){(s=zo(-1,n&-n)).tag=2;var c=l.updateQueue;if(null!==c){var f=(c=c.shared).pending;null===f?s.next=s:(s.next=f.next,f.next=s),c.pending=s}}l.lanes|=n,null!==(s=l.alternate)&&(s.lanes|=n),Eo(l.return,n,t),u.lanes|=n;break}s=s.next}}else if(10===l.tag)i=l.type===t.type?null:l.child;else if(18===l.tag){if(null===(i=l.return))throw Error(o(341));i.lanes|=n,null!==(u=i.alternate)&&(u.lanes|=n),Eo(i,n,t),i=l.sibling}else i=l.child;if(null!==i)i.return=l;else for(i=l;null!==i;){if(i===t){i=null;break}if(null!==(l=i.sibling)){l.return=i.return,i=l;break}i=i.return}l=i}ki(e,t,a.children,n),t=t.child}return t;case 9:return a=t.type,r=t.pendingProps.children,Co(t,n),r=r(a=_o(a)),t.flags|=1,ki(e,t,r,n),t.child;case 14:return a=go(r=t.type,t.pendingProps),Si(e,t,r,a=go(r.type,a),n);case 15:return Ei(e,t,t.type,t.pendingProps,n);case 17:return r=t.type,a=t.pendingProps,a=t.elementType===r?a:go(r,a),Hi(e,t),t.tag=1,La(r)?(e=!0,Ia(t)):e=!1,Co(t,n),Ho(t,r,a),Qo(t,r,a,n),Oi(null,t,r,!0,e,n);case 19:return Wi(e,t,n);case 22:return Ci(e,t,n)}throw Error(o(156,t.tag))};var qs="function"==typeof reportError?reportError:function(e){console.error(e)};function Ys(e){this._internalRoot=e}function Xs(e){this._internalRoot=e}function Gs(e){return!(!e||1!==e.nodeType&&9!==e.nodeType&&11!==e.nodeType)}function Js(e){return!(!e||1!==e.nodeType&&9!==e.nodeType&&11!==e.nodeType&&(8!==e.nodeType||" react-mount-point-unstable "!==e.nodeValue))}function Zs(){}function ec(e,t,n,r,a){var o=n._reactRootContainer;if(o){var l=o;if("function"==typeof a){var i=a;a=function(){var e=Vs(l);i.call(e)}}Hs(t,l,e,a)}else l=function(e,t,n,r,a){if(a){if("function"==typeof r){var o=r;r=function(){var e=Vs(l);o.call(e)}}var l=Ws(t,r,e,0,null,!1,0,"",Zs);return e._reactRootContainer=l,e[ha]=l.current,Br(8===e.nodeType?e.parentNode:e),fs(),l}for(;a=e.lastChild;)e.removeChild(a);if("function"==typeof r){var i=r;r=function(){var e=Vs(u);i.call(e)}}var u=Us(e,0,!1,null,0,!1,0,"",Zs);return e._reactRootContainer=u,e[ha]=u.current,Br(8===e.nodeType?e.parentNode:e),fs((function(){Hs(t,u,n,r)})),u}(n,t,e,a,r);return Vs(l)}Xs.prototype.render=Ys.prototype.render=function(e){var t=this._internalRoot;if(null===t)throw Error(o(409));Hs(e,t,null,null)},Xs.prototype.unmount=Ys.prototype.unmount=function(){var e=this._internalRoot;if(null!==e){this._internalRoot=null;var t=e.containerInfo;fs((function(){Hs(null,e,null,null)})),t[ha]=null}},Xs.prototype.unstable_scheduleHydration=function(e){if(e){var t=Et();e={blockedOn:null,target:e,priority:t};for(var n=0;n<Rt.length&&0!==t&&t<Rt[n].priority;n++);Rt.splice(n,0,e),0===n&&jt(e)}},kt=function(e){switch(e.tag){case 3:var t=e.stateNode;if(t.current.memoizedState.isDehydrated){var n=ft(t.pendingLanes);0!==n&&(yt(t,1|n),as(t,Ge()),0==(6&Ou)&&(Wu=Ge()+500,Ba()))}break;case 13:fs((function(){var t=Mo(e,1);if(null!==t){var n=ts();rs(t,e,1,n)}})),Ks(e,1)}},xt=function(e){if(13===e.tag){var t=Mo(e,134217728);if(null!==t)rs(t,e,134217728,ts());Ks(e,134217728)}},St=function(e){if(13===e.tag){var t=ns(e),n=Mo(e,t);if(null!==n)rs(n,e,t,ts());Ks(e,t)}},Et=function(){return bt},Ct=function(e,t){var n=bt;try{return bt=e,t()}finally{bt=n}},xe=function(e,t,n){switch(t){case"input":if(J(e,n),t=n.name,"radio"===n.type&&null!=t){for(n=e;n.parentNode;)n=n.parentNode;for(n=n.querySelectorAll("input[name="+JSON.stringify(""+t)+'][type="radio"]'),t=0;t<n.length;t++){var r=n[t];if(r!==e&&r.form===e.form){var a=ka(r);if(!a)throw Error(o(90));K(r),J(r,a)}}}break;case"textarea":oe(e,n);break;case"select":null!=(t=n.value)&&ne(e,!!n.multiple,t,!1)}},Ne=cs,Oe=fs;var tc={usingClientEntryPoint:!1,Events:[ba,wa,ka,_e,Pe,cs]},nc={findFiberByHostInstance:ya,bundleType:0,version:"18.2.0",rendererPackageName:"react-dom"},rc={bundleType:nc.bundleType,version:nc.version,rendererPackageName:nc.rendererPackageName,rendererConfig:nc.rendererConfig,overrideHookState:null,overrideHookStateDeletePath:null,overrideHookStateRenamePath:null,overrideProps:null,overridePropsDeletePath:null,overridePropsRenamePath:null,setErrorHandler:null,setSuspenseHandler:null,scheduleUpdate:null,currentDispatcherRef:w.ReactCurrentDispatcher,findHostInstanceByFiber:function(e){return null===(e=Ve(e))?null:e.stateNode},findFiberByHostInstance:nc.findFiberByHostInstance||function(){return null},findHostInstancesForRefresh:null,scheduleRefresh:null,scheduleRoot:null,setRefreshHandler:null,getCurrentFiber:null,reconcilerVersion:"18.2.0-next-9e3b772b8-20220608"};if("undefined"!=typeof __REACT_DEVTOOLS_GLOBAL_HOOK__){var ac=__REACT_DEVTOOLS_GLOBAL_HOOK__;if(!ac.isDisabled&&ac.supportsFiber)try{at=ac.inject(rc),ot=ac}catch(ce){}}},3730:(e,t,n)=>{"use strict";!function e(){if("undefined"!=typeof __REACT_DEVTOOLS_GLOBAL_HOOK__&&"function"==typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE)try{__REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE(e)}catch(e){console.error(e)}}(),n(5565)},4507:(e,t)=>{"use strict";
+/** @license React v16.13.1
+ * react-is.production.min.js
+ *
+ * Copyright (c) Facebook, Inc. and its affiliates.
+ *
+ * This source code is licensed under the MIT license found in the
+ * LICENSE file in the root directory of this source tree.
+ */var n="function"==typeof Symbol&&Symbol.for,r=n?Symbol.for("react.element"):60103,a=n?Symbol.for("react.portal"):60106,o=n?Symbol.for("react.fragment"):60107,l=n?Symbol.for("react.strict_mode"):60108,i=n?Symbol.for("react.profiler"):60114,u=n?Symbol.for("react.provider"):60109,s=n?Symbol.for("react.context"):60110,c=n?Symbol.for("react.async_mode"):60111,f=n?Symbol.for("react.concurrent_mode"):60111,d=n?Symbol.for("react.forward_ref"):60112,p=n?Symbol.for("react.suspense"):60113,h=n?Symbol.for("react.suspense_list"):60120,m=n?Symbol.for("react.memo"):60115,v=n?Symbol.for("react.lazy"):60116,g=n?Symbol.for("react.block"):60121,y=n?Symbol.for("react.fundamental"):60117,b=n?Symbol.for("react.responder"):60118,w=n?Symbol.for("react.scope"):60119;function k(e){if("object"==typeof e&&null!==e){var t=e.$$typeof;switch(t){case r:switch(e=e.type){case c:case f:case o:case i:case l:case p:return e;default:switch(e=e&&e.$$typeof){case s:case d:case v:case m:case u:return e;default:return t}}case a:return t}}}function x(e){return k(e)===f}t.AsyncMode=c,t.ConcurrentMode=f,t.ContextConsumer=s,t.ContextProvider=u,t.Element=r,t.ForwardRef=d,t.Fragment=o,t.Lazy=v,t.Memo=m,t.Portal=a,t.Profiler=i,t.StrictMode=l,t.Suspense=p,t.isAsyncMode=function(e){return x(e)||k(e)===c},t.isConcurrentMode=x,t.isContextConsumer=function(e){return k(e)===s},t.isContextProvider=function(e){return k(e)===u},t.isElement=function(e){return"object"==typeof e&&null!==e&&e.$$typeof===r},t.isForwardRef=function(e){return k(e)===d},t.isFragment=function(e){return k(e)===o},t.isLazy=function(e){return k(e)===v},t.isMemo=function(e){return k(e)===m},t.isPortal=function(e){return k(e)===a},t.isProfiler=function(e){return k(e)===i},t.isStrictMode=function(e){return k(e)===l},t.isSuspense=function(e){return k(e)===p},t.isValidElementType=function(e){return"string"==typeof e||"function"==typeof e||e===o||e===f||e===i||e===l||e===p||e===h||"object"==typeof e&&null!==e&&(e.$$typeof===v||e.$$typeof===m||e.$$typeof===u||e.$$typeof===s||e.$$typeof===d||e.$$typeof===y||e.$$typeof===b||e.$$typeof===w||e.$$typeof===g)},t.typeOf=k},9415:(e,t,n)=>{"use strict";e.exports=n(4507)},7223:(e,t,n)=>{"use strict";function r(e,t){return r=Object.setPrototypeOf?Object.setPrototypeOf.bind():function(e,t){return e.__proto__=t,e},r(e,t)}function a(e,t){e.prototype=Object.create(t.prototype),e.prototype.constructor=e,r(e,t)}n.r(t),n.d(t,{BrowserRouter:()=>xe,HashRouter:()=>Se,Link:()=>Oe,MemoryRouter:()=>X,NavLink:()=>Le,Prompt:()=>J,Redirect:()=>re,Route:()=>ue,Router:()=>Y,StaticRouter:()=>he,Switch:()=>me,generatePath:()=>ne,matchPath:()=>ie,useHistory:()=>ye,useLocation:()=>be,useParams:()=>we,useRouteMatch:()=>ke,withRouter:()=>ve});var o=n(9497),l=n.n(o),i=n(7862),u=n.n(i);function s(){return s=Object.assign?Object.assign.bind():function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},s.apply(this,arguments)}function c(e){return"/"===e.charAt(0)}function f(e,t){for(var n=t,r=n+1,a=e.length;r<a;n+=1,r+=1)e[n]=e[r];e.pop()}const d=function(e,t){void 0===t&&(t="");var n,r=e&&e.split("/")||[],a=t&&t.split("/")||[],o=e&&c(e),l=t&&c(t),i=o||l;if(e&&c(e)?a=r:r.length&&(a.pop(),a=a.concat(r)),!a.length)return"/";if(a.length){var u=a[a.length-1];n="."===u||".."===u||""===u}else n=!1;for(var s=0,d=a.length;d>=0;d--){var p=a[d];"."===p?f(a,d):".."===p?(f(a,d),s++):s&&(f(a,d),s--)}if(!i)for(;s--;s)a.unshift("..");!i||""===a[0]||a[0]&&c(a[0])||a.unshift("");var h=a.join("/");return n&&"/"!==h.substr(-1)&&(h+="/"),h};function p(e){return e.valueOf?e.valueOf():Object.prototype.valueOf.call(e)}const h=function e(t,n){if(t===n)return!0;if(null==t||null==n)return!1;if(Array.isArray(t))return Array.isArray(n)&&t.length===n.length&&t.every((function(t,r){return e(t,n[r])}));if("object"==typeof t||"object"==typeof n){var r=p(t),a=p(n);return r!==t||a!==n?e(r,a):Object.keys(Object.assign({},t,n)).every((function(r){return e(t[r],n[r])}))}return!1};var m=!0,v="Invariant failed";function g(e,t){if(!e){if(m)throw new Error(v);var n="function"==typeof t?t():t,r=n?"".concat(v,": ").concat(n):v;throw new Error(r)}}function y(e){return"/"===e.charAt(0)?e:"/"+e}function b(e){return"/"===e.charAt(0)?e.substr(1):e}function w(e,t){return function(e,t){return 0===e.toLowerCase().indexOf(t.toLowerCase())&&-1!=="/?#".indexOf(e.charAt(t.length))}(e,t)?e.substr(t.length):e}function k(e){return"/"===e.charAt(e.length-1)?e.slice(0,-1):e}function x(e){var t=e.pathname,n=e.search,r=e.hash,a=t||"/";return n&&"?"!==n&&(a+="?"===n.charAt(0)?n:"?"+n),r&&"#"!==r&&(a+="#"===r.charAt(0)?r:"#"+r),a}function S(e,t,n,r){var a;"string"==typeof e?(a=function(e){var t=e||"/",n="",r="",a=t.indexOf("#");-1!==a&&(r=t.substr(a),t=t.substr(0,a));var o=t.indexOf("?");return-1!==o&&(n=t.substr(o),t=t.substr(0,o)),{pathname:t,search:"?"===n?"":n,hash:"#"===r?"":r}}(e),a.state=t):(void 0===(a=s({},e)).pathname&&(a.pathname=""),a.search?"?"!==a.search.charAt(0)&&(a.search="?"+a.search):a.search="",a.hash?"#"!==a.hash.charAt(0)&&(a.hash="#"+a.hash):a.hash="",void 0!==t&&void 0===a.state&&(a.state=t));try{a.pathname=decodeURI(a.pathname)}catch(e){throw e instanceof URIError?new URIError('Pathname "'+a.pathname+'" could not be decoded. This is likely caused by an invalid percent-encoding.'):e}return n&&(a.key=n),r?a.pathname?"/"!==a.pathname.charAt(0)&&(a.pathname=d(a.pathname,r.pathname)):a.pathname=r.pathname:a.pathname||(a.pathname="/"),a}function E(){var e=null;var t=[];return{setPrompt:function(t){return e=t,function(){e===t&&(e=null)}},confirmTransitionTo:function(t,n,r,a){if(null!=e){var o="function"==typeof e?e(t,n):e;"string"==typeof o?"function"==typeof r?r(o,a):a(!0):a(!1!==o)}else a(!0)},appendListener:function(e){var n=!0;function r(){n&&e.apply(void 0,arguments)}return t.push(r),function(){n=!1,t=t.filter((function(e){return e!==r}))}},notifyListeners:function(){for(var e=arguments.length,n=new Array(e),r=0;r<e;r++)n[r]=arguments[r];t.forEach((function(e){return e.apply(void 0,n)}))}}}var C=!("undefined"==typeof window||!window.document||!window.document.createElement);function _(e,t){t(window.confirm(e))}var P="popstate",N="hashchange";function O(){try{return window.history.state||{}}catch(e){return{}}}function M(e){void 0===e&&(e={}),C||g(!1);var t,n=window.history,r=(-1===(t=window.navigator.userAgent).indexOf("Android 2.")&&-1===t.indexOf("Android 4.0")||-1===t.indexOf("Mobile Safari")||-1!==t.indexOf("Chrome")||-1!==t.indexOf("Windows Phone"))&&window.history&&"pushState"in window.history,a=!(-1===window.navigator.userAgent.indexOf("Trident")),o=e,l=o.forceRefresh,i=void 0!==l&&l,u=o.getUserConfirmation,c=void 0===u?_:u,f=o.keyLength,d=void 0===f?6:f,p=e.basename?k(y(e.basename)):"";function h(e){var t=e||{},n=t.key,r=t.state,a=window.location,o=a.pathname+a.search+a.hash;return p&&(o=w(o,p)),S(o,r,n)}function m(){return Math.random().toString(36).substr(2,d)}var v=E();function b(e){s(U,e),U.length=n.length,v.notifyListeners(U.location,U.action)}function M(e){(function(e){return void 0===e.state&&-1===navigator.userAgent.indexOf("CriOS")})(e)||R(h(e.state))}function T(){R(h(O()))}var L=!1;function R(e){if(L)L=!1,b();else{v.confirmTransitionTo(e,"POP",c,(function(t){t?b({action:"POP",location:e}):function(e){var t=U.location,n=D.indexOf(t.key);-1===n&&(n=0);var r=D.indexOf(e.key);-1===r&&(r=0);var a=n-r;a&&(L=!0,j(a))}(e)}))}}var z=h(O()),D=[z.key];function I(e){return p+x(e)}function j(e){n.go(e)}var F=0;function A(e){1===(F+=e)&&1===e?(window.addEventListener(P,M),a&&window.addEventListener(N,T)):0===F&&(window.removeEventListener(P,M),a&&window.removeEventListener(N,T))}var $=!1;var U={length:n.length,action:"POP",location:z,createHref:I,push:function(e,t){var a="PUSH",o=S(e,t,m(),U.location);v.confirmTransitionTo(o,a,c,(function(e){if(e){var t=I(o),l=o.key,u=o.state;if(r)if(n.pushState({key:l,state:u},null,t),i)window.location.href=t;else{var s=D.indexOf(U.location.key),c=D.slice(0,s+1);c.push(o.key),D=c,b({action:a,location:o})}else window.location.href=t}}))},replace:function(e,t){var a="REPLACE",o=S(e,t,m(),U.location);v.confirmTransitionTo(o,a,c,(function(e){if(e){var t=I(o),l=o.key,u=o.state;if(r)if(n.replaceState({key:l,state:u},null,t),i)window.location.replace(t);else{var s=D.indexOf(U.location.key);-1!==s&&(D[s]=o.key),b({action:a,location:o})}else window.location.replace(t)}}))},go:j,goBack:function(){j(-1)},goForward:function(){j(1)},block:function(e){void 0===e&&(e=!1);var t=v.setPrompt(e);return $||(A(1),$=!0),function(){return $&&($=!1,A(-1)),t()}},listen:function(e){var t=v.appendListener(e);return A(1),function(){A(-1),t()}}};return U}var T="hashchange",L={hashbang:{encodePath:function(e){return"!"===e.charAt(0)?e:"!/"+b(e)},decodePath:function(e){return"!"===e.charAt(0)?e.substr(1):e}},noslash:{encodePath:b,decodePath:y},slash:{encodePath:y,decodePath:y}};function R(e){var t=e.indexOf("#");return-1===t?e:e.slice(0,t)}function z(){var e=window.location.href,t=e.indexOf("#");return-1===t?"":e.substring(t+1)}function D(e){window.location.replace(R(window.location.href)+"#"+e)}function I(e){void 0===e&&(e={}),C||g(!1);var t=window.history,n=(window.navigator.userAgent.indexOf("Firefox"),e),r=n.getUserConfirmation,a=void 0===r?_:r,o=n.hashType,l=void 0===o?"slash":o,i=e.basename?k(y(e.basename)):"",u=L[l],c=u.encodePath,f=u.decodePath;function d(){var e=f(z());return i&&(e=w(e,i)),S(e)}var p=E();function h(e){s($,e),$.length=t.length,p.notifyListeners($.location,$.action)}var m=!1,v=null;function b(){var e,t,n=z(),r=c(n);if(n!==r)D(r);else{var o=d(),l=$.location;if(!m&&(t=o,(e=l).pathname===t.pathname&&e.search===t.search&&e.hash===t.hash))return;if(v===x(o))return;v=null,function(e){if(m)m=!1,h();else{var t="POP";p.confirmTransitionTo(e,t,a,(function(n){n?h({action:t,location:e}):function(e){var t=$.location,n=M.lastIndexOf(x(t));-1===n&&(n=0);var r=M.lastIndexOf(x(e));-1===r&&(r=0);var a=n-r;a&&(m=!0,I(a))}(e)}))}}(o)}}var P=z(),N=c(P);P!==N&&D(N);var O=d(),M=[x(O)];function I(e){t.go(e)}var j=0;function F(e){1===(j+=e)&&1===e?window.addEventListener(T,b):0===j&&window.removeEventListener(T,b)}var A=!1;var $={length:t.length,action:"POP",location:O,createHref:function(e){var t=document.querySelector("base"),n="";return t&&t.getAttribute("href")&&(n=R(window.location.href)),n+"#"+c(i+x(e))},push:function(e,t){var n="PUSH",r=S(e,void 0,void 0,$.location);p.confirmTransitionTo(r,n,a,(function(e){if(e){var t=x(r),a=c(i+t);if(z()!==a){v=t,function(e){window.location.hash=e}(a);var o=M.lastIndexOf(x($.location)),l=M.slice(0,o+1);l.push(t),M=l,h({action:n,location:r})}else h()}}))},replace:function(e,t){var n="REPLACE",r=S(e,void 0,void 0,$.location);p.confirmTransitionTo(r,n,a,(function(e){if(e){var t=x(r),a=c(i+t);z()!==a&&(v=t,D(a));var o=M.indexOf(x($.location));-1!==o&&(M[o]=t),h({action:n,location:r})}}))},go:I,goBack:function(){I(-1)},goForward:function(){I(1)},block:function(e){void 0===e&&(e=!1);var t=p.setPrompt(e);return A||(F(1),A=!0),function(){return A&&(A=!1,F(-1)),t()}},listen:function(e){var t=p.appendListener(e);return F(1),function(){F(-1),t()}}};return $}function j(e,t,n){return Math.min(Math.max(e,t),n)}var F=n(5415),A=n.n(F);n(9415);function $(e,t){if(null==e)return{};var n,r,a={},o=Object.keys(e);for(r=0;r<o.length;r++)n=o[r],t.indexOf(n)>=0||(a[n]=e[n]);return a}var U=n(63),B=n.n(U),W=1073741823,H="undefined"!=typeof globalThis?globalThis:"undefined"!=typeof window?window:void 0!==n.g?n.g:{};var V=l().createContext||function(e,t){var n,r,o="__create-react-context-"+function(){var e="__global_unique_id__";return H[e]=(H[e]||0)+1}()+"__",i=function(e){function n(){for(var t,n,r,a=arguments.length,o=new Array(a),l=0;l<a;l++)o[l]=arguments[l];return(t=e.call.apply(e,[this].concat(o))||this).emitter=(n=t.props.value,r=[],{on:function(e){r.push(e)},off:function(e){r=r.filter((function(t){return t!==e}))},get:function(){return n},set:function(e,t){n=e,r.forEach((function(e){return e(n,t)}))}}),t}a(n,e);var r=n.prototype;return r.getChildContext=function(){var e;return(e={})[o]=this.emitter,e},r.componentWillReceiveProps=function(e){if(this.props.value!==e.value){var n,r=this.props.value,a=e.value;((o=r)===(l=a)?0!==o||1/o==1/l:o!=o&&l!=l)?n=0:(n="function"==typeof t?t(r,a):W,0!==(n|=0)&&this.emitter.set(e.value,n))}var o,l},r.render=function(){return this.props.children},n}(l().Component);i.childContextTypes=((n={})[o]=u().object.isRequired,n);var s=function(t){function n(){for(var e,n=arguments.length,r=new Array(n),a=0;a<n;a++)r[a]=arguments[a];return(e=t.call.apply(t,[this].concat(r))||this).observedBits=void 0,e.state={value:e.getValue()},e.onUpdate=function(t,n){0!=((0|e.observedBits)&n)&&e.setState({value:e.getValue()})},e}a(n,t);var r=n.prototype;return r.componentWillReceiveProps=function(e){var t=e.observedBits;this.observedBits=null==t?W:t},r.componentDidMount=function(){this.context[o]&&this.context[o].on(this.onUpdate);var e=this.props.observedBits;this.observedBits=null==e?W:e},r.componentWillUnmount=function(){this.context[o]&&this.context[o].off(this.onUpdate)},r.getValue=function(){return this.context[o]?this.context[o].get():e},r.render=function(){return(e=this.props.children,Array.isArray(e)?e[0]:e)(this.state.value);var e},n}(l().Component);return s.contextTypes=((r={})[o]=u().object,r),{Provider:i,Consumer:s}},Q=function(e){var t=V();return t.displayName=e,t},K=Q("Router-History"),q=Q("Router"),Y=function(e){function t(t){var n;return(n=e.call(this,t)||this).state={location:t.history.location},n._isMounted=!1,n._pendingLocation=null,t.staticContext||(n.unlisten=t.history.listen((function(e){n._pendingLocation=e}))),n}a(t,e),t.computeRootMatch=function(e){return{path:"/",url:"/",params:{},isExact:"/"===e}};var n=t.prototype;return n.componentDidMount=function(){var e=this;this._isMounted=!0,this.unlisten&&this.unlisten(),this.props.staticContext||(this.unlisten=this.props.history.listen((function(t){e._isMounted&&e.setState({location:t})}))),this._pendingLocation&&this.setState({location:this._pendingLocation})},n.componentWillUnmount=function(){this.unlisten&&(this.unlisten(),this._isMounted=!1,this._pendingLocation=null)},n.render=function(){return l().createElement(q.Provider,{value:{history:this.props.history,location:this.state.location,match:t.computeRootMatch(this.state.location.pathname),staticContext:this.props.staticContext}},l().createElement(K.Provider,{children:this.props.children||null,value:this.props.history}))},t}(l().Component);var X=function(e){function t(){for(var t,n=arguments.length,r=new Array(n),a=0;a<n;a++)r[a]=arguments[a];return(t=e.call.apply(e,[this].concat(r))||this).history=function(e){void 0===e&&(e={});var t=e,n=t.getUserConfirmation,r=t.initialEntries,a=void 0===r?["/"]:r,o=t.initialIndex,l=void 0===o?0:o,i=t.keyLength,u=void 0===i?6:i,c=E();function f(e){s(g,e),g.length=g.entries.length,c.notifyListeners(g.location,g.action)}function d(){return Math.random().toString(36).substr(2,u)}var p=j(l,0,a.length-1),h=a.map((function(e){return S(e,void 0,"string"==typeof e?d():e.key||d())})),m=x;function v(e){var t=j(g.index+e,0,g.entries.length-1),r=g.entries[t];c.confirmTransitionTo(r,"POP",n,(function(e){e?f({action:"POP",location:r,index:t}):f()}))}var g={length:h.length,action:"POP",location:h[p],index:p,entries:h,createHref:m,push:function(e,t){var r="PUSH",a=S(e,t,d(),g.location);c.confirmTransitionTo(a,r,n,(function(e){if(e){var t=g.index+1,n=g.entries.slice(0);n.length>t?n.splice(t,n.length-t,a):n.push(a),f({action:r,location:a,index:t,entries:n})}}))},replace:function(e,t){var r="REPLACE",a=S(e,t,d(),g.location);c.confirmTransitionTo(a,r,n,(function(e){e&&(g.entries[g.index]=a,f({action:r,location:a}))}))},go:v,goBack:function(){v(-1)},goForward:function(){v(1)},canGo:function(e){var t=g.index+e;return t>=0&&t<g.entries.length},block:function(e){return void 0===e&&(e=!1),c.setPrompt(e)},listen:function(e){return c.appendListener(e)}};return g}(t.props),t}return a(t,e),t.prototype.render=function(){return l().createElement(Y,{history:this.history,children:this.props.children})},t}(l().Component);var G=function(e){function t(){return e.apply(this,arguments)||this}a(t,e);var n=t.prototype;return n.componentDidMount=function(){this.props.onMount&&this.props.onMount.call(this,this)},n.componentDidUpdate=function(e){this.props.onUpdate&&this.props.onUpdate.call(this,this,e)},n.componentWillUnmount=function(){this.props.onUnmount&&this.props.onUnmount.call(this,this)},n.render=function(){return null},t}(l().Component);function J(e){var t=e.message,n=e.when,r=void 0===n||n;return l().createElement(q.Consumer,null,(function(e){if(e||g(!1),!r||e.staticContext)return null;var n=e.history.block;return l().createElement(G,{onMount:function(e){e.release=n(t)},onUpdate:function(e,r){r.message!==t&&(e.release(),e.release=n(t))},onUnmount:function(e){e.release()},message:t})}))}var Z={},ee=1e4,te=0;function ne(e,t){return void 0===e&&(e="/"),void 0===t&&(t={}),"/"===e?e:function(e){if(Z[e])return Z[e];var t=A().compile(e);return te<ee&&(Z[e]=t,te++),t}(e)(t,{pretty:!0})}function re(e){var t=e.computedMatch,n=e.to,r=e.push,a=void 0!==r&&r;return l().createElement(q.Consumer,null,(function(e){e||g(!1);var r=e.history,o=e.staticContext,i=a?r.push:r.replace,u=S(t?"string"==typeof n?ne(n,t.params):s({},n,{pathname:ne(n.pathname,t.params)}):n);return o?(i(u),null):l().createElement(G,{onMount:function(){i(u)},onUpdate:function(e,t){var n,r,a=S(t.to);n=a,r=s({},u,{key:a.key}),n.pathname===r.pathname&&n.search===r.search&&n.hash===r.hash&&n.key===r.key&&h(n.state,r.state)||i(u)},to:n})}))}var ae={},oe=1e4,le=0;function ie(e,t){void 0===t&&(t={}),("string"==typeof t||Array.isArray(t))&&(t={path:t});var n=t,r=n.path,a=n.exact,o=void 0!==a&&a,l=n.strict,i=void 0!==l&&l,u=n.sensitive,s=void 0!==u&&u;return[].concat(r).reduce((function(t,n){if(!n&&""!==n)return null;if(t)return t;var r=function(e,t){var n=""+t.end+t.strict+t.sensitive,r=ae[n]||(ae[n]={});if(r[e])return r[e];var a=[],o={regexp:A()(e,a,t),keys:a};return le<oe&&(r[e]=o,le++),o}(n,{end:o,strict:i,sensitive:s}),a=r.regexp,l=r.keys,u=a.exec(e);if(!u)return null;var c=u[0],f=u.slice(1),d=e===c;return o&&!d?null:{path:n,url:"/"===n&&""===c?"/":c,isExact:d,params:l.reduce((function(e,t,n){return e[t.name]=f[n],e}),{})}}),null)}var ue=function(e){function t(){return e.apply(this,arguments)||this}return a(t,e),t.prototype.render=function(){var e=this;return l().createElement(q.Consumer,null,(function(t){t||g(!1);var n=e.props.location||t.location,r=s({},t,{location:n,match:e.props.computedMatch?e.props.computedMatch:e.props.path?ie(n.pathname,e.props):t.match}),a=e.props,o=a.children,i=a.component,u=a.render;return Array.isArray(o)&&function(e){return 0===l().Children.count(e)}(o)&&(o=null),l().createElement(q.Provider,{value:r},r.match?o?"function"==typeof o?o(r):o:i?l().createElement(i,r):u?u(r):null:"function"==typeof o?o(r):null)}))},t}(l().Component);function se(e){return"/"===e.charAt(0)?e:"/"+e}function ce(e,t){if(!e)return t;var n=se(e);return 0!==t.pathname.indexOf(n)?t:s({},t,{pathname:t.pathname.substr(n.length)})}function fe(e){return"string"==typeof e?e:x(e)}function de(e){return function(){g(!1)}}function pe(){}var he=function(e){function t(){for(var t,n=arguments.length,r=new Array(n),a=0;a<n;a++)r[a]=arguments[a];return(t=e.call.apply(e,[this].concat(r))||this).handlePush=function(e){return t.navigateTo(e,"PUSH")},t.handleReplace=function(e){return t.navigateTo(e,"REPLACE")},t.handleListen=function(){return pe},t.handleBlock=function(){return pe},t}a(t,e);var n=t.prototype;return n.navigateTo=function(e,t){var n=this.props,r=n.basename,a=void 0===r?"":r,o=n.context,l=void 0===o?{}:o;l.action=t,l.location=function(e,t){return e?s({},t,{pathname:se(e)+t.pathname}):t}(a,S(e)),l.url=fe(l.location)},n.render=function(){var e=this.props,t=e.basename,n=void 0===t?"":t,r=e.context,a=void 0===r?{}:r,o=e.location,i=void 0===o?"/":o,u=$(e,["basename","context","location"]),c={createHref:function(e){return se(n+fe(e))},action:"POP",location:ce(n,S(i)),push:this.handlePush,replace:this.handleReplace,go:de(),goBack:de(),goForward:de(),listen:this.handleListen,block:this.handleBlock};return l().createElement(Y,s({},u,{history:c,staticContext:a}))},t}(l().Component);var me=function(e){function t(){return e.apply(this,arguments)||this}return a(t,e),t.prototype.render=function(){var e=this;return l().createElement(q.Consumer,null,(function(t){t||g(!1);var n,r,a=e.props.location||t.location;return l().Children.forEach(e.props.children,(function(e){if(null==r&&l().isValidElement(e)){n=e;var o=e.props.path||e.props.from;r=o?ie(a.pathname,s({},e.props,{path:o})):t.match}})),r?l().cloneElement(n,{location:a,computedMatch:r}):null}))},t}(l().Component);function ve(e){var t="withRouter("+(e.displayName||e.name)+")",n=function(t){var n=t.wrappedComponentRef,r=$(t,["wrappedComponentRef"]);return l().createElement(q.Consumer,null,(function(t){return t||g(!1),l().createElement(e,s({},r,t,{ref:n}))}))};return n.displayName=t,n.WrappedComponent=e,B()(n,e)}var ge=l().useContext;function ye(){return ge(K)}function be(){return ge(q).location}function we(){var e=ge(q).match;return e?e.params:{}}function ke(e){var t=be(),n=ge(q).match;return e?ie(t.pathname,e):n}var xe=function(e){function t(){for(var t,n=arguments.length,r=new Array(n),a=0;a<n;a++)r[a]=arguments[a];return(t=e.call.apply(e,[this].concat(r))||this).history=M(t.props),t}return a(t,e),t.prototype.render=function(){return l().createElement(Y,{history:this.history,children:this.props.children})},t}(l().Component);var Se=function(e){function t(){for(var t,n=arguments.length,r=new Array(n),a=0;a<n;a++)r[a]=arguments[a];return(t=e.call.apply(e,[this].concat(r))||this).history=I(t.props),t}return a(t,e),t.prototype.render=function(){return l().createElement(Y,{history:this.history,children:this.props.children})},t}(l().Component);var Ee=function(e,t){return"function"==typeof e?e(t):e},Ce=function(e,t){return"string"==typeof e?S(e,null,null,t):e},_e=function(e){return e},Pe=l().forwardRef;void 0===Pe&&(Pe=_e);var Ne=Pe((function(e,t){var n=e.innerRef,r=e.navigate,a=e.onClick,o=$(e,["innerRef","navigate","onClick"]),i=o.target,u=s({},o,{onClick:function(e){try{a&&a(e)}catch(t){throw e.preventDefault(),t}e.defaultPrevented||0!==e.button||i&&"_self"!==i||function(e){return!!(e.metaKey||e.altKey||e.ctrlKey||e.shiftKey)}(e)||(e.preventDefault(),r())}});return u.ref=_e!==Pe&&t||n,l().createElement("a",u)}));var Oe=Pe((function(e,t){var n=e.component,r=void 0===n?Ne:n,a=e.replace,o=e.to,i=e.innerRef,u=$(e,["component","replace","to","innerRef"]);return l().createElement(q.Consumer,null,(function(e){e||g(!1);var n=e.history,c=Ce(Ee(o,e.location),e.location),f=c?n.createHref(c):"",d=s({},u,{href:f,navigate:function(){var t=Ee(o,e.location),r=x(e.location)===x(Ce(t));(a||r?n.replace:n.push)(t)}});return _e!==Pe?d.ref=t||i:d.innerRef=i,l().createElement(r,d)}))})),Me=function(e){return e},Te=l().forwardRef;void 0===Te&&(Te=Me);var Le=Te((function(e,t){var n=e["aria-current"],r=void 0===n?"page":n,a=e.activeClassName,o=void 0===a?"active":a,i=e.activeStyle,u=e.className,c=e.exact,f=e.isActive,d=e.location,p=e.sensitive,h=e.strict,m=e.style,v=e.to,y=e.innerRef,b=$(e,["aria-current","activeClassName","activeStyle","className","exact","isActive","location","sensitive","strict","style","to","innerRef"]);return l().createElement(q.Consumer,null,(function(e){e||g(!1);var n=d||e.location,a=Ce(Ee(v,n),n),w=a.pathname,k=w&&w.replace(/([.+*?=^!:${}()[\]|/\\])/g,"\\$1"),x=k?ie(n.pathname,{path:k,exact:c,sensitive:p,strict:h}):null,S=!!(f?f(x,n):x),E="function"==typeof u?u(S):u,C="function"==typeof m?m(S):m;S&&(E=function(){for(var e=arguments.length,t=new Array(e),n=0;n<e;n++)t[n]=arguments[n];return t.filter((function(e){return e})).join(" ")}(E,o),C=s({},C,i));var _=s({"aria-current":S&&r||null,className:E,style:C,to:a},b);return Me!==Te?_.ref=t||y:_.innerRef=y,l().createElement(Oe,_)}))}))},2197:(e,t)=>{"use strict";
+/**
+ * @license React
+ * scheduler.production.min.js
+ *
+ * Copyright (c) Facebook, Inc. and its affiliates.
+ *
+ * This source code is licensed under the MIT license found in the
+ * LICENSE file in the root directory of this source tree.
+ */function n(e,t){var n=e.length;e.push(t);e:for(;0<n;){var r=n-1>>>1,a=e[r];if(!(0<o(a,t)))break e;e[r]=t,e[n]=a,n=r}}function r(e){return 0===e.length?null:e[0]}function a(e){if(0===e.length)return null;var t=e[0],n=e.pop();if(n!==t){e[0]=n;e:for(var r=0,a=e.length,l=a>>>1;r<l;){var i=2*(r+1)-1,u=e[i],s=i+1,c=e[s];if(0>o(u,n))s<a&&0>o(c,u)?(e[r]=c,e[s]=n,r=s):(e[r]=u,e[i]=n,r=i);else{if(!(s<a&&0>o(c,n)))break e;e[r]=c,e[s]=n,r=s}}}return t}function o(e,t){var n=e.sortIndex-t.sortIndex;return 0!==n?n:e.id-t.id}if("object"==typeof performance&&"function"==typeof performance.now){var l=performance;t.unstable_now=function(){return l.now()}}else{var i=Date,u=i.now();t.unstable_now=function(){return i.now()-u}}var s=[],c=[],f=1,d=null,p=3,h=!1,m=!1,v=!1,g="function"==typeof setTimeout?setTimeout:null,y="function"==typeof clearTimeout?clearTimeout:null,b="undefined"!=typeof setImmediate?setImmediate:null;function w(e){for(var t=r(c);null!==t;){if(null===t.callback)a(c);else{if(!(t.startTime<=e))break;a(c),t.sortIndex=t.expirationTime,n(s,t)}t=r(c)}}function k(e){if(v=!1,w(e),!m)if(null!==r(s))m=!0,R(x);else{var t=r(c);null!==t&&z(k,t.startTime-e)}}function x(e,n){m=!1,v&&(v=!1,y(_),_=-1),h=!0;var o=p;try{for(w(n),d=r(s);null!==d&&(!(d.expirationTime>n)||e&&!O());){var l=d.callback;if("function"==typeof l){d.callback=null,p=d.priorityLevel;var i=l(d.expirationTime<=n);n=t.unstable_now(),"function"==typeof i?d.callback=i:d===r(s)&&a(s),w(n)}else a(s);d=r(s)}if(null!==d)var u=!0;else{var f=r(c);null!==f&&z(k,f.startTime-n),u=!1}return u}finally{d=null,p=o,h=!1}}"undefined"!=typeof navigator&&void 0!==navigator.scheduling&&void 0!==navigator.scheduling.isInputPending&&navigator.scheduling.isInputPending.bind(navigator.scheduling);var S,E=!1,C=null,_=-1,P=5,N=-1;function O(){return!(t.unstable_now()-N<P)}function M(){if(null!==C){var e=t.unstable_now();N=e;var n=!0;try{n=C(!0,e)}finally{n?S():(E=!1,C=null)}}else E=!1}if("function"==typeof b)S=function(){b(M)};else if("undefined"!=typeof MessageChannel){var T=new MessageChannel,L=T.port2;T.port1.onmessage=M,S=function(){L.postMessage(null)}}else S=function(){g(M,0)};function R(e){C=e,E||(E=!0,S())}function z(e,n){_=g((function(){e(t.unstable_now())}),n)}t.unstable_IdlePriority=5,t.unstable_ImmediatePriority=1,t.unstable_LowPriority=4,t.unstable_NormalPriority=3,t.unstable_Profiling=null,t.unstable_UserBlockingPriority=2,t.unstable_cancelCallback=function(e){e.callback=null},t.unstable_continueExecution=function(){m||h||(m=!0,R(x))},t.unstable_forceFrameRate=function(e){0>e||125<e?console.error("forceFrameRate takes a positive int between 0 and 125, forcing frame rates higher than 125 fps is not supported"):P=0<e?Math.floor(1e3/e):5},t.unstable_getCurrentPriorityLevel=function(){return p},t.unstable_getFirstCallbackNode=function(){return r(s)},t.unstable_next=function(e){switch(p){case 1:case 2:case 3:var t=3;break;default:t=p}var n=p;p=t;try{return e()}finally{p=n}},t.unstable_pauseExecution=function(){},t.unstable_requestPaint=function(){},t.unstable_runWithPriority=function(e,t){switch(e){case 1:case 2:case 3:case 4:case 5:break;default:e=3}var n=p;p=e;try{return t()}finally{p=n}},t.unstable_scheduleCallback=function(e,a,o){var l=t.unstable_now();switch("object"==typeof o&&null!==o?o="number"==typeof(o=o.delay)&&0<o?l+o:l:o=l,e){case 1:var i=-1;break;case 2:i=250;break;case 5:i=1073741823;break;case 4:i=1e4;break;default:i=5e3}return e={id:f++,callback:a,priorityLevel:e,startTime:o,expirationTime:i=o+i,sortIndex:-1},o>l?(e.sortIndex=o,n(c,e),null===r(s)&&e===r(c)&&(v?(y(_),_=-1):v=!0,z(k,o-l))):(e.sortIndex=i,n(s,e),m||h||(m=!0,R(x))),e},t.unstable_shouldYield=O,t.unstable_wrapCallback=function(e){var t=p;return function(){var n=p;p=t;try{return e.apply(this,arguments)}finally{p=n}}}},5655:(e,t,n)=>{"use strict";e.exports=n(2197)},7913:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),function(e,t){for(var n in t)Object.defineProperty(e,n,{enumerable:!0,get:t[n]})}(t,{Banner:function(){return i},default:function(){return u}});const r=o(n(9497)),a=n(7223);function o(e){return e&&e.__esModule?e:{default:e}}n(7366);const l="banner",i=({alignIcon:e="right",children:t,className:n,icon:o,onClick:i,to:u,type:s="default"})=>{const c=[l,`${l}--type-${s}`,n&&n,u&&`${l}--has-link`,(u||i)&&`${l}--has-action`,o&&`${l}--has-icon`,o&&`${l}--align-icon-${e}`].filter(Boolean).join(" ");let f="div";return i&&!u&&(f="button"),u&&(f=a.Link),r.default.createElement(f,{className:c,onClick:i,to:u||void 0},o&&"left"===e&&r.default.createElement(r.default.Fragment,null,o),r.default.createElement("span",{className:`${l}__content`},t),o&&"right"===e&&r.default.createElement(r.default.Fragment,null,o))},u=i},1925:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),Object.defineProperty(t,"default",{enumerable:!0,get:function(){return y}});const r=h(n(9497)),a=n(7223),o=d(n(5808)),l=d(n(6277)),i=d(n(2201)),u=d(n(8453)),s=d(n(1137)),c=d(n(2)),f=d(n(6982));function d(e){return e&&e.__esModule?e:{default:e}}function p(e){if("function"!=typeof WeakMap)return null;var t=new WeakMap,n=new WeakMap;return(p=function(e){return e?n:t})(e)}function h(e,t){if(!t&&e&&e.__esModule)return e;if(null===e||"object"!=typeof e&&"function"!=typeof e)return{default:e};var n=p(t);if(n&&n.has(e))return n.get(e);var r={},a=Object.defineProperty&&Object.getOwnPropertyDescriptor;for(var o in e)if("default"!==o&&Object.prototype.hasOwnProperty.call(e,o)){var l=a?Object.getOwnPropertyDescriptor(e,o):null;l&&(l.get||l.set)?Object.defineProperty(r,o,l):r[o]=e[o]}return r.default=e,n&&n.set(e,r),r}n(1117);const m={chevron:o.default,edit:l.default,link:i.default,plus:u.default,swap:s.default,x:c.default},v="btn",g=({children:e,icon:t,showTooltip:n,tooltip:a})=>{const o=m[t];return r.default.createElement(r.Fragment,null,a&&r.default.createElement(f.default,{className:`${v}__tooltip`,show:n},a),r.default.createElement("span",{className:`${v}__content`},e&&r.default.createElement("span",{className:`${v}__label`},e),t&&r.default.createElement("span",{className:`${v}__icon`},(0,r.isValidElement)(t)&&t,o&&r.default.createElement(o,null))))},y=(0,r.forwardRef)(((e,t)=>{const{id:n,"aria-label":o,buttonStyle:l="primary",children:i,className:u,disabled:s,el:c="button",icon:f,iconPosition:d="right",iconStyle:p="without-border",newTab:h,onClick:m,round:y,size:b="medium",to:w,tooltip:k,type:x="button",url:S}=e,[E,C]=r.default.useState(!1);const _={id:n,"aria-disabled":s,"aria-label":o,className:[v,u&&u,l&&`${v}--style-${l}`,f&&`${v}--icon`,p&&`${v}--icon-style-${p}`,f&&!i&&`${v}--icon-only`,s&&`${v}--disabled`,y&&`${v}--round`,b&&`${v}--size-${b}`,d&&`${v}--icon-position-${d}`,k&&`${v}--has-tooltip`].filter(Boolean).join(" "),disabled:s,onClick:s?void 0:function(e){C(!1),"submit"!==x&&m&&e.preventDefault(),m&&m(e)},onMouseEnter:k?()=>C(!0):void 0,onMouseLeave:k?()=>C(!1):void 0,rel:h?"noopener noreferrer":void 0,target:h?"_blank":void 0,type:x};switch(c){case"link":return r.default.createElement(a.Link,{..._,to:w||S},r.default.createElement(g,{icon:f,showTooltip:E,tooltip:k},i));case"anchor":return r.default.createElement("a",{..._,href:S,ref:t},r.default.createElement(g,{icon:f,showTooltip:E,tooltip:k},i));default:const e=c;return r.default.createElement(e,{ref:t,type:"submit",..._},r.default.createElement(g,{icon:f,showTooltip:E,tooltip:k},i))}}))},5061:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),Object.defineProperty(t,"useDraggableSortable",{enumerable:!0,get:function(){return a}});const r=n(9509),a=e=>{const{id:t,disabled:n}=e,{attributes:a,isDragging:o,listeners:l,setNodeRef:i,transform:u}=(0,r.useSortable)({id:t,disabled:n});return{attributes:{...a,style:{cursor:o?"grabbing":"grab"}},isDragging:o,listeners:l,setNodeRef:i,transform:u&&`translate3d(${u.x}px, ${u.y}px, 0)`}}},9474:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),Object.defineProperty(t,"default",{enumerable:!0,get:function(){return c}});const r=l(n(9497)),a=n(7223),o=n(5061);function l(e){return e&&e.__esModule?e:{default:e}}n(9279);const i="pill",u=e=>{const{id:t,className:n}=e,{attributes:a,isDragging:l,listeners:u,setNodeRef:c,transform:f}=(0,o.useDraggableSortable)({id:t});return r.default.createElement(s,{...e,className:[l&&`${i}--is-dragging`,n].filter(Boolean).join(" "),elementProps:{...u,...a,ref:c,style:{transform:f}}})},s=e=>{const{alignIcon:t="right","aria-checked":n,"aria-controls":o,"aria-expanded":l,"aria-label":u,children:s,className:c,draggable:f,elementProps:d,icon:p,onClick:h,pillStyle:m="light",rounded:v,to:g}=e,y=[i,`${i}--style-${m}`,c&&c,g&&`${i}--has-link`,(g||h)&&`${i}--has-action`,p&&`${i}--has-icon`,p&&`${i}--align-icon-${t}`,f&&`${i}--draggable`,v&&`${i}--rounded`].filter(Boolean).join(" ");let b="div";return h&&!g&&(b="button"),g&&(b=a.Link),r.default.createElement(b,{...d,"aria-checked":n,"aria-controls":o,"aria-expanded":l,"aria-label":u,className:y,onClick:h,to:g||void 0,type:"button"===b?"button":void 0},p&&"left"===t&&r.default.createElement(r.default.Fragment,null,p),s,p&&"right"===t&&r.default.createElement(r.default.Fragment,null,p))},c=e=>{const{draggable:t}=e;return t?r.default.createElement(u,e):r.default.createElement(s,e)}},8507:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),Object.defineProperty(t,"default",{enumerable:!0,get:function(){return l}});const r=a(n(9497));function a(e){return e&&e.__esModule?e:{default:e}}n(4717);const o="popup-button",l=e=>{const{active:t,button:n,buttonType:a,className:l,setActive:i}=e,u=[o,l,`${o}--${a}`].filter(Boolean).join(" "),s=()=>{i(!t)};return"none"===a?null:"custom"===a?r.default.createElement("div",{className:u,onClick:s,onKeyDown:e=>{"Enter"===e.key&&s()},role:"button",tabIndex:0},n):r.default.createElement("button",{className:u,onClick:()=>i(!t),type:"button"},n)}},4929:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),Object.defineProperty(t,"default",{enumerable:!0,get:function(){return f}});const r=n(9130),a=s(n(9497)),o=i(n(4981)),l=i(n(8507));function i(e){return e&&e.__esModule?e:{default:e}}function u(e){if("function"!=typeof WeakMap)return null;var t=new WeakMap,n=new WeakMap;return(u=function(e){return e?n:t})(e)}function s(e,t){if(!t&&e&&e.__esModule)return e;if(null===e||"object"!=typeof e&&"function"!=typeof e)return{default:e};var n=u(t);if(n&&n.has(e))return n.get(e);var r={},a=Object.defineProperty&&Object.getOwnPropertyDescriptor;for(var o in e)if("default"!==o&&Object.prototype.hasOwnProperty.call(e,o)){var l=a?Object.getOwnPropertyDescriptor(e,o):null;l&&(l.get||l.set)?Object.defineProperty(r,o,l):r[o]=e[o]}return r.default=e,n&&n.set(e,r),r}n(4393);const c="popup",f=e=>{const{boundingRef:t,button:n,buttonClassName:i,buttonType:u="default",caret:s=!0,children:f,className:d,color:p="light",forceOpen:h,horizontalAlign:m="left",initActive:v=!1,onToggleOpen:g,padding:y,render:b,showOnHover:w=!1,showScrollbar:k=!1,size:x="small",verticalAlign:S="top"}=e,{height:E,width:C}=(0,r.useWindowInfo)(),[_,P]=(0,o.default)({root:t?.current||null,rootMargin:"-100px 0px 0px 0px",threshold:1}),N=(0,a.useRef)(null),O=(0,a.useRef)(null),[M,T]=(0,a.useState)(v),[L,R]=(0,a.useState)(S),[z,D]=(0,a.useState)(m),I=(0,a.useCallback)((({horizontal:e=!1,vertical:n=!1})=>{if(O.current){const r=O.current.getBoundingClientRect(),{bottom:a,left:o,right:l,top:i}=r;let u=100,s=window.innerWidth,c=window.innerHeight,f=0;t?.current&&({bottom:c,left:f,right:s,top:u}=t.current.getBoundingClientRect()),e&&(l>s&&o>f?D("right"):o<f&&l<s&&D("left")),n&&(i<u&&a<c?R("bottom"):a>c&&i>u&&R("top"))}}),[t]),j=(0,a.useCallback)((e=>{O.current.contains(e.target)||T(!1)}),[O]);(0,a.useEffect)((()=>{I({horizontal:!0})}),[P,I,C]),(0,a.useEffect)((()=>{I({vertical:!0})}),[P,I,E]),(0,a.useEffect)((()=>("function"==typeof g&&g(M),M?document.addEventListener("mousedown",j):document.removeEventListener("mousedown",j),()=>{document.removeEventListener("mousedown",j)})),[M,j,g]),(0,a.useEffect)((()=>{T(h)}),[h]);const F=[c,d,`${c}--size-${x}`,`${c}--color-${p}`,`${c}--v-align-${L}`,`${c}--h-align-${z}`,M&&`${c}--active`,k&&`${c}--show-scrollbar`].filter(Boolean).join(" ");return a.default.createElement("div",{className:F},a.default.createElement("div",{className:`${c}__wrapper`,ref:N},w?a.default.createElement("div",{className:`${c}__on-hover-watch`,onMouseEnter:()=>T(!0),onMouseLeave:()=>T(!1)},a.default.createElement(l.default,{active:M,button:n,buttonType:u,className:i,setActive:T})):a.default.createElement(l.default,{active:M,button:n,buttonType:u,className:i,setActive:T})),a.default.createElement("div",{className:[`${c}__content`,s&&`${c}__content--caret`].filter(Boolean).join(" "),ref:O},a.default.createElement("div",{className:`${c}__wrap`,ref:_},a.default.createElement("div",{className:`${c}__scroll`,style:{padding:y}},b&&b({close:()=>T(!1)}),f&&f))))}},6982:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),Object.defineProperty(t,"default",{enumerable:!0,get:function(){return u}});const r=i(n(9497)),a=o(n(4981));function o(e){return e&&e.__esModule?e:{default:e}}function l(e){if("function"!=typeof WeakMap)return null;var t=new WeakMap,n=new WeakMap;return(l=function(e){return e?n:t})(e)}function i(e,t){if(!t&&e&&e.__esModule)return e;if(null===e||"object"!=typeof e&&"function"!=typeof e)return{default:e};var n=l(t);if(n&&n.has(e))return n.get(e);var r={},a=Object.defineProperty&&Object.getOwnPropertyDescriptor;for(var o in e)if("default"!==o&&Object.prototype.hasOwnProperty.call(e,o)){var i=a?Object.getOwnPropertyDescriptor(e,o):null;i&&(i.get||i.set)?Object.defineProperty(r,o,i):r[o]=e[o]}return r.default=e,n&&n.set(e,r),r}n(754);const u=e=>{const{boundingRef:t,children:n,className:o,delay:l=350,show:i=!0}=e,[u,s]=r.default.useState(i),[c,f]=r.default.useState("top"),[d,p]=(0,a.default)({root:t?.current||null,rootMargin:"-145px 0px 0px 100px",threshold:0});return(0,r.useEffect)((()=>{let e;return l&&i?e=setTimeout((()=>{s(i)}),l):s(i),()=>{e&&clearTimeout(e)}}),[i,l]),(0,r.useEffect)((()=>{f(p?.isIntersecting?"top":"bottom")}),[p]),r.default.createElement(r.default.Fragment,null,r.default.createElement("aside",{"aria-hidden":"true",className:["tooltip",o,"tooltip--position-top"].filter(Boolean).join(" "),ref:d},n),r.default.createElement("aside",{className:["tooltip",o,u&&"tooltip--show",`tooltip--position-${c}`].filter(Boolean).join(" ")},n))}},6562:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),Object.defineProperty(t,"default",{enumerable:!0,get:function(){return o}});const r=a(n(9497));function a(e){return e&&e.__esModule?e:{default:e}}n(5809);const o=()=>r.default.createElement("svg",{className:"icon icon--check",viewBox:"0 0 25 25",xmlns:"http://www.w3.org/2000/svg"},r.default.createElement("path",{className:"stroke",d:"M10.6092 16.0192L17.6477 8.98076",strokeLinecap:"square",strokeLinejoin:"bevel"}),r.default.createElement("path",{className:"stroke",d:"M7.35229 12.7623L10.6092 16.0192",strokeLinecap:"square",strokeLinejoin:"bevel"}))},5808:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),Object.defineProperty(t,"default",{enumerable:!0,get:function(){return o}});const r=a(n(9497));function a(e){return e&&e.__esModule?e:{default:e}}n(2862);const o=({className:e})=>r.default.createElement("svg",{className:["icon icon--chevron",e].filter(Boolean).join(" "),viewBox:"0 0 25 25",xmlns:"http://www.w3.org/2000/svg"},r.default.createElement("path",{className:"stroke",d:"M9 10.5L12.5 14.5L16 10.5"}))},6277:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),Object.defineProperty(t,"default",{enumerable:!0,get:function(){return o}});const r=a(n(9497));function a(e){return e&&e.__esModule?e:{default:e}}n(5734);const o=()=>r.default.createElement("svg",{className:"icon icon--edit",viewBox:"0 0 25 25",xmlns:"http://www.w3.org/2000/svg"},r.default.createElement("polygon",{className:"fill",points:"16.92 16.86 8.25 16.86 8.25 8.21 12.54 8.21 12.54 6.63 6.68 6.63 6.68 18.43 18.5 18.43 18.5 12.53 16.92 12.53 16.92 16.86"}),r.default.createElement("polygon",{className:"fill",points:"16.31 7.33 17.42 8.44 12.66 13.2 11.51 13.24 11.55 12.09 16.31 7.33"}),r.default.createElement("rect",{className:"fill",height:"1.15",transform:"translate(10.16 -10.48) rotate(45)",width:"1.58",x:"16.94",y:"6.44"}))},2201:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),Object.defineProperty(t,"default",{enumerable:!0,get:function(){return o}});const r=a(n(9497));function a(e){return e&&e.__esModule?e:{default:e}}n(4574);const o=()=>r.default.createElement("svg",{"aria-hidden":"true",className:"graphic link icon icon--link",fill:"currentColor",focusable:"false",viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},r.default.createElement("path",{d:"M0 0h24v24H0z",fill:"none"}),r.default.createElement("path",{className:"fill",d:"M3.9 12c0-1.71 1.39-3.1 3.1-3.1h4V7H7c-2.76 0-5 2.24-5 5s2.24 5 5 5h4v-1.9H7c-1.71 0-3.1-1.39-3.1-3.1zM8 13h8v-2H8v2zm9-6h-4v1.9h4c1.71 0 3.1 1.39 3.1 3.1s-1.39 3.1-3.1 3.1h-4V17h4c2.76 0 5-2.24 5-5s-2.24-5-5-5z"}))},7771:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),Object.defineProperty(t,"default",{enumerable:!0,get:function(){return o}});const r=a(n(9497));function a(e){return e&&e.__esModule?e:{default:e}}n(3369);const o=()=>r.default.createElement("svg",{className:"icon icon--menu",fill:"none",height:"25",viewBox:"0 0 25 25",width:"25",xmlns:"http://www.w3.org/2000/svg"},r.default.createElement("rect",{className:"fill",height:"2",width:"18",x:"3.5",y:"4.5"}),r.default.createElement("rect",{className:"fill",height:"2",width:"18",x:"3.5",y:"11.5"}),r.default.createElement("rect",{className:"fill",height:"2",width:"18",x:"3.5",y:"18.5"}))},8453:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),Object.defineProperty(t,"default",{enumerable:!0,get:function(){return o}});const r=a(n(9497));function a(e){return e&&e.__esModule?e:{default:e}}n(3617);const o=()=>r.default.createElement("svg",{className:"icon icon--plus",viewBox:"0 0 25 25",xmlns:"http://www.w3.org/2000/svg"},r.default.createElement("line",{className:"stroke",x1:"12.4589",x2:"12.4589",y1:"16.9175",y2:"8.50115"}),r.default.createElement("line",{className:"stroke",x1:"8.05164",x2:"16.468",y1:"12.594",y2:"12.594"}))},4954:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),Object.defineProperty(t,"default",{enumerable:!0,get:function(){return o}});const r=a(n(9497));function a(e){return e&&e.__esModule?e:{default:e}}n(3174);const o=()=>r.default.createElement("svg",{className:"icon icon--search",fill:"none",viewBox:"0 0 25 25",xmlns:"http://www.w3.org/2000/svg"},r.default.createElement("circle",{className:"stroke",cx:"11.2069",cy:"10.7069",r:"5"}),r.default.createElement("line",{className:"stroke",x1:"14.914",x2:"20.5002",y1:"13.9998",y2:"19.586"}))},1137:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),Object.defineProperty(t,"default",{enumerable:!0,get:function(){return o}});const r=a(n(9497));function a(e){return e&&e.__esModule?e:{default:e}}n(254);const o=()=>r.default.createElement("svg",{className:"icon icon--swap",viewBox:"0 0 25 25",xmlns:"http://www.w3.org/2000/svg"},r.default.createElement("path",{className:"stroke",d:"M9.84631 4.78679L6.00004 8.63306L9.84631 12.4793"}),r.default.createElement("path",{className:"stroke",d:"M15.1537 20.1059L19 16.2596L15.1537 12.4133"}),r.default.createElement("line",{className:"stroke",stroke:"#333333",x1:"7",x2:"15",y1:"8.7013",y2:"8.7013"}),r.default.createElement("line",{className:"stroke",x1:"18",x2:"10",y1:"16.1195",y2:"16.1195"}))},2:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),Object.defineProperty(t,"default",{enumerable:!0,get:function(){return o}});const r=a(n(9497));function a(e){return e&&e.__esModule?e:{default:e}}n(7345);const o=({className:e})=>r.default.createElement("svg",{className:[e,"icon icon--x"].filter(Boolean).join(" "),height:"25",viewBox:"0 0 25 25",width:"25",xmlns:"http://www.w3.org/2000/svg"},r.default.createElement("line",{className:"stroke",x1:"8.74612",x2:"16.3973",y1:"16.347",y2:"8.69584"}),r.default.createElement("line",{className:"stroke",x1:"8.6027",x2:"16.2539",y1:"8.69585",y2:"16.3471"}))},6553:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),function(e,t){for(var n in t)Object.defineProperty(e,n,{enumerable:!0,get:t[n]})}(t,{Banner:function(){return r.default},Button:function(){return a.default},Pill:function(){return o.default},Popup:function(){return l.default},Check:function(){return i.default},Chevron:function(){return u.default},Menu:function(){return s.default},Search:function(){return c.default},X:function(){return f.default},MinimalTemplate:function(){return d.default}});const r=p(n(7913)),a=p(n(1925)),o=p(n(9474)),l=p(n(4929)),i=p(n(6562)),u=p(n(5808)),s=p(n(7771)),c=p(n(4954)),f=p(n(2)),d=p(n(3414));function p(e){return e&&e.__esModule?e:{default:e}}},3414:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),Object.defineProperty(t,"default",{enumerable:!0,get:function(){return l}});const r=a(n(9497));function a(e){return e&&e.__esModule?e:{default:e}}n(2367);const o="template-minimal",l=e=>{const{children:t,className:n,style:a={},width:l="normal"}=e,i=[n,o,`${o}--width-${l}`].filter(Boolean).join(" ");return r.default.createElement("section",{className:i,style:a},r.default.createElement("div",{className:`${o}__wrap`},t))}},4981:(e,t,n)=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0}),Object.defineProperty(t,"default",{enumerable:!0,get:function(){return a}});const r=n(9497),a=({root:e=null,rootMargin:t="0px",threshold:n=0}={})=>{const[a,o]=(0,r.useState)(),[l,i]=(0,r.useState)(null),u=(0,r.useRef)(new window.IntersectionObserver((([e])=>o(e)),{root:e,rootMargin:t,threshold:n}));return(0,r.useEffect)((()=>{const{current:e}=u;return e.disconnect(),l&&e.observe(l),()=>e.disconnect()}),[l]),[i,a]}},9497:e=>{"use strict";e.exports=require("react")}},t={};function n(r){var a=t[r];if(void 0!==a)return a.exports;var o=t[r]={exports:{}};return e[r].call(o.exports,o,o.exports,n),o.exports}n.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return n.d(t,{a:t}),t},n.d=(e,t)=>{for(var r in t)n.o(t,r)&&!n.o(e,r)&&Object.defineProperty(e,r,{enumerable:!0,get:t[r]})},n.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(e){if("object"==typeof window)return window}}(),n.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),n.r=e=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})};var r=n(6553);module.exports=r})();
\ No newline at end of file
diff --git a/packages/payload/components/preferences.d.ts b/packages/payload/components/preferences.d.ts
index e1f87e25525..4641285b580 100644
--- a/packages/payload/components/preferences.d.ts
+++ b/packages/payload/components/preferences.d.ts
@@ -1,2 +1,2 @@
-export { usePreferences } from '../dist/admin/components/utilities/Preferences'
-//# sourceMappingURL=preferences.d.ts.map
+export { usePreferences } from '../dist/admin/components/utilities/Preferences';
+//# sourceMappingURL=preferences.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/preferences.js b/packages/payload/components/preferences.js
index 826ebf39466..55d8f951c29 100644
--- a/packages/payload/components/preferences.js
+++ b/packages/payload/components/preferences.js
@@ -1,13 +1,13 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
-Object.defineProperty(exports, 'usePreferences', {
- enumerable: true,
- get: function () {
- return _Preferences.usePreferences
- },
-})
-const _Preferences = require('../dist/admin/components/utilities/Preferences')
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
+Object.defineProperty(exports, "usePreferences", {
+ enumerable: true,
+ get: function() {
+ return _Preferences.usePreferences;
+ }
+});
+const _Preferences = require("../dist/admin/components/utilities/Preferences");
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvcHJlZmVyZW5jZXMudHMiXSwic291cmNlc0NvbnRlbnQiOlsiZXhwb3J0IHsgdXNlUHJlZmVyZW5jZXMgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL3V0aWxpdGllcy9QcmVmZXJlbmNlcydcbiJdLCJuYW1lcyI6WyJ1c2VQcmVmZXJlbmNlcyJdLCJtYXBwaW5ncyI6Ijs7OzsrQkFBU0E7OztlQUFBQSwyQkFBYzs7OzZCQUFRIn0=
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvcHJlZmVyZW5jZXMudHMiXSwic291cmNlc0NvbnRlbnQiOlsiZXhwb3J0IHsgdXNlUHJlZmVyZW5jZXMgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL3V0aWxpdGllcy9QcmVmZXJlbmNlcydcbiJdLCJuYW1lcyI6WyJ1c2VQcmVmZXJlbmNlcyJdLCJtYXBwaW5ncyI6Ijs7OzsrQkFBU0E7OztlQUFBQSwyQkFBYzs7OzZCQUFRIn0=
\ No newline at end of file
diff --git a/packages/payload/components/rich-text.d.ts b/packages/payload/components/rich-text.d.ts
index 06b33e2885c..3071e43bb30 100644
--- a/packages/payload/components/rich-text.d.ts
+++ b/packages/payload/components/rich-text.d.ts
@@ -1,4 +1,4 @@
-export { default as ElementButton } from '../dist/admin/components/forms/field-types/RichText/elements/Button'
-export { default as toggleElement } from '../dist/admin/components/forms/field-types/RichText/elements/toggle'
-export { default as LeafButton } from '../dist/admin/components/forms/field-types/RichText/leaves/Button'
-//# sourceMappingURL=rich-text.d.ts.map
+export { default as ElementButton } from '../dist/admin/components/forms/field-types/RichText/elements/Button';
+export { default as toggleElement } from '../dist/admin/components/forms/field-types/RichText/elements/toggle';
+export { default as LeafButton } from '../dist/admin/components/forms/field-types/RichText/leaves/Button';
+//# sourceMappingURL=rich-text.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/rich-text.js b/packages/payload/components/rich-text.js
index 72baa44cd75..5d9888ceede 100644
--- a/packages/payload/components/rich-text.js
+++ b/packages/payload/components/rich-text.js
@@ -1,40 +1,31 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
function _export(target, all) {
- for (var name in all)
- Object.defineProperty(target, name, {
- enumerable: true,
- get: all[name],
- })
+ for(var name in all)Object.defineProperty(target, name, {
+ enumerable: true,
+ get: all[name]
+ });
}
_export(exports, {
- ElementButton: function () {
- return _Button.default
- },
- LeafButton: function () {
- return _Button1.default
- },
- toggleElement: function () {
- return _toggle.default
- },
-})
-const _Button = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/forms/field-types/RichText/elements/Button'),
-)
-const _toggle = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/forms/field-types/RichText/elements/toggle'),
-)
-const _Button1 = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/forms/field-types/RichText/leaves/Button'),
-)
+ ElementButton: function() {
+ return _Button.default;
+ },
+ toggleElement: function() {
+ return _toggle.default;
+ },
+ LeafButton: function() {
+ return _Button1.default;
+ }
+});
+const _Button = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/forms/field-types/RichText/elements/Button"));
+const _toggle = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/forms/field-types/RichText/elements/toggle"));
+const _Button1 = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/forms/field-types/RichText/leaves/Button"));
function _interop_require_default(obj) {
- return obj && obj.__esModule
- ? obj
- : {
- default: obj,
- }
+ return obj && obj.__esModule ? obj : {
+ default: obj
+ };
}
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvcmljaC10ZXh0LnRzIl0sInNvdXJjZXNDb250ZW50IjpbImV4cG9ydCB7IGRlZmF1bHQgYXMgRWxlbWVudEJ1dHRvbiB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZm9ybXMvZmllbGQtdHlwZXMvUmljaFRleHQvZWxlbWVudHMvQnV0dG9uJ1xuZXhwb3J0IHsgZGVmYXVsdCBhcyB0b2dnbGVFbGVtZW50IH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy9maWVsZC10eXBlcy9SaWNoVGV4dC9lbGVtZW50cy90b2dnbGUnXG5leHBvcnQgeyBkZWZhdWx0IGFzIExlYWZCdXR0b24gfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2Zvcm1zL2ZpZWxkLXR5cGVzL1JpY2hUZXh0L2xlYXZlcy9CdXR0b24nXG4iXSwibmFtZXMiOlsiRWxlbWVudEJ1dHRvbiIsInRvZ2dsZUVsZW1lbnQiLCJMZWFmQnV0dG9uIl0sIm1hcHBpbmdzIjoiOzs7Ozs7Ozs7OztJQUFvQkEsYUFBYTtlQUFiQSxlQUFhOztJQUNiQyxhQUFhO2VBQWJBLGVBQWE7O0lBQ2JDLFVBQVU7ZUFBVkEsZ0JBQVU7OzsrREFGVzsrREFDQTtnRUFDSCJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvcmljaC10ZXh0LnRzIl0sInNvdXJjZXNDb250ZW50IjpbImV4cG9ydCB7IGRlZmF1bHQgYXMgRWxlbWVudEJ1dHRvbiB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvZm9ybXMvZmllbGQtdHlwZXMvUmljaFRleHQvZWxlbWVudHMvQnV0dG9uJ1xuZXhwb3J0IHsgZGVmYXVsdCBhcyB0b2dnbGVFbGVtZW50IH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy9maWVsZC10eXBlcy9SaWNoVGV4dC9lbGVtZW50cy90b2dnbGUnXG5leHBvcnQgeyBkZWZhdWx0IGFzIExlYWZCdXR0b24gfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2Zvcm1zL2ZpZWxkLXR5cGVzL1JpY2hUZXh0L2xlYXZlcy9CdXR0b24nXG4iXSwibmFtZXMiOlsiRWxlbWVudEJ1dHRvbiIsInRvZ2dsZUVsZW1lbnQiLCJMZWFmQnV0dG9uIl0sIm1hcHBpbmdzIjoiOzs7Ozs7Ozs7OztJQUFvQkEsYUFBYTtlQUFiQSxlQUFhOztJQUNiQyxhQUFhO2VBQWJBLGVBQWE7O0lBQ2JDLFVBQVU7ZUFBVkEsZ0JBQVU7OzsrREFGVzsrREFDQTtnRUFDSCJ9
\ No newline at end of file
diff --git a/packages/payload/components/root.d.ts b/packages/payload/components/root.d.ts
index 03d1d19c5b5..b2599f7830f 100644
--- a/packages/payload/components/root.d.ts
+++ b/packages/payload/components/root.d.ts
@@ -1,2 +1,2 @@
-export { default as Root } from '../dist/admin/Root'
-//# sourceMappingURL=root.d.ts.map
+export { default as Root } from '../dist/admin/Root';
+//# sourceMappingURL=root.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/root.js b/packages/payload/components/root.js
index 5aaee38d213..12e2005051d 100644
--- a/packages/payload/components/root.js
+++ b/packages/payload/components/root.js
@@ -1,20 +1,18 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
-Object.defineProperty(exports, 'Root', {
- enumerable: true,
- get: function () {
- return _Root.default
- },
-})
-const _Root = /*#__PURE__*/ _interop_require_default(require('../dist/admin/Root'))
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
+Object.defineProperty(exports, "Root", {
+ enumerable: true,
+ get: function() {
+ return _Root.default;
+ }
+});
+const _Root = /*#__PURE__*/ _interop_require_default(require("../dist/admin/Root"));
function _interop_require_default(obj) {
- return obj && obj.__esModule
- ? obj
- : {
- default: obj,
- }
+ return obj && obj.__esModule ? obj : {
+ default: obj
+ };
}
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvcm9vdC50cyJdLCJzb3VyY2VzQ29udGVudCI6WyJleHBvcnQgeyBkZWZhdWx0IGFzIFJvb3QgfSBmcm9tICcuLi8uLi9hZG1pbi9Sb290J1xuIl0sIm5hbWVzIjpbIlJvb3QiXSwibWFwcGluZ3MiOiI7Ozs7K0JBQW9CQTs7O2VBQUFBLGFBQUk7Ozs2REFBUSJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvcm9vdC50cyJdLCJzb3VyY2VzQ29udGVudCI6WyJleHBvcnQgeyBkZWZhdWx0IGFzIFJvb3QgfSBmcm9tICcuLi8uLi9hZG1pbi9Sb290J1xuIl0sIm5hbWVzIjpbIlJvb3QiXSwibWFwcGluZ3MiOiI7Ozs7K0JBQW9CQTs7O2VBQUFBLGFBQUk7Ozs2REFBUSJ9
\ No newline at end of file
diff --git a/packages/payload/components/styles.css b/packages/payload/components/styles.css
index ff8b4bd8620..c9f89ff284f 100644
--- a/packages/payload/components/styles.css
+++ b/packages/payload/components/styles.css
@@ -1,665 +1 @@
-.banner {
- background: var(--theme-elevation-100);
- border: 0;
- border-radius: 3px;
- color: var(--theme-elevation-800);
- font-size: 1rem;
- line-height: 1.9230769231rem;
- margin-bottom: 1.9230769231rem;
- padding: 0.9615384615rem;
- vertical-align: middle;
-}
-.banner--has-action {
- cursor: pointer;
- -webkit-text-decoration: none;
- text-decoration: none;
-}
-.banner--has-icon {
- display: flex;
-}
-.banner--has-icon svg {
- display: block;
-}
-.banner--type-default.button--has-action:hover {
- background: var(--theme-elevation-900);
-}
-.banner--type-default.button--has-action:active {
- background: var(--theme-elevation-950);
-}
-.banner--type-error {
- background: var(--theme-error-100);
- color: var(--theme-error-500);
-}
-.banner--type-error svg .stroke {
- stroke: var(--theme-error-500);
- fill: none;
-}
-.banner--type-error svg .fill {
- fill: var(--theme-error-500);
-}
-.banner--type-error.button--has-action:hover {
- background: var(--theme-error-200);
-}
-.banner--type-error.button--has-action:active {
- background: var(--theme-error-300);
-}
-.banner--type-success {
- background: var(--theme-success-500);
- color: var(--color-base-800);
-}
-.banner--type-success.button--has-action:active,
-.banner--type-success.button--has-action:hover {
- background: var(--theme-success-200);
-}
-.icon--chevron {
- height: 1.9230769231rem;
- width: 1.9230769231rem;
-}
-.icon--chevron .stroke {
- fill: none;
- stroke: var(--theme-elevation-800);
- stroke-width: 2px;
-}
-.icon--edit {
- shape-rendering: auto;
- height: 1.9230769231rem;
- width: 1.9230769231rem;
-}
-.icon--edit .fill {
- fill: var(--theme-elevation-800);
- stroke: none;
-}
-.icon--link {
- height: 1.9230769231rem;
- width: 1.9230769231rem;
-}
-.icon--link .stroke {
- stroke: var(--theme-elevation-800);
- stroke-width: 1px;
-}
-.icon--plus {
- height: 1.9230769231rem;
- width: 1.9230769231rem;
-}
-.icon--plus .stroke {
- stroke: var(--theme-elevation-800);
- stroke-width: 1px;
-}
-.icon--swap {
- height: 1.9230769231rem;
- width: 1.9230769231rem;
-}
-.icon--swap .stroke {
- fill: none;
- stroke: var(--theme-elevation-800);
- stroke-width: 2px;
-}
-.icon--x line {
- stroke: var(--theme-elevation-800);
- stroke-width: 1px;
-}
-.tooltip {
- --caret-size: 6px;
- background-color: var(--theme-elevation-800);
- border-radius: 2px;
- color: var(--theme-elevation-0);
- font-weight: 400;
- line-height: 1.4423076923rem;
- opacity: 0;
- padding: 0.3846153846rem 0.7692307692rem;
- visibility: hidden;
- white-space: nowrap;
- z-index: 2;
-}
-.tooltip,
-.tooltip:after {
- left: 50%;
- position: absolute;
-}
-.tooltip:after {
- border-left: var(--caret-size) solid transparent;
- border-right: var(--caret-size) solid transparent;
- content: ' ';
- display: block;
- height: 0;
- transform: translate3d(-50%, 100%, 0);
- width: 0;
-}
-.tooltip--show {
- cursor: default;
- opacity: 1;
- transition: opacity 0.2s ease-in-out;
- visibility: visible;
-}
-.tooltip--position-top {
- bottom: 100%;
- transform: translate3d(-50%, calc(var(--caret-size) * -1), 0);
-}
-.tooltip--position-top:after {
- border-top: var(--caret-size) solid var(--theme-elevation-800);
- bottom: 1px;
-}
-.tooltip--position-bottom {
- top: 100%;
- transform: translate3d(-50%, var(--caret-size), 0);
-}
-.tooltip--position-bottom:after {
- border-bottom: var(--caret-size) solid var(--theme-elevation-800);
- bottom: calc(100% + var(--caret-size) - 1px);
-}
-@media (max-width: 1024px) {
- .tooltip {
- display: none;
- }
-}
-html[data-theme='light'] .tooltip {
- background-color: var(--theme-error-250);
- color: var(--theme-error-750);
-}
-html[data-theme='light'] .tooltip--position-top:after {
- border-top-color: var(--theme-error-250);
-}
-html[data-theme='light'] .tooltip--position-bottom:after {
- border-bottom-color: var(--theme-error-250);
-}
-a.btn {
- display: inline-block;
-}
-.btn {
- background: transparent;
- border: 0;
- border-radius: 4px;
- color: inherit;
- cursor: pointer;
- font-size: 1rem;
- font-weight: 400;
- line-height: 1.9230769231rem;
- margin-bottom: 1.9230769231rem;
- margin-top: 1.9230769231rem;
- text-align: center;
- -webkit-text-decoration: none;
- text-decoration: none;
-}
-.btn .btn__icon {
- border: 1px solid;
- border-radius: 100%;
-}
-.btn .btn__icon .stroke {
- stroke: currentColor;
- fill: none;
-}
-.btn .btn__icon .fill {
- fill: currentColor;
-}
-.btn--has-tooltip {
- position: relative;
-}
-.btn--icon-style-none .btn__icon,
-.btn--icon-style-without-border .btn__icon {
- border: none;
-}
-.btn span {
- line-height: 1.9230769231rem;
-}
-.btn span,
-.btn svg {
- vertical-align: top;
-}
-.btn--size-medium {
- padding: 0.9615384615rem 1.9230769231rem;
-}
-.btn--size-small {
- padding: 0.4807692308rem 0.9615384615rem;
-}
-.btn--style-primary {
- background-color: var(--theme-elevation-800);
- color: var(--theme-elevation-0);
-}
-.btn--style-primary.btn--disabled {
- background-color: var(--theme-elevation-400);
-}
-.btn--style-primary:not(.btn--disabled):focus-visible,
-.btn--style-primary:not(.btn--disabled):hover {
- background: var(--theme-elevation-750);
-}
-.btn--style-primary:not(.btn--disabled):active {
- background: var(--theme-elevation-700);
-}
-.btn--style-primary:focus:not(:focus-visible) {
- box-shadow: 0 0 0 2px var(--theme-success-500);
- outline: none;
-}
-.btn--style-secondary {
- -webkit-backdrop-filter: blur(5px);
- backdrop-filter: blur(5px);
- background: none;
- box-shadow: inset 0 0 0 1px var(--theme-elevation-800);
- color: var(--theme-elevation-800);
-}
-.btn--style-secondary:focus-visible,
-.btn--style-secondary:hover {
- background: var(--theme-elevation-100);
- box-shadow: inset 0 0 0 1px var(--theme-elevation-700);
-}
-.btn--style-secondary:active {
- background: var(--theme-elevation-200);
-}
-.btn--style-secondary.btn--disabled {
- background: none;
- box-shadow: inset 0 0 0 1px var(--theme-elevation-400);
- color: var(--theme-elevation-400);
-}
-.btn--style-secondary:focus:not(:focus-visible) {
- box-shadow:
- inset 0 0 0 1px var(--theme-elevation-700),
- 0 0 0 2px var(--theme-success-500);
- outline: none;
-}
-.btn--style-none {
- border-radius: 0;
- margin: 0;
- padding: 0;
-}
-.btn--style-none:focus {
- opacity: 0.8;
-}
-.btn--style-none:active {
- opacity: 0.7;
-}
-.btn--round {
- border-radius: 100%;
-}
-[dir='rtl'] .btn--icon span {
- margin-left: 5px;
-}
-.btn--icon span {
- display: flex;
- justify-content: space-between;
-}
-.btn--icon.btn--style-primary .icon .stroke {
- stroke: var(--theme-elevation-0);
- fill: none;
-}
-.btn--icon.btn--style-primary .icon .fill {
- fill: var(--theme-elevation-0);
-}
-.btn--style-icon-label {
- font-weight: 600;
- padding: 0;
-}
-.btn--style-light-gray {
- box-shadow: inset 0 0 0 1px var(--theme-elevation-800);
-}
-.btn--icon-position-left .btn__content {
- flex-direction: row-reverse;
-}
-.btn--icon-position-left .btn__icon {
- margin-right: 0.9615384615rem;
-}
-.btn--icon-position-right .btn__icon {
- margin-left: 0.9615384615rem;
-}
-.btn--icon-only .btn__icon {
- margin: 0;
- padding: 0;
-}
-.btn--disabled {
- cursor: default;
-}
-.btn:focus-visible .btn__icon,
-.btn:hover .btn__icon {
- background: var(--theme-elevation-800);
-}
-.btn:focus-visible .btn__icon .stroke,
-.btn:hover .btn__icon .stroke {
- stroke: var(--theme-elevation-0);
- fill: none;
-}
-.btn:focus-visible .btn__icon .fill,
-.btn:hover .btn__icon .fill {
- fill: var(--theme-elevation-0);
-}
-.btn:focus:not(:focus-visible) {
- outline: none;
-}
-.btn:focus:not(:focus-visible) .btn__icon {
- background: var(--theme-elevation-150);
-}
-.btn:focus:not(:focus-visible) .btn__icon .stroke {
- stroke: var(--theme-elevation-800);
- fill: none;
-}
-.btn:focus:not(:focus-visible) .btn__icon .fill {
- fill: var(--theme-elevation-800);
-}
-.btn:active .btn__icon {
- background: var(--theme-elevation-700);
-}
-.btn:active .btn__icon .stroke {
- stroke: var(--theme-elevation-0);
- fill: none;
-}
-.btn:active .btn__icon .fill {
- fill: var(--theme-elevation-0);
-}
-.btn:focus-visible {
- outline: var(--accessibility-outline);
- outline-offset: var(--accessibility-outline-offset);
-}
-.pill {
- align-items: center;
- background: var(--theme-elevation-150);
- border: 0;
- border-radius: 3px;
- color: var(--theme-elevation-800);
- cursor: default;
- display: inline-flex;
- flex-shrink: 0;
- font-size: 1rem;
- line-height: 1.9230769231rem;
- overflow: hidden;
- padding: 0 0.4807692308rem;
- text-overflow: ellipsis;
- white-space: nowrap;
-}
-.pill--rounded {
- border-radius: var(--style-radius-l);
- font-size: 12px;
- line-height: 18px;
-}
-.pill:active,
-.pill:focus:not(:focus-visible) {
- outline: none;
-}
-.pill:focus-visible {
- outline: var(--accessibility-outline);
- outline-offset: var(--accessibility-outline-offset);
-}
-.pill--has-action {
- cursor: pointer;
- -webkit-text-decoration: none;
- text-decoration: none;
-}
-.pill--is-dragging {
- cursor: grabbing;
-}
-.pill--has-icon svg {
- display: block;
-}
-[dir='rtl'] .pill--align-icon-left {
- padding-left: 10px;
- padding-right: 0;
-}
-[dir='rtl'] .pill--align-icon-right {
- padding-left: 0;
- padding-right: 10px;
-}
-.pill--align-icon-left {
- padding-left: 0;
-}
-.pill--align-icon-right {
- padding-right: 0;
-}
-.pill--style-white {
- background: var(--theme-elevation-0);
-}
-.pill--style-light-gray,
-.pill--style-light.pill--has-action:active,
-.pill--style-light.pill--has-action:hover,
-.pill--style-white.pill--has-action:active,
-.pill--style-white.pill--has-action:hover {
- background: var(--theme-elevation-100);
-}
-.pill--style-light-gray {
- color: var(--theme-elevation-800);
-}
-.pill--style-warning {
- background: var(--theme-warning-500);
-}
-.pill--style-success {
- background: var(--theme-success-500);
- color: var(--color-base-800);
-}
-.pill--style-dark {
- background: var(--theme-elevation-800);
- color: var(--theme-elevation-0);
-}
-.pill--style-dark svg .stroke {
- stroke: var(--theme-elevation-0);
- fill: none;
-}
-.pill--style-dark svg .fill {
- fill: var(--theme-elevation-0);
-}
-.pill--style-dark.pill--has-action:hover {
- background: var(--theme-elevation-750);
-}
-.pill--style-dark.pill--has-action:active {
- background: var(--theme-elevation-700);
-}
-html[data-theme='dark'] .pill--style-error {
- background: var(--theme-error-500);
- color: var(--color-base-1000);
-}
-html[data-theme='light'] .pill--style-error {
- background: var(--theme-error-250);
- color: var(--theme-error-750);
-}
-.popup-button {
- display: inline-flex;
-}
-.popup {
- position: relative;
-}
-.popup__content {
- background: var(--theme-input-bg);
- max-width: calc(100vw - 1.92308rem);
- opacity: 0;
- pointer-events: none;
- position: absolute;
- visibility: hidden;
- z-index: var(--z-popup);
-}
-.popup__content--caret:after {
- border: 12px solid transparent;
- border-top: 12px solid var(--theme-input-bg);
- content: ' ';
- position: absolute;
- top: calc(100% - 1px);
-}
-.popup__wrap {
- overflow: hidden;
-}
-.popup .popup__scroll {
- overflow-y: auto;
- padding: 1.9230769231rem;
- padding-right: calc(var(--scrollbar-width) + 1.92308rem);
- white-space: nowrap;
- width: calc(100% + var(--scrollbar-width));
-}
-.popup--show-scrollbar .popup__scroll {
- padding-right: 0;
- width: 100%;
-}
-.popup:active,
-.popup:focus {
- outline: none;
-}
-[dir='ltr'] .popup--size-small .popup__scroll {
- padding: 1.4423076923rem calc(var(--scrollbar-width) + 1.44231rem) 1.4423076923rem 1.4423076923rem;
-}
-[dir='rtl'] .popup--size-small .popup__scroll {
- padding: 1.4423076923rem 1.4423076923rem 1.4423076923rem calc(var(--scrollbar-width) + 1.44231rem);
-}
-.popup--size-small .popup__content {
- box-shadow:
- 0 0 30px 0 rgba(0, 2, 4, 0.12),
- 0 30px 25px -8px rgba(0, 2, 4, 0.1);
-}
-.popup--size-small.popup--h-align-left .popup__content {
- left: -0.9615384615rem;
-}
-.popup--size-small.popup--h-align-left .popup__content:after {
- left: 0.8173076923rem;
-}
-.popup--size-large .popup__content {
- box-shadow:
- 0 20px 35px -10px rgba(0, 2, 4, 0.2),
- 0 6px 4px -4px rgba(0, 2, 4, 0.02);
-}
-.popup--size-large .popup__scroll {
- padding: 1.9230769231rem calc(var(--scrollbar-width) + 2.88462rem) 1.9230769231rem 2.8846153846rem;
-}
-.popup--size-wide .popup__content {
- box-shadow:
- 0 0 30px 0 rgba(0, 2, 4, 0.12),
- 0 30px 25px -8px rgba(0, 2, 4, 0.1);
-}
-.popup--size-wide .popup__content:after {
- border: 12px solid transparent;
- border-top: 12px solid var(--theme-input-bg);
-}
-.popup--size-wide .popup__scroll {
- padding: 0.4807692308rem 0.9615384615rem;
-}
-.popup--size-wide.popup--align-left .popup__content {
- left: -0.9615384615rem;
-}
-.popup--size-wide.popup--align-left .popup__content:after {
- left: 0.8173076923rem;
-}
-.popup--h-align-left .popup__content {
- left: -3.3653846154rem;
-}
-.popup--h-align-left .popup__content:after {
- left: 3.3653846154rem;
-}
-.popup--h-align-center .popup__content,
-.popup--h-align-center .popup__content:after {
- left: 50%;
- transform: translateX(-50%);
-}
-.popup--h-align-right .popup__content {
- right: -3.3653846154rem;
-}
-[dir='rtl'] .popup--h-align-right .popup__content {
- right: -1.4423076923rem;
-}
-.popup--h-align-right .popup__content:after {
- right: 3.3653846154rem;
-}
-[dir='rtl'] .popup--h-align-right .popup__content:after {
- right: 1.4423076923rem;
-}
-.popup--v-align-top .popup__content {
- bottom: calc(100% + 1.92308rem);
-}
-.popup--v-align-bottom .popup__content {
- box-shadow:
- 0 -2px 20px 7px rgba(0, 2, 4, 0.1),
- 0 6px 4px -4px rgba(0, 2, 4, 0.02);
- top: calc(100% + 0.96154rem);
-}
-.popup--v-align-bottom .popup__content:after {
- border-bottom-color: var(--theme-input-bg);
- border-top-color: transparent !important;
- bottom: calc(100% - 1px);
- top: auto;
-}
-.popup--v-align-bottom.popup--color-dark .popup__content:after {
- border-bottom-color: var(--theme-elevation-800);
-}
-.popup--color-dark .popup__content {
- background: var(--theme-elevation-800);
- color: var(--theme-input-bg);
-}
-.popup--color-dark .popup__content:after {
- border-top-color: var(--theme-elevation-800);
-}
-.popup--active .popup__content {
- opacity: 1;
- pointer-events: all;
- visibility: visible;
-}
-@media (max-width: 1024px) {
- .popup--size-large .popup__scroll,
- .popup__scroll {
- padding: 1.4423076923rem;
- padding-right: calc(var(--scrollbar-width) + 1.44231rem);
- }
- .popup--h-align-left .popup__content {
- left: -0.9615384615rem;
- }
- .popup--h-align-left .popup__content:after {
- left: 0.9615384615rem;
- }
- .popup--h-align-center .popup__content,
- .popup--h-align-center .popup__content:after {
- left: 50%;
- transform: translateX(0);
- }
- .popup--h-align-right .popup__content {
- right: -0.9615384615rem;
- }
- .popup--h-align-right .popup__content:after {
- right: 0.9615384615rem;
- }
- .popup--force-h-align-left .popup__content {
- left: -0.9615384615rem;
- right: auto;
- transform: none;
- }
- .popup--force-h-align-left .popup__content:after {
- left: 0.9615384615rem;
- right: auto;
- transform: none;
- }
- .popup--force-h-align-right .popup__content {
- left: auto;
- right: -0.9615384615rem;
- transform: none;
- }
- .popup--force-h-align-right .popup__content:after {
- left: auto;
- right: 0.9615384615rem;
- transform: none;
- }
-}
-.icon--check {
- height: 1.9230769231rem;
- width: 1.9230769231rem;
-}
-.icon--check .stroke {
- fill: none;
- stroke: var(--theme-elevation-800);
- stroke-width: 2px;
-}
-.icon--menu .fill {
- fill: var(--theme-text);
-}
-.icon--search {
- height: 1.9230769231rem;
- width: 1.9230769231rem;
-}
-.icon--search .stroke {
- stroke: var(--theme-elevation-800);
- stroke-width: 1px;
-}
-.template-minimal {
- align-items: center;
- display: flex;
- justify-content: center;
- margin-left: auto;
- margin-right: auto;
- min-height: 100%;
- padding: 5.7692307692rem 1.9230769231rem;
- width: 100%;
-}
-.template-minimal--width-normal .template-minimal__wrap {
- max-width: 500px;
- width: 100%;
-}
-.template-minimal--width-wide .template-minimal__wrap {
- max-width: 1024px;
- width: 100%;
-}
+.banner{background:var(--theme-elevation-100);border:0;border-radius:3px;color:var(--theme-elevation-800);font-size:1rem;line-height:1.9230769231rem;margin-bottom:1.9230769231rem;padding:.9615384615rem;vertical-align:middle}.banner--has-action{cursor:pointer;-webkit-text-decoration:none;text-decoration:none}.banner--has-icon{display:flex}.banner--has-icon svg{display:block}.banner--type-default.button--has-action:hover{background:var(--theme-elevation-900)}.banner--type-default.button--has-action:active{background:var(--theme-elevation-950)}.banner--type-error{background:var(--theme-error-100);color:var(--theme-error-500)}.banner--type-error svg .stroke{stroke:var(--theme-error-500);fill:none}.banner--type-error svg .fill{fill:var(--theme-error-500)}.banner--type-error.button--has-action:hover{background:var(--theme-error-200)}.banner--type-error.button--has-action:active{background:var(--theme-error-300)}.banner--type-success{background:var(--theme-success-500);color:var(--color-base-800)}.banner--type-success.button--has-action:active,.banner--type-success.button--has-action:hover{background:var(--theme-success-200)}.icon--chevron{height:1.9230769231rem;width:1.9230769231rem}.icon--chevron .stroke{fill:none;stroke:var(--theme-elevation-800);stroke-width:2px}.icon--edit{shape-rendering:auto;height:1.9230769231rem;width:1.9230769231rem}.icon--edit .fill{fill:var(--theme-elevation-800);stroke:none}.icon--link{height:1.9230769231rem;width:1.9230769231rem}.icon--link .stroke{stroke:var(--theme-elevation-800);stroke-width:1px}.icon--plus{height:1.9230769231rem;width:1.9230769231rem}.icon--plus .stroke{stroke:var(--theme-elevation-800);stroke-width:1px}.icon--swap{height:1.9230769231rem;width:1.9230769231rem}.icon--swap .stroke{fill:none;stroke:var(--theme-elevation-800);stroke-width:2px}.icon--x line{stroke:var(--theme-elevation-800);stroke-width:1px}.tooltip{--caret-size:6px;background-color:var(--theme-elevation-800);border-radius:2px;color:var(--theme-elevation-0);font-weight:400;line-height:1.4423076923rem;opacity:0;padding:.3846153846rem .7692307692rem;visibility:hidden;white-space:nowrap;z-index:2}.tooltip,.tooltip:after{left:50%;position:absolute}.tooltip:after{border-left:var(--caret-size) solid transparent;border-right:var(--caret-size) solid transparent;content:" ";display:block;height:0;transform:translate3d(-50%,100%,0);width:0}.tooltip--show{cursor:default;opacity:1;transition:opacity .2s ease-in-out;visibility:visible}.tooltip--position-top{bottom:100%;transform:translate3d(-50%,calc(var(--caret-size)*-1),0)}.tooltip--position-top:after{border-top:var(--caret-size) solid var(--theme-elevation-800);bottom:1px}.tooltip--position-bottom{top:100%;transform:translate3d(-50%,var(--caret-size),0)}.tooltip--position-bottom:after{border-bottom:var(--caret-size) solid var(--theme-elevation-800);bottom:calc(100% + var(--caret-size) - 1px)}@media(max-width:1024px){.tooltip{display:none}}html[data-theme=light] .tooltip{background-color:var(--theme-error-250);color:var(--theme-error-750)}html[data-theme=light] .tooltip--position-top:after{border-top-color:var(--theme-error-250)}html[data-theme=light] .tooltip--position-bottom:after{border-bottom-color:var(--theme-error-250)}a.btn{display:inline-block}.btn{background:transparent;border:0;border-radius:4px;color:inherit;cursor:pointer;font-size:1rem;font-weight:400;line-height:1.9230769231rem;margin-bottom:1.9230769231rem;margin-top:1.9230769231rem;text-align:center;-webkit-text-decoration:none;text-decoration:none}.btn .btn__icon{border:1px solid;border-radius:100%}.btn .btn__icon .stroke{stroke:currentColor;fill:none}.btn .btn__icon .fill{fill:currentColor}.btn--has-tooltip{position:relative}.btn--icon-style-none .btn__icon,.btn--icon-style-without-border .btn__icon{border:none}.btn span{line-height:1.9230769231rem}.btn span,.btn svg{vertical-align:top}.btn--size-medium{padding:.9615384615rem 1.9230769231rem}.btn--size-small{padding:.4807692308rem .9615384615rem}.btn--style-primary{background-color:var(--theme-elevation-800);color:var(--theme-elevation-0)}.btn--style-primary.btn--disabled{background-color:var(--theme-elevation-400)}.btn--style-primary:not(.btn--disabled):focus-visible,.btn--style-primary:not(.btn--disabled):hover{background:var(--theme-elevation-750)}.btn--style-primary:not(.btn--disabled):active{background:var(--theme-elevation-700)}.btn--style-primary:focus:not(:focus-visible){box-shadow:0 0 0 2px var(--theme-success-500);outline:none}.btn--style-secondary{-webkit-backdrop-filter:blur(5px);backdrop-filter:blur(5px);background:none;box-shadow:inset 0 0 0 1px var(--theme-elevation-800);color:var(--theme-elevation-800)}.btn--style-secondary:focus-visible,.btn--style-secondary:hover{background:var(--theme-elevation-100);box-shadow:inset 0 0 0 1px var(--theme-elevation-700)}.btn--style-secondary:active{background:var(--theme-elevation-200)}.btn--style-secondary.btn--disabled{background:none;box-shadow:inset 0 0 0 1px var(--theme-elevation-400);color:var(--theme-elevation-400)}.btn--style-secondary:focus:not(:focus-visible){box-shadow:inset 0 0 0 1px var(--theme-elevation-700),0 0 0 2px var(--theme-success-500);outline:none}.btn--style-none{border-radius:0;margin:0;padding:0}.btn--style-none:focus{opacity:.8}.btn--style-none:active{opacity:.7}.btn--round{border-radius:100%}[dir=rtl] .btn--icon span{margin-left:5px}.btn--icon span{display:flex;justify-content:space-between}.btn--icon.btn--style-primary .icon .stroke{stroke:var(--theme-elevation-0);fill:none}.btn--icon.btn--style-primary .icon .fill{fill:var(--theme-elevation-0)}.btn--style-icon-label{font-weight:600;padding:0}.btn--style-light-gray{box-shadow:inset 0 0 0 1px var(--theme-elevation-800)}.btn--icon-position-left .btn__content{flex-direction:row-reverse}.btn--icon-position-left .btn__icon{margin-right:.9615384615rem}.btn--icon-position-right .btn__icon{margin-left:.9615384615rem}.btn--icon-only .btn__icon{margin:0;padding:0}.btn--disabled{cursor:default}.btn:focus-visible .btn__icon,.btn:hover .btn__icon{background:var(--theme-elevation-800)}.btn:focus-visible .btn__icon .stroke,.btn:hover .btn__icon .stroke{stroke:var(--theme-elevation-0);fill:none}.btn:focus-visible .btn__icon .fill,.btn:hover .btn__icon .fill{fill:var(--theme-elevation-0)}.btn:focus:not(:focus-visible){outline:none}.btn:focus:not(:focus-visible) .btn__icon{background:var(--theme-elevation-150)}.btn:focus:not(:focus-visible) .btn__icon .stroke{stroke:var(--theme-elevation-800);fill:none}.btn:focus:not(:focus-visible) .btn__icon .fill{fill:var(--theme-elevation-800)}.btn:active .btn__icon{background:var(--theme-elevation-700)}.btn:active .btn__icon .stroke{stroke:var(--theme-elevation-0);fill:none}.btn:active .btn__icon .fill{fill:var(--theme-elevation-0)}.btn:focus-visible{outline:var(--accessibility-outline);outline-offset:var(--accessibility-outline-offset)}.pill{align-items:center;background:var(--theme-elevation-150);border:0;border-radius:3px;color:var(--theme-elevation-800);cursor:default;display:inline-flex;flex-shrink:0;font-size:1rem;line-height:1.9230769231rem;overflow:hidden;padding:0 .4807692308rem;text-overflow:ellipsis;white-space:nowrap}.pill--rounded{border-radius:var(--style-radius-l);font-size:12px;line-height:18px}.pill:active,.pill:focus:not(:focus-visible){outline:none}.pill:focus-visible{outline:var(--accessibility-outline);outline-offset:var(--accessibility-outline-offset)}.pill--has-action{cursor:pointer;-webkit-text-decoration:none;text-decoration:none}.pill--is-dragging{cursor:grabbing}.pill--has-icon svg{display:block}[dir=rtl] .pill--align-icon-left{padding-left:10px;padding-right:0}[dir=rtl] .pill--align-icon-right{padding-left:0;padding-right:10px}.pill--align-icon-left{padding-left:0}.pill--align-icon-right{padding-right:0}.pill--style-white{background:var(--theme-elevation-0)}.pill--style-light-gray,.pill--style-light.pill--has-action:active,.pill--style-light.pill--has-action:hover,.pill--style-white.pill--has-action:active,.pill--style-white.pill--has-action:hover{background:var(--theme-elevation-100)}.pill--style-light-gray{color:var(--theme-elevation-800)}.pill--style-warning{background:var(--theme-warning-500)}.pill--style-success{background:var(--theme-success-500);color:var(--color-base-800)}.pill--style-dark{background:var(--theme-elevation-800);color:var(--theme-elevation-0)}.pill--style-dark svg .stroke{stroke:var(--theme-elevation-0);fill:none}.pill--style-dark svg .fill{fill:var(--theme-elevation-0)}.pill--style-dark.pill--has-action:hover{background:var(--theme-elevation-750)}.pill--style-dark.pill--has-action:active{background:var(--theme-elevation-700)}html[data-theme=dark] .pill--style-error{background:var(--theme-error-500);color:var(--color-base-1000)}html[data-theme=light] .pill--style-error{background:var(--theme-error-250);color:var(--theme-error-750)}.popup-button{display:inline-flex}.popup{position:relative}.popup__content{background:var(--theme-input-bg);max-width:calc(100vw - 1.92308rem);opacity:0;pointer-events:none;position:absolute;visibility:hidden;z-index:var(--z-popup)}.popup__content--caret:after{border:12px solid transparent;border-top:12px solid var(--theme-input-bg);content:" ";position:absolute;top:calc(100% - 1px)}.popup__wrap{overflow:hidden}.popup .popup__scroll{overflow-y:auto;padding:1.9230769231rem;padding-right:calc(var(--scrollbar-width) + 1.92308rem);white-space:nowrap;width:calc(100% + var(--scrollbar-width))}.popup--show-scrollbar .popup__scroll{padding-right:0;width:100%}.popup:active,.popup:focus{outline:none}[dir=ltr] .popup--size-small .popup__scroll{padding:1.4423076923rem calc(var(--scrollbar-width) + 1.44231rem) 1.4423076923rem 1.4423076923rem}[dir=rtl] .popup--size-small .popup__scroll{padding:1.4423076923rem 1.4423076923rem 1.4423076923rem calc(var(--scrollbar-width) + 1.44231rem)}.popup--size-small .popup__content{box-shadow:0 0 30px 0 rgba(0,2,4,.12),0 30px 25px -8px rgba(0,2,4,.1)}.popup--size-small.popup--h-align-left .popup__content{left:-.9615384615rem}.popup--size-small.popup--h-align-left .popup__content:after{left:.8173076923rem}.popup--size-large .popup__content{box-shadow:0 20px 35px -10px rgba(0,2,4,.2),0 6px 4px -4px rgba(0,2,4,.02)}.popup--size-large .popup__scroll{padding:1.9230769231rem calc(var(--scrollbar-width) + 2.88462rem) 1.9230769231rem 2.8846153846rem}.popup--size-wide .popup__content{box-shadow:0 0 30px 0 rgba(0,2,4,.12),0 30px 25px -8px rgba(0,2,4,.1)}.popup--size-wide .popup__content:after{border:12px solid transparent;border-top:12px solid var(--theme-input-bg)}.popup--size-wide .popup__scroll{padding:.4807692308rem .9615384615rem}.popup--size-wide.popup--align-left .popup__content{left:-.9615384615rem}.popup--size-wide.popup--align-left .popup__content:after{left:.8173076923rem}.popup--h-align-left .popup__content{left:-3.3653846154rem}.popup--h-align-left .popup__content:after{left:3.3653846154rem}.popup--h-align-center .popup__content,.popup--h-align-center .popup__content:after{left:50%;transform:translateX(-50%)}.popup--h-align-right .popup__content{right:-3.3653846154rem}[dir=rtl] .popup--h-align-right .popup__content{right:-1.4423076923rem}.popup--h-align-right .popup__content:after{right:3.3653846154rem}[dir=rtl] .popup--h-align-right .popup__content:after{right:1.4423076923rem}.popup--v-align-top .popup__content{bottom:calc(100% + 1.92308rem)}.popup--v-align-bottom .popup__content{box-shadow:0 -2px 20px 7px rgba(0,2,4,.1),0 6px 4px -4px rgba(0,2,4,.02);top:calc(100% + .96154rem)}.popup--v-align-bottom .popup__content:after{border-bottom-color:var(--theme-input-bg);border-top-color:transparent!important;bottom:calc(100% - 1px);top:auto}.popup--v-align-bottom.popup--color-dark .popup__content:after{border-bottom-color:var(--theme-elevation-800)}.popup--color-dark .popup__content{background:var(--theme-elevation-800);color:var(--theme-input-bg)}.popup--color-dark .popup__content:after{border-top-color:var(--theme-elevation-800)}.popup--active .popup__content{opacity:1;pointer-events:all;visibility:visible}@media(max-width:1024px){.popup--size-large .popup__scroll,.popup__scroll{padding:1.4423076923rem;padding-right:calc(var(--scrollbar-width) + 1.44231rem)}.popup--h-align-left .popup__content{left:-.9615384615rem}.popup--h-align-left .popup__content:after{left:.9615384615rem}.popup--h-align-center .popup__content,.popup--h-align-center .popup__content:after{left:50%;transform:translateX(0)}.popup--h-align-right .popup__content{right:-.9615384615rem}.popup--h-align-right .popup__content:after{right:.9615384615rem}.popup--force-h-align-left .popup__content{left:-.9615384615rem;right:auto;transform:none}.popup--force-h-align-left .popup__content:after{left:.9615384615rem;right:auto;transform:none}.popup--force-h-align-right .popup__content{left:auto;right:-.9615384615rem;transform:none}.popup--force-h-align-right .popup__content:after{left:auto;right:.9615384615rem;transform:none}}.icon--check{height:1.9230769231rem;width:1.9230769231rem}.icon--check .stroke{fill:none;stroke:var(--theme-elevation-800);stroke-width:2px}.icon--menu .fill{fill:var(--theme-text)}.icon--search{height:1.9230769231rem;width:1.9230769231rem}.icon--search .stroke{stroke:var(--theme-elevation-800);stroke-width:1px}.template-minimal{align-items:center;display:flex;justify-content:center;margin-left:auto;margin-right:auto;min-height:100%;padding:5.7692307692rem 1.9230769231rem;width:100%}.template-minimal--width-normal .template-minimal__wrap{max-width:500px;width:100%}.template-minimal--width-wide .template-minimal__wrap{max-width:1024px;width:100%}
\ No newline at end of file
diff --git a/packages/payload/components/templates.d.ts b/packages/payload/components/templates.d.ts
index 67003a45018..d344dc353b5 100644
--- a/packages/payload/components/templates.d.ts
+++ b/packages/payload/components/templates.d.ts
@@ -1,3 +1,3 @@
-export { default as DefaultTemplate } from '../dist/admin/components/templates/Default'
-export { default as MinimalTemplate } from '../dist/admin/components/templates/Minimal'
-//# sourceMappingURL=templates.d.ts.map
+export { default as DefaultTemplate } from '../dist/admin/components/templates/Default';
+export { default as MinimalTemplate } from '../dist/admin/components/templates/Minimal';
+//# sourceMappingURL=templates.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/templates.js b/packages/payload/components/templates.js
index 02454cad9a9..1b995ee32e2 100644
--- a/packages/payload/components/templates.js
+++ b/packages/payload/components/templates.js
@@ -1,34 +1,27 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
function _export(target, all) {
- for (var name in all)
- Object.defineProperty(target, name, {
- enumerable: true,
- get: all[name],
- })
+ for(var name in all)Object.defineProperty(target, name, {
+ enumerable: true,
+ get: all[name]
+ });
}
_export(exports, {
- DefaultTemplate: function () {
- return _Default.default
- },
- MinimalTemplate: function () {
- return _Minimal.default
- },
-})
-const _Default = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/templates/Default'),
-)
-const _Minimal = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/templates/Minimal'),
-)
+ DefaultTemplate: function() {
+ return _Default.default;
+ },
+ MinimalTemplate: function() {
+ return _Minimal.default;
+ }
+});
+const _Default = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/templates/Default"));
+const _Minimal = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/templates/Minimal"));
function _interop_require_default(obj) {
- return obj && obj.__esModule
- ? obj
- : {
- default: obj,
- }
+ return obj && obj.__esModule ? obj : {
+ default: obj
+ };
}
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvdGVtcGxhdGVzLnRzIl0sInNvdXJjZXNDb250ZW50IjpbImV4cG9ydCB7IGRlZmF1bHQgYXMgRGVmYXVsdFRlbXBsYXRlIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy90ZW1wbGF0ZXMvRGVmYXVsdCdcbmV4cG9ydCB7IGRlZmF1bHQgYXMgTWluaW1hbFRlbXBsYXRlIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy90ZW1wbGF0ZXMvTWluaW1hbCdcbiJdLCJuYW1lcyI6WyJEZWZhdWx0VGVtcGxhdGUiLCJNaW5pbWFsVGVtcGxhdGUiXSwibWFwcGluZ3MiOiI7Ozs7Ozs7Ozs7O0lBQW9CQSxlQUFlO2VBQWZBLGdCQUFlOztJQUNmQyxlQUFlO2VBQWZBLGdCQUFlOzs7Z0VBRFE7Z0VBQ0EifQ==
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvdGVtcGxhdGVzLnRzIl0sInNvdXJjZXNDb250ZW50IjpbImV4cG9ydCB7IGRlZmF1bHQgYXMgRGVmYXVsdFRlbXBsYXRlIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy90ZW1wbGF0ZXMvRGVmYXVsdCdcbmV4cG9ydCB7IGRlZmF1bHQgYXMgTWluaW1hbFRlbXBsYXRlIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy90ZW1wbGF0ZXMvTWluaW1hbCdcbiJdLCJuYW1lcyI6WyJEZWZhdWx0VGVtcGxhdGUiLCJNaW5pbWFsVGVtcGxhdGUiXSwibWFwcGluZ3MiOiI7Ozs7Ozs7Ozs7O0lBQW9CQSxlQUFlO2VBQWZBLGdCQUFlOztJQUNmQyxlQUFlO2VBQWZBLGdCQUFlOzs7Z0VBRFE7Z0VBQ0EifQ==
\ No newline at end of file
diff --git a/packages/payload/components/utilities.d.ts b/packages/payload/components/utilities.d.ts
index 4ba382edcae..be6077b9a35 100644
--- a/packages/payload/components/utilities.d.ts
+++ b/packages/payload/components/utilities.d.ts
@@ -1,9 +1,9 @@
-export { default as buildStateFromSchema } from '../dist/admin/components/forms/Form/buildStateFromSchema'
-export { useAuth } from '../dist/admin/components/utilities/Auth'
-export { useConfig } from '../dist/admin/components/utilities/Config'
-export { useDocumentInfo } from '../dist/admin/components/utilities/DocumentInfo'
-export { useEditDepth } from '../dist/admin/components/utilities/EditDepth'
-export { useLocale } from '../dist/admin/components/utilities/Locale'
-export { default as Meta } from '../dist/admin/components/utilities/Meta'
-export { withMergedProps } from '../dist/admin/components/utilities/WithMergedProps'
-//# sourceMappingURL=utilities.d.ts.map
+export { default as buildStateFromSchema } from '../dist/admin/components/forms/Form/buildStateFromSchema';
+export { useAuth } from '../dist/admin/components/utilities/Auth';
+export { useConfig } from '../dist/admin/components/utilities/Config';
+export { useDocumentInfo } from '../dist/admin/components/utilities/DocumentInfo';
+export { useEditDepth } from '../dist/admin/components/utilities/EditDepth';
+export { useLocale } from '../dist/admin/components/utilities/Locale';
+export { default as Meta } from '../dist/admin/components/utilities/Meta';
+export { withMergedProps } from '../dist/admin/components/utilities/WithMergedProps';
+//# sourceMappingURL=utilities.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/utilities.js b/packages/payload/components/utilities.js
index 36170b2431f..eb2050cf8bc 100644
--- a/packages/payload/components/utilities.js
+++ b/packages/payload/components/utilities.js
@@ -1,58 +1,51 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
function _export(target, all) {
- for (var name in all)
- Object.defineProperty(target, name, {
- enumerable: true,
- get: all[name],
- })
+ for(var name in all)Object.defineProperty(target, name, {
+ enumerable: true,
+ get: all[name]
+ });
}
_export(exports, {
- Meta: function () {
- return _Meta.default
- },
- buildStateFromSchema: function () {
- return _buildStateFromSchema.default
- },
- useAuth: function () {
- return _Auth.useAuth
- },
- useConfig: function () {
- return _Config.useConfig
- },
- useDocumentInfo: function () {
- return _DocumentInfo.useDocumentInfo
- },
- useEditDepth: function () {
- return _EditDepth.useEditDepth
- },
- useLocale: function () {
- return _Locale.useLocale
- },
- withMergedProps: function () {
- return _WithMergedProps.withMergedProps
- },
-})
-const _buildStateFromSchema = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/forms/Form/buildStateFromSchema'),
-)
-const _Auth = require('../dist/admin/components/utilities/Auth')
-const _Config = require('../dist/admin/components/utilities/Config')
-const _DocumentInfo = require('../dist/admin/components/utilities/DocumentInfo')
-const _EditDepth = require('../dist/admin/components/utilities/EditDepth')
-const _Locale = require('../dist/admin/components/utilities/Locale')
-const _Meta = /*#__PURE__*/ _interop_require_default(
- require('../dist/admin/components/utilities/Meta'),
-)
-const _WithMergedProps = require('../dist/admin/components/utilities/WithMergedProps')
+ buildStateFromSchema: function() {
+ return _buildStateFromSchema.default;
+ },
+ useAuth: function() {
+ return _Auth.useAuth;
+ },
+ useConfig: function() {
+ return _Config.useConfig;
+ },
+ useDocumentInfo: function() {
+ return _DocumentInfo.useDocumentInfo;
+ },
+ useEditDepth: function() {
+ return _EditDepth.useEditDepth;
+ },
+ useLocale: function() {
+ return _Locale.useLocale;
+ },
+ Meta: function() {
+ return _Meta.default;
+ },
+ withMergedProps: function() {
+ return _WithMergedProps.withMergedProps;
+ }
+});
+const _buildStateFromSchema = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/forms/Form/buildStateFromSchema"));
+const _Auth = require("../dist/admin/components/utilities/Auth");
+const _Config = require("../dist/admin/components/utilities/Config");
+const _DocumentInfo = require("../dist/admin/components/utilities/DocumentInfo");
+const _EditDepth = require("../dist/admin/components/utilities/EditDepth");
+const _Locale = require("../dist/admin/components/utilities/Locale");
+const _Meta = /*#__PURE__*/ _interop_require_default(require("../dist/admin/components/utilities/Meta"));
+const _WithMergedProps = require("../dist/admin/components/utilities/WithMergedProps");
function _interop_require_default(obj) {
- return obj && obj.__esModule
- ? obj
- : {
- default: obj,
- }
+ return obj && obj.__esModule ? obj : {
+ default: obj
+ };
}
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvdXRpbGl0aWVzLnRzIl0sInNvdXJjZXNDb250ZW50IjpbImV4cG9ydCB7IGRlZmF1bHQgYXMgYnVpbGRTdGF0ZUZyb21TY2hlbWEgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2Zvcm1zL0Zvcm0vYnVpbGRTdGF0ZUZyb21TY2hlbWEnXG5leHBvcnQgeyB1c2VBdXRoIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy91dGlsaXRpZXMvQXV0aCdcbmV4cG9ydCB7IHVzZUNvbmZpZyB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvdXRpbGl0aWVzL0NvbmZpZydcbmV4cG9ydCB7IHVzZURvY3VtZW50SW5mbyB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvdXRpbGl0aWVzL0RvY3VtZW50SW5mbydcbmV4cG9ydCB7IHVzZUVkaXREZXB0aCB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvdXRpbGl0aWVzL0VkaXREZXB0aCdcbmV4cG9ydCB7IHVzZUxvY2FsZSB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvdXRpbGl0aWVzL0xvY2FsZSdcbmV4cG9ydCB7IGRlZmF1bHQgYXMgTWV0YSB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvdXRpbGl0aWVzL01ldGEnXG5leHBvcnQgeyB3aXRoTWVyZ2VkUHJvcHMgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL3V0aWxpdGllcy9XaXRoTWVyZ2VkUHJvcHMnXG4iXSwibmFtZXMiOlsiYnVpbGRTdGF0ZUZyb21TY2hlbWEiLCJ1c2VBdXRoIiwidXNlQ29uZmlnIiwidXNlRG9jdW1lbnRJbmZvIiwidXNlRWRpdERlcHRoIiwidXNlTG9jYWxlIiwiTWV0YSIsIndpdGhNZXJnZWRQcm9wcyJdLCJtYXBwaW5ncyI6Ijs7Ozs7Ozs7Ozs7SUFBb0JBLG9CQUFvQjtlQUFwQkEsNkJBQW9COztJQUMvQkMsT0FBTztlQUFQQSxhQUFPOztJQUNQQyxTQUFTO2VBQVRBLGlCQUFTOztJQUNUQyxlQUFlO2VBQWZBLDZCQUFlOztJQUNmQyxZQUFZO2VBQVpBLHVCQUFZOztJQUNaQyxTQUFTO2VBQVRBLGlCQUFTOztJQUNFQyxJQUFJO2VBQUpBLGFBQUk7O0lBQ2ZDLGVBQWU7ZUFBZkEsZ0NBQWU7Ozs2RUFQd0I7c0JBQ3hCO3dCQUNFOzhCQUNNOzJCQUNIO3dCQUNIOzZEQUNNO2lDQUNBIn0=
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvdXRpbGl0aWVzLnRzIl0sInNvdXJjZXNDb250ZW50IjpbImV4cG9ydCB7IGRlZmF1bHQgYXMgYnVpbGRTdGF0ZUZyb21TY2hlbWEgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL2Zvcm1zL0Zvcm0vYnVpbGRTdGF0ZUZyb21TY2hlbWEnXG5leHBvcnQgeyB1c2VBdXRoIH0gZnJvbSAnLi4vLi4vYWRtaW4vY29tcG9uZW50cy91dGlsaXRpZXMvQXV0aCdcbmV4cG9ydCB7IHVzZUNvbmZpZyB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvdXRpbGl0aWVzL0NvbmZpZydcbmV4cG9ydCB7IHVzZURvY3VtZW50SW5mbyB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvdXRpbGl0aWVzL0RvY3VtZW50SW5mbydcbmV4cG9ydCB7IHVzZUVkaXREZXB0aCB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvdXRpbGl0aWVzL0VkaXREZXB0aCdcbmV4cG9ydCB7IHVzZUxvY2FsZSB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvdXRpbGl0aWVzL0xvY2FsZSdcbmV4cG9ydCB7IGRlZmF1bHQgYXMgTWV0YSB9IGZyb20gJy4uLy4uL2FkbWluL2NvbXBvbmVudHMvdXRpbGl0aWVzL01ldGEnXG5leHBvcnQgeyB3aXRoTWVyZ2VkUHJvcHMgfSBmcm9tICcuLi8uLi9hZG1pbi9jb21wb25lbnRzL3V0aWxpdGllcy9XaXRoTWVyZ2VkUHJvcHMnXG4iXSwibmFtZXMiOlsiYnVpbGRTdGF0ZUZyb21TY2hlbWEiLCJ1c2VBdXRoIiwidXNlQ29uZmlnIiwidXNlRG9jdW1lbnRJbmZvIiwidXNlRWRpdERlcHRoIiwidXNlTG9jYWxlIiwiTWV0YSIsIndpdGhNZXJnZWRQcm9wcyJdLCJtYXBwaW5ncyI6Ijs7Ozs7Ozs7Ozs7SUFBb0JBLG9CQUFvQjtlQUFwQkEsNkJBQW9COztJQUMvQkMsT0FBTztlQUFQQSxhQUFPOztJQUNQQyxTQUFTO2VBQVRBLGlCQUFTOztJQUNUQyxlQUFlO2VBQWZBLDZCQUFlOztJQUNmQyxZQUFZO2VBQVpBLHVCQUFZOztJQUNaQyxTQUFTO2VBQVRBLGlCQUFTOztJQUNFQyxJQUFJO2VBQUpBLGFBQUk7O0lBQ2ZDLGVBQWU7ZUFBZkEsZ0NBQWU7Ozs2RUFQd0I7c0JBQ3hCO3dCQUNFOzhCQUNNOzJCQUNIO3dCQUNIOzZEQUNNO2lDQUNBIn0=
\ No newline at end of file
diff --git a/packages/payload/components/views/Cell.d.ts b/packages/payload/components/views/Cell.d.ts
index 17103598363..7d140870501 100644
--- a/packages/payload/components/views/Cell.d.ts
+++ b/packages/payload/components/views/Cell.d.ts
@@ -1,3 +1,3 @@
-export { default as Cell } from '../../dist/admin/components/views/collections/List/Cell'
-export type { Props } from '../../dist/admin/components/views/collections/List/Cell/types'
-//# sourceMappingURL=Cell.d.ts.map
+export { default as Cell } from '../../dist/admin/components/views/collections/List/Cell';
+export type { Props } from '../../dist/admin/components/views/collections/List/Cell/types';
+//# sourceMappingURL=Cell.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/views/Cell.js b/packages/payload/components/views/Cell.js
index bd5db5c7051..db79f796c11 100644
--- a/packages/payload/components/views/Cell.js
+++ b/packages/payload/components/views/Cell.js
@@ -1,22 +1,18 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
-Object.defineProperty(exports, 'Cell', {
- enumerable: true,
- get: function () {
- return _Cell.default
- },
-})
-const _Cell = /*#__PURE__*/ _interop_require_default(
- require('../../dist/admin/components/views/collections/List/Cell'),
-)
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
+Object.defineProperty(exports, "Cell", {
+ enumerable: true,
+ get: function() {
+ return _Cell.default;
+ }
+});
+const _Cell = /*#__PURE__*/ _interop_require_default(require("../../dist/admin/components/views/collections/List/Cell"));
function _interop_require_default(obj) {
- return obj && obj.__esModule
- ? obj
- : {
- default: obj,
- }
+ return obj && obj.__esModule ? obj : {
+ default: obj
+ };
}
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvdmlld3MvQ2VsbC50cyJdLCJzb3VyY2VzQ29udGVudCI6WyJleHBvcnQgeyBkZWZhdWx0IGFzIENlbGwgfSBmcm9tICcuLi8uLi8uLi9hZG1pbi9jb21wb25lbnRzL3ZpZXdzL2NvbGxlY3Rpb25zL0xpc3QvQ2VsbCdcbmV4cG9ydCB0eXBlIHsgUHJvcHMgfSBmcm9tICcuLi8uLi8uLi9hZG1pbi9jb21wb25lbnRzL3ZpZXdzL2NvbGxlY3Rpb25zL0xpc3QvQ2VsbC90eXBlcydcbiJdLCJuYW1lcyI6WyJDZWxsIl0sIm1hcHBpbmdzIjoiOzs7OytCQUFvQkE7OztlQUFBQSxhQUFJOzs7NkRBQVEifQ==
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvdmlld3MvQ2VsbC50cyJdLCJzb3VyY2VzQ29udGVudCI6WyJleHBvcnQgeyBkZWZhdWx0IGFzIENlbGwgfSBmcm9tICcuLi8uLi8uLi9hZG1pbi9jb21wb25lbnRzL3ZpZXdzL2NvbGxlY3Rpb25zL0xpc3QvQ2VsbCdcbmV4cG9ydCB0eXBlIHsgUHJvcHMgfSBmcm9tICcuLi8uLi8uLi9hZG1pbi9jb21wb25lbnRzL3ZpZXdzL2NvbGxlY3Rpb25zL0xpc3QvQ2VsbC90eXBlcydcbiJdLCJuYW1lcyI6WyJDZWxsIl0sIm1hcHBpbmdzIjoiOzs7OytCQUFvQkE7OztlQUFBQSxhQUFJOzs7NkRBQVEifQ==
\ No newline at end of file
diff --git a/packages/payload/components/views/Dashboard.d.ts b/packages/payload/components/views/Dashboard.d.ts
index 8040fec6c3b..f867c81be01 100644
--- a/packages/payload/components/views/Dashboard.d.ts
+++ b/packages/payload/components/views/Dashboard.d.ts
@@ -1,3 +1,3 @@
-export { default as Dashboard } from '../../dist/admin/components/views/Dashboard/Default'
-export type { Props } from '../../dist/admin/components/views/Dashboard/types'
-//# sourceMappingURL=Dashboard.d.ts.map
+export { default as Dashboard } from '../../dist/admin/components/views/Dashboard/Default';
+export type { Props } from '../../dist/admin/components/views/Dashboard/types';
+//# sourceMappingURL=Dashboard.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/views/Dashboard.js b/packages/payload/components/views/Dashboard.js
index 3c5106bc38b..7c6519a6fdc 100644
--- a/packages/payload/components/views/Dashboard.js
+++ b/packages/payload/components/views/Dashboard.js
@@ -1,22 +1,18 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
-Object.defineProperty(exports, 'Dashboard', {
- enumerable: true,
- get: function () {
- return _Default.default
- },
-})
-const _Default = /*#__PURE__*/ _interop_require_default(
- require('../../dist/admin/components/views/Dashboard/Default'),
-)
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
+Object.defineProperty(exports, "Dashboard", {
+ enumerable: true,
+ get: function() {
+ return _Default.default;
+ }
+});
+const _Default = /*#__PURE__*/ _interop_require_default(require("../../dist/admin/components/views/Dashboard/Default"));
function _interop_require_default(obj) {
- return obj && obj.__esModule
- ? obj
- : {
- default: obj,
- }
+ return obj && obj.__esModule ? obj : {
+ default: obj
+ };
}
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvdmlld3MvRGFzaGJvYXJkLnRzIl0sInNvdXJjZXNDb250ZW50IjpbImV4cG9ydCB7IGRlZmF1bHQgYXMgRGFzaGJvYXJkIH0gZnJvbSAnLi4vLi4vLi4vYWRtaW4vY29tcG9uZW50cy92aWV3cy9EYXNoYm9hcmQvRGVmYXVsdCdcblxuZXhwb3J0IHR5cGUgeyBQcm9wcyB9IGZyb20gJy4uLy4uLy4uL2FkbWluL2NvbXBvbmVudHMvdmlld3MvRGFzaGJvYXJkL3R5cGVzJ1xuIl0sIm5hbWVzIjpbIkRhc2hib2FyZCJdLCJtYXBwaW5ncyI6Ijs7OzsrQkFBb0JBOzs7ZUFBQUEsZ0JBQVM7OztnRUFBUSJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvdmlld3MvRGFzaGJvYXJkLnRzIl0sInNvdXJjZXNDb250ZW50IjpbImV4cG9ydCB7IGRlZmF1bHQgYXMgRGFzaGJvYXJkIH0gZnJvbSAnLi4vLi4vLi4vYWRtaW4vY29tcG9uZW50cy92aWV3cy9EYXNoYm9hcmQvRGVmYXVsdCdcblxuZXhwb3J0IHR5cGUgeyBQcm9wcyB9IGZyb20gJy4uLy4uLy4uL2FkbWluL2NvbXBvbmVudHMvdmlld3MvRGFzaGJvYXJkL3R5cGVzJ1xuIl0sIm5hbWVzIjpbIkRhc2hib2FyZCJdLCJtYXBwaW5ncyI6Ijs7OzsrQkFBb0JBOzs7ZUFBQUEsZ0JBQVM7OztnRUFBUSJ9
\ No newline at end of file
diff --git a/packages/payload/components/views/Edit.d.ts b/packages/payload/components/views/Edit.d.ts
index 7172957ae86..a87f9cb3d75 100644
--- a/packages/payload/components/views/Edit.d.ts
+++ b/packages/payload/components/views/Edit.d.ts
@@ -1,3 +1,3 @@
-export { default as Edit } from '../../dist/admin/components/views/collections/Edit/Default'
-export type { Props } from '../../dist/admin/components/views/collections/Edit/types'
-//# sourceMappingURL=Edit.d.ts.map
+export { default as Edit } from '../../dist/admin/components/views/collections/Edit/Default';
+export type { Props } from '../../dist/admin/components/views/collections/Edit/types';
+//# sourceMappingURL=Edit.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/views/Edit.js b/packages/payload/components/views/Edit.js
index 08fa48d7a83..2725b53ae4a 100644
--- a/packages/payload/components/views/Edit.js
+++ b/packages/payload/components/views/Edit.js
@@ -1,22 +1,18 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
-Object.defineProperty(exports, 'Edit', {
- enumerable: true,
- get: function () {
- return _Default.default
- },
-})
-const _Default = /*#__PURE__*/ _interop_require_default(
- require('../../dist/admin/components/views/collections/Edit/Default'),
-)
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
+Object.defineProperty(exports, "Edit", {
+ enumerable: true,
+ get: function() {
+ return _Default.default;
+ }
+});
+const _Default = /*#__PURE__*/ _interop_require_default(require("../../dist/admin/components/views/collections/Edit/Default"));
function _interop_require_default(obj) {
- return obj && obj.__esModule
- ? obj
- : {
- default: obj,
- }
+ return obj && obj.__esModule ? obj : {
+ default: obj
+ };
}
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvdmlld3MvRWRpdC50cyJdLCJzb3VyY2VzQ29udGVudCI6WyJleHBvcnQgeyBkZWZhdWx0IGFzIEVkaXQgfSBmcm9tICcuLi8uLi8uLi9hZG1pbi9jb21wb25lbnRzL3ZpZXdzL2NvbGxlY3Rpb25zL0VkaXQvRGVmYXVsdCdcbmV4cG9ydCB0eXBlIHsgUHJvcHMgfSBmcm9tICcuLi8uLi8uLi9hZG1pbi9jb21wb25lbnRzL3ZpZXdzL2NvbGxlY3Rpb25zL0VkaXQvdHlwZXMnXG4iXSwibmFtZXMiOlsiRWRpdCJdLCJtYXBwaW5ncyI6Ijs7OzsrQkFBb0JBOzs7ZUFBQUEsZ0JBQUk7OztnRUFBUSJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvdmlld3MvRWRpdC50cyJdLCJzb3VyY2VzQ29udGVudCI6WyJleHBvcnQgeyBkZWZhdWx0IGFzIEVkaXQgfSBmcm9tICcuLi8uLi8uLi9hZG1pbi9jb21wb25lbnRzL3ZpZXdzL2NvbGxlY3Rpb25zL0VkaXQvRGVmYXVsdCdcbmV4cG9ydCB0eXBlIHsgUHJvcHMgfSBmcm9tICcuLi8uLi8uLi9hZG1pbi9jb21wb25lbnRzL3ZpZXdzL2NvbGxlY3Rpb25zL0VkaXQvdHlwZXMnXG4iXSwibmFtZXMiOlsiRWRpdCJdLCJtYXBwaW5ncyI6Ijs7OzsrQkFBb0JBOzs7ZUFBQUEsZ0JBQUk7OztnRUFBUSJ9
\ No newline at end of file
diff --git a/packages/payload/components/views/List.d.ts b/packages/payload/components/views/List.d.ts
index cec1b32c4d9..778c83790c1 100644
--- a/packages/payload/components/views/List.d.ts
+++ b/packages/payload/components/views/List.d.ts
@@ -1,3 +1,3 @@
-export { default as List } from '../../dist/admin/components/views/collections/List/Default'
-export type { Props } from '../../dist/admin/components/views/collections/List/types'
-//# sourceMappingURL=List.d.ts.map
+export { default as List } from '../../dist/admin/components/views/collections/List/Default';
+export type { Props } from '../../dist/admin/components/views/collections/List/types';
+//# sourceMappingURL=List.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/components/views/List.js b/packages/payload/components/views/List.js
index 61ba77e8c96..39e0bfc3858 100644
--- a/packages/payload/components/views/List.js
+++ b/packages/payload/components/views/List.js
@@ -1,22 +1,18 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
-Object.defineProperty(exports, 'List', {
- enumerable: true,
- get: function () {
- return _Default.default
- },
-})
-const _Default = /*#__PURE__*/ _interop_require_default(
- require('../../dist/admin/components/views/collections/List/Default'),
-)
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
+Object.defineProperty(exports, "List", {
+ enumerable: true,
+ get: function() {
+ return _Default.default;
+ }
+});
+const _Default = /*#__PURE__*/ _interop_require_default(require("../../dist/admin/components/views/collections/List/Default"));
function _interop_require_default(obj) {
- return obj && obj.__esModule
- ? obj
- : {
- default: obj,
- }
+ return obj && obj.__esModule ? obj : {
+ default: obj
+ };
}
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvdmlld3MvTGlzdC50cyJdLCJzb3VyY2VzQ29udGVudCI6WyJleHBvcnQgeyBkZWZhdWx0IGFzIExpc3QgfSBmcm9tICcuLi8uLi8uLi9hZG1pbi9jb21wb25lbnRzL3ZpZXdzL2NvbGxlY3Rpb25zL0xpc3QvRGVmYXVsdCdcbmV4cG9ydCB0eXBlIHsgUHJvcHMgfSBmcm9tICcuLi8uLi8uLi9hZG1pbi9jb21wb25lbnRzL3ZpZXdzL2NvbGxlY3Rpb25zL0xpc3QvdHlwZXMnXG4iXSwibmFtZXMiOlsiTGlzdCJdLCJtYXBwaW5ncyI6Ijs7OzsrQkFBb0JBOzs7ZUFBQUEsZ0JBQUk7OztnRUFBUSJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uLy4uL3NyYy9leHBvcnRzL2NvbXBvbmVudHMvdmlld3MvTGlzdC50cyJdLCJzb3VyY2VzQ29udGVudCI6WyJleHBvcnQgeyBkZWZhdWx0IGFzIExpc3QgfSBmcm9tICcuLi8uLi8uLi9hZG1pbi9jb21wb25lbnRzL3ZpZXdzL2NvbGxlY3Rpb25zL0xpc3QvRGVmYXVsdCdcbmV4cG9ydCB0eXBlIHsgUHJvcHMgfSBmcm9tICcuLi8uLi8uLi9hZG1pbi9jb21wb25lbnRzL3ZpZXdzL2NvbGxlY3Rpb25zL0xpc3QvdHlwZXMnXG4iXSwibmFtZXMiOlsiTGlzdCJdLCJtYXBwaW5ncyI6Ijs7OzsrQkFBb0JBOzs7ZUFBQUEsZ0JBQUk7OztnRUFBUSJ9
\ No newline at end of file
diff --git a/packages/payload/config.d.ts b/packages/payload/config.d.ts
index 41576c43d78..00296950bc0 100644
--- a/packages/payload/config.d.ts
+++ b/packages/payload/config.d.ts
@@ -1,6 +1,6 @@
-export { buildConfig } from './dist/config/build'
-export * from './dist/config/types'
-export { type FieldTypes, fieldTypes } from './dist/admin/components/forms/field-types'
-export { defaults } from './dist/config/defaults'
-export { sanitizeConfig } from './dist/config/sanitize'
-//# sourceMappingURL=config.d.ts.map
+export { buildConfig } from './dist/config/build';
+export * from './dist/config/types';
+export { type FieldTypes, fieldTypes } from './dist/admin/components/forms/field-types';
+export { defaults } from './dist/config/defaults';
+export { sanitizeConfig } from './dist/config/sanitize';
+//# sourceMappingURL=config.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/config.js b/packages/payload/config.js
index b6dda8d936b..d43fec7e2f0 100644
--- a/packages/payload/config.js
+++ b/packages/payload/config.js
@@ -1,45 +1,44 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
function _export(target, all) {
- for (var name in all)
- Object.defineProperty(target, name, {
- enumerable: true,
- get: all[name],
- })
+ for(var name in all)Object.defineProperty(target, name, {
+ enumerable: true,
+ get: all[name]
+ });
}
_export(exports, {
- buildConfig: function () {
- return _build.buildConfig
- },
- defaults: function () {
- return _defaults.defaults
- },
- fieldTypes: function () {
- return _fieldtypes.fieldTypes
- },
- sanitizeConfig: function () {
- return _sanitize.sanitizeConfig
- },
-})
-const _build = require('./dist/config/build')
-_export_star(require('./dist/config/types'), exports)
-const _fieldtypes = require('./dist/admin/components/forms/field-types')
-const _defaults = require('./dist/config/defaults')
-const _sanitize = require('./dist/config/sanitize')
-function _export_star(from, to) {
- Object.keys(from).forEach(function (k) {
- if (k !== 'default' && !Object.prototype.hasOwnProperty.call(to, k)) {
- Object.defineProperty(to, k, {
- enumerable: true,
- get: function () {
- return from[k]
- },
- })
+ buildConfig: function() {
+ return _build.buildConfig;
+ },
+ fieldTypes: function() {
+ return _fieldtypes.fieldTypes;
+ },
+ defaults: function() {
+ return _defaults.defaults;
+ },
+ sanitizeConfig: function() {
+ return _sanitize.sanitizeConfig;
}
- })
- return from
+});
+const _build = require("./dist/config/build");
+_export_star(require("./dist/config/types"), exports);
+const _fieldtypes = require("./dist/admin/components/forms/field-types");
+const _defaults = require("./dist/config/defaults");
+const _sanitize = require("./dist/config/sanitize");
+function _export_star(from, to) {
+ Object.keys(from).forEach(function(k) {
+ if (k !== "default" && !Object.prototype.hasOwnProperty.call(to, k)) {
+ Object.defineProperty(to, k, {
+ enumerable: true,
+ get: function() {
+ return from[k];
+ }
+ });
+ }
+ });
+ return from;
}
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uL3NyYy9leHBvcnRzL2NvbmZpZy50cyJdLCJzb3VyY2VzQ29udGVudCI6WyJleHBvcnQgeyBidWlsZENvbmZpZyB9IGZyb20gJy4uL2NvbmZpZy9idWlsZCdcbmV4cG9ydCAqIGZyb20gJy4uL2NvbmZpZy90eXBlcydcblxuZXhwb3J0IHsgdHlwZSBGaWVsZFR5cGVzLCBmaWVsZFR5cGVzIH0gZnJvbSAnLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy9maWVsZC10eXBlcydcblxuZXhwb3J0IHsgZGVmYXVsdHMgfSBmcm9tICcuLi9jb25maWcvZGVmYXVsdHMnXG5leHBvcnQgeyBzYW5pdGl6ZUNvbmZpZyB9IGZyb20gJy4uL2NvbmZpZy9zYW5pdGl6ZSdcbiJdLCJuYW1lcyI6WyJidWlsZENvbmZpZyIsImZpZWxkVHlwZXMiLCJkZWZhdWx0cyIsInNhbml0aXplQ29uZmlnIl0sIm1hcHBpbmdzIjoiOzs7Ozs7Ozs7OztJQUFTQSxXQUFXO2VBQVhBLGtCQUFXOztJQUdNQyxVQUFVO2VBQVZBLHNCQUFVOztJQUUzQkMsUUFBUTtlQUFSQSxrQkFBUTs7SUFDUkMsY0FBYztlQUFkQSx3QkFBYzs7O3VCQU5LO3FCQUNkOzRCQUU4QjswQkFFbkI7MEJBQ00ifQ==
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uL3NyYy9leHBvcnRzL2NvbmZpZy50cyJdLCJzb3VyY2VzQ29udGVudCI6WyJleHBvcnQgeyBidWlsZENvbmZpZyB9IGZyb20gJy4uL2NvbmZpZy9idWlsZCdcbmV4cG9ydCAqIGZyb20gJy4uL2NvbmZpZy90eXBlcydcblxuZXhwb3J0IHsgdHlwZSBGaWVsZFR5cGVzLCBmaWVsZFR5cGVzIH0gZnJvbSAnLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy9maWVsZC10eXBlcydcblxuZXhwb3J0IHsgZGVmYXVsdHMgfSBmcm9tICcuLi9jb25maWcvZGVmYXVsdHMnXG5leHBvcnQgeyBzYW5pdGl6ZUNvbmZpZyB9IGZyb20gJy4uL2NvbmZpZy9zYW5pdGl6ZSdcbiJdLCJuYW1lcyI6WyJidWlsZENvbmZpZyIsImZpZWxkVHlwZXMiLCJkZWZhdWx0cyIsInNhbml0aXplQ29uZmlnIl0sIm1hcHBpbmdzIjoiOzs7Ozs7Ozs7OztJQUFTQSxXQUFXO2VBQVhBLGtCQUFXOztJQUdNQyxVQUFVO2VBQVZBLHNCQUFVOztJQUUzQkMsUUFBUTtlQUFSQSxrQkFBUTs7SUFDUkMsY0FBYztlQUFkQSx3QkFBYzs7O3VCQU5LO3FCQUNkOzRCQUU4QjswQkFFbkI7MEJBQ00ifQ==
\ No newline at end of file
diff --git a/packages/payload/database.d.ts b/packages/payload/database.d.ts
index 7e2ceb5b652..5a9c98c987a 100644
--- a/packages/payload/database.d.ts
+++ b/packages/payload/database.d.ts
@@ -1,65 +1,21 @@
-export {
- BeginTransaction,
- CommitTransaction,
- Connect,
- Create,
- CreateArgs,
- CreateGlobal,
- CreateGlobalArgs,
- CreateMigration,
- CreateVersion,
- CreateVersionArgs,
- DatabaseAdapter,
- DeleteMany,
- DeleteManyArgs,
- DeleteOne,
- DeleteOneArgs,
- DeleteVersions,
- DeleteVersionsArgs,
- Destroy,
- Find,
- FindArgs,
- FindGlobal,
- FindGlobalArgs,
- FindGlobalVersions,
- FindGlobalVersionsArgs,
- FindOne,
- FindOneArgs,
- FindVersions,
- FindVersionsArgs,
- Init,
- Migration,
- MigrationData,
- PaginatedDocs,
- QueryDrafts,
- QueryDraftsArgs,
- RollbackTransaction,
- Transaction,
- UpdateGlobal,
- UpdateGlobalArgs,
- UpdateOne,
- UpdateOneArgs,
- UpdateVersion,
- UpdateVersionArgs,
- Webpack,
-} from './dist/database/types'
-export * from './dist/database/queryValidation/types'
-export { combineQueries } from './dist/database/combineQueries'
-export { createDatabaseAdapter } from './dist/database/createDatabaseAdapter'
-export { default as flattenWhereToOperators } from './dist/database/flattenWhereToOperators'
-export { getLocalizedPaths } from './dist/database/getLocalizedPaths'
-export { createMigration } from './dist/database/migrations/createMigration'
-export { getMigrations } from './dist/database/migrations/getMigrations'
-export { migrate } from './dist/database/migrations/migrate'
-export { migrateDown } from './dist/database/migrations/migrateDown'
-export { migrateRefresh } from './dist/database/migrations/migrateRefresh'
-export { migrateReset } from './dist/database/migrations/migrateReset'
-export { migrateStatus } from './dist/database/migrations/migrateStatus'
-export { migrationTemplate } from './dist/database/migrations/migrationTemplate'
-export { migrationsCollection } from './dist/database/migrations/migrationsCollection'
-export { readMigrationFiles } from './dist/database/migrations/readMigrationFiles'
-export { EntityPolicies, PathToQuery } from './dist/database/queryValidation/types'
-export { validateQueryPaths } from './dist/database/queryValidation/validateQueryPaths'
-export { validateSearchParam } from './dist/database/queryValidation/validateSearchParams'
-export { transaction } from './dist/database/transaction'
-//# sourceMappingURL=database.d.ts.map
+export { BeginTransaction, CommitTransaction, Connect, Create, CreateArgs, CreateGlobal, CreateGlobalArgs, CreateMigration, CreateVersion, CreateVersionArgs, DatabaseAdapter, DeleteMany, DeleteManyArgs, DeleteOne, DeleteOneArgs, DeleteVersions, DeleteVersionsArgs, Destroy, Find, FindArgs, FindGlobal, FindGlobalArgs, FindGlobalVersions, FindGlobalVersionsArgs, FindOne, FindOneArgs, FindVersions, FindVersionsArgs, Init, Migration, MigrationData, PaginatedDocs, QueryDrafts, QueryDraftsArgs, RollbackTransaction, Transaction, UpdateGlobal, UpdateGlobalArgs, UpdateOne, UpdateOneArgs, UpdateVersion, UpdateVersionArgs, Webpack, } from './dist/database/types';
+export * from './dist/database/queryValidation/types';
+export { combineQueries } from './dist/database/combineQueries';
+export { createDatabaseAdapter } from './dist/database/createDatabaseAdapter';
+export { default as flattenWhereToOperators } from './dist/database/flattenWhereToOperators';
+export { getLocalizedPaths } from './dist/database/getLocalizedPaths';
+export { createMigration } from './dist/database/migrations/createMigration';
+export { getMigrations } from './dist/database/migrations/getMigrations';
+export { migrate } from './dist/database/migrations/migrate';
+export { migrateDown } from './dist/database/migrations/migrateDown';
+export { migrateRefresh } from './dist/database/migrations/migrateRefresh';
+export { migrateReset } from './dist/database/migrations/migrateReset';
+export { migrateStatus } from './dist/database/migrations/migrateStatus';
+export { migrationTemplate } from './dist/database/migrations/migrationTemplate';
+export { migrationsCollection } from './dist/database/migrations/migrationsCollection';
+export { readMigrationFiles } from './dist/database/migrations/readMigrationFiles';
+export { EntityPolicies, PathToQuery } from './dist/database/queryValidation/types';
+export { validateQueryPaths } from './dist/database/queryValidation/validateQueryPaths';
+export { validateSearchParam } from './dist/database/queryValidation/validateSearchParams';
+export { transaction } from './dist/database/transaction';
+//# sourceMappingURL=database.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/database.js b/packages/payload/database.js
index 9522f8562b7..9df43933734 100644
--- a/packages/payload/database.js
+++ b/packages/payload/database.js
@@ -1,242 +1,237 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
function _export(target, all) {
- for (var name in all)
- Object.defineProperty(target, name, {
- enumerable: true,
- get: all[name],
- })
+ for(var name in all)Object.defineProperty(target, name, {
+ enumerable: true,
+ get: all[name]
+ });
}
_export(exports, {
- BeginTransaction: function () {
- return _types.BeginTransaction
- },
- CommitTransaction: function () {
- return _types.CommitTransaction
- },
- Connect: function () {
- return _types.Connect
- },
- Create: function () {
- return _types.Create
- },
- CreateArgs: function () {
- return _types.CreateArgs
- },
- CreateGlobal: function () {
- return _types.CreateGlobal
- },
- CreateGlobalArgs: function () {
- return _types.CreateGlobalArgs
- },
- CreateMigration: function () {
- return _types.CreateMigration
- },
- CreateVersion: function () {
- return _types.CreateVersion
- },
- CreateVersionArgs: function () {
- return _types.CreateVersionArgs
- },
- DatabaseAdapter: function () {
- return _types.DatabaseAdapter
- },
- DeleteMany: function () {
- return _types.DeleteMany
- },
- DeleteManyArgs: function () {
- return _types.DeleteManyArgs
- },
- DeleteOne: function () {
- return _types.DeleteOne
- },
- DeleteOneArgs: function () {
- return _types.DeleteOneArgs
- },
- DeleteVersions: function () {
- return _types.DeleteVersions
- },
- DeleteVersionsArgs: function () {
- return _types.DeleteVersionsArgs
- },
- Destroy: function () {
- return _types.Destroy
- },
- EntityPolicies: function () {
- return _types1.EntityPolicies
- },
- Find: function () {
- return _types.Find
- },
- FindArgs: function () {
- return _types.FindArgs
- },
- FindGlobal: function () {
- return _types.FindGlobal
- },
- FindGlobalArgs: function () {
- return _types.FindGlobalArgs
- },
- FindGlobalVersions: function () {
- return _types.FindGlobalVersions
- },
- FindGlobalVersionsArgs: function () {
- return _types.FindGlobalVersionsArgs
- },
- FindOne: function () {
- return _types.FindOne
- },
- FindOneArgs: function () {
- return _types.FindOneArgs
- },
- FindVersions: function () {
- return _types.FindVersions
- },
- FindVersionsArgs: function () {
- return _types.FindVersionsArgs
- },
- Init: function () {
- return _types.Init
- },
- Migration: function () {
- return _types.Migration
- },
- MigrationData: function () {
- return _types.MigrationData
- },
- PaginatedDocs: function () {
- return _types.PaginatedDocs
- },
- PathToQuery: function () {
- return _types1.PathToQuery
- },
- QueryDrafts: function () {
- return _types.QueryDrafts
- },
- QueryDraftsArgs: function () {
- return _types.QueryDraftsArgs
- },
- RollbackTransaction: function () {
- return _types.RollbackTransaction
- },
- Transaction: function () {
- return _types.Transaction
- },
- UpdateGlobal: function () {
- return _types.UpdateGlobal
- },
- UpdateGlobalArgs: function () {
- return _types.UpdateGlobalArgs
- },
- UpdateOne: function () {
- return _types.UpdateOne
- },
- UpdateOneArgs: function () {
- return _types.UpdateOneArgs
- },
- UpdateVersion: function () {
- return _types.UpdateVersion
- },
- UpdateVersionArgs: function () {
- return _types.UpdateVersionArgs
- },
- Webpack: function () {
- return _types.Webpack
- },
- combineQueries: function () {
- return _combineQueries.combineQueries
- },
- createDatabaseAdapter: function () {
- return _createDatabaseAdapter.createDatabaseAdapter
- },
- createMigration: function () {
- return _createMigration.createMigration
- },
- flattenWhereToOperators: function () {
- return _flattenWhereToOperators.default
- },
- getLocalizedPaths: function () {
- return _getLocalizedPaths.getLocalizedPaths
- },
- getMigrations: function () {
- return _getMigrations.getMigrations
- },
- migrate: function () {
- return _migrate.migrate
- },
- migrateDown: function () {
- return _migrateDown.migrateDown
- },
- migrateRefresh: function () {
- return _migrateRefresh.migrateRefresh
- },
- migrateReset: function () {
- return _migrateReset.migrateReset
- },
- migrateStatus: function () {
- return _migrateStatus.migrateStatus
- },
- migrationTemplate: function () {
- return _migrationTemplate.migrationTemplate
- },
- migrationsCollection: function () {
- return _migrationsCollection.migrationsCollection
- },
- readMigrationFiles: function () {
- return _readMigrationFiles.readMigrationFiles
- },
- transaction: function () {
- return _transaction.transaction
- },
- validateQueryPaths: function () {
- return _validateQueryPaths.validateQueryPaths
- },
- validateSearchParam: function () {
- return _validateSearchParams.validateSearchParam
- },
-})
-const _types = require('./dist/database/types')
-const _types1 = _export_star(require('./dist/database/queryValidation/types'), exports)
-const _combineQueries = require('./dist/database/combineQueries')
-const _createDatabaseAdapter = require('./dist/database/createDatabaseAdapter')
-const _flattenWhereToOperators = /*#__PURE__*/ _interop_require_default(
- require('./dist/database/flattenWhereToOperators'),
-)
-const _getLocalizedPaths = require('./dist/database/getLocalizedPaths')
-const _createMigration = require('./dist/database/migrations/createMigration')
-const _getMigrations = require('./dist/database/migrations/getMigrations')
-const _migrate = require('./dist/database/migrations/migrate')
-const _migrateDown = require('./dist/database/migrations/migrateDown')
-const _migrateRefresh = require('./dist/database/migrations/migrateRefresh')
-const _migrateReset = require('./dist/database/migrations/migrateReset')
-const _migrateStatus = require('./dist/database/migrations/migrateStatus')
-const _migrationTemplate = require('./dist/database/migrations/migrationTemplate')
-const _migrationsCollection = require('./dist/database/migrations/migrationsCollection')
-const _readMigrationFiles = require('./dist/database/migrations/readMigrationFiles')
-const _validateQueryPaths = require('./dist/database/queryValidation/validateQueryPaths')
-const _validateSearchParams = require('./dist/database/queryValidation/validateSearchParams')
-const _transaction = require('./dist/database/transaction')
-function _export_star(from, to) {
- Object.keys(from).forEach(function (k) {
- if (k !== 'default' && !Object.prototype.hasOwnProperty.call(to, k)) {
- Object.defineProperty(to, k, {
- enumerable: true,
- get: function () {
- return from[k]
- },
- })
+ BeginTransaction: function() {
+ return _types.BeginTransaction;
+ },
+ CommitTransaction: function() {
+ return _types.CommitTransaction;
+ },
+ Connect: function() {
+ return _types.Connect;
+ },
+ Create: function() {
+ return _types.Create;
+ },
+ CreateArgs: function() {
+ return _types.CreateArgs;
+ },
+ CreateGlobal: function() {
+ return _types.CreateGlobal;
+ },
+ CreateGlobalArgs: function() {
+ return _types.CreateGlobalArgs;
+ },
+ CreateMigration: function() {
+ return _types.CreateMigration;
+ },
+ CreateVersion: function() {
+ return _types.CreateVersion;
+ },
+ CreateVersionArgs: function() {
+ return _types.CreateVersionArgs;
+ },
+ DatabaseAdapter: function() {
+ return _types.DatabaseAdapter;
+ },
+ DeleteMany: function() {
+ return _types.DeleteMany;
+ },
+ DeleteManyArgs: function() {
+ return _types.DeleteManyArgs;
+ },
+ DeleteOne: function() {
+ return _types.DeleteOne;
+ },
+ DeleteOneArgs: function() {
+ return _types.DeleteOneArgs;
+ },
+ DeleteVersions: function() {
+ return _types.DeleteVersions;
+ },
+ DeleteVersionsArgs: function() {
+ return _types.DeleteVersionsArgs;
+ },
+ Destroy: function() {
+ return _types.Destroy;
+ },
+ Find: function() {
+ return _types.Find;
+ },
+ FindArgs: function() {
+ return _types.FindArgs;
+ },
+ FindGlobal: function() {
+ return _types.FindGlobal;
+ },
+ FindGlobalArgs: function() {
+ return _types.FindGlobalArgs;
+ },
+ FindGlobalVersions: function() {
+ return _types.FindGlobalVersions;
+ },
+ FindGlobalVersionsArgs: function() {
+ return _types.FindGlobalVersionsArgs;
+ },
+ FindOne: function() {
+ return _types.FindOne;
+ },
+ FindOneArgs: function() {
+ return _types.FindOneArgs;
+ },
+ FindVersions: function() {
+ return _types.FindVersions;
+ },
+ FindVersionsArgs: function() {
+ return _types.FindVersionsArgs;
+ },
+ Init: function() {
+ return _types.Init;
+ },
+ Migration: function() {
+ return _types.Migration;
+ },
+ MigrationData: function() {
+ return _types.MigrationData;
+ },
+ PaginatedDocs: function() {
+ return _types.PaginatedDocs;
+ },
+ QueryDrafts: function() {
+ return _types.QueryDrafts;
+ },
+ QueryDraftsArgs: function() {
+ return _types.QueryDraftsArgs;
+ },
+ RollbackTransaction: function() {
+ return _types.RollbackTransaction;
+ },
+ Transaction: function() {
+ return _types.Transaction;
+ },
+ UpdateGlobal: function() {
+ return _types.UpdateGlobal;
+ },
+ UpdateGlobalArgs: function() {
+ return _types.UpdateGlobalArgs;
+ },
+ UpdateOne: function() {
+ return _types.UpdateOne;
+ },
+ UpdateOneArgs: function() {
+ return _types.UpdateOneArgs;
+ },
+ UpdateVersion: function() {
+ return _types.UpdateVersion;
+ },
+ UpdateVersionArgs: function() {
+ return _types.UpdateVersionArgs;
+ },
+ Webpack: function() {
+ return _types.Webpack;
+ },
+ combineQueries: function() {
+ return _combineQueries.combineQueries;
+ },
+ createDatabaseAdapter: function() {
+ return _createDatabaseAdapter.createDatabaseAdapter;
+ },
+ flattenWhereToOperators: function() {
+ return _flattenWhereToOperators.default;
+ },
+ getLocalizedPaths: function() {
+ return _getLocalizedPaths.getLocalizedPaths;
+ },
+ createMigration: function() {
+ return _createMigration.createMigration;
+ },
+ getMigrations: function() {
+ return _getMigrations.getMigrations;
+ },
+ migrate: function() {
+ return _migrate.migrate;
+ },
+ migrateDown: function() {
+ return _migrateDown.migrateDown;
+ },
+ migrateRefresh: function() {
+ return _migrateRefresh.migrateRefresh;
+ },
+ migrateReset: function() {
+ return _migrateReset.migrateReset;
+ },
+ migrateStatus: function() {
+ return _migrateStatus.migrateStatus;
+ },
+ migrationTemplate: function() {
+ return _migrationTemplate.migrationTemplate;
+ },
+ migrationsCollection: function() {
+ return _migrationsCollection.migrationsCollection;
+ },
+ readMigrationFiles: function() {
+ return _readMigrationFiles.readMigrationFiles;
+ },
+ EntityPolicies: function() {
+ return _types1.EntityPolicies;
+ },
+ PathToQuery: function() {
+ return _types1.PathToQuery;
+ },
+ validateQueryPaths: function() {
+ return _validateQueryPaths.validateQueryPaths;
+ },
+ validateSearchParam: function() {
+ return _validateSearchParams.validateSearchParam;
+ },
+ transaction: function() {
+ return _transaction.transaction;
}
- })
- return from
+});
+const _types = require("./dist/database/types");
+const _types1 = _export_star(require("./dist/database/queryValidation/types"), exports);
+const _combineQueries = require("./dist/database/combineQueries");
+const _createDatabaseAdapter = require("./dist/database/createDatabaseAdapter");
+const _flattenWhereToOperators = /*#__PURE__*/ _interop_require_default(require("./dist/database/flattenWhereToOperators"));
+const _getLocalizedPaths = require("./dist/database/getLocalizedPaths");
+const _createMigration = require("./dist/database/migrations/createMigration");
+const _getMigrations = require("./dist/database/migrations/getMigrations");
+const _migrate = require("./dist/database/migrations/migrate");
+const _migrateDown = require("./dist/database/migrations/migrateDown");
+const _migrateRefresh = require("./dist/database/migrations/migrateRefresh");
+const _migrateReset = require("./dist/database/migrations/migrateReset");
+const _migrateStatus = require("./dist/database/migrations/migrateStatus");
+const _migrationTemplate = require("./dist/database/migrations/migrationTemplate");
+const _migrationsCollection = require("./dist/database/migrations/migrationsCollection");
+const _readMigrationFiles = require("./dist/database/migrations/readMigrationFiles");
+const _validateQueryPaths = require("./dist/database/queryValidation/validateQueryPaths");
+const _validateSearchParams = require("./dist/database/queryValidation/validateSearchParams");
+const _transaction = require("./dist/database/transaction");
+function _export_star(from, to) {
+ Object.keys(from).forEach(function(k) {
+ if (k !== "default" && !Object.prototype.hasOwnProperty.call(to, k)) {
+ Object.defineProperty(to, k, {
+ enumerable: true,
+ get: function() {
+ return from[k];
+ }
+ });
+ }
+ });
+ return from;
}
function _interop_require_default(obj) {
- return obj && obj.__esModule
- ? obj
- : {
- default: obj,
- }
+ return obj && obj.__esModule ? obj : {
+ default: obj
+ };
}
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uL3NyYy9leHBvcnRzL2RhdGFiYXNlLnRzIl0sInNvdXJjZXNDb250ZW50IjpbImV4cG9ydCB7XG4gIEJlZ2luVHJhbnNhY3Rpb24sXG4gIENvbW1pdFRyYW5zYWN0aW9uLFxuICBDb25uZWN0LFxuICBDcmVhdGUsXG4gIENyZWF0ZUFyZ3MsXG4gIENyZWF0ZUdsb2JhbCxcbiAgQ3JlYXRlR2xvYmFsQXJncyxcbiAgQ3JlYXRlTWlncmF0aW9uLFxuICBDcmVhdGVWZXJzaW9uLFxuICBDcmVhdGVWZXJzaW9uQXJncyxcbiAgRGF0YWJhc2VBZGFwdGVyLFxuICBEZWxldGVNYW55LFxuICBEZWxldGVNYW55QXJncyxcbiAgRGVsZXRlT25lLFxuICBEZWxldGVPbmVBcmdzLFxuICBEZWxldGVWZXJzaW9ucyxcbiAgRGVsZXRlVmVyc2lvbnNBcmdzLFxuICBEZXN0cm95LFxuICBGaW5kLFxuICBGaW5kQXJncyxcbiAgRmluZEdsb2JhbCxcbiAgRmluZEdsb2JhbEFyZ3MsXG4gIEZpbmRHbG9iYWxWZXJzaW9ucyxcbiAgRmluZEdsb2JhbFZlcnNpb25zQXJncyxcbiAgRmluZE9uZSxcbiAgRmluZE9uZUFyZ3MsXG4gIEZpbmRWZXJzaW9ucyxcbiAgRmluZFZlcnNpb25zQXJncyxcbiAgSW5pdCxcbiAgTWlncmF0aW9uLFxuICBNaWdyYXRpb25EYXRhLFxuICBQYWdpbmF0ZWREb2NzLFxuICBRdWVyeURyYWZ0cyxcbiAgUXVlcnlEcmFmdHNBcmdzLFxuICBSb2xsYmFja1RyYW5zYWN0aW9uLFxuICBUcmFuc2FjdGlvbixcbiAgVXBkYXRlR2xvYmFsLFxuICBVcGRhdGVHbG9iYWxBcmdzLFxuICBVcGRhdGVPbmUsXG4gIFVwZGF0ZU9uZUFyZ3MsXG4gIFVwZGF0ZVZlcnNpb24sXG4gIFVwZGF0ZVZlcnNpb25BcmdzLFxuICBXZWJwYWNrLFxufSBmcm9tICcuLi9kYXRhYmFzZS90eXBlcydcblxuZXhwb3J0ICogZnJvbSAnLi4vZGF0YWJhc2UvcXVlcnlWYWxpZGF0aW9uL3R5cGVzJ1xuXG5leHBvcnQgeyBjb21iaW5lUXVlcmllcyB9IGZyb20gJy4uL2RhdGFiYXNlL2NvbWJpbmVRdWVyaWVzJ1xuXG5leHBvcnQgeyBjcmVhdGVEYXRhYmFzZUFkYXB0ZXIgfSBmcm9tICcuLi9kYXRhYmFzZS9jcmVhdGVEYXRhYmFzZUFkYXB0ZXInXG5cbmV4cG9ydCB7IGRlZmF1bHQgYXMgZmxhdHRlbldoZXJlVG9PcGVyYXRvcnMgfSBmcm9tICcuLi9kYXRhYmFzZS9mbGF0dGVuV2hlcmVUb09wZXJhdG9ycydcblxuZXhwb3J0IHsgZ2V0TG9jYWxpemVkUGF0aHMgfSBmcm9tICcuLi9kYXRhYmFzZS9nZXRMb2NhbGl6ZWRQYXRocydcblxuZXhwb3J0IHsgY3JlYXRlTWlncmF0aW9uIH0gZnJvbSAnLi4vZGF0YWJhc2UvbWlncmF0aW9ucy9jcmVhdGVNaWdyYXRpb24nXG5cbmV4cG9ydCB7IGdldE1pZ3JhdGlvbnMgfSBmcm9tICcuLi9kYXRhYmFzZS9taWdyYXRpb25zL2dldE1pZ3JhdGlvbnMnXG5cbmV4cG9ydCB7IG1pZ3JhdGUgfSBmcm9tICcuLi9kYXRhYmFzZS9taWdyYXRpb25zL21pZ3JhdGUnXG5cbmV4cG9ydCB7IG1pZ3JhdGVEb3duIH0gZnJvbSAnLi4vZGF0YWJhc2UvbWlncmF0aW9ucy9taWdyYXRlRG93bidcblxuZXhwb3J0IHsgbWlncmF0ZVJlZnJlc2ggfSBmcm9tICcuLi9kYXRhYmFzZS9taWdyYXRpb25zL21pZ3JhdGVSZWZyZXNoJ1xuXG5leHBvcnQgeyBtaWdyYXRlUmVzZXQgfSBmcm9tICcuLi9kYXRhYmFzZS9taWdyYXRpb25zL21pZ3JhdGVSZXNldCdcblxuZXhwb3J0IHsgbWlncmF0ZVN0YXR1cyB9IGZyb20gJy4uL2RhdGFiYXNlL21pZ3JhdGlvbnMvbWlncmF0ZVN0YXR1cydcblxuZXhwb3J0IHsgbWlncmF0aW9uVGVtcGxhdGUgfSBmcm9tICcuLi9kYXRhYmFzZS9taWdyYXRpb25zL21pZ3JhdGlvblRlbXBsYXRlJ1xuXG5leHBvcnQgeyBtaWdyYXRpb25zQ29sbGVjdGlvbiB9IGZyb20gJy4uL2RhdGFiYXNlL21pZ3JhdGlvbnMvbWlncmF0aW9uc0NvbGxlY3Rpb24nXG5cbmV4cG9ydCB7IHJlYWRNaWdyYXRpb25GaWxlcyB9IGZyb20gJy4uL2RhdGFiYXNlL21pZ3JhdGlvbnMvcmVhZE1pZ3JhdGlvbkZpbGVzJ1xuXG5leHBvcnQgeyBFbnRpdHlQb2xpY2llcywgUGF0aFRvUXVlcnkgfSBmcm9tICcuLi9kYXRhYmFzZS9xdWVyeVZhbGlkYXRpb24vdHlwZXMnXG5cbmV4cG9ydCB7IHZhbGlkYXRlUXVlcnlQYXRocyB9IGZyb20gJy4uL2RhdGFiYXNlL3F1ZXJ5VmFsaWRhdGlvbi92YWxpZGF0ZVF1ZXJ5UGF0aHMnXG5cbmV4cG9ydCB7IHZhbGlkYXRlU2VhcmNoUGFyYW0gfSBmcm9tICcuLi9kYXRhYmFzZS9xdWVyeVZhbGlkYXRpb24vdmFsaWRhdGVTZWFyY2hQYXJhbXMnXG5cbmV4cG9ydCB7IHRyYW5zYWN0aW9uIH0gZnJvbSAnLi4vZGF0YWJhc2UvdHJhbnNhY3Rpb24nXG4iXSwibmFtZXMiOlsiQmVnaW5UcmFuc2FjdGlvbiIsIkNvbW1pdFRyYW5zYWN0aW9uIiwiQ29ubmVjdCIsIkNyZWF0ZSIsIkNyZWF0ZUFyZ3MiLCJDcmVhdGVHbG9iYWwiLCJDcmVhdGVHbG9iYWxBcmdzIiwiQ3JlYXRlTWlncmF0aW9uIiwiQ3JlYXRlVmVyc2lvbiIsIkNyZWF0ZVZlcnNpb25BcmdzIiwiRGF0YWJhc2VBZGFwdGVyIiwiRGVsZXRlTWFueSIsIkRlbGV0ZU1hbnlBcmdzIiwiRGVsZXRlT25lIiwiRGVsZXRlT25lQXJncyIsIkRlbGV0ZVZlcnNpb25zIiwiRGVsZXRlVmVyc2lvbnNBcmdzIiwiRGVzdHJveSIsIkZpbmQiLCJGaW5kQXJncyIsIkZpbmRHbG9iYWwiLCJGaW5kR2xvYmFsQXJncyIsIkZpbmRHbG9iYWxWZXJzaW9ucyIsIkZpbmRHbG9iYWxWZXJzaW9uc0FyZ3MiLCJGaW5kT25lIiwiRmluZE9uZUFyZ3MiLCJGaW5kVmVyc2lvbnMiLCJGaW5kVmVyc2lvbnNBcmdzIiwiSW5pdCIsIk1pZ3JhdGlvbiIsIk1pZ3JhdGlvbkRhdGEiLCJQYWdpbmF0ZWREb2NzIiwiUXVlcnlEcmFmdHMiLCJRdWVyeURyYWZ0c0FyZ3MiLCJSb2xsYmFja1RyYW5zYWN0aW9uIiwiVHJhbnNhY3Rpb24iLCJVcGRhdGVHbG9iYWwiLCJVcGRhdGVHbG9iYWxBcmdzIiwiVXBkYXRlT25lIiwiVXBkYXRlT25lQXJncyIsIlVwZGF0ZVZlcnNpb24iLCJVcGRhdGVWZXJzaW9uQXJncyIsIldlYnBhY2siLCJjb21iaW5lUXVlcmllcyIsImNyZWF0ZURhdGFiYXNlQWRhcHRlciIsImZsYXR0ZW5XaGVyZVRvT3BlcmF0b3JzIiwiZ2V0TG9jYWxpemVkUGF0aHMiLCJjcmVhdGVNaWdyYXRpb24iLCJnZXRNaWdyYXRpb25zIiwibWlncmF0ZSIsIm1pZ3JhdGVEb3duIiwibWlncmF0ZVJlZnJlc2giLCJtaWdyYXRlUmVzZXQiLCJtaWdyYXRlU3RhdHVzIiwibWlncmF0aW9uVGVtcGxhdGUiLCJtaWdyYXRpb25zQ29sbGVjdGlvbiIsInJlYWRNaWdyYXRpb25GaWxlcyIsIkVudGl0eVBvbGljaWVzIiwiUGF0aFRvUXVlcnkiLCJ2YWxpZGF0ZVF1ZXJ5UGF0aHMiLCJ2YWxpZGF0ZVNlYXJjaFBhcmFtIiwidHJhbnNhY3Rpb24iXSwibWFwcGluZ3MiOiI7Ozs7Ozs7Ozs7O0lBQ0VBLGdCQUFnQjtlQUFoQkEsdUJBQWdCOztJQUNoQkMsaUJBQWlCO2VBQWpCQSx3QkFBaUI7O0lBQ2pCQyxPQUFPO2VBQVBBLGNBQU87O0lBQ1BDLE1BQU07ZUFBTkEsYUFBTTs7SUFDTkMsVUFBVTtlQUFWQSxpQkFBVTs7SUFDVkMsWUFBWTtlQUFaQSxtQkFBWTs7SUFDWkMsZ0JBQWdCO2VBQWhCQSx1QkFBZ0I7O0lBQ2hCQyxlQUFlO2VBQWZBLHNCQUFlOztJQUNmQyxhQUFhO2VBQWJBLG9CQUFhOztJQUNiQyxpQkFBaUI7ZUFBakJBLHdCQUFpQjs7SUFDakJDLGVBQWU7ZUFBZkEsc0JBQWU7O0lBQ2ZDLFVBQVU7ZUFBVkEsaUJBQVU7O0lBQ1ZDLGNBQWM7ZUFBZEEscUJBQWM7O0lBQ2RDLFNBQVM7ZUFBVEEsZ0JBQVM7O0lBQ1RDLGFBQWE7ZUFBYkEsb0JBQWE7O0lBQ2JDLGNBQWM7ZUFBZEEscUJBQWM7O0lBQ2RDLGtCQUFrQjtlQUFsQkEseUJBQWtCOztJQUNsQkMsT0FBTztlQUFQQSxjQUFPOztJQUNQQyxJQUFJO2VBQUpBLFdBQUk7O0lBQ0pDLFFBQVE7ZUFBUkEsZUFBUTs7SUFDUkMsVUFBVTtlQUFWQSxpQkFBVTs7SUFDVkMsY0FBYztlQUFkQSxxQkFBYzs7SUFDZEMsa0JBQWtCO2VBQWxCQSx5QkFBa0I7O0lBQ2xCQyxzQkFBc0I7ZUFBdEJBLDZCQUFzQjs7SUFDdEJDLE9BQU87ZUFBUEEsY0FBTzs7SUFDUEMsV0FBVztlQUFYQSxrQkFBVzs7SUFDWEMsWUFBWTtlQUFaQSxtQkFBWTs7SUFDWkMsZ0JBQWdCO2VBQWhCQSx1QkFBZ0I7O0lBQ2hCQyxJQUFJO2VBQUpBLFdBQUk7O0lBQ0pDLFNBQVM7ZUFBVEEsZ0JBQVM7O0lBQ1RDLGFBQWE7ZUFBYkEsb0JBQWE7O0lBQ2JDLGFBQWE7ZUFBYkEsb0JBQWE7O0lBQ2JDLFdBQVc7ZUFBWEEsa0JBQVc7O0lBQ1hDLGVBQWU7ZUFBZkEsc0JBQWU7O0lBQ2ZDLG1CQUFtQjtlQUFuQkEsMEJBQW1COztJQUNuQkMsV0FBVztlQUFYQSxrQkFBVzs7SUFDWEMsWUFBWTtlQUFaQSxtQkFBWTs7SUFDWkMsZ0JBQWdCO2VBQWhCQSx1QkFBZ0I7O0lBQ2hCQyxTQUFTO2VBQVRBLGdCQUFTOztJQUNUQyxhQUFhO2VBQWJBLG9CQUFhOztJQUNiQyxhQUFhO2VBQWJBLG9CQUFhOztJQUNiQyxpQkFBaUI7ZUFBakJBLHdCQUFpQjs7SUFDakJDLE9BQU87ZUFBUEEsY0FBTzs7SUFLQUMsY0FBYztlQUFkQSw4QkFBYzs7SUFFZEMscUJBQXFCO2VBQXJCQSw0Q0FBcUI7O0lBRVZDLHVCQUF1QjtlQUF2QkEsZ0NBQXVCOztJQUVsQ0MsaUJBQWlCO2VBQWpCQSxvQ0FBaUI7O0lBRWpCQyxlQUFlO2VBQWZBLGdDQUFlOztJQUVmQyxhQUFhO2VBQWJBLDRCQUFhOztJQUViQyxPQUFPO2VBQVBBLGdCQUFPOztJQUVQQyxXQUFXO2VBQVhBLHdCQUFXOztJQUVYQyxjQUFjO2VBQWRBLDhCQUFjOztJQUVkQyxZQUFZO2VBQVpBLDBCQUFZOztJQUVaQyxhQUFhO2VBQWJBLDRCQUFhOztJQUViQyxpQkFBaUI7ZUFBakJBLG9DQUFpQjs7SUFFakJDLG9CQUFvQjtlQUFwQkEsMENBQW9COztJQUVwQkMsa0JBQWtCO2VBQWxCQSxzQ0FBa0I7O0lBRWxCQyxjQUFjO2VBQWRBLHNCQUFjOztJQUFFQyxXQUFXO2VBQVhBLG1CQUFXOztJQUUzQkMsa0JBQWtCO2VBQWxCQSxzQ0FBa0I7O0lBRWxCQyxtQkFBbUI7ZUFBbkJBLHlDQUFtQjs7SUFFbkJDLFdBQVc7ZUFBWEEsd0JBQVc7Ozt1QkF0Q2I7cUNBRU87Z0NBRWlCO3VDQUVPO2dGQUVhO21DQUVqQjtpQ0FFRjsrQkFFRjt5QkFFTjs2QkFFSTtnQ0FFRzs4QkFFRjsrQkFFQzttQ0FFSTtzQ0FFRztvQ0FFRjtvQ0FJQTtzQ0FFQzs2QkFFUiJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uL3NyYy9leHBvcnRzL2RhdGFiYXNlLnRzIl0sInNvdXJjZXNDb250ZW50IjpbImV4cG9ydCB7XG4gIEJlZ2luVHJhbnNhY3Rpb24sXG4gIENvbW1pdFRyYW5zYWN0aW9uLFxuICBDb25uZWN0LFxuICBDcmVhdGUsXG4gIENyZWF0ZUFyZ3MsXG4gIENyZWF0ZUdsb2JhbCxcbiAgQ3JlYXRlR2xvYmFsQXJncyxcbiAgQ3JlYXRlTWlncmF0aW9uLFxuICBDcmVhdGVWZXJzaW9uLFxuICBDcmVhdGVWZXJzaW9uQXJncyxcbiAgRGF0YWJhc2VBZGFwdGVyLFxuICBEZWxldGVNYW55LFxuICBEZWxldGVNYW55QXJncyxcbiAgRGVsZXRlT25lLFxuICBEZWxldGVPbmVBcmdzLFxuICBEZWxldGVWZXJzaW9ucyxcbiAgRGVsZXRlVmVyc2lvbnNBcmdzLFxuICBEZXN0cm95LFxuICBGaW5kLFxuICBGaW5kQXJncyxcbiAgRmluZEdsb2JhbCxcbiAgRmluZEdsb2JhbEFyZ3MsXG4gIEZpbmRHbG9iYWxWZXJzaW9ucyxcbiAgRmluZEdsb2JhbFZlcnNpb25zQXJncyxcbiAgRmluZE9uZSxcbiAgRmluZE9uZUFyZ3MsXG4gIEZpbmRWZXJzaW9ucyxcbiAgRmluZFZlcnNpb25zQXJncyxcbiAgSW5pdCxcbiAgTWlncmF0aW9uLFxuICBNaWdyYXRpb25EYXRhLFxuICBQYWdpbmF0ZWREb2NzLFxuICBRdWVyeURyYWZ0cyxcbiAgUXVlcnlEcmFmdHNBcmdzLFxuICBSb2xsYmFja1RyYW5zYWN0aW9uLFxuICBUcmFuc2FjdGlvbixcbiAgVXBkYXRlR2xvYmFsLFxuICBVcGRhdGVHbG9iYWxBcmdzLFxuICBVcGRhdGVPbmUsXG4gIFVwZGF0ZU9uZUFyZ3MsXG4gIFVwZGF0ZVZlcnNpb24sXG4gIFVwZGF0ZVZlcnNpb25BcmdzLFxuICBXZWJwYWNrLFxufSBmcm9tICcuLi9kYXRhYmFzZS90eXBlcydcblxuZXhwb3J0ICogZnJvbSAnLi4vZGF0YWJhc2UvcXVlcnlWYWxpZGF0aW9uL3R5cGVzJ1xuXG5leHBvcnQgeyBjb21iaW5lUXVlcmllcyB9IGZyb20gJy4uL2RhdGFiYXNlL2NvbWJpbmVRdWVyaWVzJ1xuXG5leHBvcnQgeyBjcmVhdGVEYXRhYmFzZUFkYXB0ZXIgfSBmcm9tICcuLi9kYXRhYmFzZS9jcmVhdGVEYXRhYmFzZUFkYXB0ZXInXG5cbmV4cG9ydCB7IGRlZmF1bHQgYXMgZmxhdHRlbldoZXJlVG9PcGVyYXRvcnMgfSBmcm9tICcuLi9kYXRhYmFzZS9mbGF0dGVuV2hlcmVUb09wZXJhdG9ycydcblxuZXhwb3J0IHsgZ2V0TG9jYWxpemVkUGF0aHMgfSBmcm9tICcuLi9kYXRhYmFzZS9nZXRMb2NhbGl6ZWRQYXRocydcblxuZXhwb3J0IHsgY3JlYXRlTWlncmF0aW9uIH0gZnJvbSAnLi4vZGF0YWJhc2UvbWlncmF0aW9ucy9jcmVhdGVNaWdyYXRpb24nXG5cbmV4cG9ydCB7IGdldE1pZ3JhdGlvbnMgfSBmcm9tICcuLi9kYXRhYmFzZS9taWdyYXRpb25zL2dldE1pZ3JhdGlvbnMnXG5cbmV4cG9ydCB7IG1pZ3JhdGUgfSBmcm9tICcuLi9kYXRhYmFzZS9taWdyYXRpb25zL21pZ3JhdGUnXG5cbmV4cG9ydCB7IG1pZ3JhdGVEb3duIH0gZnJvbSAnLi4vZGF0YWJhc2UvbWlncmF0aW9ucy9taWdyYXRlRG93bidcblxuZXhwb3J0IHsgbWlncmF0ZVJlZnJlc2ggfSBmcm9tICcuLi9kYXRhYmFzZS9taWdyYXRpb25zL21pZ3JhdGVSZWZyZXNoJ1xuXG5leHBvcnQgeyBtaWdyYXRlUmVzZXQgfSBmcm9tICcuLi9kYXRhYmFzZS9taWdyYXRpb25zL21pZ3JhdGVSZXNldCdcblxuZXhwb3J0IHsgbWlncmF0ZVN0YXR1cyB9IGZyb20gJy4uL2RhdGFiYXNlL21pZ3JhdGlvbnMvbWlncmF0ZVN0YXR1cydcblxuZXhwb3J0IHsgbWlncmF0aW9uVGVtcGxhdGUgfSBmcm9tICcuLi9kYXRhYmFzZS9taWdyYXRpb25zL21pZ3JhdGlvblRlbXBsYXRlJ1xuXG5leHBvcnQgeyBtaWdyYXRpb25zQ29sbGVjdGlvbiB9IGZyb20gJy4uL2RhdGFiYXNlL21pZ3JhdGlvbnMvbWlncmF0aW9uc0NvbGxlY3Rpb24nXG5cbmV4cG9ydCB7IHJlYWRNaWdyYXRpb25GaWxlcyB9IGZyb20gJy4uL2RhdGFiYXNlL21pZ3JhdGlvbnMvcmVhZE1pZ3JhdGlvbkZpbGVzJ1xuXG5leHBvcnQgeyBFbnRpdHlQb2xpY2llcywgUGF0aFRvUXVlcnkgfSBmcm9tICcuLi9kYXRhYmFzZS9xdWVyeVZhbGlkYXRpb24vdHlwZXMnXG5cbmV4cG9ydCB7IHZhbGlkYXRlUXVlcnlQYXRocyB9IGZyb20gJy4uL2RhdGFiYXNlL3F1ZXJ5VmFsaWRhdGlvbi92YWxpZGF0ZVF1ZXJ5UGF0aHMnXG5cbmV4cG9ydCB7IHZhbGlkYXRlU2VhcmNoUGFyYW0gfSBmcm9tICcuLi9kYXRhYmFzZS9xdWVyeVZhbGlkYXRpb24vdmFsaWRhdGVTZWFyY2hQYXJhbXMnXG5cbmV4cG9ydCB7IHRyYW5zYWN0aW9uIH0gZnJvbSAnLi4vZGF0YWJhc2UvdHJhbnNhY3Rpb24nXG4iXSwibmFtZXMiOlsiQmVnaW5UcmFuc2FjdGlvbiIsIkNvbW1pdFRyYW5zYWN0aW9uIiwiQ29ubmVjdCIsIkNyZWF0ZSIsIkNyZWF0ZUFyZ3MiLCJDcmVhdGVHbG9iYWwiLCJDcmVhdGVHbG9iYWxBcmdzIiwiQ3JlYXRlTWlncmF0aW9uIiwiQ3JlYXRlVmVyc2lvbiIsIkNyZWF0ZVZlcnNpb25BcmdzIiwiRGF0YWJhc2VBZGFwdGVyIiwiRGVsZXRlTWFueSIsIkRlbGV0ZU1hbnlBcmdzIiwiRGVsZXRlT25lIiwiRGVsZXRlT25lQXJncyIsIkRlbGV0ZVZlcnNpb25zIiwiRGVsZXRlVmVyc2lvbnNBcmdzIiwiRGVzdHJveSIsIkZpbmQiLCJGaW5kQXJncyIsIkZpbmRHbG9iYWwiLCJGaW5kR2xvYmFsQXJncyIsIkZpbmRHbG9iYWxWZXJzaW9ucyIsIkZpbmRHbG9iYWxWZXJzaW9uc0FyZ3MiLCJGaW5kT25lIiwiRmluZE9uZUFyZ3MiLCJGaW5kVmVyc2lvbnMiLCJGaW5kVmVyc2lvbnNBcmdzIiwiSW5pdCIsIk1pZ3JhdGlvbiIsIk1pZ3JhdGlvbkRhdGEiLCJQYWdpbmF0ZWREb2NzIiwiUXVlcnlEcmFmdHMiLCJRdWVyeURyYWZ0c0FyZ3MiLCJSb2xsYmFja1RyYW5zYWN0aW9uIiwiVHJhbnNhY3Rpb24iLCJVcGRhdGVHbG9iYWwiLCJVcGRhdGVHbG9iYWxBcmdzIiwiVXBkYXRlT25lIiwiVXBkYXRlT25lQXJncyIsIlVwZGF0ZVZlcnNpb24iLCJVcGRhdGVWZXJzaW9uQXJncyIsIldlYnBhY2siLCJjb21iaW5lUXVlcmllcyIsImNyZWF0ZURhdGFiYXNlQWRhcHRlciIsImZsYXR0ZW5XaGVyZVRvT3BlcmF0b3JzIiwiZ2V0TG9jYWxpemVkUGF0aHMiLCJjcmVhdGVNaWdyYXRpb24iLCJnZXRNaWdyYXRpb25zIiwibWlncmF0ZSIsIm1pZ3JhdGVEb3duIiwibWlncmF0ZVJlZnJlc2giLCJtaWdyYXRlUmVzZXQiLCJtaWdyYXRlU3RhdHVzIiwibWlncmF0aW9uVGVtcGxhdGUiLCJtaWdyYXRpb25zQ29sbGVjdGlvbiIsInJlYWRNaWdyYXRpb25GaWxlcyIsIkVudGl0eVBvbGljaWVzIiwiUGF0aFRvUXVlcnkiLCJ2YWxpZGF0ZVF1ZXJ5UGF0aHMiLCJ2YWxpZGF0ZVNlYXJjaFBhcmFtIiwidHJhbnNhY3Rpb24iXSwibWFwcGluZ3MiOiI7Ozs7Ozs7Ozs7O0lBQ0VBLGdCQUFnQjtlQUFoQkEsdUJBQWdCOztJQUNoQkMsaUJBQWlCO2VBQWpCQSx3QkFBaUI7O0lBQ2pCQyxPQUFPO2VBQVBBLGNBQU87O0lBQ1BDLE1BQU07ZUFBTkEsYUFBTTs7SUFDTkMsVUFBVTtlQUFWQSxpQkFBVTs7SUFDVkMsWUFBWTtlQUFaQSxtQkFBWTs7SUFDWkMsZ0JBQWdCO2VBQWhCQSx1QkFBZ0I7O0lBQ2hCQyxlQUFlO2VBQWZBLHNCQUFlOztJQUNmQyxhQUFhO2VBQWJBLG9CQUFhOztJQUNiQyxpQkFBaUI7ZUFBakJBLHdCQUFpQjs7SUFDakJDLGVBQWU7ZUFBZkEsc0JBQWU7O0lBQ2ZDLFVBQVU7ZUFBVkEsaUJBQVU7O0lBQ1ZDLGNBQWM7ZUFBZEEscUJBQWM7O0lBQ2RDLFNBQVM7ZUFBVEEsZ0JBQVM7O0lBQ1RDLGFBQWE7ZUFBYkEsb0JBQWE7O0lBQ2JDLGNBQWM7ZUFBZEEscUJBQWM7O0lBQ2RDLGtCQUFrQjtlQUFsQkEseUJBQWtCOztJQUNsQkMsT0FBTztlQUFQQSxjQUFPOztJQUNQQyxJQUFJO2VBQUpBLFdBQUk7O0lBQ0pDLFFBQVE7ZUFBUkEsZUFBUTs7SUFDUkMsVUFBVTtlQUFWQSxpQkFBVTs7SUFDVkMsY0FBYztlQUFkQSxxQkFBYzs7SUFDZEMsa0JBQWtCO2VBQWxCQSx5QkFBa0I7O0lBQ2xCQyxzQkFBc0I7ZUFBdEJBLDZCQUFzQjs7SUFDdEJDLE9BQU87ZUFBUEEsY0FBTzs7SUFDUEMsV0FBVztlQUFYQSxrQkFBVzs7SUFDWEMsWUFBWTtlQUFaQSxtQkFBWTs7SUFDWkMsZ0JBQWdCO2VBQWhCQSx1QkFBZ0I7O0lBQ2hCQyxJQUFJO2VBQUpBLFdBQUk7O0lBQ0pDLFNBQVM7ZUFBVEEsZ0JBQVM7O0lBQ1RDLGFBQWE7ZUFBYkEsb0JBQWE7O0lBQ2JDLGFBQWE7ZUFBYkEsb0JBQWE7O0lBQ2JDLFdBQVc7ZUFBWEEsa0JBQVc7O0lBQ1hDLGVBQWU7ZUFBZkEsc0JBQWU7O0lBQ2ZDLG1CQUFtQjtlQUFuQkEsMEJBQW1COztJQUNuQkMsV0FBVztlQUFYQSxrQkFBVzs7SUFDWEMsWUFBWTtlQUFaQSxtQkFBWTs7SUFDWkMsZ0JBQWdCO2VBQWhCQSx1QkFBZ0I7O0lBQ2hCQyxTQUFTO2VBQVRBLGdCQUFTOztJQUNUQyxhQUFhO2VBQWJBLG9CQUFhOztJQUNiQyxhQUFhO2VBQWJBLG9CQUFhOztJQUNiQyxpQkFBaUI7ZUFBakJBLHdCQUFpQjs7SUFDakJDLE9BQU87ZUFBUEEsY0FBTzs7SUFLQUMsY0FBYztlQUFkQSw4QkFBYzs7SUFFZEMscUJBQXFCO2VBQXJCQSw0Q0FBcUI7O0lBRVZDLHVCQUF1QjtlQUF2QkEsZ0NBQXVCOztJQUVsQ0MsaUJBQWlCO2VBQWpCQSxvQ0FBaUI7O0lBRWpCQyxlQUFlO2VBQWZBLGdDQUFlOztJQUVmQyxhQUFhO2VBQWJBLDRCQUFhOztJQUViQyxPQUFPO2VBQVBBLGdCQUFPOztJQUVQQyxXQUFXO2VBQVhBLHdCQUFXOztJQUVYQyxjQUFjO2VBQWRBLDhCQUFjOztJQUVkQyxZQUFZO2VBQVpBLDBCQUFZOztJQUVaQyxhQUFhO2VBQWJBLDRCQUFhOztJQUViQyxpQkFBaUI7ZUFBakJBLG9DQUFpQjs7SUFFakJDLG9CQUFvQjtlQUFwQkEsMENBQW9COztJQUVwQkMsa0JBQWtCO2VBQWxCQSxzQ0FBa0I7O0lBRWxCQyxjQUFjO2VBQWRBLHNCQUFjOztJQUFFQyxXQUFXO2VBQVhBLG1CQUFXOztJQUUzQkMsa0JBQWtCO2VBQWxCQSxzQ0FBa0I7O0lBRWxCQyxtQkFBbUI7ZUFBbkJBLHlDQUFtQjs7SUFFbkJDLFdBQVc7ZUFBWEEsd0JBQVc7Ozt1QkF0Q2I7cUNBRU87Z0NBRWlCO3VDQUVPO2dGQUVhO21DQUVqQjtpQ0FFRjsrQkFFRjt5QkFFTjs2QkFFSTtnQ0FFRzs4QkFFRjsrQkFFQzttQ0FFSTtzQ0FFRztvQ0FFRjtvQ0FJQTtzQ0FFQzs2QkFFUiJ9
\ No newline at end of file
diff --git a/packages/payload/errors.d.ts b/packages/payload/errors.d.ts
index fb259b91bb9..d02d2d155d7 100644
--- a/packages/payload/errors.d.ts
+++ b/packages/payload/errors.d.ts
@@ -1,21 +1,2 @@
-export {
- APIError,
- AuthenticationError,
- DuplicateCollection,
- DuplicateGlobal,
- ErrorDeletingFile,
- FileUploadError,
- Forbidden,
- InvalidConfiguration,
- InvalidFieldName,
- InvalidFieldRelationship,
- LockedAuth,
- MissingCollectionLabel,
- MissingFieldInputOptions,
- MissingFieldType,
- MissingFile,
- NotFound,
- QueryError,
- ValidationError,
-} from './dist/errors'
-//# sourceMappingURL=errors.d.ts.map
+export { APIError, AuthenticationError, DuplicateCollection, DuplicateGlobal, ErrorDeletingFile, FileUploadError, Forbidden, InvalidConfiguration, InvalidFieldName, InvalidFieldRelationship, LockedAuth, MissingCollectionLabel, MissingFieldInputOptions, MissingFieldType, MissingFile, NotFound, QueryError, ValidationError, } from './dist/errors';
+//# sourceMappingURL=errors.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/errors.js b/packages/payload/errors.js
index 8befc7e8d64..bacb1ed8d11 100644
--- a/packages/payload/errors.js
+++ b/packages/payload/errors.js
@@ -1,70 +1,69 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
function _export(target, all) {
- for (var name in all)
- Object.defineProperty(target, name, {
- enumerable: true,
- get: all[name],
- })
+ for(var name in all)Object.defineProperty(target, name, {
+ enumerable: true,
+ get: all[name]
+ });
}
_export(exports, {
- APIError: function () {
- return _errors.APIError
- },
- AuthenticationError: function () {
- return _errors.AuthenticationError
- },
- DuplicateCollection: function () {
- return _errors.DuplicateCollection
- },
- DuplicateGlobal: function () {
- return _errors.DuplicateGlobal
- },
- ErrorDeletingFile: function () {
- return _errors.ErrorDeletingFile
- },
- FileUploadError: function () {
- return _errors.FileUploadError
- },
- Forbidden: function () {
- return _errors.Forbidden
- },
- InvalidConfiguration: function () {
- return _errors.InvalidConfiguration
- },
- InvalidFieldName: function () {
- return _errors.InvalidFieldName
- },
- InvalidFieldRelationship: function () {
- return _errors.InvalidFieldRelationship
- },
- LockedAuth: function () {
- return _errors.LockedAuth
- },
- MissingCollectionLabel: function () {
- return _errors.MissingCollectionLabel
- },
- MissingFieldInputOptions: function () {
- return _errors.MissingFieldInputOptions
- },
- MissingFieldType: function () {
- return _errors.MissingFieldType
- },
- MissingFile: function () {
- return _errors.MissingFile
- },
- NotFound: function () {
- return _errors.NotFound
- },
- QueryError: function () {
- return _errors.QueryError
- },
- ValidationError: function () {
- return _errors.ValidationError
- },
-})
-const _errors = require('./dist/errors')
+ APIError: function() {
+ return _errors.APIError;
+ },
+ AuthenticationError: function() {
+ return _errors.AuthenticationError;
+ },
+ DuplicateCollection: function() {
+ return _errors.DuplicateCollection;
+ },
+ DuplicateGlobal: function() {
+ return _errors.DuplicateGlobal;
+ },
+ ErrorDeletingFile: function() {
+ return _errors.ErrorDeletingFile;
+ },
+ FileUploadError: function() {
+ return _errors.FileUploadError;
+ },
+ Forbidden: function() {
+ return _errors.Forbidden;
+ },
+ InvalidConfiguration: function() {
+ return _errors.InvalidConfiguration;
+ },
+ InvalidFieldName: function() {
+ return _errors.InvalidFieldName;
+ },
+ InvalidFieldRelationship: function() {
+ return _errors.InvalidFieldRelationship;
+ },
+ LockedAuth: function() {
+ return _errors.LockedAuth;
+ },
+ MissingCollectionLabel: function() {
+ return _errors.MissingCollectionLabel;
+ },
+ MissingFieldInputOptions: function() {
+ return _errors.MissingFieldInputOptions;
+ },
+ MissingFieldType: function() {
+ return _errors.MissingFieldType;
+ },
+ MissingFile: function() {
+ return _errors.MissingFile;
+ },
+ NotFound: function() {
+ return _errors.NotFound;
+ },
+ QueryError: function() {
+ return _errors.QueryError;
+ },
+ ValidationError: function() {
+ return _errors.ValidationError;
+ }
+});
+const _errors = require("./dist/errors");
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uL3NyYy9leHBvcnRzL2Vycm9ycy50cyJdLCJzb3VyY2VzQ29udGVudCI6WyJleHBvcnQge1xuICBBUElFcnJvcixcbiAgQXV0aGVudGljYXRpb25FcnJvcixcbiAgRHVwbGljYXRlQ29sbGVjdGlvbixcbiAgRHVwbGljYXRlR2xvYmFsLFxuICBFcnJvckRlbGV0aW5nRmlsZSxcbiAgRmlsZVVwbG9hZEVycm9yLFxuICBGb3JiaWRkZW4sXG4gIEludmFsaWRDb25maWd1cmF0aW9uLFxuICBJbnZhbGlkRmllbGROYW1lLFxuICBJbnZhbGlkRmllbGRSZWxhdGlvbnNoaXAsXG4gIExvY2tlZEF1dGgsXG4gIE1pc3NpbmdDb2xsZWN0aW9uTGFiZWwsXG4gIE1pc3NpbmdGaWVsZElucHV0T3B0aW9ucyxcbiAgTWlzc2luZ0ZpZWxkVHlwZSxcbiAgTWlzc2luZ0ZpbGUsXG4gIE5vdEZvdW5kLFxuICBRdWVyeUVycm9yLFxuICBWYWxpZGF0aW9uRXJyb3IsXG59IGZyb20gJy4uL2Vycm9ycydcbiJdLCJuYW1lcyI6WyJBUElFcnJvciIsIkF1dGhlbnRpY2F0aW9uRXJyb3IiLCJEdXBsaWNhdGVDb2xsZWN0aW9uIiwiRHVwbGljYXRlR2xvYmFsIiwiRXJyb3JEZWxldGluZ0ZpbGUiLCJGaWxlVXBsb2FkRXJyb3IiLCJGb3JiaWRkZW4iLCJJbnZhbGlkQ29uZmlndXJhdGlvbiIsIkludmFsaWRGaWVsZE5hbWUiLCJJbnZhbGlkRmllbGRSZWxhdGlvbnNoaXAiLCJMb2NrZWRBdXRoIiwiTWlzc2luZ0NvbGxlY3Rpb25MYWJlbCIsIk1pc3NpbmdGaWVsZElucHV0T3B0aW9ucyIsIk1pc3NpbmdGaWVsZFR5cGUiLCJNaXNzaW5nRmlsZSIsIk5vdEZvdW5kIiwiUXVlcnlFcnJvciIsIlZhbGlkYXRpb25FcnJvciJdLCJtYXBwaW5ncyI6Ijs7Ozs7Ozs7Ozs7SUFDRUEsUUFBUTtlQUFSQSxnQkFBUTs7SUFDUkMsbUJBQW1CO2VBQW5CQSwyQkFBbUI7O0lBQ25CQyxtQkFBbUI7ZUFBbkJBLDJCQUFtQjs7SUFDbkJDLGVBQWU7ZUFBZkEsdUJBQWU7O0lBQ2ZDLGlCQUFpQjtlQUFqQkEseUJBQWlCOztJQUNqQkMsZUFBZTtlQUFmQSx1QkFBZTs7SUFDZkMsU0FBUztlQUFUQSxpQkFBUzs7SUFDVEMsb0JBQW9CO2VBQXBCQSw0QkFBb0I7O0lBQ3BCQyxnQkFBZ0I7ZUFBaEJBLHdCQUFnQjs7SUFDaEJDLHdCQUF3QjtlQUF4QkEsZ0NBQXdCOztJQUN4QkMsVUFBVTtlQUFWQSxrQkFBVTs7SUFDVkMsc0JBQXNCO2VBQXRCQSw4QkFBc0I7O0lBQ3RCQyx3QkFBd0I7ZUFBeEJBLGdDQUF3Qjs7SUFDeEJDLGdCQUFnQjtlQUFoQkEsd0JBQWdCOztJQUNoQkMsV0FBVztlQUFYQSxtQkFBVzs7SUFDWEMsUUFBUTtlQUFSQSxnQkFBUTs7SUFDUkMsVUFBVTtlQUFWQSxrQkFBVTs7SUFDVkMsZUFBZTtlQUFmQSx1QkFBZTs7O3dCQUNWIn0=
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uL3NyYy9leHBvcnRzL2Vycm9ycy50cyJdLCJzb3VyY2VzQ29udGVudCI6WyJleHBvcnQge1xuICBBUElFcnJvcixcbiAgQXV0aGVudGljYXRpb25FcnJvcixcbiAgRHVwbGljYXRlQ29sbGVjdGlvbixcbiAgRHVwbGljYXRlR2xvYmFsLFxuICBFcnJvckRlbGV0aW5nRmlsZSxcbiAgRmlsZVVwbG9hZEVycm9yLFxuICBGb3JiaWRkZW4sXG4gIEludmFsaWRDb25maWd1cmF0aW9uLFxuICBJbnZhbGlkRmllbGROYW1lLFxuICBJbnZhbGlkRmllbGRSZWxhdGlvbnNoaXAsXG4gIExvY2tlZEF1dGgsXG4gIE1pc3NpbmdDb2xsZWN0aW9uTGFiZWwsXG4gIE1pc3NpbmdGaWVsZElucHV0T3B0aW9ucyxcbiAgTWlzc2luZ0ZpZWxkVHlwZSxcbiAgTWlzc2luZ0ZpbGUsXG4gIE5vdEZvdW5kLFxuICBRdWVyeUVycm9yLFxuICBWYWxpZGF0aW9uRXJyb3IsXG59IGZyb20gJy4uL2Vycm9ycydcbiJdLCJuYW1lcyI6WyJBUElFcnJvciIsIkF1dGhlbnRpY2F0aW9uRXJyb3IiLCJEdXBsaWNhdGVDb2xsZWN0aW9uIiwiRHVwbGljYXRlR2xvYmFsIiwiRXJyb3JEZWxldGluZ0ZpbGUiLCJGaWxlVXBsb2FkRXJyb3IiLCJGb3JiaWRkZW4iLCJJbnZhbGlkQ29uZmlndXJhdGlvbiIsIkludmFsaWRGaWVsZE5hbWUiLCJJbnZhbGlkRmllbGRSZWxhdGlvbnNoaXAiLCJMb2NrZWRBdXRoIiwiTWlzc2luZ0NvbGxlY3Rpb25MYWJlbCIsIk1pc3NpbmdGaWVsZElucHV0T3B0aW9ucyIsIk1pc3NpbmdGaWVsZFR5cGUiLCJNaXNzaW5nRmlsZSIsIk5vdEZvdW5kIiwiUXVlcnlFcnJvciIsIlZhbGlkYXRpb25FcnJvciJdLCJtYXBwaW5ncyI6Ijs7Ozs7Ozs7Ozs7SUFDRUEsUUFBUTtlQUFSQSxnQkFBUTs7SUFDUkMsbUJBQW1CO2VBQW5CQSwyQkFBbUI7O0lBQ25CQyxtQkFBbUI7ZUFBbkJBLDJCQUFtQjs7SUFDbkJDLGVBQWU7ZUFBZkEsdUJBQWU7O0lBQ2ZDLGlCQUFpQjtlQUFqQkEseUJBQWlCOztJQUNqQkMsZUFBZTtlQUFmQSx1QkFBZTs7SUFDZkMsU0FBUztlQUFUQSxpQkFBUzs7SUFDVEMsb0JBQW9CO2VBQXBCQSw0QkFBb0I7O0lBQ3BCQyxnQkFBZ0I7ZUFBaEJBLHdCQUFnQjs7SUFDaEJDLHdCQUF3QjtlQUF4QkEsZ0NBQXdCOztJQUN4QkMsVUFBVTtlQUFWQSxrQkFBVTs7SUFDVkMsc0JBQXNCO2VBQXRCQSw4QkFBc0I7O0lBQ3RCQyx3QkFBd0I7ZUFBeEJBLGdDQUF3Qjs7SUFDeEJDLGdCQUFnQjtlQUFoQkEsd0JBQWdCOztJQUNoQkMsV0FBVztlQUFYQSxtQkFBVzs7SUFDWEMsUUFBUTtlQUFSQSxnQkFBUTs7SUFDUkMsVUFBVTtlQUFWQSxrQkFBVTs7SUFDVkMsZUFBZTtlQUFmQSx1QkFBZTs7O3dCQUNWIn0=
\ No newline at end of file
diff --git a/packages/payload/fields/validations.d.ts b/packages/payload/fields/validations.d.ts
index 1aafdd0ba64..42e786ce9f9 100644
--- a/packages/payload/fields/validations.d.ts
+++ b/packages/payload/fields/validations.d.ts
@@ -1,2 +1,2 @@
-export * from '../dist/fields/validations'
-//# sourceMappingURL=validations.d.ts.map
+export * from '../dist/fields/validations';
+//# sourceMappingURL=validations.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/fields/validations.js b/packages/payload/fields/validations.js
index 91150082338..d72044563f4 100644
--- a/packages/payload/fields/validations.js
+++ b/packages/payload/fields/validations.js
@@ -1,20 +1,20 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
-_export_star(require('../dist/fields/validations'), exports)
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
+_export_star(require("../dist/fields/validations"), exports);
function _export_star(from, to) {
- Object.keys(from).forEach(function (k) {
- if (k !== 'default' && !Object.prototype.hasOwnProperty.call(to, k)) {
- Object.defineProperty(to, k, {
- enumerable: true,
- get: function () {
- return from[k]
- },
- })
- }
- })
- return from
+ Object.keys(from).forEach(function(k) {
+ if (k !== "default" && !Object.prototype.hasOwnProperty.call(to, k)) {
+ Object.defineProperty(to, k, {
+ enumerable: true,
+ get: function() {
+ return from[k];
+ }
+ });
+ }
+ });
+ return from;
}
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uL3NyYy9leHBvcnRzL2ZpZWxkcy92YWxpZGF0aW9ucy50cyJdLCJzb3VyY2VzQ29udGVudCI6WyJleHBvcnQgKiBmcm9tICcuLi8uLi9maWVsZHMvdmFsaWRhdGlvbnMnXG4iXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6Ijs7OztxQkFBYyJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uLy4uL3NyYy9leHBvcnRzL2ZpZWxkcy92YWxpZGF0aW9ucy50cyJdLCJzb3VyY2VzQ29udGVudCI6WyJleHBvcnQgKiBmcm9tICcuLi8uLi9maWVsZHMvdmFsaWRhdGlvbnMnXG4iXSwibmFtZXMiOltdLCJtYXBwaW5ncyI6Ijs7OztxQkFBYyJ9
\ No newline at end of file
diff --git a/packages/payload/graphql.d.ts b/packages/payload/graphql.d.ts
index c465922d5cd..dafb2a8de41 100644
--- a/packages/payload/graphql.d.ts
+++ b/packages/payload/graphql.d.ts
@@ -1,3 +1,3 @@
-export { default as buildPaginatedListType } from './dist/graphql/schema/buildPaginatedListType'
-export { default as GraphQL } from 'graphql'
-//# sourceMappingURL=graphql.d.ts.map
+export { default as buildPaginatedListType } from './dist/graphql/schema/buildPaginatedListType';
+export { default as GraphQL } from 'graphql';
+//# sourceMappingURL=graphql.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/graphql.js b/packages/payload/graphql.js
index 1d707d35b72..e66b2b6ca23 100644
--- a/packages/payload/graphql.js
+++ b/packages/payload/graphql.js
@@ -1,32 +1,27 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
function _export(target, all) {
- for (var name in all)
- Object.defineProperty(target, name, {
- enumerable: true,
- get: all[name],
- })
+ for(var name in all)Object.defineProperty(target, name, {
+ enumerable: true,
+ get: all[name]
+ });
}
_export(exports, {
- GraphQL: function () {
- return _graphql.default
- },
- buildPaginatedListType: function () {
- return _buildPaginatedListType.default
- },
-})
-const _buildPaginatedListType = /*#__PURE__*/ _interop_require_default(
- require('./dist/graphql/schema/buildPaginatedListType'),
-)
-const _graphql = /*#__PURE__*/ _interop_require_default(require('graphql'))
+ buildPaginatedListType: function() {
+ return _buildPaginatedListType.default;
+ },
+ GraphQL: function() {
+ return _graphql.default;
+ }
+});
+const _buildPaginatedListType = /*#__PURE__*/ _interop_require_default(require("./dist/graphql/schema/buildPaginatedListType"));
+const _graphql = /*#__PURE__*/ _interop_require_default(require("graphql"));
function _interop_require_default(obj) {
- return obj && obj.__esModule
- ? obj
- : {
- default: obj,
- }
+ return obj && obj.__esModule ? obj : {
+ default: obj
+ };
}
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uL3NyYy9leHBvcnRzL2dyYXBocWwudHMiXSwic291cmNlc0NvbnRlbnQiOlsiZXhwb3J0IHsgZGVmYXVsdCBhcyBidWlsZFBhZ2luYXRlZExpc3RUeXBlIH0gZnJvbSAnLi8uLi9ncmFwaHFsL3NjaGVtYS9idWlsZFBhZ2luYXRlZExpc3RUeXBlJ1xuZXhwb3J0IHsgZGVmYXVsdCBhcyBHcmFwaFFMIH0gZnJvbSAnZ3JhcGhxbCdcbiJdLCJuYW1lcyI6WyJidWlsZFBhZ2luYXRlZExpc3RUeXBlIiwiR3JhcGhRTCJdLCJtYXBwaW5ncyI6Ijs7Ozs7Ozs7Ozs7SUFBb0JBLHNCQUFzQjtlQUF0QkEsK0JBQXNCOztJQUN0QkMsT0FBTztlQUFQQSxnQkFBTzs7OytFQUR1QjtnRUFDZiJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uL3NyYy9leHBvcnRzL2dyYXBocWwudHMiXSwic291cmNlc0NvbnRlbnQiOlsiZXhwb3J0IHsgZGVmYXVsdCBhcyBidWlsZFBhZ2luYXRlZExpc3RUeXBlIH0gZnJvbSAnLi8uLi9ncmFwaHFsL3NjaGVtYS9idWlsZFBhZ2luYXRlZExpc3RUeXBlJ1xuZXhwb3J0IHsgZGVmYXVsdCBhcyBHcmFwaFFMIH0gZnJvbSAnZ3JhcGhxbCdcbiJdLCJuYW1lcyI6WyJidWlsZFBhZ2luYXRlZExpc3RUeXBlIiwiR3JhcGhRTCJdLCJtYXBwaW5ncyI6Ijs7Ozs7Ozs7Ozs7SUFBb0JBLHNCQUFzQjtlQUF0QkEsK0JBQXNCOztJQUN0QkMsT0FBTztlQUFQQSxnQkFBTzs7OytFQUR1QjtnRUFDZiJ9
\ No newline at end of file
diff --git a/packages/payload/types.d.ts b/packages/payload/types.d.ts
index e9bb477e5ad..be00c109a09 100644
--- a/packages/payload/types.d.ts
+++ b/packages/payload/types.d.ts
@@ -1,116 +1,13 @@
-export * from './dist/types'
-export type {
- CreateFormData,
- Fields,
- FormField,
- FormFieldsContext,
-} from './dist/admin/components/forms/Form/types'
-export type {
- RichTextAdapter,
- RichTextFieldProps,
-} from './dist/admin/components/forms/field-types/RichText/types'
-export type { CellComponentProps } from './dist/admin/components/views/collections/List/Cell/types'
-export {
- CustomPublishButtonProps,
- CustomSaveButtonProps,
- CustomSaveDraftButtonProps,
-} from './dist/admin/components/elements/types'
-export { RowLabel } from './dist/admin/components/forms/RowLabel/types'
-export {
- AfterChangeHook as CollectionAfterChangeHook,
- AfterDeleteHook as CollectionAfterDeleteHook,
- AfterForgotPasswordHook as CollectionAfterForgotPasswordHook,
- AfterLoginHook as CollectionAfterLoginHook,
- AfterOperationHook as CollectionAfterOperationHook,
- AfterReadHook as CollectionAfterReadHook,
- BeforeChangeHook as CollectionBeforeChangeHook,
- BeforeDeleteHook as CollectionBeforeDeleteHook,
- BeforeDuplicate,
- BeforeLoginHook as CollectionBeforeLoginHook,
- BeforeOperationHook as CollectionBeforeOperationHook,
- BeforeReadHook as CollectionBeforeReadHook,
- BeforeValidateHook as CollectionBeforeValidateHook,
- Collection,
- CollectionConfig,
- SanitizedCollectionConfig,
- TypeWithID,
-} from './dist/collections/config/types'
-export { Access, AccessArgs } from './dist/config/types'
-export { DatabaseAdapter } from './dist/database/types'
-export {
- ArrayField,
- Block,
- BlockField,
- CheckboxField,
- CodeField,
- CollapsibleField,
- Condition,
- DateField,
- EmailField,
- Field,
- FieldAccess,
- FieldAffectingData,
- FieldBase,
- FieldHook,
- FieldHookArgs,
- FieldPresentationalOnly,
- FieldWithMany,
- FieldWithMaxDepth,
- FieldWithPath,
- FieldWithSubFields,
- FilterOptions,
- FilterOptionsProps,
- GroupField,
- HookName,
- JSONField,
- Labels,
- NamedTab,
- NonPresentationalField,
- NumberField,
- Option,
- OptionObject,
- PointField,
- RadioField,
- RelationshipField,
- RelationshipValue,
- RichTextField,
- RowAdmin,
- RowField,
- SelectField,
- Tab,
- TabAsField,
- TabsAdmin,
- TabsField,
- TextField,
- TextareaField,
- UIField,
- UnnamedTab,
- UploadField,
- Validate,
- ValidateOptions,
- ValueWithRelation,
- fieldAffectsData,
- fieldHasMaxDepth,
- fieldHasSubFields,
- fieldIsArrayType,
- fieldIsBlockType,
- fieldIsLocalized,
- fieldIsPresentationalOnly,
- fieldSupportsMany,
- optionIsObject,
- optionIsValue,
- optionsAreObjects,
- tabHasName,
- valueIsValueWithRelation,
-} from './dist/fields/config/types'
-export {
- AfterChangeHook as GlobalAfterChangeHook,
- AfterReadHook as GlobalAfterReadHook,
- BeforeChangeHook as GlobalBeforeChangeHook,
- BeforeReadHook as GlobalBeforeReadHook,
- BeforeValidateHook as GlobalBeforeValidateHook,
- GlobalConfig,
- SanitizedGlobalConfig,
-} from './dist/globals/config/types'
-export { validOperators } from './dist/types/constants'
-//# sourceMappingURL=types.d.ts.map
+export * from './dist/types';
+export type { CreateFormData, Fields, FormField, FormFieldsContext, } from './dist/admin/components/forms/Form/types';
+export type { RichTextAdapter, RichTextFieldProps, } from './dist/admin/components/forms/field-types/RichText/types';
+export type { CellComponentProps } from './dist/admin/components/views/collections/List/Cell/types';
+export { CustomPublishButtonProps, CustomSaveButtonProps, CustomSaveDraftButtonProps, } from './dist/admin/components/elements/types';
+export { RowLabel } from './dist/admin/components/forms/RowLabel/types';
+export { AfterChangeHook as CollectionAfterChangeHook, AfterDeleteHook as CollectionAfterDeleteHook, AfterForgotPasswordHook as CollectionAfterForgotPasswordHook, AfterLoginHook as CollectionAfterLoginHook, AfterOperationHook as CollectionAfterOperationHook, AfterReadHook as CollectionAfterReadHook, BeforeChangeHook as CollectionBeforeChangeHook, BeforeDeleteHook as CollectionBeforeDeleteHook, BeforeDuplicate, BeforeLoginHook as CollectionBeforeLoginHook, BeforeOperationHook as CollectionBeforeOperationHook, BeforeReadHook as CollectionBeforeReadHook, BeforeValidateHook as CollectionBeforeValidateHook, Collection, CollectionConfig, SanitizedCollectionConfig, TypeWithID, } from './dist/collections/config/types';
+export { Access, AccessArgs } from './dist/config/types';
+export { DatabaseAdapter } from './dist/database/types';
+export { ArrayField, Block, BlockField, CheckboxField, CodeField, CollapsibleField, Condition, DateField, EmailField, Field, FieldAccess, FieldAffectingData, FieldBase, FieldHook, FieldHookArgs, FieldPresentationalOnly, FieldWithMany, FieldWithMaxDepth, FieldWithPath, FieldWithSubFields, FilterOptions, FilterOptionsProps, GroupField, HookName, JSONField, Labels, NamedTab, NonPresentationalField, NumberField, Option, OptionObject, PointField, RadioField, RelationshipField, RelationshipValue, RichTextField, RowAdmin, RowField, SelectField, Tab, TabAsField, TabsAdmin, TabsField, TextField, TextareaField, UIField, UnnamedTab, UploadField, Validate, ValidateOptions, ValueWithRelation, fieldAffectsData, fieldHasMaxDepth, fieldHasSubFields, fieldIsArrayType, fieldIsBlockType, fieldIsLocalized, fieldIsPresentationalOnly, fieldSupportsMany, optionIsObject, optionIsValue, optionsAreObjects, tabHasName, valueIsValueWithRelation, } from './dist/fields/config/types';
+export { AfterChangeHook as GlobalAfterChangeHook, AfterReadHook as GlobalAfterReadHook, BeforeChangeHook as GlobalBeforeChangeHook, BeforeReadHook as GlobalBeforeReadHook, BeforeValidateHook as GlobalBeforeValidateHook, GlobalConfig, SanitizedGlobalConfig, } from './dist/globals/config/types';
+export { validOperators } from './dist/types/constants';
+//# sourceMappingURL=types.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/types.js b/packages/payload/types.js
index fbdf8ae4953..ffc6c980eae 100644
--- a/packages/payload/types.js
+++ b/packages/payload/types.js
@@ -1,325 +1,324 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
function _export(target, all) {
- for (var name in all)
- Object.defineProperty(target, name, {
- enumerable: true,
- get: all[name],
- })
+ for(var name in all)Object.defineProperty(target, name, {
+ enumerable: true,
+ get: all[name]
+ });
}
_export(exports, {
- Access: function () {
- return _types3.Access
- },
- AccessArgs: function () {
- return _types3.AccessArgs
- },
- ArrayField: function () {
- return _types5.ArrayField
- },
- BeforeDuplicate: function () {
- return _types2.BeforeDuplicate
- },
- Block: function () {
- return _types5.Block
- },
- BlockField: function () {
- return _types5.BlockField
- },
- CheckboxField: function () {
- return _types5.CheckboxField
- },
- CodeField: function () {
- return _types5.CodeField
- },
- CollapsibleField: function () {
- return _types5.CollapsibleField
- },
- Collection: function () {
- return _types2.Collection
- },
- CollectionAfterChangeHook: function () {
- return _types2.AfterChangeHook
- },
- CollectionAfterDeleteHook: function () {
- return _types2.AfterDeleteHook
- },
- CollectionAfterForgotPasswordHook: function () {
- return _types2.AfterForgotPasswordHook
- },
- CollectionAfterLoginHook: function () {
- return _types2.AfterLoginHook
- },
- CollectionAfterOperationHook: function () {
- return _types2.AfterOperationHook
- },
- CollectionAfterReadHook: function () {
- return _types2.AfterReadHook
- },
- CollectionBeforeChangeHook: function () {
- return _types2.BeforeChangeHook
- },
- CollectionBeforeDeleteHook: function () {
- return _types2.BeforeDeleteHook
- },
- CollectionBeforeLoginHook: function () {
- return _types2.BeforeLoginHook
- },
- CollectionBeforeOperationHook: function () {
- return _types2.BeforeOperationHook
- },
- CollectionBeforeReadHook: function () {
- return _types2.BeforeReadHook
- },
- CollectionBeforeValidateHook: function () {
- return _types2.BeforeValidateHook
- },
- CollectionConfig: function () {
- return _types2.CollectionConfig
- },
- Condition: function () {
- return _types5.Condition
- },
- CustomPublishButtonProps: function () {
- return _types.CustomPublishButtonProps
- },
- CustomSaveButtonProps: function () {
- return _types.CustomSaveButtonProps
- },
- CustomSaveDraftButtonProps: function () {
- return _types.CustomSaveDraftButtonProps
- },
- DatabaseAdapter: function () {
- return _types4.DatabaseAdapter
- },
- DateField: function () {
- return _types5.DateField
- },
- EmailField: function () {
- return _types5.EmailField
- },
- Field: function () {
- return _types5.Field
- },
- FieldAccess: function () {
- return _types5.FieldAccess
- },
- FieldAffectingData: function () {
- return _types5.FieldAffectingData
- },
- FieldBase: function () {
- return _types5.FieldBase
- },
- FieldHook: function () {
- return _types5.FieldHook
- },
- FieldHookArgs: function () {
- return _types5.FieldHookArgs
- },
- FieldPresentationalOnly: function () {
- return _types5.FieldPresentationalOnly
- },
- FieldWithMany: function () {
- return _types5.FieldWithMany
- },
- FieldWithMaxDepth: function () {
- return _types5.FieldWithMaxDepth
- },
- FieldWithPath: function () {
- return _types5.FieldWithPath
- },
- FieldWithSubFields: function () {
- return _types5.FieldWithSubFields
- },
- FilterOptions: function () {
- return _types5.FilterOptions
- },
- FilterOptionsProps: function () {
- return _types5.FilterOptionsProps
- },
- GlobalAfterChangeHook: function () {
- return _types6.AfterChangeHook
- },
- GlobalAfterReadHook: function () {
- return _types6.AfterReadHook
- },
- GlobalBeforeChangeHook: function () {
- return _types6.BeforeChangeHook
- },
- GlobalBeforeReadHook: function () {
- return _types6.BeforeReadHook
- },
- GlobalBeforeValidateHook: function () {
- return _types6.BeforeValidateHook
- },
- GlobalConfig: function () {
- return _types6.GlobalConfig
- },
- GroupField: function () {
- return _types5.GroupField
- },
- HookName: function () {
- return _types5.HookName
- },
- JSONField: function () {
- return _types5.JSONField
- },
- Labels: function () {
- return _types5.Labels
- },
- NamedTab: function () {
- return _types5.NamedTab
- },
- NonPresentationalField: function () {
- return _types5.NonPresentationalField
- },
- NumberField: function () {
- return _types5.NumberField
- },
- Option: function () {
- return _types5.Option
- },
- OptionObject: function () {
- return _types5.OptionObject
- },
- PointField: function () {
- return _types5.PointField
- },
- RadioField: function () {
- return _types5.RadioField
- },
- RelationshipField: function () {
- return _types5.RelationshipField
- },
- RelationshipValue: function () {
- return _types5.RelationshipValue
- },
- RichTextField: function () {
- return _types5.RichTextField
- },
- RowAdmin: function () {
- return _types5.RowAdmin
- },
- RowField: function () {
- return _types5.RowField
- },
- RowLabel: function () {
- return _types1.RowLabel
- },
- SanitizedCollectionConfig: function () {
- return _types2.SanitizedCollectionConfig
- },
- SanitizedGlobalConfig: function () {
- return _types6.SanitizedGlobalConfig
- },
- SelectField: function () {
- return _types5.SelectField
- },
- Tab: function () {
- return _types5.Tab
- },
- TabAsField: function () {
- return _types5.TabAsField
- },
- TabsAdmin: function () {
- return _types5.TabsAdmin
- },
- TabsField: function () {
- return _types5.TabsField
- },
- TextField: function () {
- return _types5.TextField
- },
- TextareaField: function () {
- return _types5.TextareaField
- },
- TypeWithID: function () {
- return _types2.TypeWithID
- },
- UIField: function () {
- return _types5.UIField
- },
- UnnamedTab: function () {
- return _types5.UnnamedTab
- },
- UploadField: function () {
- return _types5.UploadField
- },
- Validate: function () {
- return _types5.Validate
- },
- ValidateOptions: function () {
- return _types5.ValidateOptions
- },
- ValueWithRelation: function () {
- return _types5.ValueWithRelation
- },
- fieldAffectsData: function () {
- return _types5.fieldAffectsData
- },
- fieldHasMaxDepth: function () {
- return _types5.fieldHasMaxDepth
- },
- fieldHasSubFields: function () {
- return _types5.fieldHasSubFields
- },
- fieldIsArrayType: function () {
- return _types5.fieldIsArrayType
- },
- fieldIsBlockType: function () {
- return _types5.fieldIsBlockType
- },
- fieldIsLocalized: function () {
- return _types5.fieldIsLocalized
- },
- fieldIsPresentationalOnly: function () {
- return _types5.fieldIsPresentationalOnly
- },
- fieldSupportsMany: function () {
- return _types5.fieldSupportsMany
- },
- optionIsObject: function () {
- return _types5.optionIsObject
- },
- optionIsValue: function () {
- return _types5.optionIsValue
- },
- optionsAreObjects: function () {
- return _types5.optionsAreObjects
- },
- tabHasName: function () {
- return _types5.tabHasName
- },
- validOperators: function () {
- return _constants.validOperators
- },
- valueIsValueWithRelation: function () {
- return _types5.valueIsValueWithRelation
- },
-})
-_export_star(require('./dist/types'), exports)
-const _types = require('./dist/admin/components/elements/types')
-const _types1 = require('./dist/admin/components/forms/RowLabel/types')
-const _types2 = require('./dist/collections/config/types')
-const _types3 = require('./dist/config/types')
-const _types4 = require('./dist/database/types')
-const _types5 = require('./dist/fields/config/types')
-const _types6 = require('./dist/globals/config/types')
-const _constants = require('./dist/types/constants')
-function _export_star(from, to) {
- Object.keys(from).forEach(function (k) {
- if (k !== 'default' && !Object.prototype.hasOwnProperty.call(to, k)) {
- Object.defineProperty(to, k, {
- enumerable: true,
- get: function () {
- return from[k]
- },
- })
+ CustomPublishButtonProps: function() {
+ return _types.CustomPublishButtonProps;
+ },
+ CustomSaveButtonProps: function() {
+ return _types.CustomSaveButtonProps;
+ },
+ CustomSaveDraftButtonProps: function() {
+ return _types.CustomSaveDraftButtonProps;
+ },
+ RowLabel: function() {
+ return _types1.RowLabel;
+ },
+ CollectionAfterChangeHook: function() {
+ return _types2.AfterChangeHook;
+ },
+ CollectionAfterDeleteHook: function() {
+ return _types2.AfterDeleteHook;
+ },
+ CollectionAfterForgotPasswordHook: function() {
+ return _types2.AfterForgotPasswordHook;
+ },
+ CollectionAfterLoginHook: function() {
+ return _types2.AfterLoginHook;
+ },
+ CollectionAfterOperationHook: function() {
+ return _types2.AfterOperationHook;
+ },
+ CollectionAfterReadHook: function() {
+ return _types2.AfterReadHook;
+ },
+ CollectionBeforeChangeHook: function() {
+ return _types2.BeforeChangeHook;
+ },
+ CollectionBeforeDeleteHook: function() {
+ return _types2.BeforeDeleteHook;
+ },
+ BeforeDuplicate: function() {
+ return _types2.BeforeDuplicate;
+ },
+ CollectionBeforeLoginHook: function() {
+ return _types2.BeforeLoginHook;
+ },
+ CollectionBeforeOperationHook: function() {
+ return _types2.BeforeOperationHook;
+ },
+ CollectionBeforeReadHook: function() {
+ return _types2.BeforeReadHook;
+ },
+ CollectionBeforeValidateHook: function() {
+ return _types2.BeforeValidateHook;
+ },
+ Collection: function() {
+ return _types2.Collection;
+ },
+ CollectionConfig: function() {
+ return _types2.CollectionConfig;
+ },
+ SanitizedCollectionConfig: function() {
+ return _types2.SanitizedCollectionConfig;
+ },
+ TypeWithID: function() {
+ return _types2.TypeWithID;
+ },
+ Access: function() {
+ return _types3.Access;
+ },
+ AccessArgs: function() {
+ return _types3.AccessArgs;
+ },
+ DatabaseAdapter: function() {
+ return _types4.DatabaseAdapter;
+ },
+ ArrayField: function() {
+ return _types5.ArrayField;
+ },
+ Block: function() {
+ return _types5.Block;
+ },
+ BlockField: function() {
+ return _types5.BlockField;
+ },
+ CheckboxField: function() {
+ return _types5.CheckboxField;
+ },
+ CodeField: function() {
+ return _types5.CodeField;
+ },
+ CollapsibleField: function() {
+ return _types5.CollapsibleField;
+ },
+ Condition: function() {
+ return _types5.Condition;
+ },
+ DateField: function() {
+ return _types5.DateField;
+ },
+ EmailField: function() {
+ return _types5.EmailField;
+ },
+ Field: function() {
+ return _types5.Field;
+ },
+ FieldAccess: function() {
+ return _types5.FieldAccess;
+ },
+ FieldAffectingData: function() {
+ return _types5.FieldAffectingData;
+ },
+ FieldBase: function() {
+ return _types5.FieldBase;
+ },
+ FieldHook: function() {
+ return _types5.FieldHook;
+ },
+ FieldHookArgs: function() {
+ return _types5.FieldHookArgs;
+ },
+ FieldPresentationalOnly: function() {
+ return _types5.FieldPresentationalOnly;
+ },
+ FieldWithMany: function() {
+ return _types5.FieldWithMany;
+ },
+ FieldWithMaxDepth: function() {
+ return _types5.FieldWithMaxDepth;
+ },
+ FieldWithPath: function() {
+ return _types5.FieldWithPath;
+ },
+ FieldWithSubFields: function() {
+ return _types5.FieldWithSubFields;
+ },
+ FilterOptions: function() {
+ return _types5.FilterOptions;
+ },
+ FilterOptionsProps: function() {
+ return _types5.FilterOptionsProps;
+ },
+ GroupField: function() {
+ return _types5.GroupField;
+ },
+ HookName: function() {
+ return _types5.HookName;
+ },
+ JSONField: function() {
+ return _types5.JSONField;
+ },
+ Labels: function() {
+ return _types5.Labels;
+ },
+ NamedTab: function() {
+ return _types5.NamedTab;
+ },
+ NonPresentationalField: function() {
+ return _types5.NonPresentationalField;
+ },
+ NumberField: function() {
+ return _types5.NumberField;
+ },
+ Option: function() {
+ return _types5.Option;
+ },
+ OptionObject: function() {
+ return _types5.OptionObject;
+ },
+ PointField: function() {
+ return _types5.PointField;
+ },
+ RadioField: function() {
+ return _types5.RadioField;
+ },
+ RelationshipField: function() {
+ return _types5.RelationshipField;
+ },
+ RelationshipValue: function() {
+ return _types5.RelationshipValue;
+ },
+ RichTextField: function() {
+ return _types5.RichTextField;
+ },
+ RowAdmin: function() {
+ return _types5.RowAdmin;
+ },
+ RowField: function() {
+ return _types5.RowField;
+ },
+ SelectField: function() {
+ return _types5.SelectField;
+ },
+ Tab: function() {
+ return _types5.Tab;
+ },
+ TabAsField: function() {
+ return _types5.TabAsField;
+ },
+ TabsAdmin: function() {
+ return _types5.TabsAdmin;
+ },
+ TabsField: function() {
+ return _types5.TabsField;
+ },
+ TextField: function() {
+ return _types5.TextField;
+ },
+ TextareaField: function() {
+ return _types5.TextareaField;
+ },
+ UIField: function() {
+ return _types5.UIField;
+ },
+ UnnamedTab: function() {
+ return _types5.UnnamedTab;
+ },
+ UploadField: function() {
+ return _types5.UploadField;
+ },
+ Validate: function() {
+ return _types5.Validate;
+ },
+ ValidateOptions: function() {
+ return _types5.ValidateOptions;
+ },
+ ValueWithRelation: function() {
+ return _types5.ValueWithRelation;
+ },
+ fieldAffectsData: function() {
+ return _types5.fieldAffectsData;
+ },
+ fieldHasMaxDepth: function() {
+ return _types5.fieldHasMaxDepth;
+ },
+ fieldHasSubFields: function() {
+ return _types5.fieldHasSubFields;
+ },
+ fieldIsArrayType: function() {
+ return _types5.fieldIsArrayType;
+ },
+ fieldIsBlockType: function() {
+ return _types5.fieldIsBlockType;
+ },
+ fieldIsLocalized: function() {
+ return _types5.fieldIsLocalized;
+ },
+ fieldIsPresentationalOnly: function() {
+ return _types5.fieldIsPresentationalOnly;
+ },
+ fieldSupportsMany: function() {
+ return _types5.fieldSupportsMany;
+ },
+ optionIsObject: function() {
+ return _types5.optionIsObject;
+ },
+ optionIsValue: function() {
+ return _types5.optionIsValue;
+ },
+ optionsAreObjects: function() {
+ return _types5.optionsAreObjects;
+ },
+ tabHasName: function() {
+ return _types5.tabHasName;
+ },
+ valueIsValueWithRelation: function() {
+ return _types5.valueIsValueWithRelation;
+ },
+ GlobalAfterChangeHook: function() {
+ return _types6.AfterChangeHook;
+ },
+ GlobalAfterReadHook: function() {
+ return _types6.AfterReadHook;
+ },
+ GlobalBeforeChangeHook: function() {
+ return _types6.BeforeChangeHook;
+ },
+ GlobalBeforeReadHook: function() {
+ return _types6.BeforeReadHook;
+ },
+ GlobalBeforeValidateHook: function() {
+ return _types6.BeforeValidateHook;
+ },
+ GlobalConfig: function() {
+ return _types6.GlobalConfig;
+ },
+ SanitizedGlobalConfig: function() {
+ return _types6.SanitizedGlobalConfig;
+ },
+ validOperators: function() {
+ return _constants.validOperators;
}
- })
- return from
+});
+_export_star(require("./dist/types"), exports);
+const _types = require("./dist/admin/components/elements/types");
+const _types1 = require("./dist/admin/components/forms/RowLabel/types");
+const _types2 = require("./dist/collections/config/types");
+const _types3 = require("./dist/config/types");
+const _types4 = require("./dist/database/types");
+const _types5 = require("./dist/fields/config/types");
+const _types6 = require("./dist/globals/config/types");
+const _constants = require("./dist/types/constants");
+function _export_star(from, to) {
+ Object.keys(from).forEach(function(k) {
+ if (k !== "default" && !Object.prototype.hasOwnProperty.call(to, k)) {
+ Object.defineProperty(to, k, {
+ enumerable: true,
+ get: function() {
+ return from[k];
+ }
+ });
+ }
+ });
+ return from;
}
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uL3NyYy9leHBvcnRzL3R5cGVzLnRzIl0sInNvdXJjZXNDb250ZW50IjpbImV4cG9ydCAqIGZyb20gJy4vLi4vdHlwZXMnXG5cbmV4cG9ydCB0eXBlIHtcbiAgQ3JlYXRlRm9ybURhdGEsXG4gIEZpZWxkcyxcbiAgRm9ybUZpZWxkLFxuICBGb3JtRmllbGRzQ29udGV4dCxcbn0gZnJvbSAnLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy9Gb3JtL3R5cGVzJ1xuXG5leHBvcnQgdHlwZSB7XG4gIFJpY2hUZXh0QWRhcHRlcixcbiAgUmljaFRleHRGaWVsZFByb3BzLFxufSBmcm9tICcuLi9hZG1pbi9jb21wb25lbnRzL2Zvcm1zL2ZpZWxkLXR5cGVzL1JpY2hUZXh0L3R5cGVzJ1xuXG5leHBvcnQgdHlwZSB7IENlbGxDb21wb25lbnRQcm9wcyB9IGZyb20gJy4uL2FkbWluL2NvbXBvbmVudHMvdmlld3MvY29sbGVjdGlvbnMvTGlzdC9DZWxsL3R5cGVzJ1xuXG5leHBvcnQge1xuICBDdXN0b21QdWJsaXNoQnV0dG9uUHJvcHMsXG4gIEN1c3RvbVNhdmVCdXR0b25Qcm9wcyxcbiAgQ3VzdG9tU2F2ZURyYWZ0QnV0dG9uUHJvcHMsXG59IGZyb20gJy4vLi4vYWRtaW4vY29tcG9uZW50cy9lbGVtZW50cy90eXBlcydcblxuZXhwb3J0IHsgUm93TGFiZWwgfSBmcm9tICcuLy4uL2FkbWluL2NvbXBvbmVudHMvZm9ybXMvUm93TGFiZWwvdHlwZXMnXG5cbmV4cG9ydCB7XG4gIEFmdGVyQ2hhbmdlSG9vayBhcyBDb2xsZWN0aW9uQWZ0ZXJDaGFuZ2VIb29rLFxuICBBZnRlckRlbGV0ZUhvb2sgYXMgQ29sbGVjdGlvbkFmdGVyRGVsZXRlSG9vayxcbiAgQWZ0ZXJGb3Jnb3RQYXNzd29yZEhvb2sgYXMgQ29sbGVjdGlvbkFmdGVyRm9yZ290UGFzc3dvcmRIb29rLFxuICBBZnRlckxvZ2luSG9vayBhcyBDb2xsZWN0aW9uQWZ0ZXJMb2dpbkhvb2ssXG4gIEFmdGVyT3BlcmF0aW9uSG9vayBhcyBDb2xsZWN0aW9uQWZ0ZXJPcGVyYXRpb25Ib29rLFxuICBBZnRlclJlYWRIb29rIGFzIENvbGxlY3Rpb25BZnRlclJlYWRIb29rLFxuICBCZWZvcmVDaGFuZ2VIb29rIGFzIENvbGxlY3Rpb25CZWZvcmVDaGFuZ2VIb29rLFxuICBCZWZvcmVEZWxldGVIb29rIGFzIENvbGxlY3Rpb25CZWZvcmVEZWxldGVIb29rLFxuICBCZWZvcmVEdXBsaWNhdGUsXG4gIEJlZm9yZUxvZ2luSG9vayBhcyBDb2xsZWN0aW9uQmVmb3JlTG9naW5Ib29rLFxuICBCZWZvcmVPcGVyYXRpb25Ib29rIGFzIENvbGxlY3Rpb25CZWZvcmVPcGVyYXRpb25Ib29rLFxuICBCZWZvcmVSZWFkSG9vayBhcyBDb2xsZWN0aW9uQmVmb3JlUmVhZEhvb2ssXG4gIEJlZm9yZVZhbGlkYXRlSG9vayBhcyBDb2xsZWN0aW9uQmVmb3JlVmFsaWRhdGVIb29rLFxuICBDb2xsZWN0aW9uLFxuICBDb2xsZWN0aW9uQ29uZmlnLFxuICBTYW5pdGl6ZWRDb2xsZWN0aW9uQ29uZmlnLFxuICBUeXBlV2l0aElELFxufSBmcm9tICcuLy4uL2NvbGxlY3Rpb25zL2NvbmZpZy90eXBlcydcblxuZXhwb3J0IHsgQWNjZXNzLCBBY2Nlc3NBcmdzIH0gZnJvbSAnLi8uLi9jb25maWcvdHlwZXMnXG5cbmV4cG9ydCB7IERhdGFiYXNlQWRhcHRlciB9IGZyb20gJy4vLi4vZGF0YWJhc2UvdHlwZXMnXG5cbmV4cG9ydCB7XG4gIEFycmF5RmllbGQsXG4gIEJsb2NrLFxuICBCbG9ja0ZpZWxkLFxuICBDaGVja2JveEZpZWxkLFxuICBDb2RlRmllbGQsXG4gIENvbGxhcHNpYmxlRmllbGQsXG4gIENvbmRpdGlvbixcbiAgRGF0ZUZpZWxkLFxuICBFbWFpbEZpZWxkLFxuICBGaWVsZCxcbiAgRmllbGRBY2Nlc3MsXG4gIEZpZWxkQWZmZWN0aW5nRGF0YSxcbiAgRmllbGRCYXNlLFxuICBGaWVsZEhvb2ssXG4gIEZpZWxkSG9va0FyZ3MsXG4gIEZpZWxkUHJlc2VudGF0aW9uYWxPbmx5LFxuICBGaWVsZFdpdGhNYW55LFxuICBGaWVsZFdpdGhNYXhEZXB0aCxcbiAgRmllbGRXaXRoUGF0aCxcbiAgRmllbGRXaXRoU3ViRmllbGRzLFxuICBGaWx0ZXJPcHRpb25zLFxuICBGaWx0ZXJPcHRpb25zUHJvcHMsXG4gIEdyb3VwRmllbGQsXG4gIEhvb2tOYW1lLFxuICBKU09ORmllbGQsXG4gIExhYmVscyxcbiAgTmFtZWRUYWIsXG4gIE5vblByZXNlbnRhdGlvbmFsRmllbGQsXG4gIE51bWJlckZpZWxkLFxuICBPcHRpb24sXG4gIE9wdGlvbk9iamVjdCxcbiAgUG9pbnRGaWVsZCxcbiAgUmFkaW9GaWVsZCxcbiAgUmVsYXRpb25zaGlwRmllbGQsXG4gIFJlbGF0aW9uc2hpcFZhbHVlLFxuICBSaWNoVGV4dEZpZWxkLFxuICBSb3dBZG1pbixcbiAgUm93RmllbGQsXG4gIFNlbGVjdEZpZWxkLFxuICBUYWIsXG4gIFRhYkFzRmllbGQsXG4gIFRhYnNBZG1pbixcbiAgVGFic0ZpZWxkLFxuICBUZXh0RmllbGQsXG4gIFRleHRhcmVhRmllbGQsXG4gIFVJRmllbGQsXG4gIFVubmFtZWRUYWIsXG4gIFVwbG9hZEZpZWxkLFxuICBWYWxpZGF0ZSxcbiAgVmFsaWRhdGVPcHRpb25zLFxuICBWYWx1ZVdpdGhSZWxhdGlvbixcbiAgZmllbGRBZmZlY3RzRGF0YSxcbiAgZmllbGRIYXNNYXhEZXB0aCxcbiAgZmllbGRIYXNTdWJGaWVsZHMsXG4gIGZpZWxkSXNBcnJheVR5cGUsXG4gIGZpZWxkSXNCbG9ja1R5cGUsXG4gIGZpZWxkSXNMb2NhbGl6ZWQsXG4gIGZpZWxkSXNQcmVzZW50YXRpb25hbE9ubHksXG4gIGZpZWxkU3VwcG9ydHNNYW55LFxuICBvcHRpb25Jc09iamVjdCxcbiAgb3B0aW9uSXNWYWx1ZSxcbiAgb3B0aW9uc0FyZU9iamVjdHMsXG4gIHRhYkhhc05hbWUsXG4gIHZhbHVlSXNWYWx1ZVdpdGhSZWxhdGlvbixcbn0gZnJvbSAnLi8uLi9maWVsZHMvY29uZmlnL3R5cGVzJ1xuZXhwb3J0IHtcbiAgQWZ0ZXJDaGFuZ2VIb29rIGFzIEdsb2JhbEFmdGVyQ2hhbmdlSG9vayxcbiAgQWZ0ZXJSZWFkSG9vayBhcyBHbG9iYWxBZnRlclJlYWRIb29rLFxuICBCZWZvcmVDaGFuZ2VIb29rIGFzIEdsb2JhbEJlZm9yZUNoYW5nZUhvb2ssXG4gIEJlZm9yZVJlYWRIb29rIGFzIEdsb2JhbEJlZm9yZVJlYWRIb29rLFxuICBCZWZvcmVWYWxpZGF0ZUhvb2sgYXMgR2xvYmFsQmVmb3JlVmFsaWRhdGVIb29rLFxuICBHbG9iYWxDb25maWcsXG4gIFNhbml0aXplZEdsb2JhbENvbmZpZyxcbn0gZnJvbSAnLi8uLi9nbG9iYWxzL2NvbmZpZy90eXBlcydcblxuZXhwb3J0IHsgdmFsaWRPcGVyYXRvcnMgfSBmcm9tICcuLy4uL3R5cGVzL2NvbnN0YW50cydcbiJdLCJuYW1lcyI6WyJDdXN0b21QdWJsaXNoQnV0dG9uUHJvcHMiLCJDdXN0b21TYXZlQnV0dG9uUHJvcHMiLCJDdXN0b21TYXZlRHJhZnRCdXR0b25Qcm9wcyIsIlJvd0xhYmVsIiwiQ29sbGVjdGlvbkFmdGVyQ2hhbmdlSG9vayIsIkFmdGVyQ2hhbmdlSG9vayIsIkNvbGxlY3Rpb25BZnRlckRlbGV0ZUhvb2siLCJBZnRlckRlbGV0ZUhvb2siLCJDb2xsZWN0aW9uQWZ0ZXJGb3Jnb3RQYXNzd29yZEhvb2siLCJBZnRlckZvcmdvdFBhc3N3b3JkSG9vayIsIkNvbGxlY3Rpb25BZnRlckxvZ2luSG9vayIsIkFmdGVyTG9naW5Ib29rIiwiQ29sbGVjdGlvbkFmdGVyT3BlcmF0aW9uSG9vayIsIkFmdGVyT3BlcmF0aW9uSG9vayIsIkNvbGxlY3Rpb25BZnRlclJlYWRIb29rIiwiQWZ0ZXJSZWFkSG9vayIsIkNvbGxlY3Rpb25CZWZvcmVDaGFuZ2VIb29rIiwiQmVmb3JlQ2hhbmdlSG9vayIsIkNvbGxlY3Rpb25CZWZvcmVEZWxldGVIb29rIiwiQmVmb3JlRGVsZXRlSG9vayIsIkJlZm9yZUR1cGxpY2F0ZSIsIkNvbGxlY3Rpb25CZWZvcmVMb2dpbkhvb2siLCJCZWZvcmVMb2dpbkhvb2siLCJDb2xsZWN0aW9uQmVmb3JlT3BlcmF0aW9uSG9vayIsIkJlZm9yZU9wZXJhdGlvbkhvb2siLCJDb2xsZWN0aW9uQmVmb3JlUmVhZEhvb2siLCJCZWZvcmVSZWFkSG9vayIsIkNvbGxlY3Rpb25CZWZvcmVWYWxpZGF0ZUhvb2siLCJCZWZvcmVWYWxpZGF0ZUhvb2siLCJDb2xsZWN0aW9uIiwiQ29sbGVjdGlvbkNvbmZpZyIsIlNhbml0aXplZENvbGxlY3Rpb25Db25maWciLCJUeXBlV2l0aElEIiwiQWNjZXNzIiwiQWNjZXNzQXJncyIsIkRhdGFiYXNlQWRhcHRlciIsIkFycmF5RmllbGQiLCJCbG9jayIsIkJsb2NrRmllbGQiLCJDaGVja2JveEZpZWxkIiwiQ29kZUZpZWxkIiwiQ29sbGFwc2libGVGaWVsZCIsIkNvbmRpdGlvbiIsIkRhdGVGaWVsZCIsIkVtYWlsRmllbGQiLCJGaWVsZCIsIkZpZWxkQWNjZXNzIiwiRmllbGRBZmZlY3RpbmdEYXRhIiwiRmllbGRCYXNlIiwiRmllbGRIb29rIiwiRmllbGRIb29rQXJncyIsIkZpZWxkUHJlc2VudGF0aW9uYWxPbmx5IiwiRmllbGRXaXRoTWFueSIsIkZpZWxkV2l0aE1heERlcHRoIiwiRmllbGRXaXRoUGF0aCIsIkZpZWxkV2l0aFN1YkZpZWxkcyIsIkZpbHRlck9wdGlvbnMiLCJGaWx0ZXJPcHRpb25zUHJvcHMiLCJHcm91cEZpZWxkIiwiSG9va05hbWUiLCJKU09ORmllbGQiLCJMYWJlbHMiLCJOYW1lZFRhYiIsIk5vblByZXNlbnRhdGlvbmFsRmllbGQiLCJOdW1iZXJGaWVsZCIsIk9wdGlvbiIsIk9wdGlvbk9iamVjdCIsIlBvaW50RmllbGQiLCJSYWRpb0ZpZWxkIiwiUmVsYXRpb25zaGlwRmllbGQiLCJSZWxhdGlvbnNoaXBWYWx1ZSIsIlJpY2hUZXh0RmllbGQiLCJSb3dBZG1pbiIsIlJvd0ZpZWxkIiwiU2VsZWN0RmllbGQiLCJUYWIiLCJUYWJBc0ZpZWxkIiwiVGFic0FkbWluIiwiVGFic0ZpZWxkIiwiVGV4dEZpZWxkIiwiVGV4dGFyZWFGaWVsZCIsIlVJRmllbGQiLCJVbm5hbWVkVGFiIiwiVXBsb2FkRmllbGQiLCJWYWxpZGF0ZSIsIlZhbGlkYXRlT3B0aW9ucyIsIlZhbHVlV2l0aFJlbGF0aW9uIiwiZmllbGRBZmZlY3RzRGF0YSIsImZpZWxkSGFzTWF4RGVwdGgiLCJmaWVsZEhhc1N1YkZpZWxkcyIsImZpZWxkSXNBcnJheVR5cGUiLCJmaWVsZElzQmxvY2tUeXBlIiwiZmllbGRJc0xvY2FsaXplZCIsImZpZWxkSXNQcmVzZW50YXRpb25hbE9ubHkiLCJmaWVsZFN1cHBvcnRzTWFueSIsIm9wdGlvbklzT2JqZWN0Iiwib3B0aW9uSXNWYWx1ZSIsIm9wdGlvbnNBcmVPYmplY3RzIiwidGFiSGFzTmFtZSIsInZhbHVlSXNWYWx1ZVdpdGhSZWxhdGlvbiIsIkdsb2JhbEFmdGVyQ2hhbmdlSG9vayIsIkdsb2JhbEFmdGVyUmVhZEhvb2siLCJHbG9iYWxCZWZvcmVDaGFuZ2VIb29rIiwiR2xvYmFsQmVmb3JlUmVhZEhvb2siLCJHbG9iYWxCZWZvcmVWYWxpZGF0ZUhvb2siLCJHbG9iYWxDb25maWciLCJTYW5pdGl6ZWRHbG9iYWxDb25maWciLCJ2YWxpZE9wZXJhdG9ycyJdLCJtYXBwaW5ncyI6Ijs7Ozs7Ozs7Ozs7SUFpQkVBLHdCQUF3QjtlQUF4QkEsK0JBQXdCOztJQUN4QkMscUJBQXFCO2VBQXJCQSw0QkFBcUI7O0lBQ3JCQywwQkFBMEI7ZUFBMUJBLGlDQUEwQjs7SUFHbkJDLFFBQVE7ZUFBUkEsZ0JBQVE7O0lBR0lDLHlCQUF5QjtlQUE1Q0MsdUJBQWU7O0lBQ0lDLHlCQUF5QjtlQUE1Q0MsdUJBQWU7O0lBQ1lDLGlDQUFpQztlQUE1REMsK0JBQXVCOztJQUNMQyx3QkFBd0I7ZUFBMUNDLHNCQUFjOztJQUNRQyw0QkFBNEI7ZUFBbERDLDBCQUFrQjs7SUFDREMsdUJBQXVCO2VBQXhDQyxxQkFBYTs7SUFDT0MsMEJBQTBCO2VBQTlDQyx3QkFBZ0I7O0lBQ0lDLDBCQUEwQjtlQUE5Q0Msd0JBQWdCOztJQUNoQkMsZUFBZTtlQUFmQSx1QkFBZTs7SUFDSUMseUJBQXlCO2VBQTVDQyx1QkFBZTs7SUFDUUMsNkJBQTZCO2VBQXBEQywyQkFBbUI7O0lBQ0RDLHdCQUF3QjtlQUExQ0Msc0JBQWM7O0lBQ1FDLDRCQUE0QjtlQUFsREMsMEJBQWtCOztJQUNsQkMsVUFBVTtlQUFWQSxrQkFBVTs7SUFDVkMsZ0JBQWdCO2VBQWhCQSx3QkFBZ0I7O0lBQ2hCQyx5QkFBeUI7ZUFBekJBLGlDQUF5Qjs7SUFDekJDLFVBQVU7ZUFBVkEsa0JBQVU7O0lBR0hDLE1BQU07ZUFBTkEsY0FBTTs7SUFBRUMsVUFBVTtlQUFWQSxrQkFBVTs7SUFFbEJDLGVBQWU7ZUFBZkEsdUJBQWU7O0lBR3RCQyxVQUFVO2VBQVZBLGtCQUFVOztJQUNWQyxLQUFLO2VBQUxBLGFBQUs7O0lBQ0xDLFVBQVU7ZUFBVkEsa0JBQVU7O0lBQ1ZDLGFBQWE7ZUFBYkEscUJBQWE7O0lBQ2JDLFNBQVM7ZUFBVEEsaUJBQVM7O0lBQ1RDLGdCQUFnQjtlQUFoQkEsd0JBQWdCOztJQUNoQkMsU0FBUztlQUFUQSxpQkFBUzs7SUFDVEMsU0FBUztlQUFUQSxpQkFBUzs7SUFDVEMsVUFBVTtlQUFWQSxrQkFBVTs7SUFDVkMsS0FBSztlQUFMQSxhQUFLOztJQUNMQyxXQUFXO2VBQVhBLG1CQUFXOztJQUNYQyxrQkFBa0I7ZUFBbEJBLDBCQUFrQjs7SUFDbEJDLFNBQVM7ZUFBVEEsaUJBQVM7O0lBQ1RDLFNBQVM7ZUFBVEEsaUJBQVM7O0lBQ1RDLGFBQWE7ZUFBYkEscUJBQWE7O0lBQ2JDLHVCQUF1QjtlQUF2QkEsK0JBQXVCOztJQUN2QkMsYUFBYTtlQUFiQSxxQkFBYTs7SUFDYkMsaUJBQWlCO2VBQWpCQSx5QkFBaUI7O0lBQ2pCQyxhQUFhO2VBQWJBLHFCQUFhOztJQUNiQyxrQkFBa0I7ZUFBbEJBLDBCQUFrQjs7SUFDbEJDLGFBQWE7ZUFBYkEscUJBQWE7O0lBQ2JDLGtCQUFrQjtlQUFsQkEsMEJBQWtCOztJQUNsQkMsVUFBVTtlQUFWQSxrQkFBVTs7SUFDVkMsUUFBUTtlQUFSQSxnQkFBUTs7SUFDUkMsU0FBUztlQUFUQSxpQkFBUzs7SUFDVEMsTUFBTTtlQUFOQSxjQUFNOztJQUNOQyxRQUFRO2VBQVJBLGdCQUFROztJQUNSQyxzQkFBc0I7ZUFBdEJBLDhCQUFzQjs7SUFDdEJDLFdBQVc7ZUFBWEEsbUJBQVc7O0lBQ1hDLE1BQU07ZUFBTkEsY0FBTTs7SUFDTkMsWUFBWTtlQUFaQSxvQkFBWTs7SUFDWkMsVUFBVTtlQUFWQSxrQkFBVTs7SUFDVkMsVUFBVTtlQUFWQSxrQkFBVTs7SUFDVkMsaUJBQWlCO2VBQWpCQSx5QkFBaUI7O0lBQ2pCQyxpQkFBaUI7ZUFBakJBLHlCQUFpQjs7SUFDakJDLGFBQWE7ZUFBYkEscUJBQWE7O0lBQ2JDLFFBQVE7ZUFBUkEsZ0JBQVE7O0lBQ1JDLFFBQVE7ZUFBUkEsZ0JBQVE7O0lBQ1JDLFdBQVc7ZUFBWEEsbUJBQVc7O0lBQ1hDLEdBQUc7ZUFBSEEsV0FBRzs7SUFDSEMsVUFBVTtlQUFWQSxrQkFBVTs7SUFDVkMsU0FBUztlQUFUQSxpQkFBUzs7SUFDVEMsU0FBUztlQUFUQSxpQkFBUzs7SUFDVEMsU0FBUztlQUFUQSxpQkFBUzs7SUFDVEMsYUFBYTtlQUFiQSxxQkFBYTs7SUFDYkMsT0FBTztlQUFQQSxlQUFPOztJQUNQQyxVQUFVO2VBQVZBLGtCQUFVOztJQUNWQyxXQUFXO2VBQVhBLG1CQUFXOztJQUNYQyxRQUFRO2VBQVJBLGdCQUFROztJQUNSQyxlQUFlO2VBQWZBLHVCQUFlOztJQUNmQyxpQkFBaUI7ZUFBakJBLHlCQUFpQjs7SUFDakJDLGdCQUFnQjtlQUFoQkEsd0JBQWdCOztJQUNoQkMsZ0JBQWdCO2VBQWhCQSx3QkFBZ0I7O0lBQ2hCQyxpQkFBaUI7ZUFBakJBLHlCQUFpQjs7SUFDakJDLGdCQUFnQjtlQUFoQkEsd0JBQWdCOztJQUNoQkMsZ0JBQWdCO2VBQWhCQSx3QkFBZ0I7O0lBQ2hCQyxnQkFBZ0I7ZUFBaEJBLHdCQUFnQjs7SUFDaEJDLHlCQUF5QjtlQUF6QkEsaUNBQXlCOztJQUN6QkMsaUJBQWlCO2VBQWpCQSx5QkFBaUI7O0lBQ2pCQyxjQUFjO2VBQWRBLHNCQUFjOztJQUNkQyxhQUFhO2VBQWJBLHFCQUFhOztJQUNiQyxpQkFBaUI7ZUFBakJBLHlCQUFpQjs7SUFDakJDLFVBQVU7ZUFBVkEsa0JBQVU7O0lBQ1ZDLHdCQUF3QjtlQUF4QkEsZ0NBQXdCOztJQUdMQyxxQkFBcUI7ZUFBeEMvRix1QkFBZTs7SUFDRWdHLG1CQUFtQjtlQUFwQ3RGLHFCQUFhOztJQUNPdUYsc0JBQXNCO2VBQTFDckYsd0JBQWdCOztJQUNFc0Ysb0JBQW9CO2VBQXRDN0Usc0JBQWM7O0lBQ1E4RSx3QkFBd0I7ZUFBOUM1RSwwQkFBa0I7O0lBQ2xCNkUsWUFBWTtlQUFaQSxvQkFBWTs7SUFDWkMscUJBQXFCO2VBQXJCQSw2QkFBcUI7O0lBR2RDLGNBQWM7ZUFBZEEseUJBQWM7OztxQkE1SFQ7dUJBb0JQO3dCQUVrQjt3QkFvQmxCO3dCQUU0Qjt3QkFFSDt3QkFtRXpCO3dCQVNBOzJCQUV3QiJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uL3NyYy9leHBvcnRzL3R5cGVzLnRzIl0sInNvdXJjZXNDb250ZW50IjpbImV4cG9ydCAqIGZyb20gJy4vLi4vdHlwZXMnXG5cbmV4cG9ydCB0eXBlIHtcbiAgQ3JlYXRlRm9ybURhdGEsXG4gIEZpZWxkcyxcbiAgRm9ybUZpZWxkLFxuICBGb3JtRmllbGRzQ29udGV4dCxcbn0gZnJvbSAnLi4vYWRtaW4vY29tcG9uZW50cy9mb3Jtcy9Gb3JtL3R5cGVzJ1xuXG5leHBvcnQgdHlwZSB7XG4gIFJpY2hUZXh0QWRhcHRlcixcbiAgUmljaFRleHRGaWVsZFByb3BzLFxufSBmcm9tICcuLi9hZG1pbi9jb21wb25lbnRzL2Zvcm1zL2ZpZWxkLXR5cGVzL1JpY2hUZXh0L3R5cGVzJ1xuXG5leHBvcnQgdHlwZSB7IENlbGxDb21wb25lbnRQcm9wcyB9IGZyb20gJy4uL2FkbWluL2NvbXBvbmVudHMvdmlld3MvY29sbGVjdGlvbnMvTGlzdC9DZWxsL3R5cGVzJ1xuXG5leHBvcnQge1xuICBDdXN0b21QdWJsaXNoQnV0dG9uUHJvcHMsXG4gIEN1c3RvbVNhdmVCdXR0b25Qcm9wcyxcbiAgQ3VzdG9tU2F2ZURyYWZ0QnV0dG9uUHJvcHMsXG59IGZyb20gJy4vLi4vYWRtaW4vY29tcG9uZW50cy9lbGVtZW50cy90eXBlcydcblxuZXhwb3J0IHsgUm93TGFiZWwgfSBmcm9tICcuLy4uL2FkbWluL2NvbXBvbmVudHMvZm9ybXMvUm93TGFiZWwvdHlwZXMnXG5cbmV4cG9ydCB7XG4gIEFmdGVyQ2hhbmdlSG9vayBhcyBDb2xsZWN0aW9uQWZ0ZXJDaGFuZ2VIb29rLFxuICBBZnRlckRlbGV0ZUhvb2sgYXMgQ29sbGVjdGlvbkFmdGVyRGVsZXRlSG9vayxcbiAgQWZ0ZXJGb3Jnb3RQYXNzd29yZEhvb2sgYXMgQ29sbGVjdGlvbkFmdGVyRm9yZ290UGFzc3dvcmRIb29rLFxuICBBZnRlckxvZ2luSG9vayBhcyBDb2xsZWN0aW9uQWZ0ZXJMb2dpbkhvb2ssXG4gIEFmdGVyT3BlcmF0aW9uSG9vayBhcyBDb2xsZWN0aW9uQWZ0ZXJPcGVyYXRpb25Ib29rLFxuICBBZnRlclJlYWRIb29rIGFzIENvbGxlY3Rpb25BZnRlclJlYWRIb29rLFxuICBCZWZvcmVDaGFuZ2VIb29rIGFzIENvbGxlY3Rpb25CZWZvcmVDaGFuZ2VIb29rLFxuICBCZWZvcmVEZWxldGVIb29rIGFzIENvbGxlY3Rpb25CZWZvcmVEZWxldGVIb29rLFxuICBCZWZvcmVEdXBsaWNhdGUsXG4gIEJlZm9yZUxvZ2luSG9vayBhcyBDb2xsZWN0aW9uQmVmb3JlTG9naW5Ib29rLFxuICBCZWZvcmVPcGVyYXRpb25Ib29rIGFzIENvbGxlY3Rpb25CZWZvcmVPcGVyYXRpb25Ib29rLFxuICBCZWZvcmVSZWFkSG9vayBhcyBDb2xsZWN0aW9uQmVmb3JlUmVhZEhvb2ssXG4gIEJlZm9yZVZhbGlkYXRlSG9vayBhcyBDb2xsZWN0aW9uQmVmb3JlVmFsaWRhdGVIb29rLFxuICBDb2xsZWN0aW9uLFxuICBDb2xsZWN0aW9uQ29uZmlnLFxuICBTYW5pdGl6ZWRDb2xsZWN0aW9uQ29uZmlnLFxuICBUeXBlV2l0aElELFxufSBmcm9tICcuLy4uL2NvbGxlY3Rpb25zL2NvbmZpZy90eXBlcydcblxuZXhwb3J0IHsgQWNjZXNzLCBBY2Nlc3NBcmdzIH0gZnJvbSAnLi8uLi9jb25maWcvdHlwZXMnXG5cbmV4cG9ydCB7IERhdGFiYXNlQWRhcHRlciB9IGZyb20gJy4vLi4vZGF0YWJhc2UvdHlwZXMnXG5cbmV4cG9ydCB7XG4gIEFycmF5RmllbGQsXG4gIEJsb2NrLFxuICBCbG9ja0ZpZWxkLFxuICBDaGVja2JveEZpZWxkLFxuICBDb2RlRmllbGQsXG4gIENvbGxhcHNpYmxlRmllbGQsXG4gIENvbmRpdGlvbixcbiAgRGF0ZUZpZWxkLFxuICBFbWFpbEZpZWxkLFxuICBGaWVsZCxcbiAgRmllbGRBY2Nlc3MsXG4gIEZpZWxkQWZmZWN0aW5nRGF0YSxcbiAgRmllbGRCYXNlLFxuICBGaWVsZEhvb2ssXG4gIEZpZWxkSG9va0FyZ3MsXG4gIEZpZWxkUHJlc2VudGF0aW9uYWxPbmx5LFxuICBGaWVsZFdpdGhNYW55LFxuICBGaWVsZFdpdGhNYXhEZXB0aCxcbiAgRmllbGRXaXRoUGF0aCxcbiAgRmllbGRXaXRoU3ViRmllbGRzLFxuICBGaWx0ZXJPcHRpb25zLFxuICBGaWx0ZXJPcHRpb25zUHJvcHMsXG4gIEdyb3VwRmllbGQsXG4gIEhvb2tOYW1lLFxuICBKU09ORmllbGQsXG4gIExhYmVscyxcbiAgTmFtZWRUYWIsXG4gIE5vblByZXNlbnRhdGlvbmFsRmllbGQsXG4gIE51bWJlckZpZWxkLFxuICBPcHRpb24sXG4gIE9wdGlvbk9iamVjdCxcbiAgUG9pbnRGaWVsZCxcbiAgUmFkaW9GaWVsZCxcbiAgUmVsYXRpb25zaGlwRmllbGQsXG4gIFJlbGF0aW9uc2hpcFZhbHVlLFxuICBSaWNoVGV4dEZpZWxkLFxuICBSb3dBZG1pbixcbiAgUm93RmllbGQsXG4gIFNlbGVjdEZpZWxkLFxuICBUYWIsXG4gIFRhYkFzRmllbGQsXG4gIFRhYnNBZG1pbixcbiAgVGFic0ZpZWxkLFxuICBUZXh0RmllbGQsXG4gIFRleHRhcmVhRmllbGQsXG4gIFVJRmllbGQsXG4gIFVubmFtZWRUYWIsXG4gIFVwbG9hZEZpZWxkLFxuICBWYWxpZGF0ZSxcbiAgVmFsaWRhdGVPcHRpb25zLFxuICBWYWx1ZVdpdGhSZWxhdGlvbixcbiAgZmllbGRBZmZlY3RzRGF0YSxcbiAgZmllbGRIYXNNYXhEZXB0aCxcbiAgZmllbGRIYXNTdWJGaWVsZHMsXG4gIGZpZWxkSXNBcnJheVR5cGUsXG4gIGZpZWxkSXNCbG9ja1R5cGUsXG4gIGZpZWxkSXNMb2NhbGl6ZWQsXG4gIGZpZWxkSXNQcmVzZW50YXRpb25hbE9ubHksXG4gIGZpZWxkU3VwcG9ydHNNYW55LFxuICBvcHRpb25Jc09iamVjdCxcbiAgb3B0aW9uSXNWYWx1ZSxcbiAgb3B0aW9uc0FyZU9iamVjdHMsXG4gIHRhYkhhc05hbWUsXG4gIHZhbHVlSXNWYWx1ZVdpdGhSZWxhdGlvbixcbn0gZnJvbSAnLi8uLi9maWVsZHMvY29uZmlnL3R5cGVzJ1xuZXhwb3J0IHtcbiAgQWZ0ZXJDaGFuZ2VIb29rIGFzIEdsb2JhbEFmdGVyQ2hhbmdlSG9vayxcbiAgQWZ0ZXJSZWFkSG9vayBhcyBHbG9iYWxBZnRlclJlYWRIb29rLFxuICBCZWZvcmVDaGFuZ2VIb29rIGFzIEdsb2JhbEJlZm9yZUNoYW5nZUhvb2ssXG4gIEJlZm9yZVJlYWRIb29rIGFzIEdsb2JhbEJlZm9yZVJlYWRIb29rLFxuICBCZWZvcmVWYWxpZGF0ZUhvb2sgYXMgR2xvYmFsQmVmb3JlVmFsaWRhdGVIb29rLFxuICBHbG9iYWxDb25maWcsXG4gIFNhbml0aXplZEdsb2JhbENvbmZpZyxcbn0gZnJvbSAnLi8uLi9nbG9iYWxzL2NvbmZpZy90eXBlcydcblxuZXhwb3J0IHsgdmFsaWRPcGVyYXRvcnMgfSBmcm9tICcuLy4uL3R5cGVzL2NvbnN0YW50cydcbiJdLCJuYW1lcyI6WyJDdXN0b21QdWJsaXNoQnV0dG9uUHJvcHMiLCJDdXN0b21TYXZlQnV0dG9uUHJvcHMiLCJDdXN0b21TYXZlRHJhZnRCdXR0b25Qcm9wcyIsIlJvd0xhYmVsIiwiQ29sbGVjdGlvbkFmdGVyQ2hhbmdlSG9vayIsIkFmdGVyQ2hhbmdlSG9vayIsIkNvbGxlY3Rpb25BZnRlckRlbGV0ZUhvb2siLCJBZnRlckRlbGV0ZUhvb2siLCJDb2xsZWN0aW9uQWZ0ZXJGb3Jnb3RQYXNzd29yZEhvb2siLCJBZnRlckZvcmdvdFBhc3N3b3JkSG9vayIsIkNvbGxlY3Rpb25BZnRlckxvZ2luSG9vayIsIkFmdGVyTG9naW5Ib29rIiwiQ29sbGVjdGlvbkFmdGVyT3BlcmF0aW9uSG9vayIsIkFmdGVyT3BlcmF0aW9uSG9vayIsIkNvbGxlY3Rpb25BZnRlclJlYWRIb29rIiwiQWZ0ZXJSZWFkSG9vayIsIkNvbGxlY3Rpb25CZWZvcmVDaGFuZ2VIb29rIiwiQmVmb3JlQ2hhbmdlSG9vayIsIkNvbGxlY3Rpb25CZWZvcmVEZWxldGVIb29rIiwiQmVmb3JlRGVsZXRlSG9vayIsIkJlZm9yZUR1cGxpY2F0ZSIsIkNvbGxlY3Rpb25CZWZvcmVMb2dpbkhvb2siLCJCZWZvcmVMb2dpbkhvb2siLCJDb2xsZWN0aW9uQmVmb3JlT3BlcmF0aW9uSG9vayIsIkJlZm9yZU9wZXJhdGlvbkhvb2siLCJDb2xsZWN0aW9uQmVmb3JlUmVhZEhvb2siLCJCZWZvcmVSZWFkSG9vayIsIkNvbGxlY3Rpb25CZWZvcmVWYWxpZGF0ZUhvb2siLCJCZWZvcmVWYWxpZGF0ZUhvb2siLCJDb2xsZWN0aW9uIiwiQ29sbGVjdGlvbkNvbmZpZyIsIlNhbml0aXplZENvbGxlY3Rpb25Db25maWciLCJUeXBlV2l0aElEIiwiQWNjZXNzIiwiQWNjZXNzQXJncyIsIkRhdGFiYXNlQWRhcHRlciIsIkFycmF5RmllbGQiLCJCbG9jayIsIkJsb2NrRmllbGQiLCJDaGVja2JveEZpZWxkIiwiQ29kZUZpZWxkIiwiQ29sbGFwc2libGVGaWVsZCIsIkNvbmRpdGlvbiIsIkRhdGVGaWVsZCIsIkVtYWlsRmllbGQiLCJGaWVsZCIsIkZpZWxkQWNjZXNzIiwiRmllbGRBZmZlY3RpbmdEYXRhIiwiRmllbGRCYXNlIiwiRmllbGRIb29rIiwiRmllbGRIb29rQXJncyIsIkZpZWxkUHJlc2VudGF0aW9uYWxPbmx5IiwiRmllbGRXaXRoTWFueSIsIkZpZWxkV2l0aE1heERlcHRoIiwiRmllbGRXaXRoUGF0aCIsIkZpZWxkV2l0aFN1YkZpZWxkcyIsIkZpbHRlck9wdGlvbnMiLCJGaWx0ZXJPcHRpb25zUHJvcHMiLCJHcm91cEZpZWxkIiwiSG9va05hbWUiLCJKU09ORmllbGQiLCJMYWJlbHMiLCJOYW1lZFRhYiIsIk5vblByZXNlbnRhdGlvbmFsRmllbGQiLCJOdW1iZXJGaWVsZCIsIk9wdGlvbiIsIk9wdGlvbk9iamVjdCIsIlBvaW50RmllbGQiLCJSYWRpb0ZpZWxkIiwiUmVsYXRpb25zaGlwRmllbGQiLCJSZWxhdGlvbnNoaXBWYWx1ZSIsIlJpY2hUZXh0RmllbGQiLCJSb3dBZG1pbiIsIlJvd0ZpZWxkIiwiU2VsZWN0RmllbGQiLCJUYWIiLCJUYWJBc0ZpZWxkIiwiVGFic0FkbWluIiwiVGFic0ZpZWxkIiwiVGV4dEZpZWxkIiwiVGV4dGFyZWFGaWVsZCIsIlVJRmllbGQiLCJVbm5hbWVkVGFiIiwiVXBsb2FkRmllbGQiLCJWYWxpZGF0ZSIsIlZhbGlkYXRlT3B0aW9ucyIsIlZhbHVlV2l0aFJlbGF0aW9uIiwiZmllbGRBZmZlY3RzRGF0YSIsImZpZWxkSGFzTWF4RGVwdGgiLCJmaWVsZEhhc1N1YkZpZWxkcyIsImZpZWxkSXNBcnJheVR5cGUiLCJmaWVsZElzQmxvY2tUeXBlIiwiZmllbGRJc0xvY2FsaXplZCIsImZpZWxkSXNQcmVzZW50YXRpb25hbE9ubHkiLCJmaWVsZFN1cHBvcnRzTWFueSIsIm9wdGlvbklzT2JqZWN0Iiwib3B0aW9uSXNWYWx1ZSIsIm9wdGlvbnNBcmVPYmplY3RzIiwidGFiSGFzTmFtZSIsInZhbHVlSXNWYWx1ZVdpdGhSZWxhdGlvbiIsIkdsb2JhbEFmdGVyQ2hhbmdlSG9vayIsIkdsb2JhbEFmdGVyUmVhZEhvb2siLCJHbG9iYWxCZWZvcmVDaGFuZ2VIb29rIiwiR2xvYmFsQmVmb3JlUmVhZEhvb2siLCJHbG9iYWxCZWZvcmVWYWxpZGF0ZUhvb2siLCJHbG9iYWxDb25maWciLCJTYW5pdGl6ZWRHbG9iYWxDb25maWciLCJ2YWxpZE9wZXJhdG9ycyJdLCJtYXBwaW5ncyI6Ijs7Ozs7Ozs7Ozs7SUFpQkVBLHdCQUF3QjtlQUF4QkEsK0JBQXdCOztJQUN4QkMscUJBQXFCO2VBQXJCQSw0QkFBcUI7O0lBQ3JCQywwQkFBMEI7ZUFBMUJBLGlDQUEwQjs7SUFHbkJDLFFBQVE7ZUFBUkEsZ0JBQVE7O0lBR0lDLHlCQUF5QjtlQUE1Q0MsdUJBQWU7O0lBQ0lDLHlCQUF5QjtlQUE1Q0MsdUJBQWU7O0lBQ1lDLGlDQUFpQztlQUE1REMsK0JBQXVCOztJQUNMQyx3QkFBd0I7ZUFBMUNDLHNCQUFjOztJQUNRQyw0QkFBNEI7ZUFBbERDLDBCQUFrQjs7SUFDREMsdUJBQXVCO2VBQXhDQyxxQkFBYTs7SUFDT0MsMEJBQTBCO2VBQTlDQyx3QkFBZ0I7O0lBQ0lDLDBCQUEwQjtlQUE5Q0Msd0JBQWdCOztJQUNoQkMsZUFBZTtlQUFmQSx1QkFBZTs7SUFDSUMseUJBQXlCO2VBQTVDQyx1QkFBZTs7SUFDUUMsNkJBQTZCO2VBQXBEQywyQkFBbUI7O0lBQ0RDLHdCQUF3QjtlQUExQ0Msc0JBQWM7O0lBQ1FDLDRCQUE0QjtlQUFsREMsMEJBQWtCOztJQUNsQkMsVUFBVTtlQUFWQSxrQkFBVTs7SUFDVkMsZ0JBQWdCO2VBQWhCQSx3QkFBZ0I7O0lBQ2hCQyx5QkFBeUI7ZUFBekJBLGlDQUF5Qjs7SUFDekJDLFVBQVU7ZUFBVkEsa0JBQVU7O0lBR0hDLE1BQU07ZUFBTkEsY0FBTTs7SUFBRUMsVUFBVTtlQUFWQSxrQkFBVTs7SUFFbEJDLGVBQWU7ZUFBZkEsdUJBQWU7O0lBR3RCQyxVQUFVO2VBQVZBLGtCQUFVOztJQUNWQyxLQUFLO2VBQUxBLGFBQUs7O0lBQ0xDLFVBQVU7ZUFBVkEsa0JBQVU7O0lBQ1ZDLGFBQWE7ZUFBYkEscUJBQWE7O0lBQ2JDLFNBQVM7ZUFBVEEsaUJBQVM7O0lBQ1RDLGdCQUFnQjtlQUFoQkEsd0JBQWdCOztJQUNoQkMsU0FBUztlQUFUQSxpQkFBUzs7SUFDVEMsU0FBUztlQUFUQSxpQkFBUzs7SUFDVEMsVUFBVTtlQUFWQSxrQkFBVTs7SUFDVkMsS0FBSztlQUFMQSxhQUFLOztJQUNMQyxXQUFXO2VBQVhBLG1CQUFXOztJQUNYQyxrQkFBa0I7ZUFBbEJBLDBCQUFrQjs7SUFDbEJDLFNBQVM7ZUFBVEEsaUJBQVM7O0lBQ1RDLFNBQVM7ZUFBVEEsaUJBQVM7O0lBQ1RDLGFBQWE7ZUFBYkEscUJBQWE7O0lBQ2JDLHVCQUF1QjtlQUF2QkEsK0JBQXVCOztJQUN2QkMsYUFBYTtlQUFiQSxxQkFBYTs7SUFDYkMsaUJBQWlCO2VBQWpCQSx5QkFBaUI7O0lBQ2pCQyxhQUFhO2VBQWJBLHFCQUFhOztJQUNiQyxrQkFBa0I7ZUFBbEJBLDBCQUFrQjs7SUFDbEJDLGFBQWE7ZUFBYkEscUJBQWE7O0lBQ2JDLGtCQUFrQjtlQUFsQkEsMEJBQWtCOztJQUNsQkMsVUFBVTtlQUFWQSxrQkFBVTs7SUFDVkMsUUFBUTtlQUFSQSxnQkFBUTs7SUFDUkMsU0FBUztlQUFUQSxpQkFBUzs7SUFDVEMsTUFBTTtlQUFOQSxjQUFNOztJQUNOQyxRQUFRO2VBQVJBLGdCQUFROztJQUNSQyxzQkFBc0I7ZUFBdEJBLDhCQUFzQjs7SUFDdEJDLFdBQVc7ZUFBWEEsbUJBQVc7O0lBQ1hDLE1BQU07ZUFBTkEsY0FBTTs7SUFDTkMsWUFBWTtlQUFaQSxvQkFBWTs7SUFDWkMsVUFBVTtlQUFWQSxrQkFBVTs7SUFDVkMsVUFBVTtlQUFWQSxrQkFBVTs7SUFDVkMsaUJBQWlCO2VBQWpCQSx5QkFBaUI7O0lBQ2pCQyxpQkFBaUI7ZUFBakJBLHlCQUFpQjs7SUFDakJDLGFBQWE7ZUFBYkEscUJBQWE7O0lBQ2JDLFFBQVE7ZUFBUkEsZ0JBQVE7O0lBQ1JDLFFBQVE7ZUFBUkEsZ0JBQVE7O0lBQ1JDLFdBQVc7ZUFBWEEsbUJBQVc7O0lBQ1hDLEdBQUc7ZUFBSEEsV0FBRzs7SUFDSEMsVUFBVTtlQUFWQSxrQkFBVTs7SUFDVkMsU0FBUztlQUFUQSxpQkFBUzs7SUFDVEMsU0FBUztlQUFUQSxpQkFBUzs7SUFDVEMsU0FBUztlQUFUQSxpQkFBUzs7SUFDVEMsYUFBYTtlQUFiQSxxQkFBYTs7SUFDYkMsT0FBTztlQUFQQSxlQUFPOztJQUNQQyxVQUFVO2VBQVZBLGtCQUFVOztJQUNWQyxXQUFXO2VBQVhBLG1CQUFXOztJQUNYQyxRQUFRO2VBQVJBLGdCQUFROztJQUNSQyxlQUFlO2VBQWZBLHVCQUFlOztJQUNmQyxpQkFBaUI7ZUFBakJBLHlCQUFpQjs7SUFDakJDLGdCQUFnQjtlQUFoQkEsd0JBQWdCOztJQUNoQkMsZ0JBQWdCO2VBQWhCQSx3QkFBZ0I7O0lBQ2hCQyxpQkFBaUI7ZUFBakJBLHlCQUFpQjs7SUFDakJDLGdCQUFnQjtlQUFoQkEsd0JBQWdCOztJQUNoQkMsZ0JBQWdCO2VBQWhCQSx3QkFBZ0I7O0lBQ2hCQyxnQkFBZ0I7ZUFBaEJBLHdCQUFnQjs7SUFDaEJDLHlCQUF5QjtlQUF6QkEsaUNBQXlCOztJQUN6QkMsaUJBQWlCO2VBQWpCQSx5QkFBaUI7O0lBQ2pCQyxjQUFjO2VBQWRBLHNCQUFjOztJQUNkQyxhQUFhO2VBQWJBLHFCQUFhOztJQUNiQyxpQkFBaUI7ZUFBakJBLHlCQUFpQjs7SUFDakJDLFVBQVU7ZUFBVkEsa0JBQVU7O0lBQ1ZDLHdCQUF3QjtlQUF4QkEsZ0NBQXdCOztJQUdMQyxxQkFBcUI7ZUFBeEMvRix1QkFBZTs7SUFDRWdHLG1CQUFtQjtlQUFwQ3RGLHFCQUFhOztJQUNPdUYsc0JBQXNCO2VBQTFDckYsd0JBQWdCOztJQUNFc0Ysb0JBQW9CO2VBQXRDN0Usc0JBQWM7O0lBQ1E4RSx3QkFBd0I7ZUFBOUM1RSwwQkFBa0I7O0lBQ2xCNkUsWUFBWTtlQUFaQSxvQkFBWTs7SUFDWkMscUJBQXFCO2VBQXJCQSw2QkFBcUI7O0lBR2RDLGNBQWM7ZUFBZEEseUJBQWM7OztxQkE1SFQ7dUJBb0JQO3dCQUVrQjt3QkFvQmxCO3dCQUU0Qjt3QkFFSDt3QkFtRXpCO3dCQVNBOzJCQUV3QiJ9
\ No newline at end of file
diff --git a/packages/payload/utilities.d.ts b/packages/payload/utilities.d.ts
index 69a842ab36d..af628855622 100644
--- a/packages/payload/utilities.d.ts
+++ b/packages/payload/utilities.d.ts
@@ -1,10 +1,10 @@
-export { extractTranslations } from './dist/translations/extractTranslations'
-export { i18nInit } from './dist/translations/init'
-export { combineMerge } from './dist/utilities/combineMerge'
-export { configToJSONSchema, entityToJSONSchema } from './dist/utilities/configToJSONSchema'
-export { createArrayFromCommaDelineated } from './dist/utilities/createArrayFromCommaDelineated'
-export { deepCopyObject } from './dist/utilities/deepCopyObject'
-export { deepMerge } from './dist/utilities/deepMerge'
-export { default as flattenTopLevelFields } from './dist/utilities/flattenTopLevelFields'
-export { getTranslation } from './dist/utilities/getTranslation'
-//# sourceMappingURL=utilities.d.ts.map
+export { extractTranslations } from './dist/translations/extractTranslations';
+export { i18nInit } from './dist/translations/init';
+export { combineMerge } from './dist/utilities/combineMerge';
+export { configToJSONSchema, entityToJSONSchema } from './dist/utilities/configToJSONSchema';
+export { createArrayFromCommaDelineated } from './dist/utilities/createArrayFromCommaDelineated';
+export { deepCopyObject } from './dist/utilities/deepCopyObject';
+export { deepMerge } from './dist/utilities/deepMerge';
+export { default as flattenTopLevelFields } from './dist/utilities/flattenTopLevelFields';
+export { getTranslation } from './dist/utilities/getTranslation';
+//# sourceMappingURL=utilities.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/utilities.js b/packages/payload/utilities.js
index 9a703b5695a..eae43ecd769 100644
--- a/packages/payload/utilities.js
+++ b/packages/payload/utilities.js
@@ -1,63 +1,58 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
function _export(target, all) {
- for (var name in all)
- Object.defineProperty(target, name, {
- enumerable: true,
- get: all[name],
- })
+ for(var name in all)Object.defineProperty(target, name, {
+ enumerable: true,
+ get: all[name]
+ });
}
_export(exports, {
- combineMerge: function () {
- return _combineMerge.combineMerge
- },
- configToJSONSchema: function () {
- return _configToJSONSchema.configToJSONSchema
- },
- createArrayFromCommaDelineated: function () {
- return _createArrayFromCommaDelineated.createArrayFromCommaDelineated
- },
- deepCopyObject: function () {
- return _deepCopyObject.deepCopyObject
- },
- deepMerge: function () {
- return _deepMerge.deepMerge
- },
- entityToJSONSchema: function () {
- return _configToJSONSchema.entityToJSONSchema
- },
- extractTranslations: function () {
- return _extractTranslations.extractTranslations
- },
- flattenTopLevelFields: function () {
- return _flattenTopLevelFields.default
- },
- getTranslation: function () {
- return _getTranslation.getTranslation
- },
- i18nInit: function () {
- return _init.i18nInit
- },
-})
-const _extractTranslations = require('./dist/translations/extractTranslations')
-const _init = require('./dist/translations/init')
-const _combineMerge = require('./dist/utilities/combineMerge')
-const _configToJSONSchema = require('./dist/utilities/configToJSONSchema')
-const _createArrayFromCommaDelineated = require('./dist/utilities/createArrayFromCommaDelineated')
-const _deepCopyObject = require('./dist/utilities/deepCopyObject')
-const _deepMerge = require('./dist/utilities/deepMerge')
-const _flattenTopLevelFields = /*#__PURE__*/ _interop_require_default(
- require('./dist/utilities/flattenTopLevelFields'),
-)
-const _getTranslation = require('./dist/utilities/getTranslation')
+ extractTranslations: function() {
+ return _extractTranslations.extractTranslations;
+ },
+ i18nInit: function() {
+ return _init.i18nInit;
+ },
+ combineMerge: function() {
+ return _combineMerge.combineMerge;
+ },
+ configToJSONSchema: function() {
+ return _configToJSONSchema.configToJSONSchema;
+ },
+ entityToJSONSchema: function() {
+ return _configToJSONSchema.entityToJSONSchema;
+ },
+ createArrayFromCommaDelineated: function() {
+ return _createArrayFromCommaDelineated.createArrayFromCommaDelineated;
+ },
+ deepCopyObject: function() {
+ return _deepCopyObject.deepCopyObject;
+ },
+ deepMerge: function() {
+ return _deepMerge.deepMerge;
+ },
+ flattenTopLevelFields: function() {
+ return _flattenTopLevelFields.default;
+ },
+ getTranslation: function() {
+ return _getTranslation.getTranslation;
+ }
+});
+const _extractTranslations = require("./dist/translations/extractTranslations");
+const _init = require("./dist/translations/init");
+const _combineMerge = require("./dist/utilities/combineMerge");
+const _configToJSONSchema = require("./dist/utilities/configToJSONSchema");
+const _createArrayFromCommaDelineated = require("./dist/utilities/createArrayFromCommaDelineated");
+const _deepCopyObject = require("./dist/utilities/deepCopyObject");
+const _deepMerge = require("./dist/utilities/deepMerge");
+const _flattenTopLevelFields = /*#__PURE__*/ _interop_require_default(require("./dist/utilities/flattenTopLevelFields"));
+const _getTranslation = require("./dist/utilities/getTranslation");
function _interop_require_default(obj) {
- return obj && obj.__esModule
- ? obj
- : {
- default: obj,
- }
+ return obj && obj.__esModule ? obj : {
+ default: obj
+ };
}
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uL3NyYy9leHBvcnRzL3V0aWxpdGllcy50cyJdLCJzb3VyY2VzQ29udGVudCI6WyJleHBvcnQgeyBleHRyYWN0VHJhbnNsYXRpb25zIH0gZnJvbSAnLi4vdHJhbnNsYXRpb25zL2V4dHJhY3RUcmFuc2xhdGlvbnMnXG5leHBvcnQgeyBpMThuSW5pdCB9IGZyb20gJy4uL3RyYW5zbGF0aW9ucy9pbml0J1xuXG5leHBvcnQgeyBjb21iaW5lTWVyZ2UgfSBmcm9tICcuLi91dGlsaXRpZXMvY29tYmluZU1lcmdlJ1xuZXhwb3J0IHsgY29uZmlnVG9KU09OU2NoZW1hLCBlbnRpdHlUb0pTT05TY2hlbWEgfSBmcm9tICcuLi91dGlsaXRpZXMvY29uZmlnVG9KU09OU2NoZW1hJ1xuZXhwb3J0IHsgY3JlYXRlQXJyYXlGcm9tQ29tbWFEZWxpbmVhdGVkIH0gZnJvbSAnLi4vdXRpbGl0aWVzL2NyZWF0ZUFycmF5RnJvbUNvbW1hRGVsaW5lYXRlZCc7XG5cbmV4cG9ydCB7IGRlZXBDb3B5T2JqZWN0IH0gZnJvbSAnLi4vdXRpbGl0aWVzL2RlZXBDb3B5T2JqZWN0J1xuZXhwb3J0IHsgZGVlcE1lcmdlIH0gZnJvbSAnLi4vdXRpbGl0aWVzL2RlZXBNZXJnZSdcbmV4cG9ydCB7IGRlZmF1bHQgYXMgZmxhdHRlblRvcExldmVsRmllbGRzIH0gZnJvbSAnLi4vdXRpbGl0aWVzL2ZsYXR0ZW5Ub3BMZXZlbEZpZWxkcydcbmV4cG9ydCB7IGdldFRyYW5zbGF0aW9uIH0gZnJvbSAnLi4vdXRpbGl0aWVzL2dldFRyYW5zbGF0aW9uJ1xuIl0sIm5hbWVzIjpbImV4dHJhY3RUcmFuc2xhdGlvbnMiLCJpMThuSW5pdCIsImNvbWJpbmVNZXJnZSIsImNvbmZpZ1RvSlNPTlNjaGVtYSIsImVudGl0eVRvSlNPTlNjaGVtYSIsImNyZWF0ZUFycmF5RnJvbUNvbW1hRGVsaW5lYXRlZCIsImRlZXBDb3B5T2JqZWN0IiwiZGVlcE1lcmdlIiwiZmxhdHRlblRvcExldmVsRmllbGRzIiwiZ2V0VHJhbnNsYXRpb24iXSwibWFwcGluZ3MiOiI7Ozs7Ozs7Ozs7O0lBQVNBLG1CQUFtQjtlQUFuQkEsd0NBQW1COztJQUNuQkMsUUFBUTtlQUFSQSxjQUFROztJQUVSQyxZQUFZO2VBQVpBLDBCQUFZOztJQUNaQyxrQkFBa0I7ZUFBbEJBLHNDQUFrQjs7SUFBRUMsa0JBQWtCO2VBQWxCQSxzQ0FBa0I7O0lBQ3RDQyw4QkFBOEI7ZUFBOUJBLDhEQUE4Qjs7SUFFOUJDLGNBQWM7ZUFBZEEsOEJBQWM7O0lBQ2RDLFNBQVM7ZUFBVEEsb0JBQVM7O0lBQ0VDLHFCQUFxQjtlQUFyQkEsOEJBQXFCOztJQUNoQ0MsY0FBYztlQUFkQSw4QkFBYzs7O3FDQVZhO3NCQUNYOzhCQUVJO29DQUMwQjtnREFDUjtnQ0FFaEI7MkJBQ0w7OEVBQ3VCO2dDQUNsQiJ9
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uL3NyYy9leHBvcnRzL3V0aWxpdGllcy50cyJdLCJzb3VyY2VzQ29udGVudCI6WyJleHBvcnQgeyBleHRyYWN0VHJhbnNsYXRpb25zIH0gZnJvbSAnLi4vdHJhbnNsYXRpb25zL2V4dHJhY3RUcmFuc2xhdGlvbnMnXG5leHBvcnQgeyBpMThuSW5pdCB9IGZyb20gJy4uL3RyYW5zbGF0aW9ucy9pbml0J1xuXG5leHBvcnQgeyBjb21iaW5lTWVyZ2UgfSBmcm9tICcuLi91dGlsaXRpZXMvY29tYmluZU1lcmdlJ1xuZXhwb3J0IHsgY29uZmlnVG9KU09OU2NoZW1hLCBlbnRpdHlUb0pTT05TY2hlbWEgfSBmcm9tICcuLi91dGlsaXRpZXMvY29uZmlnVG9KU09OU2NoZW1hJ1xuZXhwb3J0IHsgY3JlYXRlQXJyYXlGcm9tQ29tbWFEZWxpbmVhdGVkIH0gZnJvbSAnLi4vdXRpbGl0aWVzL2NyZWF0ZUFycmF5RnJvbUNvbW1hRGVsaW5lYXRlZCdcblxuZXhwb3J0IHsgZGVlcENvcHlPYmplY3QgfSBmcm9tICcuLi91dGlsaXRpZXMvZGVlcENvcHlPYmplY3QnXG5leHBvcnQgeyBkZWVwTWVyZ2UgfSBmcm9tICcuLi91dGlsaXRpZXMvZGVlcE1lcmdlJ1xuZXhwb3J0IHsgZGVmYXVsdCBhcyBmbGF0dGVuVG9wTGV2ZWxGaWVsZHMgfSBmcm9tICcuLi91dGlsaXRpZXMvZmxhdHRlblRvcExldmVsRmllbGRzJ1xuZXhwb3J0IHsgZ2V0VHJhbnNsYXRpb24gfSBmcm9tICcuLi91dGlsaXRpZXMvZ2V0VHJhbnNsYXRpb24nXG4iXSwibmFtZXMiOlsiZXh0cmFjdFRyYW5zbGF0aW9ucyIsImkxOG5Jbml0IiwiY29tYmluZU1lcmdlIiwiY29uZmlnVG9KU09OU2NoZW1hIiwiZW50aXR5VG9KU09OU2NoZW1hIiwiY3JlYXRlQXJyYXlGcm9tQ29tbWFEZWxpbmVhdGVkIiwiZGVlcENvcHlPYmplY3QiLCJkZWVwTWVyZ2UiLCJmbGF0dGVuVG9wTGV2ZWxGaWVsZHMiLCJnZXRUcmFuc2xhdGlvbiJdLCJtYXBwaW5ncyI6Ijs7Ozs7Ozs7Ozs7SUFBU0EsbUJBQW1CO2VBQW5CQSx3Q0FBbUI7O0lBQ25CQyxRQUFRO2VBQVJBLGNBQVE7O0lBRVJDLFlBQVk7ZUFBWkEsMEJBQVk7O0lBQ1pDLGtCQUFrQjtlQUFsQkEsc0NBQWtCOztJQUFFQyxrQkFBa0I7ZUFBbEJBLHNDQUFrQjs7SUFDdENDLDhCQUE4QjtlQUE5QkEsOERBQThCOztJQUU5QkMsY0FBYztlQUFkQSw4QkFBYzs7SUFDZEMsU0FBUztlQUFUQSxvQkFBUzs7SUFDRUMscUJBQXFCO2VBQXJCQSw4QkFBcUI7O0lBQ2hDQyxjQUFjO2VBQWRBLDhCQUFjOzs7cUNBVmE7c0JBQ1g7OEJBRUk7b0NBQzBCO2dEQUNSO2dDQUVoQjsyQkFDTDs4RUFDdUI7Z0NBQ2xCIn0=
\ No newline at end of file
diff --git a/packages/payload/versions.d.ts b/packages/payload/versions.d.ts
index 8b095a80649..90196456f1e 100644
--- a/packages/payload/versions.d.ts
+++ b/packages/payload/versions.d.ts
@@ -1,9 +1,9 @@
-export { buildVersionCollectionFields } from './dist/versions/buildCollectionFields'
-export { buildVersionGlobalFields } from './dist/versions/buildGlobalFields'
-export { deleteCollectionVersions } from './dist/versions/deleteCollectionVersions'
-export { enforceMaxVersions } from './dist/versions/enforceMaxVersions'
-export { getLatestCollectionVersion } from './dist/versions/getLatestCollectionVersion'
-export { getLatestGlobalVersion } from './dist/versions/getLatestGlobalVersion'
-export { getVersionsModelName } from './dist/versions/getVersionsModelName'
-export { saveVersion } from './dist/versions/saveVersion'
-//# sourceMappingURL=versions.d.ts.map
+export { buildVersionCollectionFields } from './dist/versions/buildCollectionFields';
+export { buildVersionGlobalFields } from './dist/versions/buildGlobalFields';
+export { deleteCollectionVersions } from './dist/versions/deleteCollectionVersions';
+export { enforceMaxVersions } from './dist/versions/enforceMaxVersions';
+export { getLatestCollectionVersion } from './dist/versions/getLatestCollectionVersion';
+export { getLatestGlobalVersion } from './dist/versions/getLatestGlobalVersion';
+export { getVersionsModelName } from './dist/versions/getVersionsModelName';
+export { saveVersion } from './dist/versions/saveVersion';
+//# sourceMappingURL=versions.d.ts.map
\ No newline at end of file
diff --git a/packages/payload/versions.js b/packages/payload/versions.js
index 771d8e510d7..91e1d8f60f1 100644
--- a/packages/payload/versions.js
+++ b/packages/payload/versions.js
@@ -1,47 +1,46 @@
-'use strict'
-Object.defineProperty(exports, '__esModule', {
- value: true,
-})
+"use strict";
+Object.defineProperty(exports, "__esModule", {
+ value: true
+});
function _export(target, all) {
- for (var name in all)
- Object.defineProperty(target, name, {
- enumerable: true,
- get: all[name],
- })
+ for(var name in all)Object.defineProperty(target, name, {
+ enumerable: true,
+ get: all[name]
+ });
}
_export(exports, {
- buildVersionCollectionFields: function () {
- return _buildCollectionFields.buildVersionCollectionFields
- },
- buildVersionGlobalFields: function () {
- return _buildGlobalFields.buildVersionGlobalFields
- },
- deleteCollectionVersions: function () {
- return _deleteCollectionVersions.deleteCollectionVersions
- },
- enforceMaxVersions: function () {
- return _enforceMaxVersions.enforceMaxVersions
- },
- getLatestCollectionVersion: function () {
- return _getLatestCollectionVersion.getLatestCollectionVersion
- },
- getLatestGlobalVersion: function () {
- return _getLatestGlobalVersion.getLatestGlobalVersion
- },
- getVersionsModelName: function () {
- return _getVersionsModelName.getVersionsModelName
- },
- saveVersion: function () {
- return _saveVersion.saveVersion
- },
-})
-const _buildCollectionFields = require('./dist/versions/buildCollectionFields')
-const _buildGlobalFields = require('./dist/versions/buildGlobalFields')
-const _deleteCollectionVersions = require('./dist/versions/deleteCollectionVersions')
-const _enforceMaxVersions = require('./dist/versions/enforceMaxVersions')
-const _getLatestCollectionVersion = require('./dist/versions/getLatestCollectionVersion')
-const _getLatestGlobalVersion = require('./dist/versions/getLatestGlobalVersion')
-const _getVersionsModelName = require('./dist/versions/getVersionsModelName')
-const _saveVersion = require('./dist/versions/saveVersion')
+ buildVersionCollectionFields: function() {
+ return _buildCollectionFields.buildVersionCollectionFields;
+ },
+ buildVersionGlobalFields: function() {
+ return _buildGlobalFields.buildVersionGlobalFields;
+ },
+ deleteCollectionVersions: function() {
+ return _deleteCollectionVersions.deleteCollectionVersions;
+ },
+ enforceMaxVersions: function() {
+ return _enforceMaxVersions.enforceMaxVersions;
+ },
+ getLatestCollectionVersion: function() {
+ return _getLatestCollectionVersion.getLatestCollectionVersion;
+ },
+ getLatestGlobalVersion: function() {
+ return _getLatestGlobalVersion.getLatestGlobalVersion;
+ },
+ getVersionsModelName: function() {
+ return _getVersionsModelName.getVersionsModelName;
+ },
+ saveVersion: function() {
+ return _saveVersion.saveVersion;
+ }
+});
+const _buildCollectionFields = require("./dist/versions/buildCollectionFields");
+const _buildGlobalFields = require("./dist/versions/buildGlobalFields");
+const _deleteCollectionVersions = require("./dist/versions/deleteCollectionVersions");
+const _enforceMaxVersions = require("./dist/versions/enforceMaxVersions");
+const _getLatestCollectionVersion = require("./dist/versions/getLatestCollectionVersion");
+const _getLatestGlobalVersion = require("./dist/versions/getLatestGlobalVersion");
+const _getVersionsModelName = require("./dist/versions/getVersionsModelName");
+const _saveVersion = require("./dist/versions/saveVersion");
-//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uL3NyYy9leHBvcnRzL3ZlcnNpb25zLnRzIl0sInNvdXJjZXNDb250ZW50IjpbImV4cG9ydCB7IGJ1aWxkVmVyc2lvbkNvbGxlY3Rpb25GaWVsZHMgfSBmcm9tICcuLi92ZXJzaW9ucy9idWlsZENvbGxlY3Rpb25GaWVsZHMnXG5leHBvcnQgeyBidWlsZFZlcnNpb25HbG9iYWxGaWVsZHMgfSBmcm9tICcuLi92ZXJzaW9ucy9idWlsZEdsb2JhbEZpZWxkcydcbmV4cG9ydCB7IGRlbGV0ZUNvbGxlY3Rpb25WZXJzaW9ucyB9IGZyb20gJy4uL3ZlcnNpb25zL2RlbGV0ZUNvbGxlY3Rpb25WZXJzaW9ucydcbmV4cG9ydCB7IGVuZm9yY2VNYXhWZXJzaW9ucyB9IGZyb20gJy4uL3ZlcnNpb25zL2VuZm9yY2VNYXhWZXJzaW9ucydcbmV4cG9ydCB7IGdldExhdGVzdENvbGxlY3Rpb25WZXJzaW9uIH0gZnJvbSAnLi4vdmVyc2lvbnMvZ2V0TGF0ZXN0Q29sbGVjdGlvblZlcnNpb24nXG5leHBvcnQgeyBnZXRMYXRlc3RHbG9iYWxWZXJzaW9uIH0gZnJvbSAnLi4vdmVyc2lvbnMvZ2V0TGF0ZXN0R2xvYmFsVmVyc2lvbidcbmV4cG9ydCB7IGdldFZlcnNpb25zTW9kZWxOYW1lIH0gZnJvbSAnLi4vdmVyc2lvbnMvZ2V0VmVyc2lvbnNNb2RlbE5hbWUnXG5leHBvcnQgeyBzYXZlVmVyc2lvbiB9IGZyb20gJy4uL3ZlcnNpb25zL3NhdmVWZXJzaW9uJ1xuIl0sIm5hbWVzIjpbImJ1aWxkVmVyc2lvbkNvbGxlY3Rpb25GaWVsZHMiLCJidWlsZFZlcnNpb25HbG9iYWxGaWVsZHMiLCJkZWxldGVDb2xsZWN0aW9uVmVyc2lvbnMiLCJlbmZvcmNlTWF4VmVyc2lvbnMiLCJnZXRMYXRlc3RDb2xsZWN0aW9uVmVyc2lvbiIsImdldExhdGVzdEdsb2JhbFZlcnNpb24iLCJnZXRWZXJzaW9uc01vZGVsTmFtZSIsInNhdmVWZXJzaW9uIl0sIm1hcHBpbmdzIjoiOzs7Ozs7Ozs7OztJQUFTQSw0QkFBNEI7ZUFBNUJBLG1EQUE0Qjs7SUFDNUJDLHdCQUF3QjtlQUF4QkEsMkNBQXdCOztJQUN4QkMsd0JBQXdCO2VBQXhCQSxrREFBd0I7O0lBQ3hCQyxrQkFBa0I7ZUFBbEJBLHNDQUFrQjs7SUFDbEJDLDBCQUEwQjtlQUExQkEsc0RBQTBCOztJQUMxQkMsc0JBQXNCO2VBQXRCQSw4Q0FBc0I7O0lBQ3RCQyxvQkFBb0I7ZUFBcEJBLDBDQUFvQjs7SUFDcEJDLFdBQVc7ZUFBWEEsd0JBQVc7Ozt1Q0FQeUI7bUNBQ0o7MENBQ0E7b0NBQ047NENBQ1E7d0NBQ0o7c0NBQ0Y7NkJBQ1QifQ==
+//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJzb3VyY2VzIjpbIi4uLy4uL3NyYy9leHBvcnRzL3ZlcnNpb25zLnRzIl0sInNvdXJjZXNDb250ZW50IjpbImV4cG9ydCB7IGJ1aWxkVmVyc2lvbkNvbGxlY3Rpb25GaWVsZHMgfSBmcm9tICcuLi92ZXJzaW9ucy9idWlsZENvbGxlY3Rpb25GaWVsZHMnXG5leHBvcnQgeyBidWlsZFZlcnNpb25HbG9iYWxGaWVsZHMgfSBmcm9tICcuLi92ZXJzaW9ucy9idWlsZEdsb2JhbEZpZWxkcydcbmV4cG9ydCB7IGRlbGV0ZUNvbGxlY3Rpb25WZXJzaW9ucyB9IGZyb20gJy4uL3ZlcnNpb25zL2RlbGV0ZUNvbGxlY3Rpb25WZXJzaW9ucydcbmV4cG9ydCB7IGVuZm9yY2VNYXhWZXJzaW9ucyB9IGZyb20gJy4uL3ZlcnNpb25zL2VuZm9yY2VNYXhWZXJzaW9ucydcbmV4cG9ydCB7IGdldExhdGVzdENvbGxlY3Rpb25WZXJzaW9uIH0gZnJvbSAnLi4vdmVyc2lvbnMvZ2V0TGF0ZXN0Q29sbGVjdGlvblZlcnNpb24nXG5leHBvcnQgeyBnZXRMYXRlc3RHbG9iYWxWZXJzaW9uIH0gZnJvbSAnLi4vdmVyc2lvbnMvZ2V0TGF0ZXN0R2xvYmFsVmVyc2lvbidcbmV4cG9ydCB7IGdldFZlcnNpb25zTW9kZWxOYW1lIH0gZnJvbSAnLi4vdmVyc2lvbnMvZ2V0VmVyc2lvbnNNb2RlbE5hbWUnXG5leHBvcnQgeyBzYXZlVmVyc2lvbiB9IGZyb20gJy4uL3ZlcnNpb25zL3NhdmVWZXJzaW9uJ1xuIl0sIm5hbWVzIjpbImJ1aWxkVmVyc2lvbkNvbGxlY3Rpb25GaWVsZHMiLCJidWlsZFZlcnNpb25HbG9iYWxGaWVsZHMiLCJkZWxldGVDb2xsZWN0aW9uVmVyc2lvbnMiLCJlbmZvcmNlTWF4VmVyc2lvbnMiLCJnZXRMYXRlc3RDb2xsZWN0aW9uVmVyc2lvbiIsImdldExhdGVzdEdsb2JhbFZlcnNpb24iLCJnZXRWZXJzaW9uc01vZGVsTmFtZSIsInNhdmVWZXJzaW9uIl0sIm1hcHBpbmdzIjoiOzs7Ozs7Ozs7OztJQUFTQSw0QkFBNEI7ZUFBNUJBLG1EQUE0Qjs7SUFDNUJDLHdCQUF3QjtlQUF4QkEsMkNBQXdCOztJQUN4QkMsd0JBQXdCO2VBQXhCQSxrREFBd0I7O0lBQ3hCQyxrQkFBa0I7ZUFBbEJBLHNDQUFrQjs7SUFDbEJDLDBCQUEwQjtlQUExQkEsc0RBQTBCOztJQUMxQkMsc0JBQXNCO2VBQXRCQSw4Q0FBc0I7O0lBQ3RCQyxvQkFBb0I7ZUFBcEJBLDBDQUFvQjs7SUFDcEJDLFdBQVc7ZUFBWEEsd0JBQVc7Ozt1Q0FQeUI7bUNBQ0o7MENBQ0E7b0NBQ047NENBQ1E7d0NBQ0o7c0NBQ0Y7NkJBQ1QifQ==
\ No newline at end of file
diff --git a/test/buildConfigWithDefaults.ts b/test/buildConfigWithDefaults.ts
index e1bc3fe8406..135617577ba 100644
--- a/test/buildConfigWithDefaults.ts
+++ b/test/buildConfigWithDefaults.ts
@@ -7,9 +7,10 @@ import { webpackBundler } from '../packages/bundler-webpack/src'
import { mongooseAdapter } from '../packages/db-mongodb/src/index'
import { postgresAdapter } from '../packages/db-postgres/src/index'
import { buildConfig as buildPayloadConfig } from '../packages/payload/src/config/build'
-// process.env.PAYLOAD_DATABASE = 'postgres'
import { createSlate } from '../packages/richtext-slate/src'
+process.env.PAYLOAD_DATABASE = 'postgres'
+
const databaseAdapters = {
mongoose: mongooseAdapter({
url: 'mongodb://127.0.0.1/payloadtests',
|
b1c07ef748e8f6df2defbebc75a10865ac15eea2
|
2022-11-17 04:07:17
|
Jacob Fletcher
|
fix: improves tab handling
| false
|
improves tab handling
|
fix
|
diff --git a/packages/plugin-seo/demo/src/collections/Pages.ts b/packages/plugin-seo/demo/src/collections/Pages.ts
index 2e59446e224..4c0c0215f88 100644
--- a/packages/plugin-seo/demo/src/collections/Pages.ts
+++ b/packages/plugin-seo/demo/src/collections/Pages.ts
@@ -19,6 +19,9 @@ const Pages: CollectionConfig = {
name: 'slug',
type: 'text',
required: true,
+ admin: {
+ position: 'sidebar',
+ }
},
],
}
diff --git a/packages/plugin-seo/demo/src/collections/Posts.ts b/packages/plugin-seo/demo/src/collections/Posts.ts
new file mode 100644
index 00000000000..b4e0edea359
--- /dev/null
+++ b/packages/plugin-seo/demo/src/collections/Posts.ts
@@ -0,0 +1,37 @@
+import { CollectionConfig } from 'payload/types';
+
+const Posts: CollectionConfig = {
+ slug: 'posts',
+ admin: {
+ useAsTitle: 'title',
+ },
+ fields: [
+ {
+ type: 'tabs',
+ tabs: [{
+ label: 'Content',
+ fields: [
+ {
+ name: 'title',
+ type: 'text',
+ required: true
+ },
+ {
+ name: 'excerpt',
+ type: 'text',
+ },
+ {
+ name: 'slug',
+ type: 'text',
+ required: true,
+ admin: {
+ position: 'sidebar',
+ }
+ },
+ ]
+ }]
+ }
+ ],
+}
+
+export default Posts;
diff --git a/packages/plugin-seo/demo/src/payload.config.ts b/packages/plugin-seo/demo/src/payload.config.ts
index 4b896d3cda0..58acee39ee6 100644
--- a/packages/plugin-seo/demo/src/payload.config.ts
+++ b/packages/plugin-seo/demo/src/payload.config.ts
@@ -6,6 +6,7 @@ import Users from './collections/Users';
import Pages from './collections/Pages';
import Media from './collections/Media';
import HomePage from './globals/Settings';
+import Posts from './collections/Posts';
export default buildConfig({
serverURL: 'http://localhost:3000',
@@ -31,6 +32,7 @@ export default buildConfig({
collections: [
Users,
Pages,
+ Posts,
Media
],
globals: [
@@ -49,10 +51,12 @@ export default buildConfig({
seo({
collections: [
'pages',
+ 'posts'
],
globals: [
'settings',
],
+ tabbedUI: true,
uploadsCollection: 'media',
generateTitle: ({ doc }: any) => `Website.com — ${doc?.title?.value}`,
generateDescription: ({ doc }: any) => doc?.excerpt?.value,
diff --git a/packages/plugin-seo/demo/src/seed/index.ts b/packages/plugin-seo/demo/src/seed/index.ts
index 0a12e763cfa..e248e0a5f89 100644
--- a/packages/plugin-seo/demo/src/seed/index.ts
+++ b/packages/plugin-seo/demo/src/seed/index.ts
@@ -19,4 +19,13 @@ export const seed = async (payload: Payload) => {
excerpt: 'This is the home page'
},
})
+
+ await payload.create({
+ collection: 'posts',
+ data: {
+ title: 'Hello, world!',
+ slug: 'hello-world',
+ excerpt: 'This is a post'
+ },
+ })
}
diff --git a/packages/plugin-seo/src/index.ts b/packages/plugin-seo/src/index.ts
index 18b56a82987..7cde0e44f36 100644
--- a/packages/plugin-seo/src/index.ts
+++ b/packages/plugin-seo/src/index.ts
@@ -5,10 +5,10 @@ import { getMetaTitleField } from './fields/MetaTitle';
import { getPreviewField } from './ui/Preview';
import { getMetaImageField } from './fields/MetaImage';
import { PluginConfig } from './types';
-import { Field } from 'payload/dist/fields/config/types';
+import { Field, GroupField, TabsField } from 'payload/dist/fields/config/types';
const seo = (pluginConfig: PluginConfig) => (config: Config): Config => {
- const seoFields: Field[] = [
+ const seoFields: GroupField[] = [
{
name: 'meta',
label: 'SEO',
@@ -78,21 +78,40 @@ const seo = (pluginConfig: PluginConfig) => (config: Config): Config => {
const isEnabled = pluginConfig?.collections?.includes(slug);
if (isEnabled) {
+ if (pluginConfig?.tabbedUI) {
+ const seoFieldsAsTabs: TabsField[] = [{
+ type: 'tabs',
+ tabs: [
+ // if the collection is already tab-enabled, spread them into this new tabs field
+ // otherwise create a new tab to contain this collection's fields
+ // either way, append a new tab for the SEO fields
+ ...collection?.fields?.[0].type === 'tabs'
+ ? collection?.fields?.[0]?.tabs : [{
+ label: collection?.labels?.singular || 'Content',
+ fields: [...(collection?.fields || [])]
+ }],
+ {
+ label: 'SEO',
+ fields: seoFields,
+ }
+ ]
+ }]
+
+ return ({
+ ...collection,
+ fields: seoFieldsAsTabs,
+ })
+ }
+
return ({
...collection,
- fields: (pluginConfig?.tabbedUI ? [
- {
- type: 'tabs', tabs: [
- { label: collection?.labels?.singular || 'Content', fields: [...(collection?.fields || [])] },
- { label: 'SEO', fields: [...seoFields] },
- ]
- },
- ] : [
+ fields: [
...collection?.fields || [],
...seoFields,
- ]),
+ ],
})
}
+
return collection;
}) || [],
globals: config.globals?.map((global) => {
@@ -100,21 +119,40 @@ const seo = (pluginConfig: PluginConfig) => (config: Config): Config => {
const isEnabled = pluginConfig?.globals?.includes(slug);
if (isEnabled) {
+ if (pluginConfig?.tabbedUI) {
+ const seoFieldsAsTabs: TabsField[] = [{
+ type: 'tabs',
+ tabs: [
+ // if the global is already tab-enabled, spread them into this new tabs field
+ // otherwise create a new tab to contain this global's fields
+ // either way, append a new tab for the SEO fields
+ ...global?.fields?.[0].type === 'tabs'
+ ? global?.fields?.[0]?.tabs : [{
+ label: global?.label || 'Content',
+ fields: [...(global?.fields || [])]
+ }],
+ {
+ label: 'SEO',
+ fields: seoFields,
+ }
+ ]
+ }]
+
+ return ({
+ ...global,
+ fields: seoFieldsAsTabs,
+ })
+ }
+
return ({
...global,
- fields: (pluginConfig?.tabbedUI ? [
- {
- type: 'tabs', tabs: [
- { label: global?.label || 'Content', fields: [...(global?.fields || [])] },
- { label: 'SEO', fields: [...seoFields] },
- ]
- },
- ] : [
+ fields: [
...global?.fields || [],
...seoFields,
- ]),
+ ],
})
}
+
return global;
}) || []
})
|
5e8a8b2df9af435f0df8a8a07dddf7dcc24cf9ac
|
2022-11-15 01:18:08
|
Feng Sun
|
fix: adds unique key to upload cards to prevent old images being shown while navigating to new page
| false
|
adds unique key to upload cards to prevent old images being shown while navigating to new page
|
fix
|
diff --git a/src/admin/components/elements/UploadGallery/index.tsx b/src/admin/components/elements/UploadGallery/index.tsx
index d632201e9b3..c3d03a48497 100644
--- a/src/admin/components/elements/UploadGallery/index.tsx
+++ b/src/admin/components/elements/UploadGallery/index.tsx
@@ -1,10 +1,10 @@
-import React from 'react';
-import { Props } from './types';
-import UploadCard from '../UploadCard';
+import React from "react";
+import { Props } from "./types";
+import UploadCard from "../UploadCard";
-import './index.scss';
+import "./index.scss";
-const baseClass = 'upload-gallery';
+const baseClass = "upload-gallery";
const UploadGallery: React.FC<Props> = (props) => {
const { docs, onCardClick, collection } = props;
@@ -12,8 +12,8 @@ const UploadGallery: React.FC<Props> = (props) => {
if (docs && docs.length > 0) {
return (
<ul className={baseClass}>
- {docs.map((doc, i) => (
- <li key={i}>
+ {docs.map((doc) => (
+ <li key={doc.id}>
<UploadCard
doc={doc}
{...{ collection }}
|
7d60a22ccfdfb63bd91749c012ef4ade7156da94
|
2022-08-25 21:09:34
|
Dan Ribbens
|
fix: typescript error
| false
|
typescript error
|
fix
|
diff --git a/src/webpack.ts b/src/webpack.ts
index e0a062a77d9..062290fb04f 100644
--- a/src/webpack.ts
+++ b/src/webpack.ts
@@ -29,7 +29,7 @@ export const extendWebpackConfig =
(resultingWebpackConfig, [slug, collectionOptions]) => {
const matchedCollection = config.collections?.find(coll => coll.slug === slug)
- if (matchedCollection) {
+ if (matchedCollection && typeof collectionOptions.adapter === 'function') {
const adapter: GeneratedAdapter = collectionOptions.adapter({
collection: matchedCollection,
})
|
5e66e3ee78447a0cc01defa767b846c408bb93ee
|
2022-08-18 04:06:28
|
James
|
chore(release): v1.0.25
| false
|
v1.0.25
|
chore
|
diff --git a/CHANGELOG.md b/CHANGELOG.md
index bc17686a8a0..e375f158f2f 100644
--- a/CHANGELOG.md
+++ b/CHANGELOG.md
@@ -1,3 +1,16 @@
+## [1.0.25](https://github.com/payloadcms/payload/compare/v1.0.24...v1.0.25) (2022-08-17)
+
+
+### Bug Fixes
+
+* [#568](https://github.com/payloadcms/payload/issues/568) ([a3edbf4](https://github.com/payloadcms/payload/commit/a3edbf4fef5efd8293cb4d6139b2513441cb741e))
+
+
+### Features
+
+* add new pickerAppearance option 'monthOnly' ([566c6ba](https://github.com/payloadcms/payload/commit/566c6ba3a9beb13ea9437844313ec6701effce27))
+* custom api endpoints ([11d8fc7](https://github.com/payloadcms/payload/commit/11d8fc71e8bdb62c6755789903702b0ee257b448))
+
## [1.0.24](https://github.com/payloadcms/payload/compare/v1.0.23...v1.0.24) (2022-08-16)
diff --git a/package.json b/package.json
index 43a64c0126c..2cc45a9bd89 100644
--- a/package.json
+++ b/package.json
@@ -1,6 +1,6 @@
{
"name": "payload",
- "version": "1.0.24",
+ "version": "1.0.25",
"description": "Node, React and MongoDB Headless CMS and Application Framework",
"license": "MIT",
"author": {
|
0162560996664960b46357131adb233ee6eb72d9
|
2024-06-13 19:59:32
|
Viet-Tien
|
fix: adds siteName to openGraphSchema joi validation (#6764)
| false
|
adds siteName to openGraphSchema joi validation (#6764)
|
fix
|
diff --git a/packages/payload/src/config/shared/openGraphSchema.ts b/packages/payload/src/config/shared/openGraphSchema.ts
index 2f0a92d1afc..05729571815 100644
--- a/packages/payload/src/config/shared/openGraphSchema.ts
+++ b/packages/payload/src/config/shared/openGraphSchema.ts
@@ -12,5 +12,5 @@ export const openGraphSchema = joi.object({
description: joi.string(),
images: joi.alternatives().try(ogImageObj, joi.array().items(ogImageObj)),
title: joi.string(),
- url: joi.string(),
+ siteName: joi.string(),
})
|
25a70ab45566a77a065983ea5c753f3dc3d1aeb4
|
2025-01-21 05:48:26
|
Sasha
|
fix: join field with the target relationship inside localized array (#10621)
| false
|
join field with the target relationship inside localized array (#10621)
|
fix
|
diff --git a/packages/db-mongodb/src/utilities/buildJoinAggregation.ts b/packages/db-mongodb/src/utilities/buildJoinAggregation.ts
index b9d08a09e25..50895a0392c 100644
--- a/packages/db-mongodb/src/utilities/buildJoinAggregation.ts
+++ b/packages/db-mongodb/src/utilities/buildJoinAggregation.ts
@@ -151,11 +151,19 @@ export const buildJoinAggregation = async ({
join.field.localized && adapter.payload.config.localization && locale ? `.${locale}` : ''
const as = `${versions ? `version.${join.joinPath}` : join.joinPath}${localeSuffix}`
+ let foreignField: string
+
+ if (join.getForeignPath) {
+ foreignField = `${join.getForeignPath({ locale })}${polymorphicSuffix}`
+ } else {
+ foreignField = `${join.field.on}${polymorphicSuffix}`
+ }
+
aggregate.push(
{
$lookup: {
as: `${as}.docs`,
- foreignField: `${join.field.on}${localeSuffix}${polymorphicSuffix}`,
+ foreignField,
from: adapter.collections[slug].collection.name,
localField: versions ? 'parent' : '_id',
pipeline,
diff --git a/packages/payload/src/collections/config/types.ts b/packages/payload/src/collections/config/types.ts
index 862969d9044..eafa2be926e 100644
--- a/packages/payload/src/collections/config/types.ts
+++ b/packages/payload/src/collections/config/types.ts
@@ -517,6 +517,7 @@ export type SanitizedJoin = {
* The field configuration defining the join
*/
field: JoinField
+ getForeignPath?(args: { locale?: TypedLocale }): string
/**
* The path of the join field in dot notation
*/
diff --git a/packages/payload/src/fields/config/sanitizeJoinField.ts b/packages/payload/src/fields/config/sanitizeJoinField.ts
index faffaa0d92b..806490dc11e 100644
--- a/packages/payload/src/fields/config/sanitizeJoinField.ts
+++ b/packages/payload/src/fields/config/sanitizeJoinField.ts
@@ -39,6 +39,7 @@ export const sanitizeJoinField = ({
const pathSegments = field.on.split('.') // Split the schema path into segments
let currentSegmentIndex = 0
+ let localized = false
// Traverse fields and match based on the schema path
traverseFields({
callback: ({ field, next }) => {
@@ -48,6 +49,27 @@ export const sanitizeJoinField = ({
const currentSegment = pathSegments[currentSegmentIndex]
// match field on path segments
if ('name' in field && field.name === currentSegment) {
+ if ('localized' in field && field.localized) {
+ localized = true
+ const fieldIndex = currentSegmentIndex
+
+ join.getForeignPath = ({ locale }) => {
+ return pathSegments.reduce((acc, segment, index) => {
+ let result = `${acc}${segment}`
+
+ if (index === fieldIndex) {
+ result = `${result}.${locale}`
+ }
+
+ if (index !== pathSegments.length - 1) {
+ result = `${result}.`
+ }
+
+ return result
+ }, '')
+ }
+ }
+
// Check if this is the last segment in the path
if (
(currentSegmentIndex === pathSegments.length - 1 &&
@@ -78,7 +100,8 @@ export const sanitizeJoinField = ({
join.targetField = joinRelationship
// override the join field localized property to use whatever the relationship field has
- field.localized = joinRelationship.localized
+ // or if it's nested to a localized array / blocks / tabs / group
+ field.localized = localized
// override the join field hasMany property to use whatever the relationship field has
field.hasMany = joinRelationship.hasMany
diff --git a/packages/payload/src/utilities/traverseFields.ts b/packages/payload/src/utilities/traverseFields.ts
index 1bda56c2745..4061c04d6c3 100644
--- a/packages/payload/src/utilities/traverseFields.ts
+++ b/packages/payload/src/utilities/traverseFields.ts
@@ -109,15 +109,36 @@ export const traverseFields = ({
if (field.type === 'tabs' && 'tabs' in field) {
for (const tab of field.tabs) {
let tabRef = ref
+
+ if (skip) {
+ return false
+ }
+
if ('name' in tab && tab.name) {
if (!ref[tab.name] || typeof ref[tab.name] !== 'object') {
if (fillEmpty) {
- ref[tab.name] = {}
+ if (tab.localized) {
+ ref[tab.name] = { en: {} }
+ } else {
+ ref[tab.name] = {}
+ }
} else {
continue
}
}
+ if (
+ callback &&
+ callback({
+ field: { ...tab, type: 'tab' },
+ next,
+ parentRef: currentParentRef,
+ ref: tabRef,
+ })
+ ) {
+ return true
+ }
+
tabRef = tabRef[tab.name]
if (tab.localized) {
@@ -132,29 +153,34 @@ export const traverseFields = ({
})
}
}
- continue
+ }
+ } else {
+ if (
+ callback &&
+ callback({
+ field: { ...tab, type: 'tab' },
+ next,
+ parentRef: currentParentRef,
+ ref: tabRef,
+ })
+ ) {
+ return true
}
}
- if (
- callback &&
- callback({
- field: { ...tab, type: 'tab' },
- next,
+ if (!tab.localized) {
+ traverseFields({
+ callback,
+ fields: tab.fields,
+ fillEmpty,
parentRef: currentParentRef,
ref: tabRef,
})
- ) {
- return true
}
- traverseFields({
- callback,
- fields: tab.fields,
- fillEmpty,
- parentRef: currentParentRef,
- ref: tabRef,
- })
+ if (skip) {
+ return false
+ }
}
return
@@ -166,10 +192,18 @@ export const traverseFields = ({
if (!ref[field.name]) {
if (fillEmpty) {
if (field.type === 'group') {
- ref[field.name] = {}
- } else if (field.type === 'array' || field.type === 'blocks') {
if (field.localized) {
+ ref[field.name] = {
+ en: {},
+ }
+ } else {
ref[field.name] = {}
+ }
+ } else if (field.type === 'array' || field.type === 'blocks') {
+ if (field.localized) {
+ ref[field.name] = {
+ en: [],
+ }
} else {
ref[field.name] = []
}
diff --git a/test/joins/collections/Categories.ts b/test/joins/collections/Categories.ts
index c38af7a3300..ea509ecd568 100644
--- a/test/joins/collections/Categories.ts
+++ b/test/joins/collections/Categories.ts
@@ -109,6 +109,12 @@ export const Categories: CollectionConfig = {
collection: 'posts',
on: 'array.category',
},
+ {
+ name: 'localizedArrayPosts',
+ type: 'join',
+ collection: 'posts',
+ on: 'localizedArray.category',
+ },
{
name: 'blocksPosts',
type: 'join',
diff --git a/test/joins/collections/Posts.ts b/test/joins/collections/Posts.ts
index fbac4d4b17d..d7fd5c17b68 100644
--- a/test/joins/collections/Posts.ts
+++ b/test/joins/collections/Posts.ts
@@ -104,6 +104,18 @@ export const Posts: CollectionConfig = {
},
],
},
+ {
+ name: 'localizedArray',
+ type: 'array',
+ localized: true,
+ fields: [
+ {
+ name: 'category',
+ type: 'relationship',
+ relationTo: categoriesSlug,
+ },
+ ],
+ },
{
name: 'blocks',
type: 'blocks',
diff --git a/test/joins/int.spec.ts b/test/joins/int.spec.ts
index 34a71f37445..b2ca5a7c357 100644
--- a/test/joins/int.spec.ts
+++ b/test/joins/int.spec.ts
@@ -115,6 +115,7 @@ describe('Joins Field', () => {
camelCaseCategory: category.id,
},
array: [{ category: category.id }],
+ localizedArray: [{ category: category.id }],
blocks: [{ blockType: 'block', category: category.id }],
})
}
@@ -214,6 +215,16 @@ describe('Joins Field', () => {
expect(categoryWithPosts.arrayPosts.docs).toBeDefined()
})
+ it('should populate joins with localized array relationships', async () => {
+ const categoryWithPosts = await payload.findByID({
+ id: category.id,
+ collection: categoriesSlug,
+ })
+
+ expect(categoryWithPosts.localizedArrayPosts.docs).toBeDefined()
+ expect(categoryWithPosts.localizedArrayPosts.docs).toHaveLength(10)
+ })
+
it('should populate joins with blocks relationships', async () => {
const categoryWithPosts = await payload.findByID({
id: category.id,
diff --git a/test/joins/payload-types.ts b/test/joins/payload-types.ts
index df65271f272..5281144b988 100644
--- a/test/joins/payload-types.ts
+++ b/test/joins/payload-types.ts
@@ -41,6 +41,7 @@ export interface Config {
'group.relatedPosts': 'posts';
'group.camelCasePosts': 'posts';
arrayPosts: 'posts';
+ localizedArrayPosts: 'posts';
blocksPosts: 'posts';
polymorphic: 'posts';
polymorphics: 'posts';
@@ -199,6 +200,12 @@ export interface Post {
id?: string | null;
}[]
| null;
+ localizedArray?:
+ | {
+ category?: (string | null) | Category;
+ id?: string | null;
+ }[]
+ | null;
blocks?:
| {
category?: (string | null) | Category;
@@ -272,6 +279,10 @@ export interface Category {
docs?: (string | Post)[] | null;
hasNextPage?: boolean | null;
} | null;
+ localizedArrayPosts?: {
+ docs?: (string | Post)[] | null;
+ hasNextPage?: boolean | null;
+ } | null;
blocksPosts?: {
docs?: (string | Post)[] | null;
hasNextPage?: boolean | null;
@@ -649,6 +660,12 @@ export interface PostsSelect<T extends boolean = true> {
category?: T;
id?: T;
};
+ localizedArray?:
+ | T
+ | {
+ category?: T;
+ id?: T;
+ };
blocks?:
| T
| {
@@ -680,6 +697,7 @@ export interface CategoriesSelect<T extends boolean = true> {
camelCasePosts?: T;
};
arrayPosts?: T;
+ localizedArrayPosts?: T;
blocksPosts?: T;
polymorphic?: T;
polymorphics?: T;
|
7cf66b081aa7dcff2c3496a13959a44a9f7ba5c0
|
2022-09-13 22:50:24
|
Dan Ribbens
|
chore(release): v1.1.1
| false
|
v1.1.1
|
chore
|
diff --git a/CHANGELOG.md b/CHANGELOG.md
index e4a3d861c68..f2d977f433f 100644
--- a/CHANGELOG.md
+++ b/CHANGELOG.md
@@ -1,3 +1,11 @@
+## [1.1.1](https://github.com/payloadcms/payload/compare/v1.1.0...v1.1.1) (2022-09-13)
+
+
+### Bug Fixes
+
+* conditions on conditionals ([9c4f2b6](https://github.com/payloadcms/payload/commit/9c4f2b68b07bbdd2ac9a6dee280f50379638fc50))
+* dashboard links to globals ([dcc8dad](https://github.com/payloadcms/payload/commit/dcc8dad53b006f86e93150f9439eafc8d9e01d79))
+
# [1.1.0](https://github.com/payloadcms/payload/compare/v1.0.36...v1.1.0) (2022-09-13)
diff --git a/package.json b/package.json
index b35debecb9a..6654fd9bc8c 100644
--- a/package.json
+++ b/package.json
@@ -1,6 +1,6 @@
{
"name": "payload",
- "version": "1.1.0",
+ "version": "1.1.1",
"description": "Node, React and MongoDB Headless CMS and Application Framework",
"license": "MIT",
"author": {
|
1b63ad4cb3b7ca96cc2bbc4a84191d2e74a33c73
|
2024-10-07 23:50:07
|
Jarrod Flesch
|
fix: verify view is inaccessible (#8557)
| false
|
verify view is inaccessible (#8557)
|
fix
|
diff --git a/packages/graphql/src/resolvers/auth/login.ts b/packages/graphql/src/resolvers/auth/login.ts
index 241c204ebec..fe588a563aa 100644
--- a/packages/graphql/src/resolvers/auth/login.ts
+++ b/packages/graphql/src/resolvers/auth/login.ts
@@ -19,8 +19,8 @@ export function login(collection: Collection): any {
const result = await loginOperation(options)
const cookie = generatePayloadCookie({
- collectionConfig: collection.config,
- payload: context.req.payload,
+ collectionAuthConfig: collection.config.auth,
+ cookiePrefix: context.req.payload.config.cookiePrefix,
token: result.token,
})
diff --git a/packages/graphql/src/resolvers/auth/logout.ts b/packages/graphql/src/resolvers/auth/logout.ts
index c81dbb79942..7277ea5a2f8 100644
--- a/packages/graphql/src/resolvers/auth/logout.ts
+++ b/packages/graphql/src/resolvers/auth/logout.ts
@@ -13,8 +13,9 @@ export function logout(collection: Collection): any {
const result = await logoutOperation(options)
const expiredCookie = generateExpiredPayloadCookie({
- collectionConfig: collection.config,
- payload: context.req.payload,
+ collectionAuthConfig: collection.config.auth,
+ config: context.req.payload.config,
+ cookiePrefix: context.req.payload.config.cookiePrefix,
})
context.headers['Set-Cookie'] = expiredCookie
return result
diff --git a/packages/graphql/src/resolvers/auth/refresh.ts b/packages/graphql/src/resolvers/auth/refresh.ts
index ef25253e551..0f5dc8912cb 100644
--- a/packages/graphql/src/resolvers/auth/refresh.ts
+++ b/packages/graphql/src/resolvers/auth/refresh.ts
@@ -14,8 +14,8 @@ export function refresh(collection: Collection): any {
const result = await refreshOperation(options)
const cookie = generatePayloadCookie({
- collectionConfig: collection.config,
- payload: context.req.payload,
+ collectionAuthConfig: collection.config.auth,
+ cookiePrefix: context.req.payload.config.cookiePrefix,
token: result.refreshedToken,
})
context.headers['Set-Cookie'] = cookie
diff --git a/packages/graphql/src/resolvers/auth/resetPassword.ts b/packages/graphql/src/resolvers/auth/resetPassword.ts
index b17f4afa17e..161e693225d 100644
--- a/packages/graphql/src/resolvers/auth/resetPassword.ts
+++ b/packages/graphql/src/resolvers/auth/resetPassword.ts
@@ -23,8 +23,8 @@ export function resetPassword(collection: Collection): any {
const result = await resetPasswordOperation(options)
const cookie = generatePayloadCookie({
- collectionConfig: collection.config,
- payload: context.req.payload,
+ collectionAuthConfig: collection.config.auth,
+ cookiePrefix: context.req.payload.config.cookiePrefix,
token: result.token,
})
context.headers['Set-Cookie'] = cookie
diff --git a/packages/next/src/elements/FormHeader/index.scss b/packages/next/src/elements/FormHeader/index.scss
new file mode 100644
index 00000000000..950597471b2
--- /dev/null
+++ b/packages/next/src/elements/FormHeader/index.scss
@@ -0,0 +1,6 @@
+.form-header {
+ display: flex;
+ flex-direction: column;
+ gap: calc(var(--base) * .5);
+ margin-bottom: var(--base);
+}
diff --git a/packages/next/src/elements/FormHeader/index.tsx b/packages/next/src/elements/FormHeader/index.tsx
new file mode 100644
index 00000000000..22a07eb8f21
--- /dev/null
+++ b/packages/next/src/elements/FormHeader/index.tsx
@@ -0,0 +1,22 @@
+import React from 'react'
+
+import './index.scss'
+
+const baseClass = 'form-header'
+
+type Props = {
+ description?: React.ReactNode | string
+ heading: string
+}
+export function FormHeader({ description, heading }: Props) {
+ if (!heading) {
+ return null
+ }
+
+ return (
+ <div className={baseClass}>
+ <h1>{heading}</h1>
+ {Boolean(description) && <p>{description}</p>}
+ </div>
+ )
+}
diff --git a/packages/next/src/routes/rest/auth/login.ts b/packages/next/src/routes/rest/auth/login.ts
index 5714c023d85..f9f046c0d62 100644
--- a/packages/next/src/routes/rest/auth/login.ts
+++ b/packages/next/src/routes/rest/auth/login.ts
@@ -29,8 +29,8 @@ export const login: CollectionRouteHandler = async ({ collection, req }) => {
})
const cookie = generatePayloadCookie({
- collectionConfig: collection.config,
- payload: req.payload,
+ collectionAuthConfig: collection.config.auth,
+ cookiePrefix: req.payload.config.cookiePrefix,
token: result.token,
})
diff --git a/packages/next/src/routes/rest/auth/logout.ts b/packages/next/src/routes/rest/auth/logout.ts
index e27c319909d..cc49b48b2f0 100644
--- a/packages/next/src/routes/rest/auth/logout.ts
+++ b/packages/next/src/routes/rest/auth/logout.ts
@@ -30,8 +30,9 @@ export const logout: CollectionRouteHandler = async ({ collection, req }) => {
}
const expiredCookie = generateExpiredPayloadCookie({
- collectionConfig: collection.config,
- payload: req.payload,
+ collectionAuthConfig: collection.config.auth,
+ config: req.payload.config,
+ cookiePrefix: req.payload.config.cookiePrefix,
})
headers.set('Set-Cookie', expiredCookie)
diff --git a/packages/next/src/routes/rest/auth/refresh.ts b/packages/next/src/routes/rest/auth/refresh.ts
index 9c77ca90c30..abf446cff92 100644
--- a/packages/next/src/routes/rest/auth/refresh.ts
+++ b/packages/next/src/routes/rest/auth/refresh.ts
@@ -20,8 +20,8 @@ export const refresh: CollectionRouteHandler = async ({ collection, req }) => {
if (result.setCookie) {
const cookie = generatePayloadCookie({
- collectionConfig: collection.config,
- payload: req.payload,
+ collectionAuthConfig: collection.config.auth,
+ cookiePrefix: req.payload.config.cookiePrefix,
token: result.refreshedToken,
})
diff --git a/packages/next/src/routes/rest/auth/registerFirstUser.ts b/packages/next/src/routes/rest/auth/registerFirstUser.ts
index 7743ce79abd..47995f8258d 100644
--- a/packages/next/src/routes/rest/auth/registerFirstUser.ts
+++ b/packages/next/src/routes/rest/auth/registerFirstUser.ts
@@ -28,8 +28,8 @@ export const registerFirstUser: CollectionRouteHandler = async ({ collection, re
})
const cookie = generatePayloadCookie({
- collectionConfig: collection.config,
- payload: req.payload,
+ collectionAuthConfig: collection.config.auth,
+ cookiePrefix: req.payload.config.cookiePrefix,
token: result.token,
})
diff --git a/packages/next/src/routes/rest/auth/resetPassword.ts b/packages/next/src/routes/rest/auth/resetPassword.ts
index b32ae23e5ee..4cf7bbe1c48 100644
--- a/packages/next/src/routes/rest/auth/resetPassword.ts
+++ b/packages/next/src/routes/rest/auth/resetPassword.ts
@@ -20,8 +20,8 @@ export const resetPassword: CollectionRouteHandler = async ({ collection, req })
})
const cookie = generatePayloadCookie({
- collectionConfig: collection.config,
- payload: req.payload,
+ collectionAuthConfig: collection.config.auth,
+ cookiePrefix: req.payload.config.cookiePrefix,
token: result.token,
})
diff --git a/packages/next/src/utilities/initPage/handleAdminPage.ts b/packages/next/src/utilities/initPage/handleAdminPage.ts
index 24868a322d4..5ef40467fe6 100644
--- a/packages/next/src/utilities/initPage/handleAdminPage.ts
+++ b/packages/next/src/utilities/initPage/handleAdminPage.ts
@@ -1,25 +1,21 @@
-import type {
- Permissions,
- SanitizedCollectionConfig,
- SanitizedConfig,
- SanitizedGlobalConfig,
-} from 'payload'
-
-import { notFound } from 'next/navigation.js'
-
-import { getRouteWithoutAdmin, isAdminAuthRoute, isAdminRoute } from './shared.js'
-
-export const handleAdminPage = ({
- adminRoute,
- config,
- permissions,
- route,
-}: {
+import type { SanitizedCollectionConfig, SanitizedConfig, SanitizedGlobalConfig } from 'payload'
+
+import { getRouteWithoutAdmin, isAdminRoute } from './shared.js'
+
+type Args = {
adminRoute: string
config: SanitizedConfig
- permissions: Permissions
route: string
-}) => {
+}
+type RouteInfo = {
+ collectionConfig?: SanitizedCollectionConfig
+ collectionSlug?: string
+ docID?: string
+ globalConfig?: SanitizedGlobalConfig
+ globalSlug?: string
+}
+
+export function getRouteInfo({ adminRoute, config, route }: Args): RouteInfo {
if (isAdminRoute({ adminRoute, config, route })) {
const routeWithoutAdmin = getRouteWithoutAdmin({ adminRoute, route })
const routeSegments = routeWithoutAdmin.split('/').filter(Boolean)
@@ -33,28 +29,18 @@ export const handleAdminPage = ({
if (collectionSlug) {
collectionConfig = config.collections.find((collection) => collection.slug === collectionSlug)
-
- if (!collectionConfig) {
- notFound()
- }
}
if (globalSlug) {
globalConfig = config.globals.find((global) => global.slug === globalSlug)
-
- if (!globalConfig) {
- notFound()
- }
- }
-
- if (!permissions.canAccessAdmin && !isAdminAuthRoute({ adminRoute, config, route })) {
- notFound()
}
return {
collectionConfig,
+ collectionSlug,
docID,
globalConfig,
+ globalSlug,
}
}
diff --git a/packages/next/src/utilities/initPage/handleAuthRedirect.ts b/packages/next/src/utilities/initPage/handleAuthRedirect.ts
index 20393b6985a..bba32ae4717 100644
--- a/packages/next/src/utilities/initPage/handleAuthRedirect.ts
+++ b/packages/next/src/utilities/initPage/handleAuthRedirect.ts
@@ -1,57 +1,46 @@
+import type { User } from 'payload'
+
import { formatAdminURL } from '@payloadcms/ui/shared'
-import { redirect } from 'next/navigation.js'
import * as qs from 'qs-esm'
-import { isAdminAuthRoute, isAdminRoute } from './shared.js'
-
-export const handleAuthRedirect = ({
- config,
- redirectUnauthenticatedUser,
- route,
- searchParams,
-}: {
+type Args = {
config
- redirectUnauthenticatedUser: boolean | string
route: string
searchParams: { [key: string]: string | string[] }
-}) => {
+ user?: User
+}
+export const handleAuthRedirect = ({ config, route, searchParams, user }: Args): string => {
const {
admin: {
- routes: { login: loginRouteFromConfig },
+ routes: { login: loginRouteFromConfig, unauthorized: unauthorizedRoute },
},
routes: { admin: adminRoute },
} = config
- if (!isAdminAuthRoute({ adminRoute, config, route })) {
- if (searchParams && 'redirect' in searchParams) {
- delete searchParams.redirect
- }
-
- const redirectRoute = encodeURIComponent(
- route + Object.keys(searchParams ?? {}).length
- ? `${qs.stringify(searchParams, { addQueryPrefix: true })}`
- : undefined,
- )
-
- const adminLoginRoute = formatAdminURL({ adminRoute, path: loginRouteFromConfig })
+ if (searchParams && 'redirect' in searchParams) {
+ delete searchParams.redirect
+ }
- const customLoginRoute =
- typeof redirectUnauthenticatedUser === 'string' ? redirectUnauthenticatedUser : undefined
+ const redirectRoute = encodeURIComponent(
+ route + Object.keys(searchParams ?? {}).length
+ ? `${qs.stringify(searchParams, { addQueryPrefix: true })}`
+ : undefined,
+ )
- const loginRoute = isAdminRoute({ adminRoute, config, route })
- ? adminLoginRoute
- : customLoginRoute || loginRouteFromConfig
+ const redirectTo = formatAdminURL({
+ adminRoute,
+ path: user ? unauthorizedRoute : loginRouteFromConfig,
+ })
- const parsedLoginRouteSearchParams = qs.parse(loginRoute.split('?')[1] ?? '')
+ const parsedLoginRouteSearchParams = qs.parse(redirectTo.split('?')[1] ?? '')
- const searchParamsWithRedirect = `${qs.stringify(
- {
- ...parsedLoginRouteSearchParams,
- ...(redirectRoute ? { redirect: redirectRoute } : {}),
- },
- { addQueryPrefix: true },
- )}`
+ const searchParamsWithRedirect = `${qs.stringify(
+ {
+ ...parsedLoginRouteSearchParams,
+ ...(redirectRoute ? { redirect: redirectRoute } : {}),
+ },
+ { addQueryPrefix: true },
+ )}`
- redirect(`${loginRoute.split('?')[0]}${searchParamsWithRedirect}`)
- }
+ return `${redirectTo.split('?')[0]}${searchParamsWithRedirect}`
}
diff --git a/packages/next/src/utilities/initPage/index.ts b/packages/next/src/utilities/initPage/index.ts
index ff2ef34a283..fb402c3ab4c 100644
--- a/packages/next/src/utilities/initPage/index.ts
+++ b/packages/next/src/utilities/initPage/index.ts
@@ -2,6 +2,7 @@ import type { InitPageResult, Locale, PayloadRequest, VisibleEntities } from 'pa
import { findLocaleFromCode } from '@payloadcms/ui/shared'
import { headers as getHeaders } from 'next/headers.js'
+import { notFound } from 'next/navigation.js'
import { createLocalReq, isEntityHidden, parseCookies } from 'payload'
import * as qs from 'qs-esm'
@@ -9,13 +10,13 @@ import type { Args } from './types.js'
import { getPayloadHMR } from '../getPayloadHMR.js'
import { initReq } from '../initReq.js'
-import { handleAdminPage } from './handleAdminPage.js'
+import { getRouteInfo } from './handleAdminPage.js'
import { handleAuthRedirect } from './handleAuthRedirect.js'
+import { isPublicAdminRoute } from './shared.js'
export const initPage = async ({
config: configPromise,
importMap,
- redirectUnauthenticatedUser = false,
route,
searchParams,
}: Args): Promise<InitPageResult> => {
@@ -128,22 +129,30 @@ export const initPage = async ({
.filter(Boolean),
}
- if (redirectUnauthenticatedUser && !user) {
- handleAuthRedirect({
+ let redirectTo = null
+
+ if (
+ !permissions.canAccessAdmin &&
+ !isPublicAdminRoute({ adminRoute, config: payload.config, route })
+ ) {
+ redirectTo = handleAuthRedirect({
config: payload.config,
- redirectUnauthenticatedUser,
route,
searchParams,
+ user,
})
}
- const { collectionConfig, docID, globalConfig } = handleAdminPage({
+ const { collectionConfig, collectionSlug, docID, globalConfig, globalSlug } = getRouteInfo({
adminRoute,
config: payload.config,
- permissions,
route,
})
+ if ((collectionSlug && !collectionConfig) || (globalSlug && !globalConfig)) {
+ return notFound()
+ }
+
return {
collectionConfig,
cookies,
@@ -152,6 +161,7 @@ export const initPage = async ({
languageOptions,
locale,
permissions,
+ redirectTo,
req,
translations: i18n.translations,
visibleEntities,
diff --git a/packages/next/src/utilities/initPage/shared.ts b/packages/next/src/utilities/initPage/shared.ts
index 986f573cd88..185d7ad7b7c 100644
--- a/packages/next/src/utilities/initPage/shared.ts
+++ b/packages/next/src/utilities/initPage/shared.ts
@@ -1,6 +1,10 @@
import type { SanitizedConfig } from 'payload'
-const authRouteKeys: (keyof SanitizedConfig['admin']['routes'])[] = [
+// Routes that require admin authentication
+const publicAdminRoutes: (keyof Pick<
+ SanitizedConfig['admin']['routes'],
+ 'createFirstUser' | 'forgot' | 'inactivity' | 'login' | 'logout' | 'reset' | 'unauthorized'
+>)[] = [
'createFirstUser',
'forgot',
'login',
@@ -13,17 +17,16 @@ const authRouteKeys: (keyof SanitizedConfig['admin']['routes'])[] = [
export const isAdminRoute = ({
adminRoute,
- config,
route,
}: {
adminRoute: string
config: SanitizedConfig
route: string
}): boolean => {
- return route.startsWith(adminRoute) && !isAdminAuthRoute({ adminRoute, config, route })
+ return route.startsWith(adminRoute)
}
-export const isAdminAuthRoute = ({
+export const isPublicAdminRoute = ({
adminRoute,
config,
route,
@@ -32,13 +35,17 @@ export const isAdminAuthRoute = ({
config: SanitizedConfig
route: string
}): boolean => {
- const authRoutes = config.admin?.routes
- ? Object.entries(config.admin.routes)
- .filter(([key]) => authRouteKeys.includes(key as keyof SanitizedConfig['admin']['routes']))
- .map(([_, value]) => value)
- : []
-
- return authRoutes.some((r) => getRouteWithoutAdmin({ adminRoute, route }).startsWith(r))
+ return publicAdminRoutes.some((routeSegment) => {
+ const segment = config.admin?.routes?.[routeSegment] || routeSegment
+ const routeWithoutAdmin = getRouteWithoutAdmin({ adminRoute, route })
+ if (routeWithoutAdmin.startsWith(segment)) {
+ return true
+ } else if (routeWithoutAdmin.includes('/verify/')) {
+ return true
+ } else {
+ return false
+ }
+ })
}
export const getRouteWithoutAdmin = ({
diff --git a/packages/next/src/views/ForgotPassword/ForgotPasswordForm/index.tsx b/packages/next/src/views/ForgotPassword/ForgotPasswordForm/index.tsx
index 8c1b15496be..c5f4833faa9 100644
--- a/packages/next/src/views/ForgotPassword/ForgotPasswordForm/index.tsx
+++ b/packages/next/src/views/ForgotPassword/ForgotPasswordForm/index.tsx
@@ -5,7 +5,9 @@ import type { FormState, PayloadRequest } from 'payload'
import { EmailField, Form, FormSubmit, TextField, useConfig, useTranslation } from '@payloadcms/ui'
import { email, text } from 'payload/shared'
-import React, { Fragment, useState } from 'react'
+import React, { useState } from 'react'
+
+import { FormHeader } from '../../../elements/FormHeader/index.js'
export const ForgotPasswordForm: React.FC = () => {
const { config } = useConfig()
@@ -54,10 +56,10 @@ export const ForgotPasswordForm: React.FC = () => {
if (hasSubmitted) {
return (
- <Fragment>
- <h1>{t('authentication:emailSent')}</h1>
- <p>{t('authentication:checkYourEmailForPasswordReset')}</p>
- </Fragment>
+ <FormHeader
+ description={t('authentication:checkYourEmailForPasswordReset')}
+ heading={t('authentication:emailSent')}
+ />
)
}
@@ -68,12 +70,14 @@ export const ForgotPasswordForm: React.FC = () => {
initialState={initialState}
method="POST"
>
- <h1>{t('authentication:forgotPassword')}</h1>
- <p>
- {loginWithUsername
- ? t('authentication:forgotPasswordUsernameInstructions')
- : t('authentication:forgotPasswordEmailInstructions')}
- </p>
+ <FormHeader
+ description={
+ loginWithUsername
+ ? t('authentication:forgotPasswordUsernameInstructions')
+ : t('authentication:forgotPasswordEmailInstructions')
+ }
+ heading={t('authentication:forgotPassword')}
+ />
{loginWithUsername ? (
<TextField
@@ -120,7 +124,7 @@ export const ForgotPasswordForm: React.FC = () => {
}
/>
)}
- <FormSubmit>{t('general:submit')}</FormSubmit>
+ <FormSubmit size="large">{t('general:submit')}</FormSubmit>
</Form>
)
}
diff --git a/packages/next/src/views/ForgotPassword/index.tsx b/packages/next/src/views/ForgotPassword/index.tsx
index 108638df07f..ec154248d23 100644
--- a/packages/next/src/views/ForgotPassword/index.tsx
+++ b/packages/next/src/views/ForgotPassword/index.tsx
@@ -5,6 +5,7 @@ import { formatAdminURL, Translation } from '@payloadcms/ui/shared'
import LinkImport from 'next/link.js'
import React, { Fragment } from 'react'
+import { FormHeader } from '../../elements/FormHeader/index.js'
import { ForgotPasswordForm } from './ForgotPasswordForm/index.js'
export { generateForgotPasswordMetadata } from './meta.js'
@@ -31,26 +32,27 @@ export const ForgotPasswordView: React.FC<AdminViewProps> = ({ initPageResult })
if (user) {
return (
<Fragment>
- <h1>{i18n.t('authentication:alreadyLoggedIn')}</h1>
- <p>
- <Translation
- elements={{
- '0': ({ children }) => (
- <Link
- href={formatAdminURL({
- adminRoute,
- path: accountRoute,
- })}
- >
- {children}
- </Link>
- ),
- }}
- i18nKey="authentication:loggedInChangePassword"
- t={i18n.t}
- />
- </p>
- <br />
+ <FormHeader
+ description={
+ <Translation
+ elements={{
+ '0': ({ children }) => (
+ <Link
+ href={formatAdminURL({
+ adminRoute,
+ path: accountRoute,
+ })}
+ >
+ {children}
+ </Link>
+ ),
+ }}
+ i18nKey="authentication:loggedInChangePassword"
+ t={i18n.t}
+ />
+ }
+ heading={i18n.t('authentication:alreadyLoggedIn')}
+ />
<Button buttonStyle="secondary" el="link" Link={Link} size="large" to={adminRoute}>
{i18n.t('general:backToDashboard')}
</Button>
diff --git a/packages/next/src/views/ResetPassword/index.client.tsx b/packages/next/src/views/ResetPassword/ResetPasswordForm/index.tsx
similarity index 71%
rename from packages/next/src/views/ResetPassword/index.client.tsx
rename to packages/next/src/views/ResetPassword/ResetPasswordForm/index.tsx
index 6128de4c967..c0af119d6fd 100644
--- a/packages/next/src/views/ResetPassword/index.client.tsx
+++ b/packages/next/src/views/ResetPassword/ResetPasswordForm/index.tsx
@@ -1,6 +1,4 @@
'use client'
-import type { FormState } from 'payload'
-
import {
ConfirmPasswordField,
Form,
@@ -13,8 +11,8 @@ import {
} from '@payloadcms/ui'
import { formatAdminURL } from '@payloadcms/ui/shared'
import { useRouter } from 'next/navigation.js'
+import { type FormState } from 'payload'
import React from 'react'
-import { toast } from 'sonner'
type Args = {
readonly token: string
@@ -33,7 +31,7 @@ const initialState: FormState = {
},
}
-export const ResetPasswordClient: React.FC<Args> = ({ token }) => {
+export const ResetPasswordForm: React.FC<Args> = ({ token }) => {
const i18n = useTranslation()
const {
config: {
@@ -47,26 +45,21 @@ export const ResetPasswordClient: React.FC<Args> = ({ token }) => {
} = useConfig()
const history = useRouter()
-
const { fetchFullUser } = useAuth()
- const onSuccess = React.useCallback(
- async (data) => {
- if (data.token) {
- await fetchFullUser()
- history.push(adminRoute)
- } else {
- history.push(
- formatAdminURL({
- adminRoute,
- path: loginRoute,
- }),
- )
- toast.success(i18n.t('general:updatedSuccessfully'))
- }
- },
- [adminRoute, fetchFullUser, history, i18n, loginRoute],
- )
+ const onSuccess = React.useCallback(async () => {
+ const user = await fetchFullUser()
+ if (user) {
+ history.push(adminRoute)
+ } else {
+ history.push(
+ formatAdminURL({
+ adminRoute,
+ path: loginRoute,
+ }),
+ )
+ }
+ }, [adminRoute, fetchFullUser, history, loginRoute])
return (
<Form
@@ -75,7 +68,7 @@ export const ResetPasswordClient: React.FC<Args> = ({ token }) => {
method="POST"
onSuccess={onSuccess}
>
- <div className={'inputWrap'}>
+ <div className="inputWrap">
<PasswordField
field={{
name: 'password',
diff --git a/packages/next/src/views/ResetPassword/index.scss b/packages/next/src/views/ResetPassword/index.scss
index 112d55478c8..2b5ce074799 100644
--- a/packages/next/src/views/ResetPassword/index.scss
+++ b/packages/next/src/views/ResetPassword/index.scss
@@ -1,33 +1,11 @@
@import '../../scss/styles.scss';
@layer payload-default {
- .reset-password {
- &__wrap {
- z-index: 1;
- position: relative;
+ .reset-password__wrap {
+ .inputWrap {
display: flex;
flex-direction: column;
- align-items: flex-start;
gap: base(0.8);
- max-width: base(36);
-
- & > form {
- width: 100%;
-
- & > .inputWrap {
- display: flex;
- flex-direction: column;
- gap: base(0.8);
-
- > * {
- margin: 0;
- }
- }
- }
-
- & > .btn {
- margin: 0;
- }
}
}
}
diff --git a/packages/next/src/views/ResetPassword/index.tsx b/packages/next/src/views/ResetPassword/index.tsx
index 4b25efbb966..0ddc1f05e96 100644
--- a/packages/next/src/views/ResetPassword/index.tsx
+++ b/packages/next/src/views/ResetPassword/index.tsx
@@ -5,8 +5,9 @@ import { formatAdminURL, Translation } from '@payloadcms/ui/shared'
import LinkImport from 'next/link.js'
import React from 'react'
-import { ResetPasswordClient } from './index.client.js'
+import { FormHeader } from '../../elements/FormHeader/index.js'
import './index.scss'
+import { ResetPasswordForm } from './ResetPasswordForm/index.js'
export const resetPasswordBaseClass = 'reset-password'
@@ -29,7 +30,7 @@ export const ResetPassword: React.FC<AdminViewProps> = ({ initPageResult, params
const {
admin: {
- routes: { account: accountRoute },
+ routes: { account: accountRoute, login: loginRoute },
},
routes: { admin: adminRoute },
} = config
@@ -37,25 +38,27 @@ export const ResetPassword: React.FC<AdminViewProps> = ({ initPageResult, params
if (user) {
return (
<div className={`${resetPasswordBaseClass}__wrap`}>
- <h1>{i18n.t('authentication:alreadyLoggedIn')}</h1>
- <p>
- <Translation
- elements={{
- '0': ({ children }) => (
- <Link
- href={formatAdminURL({
- adminRoute,
- path: accountRoute,
- })}
- >
- {children}
- </Link>
- ),
- }}
- i18nKey="authentication:loggedInChangePassword"
- t={i18n.t}
- />
- </p>
+ <FormHeader
+ description={
+ <Translation
+ elements={{
+ '0': ({ children }) => (
+ <Link
+ href={formatAdminURL({
+ adminRoute,
+ path: accountRoute,
+ })}
+ >
+ {children}
+ </Link>
+ ),
+ }}
+ i18nKey="authentication:loggedInChangePassword"
+ t={i18n.t}
+ />
+ }
+ heading={i18n.t('authentication:alreadyLoggedIn')}
+ />
<Button buttonStyle="secondary" el="link" Link={Link} size="large" to={adminRoute}>
{i18n.t('general:backToDashboard')}
</Button>
@@ -65,8 +68,16 @@ export const ResetPassword: React.FC<AdminViewProps> = ({ initPageResult, params
return (
<div className={`${resetPasswordBaseClass}__wrap`}>
- <h1>{i18n.t('authentication:resetPassword')}</h1>
- <ResetPasswordClient token={token} />
+ <FormHeader heading={i18n.t('authentication:resetPassword')} />
+ <ResetPasswordForm token={token} />
+ <Link
+ href={formatAdminURL({
+ adminRoute,
+ path: loginRoute,
+ })}
+ >
+ {i18n.t('authentication:backToLogin')}
+ </Link>
</div>
)
}
diff --git a/packages/next/src/views/Root/getViewFromConfig.ts b/packages/next/src/views/Root/getViewFromConfig.ts
index 2185948f3b9..b7851ca39ee 100644
--- a/packages/next/src/views/Root/getViewFromConfig.ts
+++ b/packages/next/src/views/Root/getViewFromConfig.ts
@@ -92,7 +92,6 @@ export const getViewFromConfig = ({
}
templateClassName = 'dashboard'
templateType = 'default'
- initPageOptions.redirectUnauthenticatedUser = true
}
break
}
@@ -132,7 +131,6 @@ export const getViewFromConfig = ({
templateType = 'minimal'
if (viewKey === 'account') {
- initPageOptions.redirectUnauthenticatedUser = true
templateType = 'default'
}
}
@@ -150,7 +148,6 @@ export const getViewFromConfig = ({
if (isCollection) {
// --> /collections/:collectionSlug
- initPageOptions.redirectUnauthenticatedUser = true
ViewToRender = {
Component: ListView,
@@ -160,7 +157,6 @@ export const getViewFromConfig = ({
templateType = 'default'
} else if (isGlobal) {
// --> /globals/:globalSlug
- initPageOptions.redirectUnauthenticatedUser = true
ViewToRender = {
Component: DocumentView,
@@ -187,7 +183,6 @@ export const getViewFromConfig = ({
// --> /collections/:collectionSlug/:id/versions
// --> /collections/:collectionSlug/:id/versions/:versionId
// --> /collections/:collectionSlug/:id/api
- initPageOptions.redirectUnauthenticatedUser = true
ViewToRender = {
Component: DocumentView,
@@ -201,7 +196,6 @@ export const getViewFromConfig = ({
// --> /globals/:globalSlug/preview
// --> /globals/:globalSlug/versions/:versionId
// --> /globals/:globalSlug/api
- initPageOptions.redirectUnauthenticatedUser = true
ViewToRender = {
Component: DocumentView,
diff --git a/packages/next/src/views/Root/index.tsx b/packages/next/src/views/Root/index.tsx
index 7a9ed17e572..db3cfa53c42 100644
--- a/packages/next/src/views/Root/index.tsx
+++ b/packages/next/src/views/Root/index.tsx
@@ -72,6 +72,10 @@ export const RootPage = async ({
const initPageResult = await initPage(initPageOptions)
+ if (typeof initPageResult?.redirectTo === 'string') {
+ redirect(initPageResult.redirectTo)
+ }
+
if (initPageResult) {
dbHasUser = await initPageResult?.req.payload.db
.findOne({
@@ -137,8 +141,8 @@ export const RootPage = async ({
visibleEntities={{
// The reason we are not passing in initPageResult.visibleEntities directly is due to a "Cannot assign to read only property of object '#<Object>" error introduced in React 19
// which this caused as soon as initPageResult.visibleEntities is passed in
- collections: initPageResult.visibleEntities?.collections,
- globals: initPageResult.visibleEntities?.globals,
+ collections: initPageResult?.visibleEntities?.collections,
+ globals: initPageResult?.visibleEntities?.globals,
}}
>
{RenderedView}
diff --git a/packages/next/src/views/Unauthorized/index.scss b/packages/next/src/views/Unauthorized/index.scss
index 697c9b9975b..125ffe9e08b 100644
--- a/packages/next/src/views/Unauthorized/index.scss
+++ b/packages/next/src/views/Unauthorized/index.scss
@@ -2,37 +2,8 @@
@layer payload-default {
.unauthorized {
- margin-top: var(--base);
-
- & > * {
- &:first-child {
- margin-top: 0;
- }
- &:last-child {
- margin-bottom: 0;
- }
- }
-
&__button {
margin: 0;
}
-
- &--margin-top-large {
- margin-top: calc(var(--base) * 2);
- }
-
- @include large-break {
- &--margin-top-large {
- margin-top: var(--base);
- }
- }
-
- @include small-break {
- margin-top: calc(var(--base) / 2);
-
- &--margin-top-large {
- margin-top: calc(var(--base) / 2);
- }
- }
}
}
diff --git a/packages/next/src/views/Unauthorized/index.tsx b/packages/next/src/views/Unauthorized/index.tsx
index 29401562464..5ace45cf222 100644
--- a/packages/next/src/views/Unauthorized/index.tsx
+++ b/packages/next/src/views/Unauthorized/index.tsx
@@ -1,9 +1,11 @@
import type { AdminViewComponent, PayloadServerReactComponent } from 'payload'
-import { Button, Gutter } from '@payloadcms/ui'
+import { Button } from '@payloadcms/ui'
+import { formatAdminURL } from '@payloadcms/ui/shared'
import LinkImport from 'next/link.js'
import React from 'react'
+import { FormHeader } from '../../elements/FormHeader/index.js'
import './index.scss'
const Link = (LinkImport.default || LinkImport) as unknown as typeof LinkImport.default
@@ -23,24 +25,31 @@ export const UnauthorizedView: PayloadServerReactComponent<AdminViewComponent> =
admin: {
routes: { logout: logoutRoute },
},
+ routes: { admin: adminRoute },
},
},
},
} = initPageResult
return (
- <Gutter className={baseClass}>
- <h2>{i18n.t('error:unauthorized')}</h2>
- <p>{i18n.t('error:notAllowedToAccessPage')}</p>
+ <div className={baseClass}>
+ <FormHeader
+ description={i18n.t('error:notAllowedToAccessPage')}
+ heading={i18n.t('error:unauthorized')}
+ />
+
<Button
className={`${baseClass}__button`}
el="link"
Link={Link}
size="large"
- to={logoutRoute}
+ to={formatAdminURL({
+ adminRoute,
+ path: logoutRoute,
+ })}
>
{i18n.t('authentication:logOut')}
</Button>
- </Gutter>
+ </div>
)
}
diff --git a/packages/next/src/views/Verify/index.client.tsx b/packages/next/src/views/Verify/index.client.tsx
new file mode 100644
index 00000000000..889e3bf389e
--- /dev/null
+++ b/packages/next/src/views/Verify/index.client.tsx
@@ -0,0 +1,32 @@
+'use client'
+import { toast } from '@payloadcms/ui'
+import { useRouter } from 'next/navigation.js'
+import React, { useEffect } from 'react'
+
+type Props = {
+ message: string
+ redirectTo: string
+}
+export function ToastAndRedirect({ message, redirectTo }: Props) {
+ const router = useRouter()
+ const hasToastedRef = React.useRef(false)
+
+ useEffect(() => {
+ let timeoutID
+ if (toast) {
+ timeoutID = setTimeout(() => {
+ toast.success(message)
+ hasToastedRef.current = true
+ router.push(redirectTo)
+ }, 100)
+ }
+
+ return () => {
+ if (timeoutID) {
+ clearTimeout(timeoutID)
+ }
+ }
+ }, [router, redirectTo, message])
+
+ return null
+}
diff --git a/packages/next/src/views/Verify/index.tsx b/packages/next/src/views/Verify/index.tsx
index 19edad0c81c..cee82f0e8d0 100644
--- a/packages/next/src/views/Verify/index.tsx
+++ b/packages/next/src/views/Verify/index.tsx
@@ -1,10 +1,10 @@
import type { AdminViewProps } from 'payload'
import { formatAdminURL } from '@payloadcms/ui/shared'
-import { redirect } from 'next/navigation.js'
import React from 'react'
import { Logo } from '../../elements/Logo/index.js'
+import { ToastAndRedirect } from './index.client.js'
import './index.scss'
export const verifyBaseClass = 'verify'
@@ -33,6 +33,7 @@ export const Verify: React.FC<AdminViewProps> = async ({
} = config
let textToRender
+ let isVerified = false
try {
await req.payload.verifyEmail({
@@ -40,15 +41,21 @@ export const Verify: React.FC<AdminViewProps> = async ({
token,
})
- return redirect(formatAdminURL({ adminRoute, path: '/login' }))
+ isVerified = true
+ textToRender = req.t('authentication:emailVerified')
} catch (e) {
- // already verified
- if (e?.status === 202) {
- redirect(formatAdminURL({ adminRoute, path: '/login' }))
- }
textToRender = req.t('authentication:unableToVerify')
}
+ if (isVerified) {
+ return (
+ <ToastAndRedirect
+ message={req.t('authentication:emailVerified')}
+ redirectTo={formatAdminURL({ adminRoute, path: '/login' })}
+ />
+ )
+ }
+
return (
<React.Fragment>
<div className={`${verifyBaseClass}__brand`}>
diff --git a/packages/payload/src/admin/views/types.ts b/packages/payload/src/admin/views/types.ts
index 85650010ba3..cda94b47802 100644
--- a/packages/payload/src/admin/views/types.ts
+++ b/packages/payload/src/admin/views/types.ts
@@ -53,6 +53,7 @@ export type InitPageResult = {
languageOptions: LanguageOptions
locale?: Locale
permissions: Permissions
+ redirectTo?: string
req: PayloadRequest
translations: ClientTranslationsObject
visibleEntities: VisibleEntities
diff --git a/packages/payload/src/auth/cookies.ts b/packages/payload/src/auth/cookies.ts
index 31d6f24c09e..67e69dfdb12 100644
--- a/packages/payload/src/auth/cookies.ts
+++ b/packages/payload/src/auth/cookies.ts
@@ -1,4 +1,3 @@
-import type { Payload } from '../index.js'
import type { SanitizedCollectionConfig } from './../collections/config/types.js'
type CookieOptions = {
@@ -125,63 +124,63 @@ export const getCookieExpiration = ({ seconds = 7200 }: GetCookieExpirationArgs)
type GeneratePayloadCookieArgs = {
/* The auth collection config */
- collectionConfig: SanitizedCollectionConfig
- /* An instance of payload */
- payload: Payload
+ collectionAuthConfig: SanitizedCollectionConfig['auth']
+ /* Prefix to scope the cookie */
+ cookiePrefix: string
/* The returnAs value */
returnCookieAsObject?: boolean
/* The token to be stored in the cookie */
token: string
}
export const generatePayloadCookie = <T extends GeneratePayloadCookieArgs>({
- collectionConfig,
- payload,
+ collectionAuthConfig,
+ cookiePrefix,
returnCookieAsObject = false,
token,
}: T): T['returnCookieAsObject'] extends true ? CookieObject : string => {
const sameSite =
- typeof collectionConfig.auth.cookies.sameSite === 'string'
- ? collectionConfig.auth.cookies.sameSite
- : collectionConfig.auth.cookies.sameSite
+ typeof collectionAuthConfig.cookies.sameSite === 'string'
+ ? collectionAuthConfig.cookies.sameSite
+ : collectionAuthConfig.cookies.sameSite
? 'Strict'
: undefined
return generateCookie<T['returnCookieAsObject']>({
- name: `${payload.config.cookiePrefix}-token`,
- domain: collectionConfig.auth.cookies.domain ?? undefined,
- expires: getCookieExpiration({ seconds: collectionConfig.auth.tokenExpiration }),
+ name: `${cookiePrefix}-token`,
+ domain: collectionAuthConfig.cookies.domain ?? undefined,
+ expires: getCookieExpiration({ seconds: collectionAuthConfig.tokenExpiration }),
httpOnly: true,
path: '/',
returnCookieAsObject,
sameSite,
- secure: collectionConfig.auth.cookies.secure,
+ secure: collectionAuthConfig.cookies.secure,
value: token,
})
}
export const generateExpiredPayloadCookie = <T extends Omit<GeneratePayloadCookieArgs, 'token'>>({
- collectionConfig,
- payload,
+ collectionAuthConfig,
+ cookiePrefix,
returnCookieAsObject = false,
}: T): T['returnCookieAsObject'] extends true ? CookieObject : string => {
const sameSite =
- typeof collectionConfig.auth.cookies.sameSite === 'string'
- ? collectionConfig.auth.cookies.sameSite
- : collectionConfig.auth.cookies.sameSite
+ typeof collectionAuthConfig.cookies.sameSite === 'string'
+ ? collectionAuthConfig.cookies.sameSite
+ : collectionAuthConfig.cookies.sameSite
? 'Strict'
: undefined
const expires = new Date(Date.now() - 1000)
return generateCookie<T['returnCookieAsObject']>({
- name: `${payload.config.cookiePrefix}-token`,
- domain: collectionConfig.auth.cookies.domain ?? undefined,
+ name: `${cookiePrefix}-token`,
+ domain: collectionAuthConfig.cookies.domain ?? undefined,
expires,
httpOnly: true,
path: '/',
returnCookieAsObject,
sameSite,
- secure: collectionConfig.auth.cookies.secure,
+ secure: collectionAuthConfig.cookies.secure,
})
}
diff --git a/packages/payload/src/auth/operations/resetPassword.ts b/packages/payload/src/auth/operations/resetPassword.ts
index ac430e42a07..ea31e551211 100644
--- a/packages/payload/src/auth/operations/resetPassword.ts
+++ b/packages/payload/src/auth/operations/resetPassword.ts
@@ -81,7 +81,7 @@ export const resetPasswordOperation = async (args: Arguments): Promise<Result> =
user.resetPasswordExpiration = new Date().toISOString()
if (collectionConfig.auth.verify) {
- user._verified = true
+ user._verified = Boolean(user._verified)
}
const doc = await payload.db.updateOne({
diff --git a/packages/payload/src/auth/operations/verifyEmail.ts b/packages/payload/src/auth/operations/verifyEmail.ts
index 0ae94c1f13f..fff5d842eaf 100644
--- a/packages/payload/src/auth/operations/verifyEmail.ts
+++ b/packages/payload/src/auth/operations/verifyEmail.ts
@@ -34,9 +34,6 @@ export const verifyEmailOperation = async (args: Args): Promise<boolean> => {
if (!user) {
throw new APIError('Verification token is invalid.', httpStatus.FORBIDDEN)
}
- if (user && user._verified === true) {
- throw new APIError('This account has already been activated.', httpStatus.ACCEPTED)
- }
await req.payload.db.updateOne({
id: user.id,
diff --git a/packages/payload/src/exports/shared.ts b/packages/payload/src/exports/shared.ts
index 74fcb9ef404..510c6dc98ee 100644
--- a/packages/payload/src/exports/shared.ts
+++ b/packages/payload/src/exports/shared.ts
@@ -1,5 +1,13 @@
+export {
+ generateCookie,
+ generateExpiredPayloadCookie,
+ generatePayloadCookie,
+ getCookieExpiration,
+ parseCookies,
+} from '../auth/cookies.js'
export { parsePayloadComponent } from '../bin/generateImportMap/parsePayloadComponent.js'
export { defaults as collectionDefaults } from '../collections/config/defaults.js'
+
export { serverProps } from '../config/types.js'
export {
@@ -20,19 +28,19 @@ export {
tabHasName,
valueIsValueWithRelation,
} from '../fields/config/types.js'
-
export * from '../fields/validations.js'
+
export { validOperators } from '../types/constants.js'
export { formatFilesize } from '../uploads/formatFilesize.js'
export { isImage } from '../uploads/isImage.js'
-
export {
deepCopyObject,
deepCopyObjectComplex,
deepCopyObjectSimple,
} from '../utilities/deepCopyObject.js'
+
export {
deepMerge,
deepMergeWithCombinedArrays,
@@ -41,8 +49,8 @@ export {
} from '../utilities/deepMerge.js'
export { fieldSchemaToJSON } from '../utilities/fieldSchemaToJSON.js'
-
export { getDataByPath } from '../utilities/getDataByPath.js'
+
export { getSiblingData } from '../utilities/getSiblingData.js'
export { getUniqueListBy } from '../utilities/getUniqueListBy.js'
@@ -66,6 +74,5 @@ export { unflatten } from '../utilities/unflatten.js'
export { wait } from '../utilities/wait.js'
export { default as wordBoundariesRegex } from '../utilities/wordBoundariesRegex.js'
-
export { versionDefaults } from '../versions/defaults.js'
export { deepMergeSimple } from '@payloadcms/translations/utilities'
diff --git a/packages/translations/src/languages/ar.ts b/packages/translations/src/languages/ar.ts
index 9fc249f6c5c..f3e355cef94 100644
--- a/packages/translations/src/languages/ar.ts
+++ b/packages/translations/src/languages/ar.ts
@@ -184,7 +184,7 @@ export const arTranslations: DefaultTranslationsObject = {
backToDashboard: 'العودة للوحة التّحكّم',
cancel: 'إلغاء',
changesNotSaved: 'لم يتمّ حفظ التّغييرات. إن غادرت الآن ، ستفقد تغييراتك.',
- clearAll: undefined,
+ clearAll: 'امسح الكل',
close: 'إغلاق',
collapse: 'طيّ',
collections: 'المجموعات',
@@ -407,7 +407,7 @@ export const arTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'تم الحفظ آخر مرة قبل {{distance}}',
noFurtherVersionsFound: 'لم يتمّ العثور على نسخات أخرى',
noRowsFound: 'لم يتمّ العثور على {{label}}',
- noRowsSelected: undefined,
+ noRowsSelected: 'لم يتم اختيار {{label}}',
preview: 'معاينة',
previouslyPublished: 'نشر سابقا',
problemRestoringVersion: 'حدث خطأ في استعادة هذه النّسخة',
diff --git a/packages/translations/src/languages/az.ts b/packages/translations/src/languages/az.ts
index 14dd9272171..f60668c88df 100644
--- a/packages/translations/src/languages/az.ts
+++ b/packages/translations/src/languages/az.ts
@@ -186,7 +186,7 @@ export const azTranslations: DefaultTranslationsObject = {
cancel: 'Ləğv et',
changesNotSaved:
'Dəyişiklikləriniz saxlanılmayıb. İndi çıxsanız, dəyişikliklərinizi itirəcəksiniz.',
- clearAll: undefined,
+ clearAll: 'Hamısını təmizlə',
close: 'Bağla',
collapse: 'Bağla',
collections: 'Kolleksiyalar',
@@ -414,7 +414,7 @@ export const azTranslations: DefaultTranslationsObject = {
lastSavedAgo: '{{distance}} əvvəl son yadda saxlanıldı',
noFurtherVersionsFound: 'Başqa versiyalar tapılmadı',
noRowsFound: 'Heç bir {{label}} tapılmadı',
- noRowsSelected: undefined,
+ noRowsSelected: 'Heç bir {{label}} seçilməyib',
preview: 'Öncədən baxış',
previouslyPublished: 'Daha əvvəl nəşr olunmuş',
problemRestoringVersion: 'Bu versiyanın bərpasında problem yaşandı',
diff --git a/packages/translations/src/languages/bg.ts b/packages/translations/src/languages/bg.ts
index 83e684e3592..1494370e2b6 100644
--- a/packages/translations/src/languages/bg.ts
+++ b/packages/translations/src/languages/bg.ts
@@ -185,7 +185,7 @@ export const bgTranslations: DefaultTranslationsObject = {
backToDashboard: 'Обратно към таблото',
cancel: 'Отмени',
changesNotSaved: 'Промените ти не са запазени. Ако напуснеш сега, ще ги загубиш.',
- clearAll: undefined,
+ clearAll: 'Изчисти всичко',
close: 'Затвори',
collapse: 'Свий',
collections: 'Колекции',
@@ -413,7 +413,7 @@ export const bgTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'последно запазено преди {{distance}}',
noFurtherVersionsFound: 'Не са открити повече версии',
noRowsFound: 'Не е открит {{label}}',
- noRowsSelected: undefined,
+ noRowsSelected: 'Не е избран {{label}}',
preview: 'Предварителен преглед',
previouslyPublished: 'Предишно публикувано',
problemRestoringVersion: 'Имаше проблем при възстановяването на тази версия',
diff --git a/packages/translations/src/languages/cs.ts b/packages/translations/src/languages/cs.ts
index 3da8072bd95..5b83192f289 100644
--- a/packages/translations/src/languages/cs.ts
+++ b/packages/translations/src/languages/cs.ts
@@ -185,7 +185,7 @@ export const csTranslations: DefaultTranslationsObject = {
backToDashboard: 'Zpět na nástěnku',
cancel: 'Zrušit',
changesNotSaved: 'Vaše změny nebyly uloženy. Pokud teď odejdete, ztratíte své změny.',
- clearAll: undefined,
+ clearAll: 'Vymazat vše',
close: 'Zavřít',
collapse: 'Sbalit',
collections: 'Kolekce',
@@ -412,7 +412,7 @@ export const csTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'Naposledy uloženo před {{distance}}',
noFurtherVersionsFound: 'Nenalezeny další verze',
noRowsFound: 'Nenalezen {{label}}',
- noRowsSelected: undefined,
+ noRowsSelected: 'Nebyl vybrán žádný {{label}}',
preview: 'Náhled',
previouslyPublished: 'Dříve publikováno',
problemRestoringVersion: 'Při obnovování této verze došlo k problému',
diff --git a/packages/translations/src/languages/de.ts b/packages/translations/src/languages/de.ts
index 3f9353b8c5a..5a94770b851 100644
--- a/packages/translations/src/languages/de.ts
+++ b/packages/translations/src/languages/de.ts
@@ -190,7 +190,7 @@ export const deTranslations: DefaultTranslationsObject = {
cancel: 'Abbrechen',
changesNotSaved:
'Deine Änderungen wurden nicht gespeichert. Wenn du diese Seite verlässt, gehen deine Änderungen verloren.',
- clearAll: undefined,
+ clearAll: 'Alles löschen',
close: 'Schließen',
collapse: 'Einklappen',
collections: 'Sammlungen',
@@ -418,7 +418,7 @@ export const deTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'Zuletzt vor {{distance}} gespeichert',
noFurtherVersionsFound: 'Keine weiteren Versionen vorhanden',
noRowsFound: 'Kein {{label}} gefunden',
- noRowsSelected: undefined,
+ noRowsSelected: 'Kein {{label}} ausgewählt',
preview: 'Vorschau',
previouslyPublished: 'Zuvor Veröffentlicht',
problemRestoringVersion: 'Es gab ein Problem bei der Wiederherstellung dieser Version',
diff --git a/packages/translations/src/languages/en.ts b/packages/translations/src/languages/en.ts
index 9b91245aea9..312db967a4f 100644
--- a/packages/translations/src/languages/en.ts
+++ b/packages/translations/src/languages/en.ts
@@ -66,9 +66,8 @@ export const enTranslations = {
successfullyRegisteredFirstUser: 'Successfully registered first user.',
successfullyUnlocked: 'Successfully unlocked',
tokenRefreshSuccessful: 'Token refresh successful.',
- username: 'Username',
-
unableToVerify: 'Unable to Verify',
+ username: 'Username',
verified: 'Verified',
verifiedSuccessfully: 'Verified Successfully',
verify: 'Verify',
diff --git a/packages/translations/src/languages/es.ts b/packages/translations/src/languages/es.ts
index 41e5d351f4e..fa123ff0287 100644
--- a/packages/translations/src/languages/es.ts
+++ b/packages/translations/src/languages/es.ts
@@ -190,7 +190,7 @@ export const esTranslations: DefaultTranslationsObject = {
cancel: 'Cancelar',
changesNotSaved:
'Tus cambios no han sido guardados. Si te sales ahora, se perderán tus cambios.',
- clearAll: undefined,
+ clearAll: 'Borrar todo',
close: 'Cerrar',
collapse: 'Colapsar',
collections: 'Colecciones',
@@ -418,7 +418,7 @@ export const esTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'Guardado por última vez hace {{distance}}',
noFurtherVersionsFound: 'No se encontraron más versiones',
noRowsFound: 'No encontramos {{label}}',
- noRowsSelected: undefined,
+ noRowsSelected: 'No se ha seleccionado ninguna {{etiqueta}}',
preview: 'Previsualizar',
previouslyPublished: 'Publicado Anteriormente',
problemRestoringVersion: 'Ocurrió un problema al restaurar esta versión',
diff --git a/packages/translations/src/languages/fa.ts b/packages/translations/src/languages/fa.ts
index e8360788dc1..49e61bb8e45 100644
--- a/packages/translations/src/languages/fa.ts
+++ b/packages/translations/src/languages/fa.ts
@@ -185,7 +185,7 @@ export const faTranslations: DefaultTranslationsObject = {
cancel: 'لغو',
changesNotSaved:
'تغییرات شما ذخیره نشده، اگر این برگه را ترک کنید. تمام تغییرات از دست خواهد رفت.',
- clearAll: undefined,
+ clearAll: 'همه را پاک کنید',
close: 'بستن',
collapse: 'بستن',
collections: 'مجموعهها',
@@ -411,7 +411,7 @@ export const faTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'آخرین بار {{distance}} پیش ذخیره شد',
noFurtherVersionsFound: 'نگارش دیگری یافت نشد',
noRowsFound: 'هیچ {{label}} یافت نشد',
- noRowsSelected: undefined,
+ noRowsSelected: 'هیچ {{label}} ای انتخاب نشده است',
preview: 'پیشنمایش',
previouslyPublished: 'قبلا منتشر شده',
problemRestoringVersion: 'مشکلی در بازیابی این نگارش وجود دارد',
diff --git a/packages/translations/src/languages/fr.ts b/packages/translations/src/languages/fr.ts
index bdd460a9037..14b38f6e822 100644
--- a/packages/translations/src/languages/fr.ts
+++ b/packages/translations/src/languages/fr.ts
@@ -193,7 +193,7 @@ export const frTranslations: DefaultTranslationsObject = {
cancel: 'Annuler',
changesNotSaved:
'Vos modifications n’ont pas été enregistrées. Vous perdrez vos modifications si vous quittez maintenant.',
- clearAll: undefined,
+ clearAll: 'Tout effacer',
close: 'Fermer',
collapse: 'Réduire',
collections: 'Collections',
@@ -425,7 +425,7 @@ export const frTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'Dernière sauvegarde il y a {{distance}}',
noFurtherVersionsFound: 'Aucune autre version trouvée',
noRowsFound: 'Aucun(e) {{label}} trouvé(e)',
- noRowsSelected: undefined,
+ noRowsSelected: 'Aucune {{étiquette}} sélectionnée',
preview: 'Aperçu',
previouslyPublished: 'Précédemment publié',
problemRestoringVersion: 'Un problème est survenu lors de la restauration de cette version',
diff --git a/packages/translations/src/languages/he.ts b/packages/translations/src/languages/he.ts
index 8a8c46ec8e0..1acdb4305c5 100644
--- a/packages/translations/src/languages/he.ts
+++ b/packages/translations/src/languages/he.ts
@@ -181,7 +181,7 @@ export const heTranslations: DefaultTranslationsObject = {
backToDashboard: 'חזרה ללוח המחוונים',
cancel: 'ביטול',
changesNotSaved: 'השינויים שלך לא נשמרו. אם תצא כעת, תאבד את השינויים שלך.',
- clearAll: undefined,
+ clearAll: 'נקה הכל',
close: 'סגור',
collapse: 'כווץ',
collections: 'אוספים',
@@ -260,7 +260,7 @@ export const heTranslations: DefaultTranslationsObject = {
nothingFound: 'לא נמצא כלום',
noValue: 'אין ערך',
of: 'מתוך',
- only: undefined,
+ only: 'רק',
open: 'פתח',
or: 'או',
order: 'סדר',
@@ -401,7 +401,7 @@ export const heTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'נשמר לאחרונה לפני {{distance}}',
noFurtherVersionsFound: 'לא נמצאו עוד גרסאות',
noRowsFound: 'לא נמצאו {{label}}',
- noRowsSelected: undefined,
+ noRowsSelected: 'לא נבחר {{תווית}}',
preview: 'תצוגה מקדימה',
previouslyPublished: 'פורסם בעבר',
problemRestoringVersion: 'הייתה בעיה בשחזור הגרסה הזו',
diff --git a/packages/translations/src/languages/hr.ts b/packages/translations/src/languages/hr.ts
index 2fd03b066fc..3d60e33324e 100644
--- a/packages/translations/src/languages/hr.ts
+++ b/packages/translations/src/languages/hr.ts
@@ -34,7 +34,6 @@ export const hrTranslations: DefaultTranslationsObject = {
generateNewAPIKey: 'Generiraj novi API ključ',
generatingNewAPIKeyWillInvalidate:
'Generiranje novog API ključa će <1>poništiti</1> prethodni ključ. Jeste li sigurni da želite nastaviti?',
- newAPIKeyGenerated: 'New API ključ generiran.',
lockUntil: 'Zaključaj dok',
logBackIn: 'Ponovno se prijavite',
loggedIn: 'Za prijavu s drugim korisničkim računom potrebno je prvo <0>odjaviti se</0>',
@@ -53,7 +52,8 @@ export const hrTranslations: DefaultTranslationsObject = {
logoutSuccessful: 'Odjava uspješna.',
logoutUser: 'Odjava korisnika',
newAccountCreated:
- 'Novi račun je izrađen. Pristupite računu klikom na: <a href="{{serverURL}}">{{serverURL}}</a>. Molimo kliknite na sljedeću poveznicu ili zalijepite URL, koji se nalazi ispod, u preglednik da biste potvrdili svoju e-mail adresu: <a href="{{verificationURL}}">{{verificationURL}}</a><br> Nakon što potvrdite e-mail adresu, moći ćete se prijaviti.',
+ 'Novi račun je izrađen. Pristupite računu klikom na: <a href="{{serverURL}}">{{serverURL}}</a>. Molimo kliknite na sljedeću poveznicu ili zalijepite URL, koji se nalazi ispod, u preglednik da biste potvrdili svoju e-mail adresu: <a href="{{verificationURL}}">{{verificationURL}}</a><br> Nakon što potvrdite e-mail adresu, moći ćete se prijaviti.',
+ newAPIKeyGenerated: 'New API ključ generiran.',
newPassword: 'Nova lozinka',
passed: 'Autentifikacija je prošla',
passwordResetSuccessfully: 'Lozinka uspješno resetirana.',
@@ -111,11 +111,11 @@ export const hrTranslations: DefaultTranslationsObject = {
problemUploadingFile: 'Došlo je do problema pri učitavanju datoteke.',
tokenInvalidOrExpired: 'Token je neispravan ili je istekao.',
tokenNotProvided: 'Token nije pružen.',
- unPublishingDocument: 'Došlo je do problema pri poništavanju objave ovog dokumenta.',
unableToDeleteCount: 'Nije moguće izbrisati {{count}} od {{total}} {{label}}.',
unableToUpdateCount: 'Nije moguće ažurirati {{count}} od {{total}} {{label}}.',
unauthorized: 'Neovlašteno, morate biti prijavljeni da biste uputili ovaj zahtjev.',
unknown: 'Došlo je do nepoznate pogreške.',
+ unPublishingDocument: 'Došlo je do problema pri poništavanju objave ovog dokumenta.',
unspecific: 'Došlo je do pogreške.',
userEmailAlreadyRegistered: 'Korisnik s navedenom e-mail adresom je već registriran.',
userLocked: 'Ovaj korisnik je zaključan zbog previše neuspješnih pokušaja prijave.',
@@ -186,7 +186,7 @@ export const hrTranslations: DefaultTranslationsObject = {
backToDashboard: 'Natrag na nadzornu ploču',
cancel: 'Otkaži',
changesNotSaved: 'Vaše promjene nisu spremljene. Ako izađete sada, izgubit ćete promjene.',
- clearAll: undefined,
+ clearAll: 'Očisti sve',
close: 'Zatvori',
collapse: 'Sažmi',
collections: 'Kolekcije',
@@ -258,11 +258,12 @@ export const hrTranslations: DefaultTranslationsObject = {
next: 'Sljedeće',
noFiltersSet: 'Nema postavljenih filtera',
noLabel: '<Nema {{label}}>',
- notFound: 'Nije pronađeno',
- nothingFound: 'Ništa nije pronađeno',
none: 'Nijedan',
noOptions: 'Nema opcija',
- noResults: 'Nije pronađen nijedan {{label}}. Ili {{label}} još uvijek ne postoji ili nijedan od odgovara postavljenim filterima.',
+ noResults:
+ 'Nije pronađen nijedan {{label}}. Ili {{label}} još uvijek ne postoji ili nijedan od odgovara postavljenim filterima.',
+ notFound: 'Nije pronađeno',
+ nothingFound: 'Ništa nije pronađeno',
noValue: 'Bez vrijednosti',
of: 'od',
only: 'Samo',
@@ -410,14 +411,14 @@ export const hrTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'Zadnji put spremljeno prije {{distance}',
noFurtherVersionsFound: 'Nisu pronađene daljnje verzije',
noRowsFound: '{{label}} nije pronađeno',
- noRowsSelected: undefined,
+ noRowsSelected: 'Nije odabrana {{oznaka}}',
preview: 'Pregled',
previouslyPublished: 'Prethodno objavljeno',
problemRestoringVersion: 'Nastao je problem pri vraćanju ove verzije',
publish: 'Objaviti',
publishChanges: 'Objavi promjene',
published: 'Objavljeno',
- publishIn: undefined,
+ publishIn: 'Objavi na {{locale}}',
publishing: 'Objavljivanje',
restoreAsDraft: 'Vrati kao skicu',
restoredSuccessfully: 'Uspješno vraćeno.',
diff --git a/packages/translations/src/languages/hu.ts b/packages/translations/src/languages/hu.ts
index a779520ebb7..ebdc487137e 100644
--- a/packages/translations/src/languages/hu.ts
+++ b/packages/translations/src/languages/hu.ts
@@ -188,7 +188,7 @@ export const huTranslations: DefaultTranslationsObject = {
cancel: 'Mégsem',
changesNotSaved:
'A módosítások nem lettek mentve. Ha most távozik, elveszíti a változtatásokat.',
- clearAll: undefined,
+ clearAll: 'Törölj mindent',
close: 'Bezárás',
collapse: 'Összecsukás',
collections: 'Gyűjtemények',
@@ -418,7 +418,7 @@ export const huTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'Utoljára mentve {{distance}} órája',
noFurtherVersionsFound: 'További verziók nem találhatók',
noRowsFound: 'Nem található {{label}}',
- noRowsSelected: undefined,
+ noRowsSelected: 'Nincs {{címke}} kiválasztva',
preview: 'Előnézet',
previouslyPublished: 'Korábban Közzétéve',
problemRestoringVersion: 'Hiba történt a verzió visszaállításakor',
diff --git a/packages/translations/src/languages/it.ts b/packages/translations/src/languages/it.ts
index 49288a27212..de8a0d105fd 100644
--- a/packages/translations/src/languages/it.ts
+++ b/packages/translations/src/languages/it.ts
@@ -189,7 +189,7 @@ export const itTranslations: DefaultTranslationsObject = {
backToDashboard: 'Torna alla Dashboard',
cancel: 'Cancella',
changesNotSaved: 'Le tue modifiche non sono state salvate. Se esci ora, verranno perse.',
- clearAll: undefined,
+ clearAll: 'Cancella Tutto',
close: 'Chiudere',
collapse: 'Comprimi',
collections: 'Collezioni',
@@ -418,7 +418,7 @@ export const itTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'Ultimo salvataggio {{distance}} fa',
noFurtherVersionsFound: 'Non sono state trovate ulteriori versioni',
noRowsFound: 'Nessun {{label}} trovato',
- noRowsSelected: undefined,
+ noRowsSelected: 'Nessuna {{etichetta}} selezionata',
preview: 'Anteprima',
previouslyPublished: 'Precedentemente Pubblicato',
problemRestoringVersion: 'Si è verificato un problema durante il ripristino di questa versione',
diff --git a/packages/translations/src/languages/ja.ts b/packages/translations/src/languages/ja.ts
index 3be5e90fe80..98c1cb0b357 100644
--- a/packages/translations/src/languages/ja.ts
+++ b/packages/translations/src/languages/ja.ts
@@ -186,7 +186,7 @@ export const jaTranslations: DefaultTranslationsObject = {
backToDashboard: 'ダッシュボードに戻る',
cancel: 'キャンセル',
changesNotSaved: '未保存の変更があります。このまま画面を離れると内容が失われます。',
- clearAll: undefined,
+ clearAll: 'すべてクリア',
close: '閉じる',
collapse: '閉じる',
collections: 'コレクション',
@@ -412,7 +412,7 @@ export const jaTranslations: DefaultTranslationsObject = {
lastSavedAgo: '{{distance}}前に最後に保存されました',
noFurtherVersionsFound: 'その他のバージョンは見つかりませんでした。',
noRowsFound: '{{label}} は未設定です',
- noRowsSelected: undefined,
+ noRowsSelected: '選択された{{label}}はありません',
preview: 'プレビュー',
previouslyPublished: '以前に公開された',
problemRestoringVersion: 'このバージョンの復元に問題がありました。',
diff --git a/packages/translations/src/languages/ko.ts b/packages/translations/src/languages/ko.ts
index 6d1c7a2eb36..771d100667b 100644
--- a/packages/translations/src/languages/ko.ts
+++ b/packages/translations/src/languages/ko.ts
@@ -185,7 +185,7 @@ export const koTranslations: DefaultTranslationsObject = {
backToDashboard: '대시보드로 돌아가기',
cancel: '취소',
changesNotSaved: '변경 사항이 저장되지 않았습니다. 지금 떠나면 변경 사항을 잃게 됩니다.',
- clearAll: undefined,
+ clearAll: '모두 지우기',
close: '닫기',
collapse: '접기',
collections: '컬렉션',
@@ -408,7 +408,7 @@ export const koTranslations: DefaultTranslationsObject = {
lastSavedAgo: '마지막으로 저장한지 {{distance}} 전',
noFurtherVersionsFound: '더 이상의 버전을 찾을 수 없습니다.',
noRowsFound: '{{label}}을(를) 찾을 수 없음',
- noRowsSelected: undefined,
+ noRowsSelected: '선택된 {{label}} 없음',
preview: '미리보기',
previouslyPublished: '이전에 발표된',
problemRestoringVersion: '이 버전을 복원하는 중 문제가 발생했습니다.',
diff --git a/packages/translations/src/languages/my.ts b/packages/translations/src/languages/my.ts
index c957f98de66..90896b72645 100644
--- a/packages/translations/src/languages/my.ts
+++ b/packages/translations/src/languages/my.ts
@@ -188,7 +188,7 @@ export const myTranslations: DefaultTranslationsObject = {
cancel: 'မလုပ်တော့ပါ။',
changesNotSaved:
'သင်၏ပြောင်းလဲမှုများကို မသိမ်းဆည်းရသေးပါ။ ယခု စာမျက်နှာက ထွက်လိုက်ပါက သင်၏ပြောင်းလဲမှုများ အကုန် ဆုံးရှုံးသွားပါမည်။ အကုန်နော်။',
- clearAll: undefined,
+ clearAll: 'အားလုံးကိုရှင်းလင်းပါ',
close: 'ပိတ်',
collapse: 'ခေါက်သိမ်းပါ။',
collections: 'စုစည်းမှူများ',
@@ -420,7 +420,7 @@ export const myTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'နောက်ဆုံး သိမ်းချက် {{distance}} ကြာပြီး',
noFurtherVersionsFound: 'နောက်ထပ်ဗားရှင်းများ မတွေ့ပါ။',
noRowsFound: '{{label}} အားမတွေ့ပါ။',
- noRowsSelected: undefined,
+ noRowsSelected: 'Tiada {{label}} yang dipilih',
preview: 'နမူနာပြရန်',
previouslyPublished: 'တိုင်းရင်းသားထုတ်ဝေခဲ့',
problemRestoringVersion: 'ဤဗားရှင်းကို ပြန်လည်ရယူရာတွင် ပြဿနာရှိနေသည်။',
diff --git a/packages/translations/src/languages/nb.ts b/packages/translations/src/languages/nb.ts
index 4e2cf2dc2e2..558d7e16c8b 100644
--- a/packages/translations/src/languages/nb.ts
+++ b/packages/translations/src/languages/nb.ts
@@ -186,7 +186,7 @@ export const nbTranslations: DefaultTranslationsObject = {
cancel: 'Avbryt',
changesNotSaved:
'Endringene dine er ikke lagret. Hvis du forlater nå, vil du miste endringene dine.',
- clearAll: undefined,
+ clearAll: 'Tøm alt',
close: 'Lukk',
collapse: 'Skjul',
collections: 'Samlinger',
@@ -266,7 +266,7 @@ export const nbTranslations: DefaultTranslationsObject = {
nothingFound: 'Ingenting funnet',
noValue: 'Ingen verdi',
of: 'av',
- only: undefined,
+ only: 'Bare',
open: 'Åpne',
or: 'Eller',
order: 'Rekkefølge',
@@ -414,7 +414,7 @@ export const nbTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'Sist lagret {{distance}} siden',
noFurtherVersionsFound: 'Ingen flere versjoner funnet',
noRowsFound: 'Ingen {{label}} funnet',
- noRowsSelected: undefined,
+ noRowsSelected: 'Ingen {{label}} valgt',
preview: 'Forhåndsvisning',
previouslyPublished: 'Tidligere Publisert',
problemRestoringVersion: 'Det oppstod et problem med gjenoppretting av denne versjonen',
diff --git a/packages/translations/src/languages/nl.ts b/packages/translations/src/languages/nl.ts
index 371bc61e4c0..8aabe0a9ac0 100644
--- a/packages/translations/src/languages/nl.ts
+++ b/packages/translations/src/languages/nl.ts
@@ -188,7 +188,7 @@ export const nlTranslations: DefaultTranslationsObject = {
cancel: 'Annuleren',
changesNotSaved:
'Uw wijzigingen zijn niet bewaard. Als u weggaat zullen de wijzigingen verloren gaan.',
- clearAll: undefined,
+ clearAll: 'Alles wissen',
close: 'Dichtbij',
collapse: 'Samenvouwen',
collections: 'Collecties',
@@ -417,7 +417,7 @@ export const nlTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'Laatst opgeslagen {{distance}} geleden',
noFurtherVersionsFound: 'Geen verdere versies gevonden',
noRowsFound: 'Geen {{label}} gevonden',
- noRowsSelected: undefined,
+ noRowsSelected: 'Geen {{label}} geselecteerd',
preview: 'Voorbeeld',
previouslyPublished: 'Eerder gepubliceerd',
problemRestoringVersion: 'Er was een probleem bij het herstellen van deze versie',
diff --git a/packages/translations/src/languages/pl.ts b/packages/translations/src/languages/pl.ts
index 2a9491b0fb3..f8ff36c5fe8 100644
--- a/packages/translations/src/languages/pl.ts
+++ b/packages/translations/src/languages/pl.ts
@@ -186,7 +186,7 @@ export const plTranslations: DefaultTranslationsObject = {
cancel: 'Anuluj',
changesNotSaved:
'Twoje zmiany nie zostały zapisane. Jeśli teraz wyjdziesz, stracisz swoje zmiany.',
- clearAll: undefined,
+ clearAll: 'Wyczyść wszystko',
close: 'Zamknij',
collapse: 'Zwiń',
collections: 'Kolekcje',
@@ -414,14 +414,14 @@ export const plTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'Ostatnio zapisane {{distance}} temu',
noFurtherVersionsFound: 'Nie znaleziono dalszych wersji',
noRowsFound: 'Nie znaleziono {{label}}',
- noRowsSelected: undefined,
+ noRowsSelected: 'Nie wybrano {{etykieta}}',
preview: 'Podgląd',
previouslyPublished: 'Wcześniej opublikowane',
problemRestoringVersion: 'Wystąpił problem podczas przywracania tej wersji',
publish: 'Publikuj',
publishChanges: 'Opublikuj zmiany',
published: 'Opublikowano',
- publishIn: undefined,
+ publishIn: 'Opublikuj w {{locale}}',
publishing: 'Publikacja',
restoreAsDraft: 'Przywróć jako szkic',
restoredSuccessfully: 'Przywrócono pomyślnie.',
diff --git a/packages/translations/src/languages/pt.ts b/packages/translations/src/languages/pt.ts
index f8ae147c03f..7849984db48 100644
--- a/packages/translations/src/languages/pt.ts
+++ b/packages/translations/src/languages/pt.ts
@@ -187,7 +187,7 @@ export const ptTranslations: DefaultTranslationsObject = {
cancel: 'Cancelar',
changesNotSaved:
'Suas alterações não foram salvas. Se você sair agora, essas alterações serão perdidas.',
- clearAll: undefined,
+ clearAll: 'Limpar Tudo',
close: 'Fechar',
collapse: 'Recolher',
collections: 'Coleções',
@@ -267,7 +267,7 @@ export const ptTranslations: DefaultTranslationsObject = {
nothingFound: 'Nada encontrado',
noValue: 'Nenhum valor',
of: 'de',
- only: undefined,
+ only: 'Apenas',
open: 'Abrir',
or: 'Ou',
order: 'Ordem',
@@ -415,14 +415,14 @@ export const ptTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'Última gravação há {{distance}}',
noFurtherVersionsFound: 'Nenhuma outra versão encontrada',
noRowsFound: 'Nenhum(a) {{label}} encontrado(a)',
- noRowsSelected: undefined,
+ noRowsSelected: 'Nenhum {{rótulo}} selecionado',
preview: 'Pré-visualização',
previouslyPublished: 'Publicado Anteriormente',
problemRestoringVersion: 'Ocorreu um problema ao restaurar essa versão',
publish: 'Publicar',
publishChanges: 'Publicar alterações',
published: 'Publicado',
- publishIn: undefined,
+ publishIn: 'Publicar em {{locale}}',
publishing: 'Publicação',
restoreAsDraft: 'Restaurar como rascunho',
restoredSuccessfully: 'Restaurado com sucesso.',
diff --git a/packages/translations/src/languages/ro.ts b/packages/translations/src/languages/ro.ts
index e2b73f02aa0..c4d36241248 100644
--- a/packages/translations/src/languages/ro.ts
+++ b/packages/translations/src/languages/ro.ts
@@ -190,7 +190,7 @@ export const roTranslations: DefaultTranslationsObject = {
cancel: 'Anulați',
changesNotSaved:
'Modificările dvs. nu au fost salvate. Dacă plecați acum, vă veți pierde modificările.',
- clearAll: undefined,
+ clearAll: 'Șterge tot',
close: 'Închide',
collapse: 'Colaps',
collections: 'Colecții',
@@ -422,7 +422,7 @@ export const roTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'Ultima salvare acum {{distance}}',
noFurtherVersionsFound: 'Nu s-au găsit alte versiuni',
noRowsFound: 'Nu s-a găsit niciun {{label}}',
- noRowsSelected: undefined,
+ noRowsSelected: 'Niciun {{etichetă}} selectat',
preview: 'Previzualizare',
previouslyPublished: 'Publicat anterior',
problemRestoringVersion: 'A existat o problemă la restaurarea acestei versiuni',
diff --git a/packages/translations/src/languages/rs.ts b/packages/translations/src/languages/rs.ts
index 32e6b1ff61b..dcde3aeae87 100644
--- a/packages/translations/src/languages/rs.ts
+++ b/packages/translations/src/languages/rs.ts
@@ -185,7 +185,7 @@ export const rsTranslations: DefaultTranslationsObject = {
backToDashboard: 'Назад на контролни панел',
cancel: 'Откажи',
changesNotSaved: 'Ваше промене нису сачуване. Ако изађете сада, изгубићете промене.',
- clearAll: undefined,
+ clearAll: 'Obriši sve',
close: 'Затвори',
collapse: 'Скупи',
collections: 'Колекције',
@@ -265,7 +265,7 @@ export const rsTranslations: DefaultTranslationsObject = {
nothingFound: 'Ништа није пронађено',
noValue: 'Без вредности',
of: 'Од',
- only: undefined,
+ only: 'Samo',
open: 'Отвори',
or: 'Или',
order: 'Редослед',
@@ -409,14 +409,14 @@ export const rsTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'Задњи пут сачувано пре {{distance}',
noFurtherVersionsFound: 'Нису пронађене наредне верзије',
noRowsFound: '{{label}} није пронађено',
- noRowsSelected: undefined,
+ noRowsSelected: 'Nije odabrana {{label}}',
preview: 'Преглед',
previouslyPublished: 'Prethodno objavljeno',
problemRestoringVersion: 'Настао је проблем при враћању ове верзије',
publish: 'Објавити',
publishChanges: 'Објави промене',
published: 'Објављено',
- publishIn: undefined,
+ publishIn: 'Objavi na {{locale}}',
publishing: 'Objavljivanje',
restoreAsDraft: 'Vrati kao nacrt',
restoredSuccessfully: 'Успешно враћено.',
diff --git a/packages/translations/src/languages/rsLatin.ts b/packages/translations/src/languages/rsLatin.ts
index a569053a8d3..0eeb5673664 100644
--- a/packages/translations/src/languages/rsLatin.ts
+++ b/packages/translations/src/languages/rsLatin.ts
@@ -185,7 +185,7 @@ export const rsLatinTranslations: DefaultTranslationsObject = {
backToDashboard: 'Nazad na kontrolni panel',
cancel: 'Otkaži',
changesNotSaved: 'Vaše promene nisu sačuvane. Ako izađete sada, izgubićete promene.',
- clearAll: undefined,
+ clearAll: 'Očisti sve',
close: 'Zatvori',
collapse: 'Skupi',
collections: 'Kolekcije',
@@ -265,7 +265,7 @@ export const rsLatinTranslations: DefaultTranslationsObject = {
nothingFound: 'Ništa nije pronađeno',
noValue: 'Bez vrednosti',
of: 'Od',
- only: undefined,
+ only: 'Samo',
open: 'Otvori',
or: 'Ili',
order: 'Redosled',
@@ -410,7 +410,7 @@ export const rsLatinTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'Zadnji put sačuvano pre {{distance}',
noFurtherVersionsFound: 'Nisu pronađene naredne verzije',
noRowsFound: '{{label}} nije pronađeno',
- noRowsSelected: undefined,
+ noRowsSelected: 'Nije odabrana {{label}}',
preview: 'Pregled',
previouslyPublished: 'Prethodno objavljeno',
problemRestoringVersion: 'Nastao je problem pri vraćanju ove verzije',
diff --git a/packages/translations/src/languages/ru.ts b/packages/translations/src/languages/ru.ts
index 176c1514cbd..c505d0d1ae4 100644
--- a/packages/translations/src/languages/ru.ts
+++ b/packages/translations/src/languages/ru.ts
@@ -188,7 +188,7 @@ export const ruTranslations: DefaultTranslationsObject = {
cancel: 'Отмена',
changesNotSaved:
'Ваши изменения не были сохранены. Если вы сейчас уйдете, то потеряете свои изменения.',
- clearAll: undefined,
+ clearAll: 'Очистить все',
close: 'Закрыть',
collapse: 'Свернуть',
collections: 'Коллекции',
@@ -416,7 +416,7 @@ export const ruTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'Последний раз сохранено {{distance}} назад',
noFurtherVersionsFound: 'Другие версии не найдены',
noRowsFound: 'Не найдено {{label}}',
- noRowsSelected: undefined,
+ noRowsSelected: 'Не выбран {{label}}',
preview: 'Предпросмотр',
previouslyPublished: 'Ранее опубликовано',
problemRestoringVersion: 'Возникла проблема с восстановлением этой версии',
diff --git a/packages/translations/src/languages/sk.ts b/packages/translations/src/languages/sk.ts
index 2a6468b9cf8..95d81cc8fdc 100644
--- a/packages/translations/src/languages/sk.ts
+++ b/packages/translations/src/languages/sk.ts
@@ -187,7 +187,7 @@ export const skTranslations: DefaultTranslationsObject = {
backToDashboard: 'Späť na nástenku',
cancel: 'Zrušiť',
changesNotSaved: 'Vaše zmeny neboli uložené. Ak teraz odídete, stratíte svoje zmeny.',
- clearAll: undefined,
+ clearAll: 'Vymazať všetko',
close: 'Zavrieť',
collapse: 'Zbaliť',
collections: 'Kolekcia',
@@ -267,7 +267,7 @@ export const skTranslations: DefaultTranslationsObject = {
nothingFound: 'Nič nenájdené',
noValue: 'Žiadna hodnota',
of: 'z',
- only: undefined,
+ only: 'Iba',
open: 'Otvoriť',
or: 'Alebo',
order: 'Poradie',
@@ -414,7 +414,7 @@ export const skTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'Naposledy uložené pred {{distance}}',
noFurtherVersionsFound: 'Nenájdené ďalšie verzie',
noRowsFound: 'Nenájdené {{label}}',
- noRowsSelected: undefined,
+ noRowsSelected: 'Nie je vybraté žiadne {{označenie}}',
preview: 'Náhľad',
previouslyPublished: 'Predtým publikované',
problemRestoringVersion: 'Pri obnovovaní tejto verzie došlo k problému',
diff --git a/packages/translations/src/languages/sv.ts b/packages/translations/src/languages/sv.ts
index 038484eeff3..f57df90f5d2 100644
--- a/packages/translations/src/languages/sv.ts
+++ b/packages/translations/src/languages/sv.ts
@@ -186,7 +186,7 @@ export const svTranslations: DefaultTranslationsObject = {
cancel: 'Avbryt',
changesNotSaved:
'Dina ändringar har inte sparats. Om du lämnar nu kommer du att förlora dina ändringar.',
- clearAll: undefined,
+ clearAll: 'Rensa alla',
close: 'Stänga',
collapse: 'Kollapsa',
collections: 'Samlingar',
@@ -413,7 +413,7 @@ export const svTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'Senast sparad för {{distance}} sedan',
noFurtherVersionsFound: 'Inga fler versioner hittades',
noRowsFound: 'Inga {{label}} hittades',
- noRowsSelected: undefined,
+ noRowsSelected: 'Inget {{etikett}} valt',
preview: 'Förhandsvisa',
previouslyPublished: 'Tidigare publicerad',
problemRestoringVersion: 'Det uppstod ett problem när den här versionen skulle återställas',
diff --git a/packages/translations/src/languages/th.ts b/packages/translations/src/languages/th.ts
index b0ac549e4c8..f85be73b863 100644
--- a/packages/translations/src/languages/th.ts
+++ b/packages/translations/src/languages/th.ts
@@ -182,7 +182,7 @@ export const thTranslations: DefaultTranslationsObject = {
backToDashboard: 'กลับไปหน้าแดชบอร์ด',
cancel: 'ยกเลิก',
changesNotSaved: 'การเปลี่ยนแปลงยังไม่ได้ถูกบันทึก ถ้าคุณออกตอนนี้ สิ่งที่แก้ไขไว้จะหายไป',
- clearAll: undefined,
+ clearAll: 'ล้างทั้งหมด',
close: 'ปิด',
collapse: 'ยุบ',
collections: 'Collections',
@@ -405,7 +405,7 @@ export const thTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'บันทึกครั้งล่าสุด {{distance}} ที่ผ่านมา',
noFurtherVersionsFound: 'ไม่พบเวอร์ชันอื่น ๆ',
noRowsFound: 'ไม่พบ {{label}}',
- noRowsSelected: undefined,
+ noRowsSelected: 'ไม่มี {{label}} ที่ถูกเลือก',
preview: 'ตัวอย่าง',
previouslyPublished: 'เผยแพร่ก่อนหน้านี้',
problemRestoringVersion: 'เกิดปัญหาระหว่างการกู้คืนเวอร์ชันนี้',
diff --git a/packages/translations/src/languages/tr.ts b/packages/translations/src/languages/tr.ts
index 35a08fdc9c0..7fac9e7e89d 100644
--- a/packages/translations/src/languages/tr.ts
+++ b/packages/translations/src/languages/tr.ts
@@ -189,7 +189,7 @@ export const trTranslations: DefaultTranslationsObject = {
cancel: 'İptal',
changesNotSaved:
'Değişiklikleriniz henüz kaydedilmedi. Eğer bu sayfayı terk ederseniz değişiklikleri kaybedeceksiniz.',
- clearAll: undefined,
+ clearAll: 'Hepsini Temizle',
close: 'Kapat',
collapse: 'Daralt',
collections: 'Koleksiyonlar',
@@ -415,7 +415,7 @@ export const trTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'Son kaydedildi {{distance}} önce',
noFurtherVersionsFound: 'Başka sürüm bulunamadı.',
noRowsFound: '{{label}} bulunamadı',
- noRowsSelected: undefined,
+ noRowsSelected: 'Seçilen {{label}} yok',
preview: 'Önizleme',
previouslyPublished: 'Daha Önce Yayınlanmış',
problemRestoringVersion: 'Bu sürüme geri döndürürken bir hatayla karşılaşıldı.',
diff --git a/packages/translations/src/languages/uk.ts b/packages/translations/src/languages/uk.ts
index 5ef3ec4432d..3cf4410e018 100644
--- a/packages/translations/src/languages/uk.ts
+++ b/packages/translations/src/languages/uk.ts
@@ -186,7 +186,7 @@ export const ukTranslations: DefaultTranslationsObject = {
backToDashboard: 'Повернутись до головної сторінки',
cancel: 'Скасувати',
changesNotSaved: 'Ваши зміни не були збережені. Якщо ви вийдете зараз, то втратите свої зміни.',
- clearAll: undefined,
+ clearAll: 'Очистити все',
close: 'Закрити',
collapse: 'Згорнути',
collections: 'Колекції',
@@ -413,7 +413,7 @@ export const ukTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'Востаннє збережено {{distance}} тому',
noFurtherVersionsFound: 'Інших версій не знайдено',
noRowsFound: 'Не знайдено {{label}}',
- noRowsSelected: undefined,
+ noRowsSelected: 'Не вибрано {{label}}',
preview: 'Попередній перегляд',
previouslyPublished: 'Раніше опубліковано',
problemRestoringVersion: 'Виникла проблема з відновленням цієї версії',
diff --git a/packages/translations/src/languages/vi.ts b/packages/translations/src/languages/vi.ts
index 4b0f5b4ba31..229c1b5f35f 100644
--- a/packages/translations/src/languages/vi.ts
+++ b/packages/translations/src/languages/vi.ts
@@ -184,7 +184,7 @@ export const viTranslations: DefaultTranslationsObject = {
backToDashboard: 'Quay lại bảng điều khiển',
cancel: 'Hủy',
changesNotSaved: 'Thay đổi chưa được lưu lại. Bạn sẽ mất bản chỉnh sửa nếu thoát bây giờ.',
- clearAll: undefined,
+ clearAll: 'Xóa tất cả',
close: 'Gần',
collapse: 'Thu gọn',
collections: 'Collections',
@@ -264,7 +264,7 @@ export const viTranslations: DefaultTranslationsObject = {
nothingFound: 'Không tìm thấy',
noValue: 'Không có giá trị',
of: 'trong số',
- only: undefined,
+ only: 'Chỉ',
open: 'Mở',
or: 'hoặc',
order: 'Thứ tự',
@@ -408,7 +408,7 @@ export const viTranslations: DefaultTranslationsObject = {
lastSavedAgo: 'Lần lưu cuối cùng {{distance}} trước đây',
noFurtherVersionsFound: 'Không tìm thấy phiên bản cũ hơn',
noRowsFound: 'Không tìm thấy: {{label}}',
- noRowsSelected: undefined,
+ noRowsSelected: 'Không có {{label}} được chọn',
preview: 'Bản xem trước',
previouslyPublished: 'Đã xuất bản trước đây',
problemRestoringVersion: 'Đã xảy ra vấn đề khi khôi phục phiên bản này',
diff --git a/packages/translations/src/languages/zh.ts b/packages/translations/src/languages/zh.ts
index 00082a3cfd8..32d76d7d9df 100644
--- a/packages/translations/src/languages/zh.ts
+++ b/packages/translations/src/languages/zh.ts
@@ -179,7 +179,7 @@ export const zhTranslations: DefaultTranslationsObject = {
backToDashboard: '返回到仪表板',
cancel: '取消',
changesNotSaved: '您的更改尚未保存。您确定要离开吗?',
- clearAll: undefined,
+ clearAll: '清除全部',
close: '关闭',
collapse: '折叠',
collections: '集合',
@@ -258,7 +258,7 @@ export const zhTranslations: DefaultTranslationsObject = {
nothingFound: '没有找到任何东西',
noValue: '没有值',
of: '的',
- only: undefined,
+ only: '仅',
open: '打开',
or: '或',
order: '排序',
@@ -398,14 +398,14 @@ export const zhTranslations: DefaultTranslationsObject = {
lastSavedAgo: '上次保存{{distance}}之前',
noFurtherVersionsFound: '没有发现其他版本',
noRowsFound: '没有发现{{label}}',
- noRowsSelected: undefined,
+ noRowsSelected: '未选择{{label}}',
preview: '预览',
previouslyPublished: '先前发布过的',
problemRestoringVersion: '恢复这个版本时发生了问题',
publish: '发布',
publishChanges: '发布修改',
published: '已发布',
- publishIn: undefined,
+ publishIn: '在{{locale}}发布',
publishing: '发布',
restoreAsDraft: '恢复为草稿',
restoredSuccessfully: '恢复成功。',
diff --git a/packages/translations/src/languages/zhTw.ts b/packages/translations/src/languages/zhTw.ts
index 0bc3985b4c4..bdace266acd 100644
--- a/packages/translations/src/languages/zhTw.ts
+++ b/packages/translations/src/languages/zhTw.ts
@@ -179,7 +179,7 @@ export const zhTwTranslations: DefaultTranslationsObject = {
backToDashboard: '返回到控制面板',
cancel: '取消',
changesNotSaved: '您還有尚未儲存的變更。您確定要離開嗎?',
- clearAll: undefined,
+ clearAll: '清除全部',
close: '關閉',
collapse: '折疊',
collections: '集合',
@@ -398,14 +398,14 @@ export const zhTwTranslations: DefaultTranslationsObject = {
lastSavedAgo: '上次儲存在{{distance}}之前',
noFurtherVersionsFound: '沒有發現其他版本',
noRowsFound: '沒有發現{{label}}',
- noRowsSelected: undefined,
+ noRowsSelected: '未選擇 {{label}}',
preview: '預覽',
previouslyPublished: '先前出版過的',
problemRestoringVersion: '回復這個版本時發生了問題',
publish: '發佈',
publishChanges: '發佈修改',
published: '已發佈',
- publishIn: undefined,
+ publishIn: '在 {{locale}} 發佈',
publishing: '發布',
restoreAsDraft: '恢復為草稿',
restoredSuccessfully: '回復成功。',
diff --git a/packages/ui/src/providers/Auth/index.tsx b/packages/ui/src/providers/Auth/index.tsx
index 8b82623c9df..fa5b9029027 100644
--- a/packages/ui/src/providers/Auth/index.tsx
+++ b/packages/ui/src/providers/Auth/index.tsx
@@ -1,5 +1,5 @@
'use client'
-import type { ClientUser, MeOperationResult, Permissions } from 'payload'
+import type { ClientUser, MeOperationResult, Permissions, User } from 'payload'
import { useModal } from '@faceless-ui/modal'
import { usePathname, useRouter } from 'next/navigation.js'
@@ -15,7 +15,7 @@ import { formatAdminURL } from '../../utilities/formatAdminURL.js'
import { useConfig } from '../Config/index.js'
export type AuthContext<T = ClientUser> = {
- fetchFullUser: () => Promise<void>
+ fetchFullUser: () => Promise<null | User>
logOut: () => Promise<void>
permissions?: Permissions
refreshCookie: (forceRefresh?: boolean) => void
@@ -227,6 +227,7 @@ export function AuthProvider({
const fetchFullUser = React.useCallback(async () => {
try {
const request = await requests.get(`${serverURL}${apiRoute}/${userSlug}/me`, {
+ credentials: 'include',
headers: {
'Accept-Language': i18n.language,
},
@@ -234,9 +235,11 @@ export function AuthProvider({
if (request.status === 200) {
const json: MeOperationResult = await request.json()
+ let user = null
if (json?.user) {
setUser(json.user)
+ user = json.user
if (json?.token) {
setTokenAndExpiration(json)
@@ -245,10 +248,14 @@ export function AuthProvider({
setUser(null)
revokeTokenAndExpire()
}
+
+ return user
}
} catch (e) {
toast.error(`Fetching user failed: ${e.message}`)
}
+
+ return null
}, [serverURL, apiRoute, userSlug, i18n.language, setTokenAndExpiration, revokeTokenAndExpire])
// On mount, get user and set
diff --git a/test/access-control/e2e.spec.ts b/test/access-control/e2e.spec.ts
index ea9857e2f4a..984d7baeeb1 100644
--- a/test/access-control/e2e.spec.ts
+++ b/test/access-control/e2e.spec.ts
@@ -482,7 +482,7 @@ describe('access control', () => {
serverURL,
})
- await expect(page.locator('.next-error-h1')).toBeVisible()
+ await expect(page.locator('.unauthorized')).toBeVisible()
await page.goto(logoutURL)
await page.waitForURL(logoutURL)
@@ -500,6 +500,7 @@ describe('access control', () => {
test('should block admin access to non-admin user', async () => {
const adminURL = `${serverURL}/admin`
+ const unauthorizedURL = `${serverURL}/admin/unauthorized`
await page.goto(adminURL)
await page.waitForURL(adminURL)
@@ -527,9 +528,9 @@ describe('access control', () => {
])
await page.goto(adminURL)
- await page.waitForURL(adminURL)
+ await page.waitForURL(unauthorizedURL)
- await expect(page.locator('.next-error-h1')).toBeVisible()
+ await expect(page.locator('.unauthorized')).toBeVisible()
})
})
diff --git a/test/helpers.ts b/test/helpers.ts
index ba71c86813a..66ad582d4dc 100644
--- a/test/helpers.ts
+++ b/test/helpers.ts
@@ -310,6 +310,7 @@ export function initPageConsoleErrorCatch(page: Page) {
!msg.text().includes('the server responded with a status of') &&
!msg.text().includes('Failed to fetch RSC payload for') &&
!msg.text().includes('Error: NEXT_NOT_FOUND') &&
+ !msg.text().includes('Error: NEXT_REDIRECT') &&
!msg.text().includes('Error getting document data')
) {
// "Failed to fetch RSC payload for" happens seemingly randomly. There are lots of issues in the next.js repository for this. Causes e2e tests to fail and flake. Will ignore for now
|
2f787a9126e9a7a62df3425a7707a1868fbff99e
|
2025-01-31 23:09:04
|
Jacob Fletcher
|
chore(deps): bumps @faceless-ui/window-info to v3.0.1 and @faceless-ui/scroll-info to 2.0.0 (#10913)
| false
|
bumps @faceless-ui/window-info to v3.0.1 and @faceless-ui/scroll-info to 2.0.0 (#10913)
|
chore
|
diff --git a/packages/richtext-lexical/package.json b/packages/richtext-lexical/package.json
index 323f6b5bddb..d2e86942bb5 100644
--- a/packages/richtext-lexical/package.json
+++ b/packages/richtext-lexical/package.json
@@ -394,7 +394,7 @@
},
"peerDependencies": {
"@faceless-ui/modal": "3.0.0-beta.2",
- "@faceless-ui/scroll-info": "2.0.0-beta.0",
+ "@faceless-ui/scroll-info": "2.0.0",
"@lexical/headless": "0.21.0",
"@lexical/html": "0.21.0",
"@lexical/link": "0.21.0",
diff --git a/packages/ui/package.json b/packages/ui/package.json
index d3787db0e06..5ccaec0c820 100644
--- a/packages/ui/package.json
+++ b/packages/ui/package.json
@@ -119,8 +119,8 @@
"@dnd-kit/core": "6.0.8",
"@dnd-kit/sortable": "7.0.2",
"@faceless-ui/modal": "3.0.0-beta.2",
- "@faceless-ui/scroll-info": "2.0.0-beta.0",
- "@faceless-ui/window-info": "3.0.0-beta.0",
+ "@faceless-ui/scroll-info": "2.0.0",
+ "@faceless-ui/window-info": "3.0.1",
"@monaco-editor/react": "4.6.0",
"@payloadcms/translations": "workspace:*",
"bson-objectid": "2.0.4",
diff --git a/pnpm-lock.yaml b/pnpm-lock.yaml
index 4f838592381..d72877d63f0 100644
--- a/pnpm-lock.yaml
+++ b/pnpm-lock.yaml
@@ -1171,8 +1171,8 @@ importers:
specifier: 3.0.0-beta.2
version: 3.0.0-beta.2([email protected]([email protected]))([email protected])
'@faceless-ui/scroll-info':
- specifier: 2.0.0-beta.0
- version: 2.0.0-beta.0([email protected]([email protected]))([email protected])
+ specifier: 2.0.0
+ version: 2.0.0([email protected]([email protected]))([email protected])
'@lexical/headless':
specifier: 0.21.0
version: 0.21.0
@@ -1479,11 +1479,11 @@ importers:
specifier: 3.0.0-beta.2
version: 3.0.0-beta.2([email protected]([email protected]))([email protected])
'@faceless-ui/scroll-info':
- specifier: 2.0.0-beta.0
- version: 2.0.0-beta.0([email protected]([email protected]))([email protected])
+ specifier: 2.0.0
+ version: 2.0.0([email protected]([email protected]))([email protected])
'@faceless-ui/window-info':
- specifier: 3.0.0-beta.0
- version: 3.0.0-beta.0([email protected]([email protected]))([email protected])
+ specifier: 3.0.1
+ version: 3.0.1([email protected]([email protected]))([email protected])
'@monaco-editor/react':
specifier: 4.6.0
version: 4.6.0([email protected])([email protected]([email protected]))([email protected])
@@ -3495,14 +3495,14 @@ packages:
react: 19.0.0
react-dom: 19.0.0
- '@faceless-ui/[email protected]':
- resolution: {integrity: sha512-pUBhQP8vduA7rVndNsjhaCcds1BykA/Q4iV23JWijU6ZFL/M3Fm9P3ypDS+0VVxolqemNhw8S3FXPwZGgjH4Rw==}
+ '@faceless-ui/[email protected]':
+ resolution: {integrity: sha512-BkyJ9OQ4bzpKjE3UhI8BhcG36ZgfB4run8TmlaR4oMFUbl59dfyarNfjveyimrxIso9RhFEja/AJ5nQmbcR9hw==}
peerDependencies:
react: 19.0.0
react-dom: 19.0.0
- '@faceless-ui/[email protected]':
- resolution: {integrity: sha512-Qs8xRA+fl4sU2aFVe9xawxfi5TVZ9VTPuhdQpx9aSv7U5a2F0AXwT61lJfnaJ9Flm8tOcxzq67p8cVZsXNCVeQ==}
+ '@faceless-ui/[email protected]':
+ resolution: {integrity: sha512-uPjdJYE/j7hqVNelE9CRUNOeXuXDdPxR4DMe+oz3xwyZi2Y4CxsfpfdPTqqwmNAZa1P33O+ZiCyIkBEeNed0kw==}
peerDependencies:
react: 19.0.0
react-dom: 19.0.0
@@ -12318,12 +12318,12 @@ snapshots:
react-dom: 19.0.0([email protected])
react-transition-group: 4.4.5([email protected]([email protected]))([email protected])
- '@faceless-ui/[email protected]([email protected]([email protected]))([email protected])':
+ '@faceless-ui/[email protected]([email protected]([email protected]))([email protected])':
dependencies:
react: 19.0.0
react-dom: 19.0.0([email protected])
- '@faceless-ui/[email protected]([email protected]([email protected]))([email protected])':
+ '@faceless-ui/[email protected]([email protected]([email protected]))([email protected])':
dependencies:
react: 19.0.0
react-dom: 19.0.0([email protected])
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.