diff --git a/eslint.config.js b/eslint.config.js index cac898b4f..3d360d7f4 100644 --- a/eslint.config.js +++ b/eslint.config.js @@ -27,6 +27,7 @@ export default tsEslint.config({ }, }, rules: { + ['prefer-arrow/prefer-arrow-functions']: 'off', ['@typescript-eslint/only-throw-error']: 'off', ['@typescript-eslint/no-unsafe-assignment']: 'off', ['@typescript-eslint/no-unsafe-call']: 'off', diff --git a/examples/10_transport-http/transport-http_abort.ts b/examples/10_transport-http/transport-http_abort.ts index 7a605f822..d45b6cde7 100644 --- a/examples/10_transport-http/transport-http_abort.ts +++ b/examples/10_transport-http/transport-http_abort.ts @@ -8,15 +8,13 @@ import { publicGraphQLSchemaEndpoints, show } from '../$/helpers.js' const abortController = new AbortController() // ^^^^^^^^^^^^^^^ -const graffle = Graffle.create({ - schema: publicGraphQLSchemaEndpoints.Pokemon, +const graffle = Graffle.create().transport({ + url: publicGraphQLSchemaEndpoints.Pokemon, }) -graffle - const resultPromise = graffle - .with({ transport: { raw: { signal: abortController.signal } } }) - // ^^^^^^^^^^^^^^^ + .transport({ raw: { signal: abortController.signal } }) + // ^^^^^^^^^^^^^^^ .gql` { pokemon { diff --git a/examples/10_transport-http/transport-http_extension_fetch__custom-fetch.ts b/examples/10_transport-http/transport-http_extension_fetch__custom-fetch.ts index 1cb710e49..1d1cd0992 100644 --- a/examples/10_transport-http/transport-http_extension_fetch__custom-fetch.ts +++ b/examples/10_transport-http/transport-http_extension_fetch__custom-fetch.ts @@ -8,7 +8,8 @@ import { showJson } from '../$/helpers.js' import { publicGraphQLSchemaEndpoints } from '../$/helpers.js' const graffle = Graffle - .create({ schema: publicGraphQLSchemaEndpoints.Pokemon }) + .create() + .transport({ url: publicGraphQLSchemaEndpoints.Pokemon }) .anyware(({ exchange }) => exchange({ using: { diff --git a/examples/10_transport-http/transport-http_extension_headers__dynamicHeaders.ts b/examples/10_transport-http/transport-http_extension_headers__dynamicHeaders.ts index 5e2f37a4d..3260d52e8 100644 --- a/examples/10_transport-http/transport-http_extension_headers__dynamicHeaders.ts +++ b/examples/10_transport-http/transport-http_extension_headers__dynamicHeaders.ts @@ -6,10 +6,12 @@ import { Graffle } from '../../src/entrypoints/main.js' import { publicGraphQLSchemaEndpoints, show } from '../$/helpers.js' const graffle = Graffle - .create({ - schema: publicGraphQLSchemaEndpoints.Pokemon, + .create() + .transport({ + url: publicGraphQLSchemaEndpoints.Pokemon, }) .anyware(({ pack }) => { + // eslint-disable-next-line if (pack.input.transportType !== `http`) return pack() return pack({ input: { diff --git a/examples/10_transport-http/transport-http_headers_raw__headers.ts b/examples/10_transport-http/transport-http_headers_raw__headers.ts index 7dfd07cd5..fea4d2a31 100644 --- a/examples/10_transport-http/transport-http_headers_raw__headers.ts +++ b/examples/10_transport-http/transport-http_headers_raw__headers.ts @@ -7,24 +7,24 @@ import { show } from '../$/helpers.js' import { publicGraphQLSchemaEndpoints } from '../$/helpers.js' const graffle = Graffle - .create({ - schema: publicGraphQLSchemaEndpoints.Pokemon, - transport: { + .create() + .transport({ + url: publicGraphQLSchemaEndpoints.Pokemon, + headers: { + authorization: `Bearer MY_TOKEN`, + 'x-something-to-unset': `true`, + }, + raw: { headers: { - authorization: `Bearer MY_TOKEN`, - 'x-something-to-unset': `true`, - }, - raw: { - headers: { - 'x-from-raw': `true`, - }, + 'x-from-raw': `true`, }, }, }) - .with({ - transport: { headers: { 'x-something-to-unset': `` } }, + .transport({ + headers: { 'x-something-to-unset': `` }, }) .anyware(({ exchange }) => { + // eslint-disable-next-line if (exchange.input.transportType !== `http`) return exchange() show(exchange.input.request.headers) return exchange() diff --git a/examples/10_transport-http/transport-http_method-get.ts b/examples/10_transport-http/transport-http_method-get.ts index ac3756989..eca1da4c8 100644 --- a/examples/10_transport-http/transport-http_method-get.ts +++ b/examples/10_transport-http/transport-http_method-get.ts @@ -7,11 +7,10 @@ import { Graffle } from '../../tests/_/schemas/pokemon/graffle/__.js' import { show } from '../$/helpers.js' const graffle = Graffle - .create({ - transport: { - methodMode: `getReads`, // [!code highlight] - headers: { tenant: `nano` }, - }, + .create() + .transport({ + methodMode: `getReads`, // [!code highlight] + headers: { tenant: `nano` }, }) .anyware(async ({ exchange }) => { show(exchange.input.request) diff --git a/examples/10_transport-http/transport-http_raw.ts b/examples/10_transport-http/transport-http_raw.ts index e7e7b4283..3d4b7f4e1 100644 --- a/examples/10_transport-http/transport-http_raw.ts +++ b/examples/10_transport-http/transport-http_raw.ts @@ -7,12 +7,11 @@ import { show } from '../$/helpers.js' import { publicGraphQLSchemaEndpoints } from '../$/helpers.js' const graffle = Graffle - .create({ - schema: publicGraphQLSchemaEndpoints.Pokemon, - transport: { - raw: { - mode: `cors`, - }, + .create() + .transport({ + url: publicGraphQLSchemaEndpoints.Pokemon, + raw: { + mode: `cors`, }, }) .anyware(async ({ exchange }) => { diff --git a/examples/20_output/output_preset__standard-graphql.ts b/examples/20_output/output_preset__standard-graphql.ts index f04897752..c25b12527 100644 --- a/examples/20_output/output_preset__standard-graphql.ts +++ b/examples/20_output/output_preset__standard-graphql.ts @@ -5,10 +5,9 @@ import { Graffle, Preset } from '../../src/entrypoints/main.js' import { show } from '../$/show.js' -const graffle = Graffle.create({ - schema: `...`, - output: Preset.traditionalGraphqlOutput, -}) +const graffle = Graffle + .create({ output: Preset.traditionalGraphqlOutput }) + .transport({ url: `...` }) const result = await graffle.gql(`{ query { thisWillError } }`).send() diff --git a/examples/30_gql/gql_gql-document-node.ts b/examples/30_gql/gql_gql-document-node.ts index d398b48db..04a937a40 100644 --- a/examples/30_gql/gql_gql-document-node.ts +++ b/examples/30_gql/gql_gql-document-node.ts @@ -8,9 +8,11 @@ import { Throws } from '../../src/entrypoints/extensions/throws/runtime.js' import { Graffle } from '../../src/entrypoints/main.js' import { publicGraphQLSchemaEndpoints, show } from '../$/helpers.js' -const graffle = Graffle.create({ - schema: publicGraphQLSchemaEndpoints.Pokemon, -}) +const graffle = Graffle + .create() + .transport({ + url: publicGraphQLSchemaEndpoints.Pokemon, + }) .use(Throws()) .use(Opentelemetry()) diff --git a/examples/30_gql/gql_gql-document-node_gql-typed_gql-document-node-typed__gql-document-node-typed.ts b/examples/30_gql/gql_gql-document-node_gql-typed_gql-document-node-typed__gql-document-node-typed.ts index 0332c8c46..2cdda0bb4 100644 --- a/examples/30_gql/gql_gql-document-node_gql-typed_gql-document-node-typed__gql-document-node-typed.ts +++ b/examples/30_gql/gql_gql-document-node_gql-typed_gql-document-node-typed__gql-document-node-typed.ts @@ -7,9 +7,10 @@ import { parse, type TypedQueryDocumentNode } from 'graphql' import { Graffle } from '../../src/entrypoints/main.js' import { publicGraphQLSchemaEndpoints, show } from '../$/helpers.js' -const graffle = Graffle.create({ - schema: publicGraphQLSchemaEndpoints.Pokemon, -}) +const graffle = Graffle.create() + .transport({ + url: publicGraphQLSchemaEndpoints.Pokemon, + }) type Document = TypedQueryDocumentNode< { diff --git a/examples/30_gql/gql_gql-string.ts b/examples/30_gql/gql_gql-string.ts index 6c33dbe4c..0dedad43a 100644 --- a/examples/30_gql/gql_gql-string.ts +++ b/examples/30_gql/gql_gql-string.ts @@ -5,9 +5,7 @@ import { Graffle } from '../../src/entrypoints/main.js' import { publicGraphQLSchemaEndpoints, show } from '../$/helpers.js' -const graffle = Graffle.create({ - schema: publicGraphQLSchemaEndpoints.Pokemon, -}) +const graffle = Graffle.create().transport({ url: publicGraphQLSchemaEndpoints.Pokemon }) const data = await graffle.gql` { diff --git a/examples/30_gql/gql_gql-string_gql-typed__gql-string-typed.ts b/examples/30_gql/gql_gql-string_gql-typed__gql-string-typed.ts index 5d304c8ce..39af37622 100644 --- a/examples/30_gql/gql_gql-string_gql-typed__gql-string-typed.ts +++ b/examples/30_gql/gql_gql-string_gql-typed__gql-string-typed.ts @@ -7,9 +7,7 @@ import { Graffle, type TypedDocument } from '../../src/entrypoints/main.js' import { publicGraphQLSchemaEndpoints, show } from '../$/helpers.js' -const graffle = Graffle.create({ - schema: publicGraphQLSchemaEndpoints.Pokemon, -}) +const graffle = Graffle.create().transport({ url: publicGraphQLSchemaEndpoints.Pokemon }) /** * @remarks Typically this type would come from your code generation tool. diff --git a/examples/40_other/transport-memory.ts b/examples/40_other/transport-memory.ts index e5d12e6c6..851962189 100644 --- a/examples/40_other/transport-memory.ts +++ b/examples/40_other/transport-memory.ts @@ -4,6 +4,7 @@ import { GraphQLObjectType, GraphQLSchema, GraphQLString } from 'graphql' import { Graffle } from '../../src/entrypoints/main.js' +import { TransportMemory } from '../../src/extensions/TransportMemory/TransportMemory.js' import { showJson } from '../$/helpers.js' const schema = new GraphQLSchema({ @@ -18,7 +19,10 @@ const schema = new GraphQLSchema({ }), }) -const graffle = Graffle.create({ schema }) +const graffle = Graffle + .create() + .use(TransportMemory({ schema })) + .transport(`memory`) const data = await graffle.gql` { diff --git a/examples/50_anyware/anyware_jump-start__jump-start.ts b/examples/50_anyware/anyware_jump-start__jump-start.ts index 65212ff61..cbc08b1f9 100644 --- a/examples/50_anyware/anyware_jump-start__jump-start.ts +++ b/examples/50_anyware/anyware_jump-start__jump-start.ts @@ -7,10 +7,12 @@ import { Graffle } from '../../src/entrypoints/main.js' import { publicGraphQLSchemaEndpoints } from '../$/helpers.js' Graffle - .create({ schema: publicGraphQLSchemaEndpoints.Pokemon }) + .create() + .transport({ url: publicGraphQLSchemaEndpoints.Pokemon }) // Notice how we **start** with the `exchange` hook, skipping the `encode` and `pack` hooks. .anyware(async ({ exchange }) => { // ^^^^^^^^ + // eslint-disable-next-line if (exchange.input.transportType !== `http`) return exchange() const mergedHeaders = new Headers(exchange.input.request.headers) diff --git a/examples/50_anyware/anyware_short-circuit__short-circuit.ts b/examples/50_anyware/anyware_short-circuit__short-circuit.ts index 0a0a95713..a8442f523 100644 --- a/examples/50_anyware/anyware_short-circuit__short-circuit.ts +++ b/examples/50_anyware/anyware_short-circuit__short-circuit.ts @@ -7,11 +7,13 @@ import { Graffle } from '../../src/entrypoints/main.js' import { publicGraphQLSchemaEndpoints } from '../$/helpers.js' Graffle - .create({ schema: publicGraphQLSchemaEndpoints.Pokemon }) + .create() + .transport({ url: publicGraphQLSchemaEndpoints.Pokemon }) .anyware(async ({ encode }) => { const { pack } = await encode() const { exchange } = await pack() + // eslint-disable-next-line if (exchange.input.transportType !== `http`) return exchange() const mergedHeaders = new Headers(exchange.input.request.headers) diff --git a/examples/50_anyware/anyware_slot_slot-body__slot-body.ts b/examples/50_anyware/anyware_slot_slot-body__slot-body.ts index d1d98963b..3000561aa 100644 --- a/examples/50_anyware/anyware_slot_slot-body__slot-body.ts +++ b/examples/50_anyware/anyware_slot_slot-body__slot-body.ts @@ -5,7 +5,8 @@ import { Graffle } from '../../src/entrypoints/main.js' import { publicGraphQLSchemaEndpoints, show } from '../$/helpers.js' const graffle = Graffle - .create({ schema: publicGraphQLSchemaEndpoints.Pokemon }) + .create() + .transport({ url: publicGraphQLSchemaEndpoints.Pokemon }) .anyware(async ({ pack }) => { return await pack({ using: { diff --git a/examples/50_anyware/anyware_slot_slot-body__slot-search-params.ts b/examples/50_anyware/anyware_slot_slot-body__slot-search-params.ts index c43602d09..2e02a5a69 100644 --- a/examples/50_anyware/anyware_slot_slot-body__slot-search-params.ts +++ b/examples/50_anyware/anyware_slot_slot-body__slot-search-params.ts @@ -5,7 +5,8 @@ import { Graffle } from '../../src/entrypoints/main.js' import { publicGraphQLSchemaEndpoints, show } from '../$/helpers.js' const graffle = Graffle - .create({ schema: publicGraphQLSchemaEndpoints.Pokemon, transport: { methodMode: `getReads` } }) + .create() + .transport({ url: publicGraphQLSchemaEndpoints.Pokemon, methodMode: `getReads` }) .anyware(async ({ pack }) => { return await pack({ using: { diff --git a/examples/50_anyware/anyware_slot_slot-fetch__slot-fetch.ts b/examples/50_anyware/anyware_slot_slot-fetch__slot-fetch.ts index 1f1e80ebb..52a65f511 100644 --- a/examples/50_anyware/anyware_slot_slot-fetch__slot-fetch.ts +++ b/examples/50_anyware/anyware_slot_slot-fetch__slot-fetch.ts @@ -5,7 +5,8 @@ import { Graffle } from '../../src/entrypoints/main.js' import { publicGraphQLSchemaEndpoints, show } from '../$/helpers.js' const graffle = Graffle - .create({ schema: publicGraphQLSchemaEndpoints.Pokemon }) + .create() + .transport({ url: publicGraphQLSchemaEndpoints.Pokemon }) .anyware(async ({ exchange }) => { return await exchange({ using: { diff --git a/examples/__outputs__/10_transport-http/transport-http_headers_raw__headers.output.txt b/examples/__outputs__/10_transport-http/transport-http_headers_raw__headers.output.txt index 1fc5bd774..a978a0878 100644 --- a/examples/__outputs__/10_transport-http/transport-http_headers_raw__headers.output.txt +++ b/examples/__outputs__/10_transport-http/transport-http_headers_raw__headers.output.txt @@ -4,4 +4,4 @@ Headers { 'content-type': 'application/json', authorization: 'Bearer MY_TOKEN', 'x-from-raw': 'true' -} \ No newline at end of file +} diff --git a/examples/__outputs__/20_output/output_preset__standard-graphql.output.txt b/examples/__outputs__/20_output/output_preset__standard-graphql.output.txt index b53f1c272..cccf761a0 100644 --- a/examples/__outputs__/20_output/output_preset__standard-graphql.output.txt +++ b/examples/__outputs__/20_output/output_preset__standard-graphql.output.txt @@ -13,14 +13,14 @@ ContextualError: There was an error in the core implementation of hook "exchange context: { hookName: 'exchange', source: 'implementation' }, [cause]: TypeError: Failed to parse URL from ... at new Request (node:internal/deps/undici/undici:XX:XX) - at Object.run (/some/path/to/httpTransport.ts:XX:XX:27) + at Object.run (/some/path/to/TransportHttp.ts:XX:XX:31) ... 6 lines matching cause stack trace ... at async Module.run (/some/path/to/run.ts:XX:XX:10) at async Object.send (/some/path/to/gql.ts:XX:XX:26) { [cause]: TypeError: Invalid URL at new URL (node:internal/url:XX:XX) at new Request (node:internal/deps/undici/undici:XX:XX) - at Object.run (/some/path/to/httpTransport.ts:XX:XX:27) + at Object.run (/some/path/to/TransportHttp.ts:XX:XX:31) at Object.run (/some/path/to/Pipeline.ts:XX:XX:51) at runStep (/some/path/to/runStep.ts:XX:XX:37) at runPipeline (/some/path/to/runPipeline.ts:XX:XX:8) diff --git a/examples/__outputs__/60_extension/extension_throws__throws.output.txt b/examples/__outputs__/60_extension/extension_throws__throws.output.txt index e69de29bb..1694dc116 100644 --- a/examples/__outputs__/60_extension/extension_throws__throws.output.txt +++ b/examples/__outputs__/60_extension/extension_throws__throws.output.txt @@ -0,0 +1,17 @@ +---------------------------------------- SHOW ---------------------------------------- +ContextualError: There was an error in the interceptor "anonymous" (use named functions to improve this error message) while running hook "encode". + at runPipeline (/some/path/to/runPipeline.ts:XX:XX:18) + at async (/some/path/to/runner.ts:XX:XX:20) + at async Module.run (/some/path/to/run.ts:XX:XX:10) + at async executeDocument (/some/path/to/requestMethods.ts:XX:XX:18) + at async executeRootField (/some/path/to/requestMethods.ts:XX:XX:18) + at async (/some/path/to/extension_throws__throws.ts:XX:XX:17) { + context: { + hookName: 'encode', + source: 'extension', + interceptorName: 'anonymous' + }, + cause: Error: Something went wrong. + at (/some/path/to/extension_throws__throws.ts:XX:XX:11) + at applyBody (/some/path/to/runner.ts:XX:XX:28) +} \ No newline at end of file diff --git a/package.json b/package.json index db3785406..771c4ea9e 100644 --- a/package.json +++ b/package.json @@ -35,6 +35,21 @@ "./extensions/schema-errors/generator": { "default": "./build/entrypoints/extensions/schema-errors/gentime.js" }, + "./extensions/transport-memory": { + "default": "./build/entrypoints/extensions/transport-memory/runtime.js" + }, + "./extensions/transport-http": { + "default": "./build/entrypoints/extensions/transport-http/runtime.js" + }, + "./presets/bare": { + "default": "./build/entrypoints/presets/__GraffleBare.js" + }, + "./presets/basic": { + "default": "./build/entrypoints/presets/__GraffleBasic.js" + }, + "./presets/minimal": { + "default": "./build/entrypoints/presets/__GraffleMinimal.js" + }, "./client": { "default": "./build/entrypoints/client.js" }, @@ -106,7 +121,7 @@ "dependencies": { "@graphql-typed-document-node/core": "^3.2.0", "@molt/command": "^0.9.0", - "es-toolkit": "^1.27.0", + "es-toolkit": "^1.28.0", "is-plain-obj": "^4.1.0" }, "peerDependencies": { @@ -133,10 +148,10 @@ "devDependencies": { "@arethetypeswrong/cli": "^0.17.0", "@dprint/formatter": "^0.4.1", - "@dprint/typescript": "^0.93.2", + "@dprint/typescript": "^0.93.3", "@opentelemetry/api": "^1.9.0", - "@opentelemetry/sdk-trace-base": "^1.27.0", - "@opentelemetry/sdk-trace-node": "^1.27.0", + "@opentelemetry/sdk-trace-base": "^1.28.0", + "@opentelemetry/sdk-trace-node": "^1.28.0", "@pothos/core": "^4.3.0", "@pothos/plugin-simple-objects": "^4.1.0", "@pothos/plugin-zod": "^4.1.0", @@ -144,41 +159,41 @@ "@tsconfig/strictest": "^2.0.5", "@types/body-parser": "^1.19.5", "@types/express": "^5.0.0", - "@types/node": "^22.9.0", - "@typescript-eslint/eslint-plugin": "^8.14.0", - "@typescript-eslint/parser": "^8.14.0", + "@types/node": "^22.10.1", + "@typescript-eslint/eslint-plugin": "^8.16.0", + "@typescript-eslint/parser": "^8.16.0", "async-cleanup": "^1.0.0", "doctoc": "^2.2.1", "dprint": "^0.47.5", "dripip": "^0.10.0", - "eslint": "^9.15.0", + "eslint": "^9.16.0", "eslint-config-prisma": "^0.6.0", "eslint-plugin-deprecation": "^3.0.0", "eslint-plugin-only-warn": "^1.1.0", "eslint-plugin-prefer-arrow": "^1.2.3", "eslint-plugin-simple-import-sort": "^12.1.1", - "eslint-plugin-tsdoc": "^0.3.0", + "eslint-plugin-tsdoc": "^0.4.0", "eslint-typescript": "^1.1.0", "execa": "^9.5.1", "fs-jetpack": "^5.1.0", "get-port": "^7.1.0", "globby": "^14.0.2", "graphql": "^16.9.0", - "graphql-scalars": "^1.23.0", + "graphql-scalars": "^1.24.0", "graphql-tag": "^2.12.6", "graphql-upload-minimal": "^1.6.1", - "graphql-yoga": "^5.10.2", + "graphql-yoga": "^5.10.4", "jsdom": "^25.0.1", "memfs": "^4.14.0", - "prettier": "^3.3.3", + "prettier": "^3.4.1", "publint": "^0.2.12", "strip-ansi": "^7.1.0", "tsx": "^4.19.2", - "type-fest": "^4.27.0", - "typescript": "^5.6.3", - "typescript-eslint": "^8.14.0", + "type-fest": "^4.29.0", + "typescript": "^5.7.2", + "typescript-eslint": "^8.16.0", "vitepress": "^1.5.0", - "vitest": "^2.1.5", + "vitest": "^2.1.6", "zod": "^3.23.8" } } diff --git a/pnpm-lock.yaml b/pnpm-lock.yaml index c98386071..8f6f5da8e 100644 --- a/pnpm-lock.yaml +++ b/pnpm-lock.yaml @@ -8,8 +8,8 @@ dependencies: specifier: ^0.9.0 version: 0.9.0 es-toolkit: - specifier: ^1.27.0 - version: 1.27.0 + specifier: ^1.28.0 + version: 1.28.0 is-plain-obj: specifier: ^4.1.0 version: 4.1.0 @@ -22,17 +22,17 @@ devDependencies: specifier: ^0.4.1 version: 0.4.1 '@dprint/typescript': - specifier: ^0.93.2 - version: 0.93.2 + specifier: ^0.93.3 + version: 0.93.3 '@opentelemetry/api': specifier: ^1.9.0 version: 1.9.0 '@opentelemetry/sdk-trace-base': - specifier: ^1.27.0 - version: 1.27.0(@opentelemetry/api@1.9.0) + specifier: ^1.28.0 + version: 1.28.0(@opentelemetry/api@1.9.0) '@opentelemetry/sdk-trace-node': - specifier: ^1.27.0 - version: 1.27.0(@opentelemetry/api@1.9.0) + specifier: ^1.28.0 + version: 1.28.0(@opentelemetry/api@1.9.0) '@pothos/core': specifier: ^4.3.0 version: 4.3.0(graphql@16.9.0) @@ -55,14 +55,14 @@ devDependencies: specifier: ^5.0.0 version: 5.0.0 '@types/node': - specifier: ^22.9.0 - version: 22.9.0 + specifier: ^22.10.1 + version: 22.10.1 '@typescript-eslint/eslint-plugin': - specifier: ^8.14.0 - version: 8.14.0(@typescript-eslint/parser@8.14.0)(eslint@9.15.0)(typescript@5.6.3) + specifier: ^8.16.0 + version: 8.16.0(@typescript-eslint/parser@8.16.0)(eslint@9.16.0)(typescript@5.7.2) '@typescript-eslint/parser': - specifier: ^8.14.0 - version: 8.14.0(eslint@9.15.0)(typescript@5.6.3) + specifier: ^8.16.0 + version: 8.16.0(eslint@9.16.0)(typescript@5.7.2) async-cleanup: specifier: ^1.0.0 version: 1.0.0 @@ -76,29 +76,29 @@ devDependencies: specifier: ^0.10.0 version: 0.10.0 eslint: - specifier: ^9.15.0 - version: 9.15.0 + specifier: ^9.16.0 + version: 9.16.0 eslint-config-prisma: specifier: ^0.6.0 - version: 0.6.0(@typescript-eslint/eslint-plugin@8.14.0)(@typescript-eslint/parser@8.14.0)(eslint-plugin-deprecation@3.0.0)(eslint-plugin-only-warn@1.1.0)(eslint-plugin-prefer-arrow@1.2.3)(eslint-plugin-tsdoc@0.3.0)(eslint@9.15.0)(typescript@5.6.3) + version: 0.6.0(@typescript-eslint/eslint-plugin@8.16.0)(@typescript-eslint/parser@8.16.0)(eslint-plugin-deprecation@3.0.0)(eslint-plugin-only-warn@1.1.0)(eslint-plugin-prefer-arrow@1.2.3)(eslint-plugin-tsdoc@0.4.0)(eslint@9.16.0)(typescript@5.7.2) eslint-plugin-deprecation: specifier: ^3.0.0 - version: 3.0.0(eslint@9.15.0)(typescript@5.6.3) + version: 3.0.0(eslint@9.16.0)(typescript@5.7.2) eslint-plugin-only-warn: specifier: ^1.1.0 version: 1.1.0 eslint-plugin-prefer-arrow: specifier: ^1.2.3 - version: 1.2.3(eslint@9.15.0) + version: 1.2.3(eslint@9.16.0) eslint-plugin-simple-import-sort: specifier: ^12.1.1 - version: 12.1.1(eslint@9.15.0) + version: 12.1.1(eslint@9.16.0) eslint-plugin-tsdoc: - specifier: ^0.3.0 - version: 0.3.0 + specifier: ^0.4.0 + version: 0.4.0 eslint-typescript: specifier: ^1.1.0 - version: 1.1.0(eslint@9.15.0)(prettier@3.3.3) + version: 1.1.0(eslint@9.16.0)(prettier@3.4.1) execa: specifier: ^9.5.1 version: 9.5.1 @@ -115,8 +115,8 @@ devDependencies: specifier: ^16.9.0 version: 16.9.0 graphql-scalars: - specifier: ^1.23.0 - version: 1.23.0(graphql@16.9.0) + specifier: ^1.24.0 + version: 1.24.0(graphql@16.9.0) graphql-tag: specifier: ^2.12.6 version: 2.12.6(graphql@16.9.0) @@ -124,8 +124,8 @@ devDependencies: specifier: ^1.6.1 version: 1.6.1(graphql@16.9.0) graphql-yoga: - specifier: ^5.10.2 - version: 5.10.2(graphql@16.9.0) + specifier: ^5.10.4 + version: 5.10.4(graphql@16.9.0) jsdom: specifier: ^25.0.1 version: 25.0.1 @@ -133,8 +133,8 @@ devDependencies: specifier: ^4.14.0 version: 4.14.0 prettier: - specifier: ^3.3.3 - version: 3.3.3 + specifier: ^3.4.1 + version: 3.4.1 publint: specifier: ^0.2.12 version: 0.2.12 @@ -145,184 +145,184 @@ devDependencies: specifier: ^4.19.2 version: 4.19.2 type-fest: - specifier: ^4.27.0 - version: 4.27.0 + specifier: ^4.29.0 + version: 4.29.0 typescript: - specifier: ^5.6.3 - version: 5.6.3 + specifier: ^5.7.2 + version: 5.7.2 typescript-eslint: - specifier: ^8.14.0 - version: 8.14.0(eslint@9.15.0)(typescript@5.6.3) + specifier: ^8.16.0 + version: 8.16.0(eslint@9.16.0)(typescript@5.7.2) vitepress: specifier: ^1.5.0 - version: 1.5.0(@algolia/client-search@5.14.2)(@types/node@22.9.0)(search-insights@2.17.2)(typescript@5.6.3) + version: 1.5.0(@algolia/client-search@5.15.0)(@types/node@22.10.1)(search-insights@2.17.3)(typescript@5.7.2) vitest: - specifier: ^2.1.5 - version: 2.1.5(@types/node@22.9.0)(jsdom@25.0.1) + specifier: ^2.1.6 + version: 2.1.6(@types/node@22.10.1)(jsdom@25.0.1)(tsx@4.19.2) zod: specifier: ^3.23.8 version: 3.23.8 packages: - /@algolia/autocomplete-core@1.17.7(@algolia/client-search@5.14.2)(algoliasearch@5.14.2)(search-insights@2.17.2): + /@algolia/autocomplete-core@1.17.7(@algolia/client-search@5.15.0)(algoliasearch@5.15.0)(search-insights@2.17.3): resolution: {integrity: sha512-BjiPOW6ks90UKl7TwMv7oNQMnzU+t/wk9mgIDi6b1tXpUek7MW0lbNOUHpvam9pe3lVCf4xPFT+lK7s+e+fs7Q==} dependencies: - '@algolia/autocomplete-plugin-algolia-insights': 1.17.7(@algolia/client-search@5.14.2)(algoliasearch@5.14.2)(search-insights@2.17.2) - '@algolia/autocomplete-shared': 1.17.7(@algolia/client-search@5.14.2)(algoliasearch@5.14.2) + '@algolia/autocomplete-plugin-algolia-insights': 1.17.7(@algolia/client-search@5.15.0)(algoliasearch@5.15.0)(search-insights@2.17.3) + '@algolia/autocomplete-shared': 1.17.7(@algolia/client-search@5.15.0)(algoliasearch@5.15.0) transitivePeerDependencies: - '@algolia/client-search' - algoliasearch - search-insights dev: true - /@algolia/autocomplete-plugin-algolia-insights@1.17.7(@algolia/client-search@5.14.2)(algoliasearch@5.14.2)(search-insights@2.17.2): + /@algolia/autocomplete-plugin-algolia-insights@1.17.7(@algolia/client-search@5.15.0)(algoliasearch@5.15.0)(search-insights@2.17.3): resolution: {integrity: sha512-Jca5Ude6yUOuyzjnz57og7Et3aXjbwCSDf/8onLHSQgw1qW3ALl9mrMWaXb5FmPVkV3EtkD2F/+NkT6VHyPu9A==} peerDependencies: search-insights: '>= 1 < 3' dependencies: - '@algolia/autocomplete-shared': 1.17.7(@algolia/client-search@5.14.2)(algoliasearch@5.14.2) - search-insights: 2.17.2 + '@algolia/autocomplete-shared': 1.17.7(@algolia/client-search@5.15.0)(algoliasearch@5.15.0) + search-insights: 2.17.3 transitivePeerDependencies: - '@algolia/client-search' - algoliasearch dev: true - /@algolia/autocomplete-preset-algolia@1.17.7(@algolia/client-search@5.14.2)(algoliasearch@5.14.2): + /@algolia/autocomplete-preset-algolia@1.17.7(@algolia/client-search@5.15.0)(algoliasearch@5.15.0): resolution: {integrity: sha512-ggOQ950+nwbWROq2MOCIL71RE0DdQZsceqrg32UqnhDz8FlO9rL8ONHNsI2R1MH0tkgVIDKI/D0sMiUchsFdWA==} peerDependencies: '@algolia/client-search': '>= 4.9.1 < 6' algoliasearch: '>= 4.9.1 < 6' dependencies: - '@algolia/autocomplete-shared': 1.17.7(@algolia/client-search@5.14.2)(algoliasearch@5.14.2) - '@algolia/client-search': 5.14.2 - algoliasearch: 5.14.2 + '@algolia/autocomplete-shared': 1.17.7(@algolia/client-search@5.15.0)(algoliasearch@5.15.0) + '@algolia/client-search': 5.15.0 + algoliasearch: 5.15.0 dev: true - /@algolia/autocomplete-shared@1.17.7(@algolia/client-search@5.14.2)(algoliasearch@5.14.2): + /@algolia/autocomplete-shared@1.17.7(@algolia/client-search@5.15.0)(algoliasearch@5.15.0): resolution: {integrity: sha512-o/1Vurr42U/qskRSuhBH+VKxMvkkUVTLU6WZQr+L5lGZZLYWyhdzWjW0iGXY7EkwRTjBqvN2EsR81yCTGV/kmg==} peerDependencies: '@algolia/client-search': '>= 4.9.1 < 6' algoliasearch: '>= 4.9.1 < 6' dependencies: - '@algolia/client-search': 5.14.2 - algoliasearch: 5.14.2 + '@algolia/client-search': 5.15.0 + algoliasearch: 5.15.0 dev: true - /@algolia/client-abtesting@5.14.2: - resolution: {integrity: sha512-7fq1tWIy1aNJEaNHxWy3EwDkuo4k22+NBnxq9QlYVSLLXtr6HqmAm6bQgNNzGT3vm21iKqWO9efk+HIhEM1SzQ==} + /@algolia/client-abtesting@5.15.0: + resolution: {integrity: sha512-FaEM40iuiv1mAipYyiptP4EyxkJ8qHfowCpEeusdHUC4C7spATJYArD2rX3AxkVeREkDIgYEOuXcwKUbDCr7Nw==} engines: {node: '>= 14.0.0'} dependencies: - '@algolia/client-common': 5.14.2 - '@algolia/requester-browser-xhr': 5.14.2 - '@algolia/requester-fetch': 5.14.2 - '@algolia/requester-node-http': 5.14.2 + '@algolia/client-common': 5.15.0 + '@algolia/requester-browser-xhr': 5.15.0 + '@algolia/requester-fetch': 5.15.0 + '@algolia/requester-node-http': 5.15.0 dev: true - /@algolia/client-analytics@5.14.2: - resolution: {integrity: sha512-5Nm5cOOyAGcY+hKNJVmR2jgoGn1nvoANS8W5EfB8yAaUqUxL3lFNUHSkFafAMTCOcVKNDkZQYjUDbOOfdYJLqw==} + /@algolia/client-analytics@5.15.0: + resolution: {integrity: sha512-lho0gTFsQDIdCwyUKTtMuf9nCLwq9jOGlLGIeQGKDxXF7HbiAysFIu5QW/iQr1LzMgDyM9NH7K98KY+BiIFriQ==} engines: {node: '>= 14.0.0'} dependencies: - '@algolia/client-common': 5.14.2 - '@algolia/requester-browser-xhr': 5.14.2 - '@algolia/requester-fetch': 5.14.2 - '@algolia/requester-node-http': 5.14.2 + '@algolia/client-common': 5.15.0 + '@algolia/requester-browser-xhr': 5.15.0 + '@algolia/requester-fetch': 5.15.0 + '@algolia/requester-node-http': 5.15.0 dev: true - /@algolia/client-common@5.14.2: - resolution: {integrity: sha512-BW1Qzhh9tMKEsWSQQsiOEcHAd6g7zxq9RpPVmyxbDO/O4eA4vyN+Qz5Jzo686kuYdIQKqIPCEtob/JM89tk57g==} + /@algolia/client-common@5.15.0: + resolution: {integrity: sha512-IofrVh213VLsDkPoSKMeM9Dshrv28jhDlBDLRcVJQvlL8pzue7PEB1EZ4UoJFYS3NSn7JOcJ/V+olRQzXlJj1w==} engines: {node: '>= 14.0.0'} dev: true - /@algolia/client-insights@5.14.2: - resolution: {integrity: sha512-17zg6pqifKORvvrMIqW6HhwUry9RKRXLgADrgFjZ6PZvGB4oVs12dwRG2/HMrIlpxd9cjeQfdlEgHj6lbAf6QA==} + /@algolia/client-insights@5.15.0: + resolution: {integrity: sha512-bDDEQGfFidDi0UQUCbxXOCdphbVAgbVmxvaV75cypBTQkJ+ABx/Npw7LkFGw1FsoVrttlrrQbwjvUB6mLVKs/w==} engines: {node: '>= 14.0.0'} dependencies: - '@algolia/client-common': 5.14.2 - '@algolia/requester-browser-xhr': 5.14.2 - '@algolia/requester-fetch': 5.14.2 - '@algolia/requester-node-http': 5.14.2 + '@algolia/client-common': 5.15.0 + '@algolia/requester-browser-xhr': 5.15.0 + '@algolia/requester-fetch': 5.15.0 + '@algolia/requester-node-http': 5.15.0 dev: true - /@algolia/client-personalization@5.14.2: - resolution: {integrity: sha512-5IYt8vbmTA52xyuaZKFwiRoDPeh7hiOC9aBZqqp9fVs6BU01djI/T8pGJXawvwczltCPYzNsdbllV3rqiDbxmQ==} + /@algolia/client-personalization@5.15.0: + resolution: {integrity: sha512-LfaZqLUWxdYFq44QrasCDED5bSYOswpQjSiIL7Q5fYlefAAUO95PzBPKCfUhSwhb4rKxigHfDkd81AvEicIEoA==} engines: {node: '>= 14.0.0'} dependencies: - '@algolia/client-common': 5.14.2 - '@algolia/requester-browser-xhr': 5.14.2 - '@algolia/requester-fetch': 5.14.2 - '@algolia/requester-node-http': 5.14.2 + '@algolia/client-common': 5.15.0 + '@algolia/requester-browser-xhr': 5.15.0 + '@algolia/requester-fetch': 5.15.0 + '@algolia/requester-node-http': 5.15.0 dev: true - /@algolia/client-query-suggestions@5.14.2: - resolution: {integrity: sha512-gvCX/cczU76Bu1sGcxxTdoIwxe+FnuC1IlW9SF/gzxd3ZzsgzBpzD2puIJqt9fHQsjLxVGkJqKev2FtExnJYZg==} + /@algolia/client-query-suggestions@5.15.0: + resolution: {integrity: sha512-wu8GVluiZ5+il8WIRsGKu8VxMK9dAlr225h878GGtpTL6VBvwyJvAyLdZsfFIpY0iN++jiNb31q2C1PlPL+n/A==} engines: {node: '>= 14.0.0'} dependencies: - '@algolia/client-common': 5.14.2 - '@algolia/requester-browser-xhr': 5.14.2 - '@algolia/requester-fetch': 5.14.2 - '@algolia/requester-node-http': 5.14.2 + '@algolia/client-common': 5.15.0 + '@algolia/requester-browser-xhr': 5.15.0 + '@algolia/requester-fetch': 5.15.0 + '@algolia/requester-node-http': 5.15.0 dev: true - /@algolia/client-search@5.14.2: - resolution: {integrity: sha512-0imdBZDjqxrshw0+eyJUgnkRAbS2W93UQ3BVj8VjN4xQylIMf0fWs72W7MZFdHlH78JJYydevgzqvGMcV0Z1CA==} + /@algolia/client-search@5.15.0: + resolution: {integrity: sha512-Z32gEMrRRpEta5UqVQA612sLdoqY3AovvUPClDfMxYrbdDAebmGDVPtSogUba1FZ4pP5dx20D3OV3reogLKsRA==} engines: {node: '>= 14.0.0'} dependencies: - '@algolia/client-common': 5.14.2 - '@algolia/requester-browser-xhr': 5.14.2 - '@algolia/requester-fetch': 5.14.2 - '@algolia/requester-node-http': 5.14.2 + '@algolia/client-common': 5.15.0 + '@algolia/requester-browser-xhr': 5.15.0 + '@algolia/requester-fetch': 5.15.0 + '@algolia/requester-node-http': 5.15.0 dev: true - /@algolia/ingestion@1.14.2: - resolution: {integrity: sha512-/p4rBNkW0fgCpCwrwre+jHfzlFQsLemgaAQqyui8NPxw95Wgf3p+DKxYzcmh8dygT7ub7FwztTW+uURLX1uqIQ==} + /@algolia/ingestion@1.15.0: + resolution: {integrity: sha512-MkqkAxBQxtQ5if/EX2IPqFA7LothghVyvPoRNA/meS2AW2qkHwcxjuiBxv4H6mnAVEPfJlhu9rkdVz9LgCBgJg==} engines: {node: '>= 14.0.0'} dependencies: - '@algolia/client-common': 5.14.2 - '@algolia/requester-browser-xhr': 5.14.2 - '@algolia/requester-fetch': 5.14.2 - '@algolia/requester-node-http': 5.14.2 + '@algolia/client-common': 5.15.0 + '@algolia/requester-browser-xhr': 5.15.0 + '@algolia/requester-fetch': 5.15.0 + '@algolia/requester-node-http': 5.15.0 dev: true - /@algolia/monitoring@1.14.2: - resolution: {integrity: sha512-81R57Y/mS0uNhWpu6cNEfkbkADLW4bP0BNjuPpxAypobv7WzYycUnbMvv1YkN6OsociB4+3M7HfsVzj4Nc09vA==} + /@algolia/monitoring@1.15.0: + resolution: {integrity: sha512-QPrFnnGLMMdRa8t/4bs7XilPYnoUXDY8PMQJ1sf9ZFwhUysYYhQNX34/enoO0LBjpoOY6rLpha39YQEFbzgKyQ==} engines: {node: '>= 14.0.0'} dependencies: - '@algolia/client-common': 5.14.2 - '@algolia/requester-browser-xhr': 5.14.2 - '@algolia/requester-fetch': 5.14.2 - '@algolia/requester-node-http': 5.14.2 + '@algolia/client-common': 5.15.0 + '@algolia/requester-browser-xhr': 5.15.0 + '@algolia/requester-fetch': 5.15.0 + '@algolia/requester-node-http': 5.15.0 dev: true - /@algolia/recommend@5.14.2: - resolution: {integrity: sha512-OwELnAZxCUyfjYjqsrFmC7Vfa12kqwbDdLUV0oi4j+4pxDsfPgkiZ6iCH2uPw6X8VK88Hl3InPt+RPaZvcrCWg==} + /@algolia/recommend@5.15.0: + resolution: {integrity: sha512-5eupMwSqMLDObgSMF0XG958zR6GJP3f7jHDQ3/WlzCM9/YIJiWIUoJFGsko9GYsA5xbLDHE/PhWtq4chcCdaGQ==} engines: {node: '>= 14.0.0'} dependencies: - '@algolia/client-common': 5.14.2 - '@algolia/requester-browser-xhr': 5.14.2 - '@algolia/requester-fetch': 5.14.2 - '@algolia/requester-node-http': 5.14.2 + '@algolia/client-common': 5.15.0 + '@algolia/requester-browser-xhr': 5.15.0 + '@algolia/requester-fetch': 5.15.0 + '@algolia/requester-node-http': 5.15.0 dev: true - /@algolia/requester-browser-xhr@5.14.2: - resolution: {integrity: sha512-irUvkK+TGBhyivtNCIIbVgNUgbUoHOSk8m/kFX4ddto/PUPmLFRRNNnMHtJ1+OzrJ/uD3Am4FUK2Yt+xgQr05w==} + /@algolia/requester-browser-xhr@5.15.0: + resolution: {integrity: sha512-Po/GNib6QKruC3XE+WKP1HwVSfCDaZcXu48kD+gwmtDlqHWKc7Bq9lrS0sNZ456rfCKhXksOmMfUs4wRM/Y96w==} engines: {node: '>= 14.0.0'} dependencies: - '@algolia/client-common': 5.14.2 + '@algolia/client-common': 5.15.0 dev: true - /@algolia/requester-fetch@5.14.2: - resolution: {integrity: sha512-UNBg5mM4MIYdxPuVjyDL22BC6P87g7WuM91Z1Ky0J19aEGvCSF+oR+9autthROFXdRnAa1rACOjuqn95iBbKpw==} + /@algolia/requester-fetch@5.15.0: + resolution: {integrity: sha512-rOZ+c0P7ajmccAvpeeNrUmEKoliYFL8aOR5qGW5pFq3oj3Iept7Y5mEtEsOBYsRt6qLnaXn4zUKf+N8nvJpcIw==} engines: {node: '>= 14.0.0'} dependencies: - '@algolia/client-common': 5.14.2 + '@algolia/client-common': 5.15.0 dev: true - /@algolia/requester-node-http@5.14.2: - resolution: {integrity: sha512-CTFA03YiLcnpP+JoLRqjHt5pqDHuKWJpLsIBY/60Gmw8pjALZ3TwvbAquRX4Vy+yrin178NxMuU+ilZ54f2IrQ==} + /@algolia/requester-node-http@5.15.0: + resolution: {integrity: sha512-b1jTpbFf9LnQHEJP5ddDJKE2sAlhYd7EVSOWgzo/27n/SfCoHfqD0VWntnWYD83PnOKvfe8auZ2+xCb0TXotrQ==} engines: {node: '>= 14.0.0'} dependencies: - '@algolia/client-common': 5.14.2 + '@algolia/client-common': 5.15.0 dev: true /@andrewbranch/untar.js@1.0.3: @@ -393,11 +393,11 @@ packages: resolution: {integrity: sha512-pieeipSOW4sQ0+bE5UFC51AOZp9NGxg89wAlZ1BAQFaiRAGK1IKUaPQ0UGZeNctJXyqZ1UvBtOQh2HH+U5GtmA==} dev: true - /@docsearch/js@3.8.0(@algolia/client-search@5.14.2)(search-insights@2.17.2): + /@docsearch/js@3.8.0(@algolia/client-search@5.15.0)(search-insights@2.17.3): resolution: {integrity: sha512-PVuV629f5UcYRtBWqK7ID6vNL5647+2ADJypwTjfeBIrJfwPuHtzLy39hMGMfFK+0xgRyhTR0FZ83EkdEraBlg==} dependencies: - '@docsearch/react': 3.8.0(@algolia/client-search@5.14.2)(search-insights@2.17.2) - preact: 10.24.3 + '@docsearch/react': 3.8.0(@algolia/client-search@5.15.0)(search-insights@2.17.3) + preact: 10.25.0 transitivePeerDependencies: - '@algolia/client-search' - '@types/react' @@ -406,7 +406,7 @@ packages: - search-insights dev: true - /@docsearch/react@3.8.0(@algolia/client-search@5.14.2)(search-insights@2.17.2): + /@docsearch/react@3.8.0(@algolia/client-search@5.15.0)(search-insights@2.17.3): resolution: {integrity: sha512-WnFK720+iwTVt94CxY3u+FgX6exb3BfN5kE9xUY6uuAH/9W/UFboBZFLlrw/zxFRHoHZCOXRtOylsXF+6LHI+Q==} peerDependencies: '@types/react': '>= 16.8.0 < 19.0.0' @@ -423,11 +423,11 @@ packages: search-insights: optional: true dependencies: - '@algolia/autocomplete-core': 1.17.7(@algolia/client-search@5.14.2)(algoliasearch@5.14.2)(search-insights@2.17.2) - '@algolia/autocomplete-preset-algolia': 1.17.7(@algolia/client-search@5.14.2)(algoliasearch@5.14.2) + '@algolia/autocomplete-core': 1.17.7(@algolia/client-search@5.15.0)(algoliasearch@5.15.0)(search-insights@2.17.3) + '@algolia/autocomplete-preset-algolia': 1.17.7(@algolia/client-search@5.15.0)(algoliasearch@5.15.0) '@docsearch/css': 3.8.0 - algoliasearch: 5.14.2 - search-insights: 2.17.2 + algoliasearch: 5.15.0 + search-insights: 2.17.3 transitivePeerDependencies: - '@algolia/client-search' dev: true @@ -484,8 +484,8 @@ packages: dev: true optional: true - /@dprint/typescript@0.93.2: - resolution: {integrity: sha512-3tkjp77CTNYkRWh7ucA7ZhV6QBBpgFDZLBLzUxQ5zo0VTodEhnT9yw5UXEXjayuXkAexBE4fQWZcnVLWN92lcg==} + /@dprint/typescript@0.93.3: + resolution: {integrity: sha512-P/AAHYDyUG+5hih8knuk3s9n2wrCD1LSh0YsLlJMx6+v0Wsjf0PpcVRn+xDvHCtwPUctB5WBkZT2U8mu6Cm7RQ==} dev: true /@dprint/win32-arm64@0.47.5: @@ -546,6 +546,15 @@ packages: dev: true optional: true + /@esbuild/aix-ppc64@0.24.0: + resolution: {integrity: sha512-WtKdFM7ls47zkKHFVzMz8opM7LkcsIp9amDUBIAWirg70RM71WRSjdILPsY5Uv1D42ZpUfaPILDlfactHgsRkw==} + engines: {node: '>=18'} + cpu: [ppc64] + os: [aix] + requiresBuild: true + dev: true + optional: true + /@esbuild/android-arm64@0.21.5: resolution: {integrity: sha512-c0uX9VAUBQ7dTDCjq+wdyGLowMdtR/GoC2U5IYk/7D1H1JYC0qseD7+11iMP2mRLN9RcCMRcjC4YMclCzGwS/A==} engines: {node: '>=12'} @@ -564,6 +573,15 @@ packages: dev: true optional: true + /@esbuild/android-arm64@0.24.0: + resolution: {integrity: sha512-Vsm497xFM7tTIPYK9bNTYJyF/lsP590Qc1WxJdlB6ljCbdZKU9SY8i7+Iin4kyhV/KV5J2rOKsBQbB77Ab7L/w==} + engines: {node: '>=18'} + cpu: [arm64] + os: [android] + requiresBuild: true + dev: true + optional: true + /@esbuild/android-arm@0.21.5: resolution: {integrity: sha512-vCPvzSjpPHEi1siZdlvAlsPxXl7WbOVUBBAowWug4rJHb68Ox8KualB+1ocNvT5fjv6wpkX6o/iEpbDrf68zcg==} engines: {node: '>=12'} @@ -582,6 +600,15 @@ packages: dev: true optional: true + /@esbuild/android-arm@0.24.0: + resolution: {integrity: sha512-arAtTPo76fJ/ICkXWetLCc9EwEHKaeya4vMrReVlEIUCAUncH7M4bhMQ+M9Vf+FFOZJdTNMXNBrWwW+OXWpSew==} + engines: {node: '>=18'} + cpu: [arm] + os: [android] + requiresBuild: true + dev: true + optional: true + /@esbuild/android-x64@0.21.5: resolution: {integrity: sha512-D7aPRUUNHRBwHxzxRvp856rjUHRFW1SdQATKXH2hqA0kAZb1hKmi02OpYRacl0TxIGz/ZmXWlbZgjwWYaCakTA==} engines: {node: '>=12'} @@ -600,6 +627,15 @@ packages: dev: true optional: true + /@esbuild/android-x64@0.24.0: + resolution: {integrity: sha512-t8GrvnFkiIY7pa7mMgJd7p8p8qqYIz1NYiAoKc75Zyv73L3DZW++oYMSHPRarcotTKuSs6m3hTOa5CKHaS02TQ==} + engines: {node: '>=18'} + cpu: [x64] + os: [android] + requiresBuild: true + dev: true + optional: true + /@esbuild/darwin-arm64@0.21.5: resolution: {integrity: sha512-DwqXqZyuk5AiWWf3UfLiRDJ5EDd49zg6O9wclZ7kUMv2WRFr4HKjXp/5t8JZ11QbQfUS6/cRCKGwYhtNAY88kQ==} engines: {node: '>=12'} @@ -618,6 +654,15 @@ packages: dev: true optional: true + /@esbuild/darwin-arm64@0.24.0: + resolution: {integrity: sha512-CKyDpRbK1hXwv79soeTJNHb5EiG6ct3efd/FTPdzOWdbZZfGhpbcqIpiD0+vwmpu0wTIL97ZRPZu8vUt46nBSw==} + engines: {node: '>=18'} + cpu: [arm64] + os: [darwin] + requiresBuild: true + dev: true + optional: true + /@esbuild/darwin-x64@0.21.5: resolution: {integrity: sha512-se/JjF8NlmKVG4kNIuyWMV/22ZaerB+qaSi5MdrXtd6R08kvs2qCN4C09miupktDitvh8jRFflwGFBQcxZRjbw==} engines: {node: '>=12'} @@ -636,6 +681,15 @@ packages: dev: true optional: true + /@esbuild/darwin-x64@0.24.0: + resolution: {integrity: sha512-rgtz6flkVkh58od4PwTRqxbKH9cOjaXCMZgWD905JOzjFKW+7EiUObfd/Kav+A6Gyud6WZk9w+xu6QLytdi2OA==} + engines: {node: '>=18'} + cpu: [x64] + os: [darwin] + requiresBuild: true + dev: true + optional: true + /@esbuild/freebsd-arm64@0.21.5: resolution: {integrity: sha512-5JcRxxRDUJLX8JXp/wcBCy3pENnCgBR9bN6JsY4OmhfUtIHe3ZW0mawA7+RDAcMLrMIZaf03NlQiX9DGyB8h4g==} engines: {node: '>=12'} @@ -654,6 +708,15 @@ packages: dev: true optional: true + /@esbuild/freebsd-arm64@0.24.0: + resolution: {integrity: sha512-6Mtdq5nHggwfDNLAHkPlyLBpE5L6hwsuXZX8XNmHno9JuL2+bg2BX5tRkwjyfn6sKbxZTq68suOjgWqCicvPXA==} + engines: {node: '>=18'} + cpu: [arm64] + os: [freebsd] + requiresBuild: true + dev: true + optional: true + /@esbuild/freebsd-x64@0.21.5: resolution: {integrity: sha512-J95kNBj1zkbMXtHVH29bBriQygMXqoVQOQYA+ISs0/2l3T9/kj42ow2mpqerRBxDJnmkUDCaQT/dfNXWX/ZZCQ==} engines: {node: '>=12'} @@ -672,6 +735,15 @@ packages: dev: true optional: true + /@esbuild/freebsd-x64@0.24.0: + resolution: {integrity: sha512-D3H+xh3/zphoX8ck4S2RxKR6gHlHDXXzOf6f/9dbFt/NRBDIE33+cVa49Kil4WUjxMGW0ZIYBYtaGCa2+OsQwQ==} + engines: {node: '>=18'} + cpu: [x64] + os: [freebsd] + requiresBuild: true + dev: true + optional: true + /@esbuild/linux-arm64@0.21.5: resolution: {integrity: sha512-ibKvmyYzKsBeX8d8I7MH/TMfWDXBF3db4qM6sy+7re0YXya+K1cem3on9XgdT2EQGMu4hQyZhan7TeQ8XkGp4Q==} engines: {node: '>=12'} @@ -690,6 +762,15 @@ packages: dev: true optional: true + /@esbuild/linux-arm64@0.24.0: + resolution: {integrity: sha512-TDijPXTOeE3eaMkRYpcy3LarIg13dS9wWHRdwYRnzlwlA370rNdZqbcp0WTyyV/k2zSxfko52+C7jU5F9Tfj1g==} + engines: {node: '>=18'} + cpu: [arm64] + os: [linux] + requiresBuild: true + dev: true + optional: true + /@esbuild/linux-arm@0.21.5: resolution: {integrity: sha512-bPb5AHZtbeNGjCKVZ9UGqGwo8EUu4cLq68E95A53KlxAPRmUyYv2D6F0uUI65XisGOL1hBP5mTronbgo+0bFcA==} engines: {node: '>=12'} @@ -708,6 +789,15 @@ packages: dev: true optional: true + /@esbuild/linux-arm@0.24.0: + resolution: {integrity: sha512-gJKIi2IjRo5G6Glxb8d3DzYXlxdEj2NlkixPsqePSZMhLudqPhtZ4BUrpIuTjJYXxvF9njql+vRjB2oaC9XpBw==} + engines: {node: '>=18'} + cpu: [arm] + os: [linux] + requiresBuild: true + dev: true + optional: true + /@esbuild/linux-ia32@0.21.5: resolution: {integrity: sha512-YvjXDqLRqPDl2dvRODYmmhz4rPeVKYvppfGYKSNGdyZkA01046pLWyRKKI3ax8fbJoK5QbxblURkwK/MWY18Tg==} engines: {node: '>=12'} @@ -726,6 +816,15 @@ packages: dev: true optional: true + /@esbuild/linux-ia32@0.24.0: + resolution: {integrity: sha512-K40ip1LAcA0byL05TbCQ4yJ4swvnbzHscRmUilrmP9Am7//0UjPreh4lpYzvThT2Quw66MhjG//20mrufm40mA==} + engines: {node: '>=18'} + cpu: [ia32] + os: [linux] + requiresBuild: true + dev: true + optional: true + /@esbuild/linux-loong64@0.21.5: resolution: {integrity: sha512-uHf1BmMG8qEvzdrzAqg2SIG/02+4/DHB6a9Kbya0XDvwDEKCoC8ZRWI5JJvNdUjtciBGFQ5PuBlpEOXQj+JQSg==} engines: {node: '>=12'} @@ -744,6 +843,15 @@ packages: dev: true optional: true + /@esbuild/linux-loong64@0.24.0: + resolution: {integrity: sha512-0mswrYP/9ai+CU0BzBfPMZ8RVm3RGAN/lmOMgW4aFUSOQBjA31UP8Mr6DDhWSuMwj7jaWOT0p0WoZ6jeHhrD7g==} + engines: {node: '>=18'} + cpu: [loong64] + os: [linux] + requiresBuild: true + dev: true + optional: true + /@esbuild/linux-mips64el@0.21.5: resolution: {integrity: sha512-IajOmO+KJK23bj52dFSNCMsz1QP1DqM6cwLUv3W1QwyxkyIWecfafnI555fvSGqEKwjMXVLokcV5ygHW5b3Jbg==} engines: {node: '>=12'} @@ -762,6 +870,15 @@ packages: dev: true optional: true + /@esbuild/linux-mips64el@0.24.0: + resolution: {integrity: sha512-hIKvXm0/3w/5+RDtCJeXqMZGkI2s4oMUGj3/jM0QzhgIASWrGO5/RlzAzm5nNh/awHE0A19h/CvHQe6FaBNrRA==} + engines: {node: '>=18'} + cpu: [mips64el] + os: [linux] + requiresBuild: true + dev: true + optional: true + /@esbuild/linux-ppc64@0.21.5: resolution: {integrity: sha512-1hHV/Z4OEfMwpLO8rp7CvlhBDnjsC3CttJXIhBi+5Aj5r+MBvy4egg7wCbe//hSsT+RvDAG7s81tAvpL2XAE4w==} engines: {node: '>=12'} @@ -780,6 +897,15 @@ packages: dev: true optional: true + /@esbuild/linux-ppc64@0.24.0: + resolution: {integrity: sha512-HcZh5BNq0aC52UoocJxaKORfFODWXZxtBaaZNuN3PUX3MoDsChsZqopzi5UupRhPHSEHotoiptqikjN/B77mYQ==} + engines: {node: '>=18'} + cpu: [ppc64] + os: [linux] + requiresBuild: true + dev: true + optional: true + /@esbuild/linux-riscv64@0.21.5: resolution: {integrity: sha512-2HdXDMd9GMgTGrPWnJzP2ALSokE/0O5HhTUvWIbD3YdjME8JwvSCnNGBnTThKGEB91OZhzrJ4qIIxk/SBmyDDA==} engines: {node: '>=12'} @@ -798,6 +924,15 @@ packages: dev: true optional: true + /@esbuild/linux-riscv64@0.24.0: + resolution: {integrity: sha512-bEh7dMn/h3QxeR2KTy1DUszQjUrIHPZKyO6aN1X4BCnhfYhuQqedHaa5MxSQA/06j3GpiIlFGSsy1c7Gf9padw==} + engines: {node: '>=18'} + cpu: [riscv64] + os: [linux] + requiresBuild: true + dev: true + optional: true + /@esbuild/linux-s390x@0.21.5: resolution: {integrity: sha512-zus5sxzqBJD3eXxwvjN1yQkRepANgxE9lgOW2qLnmr8ikMTphkjgXu1HR01K4FJg8h1kEEDAqDcZQtbrRnB41A==} engines: {node: '>=12'} @@ -816,6 +951,15 @@ packages: dev: true optional: true + /@esbuild/linux-s390x@0.24.0: + resolution: {integrity: sha512-ZcQ6+qRkw1UcZGPyrCiHHkmBaj9SiCD8Oqd556HldP+QlpUIe2Wgn3ehQGVoPOvZvtHm8HPx+bH20c9pvbkX3g==} + engines: {node: '>=18'} + cpu: [s390x] + os: [linux] + requiresBuild: true + dev: true + optional: true + /@esbuild/linux-x64@0.21.5: resolution: {integrity: sha512-1rYdTpyv03iycF1+BhzrzQJCdOuAOtaqHTWJZCWvijKD2N5Xu0TtVC8/+1faWqcP9iBCWOmjmhoH94dH82BxPQ==} engines: {node: '>=12'} @@ -834,6 +978,15 @@ packages: dev: true optional: true + /@esbuild/linux-x64@0.24.0: + resolution: {integrity: sha512-vbutsFqQ+foy3wSSbmjBXXIJ6PL3scghJoM8zCL142cGaZKAdCZHyf+Bpu/MmX9zT9Q0zFBVKb36Ma5Fzfa8xA==} + engines: {node: '>=18'} + cpu: [x64] + os: [linux] + requiresBuild: true + dev: true + optional: true + /@esbuild/netbsd-x64@0.21.5: resolution: {integrity: sha512-Woi2MXzXjMULccIwMnLciyZH4nCIMpWQAs049KEeMvOcNADVxo0UBIQPfSmxB3CWKedngg7sWZdLvLczpe0tLg==} engines: {node: '>=12'} @@ -852,6 +1005,15 @@ packages: dev: true optional: true + /@esbuild/netbsd-x64@0.24.0: + resolution: {integrity: sha512-hjQ0R/ulkO8fCYFsG0FZoH+pWgTTDreqpqY7UnQntnaKv95uP5iW3+dChxnx7C3trQQU40S+OgWhUVwCjVFLvg==} + engines: {node: '>=18'} + cpu: [x64] + os: [netbsd] + requiresBuild: true + dev: true + optional: true + /@esbuild/openbsd-arm64@0.23.1: resolution: {integrity: sha512-3x37szhLexNA4bXhLrCC/LImN/YtWis6WXr1VESlfVtVeoFJBRINPJ3f0a/6LV8zpikqoUg4hyXw0sFBt5Cr+Q==} engines: {node: '>=18'} @@ -861,6 +1023,15 @@ packages: dev: true optional: true + /@esbuild/openbsd-arm64@0.24.0: + resolution: {integrity: sha512-MD9uzzkPQbYehwcN583yx3Tu5M8EIoTD+tUgKF982WYL9Pf5rKy9ltgD0eUgs8pvKnmizxjXZyLt0z6DC3rRXg==} + engines: {node: '>=18'} + cpu: [arm64] + os: [openbsd] + requiresBuild: true + dev: true + optional: true + /@esbuild/openbsd-x64@0.21.5: resolution: {integrity: sha512-HLNNw99xsvx12lFBUwoT8EVCsSvRNDVxNpjZ7bPn947b8gJPzeHWyNVhFsaerc0n3TsbOINvRP2byTZ5LKezow==} engines: {node: '>=12'} @@ -879,6 +1050,15 @@ packages: dev: true optional: true + /@esbuild/openbsd-x64@0.24.0: + resolution: {integrity: sha512-4ir0aY1NGUhIC1hdoCzr1+5b43mw99uNwVzhIq1OY3QcEwPDO3B7WNXBzaKY5Nsf1+N11i1eOfFcq+D/gOS15Q==} + engines: {node: '>=18'} + cpu: [x64] + os: [openbsd] + requiresBuild: true + dev: true + optional: true + /@esbuild/sunos-x64@0.21.5: resolution: {integrity: sha512-6+gjmFpfy0BHU5Tpptkuh8+uw3mnrvgs+dSPQXQOv3ekbordwnzTVEb4qnIvQcYXq6gzkyTnoZ9dZG+D4garKg==} engines: {node: '>=12'} @@ -897,6 +1077,15 @@ packages: dev: true optional: true + /@esbuild/sunos-x64@0.24.0: + resolution: {integrity: sha512-jVzdzsbM5xrotH+W5f1s+JtUy1UWgjU0Cf4wMvffTB8m6wP5/kx0KiaLHlbJO+dMgtxKV8RQ/JvtlFcdZ1zCPA==} + engines: {node: '>=18'} + cpu: [x64] + os: [sunos] + requiresBuild: true + dev: true + optional: true + /@esbuild/win32-arm64@0.21.5: resolution: {integrity: sha512-Z0gOTd75VvXqyq7nsl93zwahcTROgqvuAcYDUr+vOv8uHhNSKROyU961kgtCD1e95IqPKSQKH7tBTslnS3tA8A==} engines: {node: '>=12'} @@ -915,6 +1104,15 @@ packages: dev: true optional: true + /@esbuild/win32-arm64@0.24.0: + resolution: {integrity: sha512-iKc8GAslzRpBytO2/aN3d2yb2z8XTVfNV0PjGlCxKo5SgWmNXx82I/Q3aG1tFfS+A2igVCY97TJ8tnYwpUWLCA==} + engines: {node: '>=18'} + cpu: [arm64] + os: [win32] + requiresBuild: true + dev: true + optional: true + /@esbuild/win32-ia32@0.21.5: resolution: {integrity: sha512-SWXFF1CL2RVNMaVs+BBClwtfZSvDgtL//G/smwAc5oVK/UPu2Gu9tIaRgFmYFFKrmg3SyAjSrElf0TiJ1v8fYA==} engines: {node: '>=12'} @@ -933,6 +1131,15 @@ packages: dev: true optional: true + /@esbuild/win32-ia32@0.24.0: + resolution: {integrity: sha512-vQW36KZolfIudCcTnaTpmLQ24Ha1RjygBo39/aLkM2kmjkWmZGEJ5Gn9l5/7tzXA42QGIoWbICfg6KLLkIw6yw==} + engines: {node: '>=18'} + cpu: [ia32] + os: [win32] + requiresBuild: true + dev: true + optional: true + /@esbuild/win32-x64@0.21.5: resolution: {integrity: sha512-tQd/1efJuzPC6rCFwEvLtci/xNFcTZknmXs98FYDfGE4wP9ClFV98nyKrzJKVPMhdDnjzLhdUyMX4PsQAPjwIw==} engines: {node: '>=12'} @@ -951,13 +1158,22 @@ packages: dev: true optional: true - /@eslint-community/eslint-utils@4.4.1(eslint@9.15.0): + /@esbuild/win32-x64@0.24.0: + resolution: {integrity: sha512-7IAFPrjSQIJrGsK6flwg7NFmwBoSTyF3rl7If0hNUFQU4ilTsEPL6GuMuU9BfIWVVGuRnuIidkSMC+c0Otu8IA==} + engines: {node: '>=18'} + cpu: [x64] + os: [win32] + requiresBuild: true + dev: true + optional: true + + /@eslint-community/eslint-utils@4.4.1(eslint@9.16.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 dependencies: - eslint: 9.15.0 + eslint: 9.16.0 eslint-visitor-keys: 3.4.3 dev: true @@ -999,8 +1215,8 @@ packages: - supports-color dev: true - /@eslint/js@9.15.0: - resolution: {integrity: sha512-tMTqrY+EzbXmKJR5ToI8lxu7jaN5EdmrBFJpQk5JmSlyLsx6o4t27r883K5xsLuCYCpfKBCGswMSWXsM+jB7lg==} + /@eslint/js@9.16.0: + resolution: {integrity: sha512-tw2HxzQkrbeuvyj1tG2Yqq+0H9wGoI2IMk4EOsQeX+vmd75FtJAzf+gTA69WF+baUKRYQ3x2kbLE08js5OsTVg==} engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0} dev: true @@ -1016,13 +1232,13 @@ packages: levn: 0.4.1 dev: true - /@graphql-tools/executor@1.3.3(graphql@16.9.0): - resolution: {integrity: sha512-lpkgokF6vjGHNluANOTsWoSM0vuvUuVpjY1810tvM6Vlyoq2tJ+nmqweGbMsq/GLhmZQP1lY/nOkj2zPJXLWiw==} + /@graphql-tools/executor@1.3.5(graphql@16.9.0): + resolution: {integrity: sha512-jwbvC9mYr64NBQAV1zpnX1T+3ak+SnmW6z8pS9JBZgbUxQSaL/quxP7ejDTyf5wkAUJ6zt1p0UCIbQ6H9jSKGA==} engines: {node: '>=16.0.0'} peerDependencies: graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 dependencies: - '@graphql-tools/utils': 10.5.6(graphql@16.9.0) + '@graphql-tools/utils': 10.6.1(graphql@16.9.0) '@graphql-typed-document-node/core': 3.2.0(graphql@16.9.0) '@repeaterjs/repeater': 3.0.6 graphql: 16.9.0 @@ -1030,32 +1246,32 @@ packages: value-or-promise: 1.0.12 dev: true - /@graphql-tools/merge@9.0.9(graphql@16.9.0): - resolution: {integrity: sha512-w9yaU7UMRQvtkTYZHo+c7cS7LO7rqc2H6g3k0aUs8VE9YlFYG1bYdxvEPM5bloaoVqr5TmbqIZqzl1CHeJKilQ==} + /@graphql-tools/merge@9.0.11(graphql@16.9.0): + resolution: {integrity: sha512-AJL0XTozn31HoZN8tULzEkbDXyETA5vAFu4Q65kxJDu027p+auaNFYj/y51HP4BhMR4wykoteWyO7/VxKfdpiw==} engines: {node: '>=16.0.0'} peerDependencies: graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 dependencies: - '@graphql-tools/utils': 10.5.6(graphql@16.9.0) + '@graphql-tools/utils': 10.6.1(graphql@16.9.0) graphql: 16.9.0 tslib: 2.8.1 dev: true - /@graphql-tools/schema@10.0.8(graphql@16.9.0): - resolution: {integrity: sha512-jkCSq+DdT6Rf/MN3oVz250AMFWZO0E5kh0C2K+kJfS80iBW7/7kLjiSbKz+WD9UBtsJPW2zyzKYC4ylU4jmnLw==} + /@graphql-tools/schema@10.0.10(graphql@16.9.0): + resolution: {integrity: sha512-TSdDvwgk1Fq3URDuZBMCPXlWLpRpxwaQ+0KqvycVwoHozYnBRZ2Ql9HVgDKnebkGQKmIk2enSeku+ERKxxSG0g==} engines: {node: '>=16.0.0'} peerDependencies: graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 dependencies: - '@graphql-tools/merge': 9.0.9(graphql@16.9.0) - '@graphql-tools/utils': 10.5.6(graphql@16.9.0) + '@graphql-tools/merge': 9.0.11(graphql@16.9.0) + '@graphql-tools/utils': 10.6.1(graphql@16.9.0) graphql: 16.9.0 tslib: 2.8.1 value-or-promise: 1.0.12 dev: true - /@graphql-tools/utils@10.5.6(graphql@16.9.0): - resolution: {integrity: sha512-JAC44rhbLzXUHiltceyEpWkxmX4e45Dfg19wRFoA9EbDxQVbOzVNF76eEECdg0J1owFsJwfLqCwz7/6xzrovOw==} + /@graphql-tools/utils@10.6.1(graphql@16.9.0): + resolution: {integrity: sha512-XHl0/DWkMf/8Dmw1F3RRoMPt6ZwU4J707YWcbPjS+49WZNoTVz6f+prQ4GuwZT8RqTPtrRawnGU93AV73ZLTfQ==} engines: {node: '>=16.0.0'} peerDependencies: graphql: ^14.0.0 || ^15.0.0 || ^16.0.0 || ^17.0.0 @@ -1127,8 +1343,8 @@ packages: engines: {node: '>=18.18'} dev: true - /@iconify-json/simple-icons@1.2.11: - resolution: {integrity: sha512-AHCGDtBRqP+JzAbBzgO8uN/08CXxEmuaC6lQQZ3b5burKhRU12AJnJczwbUw2K5Mb/U85EpSUNhYMG3F28b8NA==} + /@iconify-json/simple-icons@1.2.13: + resolution: {integrity: sha512-rRQjMoIt/kPfaD+fnBC9YZQpso3hkn8xPeadl+YWhscJ5SVUCdB9oTeR9VIpt+/5Yi8vEkh2UOWFPq4lz3ee2A==} dependencies: '@iconify/types': 2.0.0 dev: true @@ -1188,17 +1404,17 @@ packages: resolution: {integrity: sha512-GaHYm+c0O9MjZRu0ongGBRbinu8gVAMd2UZjji6jVmqKtZluZnptXGWhz1E8j8D2HJ3f/yMxKAUC0b+57wncIw==} dev: true - /@microsoft/tsdoc-config@0.17.0: - resolution: {integrity: sha512-v/EYRXnCAIHxOHW+Plb6OWuUoMotxTN0GLatnpOb1xq0KuTNw/WI3pamJx/UbsoJP5k9MCw1QxvvhPcF9pH3Zg==} + /@microsoft/tsdoc-config@0.17.1: + resolution: {integrity: sha512-UtjIFe0C6oYgTnad4q1QP4qXwLhe6tIpNTRStJ2RZEPIkqQPREAwE5spzVxsdn9UaEMUqhh0AqSx3X4nWAKXWw==} dependencies: - '@microsoft/tsdoc': 0.15.0 + '@microsoft/tsdoc': 0.15.1 ajv: 8.12.0 jju: 1.4.0 resolve: 1.22.8 dev: true - /@microsoft/tsdoc@0.15.0: - resolution: {integrity: sha512-HZpPoABogPvjeJOdzCOSJsXeL/SMCBgBZMVC3X3d7YYp2gf31MfxhUoYUNwf1ERPJOnQc0wkFn9trqI6ZEdZuA==} + /@microsoft/tsdoc@0.15.1: + resolution: {integrity: sha512-4aErSrCR/On/e5G2hDP0wjooqDdauzEbIq8hIkIe5pXV0rtWJZvdCEKL0ykZxex+IxIwBp0eGeV48hQN07dXtw==} dev: true /@molt/command@0.9.0: @@ -1213,7 +1429,7 @@ packages: string-length: 6.0.0 strip-ansi: 7.1.0 ts-toolbelt: 9.6.0 - type-fest: 4.27.0 + type-fest: 4.29.0 zod: 3.23.8 dev: false @@ -1511,8 +1727,8 @@ packages: engines: {node: '>=8.0.0'} dev: true - /@opentelemetry/context-async-hooks@1.27.0(@opentelemetry/api@1.9.0): - resolution: {integrity: sha512-CdZ3qmHCwNhFAzjTgHqrDQ44Qxcpz43cVxZRhOs+Ns/79ug+Mr84Bkb626bkJLkA3+BLimA5YAEVRlJC6pFb7g==} + /@opentelemetry/context-async-hooks@1.28.0(@opentelemetry/api@1.9.0): + resolution: {integrity: sha512-igcl4Ve+F1N2063PJUkesk/GkYyuGIWinYkSyAFTnIj3gzrOgvOA4k747XNdL47HRRL1w/qh7UW8NDuxOLvKFA==} engines: {node: '>=14'} peerDependencies: '@opentelemetry/api': '>=1.0.0 <1.10.0' @@ -1520,8 +1736,8 @@ packages: '@opentelemetry/api': 1.9.0 dev: true - /@opentelemetry/core@1.27.0(@opentelemetry/api@1.9.0): - resolution: {integrity: sha512-yQPKnK5e+76XuiqUH/gKyS8wv/7qITd5ln56QkBTf3uggr0VkXOXfcaAuG330UfdYu83wsyoBwqwxigpIG+Jkg==} + /@opentelemetry/core@1.28.0(@opentelemetry/api@1.9.0): + resolution: {integrity: sha512-ZLwRMV+fNDpVmF2WYUdBHlq0eOWtEaUJSusrzjGnBt7iSRvfjFE3RXYUZJrqou/wIDWV0DwQ5KIfYe9WXg9Xqw==} engines: {node: '>=14'} peerDependencies: '@opentelemetry/api': '>=1.0.0 <1.10.0' @@ -1530,61 +1746,61 @@ packages: '@opentelemetry/semantic-conventions': 1.27.0 dev: true - /@opentelemetry/propagator-b3@1.27.0(@opentelemetry/api@1.9.0): - resolution: {integrity: sha512-pTsko3gnMioe3FeWcwTQR3omo5C35tYsKKwjgTCTVCgd3EOWL9BZrMfgLBmszrwXABDfUrlAEFN/0W0FfQGynQ==} + /@opentelemetry/propagator-b3@1.28.0(@opentelemetry/api@1.9.0): + resolution: {integrity: sha512-Q7HVDIMwhN5RxL4bECMT4BdbyYSAKkC6U/RGn4NpO/cbqP6ZRg+BS7fPo/pGZi2w8AHfpIGQFXQmE8d2PC5xxQ==} engines: {node: '>=14'} peerDependencies: '@opentelemetry/api': '>=1.0.0 <1.10.0' dependencies: '@opentelemetry/api': 1.9.0 - '@opentelemetry/core': 1.27.0(@opentelemetry/api@1.9.0) + '@opentelemetry/core': 1.28.0(@opentelemetry/api@1.9.0) dev: true - /@opentelemetry/propagator-jaeger@1.27.0(@opentelemetry/api@1.9.0): - resolution: {integrity: sha512-EI1bbK0wn0yIuKlc2Qv2LKBRw6LiUWevrjCF80fn/rlaB+7StAi8Y5s8DBqAYNpY7v1q86+NjU18v7hj2ejU3A==} + /@opentelemetry/propagator-jaeger@1.28.0(@opentelemetry/api@1.9.0): + resolution: {integrity: sha512-wKJ94+s8467CnIRgoSRh0yXm/te0QMOwTq9J01PfG/RzYZvlvN8aRisN2oZ9SznB45dDGnMj3BhUlchSA9cEKA==} engines: {node: '>=14'} peerDependencies: '@opentelemetry/api': '>=1.0.0 <1.10.0' dependencies: '@opentelemetry/api': 1.9.0 - '@opentelemetry/core': 1.27.0(@opentelemetry/api@1.9.0) + '@opentelemetry/core': 1.28.0(@opentelemetry/api@1.9.0) dev: true - /@opentelemetry/resources@1.27.0(@opentelemetry/api@1.9.0): - resolution: {integrity: sha512-jOwt2VJ/lUD5BLc+PMNymDrUCpm5PKi1E9oSVYAvz01U/VdndGmrtV3DU1pG4AwlYhJRHbHfOUIlpBeXCPw6QQ==} + /@opentelemetry/resources@1.28.0(@opentelemetry/api@1.9.0): + resolution: {integrity: sha512-cIyXSVJjGeTICENN40YSvLDAq4Y2502hGK3iN7tfdynQLKWb3XWZQEkPc+eSx47kiy11YeFAlYkEfXwR1w8kfw==} engines: {node: '>=14'} peerDependencies: '@opentelemetry/api': '>=1.0.0 <1.10.0' dependencies: '@opentelemetry/api': 1.9.0 - '@opentelemetry/core': 1.27.0(@opentelemetry/api@1.9.0) + '@opentelemetry/core': 1.28.0(@opentelemetry/api@1.9.0) '@opentelemetry/semantic-conventions': 1.27.0 dev: true - /@opentelemetry/sdk-trace-base@1.27.0(@opentelemetry/api@1.9.0): - resolution: {integrity: sha512-btz6XTQzwsyJjombpeqCX6LhiMQYpzt2pIYNPnw0IPO/3AhT6yjnf8Mnv3ZC2A4eRYOjqrg+bfaXg9XHDRJDWQ==} + /@opentelemetry/sdk-trace-base@1.28.0(@opentelemetry/api@1.9.0): + resolution: {integrity: sha512-ceUVWuCpIao7Y5xE02Xs3nQi0tOGmMea17ecBdwtCvdo9ekmO+ijc9RFDgfifMl7XCBf41zne/1POM3LqSTZDA==} engines: {node: '>=14'} peerDependencies: '@opentelemetry/api': '>=1.0.0 <1.10.0' dependencies: '@opentelemetry/api': 1.9.0 - '@opentelemetry/core': 1.27.0(@opentelemetry/api@1.9.0) - '@opentelemetry/resources': 1.27.0(@opentelemetry/api@1.9.0) + '@opentelemetry/core': 1.28.0(@opentelemetry/api@1.9.0) + '@opentelemetry/resources': 1.28.0(@opentelemetry/api@1.9.0) '@opentelemetry/semantic-conventions': 1.27.0 dev: true - /@opentelemetry/sdk-trace-node@1.27.0(@opentelemetry/api@1.9.0): - resolution: {integrity: sha512-dWZp/dVGdUEfRBjBq2BgNuBlFqHCxyyMc8FsN0NX15X07mxSUO0SZRLyK/fdAVrde8nqFI/FEdMH4rgU9fqJfQ==} + /@opentelemetry/sdk-trace-node@1.28.0(@opentelemetry/api@1.9.0): + resolution: {integrity: sha512-N0sYfYXvHpP0FNIyc+UfhLnLSTOuZLytV0qQVrDWIlABeD/DWJIGttS7nYeR14gQLXch0M1DW8zm3VeN6Opwtg==} engines: {node: '>=14'} peerDependencies: '@opentelemetry/api': '>=1.0.0 <1.10.0' dependencies: '@opentelemetry/api': 1.9.0 - '@opentelemetry/context-async-hooks': 1.27.0(@opentelemetry/api@1.9.0) - '@opentelemetry/core': 1.27.0(@opentelemetry/api@1.9.0) - '@opentelemetry/propagator-b3': 1.27.0(@opentelemetry/api@1.9.0) - '@opentelemetry/propagator-jaeger': 1.27.0(@opentelemetry/api@1.9.0) - '@opentelemetry/sdk-trace-base': 1.27.0(@opentelemetry/api@1.9.0) + '@opentelemetry/context-async-hooks': 1.28.0(@opentelemetry/api@1.9.0) + '@opentelemetry/core': 1.28.0(@opentelemetry/api@1.9.0) + '@opentelemetry/propagator-b3': 1.28.0(@opentelemetry/api@1.9.0) + '@opentelemetry/propagator-jaeger': 1.28.0(@opentelemetry/api@1.9.0) + '@opentelemetry/sdk-trace-base': 1.28.0(@opentelemetry/api@1.9.0) semver: 7.6.3 dev: true @@ -1627,144 +1843,144 @@ packages: resolution: {integrity: sha512-Javneu5lsuhwNCryN+pXH93VPQ8g0dBX7wItHFgYiwQmzE1sVdg5tWHiOgHywzL2W21XQopa7IwIEnNbmeUJYA==} dev: true - /@rollup/rollup-android-arm-eabi@4.27.2: - resolution: {integrity: sha512-Tj+j7Pyzd15wAdSJswvs5CJzJNV+qqSUcr/aCD+jpQSBtXvGnV0pnrjoc8zFTe9fcKCatkpFpOO7yAzpO998HA==} + /@rollup/rollup-android-arm-eabi@4.28.0: + resolution: {integrity: sha512-wLJuPLT6grGZsy34g4N1yRfYeouklTgPhH1gWXCYspenKYD0s3cR99ZevOGw5BexMNywkbV3UkjADisozBmpPQ==} cpu: [arm] os: [android] requiresBuild: true dev: true optional: true - /@rollup/rollup-android-arm64@4.27.2: - resolution: {integrity: sha512-xsPeJgh2ThBpUqlLgRfiVYBEf/P1nWlWvReG+aBWfNv3XEBpa6ZCmxSVnxJgLgkNz4IbxpLy64h2gCmAAQLneQ==} + /@rollup/rollup-android-arm64@4.28.0: + resolution: {integrity: sha512-eiNkznlo0dLmVG/6wf+Ifi/v78G4d4QxRhuUl+s8EWZpDewgk7PX3ZyECUXU0Zq/Ca+8nU8cQpNC4Xgn2gFNDA==} cpu: [arm64] os: [android] requiresBuild: true dev: true optional: true - /@rollup/rollup-darwin-arm64@4.27.2: - resolution: {integrity: sha512-KnXU4m9MywuZFedL35Z3PuwiTSn/yqRIhrEA9j+7OSkji39NzVkgxuxTYg5F8ryGysq4iFADaU5osSizMXhU2A==} + /@rollup/rollup-darwin-arm64@4.28.0: + resolution: {integrity: sha512-lmKx9yHsppblnLQZOGxdO66gT77bvdBtr/0P+TPOseowE7D9AJoBw8ZDULRasXRWf1Z86/gcOdpBrV6VDUY36Q==} cpu: [arm64] os: [darwin] requiresBuild: true dev: true optional: true - /@rollup/rollup-darwin-x64@4.27.2: - resolution: {integrity: sha512-Hj77A3yTvUeCIx/Vi+4d4IbYhyTwtHj07lVzUgpUq9YpJSEiGJj4vXMKwzJ3w5zp5v3PFvpJNgc/J31smZey6g==} + /@rollup/rollup-darwin-x64@4.28.0: + resolution: {integrity: sha512-8hxgfReVs7k9Js1uAIhS6zq3I+wKQETInnWQtgzt8JfGx51R1N6DRVy3F4o0lQwumbErRz52YqwjfvuwRxGv1w==} cpu: [x64] os: [darwin] requiresBuild: true dev: true optional: true - /@rollup/rollup-freebsd-arm64@4.27.2: - resolution: {integrity: sha512-RjgKf5C3xbn8gxvCm5VgKZ4nn0pRAIe90J0/fdHUsgztd3+Zesb2lm2+r6uX4prV2eUByuxJNdt647/1KPRq5g==} + /@rollup/rollup-freebsd-arm64@4.28.0: + resolution: {integrity: sha512-lA1zZB3bFx5oxu9fYud4+g1mt+lYXCoch0M0V/xhqLoGatbzVse0wlSQ1UYOWKpuSu3gyN4qEc0Dxf/DII1bhQ==} cpu: [arm64] os: [freebsd] requiresBuild: true dev: true optional: true - /@rollup/rollup-freebsd-x64@4.27.2: - resolution: {integrity: sha512-duq21FoXwQtuws+V9H6UZ+eCBc7fxSpMK1GQINKn3fAyd9DFYKPJNcUhdIKOrMFjLEJgQskoMoiuizMt+dl20g==} + /@rollup/rollup-freebsd-x64@4.28.0: + resolution: {integrity: sha512-aI2plavbUDjCQB/sRbeUZWX9qp12GfYkYSJOrdYTL/C5D53bsE2/nBPuoiJKoWp5SN78v2Vr8ZPnB+/VbQ2pFA==} cpu: [x64] os: [freebsd] requiresBuild: true dev: true optional: true - /@rollup/rollup-linux-arm-gnueabihf@4.27.2: - resolution: {integrity: sha512-6npqOKEPRZkLrMcvyC/32OzJ2srdPzCylJjiTJT2c0bwwSGm7nz2F9mNQ1WrAqCBZROcQn91Fno+khFhVijmFA==} + /@rollup/rollup-linux-arm-gnueabihf@4.28.0: + resolution: {integrity: sha512-WXveUPKtfqtaNvpf0iOb0M6xC64GzUX/OowbqfiCSXTdi/jLlOmH0Ba94/OkiY2yTGTwteo4/dsHRfh5bDCZ+w==} cpu: [arm] os: [linux] requiresBuild: true dev: true optional: true - /@rollup/rollup-linux-arm-musleabihf@4.27.2: - resolution: {integrity: sha512-V9Xg6eXtgBtHq2jnuQwM/jr2mwe2EycnopO8cbOvpzFuySCGtKlPCI3Hj9xup/pJK5Q0388qfZZy2DqV2J8ftw==} + /@rollup/rollup-linux-arm-musleabihf@4.28.0: + resolution: {integrity: sha512-yLc3O2NtOQR67lI79zsSc7lk31xjwcaocvdD1twL64PK1yNaIqCeWI9L5B4MFPAVGEVjH5k1oWSGuYX1Wutxpg==} cpu: [arm] os: [linux] requiresBuild: true dev: true optional: true - /@rollup/rollup-linux-arm64-gnu@4.27.2: - resolution: {integrity: sha512-uCFX9gtZJoQl2xDTpRdseYuNqyKkuMDtH6zSrBTA28yTfKyjN9hQ2B04N5ynR8ILCoSDOrG/Eg+J2TtJ1e/CSA==} + /@rollup/rollup-linux-arm64-gnu@4.28.0: + resolution: {integrity: sha512-+P9G9hjEpHucHRXqesY+3X9hD2wh0iNnJXX/QhS/J5vTdG6VhNYMxJ2rJkQOxRUd17u5mbMLHM7yWGZdAASfcg==} cpu: [arm64] os: [linux] requiresBuild: true dev: true optional: true - /@rollup/rollup-linux-arm64-musl@4.27.2: - resolution: {integrity: sha512-/PU9P+7Rkz8JFYDHIi+xzHabOu9qEWR07L5nWLIUsvserrxegZExKCi2jhMZRd0ATdboKylu/K5yAXbp7fYFvA==} + /@rollup/rollup-linux-arm64-musl@4.28.0: + resolution: {integrity: sha512-1xsm2rCKSTpKzi5/ypT5wfc+4bOGa/9yI/eaOLW0oMs7qpC542APWhl4A37AENGZ6St6GBMWhCCMM6tXgTIplw==} cpu: [arm64] os: [linux] requiresBuild: true dev: true optional: true - /@rollup/rollup-linux-powerpc64le-gnu@4.27.2: - resolution: {integrity: sha512-eCHmol/dT5odMYi/N0R0HC8V8QE40rEpkyje/ZAXJYNNoSfrObOvG/Mn+s1F/FJyB7co7UQZZf6FuWnN6a7f4g==} + /@rollup/rollup-linux-powerpc64le-gnu@4.28.0: + resolution: {integrity: sha512-zgWxMq8neVQeXL+ouSf6S7DoNeo6EPgi1eeqHXVKQxqPy1B2NvTbaOUWPn/7CfMKL7xvhV0/+fq/Z/J69g1WAQ==} cpu: [ppc64] os: [linux] requiresBuild: true dev: true optional: true - /@rollup/rollup-linux-riscv64-gnu@4.27.2: - resolution: {integrity: sha512-DEP3Njr9/ADDln3kNi76PXonLMSSMiCir0VHXxmGSHxCxDfQ70oWjHcJGfiBugzaqmYdTC7Y+8Int6qbnxPBIQ==} + /@rollup/rollup-linux-riscv64-gnu@4.28.0: + resolution: {integrity: sha512-VEdVYacLniRxbRJLNtzwGt5vwS0ycYshofI7cWAfj7Vg5asqj+pt+Q6x4n+AONSZW/kVm+5nklde0qs2EUwU2g==} cpu: [riscv64] os: [linux] requiresBuild: true dev: true optional: true - /@rollup/rollup-linux-s390x-gnu@4.27.2: - resolution: {integrity: sha512-NHGo5i6IE/PtEPh5m0yw5OmPMpesFnzMIS/lzvN5vknnC1sXM5Z/id5VgcNPgpD+wHmIcuYYgW+Q53v+9s96lQ==} + /@rollup/rollup-linux-s390x-gnu@4.28.0: + resolution: {integrity: sha512-LQlP5t2hcDJh8HV8RELD9/xlYtEzJkm/aWGsauvdO2ulfl3QYRjqrKW+mGAIWP5kdNCBheqqqYIGElSRCaXfpw==} cpu: [s390x] os: [linux] requiresBuild: true dev: true optional: true - /@rollup/rollup-linux-x64-gnu@4.27.2: - resolution: {integrity: sha512-PaW2DY5Tan+IFvNJGHDmUrORadbe/Ceh8tQxi8cmdQVCCYsLoQo2cuaSj+AU+YRX8M4ivS2vJ9UGaxfuNN7gmg==} + /@rollup/rollup-linux-x64-gnu@4.28.0: + resolution: {integrity: sha512-Nl4KIzteVEKE9BdAvYoTkW19pa7LR/RBrT6F1dJCV/3pbjwDcaOq+edkP0LXuJ9kflW/xOK414X78r+K84+msw==} cpu: [x64] os: [linux] requiresBuild: true dev: true optional: true - /@rollup/rollup-linux-x64-musl@4.27.2: - resolution: {integrity: sha512-dOlWEMg2gI91Qx5I/HYqOD6iqlJspxLcS4Zlg3vjk1srE67z5T2Uz91yg/qA8sY0XcwQrFzWWiZhMNERylLrpQ==} + /@rollup/rollup-linux-x64-musl@4.28.0: + resolution: {integrity: sha512-eKpJr4vBDOi4goT75MvW+0dXcNUqisK4jvibY9vDdlgLx+yekxSm55StsHbxUsRxSTt3JEQvlr3cGDkzcSP8bw==} cpu: [x64] os: [linux] requiresBuild: true dev: true optional: true - /@rollup/rollup-win32-arm64-msvc@4.27.2: - resolution: {integrity: sha512-euMIv/4x5Y2/ImlbGl88mwKNXDsvzbWUlT7DFky76z2keajCtcbAsN9LUdmk31hAoVmJJYSThgdA0EsPeTr1+w==} + /@rollup/rollup-win32-arm64-msvc@4.28.0: + resolution: {integrity: sha512-Vi+WR62xWGsE/Oj+mD0FNAPY2MEox3cfyG0zLpotZdehPFXwz6lypkGs5y38Jd/NVSbOD02aVad6q6QYF7i8Bg==} cpu: [arm64] os: [win32] requiresBuild: true dev: true optional: true - /@rollup/rollup-win32-ia32-msvc@4.27.2: - resolution: {integrity: sha512-RsnE6LQkUHlkC10RKngtHNLxb7scFykEbEwOFDjr3CeCMG+Rr+cKqlkKc2/wJ1u4u990urRHCbjz31x84PBrSQ==} + /@rollup/rollup-win32-ia32-msvc@4.28.0: + resolution: {integrity: sha512-kN/Vpip8emMLn/eOza+4JwqDZBL6MPNpkdaEsgUtW1NYN3DZvZqSQrbKzJcTL6hd8YNmFTn7XGWMwccOcJBL0A==} cpu: [ia32] os: [win32] requiresBuild: true dev: true optional: true - /@rollup/rollup-win32-x64-msvc@4.27.2: - resolution: {integrity: sha512-foJM5vv+z2KQmn7emYdDLyTbkoO5bkHZE1oth2tWbQNGW7mX32d46Hz6T0MqXdWS2vBZhaEtHqdy9WYwGfiliA==} + /@rollup/rollup-win32-x64-msvc@4.28.0: + resolution: {integrity: sha512-Bvno2/aZT6usSa7lRDL2+hMjVAGjuqaymF1ApZm31JXzniR/hvr14jpU+/z4X6Gt5BPlzosscyJZGUvguXIqeQ==} cpu: [x64] os: [win32] requiresBuild: true @@ -1775,40 +1991,40 @@ packages: resolution: {integrity: sha512-831qok9r2t8AlxLko40y2ebgSDhenenCatLVeW/uBtnHPyhHOvG0C7TvfgecV+wHzIm5KUICgzmVpWS+IMEAeg==} dev: true - /@shikijs/core@1.23.0: - resolution: {integrity: sha512-J4Fo22oBlfRHAXec+1AEzcowv+Qdf4ZQkuP/X/UHYH9+KA9LvyFXSXyS+HxuBRFfon+u7bsmKdRBjoZlbDVRkQ==} + /@shikijs/core@1.24.0: + resolution: {integrity: sha512-6pvdH0KoahMzr6689yh0QJ3rCgF4j1XsXRHNEeEN6M4xJTfQ6QPWrmHzIddotg+xPJUPEPzYzYCKzpYyhTI6Gw==} dependencies: - '@shikijs/engine-javascript': 1.23.0 - '@shikijs/engine-oniguruma': 1.23.0 - '@shikijs/types': 1.23.0 + '@shikijs/engine-javascript': 1.24.0 + '@shikijs/engine-oniguruma': 1.24.0 + '@shikijs/types': 1.24.0 '@shikijs/vscode-textmate': 9.3.0 '@types/hast': 3.0.4 hast-util-to-html: 9.0.3 dev: true - /@shikijs/engine-javascript@1.23.0: - resolution: {integrity: sha512-CcrppseWShG+8Efp1iil9divltuXVdCaU4iu+CKvzTGZO5RmXyAiSx668M7VbX8+s/vt1ZKu75Vn/jWi8O3G/Q==} + /@shikijs/engine-javascript@1.24.0: + resolution: {integrity: sha512-ZA6sCeSsF3Mnlxxr+4wGEJ9Tto4RHmfIS7ox8KIAbH0MTVUkw3roHPHZN+LlJMOHJJOVupe6tvuAzRpN8qK1vA==} dependencies: - '@shikijs/types': 1.23.0 + '@shikijs/types': 1.24.0 '@shikijs/vscode-textmate': 9.3.0 - oniguruma-to-es: 0.1.2 + oniguruma-to-es: 0.7.0 dev: true - /@shikijs/engine-oniguruma@1.23.0: - resolution: {integrity: sha512-gS8bZLqVvmZXX+E5JUMJICsBp+kx6gj79MH/UEpKHKIqnUzppgbmEn6zLa6mB5D+sHse2gFei3YYJxQe1EzZXQ==} + /@shikijs/engine-oniguruma@1.24.0: + resolution: {integrity: sha512-Eua0qNOL73Y82lGA4GF5P+G2+VXX9XnuUxkiUuwcxQPH4wom+tE39kZpBFXfUuwNYxHSkrSxpB1p4kyRW0moSg==} dependencies: - '@shikijs/types': 1.23.0 + '@shikijs/types': 1.24.0 '@shikijs/vscode-textmate': 9.3.0 dev: true - /@shikijs/transformers@1.23.0: - resolution: {integrity: sha512-YzQN+m8nXNZjI7ZRk+8IdFa13qiOqIqjcm4jIQ31RzgMoHtpd9Ruma1hssnt2ETH3ixr8HEh+0zAuB9w/OBfnw==} + /@shikijs/transformers@1.24.0: + resolution: {integrity: sha512-Qf/hby+PRPkoHncjYnJf5svK1aCsOUtQhuLzKPnmeXJtuUZCmbH0pTpdNtXe9tgln/RHlyRJnv7q46HHS1sO0Q==} dependencies: - shiki: 1.23.0 + shiki: 1.24.0 dev: true - /@shikijs/types@1.23.0: - resolution: {integrity: sha512-HiwzsihRao+IbPk7FER/EQT/D0dEEK3n5LAtHDzL5iRT+JMblA7y9uitUnjEnHeLkKigNM+ZplrP7MuEyyc5kA==} + /@shikijs/types@1.24.0: + resolution: {integrity: sha512-aptbEuq1Pk88DMlCe+FzXNnBZ17LCiLIGWAeCWhoFDzia5Q5Krx3DgnULLiouSdd6+LUM39XwXGppqYE0Ghtug==} dependencies: '@shikijs/vscode-textmate': 9.3.0 '@types/hast': 3.0.4 @@ -1865,13 +2081,13 @@ packages: resolution: {integrity: sha512-fB3Zu92ucau0iQ0JMCFQE7b/dv8Ot07NI3KaZIkIUNXq82k4eBAqUaneXfleGY9JWskeS9y+u0nXMyspcuQrCg==} dependencies: '@types/connect': 3.4.38 - '@types/node': 22.9.0 + '@types/node': 22.10.1 dev: true /@types/connect@3.4.38: resolution: {integrity: sha512-K6uROf1LD88uDQqJCktA4yzL1YYAK6NgfsI0v/mTgyPKWsX1CnJ0XPSDhViejru1GcRkLWb8RlzFYJRqGUbaug==} dependencies: - '@types/node': 22.9.0 + '@types/node': 22.10.1 dev: true /@types/debug@4.1.12: @@ -1901,10 +2117,10 @@ packages: resolution: {integrity: sha512-AYnb1nQyY49te+VRAVgmzfcgjYS91mY5P0TKUDCLEM+gNnA+3T6rWITXRLYCpahpqSQbN5cE+gHpnPyXjHWxcw==} dev: true - /@types/express-serve-static-core@5.0.1: - resolution: {integrity: sha512-CRICJIl0N5cXDONAdlTv5ShATZ4HEwk6kDDIW2/w9qOWKg+NU/5F8wYRWCrONad0/UKkloNSmmyN/wX4rtpbVA==} + /@types/express-serve-static-core@5.0.2: + resolution: {integrity: sha512-vluaspfvWEtE4vcSDlKRNer52DvOGrB2xv6diXy6UKyKW0lqZiWHGNApSyxOv+8DE5Z27IzVvE7hNkxg7EXIcg==} dependencies: - '@types/node': 22.9.0 + '@types/node': 22.10.1 '@types/qs': 6.9.17 '@types/range-parser': 1.2.7 '@types/send': 0.17.4 @@ -1914,7 +2130,7 @@ packages: resolution: {integrity: sha512-DvZriSMehGHL1ZNLzi6MidnsDhUZM/x2pRdDIKdwbUNqqwHxMlRdkxtn6/EPKyqKpHqTl/4nRZsRNLpZxZRpPQ==} dependencies: '@types/body-parser': 1.19.5 - '@types/express-serve-static-core': 5.0.1 + '@types/express-serve-static-core': 5.0.2 '@types/qs': 6.9.17 '@types/serve-static': 1.15.7 dev: true @@ -1972,10 +2188,10 @@ packages: resolution: {integrity: sha512-nG96G3Wp6acyAgJqGasjODb+acrI7KltPiRxzHPXnP3NgI28bpQDRv53olbqGXbfcgF5aiiHmO3xpwEpS5Ld9g==} dev: true - /@types/node@22.9.0: - resolution: {integrity: sha512-vuyHg81vvWA1Z1ELfvLko2c8f34gyA0zaic0+Rllc5lbCnbSyuvb2Oxpm6TAUAC/2xZN3QGqxBNggD1nNR2AfQ==} + /@types/node@22.10.1: + resolution: {integrity: sha512-qKgsUwfHZV2WCWLAnVP1JqnpE6Im6h3Y0+fYgMTasNQ7V++CBX5OT1as0g0f+OyubbFqhf6XVNIsmN4IIhEgGQ==} dependencies: - undici-types: 6.19.8 + undici-types: 6.20.0 dev: true /@types/parse-git-config@3.0.4: @@ -1985,7 +2201,7 @@ packages: /@types/parse-github-url@1.0.3: resolution: {integrity: sha512-7sTbCVmSVzK/iAsHGIxoqiyAnqix9opZm68lOvaU6DBx9EQ9kHMSp0y7Criu2OCsZ9wDllEyCRU+LU4hPRxXUA==} dependencies: - '@types/node': 22.9.0 + '@types/node': 22.10.1 dev: true /@types/qs@6.9.17: @@ -2000,14 +2216,14 @@ packages: resolution: {integrity: sha512-x2EM6TJOybec7c52BX0ZspPodMsQUd5L6PRwOunVyVUhXiBSKf3AezDL8Dgvgt5o0UfKNfuA0eMLr2wLT4AiBA==} dependencies: '@types/mime': 1.3.5 - '@types/node': 22.9.0 + '@types/node': 22.10.1 dev: true /@types/serve-static@1.15.7: resolution: {integrity: sha512-W8Ym+h8nhuRwaKPaDw34QUkwsGi6Rc4yYqvKFo5rm2FUEhCFbzVWrxXUxuKK8TASjWsysJY0nsmNCGhCOIsrOw==} dependencies: '@types/http-errors': 2.0.4 - '@types/node': 22.9.0 + '@types/node': 22.10.1 '@types/send': 0.17.4 dev: true @@ -2023,7 +2239,7 @@ packages: resolution: {integrity: sha512-g9gZnnXVq7gM7v3tJCWV/qw7w+KeOlSHAhgF9RytFyifW6AF61hdT2ucrYhPq9hLs5JIryeupHV3qGk95dH9ow==} dev: true - /@typescript-eslint/eslint-plugin@5.0.0(@typescript-eslint/parser@5.0.0)(eslint@9.15.0)(typescript@4.4.3): + /@typescript-eslint/eslint-plugin@5.0.0(@typescript-eslint/parser@5.0.0)(eslint@9.16.0)(typescript@4.4.3): resolution: {integrity: sha512-T6V6fCD2U0YesOedvydTnrNtsC8E+c2QzpawIpDdlaObX0OX5dLo7tLU5c64FhTZvA1Xrdim+cXDI7NPsVx8Cg==} engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} peerDependencies: @@ -2034,11 +2250,11 @@ packages: typescript: optional: true dependencies: - '@typescript-eslint/experimental-utils': 5.0.0(eslint@9.15.0)(typescript@4.4.3) - '@typescript-eslint/parser': 5.0.0(eslint@9.15.0)(typescript@4.4.3) + '@typescript-eslint/experimental-utils': 5.0.0(eslint@9.16.0)(typescript@4.4.3) + '@typescript-eslint/parser': 5.0.0(eslint@9.16.0)(typescript@4.4.3) '@typescript-eslint/scope-manager': 5.0.0 debug: 4.3.7 - eslint: 9.15.0 + eslint: 9.16.0 functional-red-black-tree: 1.0.1 ignore: 5.3.2 regexpp: 3.2.0 @@ -2049,7 +2265,7 @@ packages: - supports-color dev: true - /@typescript-eslint/eslint-plugin@7.18.0(@typescript-eslint/parser@7.18.0)(eslint@9.15.0)(typescript@5.6.3): + /@typescript-eslint/eslint-plugin@7.18.0(@typescript-eslint/parser@7.18.0)(eslint@9.16.0)(typescript@5.7.2): resolution: {integrity: sha512-94EQTWZ40mzBc42ATNIBimBEDltSJ9RQHCC8vc/PDbxi4k8dVwUAv4o98dk50M1zB+JGFxp43FP7f8+FP8R6Sw==} engines: {node: ^18.18.0 || >=20.0.0} peerDependencies: @@ -2061,23 +2277,23 @@ packages: optional: true dependencies: '@eslint-community/regexpp': 4.12.1 - '@typescript-eslint/parser': 7.18.0(eslint@9.15.0)(typescript@5.6.3) + '@typescript-eslint/parser': 7.18.0(eslint@9.16.0)(typescript@5.7.2) '@typescript-eslint/scope-manager': 7.18.0 - '@typescript-eslint/type-utils': 7.18.0(eslint@9.15.0)(typescript@5.6.3) - '@typescript-eslint/utils': 7.18.0(eslint@9.15.0)(typescript@5.6.3) + '@typescript-eslint/type-utils': 7.18.0(eslint@9.16.0)(typescript@5.7.2) + '@typescript-eslint/utils': 7.18.0(eslint@9.16.0)(typescript@5.7.2) '@typescript-eslint/visitor-keys': 7.18.0 - eslint: 9.15.0 + eslint: 9.16.0 graphemer: 1.4.0 ignore: 5.3.2 natural-compare: 1.4.0 - ts-api-utils: 1.4.0(typescript@5.6.3) - typescript: 5.6.3 + ts-api-utils: 1.4.3(typescript@5.7.2) + typescript: 5.7.2 transitivePeerDependencies: - supports-color dev: true - /@typescript-eslint/eslint-plugin@8.14.0(@typescript-eslint/parser@8.14.0)(eslint@9.15.0)(typescript@5.6.3): - resolution: {integrity: sha512-tqp8H7UWFaZj0yNO6bycd5YjMwxa6wIHOLZvWPkidwbgLCsBMetQoGj7DPuAlWa2yGO3H48xmPwjhsSPPCGU5w==} + /@typescript-eslint/eslint-plugin@8.16.0(@typescript-eslint/parser@8.16.0)(eslint@9.16.0)(typescript@5.7.2): + resolution: {integrity: sha512-5YTHKV8MYlyMI6BaEG7crQ9BhSc8RxzshOReKwZwRWN0+XvvTOm+L/UYLCYxFpfwYuAAqhxiq4yae0CMFwbL7Q==} engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0} peerDependencies: '@typescript-eslint/parser': ^8.0.0 || ^8.0.0-alpha.0 @@ -2088,22 +2304,22 @@ packages: optional: true dependencies: '@eslint-community/regexpp': 4.12.1 - '@typescript-eslint/parser': 8.14.0(eslint@9.15.0)(typescript@5.6.3) - '@typescript-eslint/scope-manager': 8.14.0 - '@typescript-eslint/type-utils': 8.14.0(eslint@9.15.0)(typescript@5.6.3) - '@typescript-eslint/utils': 8.14.0(eslint@9.15.0)(typescript@5.6.3) - '@typescript-eslint/visitor-keys': 8.14.0 - eslint: 9.15.0 + '@typescript-eslint/parser': 8.16.0(eslint@9.16.0)(typescript@5.7.2) + '@typescript-eslint/scope-manager': 8.16.0 + '@typescript-eslint/type-utils': 8.16.0(eslint@9.16.0)(typescript@5.7.2) + '@typescript-eslint/utils': 8.16.0(eslint@9.16.0)(typescript@5.7.2) + '@typescript-eslint/visitor-keys': 8.16.0 + eslint: 9.16.0 graphemer: 1.4.0 ignore: 5.3.2 natural-compare: 1.4.0 - ts-api-utils: 1.4.0(typescript@5.6.3) - typescript: 5.6.3 + ts-api-utils: 1.4.3(typescript@5.7.2) + typescript: 5.7.2 transitivePeerDependencies: - supports-color dev: true - /@typescript-eslint/experimental-utils@5.0.0(eslint@9.15.0)(typescript@4.4.3): + /@typescript-eslint/experimental-utils@5.0.0(eslint@9.16.0)(typescript@4.4.3): resolution: {integrity: sha512-Dnp4dFIsZcPawD6CT1p5NibNUQyGSEz80sULJZkyhyna8AEqArmfwMwJPbmKzWVo4PabqNVzHYlzmcdLQWk+pg==} engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} peerDependencies: @@ -2113,15 +2329,15 @@ packages: '@typescript-eslint/scope-manager': 5.0.0 '@typescript-eslint/types': 5.0.0 '@typescript-eslint/typescript-estree': 5.0.0(typescript@4.4.3) - eslint: 9.15.0 + eslint: 9.16.0 eslint-scope: 5.1.1 - eslint-utils: 3.0.0(eslint@9.15.0) + eslint-utils: 3.0.0(eslint@9.16.0) transitivePeerDependencies: - supports-color - typescript dev: true - /@typescript-eslint/parser@5.0.0(eslint@9.15.0)(typescript@4.4.3): + /@typescript-eslint/parser@5.0.0(eslint@9.16.0)(typescript@4.4.3): resolution: {integrity: sha512-B6D5rmmQ14I1fdzs71eL3DAuvnPHTY/t7rQABrL9BLnx/H51Un8ox1xqYAchs0/V2trcoyxB1lMJLlrwrJCDgw==} engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} peerDependencies: @@ -2135,13 +2351,13 @@ packages: '@typescript-eslint/types': 5.0.0 '@typescript-eslint/typescript-estree': 5.0.0(typescript@4.4.3) debug: 4.3.7 - eslint: 9.15.0 + eslint: 9.16.0 typescript: 4.4.3 transitivePeerDependencies: - supports-color dev: true - /@typescript-eslint/parser@7.18.0(eslint@9.15.0)(typescript@5.6.3): + /@typescript-eslint/parser@7.18.0(eslint@9.16.0)(typescript@5.7.2): resolution: {integrity: sha512-4Z+L8I2OqhZV8qA132M4wNL30ypZGYOQVBfMgxDH/K5UX0PNqTu1c6za9ST5r9+tavvHiTWmBnKzpCJ/GlVFtg==} engines: {node: ^18.18.0 || >=20.0.0} peerDependencies: @@ -2153,17 +2369,17 @@ packages: dependencies: '@typescript-eslint/scope-manager': 7.18.0 '@typescript-eslint/types': 7.18.0 - '@typescript-eslint/typescript-estree': 7.18.0(typescript@5.6.3) + '@typescript-eslint/typescript-estree': 7.18.0(typescript@5.7.2) '@typescript-eslint/visitor-keys': 7.18.0 debug: 4.3.7 - eslint: 9.15.0 - typescript: 5.6.3 + eslint: 9.16.0 + typescript: 5.7.2 transitivePeerDependencies: - supports-color dev: true - /@typescript-eslint/parser@8.14.0(eslint@9.15.0)(typescript@5.6.3): - resolution: {integrity: sha512-2p82Yn9juUJq0XynBXtFCyrBDb6/dJombnz6vbo6mgQEtWHfvHbQuEa9kAOVIt1c9YFwi7H6WxtPj1kg+80+RA==} + /@typescript-eslint/parser@8.16.0(eslint@9.16.0)(typescript@5.7.2): + resolution: {integrity: sha512-D7DbgGFtsqIPIFMPJwCad9Gfi/hC0PWErRRHFnaCWoEDYi5tQUDiJCTmGUbBiLzjqAck4KcXt9Ayj0CNlIrF+w==} engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0} peerDependencies: eslint: ^8.57.0 || ^9.0.0 @@ -2172,13 +2388,13 @@ packages: typescript: optional: true dependencies: - '@typescript-eslint/scope-manager': 8.14.0 - '@typescript-eslint/types': 8.14.0 - '@typescript-eslint/typescript-estree': 8.14.0(typescript@5.6.3) - '@typescript-eslint/visitor-keys': 8.14.0 + '@typescript-eslint/scope-manager': 8.16.0 + '@typescript-eslint/types': 8.16.0 + '@typescript-eslint/typescript-estree': 8.16.0(typescript@5.7.2) + '@typescript-eslint/visitor-keys': 8.16.0 debug: 4.3.7 - eslint: 9.15.0 - typescript: 5.6.3 + eslint: 9.16.0 + typescript: 5.7.2 transitivePeerDependencies: - supports-color dev: true @@ -2199,15 +2415,15 @@ packages: '@typescript-eslint/visitor-keys': 7.18.0 dev: true - /@typescript-eslint/scope-manager@8.14.0: - resolution: {integrity: sha512-aBbBrnW9ARIDn92Zbo7rguLnqQ/pOrUguVpbUwzOhkFg2npFDwTgPGqFqE0H5feXcOoJOfX3SxlJaKEVtq54dw==} + /@typescript-eslint/scope-manager@8.16.0: + resolution: {integrity: sha512-mwsZWubQvBki2t5565uxF0EYvG+FwdFb8bMtDuGQLdCCnGPrDEDvm1gtfynuKlnpzeBRqdFCkMf9jg1fnAK8sg==} engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0} dependencies: - '@typescript-eslint/types': 8.14.0 - '@typescript-eslint/visitor-keys': 8.14.0 + '@typescript-eslint/types': 8.16.0 + '@typescript-eslint/visitor-keys': 8.16.0 dev: true - /@typescript-eslint/type-utils@7.18.0(eslint@9.15.0)(typescript@5.6.3): + /@typescript-eslint/type-utils@7.18.0(eslint@9.16.0)(typescript@5.7.2): resolution: {integrity: sha512-XL0FJXuCLaDuX2sYqZUUSOJ2sG5/i1AAze+axqmLnSkNEVMVYLF+cbwlB2w8D1tinFuSikHmFta+P+HOofrLeA==} engines: {node: ^18.18.0 || >=20.0.0} peerDependencies: @@ -2217,32 +2433,33 @@ packages: typescript: optional: true dependencies: - '@typescript-eslint/typescript-estree': 7.18.0(typescript@5.6.3) - '@typescript-eslint/utils': 7.18.0(eslint@9.15.0)(typescript@5.6.3) + '@typescript-eslint/typescript-estree': 7.18.0(typescript@5.7.2) + '@typescript-eslint/utils': 7.18.0(eslint@9.16.0)(typescript@5.7.2) debug: 4.3.7 - eslint: 9.15.0 - ts-api-utils: 1.4.0(typescript@5.6.3) - typescript: 5.6.3 + eslint: 9.16.0 + ts-api-utils: 1.4.3(typescript@5.7.2) + typescript: 5.7.2 transitivePeerDependencies: - supports-color dev: true - /@typescript-eslint/type-utils@8.14.0(eslint@9.15.0)(typescript@5.6.3): - resolution: {integrity: sha512-Xcz9qOtZuGusVOH5Uk07NGs39wrKkf3AxlkK79RBK6aJC1l03CobXjJbwBPSidetAOV+5rEVuiT1VSBUOAsanQ==} + /@typescript-eslint/type-utils@8.16.0(eslint@9.16.0)(typescript@5.7.2): + resolution: {integrity: sha512-IqZHGG+g1XCWX9NyqnI/0CX5LL8/18awQqmkZSl2ynn8F76j579dByc0jhfVSnSnhf7zv76mKBQv9HQFKvDCgg==} engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0} peerDependencies: + eslint: ^8.57.0 || ^9.0.0 typescript: '*' peerDependenciesMeta: typescript: optional: true dependencies: - '@typescript-eslint/typescript-estree': 8.14.0(typescript@5.6.3) - '@typescript-eslint/utils': 8.14.0(eslint@9.15.0)(typescript@5.6.3) + '@typescript-eslint/typescript-estree': 8.16.0(typescript@5.7.2) + '@typescript-eslint/utils': 8.16.0(eslint@9.16.0)(typescript@5.7.2) debug: 4.3.7 - ts-api-utils: 1.4.0(typescript@5.6.3) - typescript: 5.6.3 + eslint: 9.16.0 + ts-api-utils: 1.4.3(typescript@5.7.2) + typescript: 5.7.2 transitivePeerDependencies: - - eslint - supports-color dev: true @@ -2256,8 +2473,8 @@ packages: engines: {node: ^18.18.0 || >=20.0.0} dev: true - /@typescript-eslint/types@8.14.0: - resolution: {integrity: sha512-yjeB9fnO/opvLJFAsPNYlKPnEM8+z4og09Pk504dkqonT02AyL5Z9SSqlE0XqezS93v6CXn49VHvB2G7XSsl0g==} + /@typescript-eslint/types@8.16.0: + resolution: {integrity: sha512-NzrHj6thBAOSE4d9bsuRNMvk+BvaQvmY4dDglgkgGC0EW/tB3Kelnp3tAKH87GEwzoxgeQn9fNGRyFJM/xd+GQ==} engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0} dev: true @@ -2282,7 +2499,7 @@ packages: - supports-color dev: true - /@typescript-eslint/typescript-estree@7.18.0(typescript@5.6.3): + /@typescript-eslint/typescript-estree@7.18.0(typescript@5.7.2): resolution: {integrity: sha512-aP1v/BSPnnyhMHts8cf1qQ6Q1IFwwRvAQGRvBFkWlo3/lH29OXA3Pts+c10nxRxIBrDnoMqzhgdwVe5f2D6OzA==} engines: {node: ^18.18.0 || >=20.0.0} peerDependencies: @@ -2298,14 +2515,14 @@ packages: is-glob: 4.0.3 minimatch: 9.0.5 semver: 7.6.3 - ts-api-utils: 1.4.0(typescript@5.6.3) - typescript: 5.6.3 + ts-api-utils: 1.4.3(typescript@5.7.2) + typescript: 5.7.2 transitivePeerDependencies: - supports-color dev: true - /@typescript-eslint/typescript-estree@8.14.0(typescript@5.6.3): - resolution: {integrity: sha512-OPXPLYKGZi9XS/49rdaCbR5j/S14HazviBlUQFvSKz3npr3NikF+mrgK7CFVur6XEt95DZp/cmke9d5i3vtVnQ==} + /@typescript-eslint/typescript-estree@8.16.0(typescript@5.7.2): + resolution: {integrity: sha512-E2+9IzzXMc1iaBy9zmo+UYvluE3TW7bCGWSF41hVWUE01o8nzr1rvOQYSxelxr6StUvRcTMe633eY8mXASMaNw==} engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0} peerDependencies: typescript: '*' @@ -2313,49 +2530,53 @@ packages: typescript: optional: true dependencies: - '@typescript-eslint/types': 8.14.0 - '@typescript-eslint/visitor-keys': 8.14.0 + '@typescript-eslint/types': 8.16.0 + '@typescript-eslint/visitor-keys': 8.16.0 debug: 4.3.7 fast-glob: 3.3.2 is-glob: 4.0.3 minimatch: 9.0.5 semver: 7.6.3 - ts-api-utils: 1.4.0(typescript@5.6.3) - typescript: 5.6.3 + ts-api-utils: 1.4.3(typescript@5.7.2) + typescript: 5.7.2 transitivePeerDependencies: - supports-color dev: true - /@typescript-eslint/utils@7.18.0(eslint@9.15.0)(typescript@5.6.3): + /@typescript-eslint/utils@7.18.0(eslint@9.16.0)(typescript@5.7.2): resolution: {integrity: sha512-kK0/rNa2j74XuHVcoCZxdFBMF+aq/vH83CXAOHieC+2Gis4mF8jJXT5eAfyD3K0sAxtPuwxaIOIOvhwzVDt/kw==} engines: {node: ^18.18.0 || >=20.0.0} peerDependencies: eslint: ^8.56.0 dependencies: - '@eslint-community/eslint-utils': 4.4.1(eslint@9.15.0) + '@eslint-community/eslint-utils': 4.4.1(eslint@9.16.0) '@typescript-eslint/scope-manager': 7.18.0 '@typescript-eslint/types': 7.18.0 - '@typescript-eslint/typescript-estree': 7.18.0(typescript@5.6.3) - eslint: 9.15.0 + '@typescript-eslint/typescript-estree': 7.18.0(typescript@5.7.2) + eslint: 9.16.0 transitivePeerDependencies: - supports-color - typescript dev: true - /@typescript-eslint/utils@8.14.0(eslint@9.15.0)(typescript@5.6.3): - resolution: {integrity: sha512-OGqj6uB8THhrHj0Fk27DcHPojW7zKwKkPmHXHvQ58pLYp4hy8CSUdTKykKeh+5vFqTTVmjz0zCOOPKRovdsgHA==} + /@typescript-eslint/utils@8.16.0(eslint@9.16.0)(typescript@5.7.2): + resolution: {integrity: sha512-C1zRy/mOL8Pj157GiX4kaw7iyRLKfJXBR3L82hk5kS/GyHcOFmy4YUq/zfZti72I9wnuQtA/+xzft4wCC8PJdA==} engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0} peerDependencies: eslint: ^8.57.0 || ^9.0.0 + typescript: '*' + peerDependenciesMeta: + typescript: + optional: true dependencies: - '@eslint-community/eslint-utils': 4.4.1(eslint@9.15.0) - '@typescript-eslint/scope-manager': 8.14.0 - '@typescript-eslint/types': 8.14.0 - '@typescript-eslint/typescript-estree': 8.14.0(typescript@5.6.3) - eslint: 9.15.0 + '@eslint-community/eslint-utils': 4.4.1(eslint@9.16.0) + '@typescript-eslint/scope-manager': 8.16.0 + '@typescript-eslint/types': 8.16.0 + '@typescript-eslint/typescript-estree': 8.16.0(typescript@5.7.2) + eslint: 9.16.0 + typescript: 5.7.2 transitivePeerDependencies: - supports-color - - typescript dev: true /@typescript-eslint/visitor-keys@5.0.0: @@ -2374,86 +2595,86 @@ packages: eslint-visitor-keys: 3.4.3 dev: true - /@typescript-eslint/visitor-keys@8.14.0: - resolution: {integrity: sha512-vG0XZo8AdTH9OE6VFRwAZldNc7qtJ/6NLGWak+BtENuEUXGZgFpihILPiBvKXvJ2nFu27XNGC6rKiwuaoMbYzQ==} + /@typescript-eslint/visitor-keys@8.16.0: + resolution: {integrity: sha512-pq19gbaMOmFE3CbL0ZB8J8BFCo2ckfHBfaIsaOZgBIF4EoISJIdLX5xRhd0FGB0LlHReNRuzoJoMGpTjq8F2CQ==} engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0} dependencies: - '@typescript-eslint/types': 8.14.0 - eslint-visitor-keys: 3.4.3 + '@typescript-eslint/types': 8.16.0 + eslint-visitor-keys: 4.2.0 dev: true /@ungap/structured-clone@1.2.0: resolution: {integrity: sha512-zuVdFrMJiuCDQUMCzQaD6KL28MjnqqN8XnAqiEq9PNm/hCPTSGfrXCOfwj1ow4LFb/tNymJPwsNbVePc1xFqrQ==} dev: true - /@vitejs/plugin-vue@5.2.0(vite@5.4.11)(vue@3.5.13): - resolution: {integrity: sha512-7n7KdUEtx/7Yl7I/WVAMZ1bEb0eVvXF3ummWTeLcs/9gvo9pJhuLdouSXGjdZ/MKD1acf1I272+X0RMua4/R3g==} + /@vitejs/plugin-vue@5.2.1(vite@5.4.11)(vue@3.5.13): + resolution: {integrity: sha512-cxh314tzaWwOLqVes2gnnCtvBDcM1UMdn+iFR+UjAn411dPT3tOmqrJjbMd7koZpMAmBM/GqeV4n9ge7JSiJJQ==} engines: {node: ^18.0.0 || >=20.0.0} peerDependencies: - vite: ^5.0.0 + vite: ^5.0.0 || ^6.0.0 vue: ^3.2.25 dependencies: - vite: 5.4.11(@types/node@22.9.0) - vue: 3.5.13(typescript@5.6.3) + vite: 5.4.11(@types/node@22.10.1) + vue: 3.5.13(typescript@5.7.2) dev: true - /@vitest/expect@2.1.5: - resolution: {integrity: sha512-nZSBTW1XIdpZvEJyoP/Sy8fUg0b8od7ZpGDkTUcfJ7wz/VoZAFzFfLyxVxGFhUjJzhYqSbIpfMtl/+k/dpWa3Q==} + /@vitest/expect@2.1.6: + resolution: {integrity: sha512-9M1UR9CAmrhJOMoSwVnPh2rELPKhYo0m/CSgqw9PyStpxtkwhmdM6XYlXGKeYyERY1N6EIuzkQ7e3Lm1WKCoUg==} dependencies: - '@vitest/spy': 2.1.5 - '@vitest/utils': 2.1.5 + '@vitest/spy': 2.1.6 + '@vitest/utils': 2.1.6 chai: 5.1.2 tinyrainbow: 1.2.0 dev: true - /@vitest/mocker@2.1.5(vite@5.4.11): - resolution: {integrity: sha512-XYW6l3UuBmitWqSUXTNXcVBUCRytDogBsWuNXQijc00dtnU/9OqpXWp4OJroVrad/gLIomAq9aW8yWDBtMthhQ==} + /@vitest/mocker@2.1.6(vite@6.0.1): + resolution: {integrity: sha512-MHZp2Z+Q/A3am5oD4WSH04f9B0T7UvwEb+v5W0kCYMhtXGYbdyl2NUk1wdSMqGthmhpiThPDp/hEoVwu16+u1A==} peerDependencies: msw: ^2.4.9 - vite: ^5.0.0 + vite: ^5.0.0 || ^6.0.0 peerDependenciesMeta: msw: optional: true vite: optional: true dependencies: - '@vitest/spy': 2.1.5 + '@vitest/spy': 2.1.6 estree-walker: 3.0.3 - magic-string: 0.30.12 - vite: 5.4.11(@types/node@22.9.0) + magic-string: 0.30.14 + vite: 6.0.1(@types/node@22.10.1)(tsx@4.19.2) dev: true - /@vitest/pretty-format@2.1.5: - resolution: {integrity: sha512-4ZOwtk2bqG5Y6xRGHcveZVr+6txkH7M2e+nPFd6guSoN638v/1XQ0K06eOpi0ptVU/2tW/pIU4IoPotY/GZ9fw==} + /@vitest/pretty-format@2.1.6: + resolution: {integrity: sha512-exZyLcEnHgDMKc54TtHca4McV4sKT+NKAe9ix/yhd/qkYb/TP8HTyXRFDijV19qKqTZM0hPL4753zU/U8L/gAA==} dependencies: tinyrainbow: 1.2.0 dev: true - /@vitest/runner@2.1.5: - resolution: {integrity: sha512-pKHKy3uaUdh7X6p1pxOkgkVAFW7r2I818vHDthYLvUyjRfkKOU6P45PztOch4DZarWQne+VOaIMwA/erSSpB9g==} + /@vitest/runner@2.1.6: + resolution: {integrity: sha512-SjkRGSFyrA82m5nz7To4CkRSEVWn/rwQISHoia/DB8c6IHIhaE/UNAo+7UfeaeJRE979XceGl00LNkIz09RFsA==} dependencies: - '@vitest/utils': 2.1.5 + '@vitest/utils': 2.1.6 pathe: 1.1.2 dev: true - /@vitest/snapshot@2.1.5: - resolution: {integrity: sha512-zmYw47mhfdfnYbuhkQvkkzYroXUumrwWDGlMjpdUr4jBd3HZiV2w7CQHj+z7AAS4VOtWxI4Zt4bWt4/sKcoIjg==} + /@vitest/snapshot@2.1.6: + resolution: {integrity: sha512-5JTWHw8iS9l3v4/VSuthCndw1lN/hpPB+mlgn1BUhFbobeIUj1J1V/Bj2t2ovGEmkXLTckFjQddsxS5T6LuVWw==} dependencies: - '@vitest/pretty-format': 2.1.5 - magic-string: 0.30.12 + '@vitest/pretty-format': 2.1.6 + magic-string: 0.30.14 pathe: 1.1.2 dev: true - /@vitest/spy@2.1.5: - resolution: {integrity: sha512-aWZF3P0r3w6DiYTVskOYuhBc7EMc3jvn1TkBg8ttylFFRqNN2XGD7V5a4aQdk6QiUzZQ4klNBSpCLJgWNdIiNw==} + /@vitest/spy@2.1.6: + resolution: {integrity: sha512-oTFObV8bd4SDdRka5O+mSh5w9irgx5IetrD5i+OsUUsk/shsBoHifwCzy45SAORzAhtNiprUVaK3hSCCzZh1jQ==} dependencies: tinyspy: 3.0.2 dev: true - /@vitest/utils@2.1.5: - resolution: {integrity: sha512-yfj6Yrp0Vesw2cwJbP+cl04OC+IHFsuQsrsJBL9pyGeQXE56v1UAOQco+SR55Vf1nQzfV0QJg1Qum7AaWUwwYg==} + /@vitest/utils@2.1.6: + resolution: {integrity: sha512-ixNkFy3k4vokOUTU2blIUvOgKq/N2PW8vKIjZZYsGJCMX69MRa9J2sKqX5hY/k5O5Gty3YJChepkqZ3KM9LyIQ==} dependencies: - '@vitest/pretty-format': 2.1.5 + '@vitest/pretty-format': 2.1.6 loupe: 3.1.2 tinyrainbow: 1.2.0 dev: true @@ -2484,7 +2705,7 @@ packages: '@vue/compiler-ssr': 3.5.13 '@vue/shared': 3.5.13 estree-walker: 2.0.2 - magic-string: 0.30.12 + magic-string: 0.30.14 postcss: 8.4.49 source-map-js: 1.2.1 dev: true @@ -2496,16 +2717,16 @@ packages: '@vue/shared': 3.5.13 dev: true - /@vue/devtools-api@7.6.4: - resolution: {integrity: sha512-5AaJ5ELBIuevmFMZYYLuOO9HUuY/6OlkOELHE7oeDhy4XD/hSODIzktlsvBOsn+bto3aD0psj36LGzwVu5Ip8w==} + /@vue/devtools-api@7.6.7: + resolution: {integrity: sha512-PV4I31WaV2rfA8RGauM+69uFEzWkqtP561RiLU2wK+Ce85u3zyKW3aoESlLCNzkc4y0JaJyskH6zAE3xWOP8+Q==} dependencies: - '@vue/devtools-kit': 7.6.4 + '@vue/devtools-kit': 7.6.7 dev: true - /@vue/devtools-kit@7.6.4: - resolution: {integrity: sha512-Zs86qIXXM9icU0PiGY09PQCle4TI750IPLmAJzW5Kf9n9t5HzSYf6Rz6fyzSwmfMPiR51SUKJh9sXVZu78h2QA==} + /@vue/devtools-kit@7.6.7: + resolution: {integrity: sha512-V8/jrXY/swHgnblABG9U4QCbE60c6RuPasmv2d9FvVqc5d94t1vDiESuvRmdNJBdWz4/D3q6ffgyAfRVjwHYEw==} dependencies: - '@vue/devtools-shared': 7.6.4 + '@vue/devtools-shared': 7.6.7 birpc: 0.2.19 hookable: 5.5.3 mitt: 3.0.1 @@ -2514,8 +2735,8 @@ packages: superjson: 2.2.1 dev: true - /@vue/devtools-shared@7.6.4: - resolution: {integrity: sha512-nD6CUvBEel+y7zpyorjiUocy0nh77DThZJ0k1GRnJeOmY3ATq2fWijEp7wk37gb023Cb0R396uYh5qMSBQ5WFg==} + /@vue/devtools-shared@7.6.7: + resolution: {integrity: sha512-QggO6SviAsolrePAXZ/sA1dSicSPt4TueZibCvydfhNDieL1lAuyMTgQDGst7TEvMGb4vgYv2I+1sDkO4jWNnw==} dependencies: rfdc: 1.4.1 dev: true @@ -2549,27 +2770,27 @@ packages: dependencies: '@vue/compiler-ssr': 3.5.13 '@vue/shared': 3.5.13 - vue: 3.5.13(typescript@5.6.3) + vue: 3.5.13(typescript@5.7.2) dev: true /@vue/shared@3.5.13: resolution: {integrity: sha512-/hnE/qP5ZoGpol0a5mDi45bOd7t3tjYJBjsgCsivow7D48cJeV5l05RD82lPqi7gRiphZM37rnhW1l6ZoCNNnQ==} dev: true - /@vueuse/core@11.2.0(vue@3.5.13): - resolution: {integrity: sha512-JIUwRcOqOWzcdu1dGlfW04kaJhW3EXnnjJJfLTtddJanymTL7lF1C0+dVVZ/siLfc73mWn+cGP1PE1PKPruRSA==} + /@vueuse/core@11.3.0(vue@3.5.13): + resolution: {integrity: sha512-7OC4Rl1f9G8IT6rUfi9JrKiXy4bfmHhZ5x2Ceojy0jnd3mHNEvV4JaRygH362ror6/NZ+Nl+n13LPzGiPN8cKA==} dependencies: '@types/web-bluetooth': 0.0.20 - '@vueuse/metadata': 11.2.0 - '@vueuse/shared': 11.2.0(vue@3.5.13) + '@vueuse/metadata': 11.3.0 + '@vueuse/shared': 11.3.0(vue@3.5.13) vue-demi: 0.14.10(vue@3.5.13) transitivePeerDependencies: - '@vue/composition-api' - vue dev: true - /@vueuse/integrations@11.2.0(focus-trap@7.6.2)(vue@3.5.13): - resolution: {integrity: sha512-zGXz3dsxNHKwiD9jPMvR3DAxQEOV6VWIEYTGVSB9PNpk4pTWR+pXrHz9gvXWcP2sTk3W2oqqS6KwWDdntUvNVA==} + /@vueuse/integrations@11.3.0(focus-trap@7.6.2)(vue@3.5.13): + resolution: {integrity: sha512-5fzRl0apQWrDezmobchoiGTkGw238VWESxZHazfhP3RM7pDSiyXy18QbfYkILoYNTd23HPAfQTJpkUc5QbkwTw==} peerDependencies: async-validator: ^4 axios: ^1 @@ -2609,8 +2830,8 @@ packages: universal-cookie: optional: true dependencies: - '@vueuse/core': 11.2.0(vue@3.5.13) - '@vueuse/shared': 11.2.0(vue@3.5.13) + '@vueuse/core': 11.3.0(vue@3.5.13) + '@vueuse/shared': 11.3.0(vue@3.5.13) focus-trap: 7.6.2 vue-demi: 0.14.10(vue@3.5.13) transitivePeerDependencies: @@ -2618,12 +2839,12 @@ packages: - vue dev: true - /@vueuse/metadata@11.2.0: - resolution: {integrity: sha512-L0ZmtRmNx+ZW95DmrgD6vn484gSpVeRbgpWevFKXwqqQxW9hnSi2Ppuh2BzMjnbv4aJRiIw8tQatXT9uOB23dQ==} + /@vueuse/metadata@11.3.0: + resolution: {integrity: sha512-pwDnDspTqtTo2HwfLw4Rp6yywuuBdYnPYDq+mO38ZYKGebCUQC/nVj/PXSiK9HX5otxLz8Fn7ECPbjiRz2CC3g==} dev: true - /@vueuse/shared@11.2.0(vue@3.5.13): - resolution: {integrity: sha512-VxFjie0EanOudYSgMErxXfq6fo8vhr5ICI+BuE3I9FnX7ePllEsVrRQ7O6Q1TLgApeLuPKcHQxAXpP+KnlrJsg==} + /@vueuse/shared@11.3.0(vue@3.5.13): + resolution: {integrity: sha512-P8gSSWQeucH5821ek2mn/ciCk+MS/zoRKqdQIM3bHq6p7GXDAJLmnRRKmF5F65sAVJIfzQlwR3aDzwCn10s8hA==} dependencies: vue-demi: 0.14.10(vue@3.5.13) transitivePeerDependencies: @@ -2631,6 +2852,13 @@ packages: - vue dev: true + /@whatwg-node/disposablestack@0.0.5: + resolution: {integrity: sha512-9lXugdknoIequO4OYvIjhygvfSEgnO8oASLqLelnDhkRjgBZhc39shC3QSlZuyDO9bgYSIVa2cHAiN+St3ty4w==} + engines: {node: '>=18.0.0'} + dependencies: + tslib: 2.8.1 + dev: true + /@whatwg-node/events@0.1.2: resolution: {integrity: sha512-ApcWxkrs1WmEMS2CaLLFUEem/49erT3sxIVjpzU5f6zmVcnijtDSrhoK2zVobOIikZJdH63jdAXOrvjf6eOUNQ==} engines: {node: '>=18.0.0'} @@ -2642,24 +2870,26 @@ packages: resolution: {integrity: sha512-gmPOLrsjSZWEZlr9Oe5+wWFBq3CG6fN13rGlM91Jsj/vZ95G9CCvrORGBAxMXy0AJGiC83aYiHXn3JzTzXQmbA==} engines: {node: '>=18.0.0'} dependencies: - '@whatwg-node/node-fetch': 0.7.2 + '@whatwg-node/node-fetch': 0.7.4 urlpattern-polyfill: 10.0.0 dev: true - /@whatwg-node/node-fetch@0.7.2: - resolution: {integrity: sha512-OAAEIbyspvQwkcRGutYN3D0a+hzQogvcZ7I3hf6vg742ZEq52yMJTGtkwjl3KZRmzzUltd/oEMxEGsXFLjnuLQ==} + /@whatwg-node/node-fetch@0.7.4: + resolution: {integrity: sha512-rvUtU/xKKl/av5EIwyqfw7w0R+hx+tQrlhpIyFr27MwJRlUb+xcYv97kOmp7FE/WmQ8s+Tb6bcD6W8o/s2pGWw==} engines: {node: '>=18.0.0'} dependencies: '@kamilkisiela/fast-url-parser': 1.1.4 + '@whatwg-node/disposablestack': 0.0.5 busboy: 1.6.0 fast-querystring: 1.1.2 tslib: 2.8.1 dev: true - /@whatwg-node/server@0.9.55: - resolution: {integrity: sha512-FW04dJZfgBGaGoHQosCTeSOXKksCVzMLMV5YZPMpUfEmkH8VeDjCIMguvw2cKgrjnLjwQ1J3irLg2eNQbLxLNg==} + /@whatwg-node/server@0.9.60: + resolution: {integrity: sha512-JH3eK3aGnBwTT2qQwFrmx6RPXxsjrk99kDWOM98H1aayFMV70nsHIltmyuKRnPmf/avuVRe53bkiu2wsc5Eykw==} engines: {node: '>=18.0.0'} dependencies: + '@whatwg-node/disposablestack': 0.0.5 '@whatwg-node/fetch': 0.10.1 tslib: 2.8.1 dev: true @@ -2714,23 +2944,23 @@ packages: zod: 3.23.8 dev: false - /algoliasearch@5.14.2: - resolution: {integrity: sha512-aYjI4WLamMxbhdJ2QAA99VbDCJOGzMOdT2agh57bi40n86ufkhZSIAf6mkocr7NmtBLtwCnSHvD5NJ+Ky5elWw==} + /algoliasearch@5.15.0: + resolution: {integrity: sha512-Yf3Swz1s63hjvBVZ/9f2P1Uu48GjmjCN+Esxb6MAONMGtZB1fRX8/S1AhUTtsuTlcGovbYLxpHgc7wEzstDZBw==} engines: {node: '>= 14.0.0'} dependencies: - '@algolia/client-abtesting': 5.14.2 - '@algolia/client-analytics': 5.14.2 - '@algolia/client-common': 5.14.2 - '@algolia/client-insights': 5.14.2 - '@algolia/client-personalization': 5.14.2 - '@algolia/client-query-suggestions': 5.14.2 - '@algolia/client-search': 5.14.2 - '@algolia/ingestion': 1.14.2 - '@algolia/monitoring': 1.14.2 - '@algolia/recommend': 5.14.2 - '@algolia/requester-browser-xhr': 5.14.2 - '@algolia/requester-fetch': 5.14.2 - '@algolia/requester-node-http': 5.14.2 + '@algolia/client-abtesting': 5.15.0 + '@algolia/client-analytics': 5.15.0 + '@algolia/client-common': 5.15.0 + '@algolia/client-insights': 5.15.0 + '@algolia/client-personalization': 5.15.0 + '@algolia/client-query-suggestions': 5.15.0 + '@algolia/client-search': 5.15.0 + '@algolia/ingestion': 1.15.0 + '@algolia/monitoring': 1.15.0 + '@algolia/recommend': 5.15.0 + '@algolia/requester-browser-xhr': 5.15.0 + '@algolia/requester-fetch': 5.15.0 + '@algolia/requester-node-http': 5.15.0 dev: true /anchor-markdown-header@0.6.0: @@ -3107,8 +3337,8 @@ packages: tslib: 2.8.1 dev: true - /cross-spawn@7.0.5: - resolution: {integrity: sha512-ZVJrKKYunU38/76t0RMOulHOnUcbU9GbpWKAOZ0mhjr7CX6FVrH+4FrAapSOekrgFQ3f/8gwMEuIft0aKq6Hug==} + /cross-spawn@7.0.6: + resolution: {integrity: sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==} engines: {node: '>= 8'} dependencies: path-key: 3.1.1 @@ -3229,7 +3459,7 @@ packages: dependencies: es-define-property: 1.0.0 es-errors: 1.3.0 - gopd: 1.0.1 + gopd: 1.1.0 dev: true /define-properties@1.2.1: @@ -3351,7 +3581,7 @@ packages: common-tags: 1.8.2 debug: 4.3.7 fs-jetpack: 3.2.0 - isomorphic-git: 1.27.1 + isomorphic-git: 1.27.2 parse-git-config: 3.0.0 parse-github-url: 1.0.3 request: 2.88.2 @@ -3429,12 +3659,12 @@ packages: es-errors: 1.3.0 es-object-atoms: 1.0.0 es-set-tostringtag: 2.0.3 - es-to-primitive: 1.2.1 + es-to-primitive: 1.3.0 function.prototype.name: 1.1.6 get-intrinsic: 1.2.4 get-symbol-description: 1.0.2 globalthis: 1.0.4 - gopd: 1.0.1 + gopd: 1.1.0 has-property-descriptors: 1.0.2 has-proto: 1.0.3 has-symbols: 1.0.3 @@ -3444,7 +3674,7 @@ packages: is-callable: 1.2.7 is-data-view: 1.0.1 is-negative-zero: 2.0.3 - is-regex: 1.1.4 + is-regex: 1.2.0 is-shared-array-buffer: 1.0.3 is-string: 1.0.7 is-typed-array: 1.1.13 @@ -3460,10 +3690,10 @@ packages: string.prototype.trimstart: 1.0.8 typed-array-buffer: 1.0.2 typed-array-byte-length: 1.0.1 - typed-array-byte-offset: 1.0.2 - typed-array-length: 1.0.6 + typed-array-byte-offset: 1.0.3 + typed-array-length: 1.0.7 unbox-primitive: 1.0.2 - which-typed-array: 1.1.15 + which-typed-array: 1.1.16 dev: true /es-define-property@1.0.0: @@ -3504,8 +3734,8 @@ packages: hasown: 2.0.2 dev: true - /es-to-primitive@1.2.1: - resolution: {integrity: sha512-QCOllgZJtaUo9miYBcLChTUaHNjJF3PYs1VidD7AwiEj1kYxKeQTctLAezAOH5ZKRH0g2IgPn6KwB4IT8iRpvA==} + /es-to-primitive@1.3.0: + resolution: {integrity: sha512-w+5mJ3GuFL+NjVtJlvydShqE1eN3h3PbI7/5LAsYJP/2qtuMXjfL2LpHSRqo4b4eSF5K/DH1JXKUAHSB2UW50g==} engines: {node: '>= 0.4'} dependencies: is-callable: 1.2.7 @@ -3513,8 +3743,8 @@ packages: is-symbol: 1.0.4 dev: true - /es-toolkit@1.27.0: - resolution: {integrity: sha512-ETSFA+ZJArcuSCpzD2TjAy6UHpx4E4uqFsoDg9F/nTLogrLmVVZQ+zNxco5h7cWnA1nNak07IXsLcaSMih+ZPQ==} + /es-toolkit@1.28.0: + resolution: {integrity: sha512-CxyuOl9b2CoaOOR+J8mrEIbWlD5NuDQ8IFh+mcS5jBecPfyYTz7dY1mPk7qaIEY+lauiRtrUs7yHfzLKw8AFNA==} dev: false /esbuild@0.21.5: @@ -3580,6 +3810,38 @@ packages: '@esbuild/win32-x64': 0.23.1 dev: true + /esbuild@0.24.0: + resolution: {integrity: sha512-FuLPevChGDshgSicjisSooU0cemp/sGXR841D5LHMB7mTVOmsEHcAxaH3irL53+8YDIeVNQEySh4DaYU/iuPqQ==} + engines: {node: '>=18'} + hasBin: true + requiresBuild: true + optionalDependencies: + '@esbuild/aix-ppc64': 0.24.0 + '@esbuild/android-arm': 0.24.0 + '@esbuild/android-arm64': 0.24.0 + '@esbuild/android-x64': 0.24.0 + '@esbuild/darwin-arm64': 0.24.0 + '@esbuild/darwin-x64': 0.24.0 + '@esbuild/freebsd-arm64': 0.24.0 + '@esbuild/freebsd-x64': 0.24.0 + '@esbuild/linux-arm': 0.24.0 + '@esbuild/linux-arm64': 0.24.0 + '@esbuild/linux-ia32': 0.24.0 + '@esbuild/linux-loong64': 0.24.0 + '@esbuild/linux-mips64el': 0.24.0 + '@esbuild/linux-ppc64': 0.24.0 + '@esbuild/linux-riscv64': 0.24.0 + '@esbuild/linux-s390x': 0.24.0 + '@esbuild/linux-x64': 0.24.0 + '@esbuild/netbsd-x64': 0.24.0 + '@esbuild/openbsd-arm64': 0.24.0 + '@esbuild/openbsd-x64': 0.24.0 + '@esbuild/sunos-x64': 0.24.0 + '@esbuild/win32-arm64': 0.24.0 + '@esbuild/win32-ia32': 0.24.0 + '@esbuild/win32-x64': 0.24.0 + dev: true + /escalade@3.2.0: resolution: {integrity: sha512-WUj2qlxaQtO4g6Pq5c29GTcWGDyd8itL8zTlipgECz3JesAiiOKotd8JU6otB3PACgG6xkJUyVhboMS+bje/jA==} engines: {node: '>=6'} @@ -3590,26 +3852,26 @@ packages: engines: {node: '>=10'} dev: true - /eslint-config-prettier@6.0.0(eslint@9.15.0): + /eslint-config-prettier@6.0.0(eslint@9.16.0): resolution: {integrity: sha512-vDrcCFE3+2ixNT5H83g28bO/uYAwibJxerXPj+E7op4qzBCsAV36QfvdAyVOoNxKAH2Os/e01T/2x++V0LPukA==} hasBin: true peerDependencies: eslint: '>=3.14.1' dependencies: - eslint: 9.15.0 + eslint: 9.16.0 get-stdin: 6.0.0 dev: true - /eslint-config-prettier@9.1.0(eslint@9.15.0): + /eslint-config-prettier@9.1.0(eslint@9.16.0): resolution: {integrity: sha512-NSWl5BFQWEPi1j4TjVNItzYV7dZXZ+wP6I6ZhrBGpChQhZRUaElihE9uRRkcbRnNb76UMKDF3r+WTmNcGPKsqw==} hasBin: true peerDependencies: eslint: '>=7.0.0' dependencies: - eslint: 9.15.0 + eslint: 9.16.0 dev: true - /eslint-config-prisma@0.6.0(@typescript-eslint/eslint-plugin@8.14.0)(@typescript-eslint/parser@8.14.0)(eslint-plugin-deprecation@3.0.0)(eslint-plugin-only-warn@1.1.0)(eslint-plugin-prefer-arrow@1.2.3)(eslint-plugin-tsdoc@0.3.0)(eslint@9.15.0)(typescript@5.6.3): + /eslint-config-prisma@0.6.0(@typescript-eslint/eslint-plugin@8.16.0)(@typescript-eslint/parser@8.16.0)(eslint-plugin-deprecation@3.0.0)(eslint-plugin-only-warn@1.1.0)(eslint-plugin-prefer-arrow@1.2.3)(eslint-plugin-tsdoc@0.4.0)(eslint@9.16.0)(typescript@5.7.2): resolution: {integrity: sha512-tdvowJR0lb7fa299crTJbDNreSkMTev1CDTHNn0q8xuGXRXzHLnsTbVDKTV95iPo20X22ZQQ6wBFJU1o7lGCjg==} peerDependencies: '@typescript-eslint/eslint-plugin': ^6 @@ -3620,25 +3882,25 @@ packages: eslint-plugin-prefer-arrow: ^1.2 eslint-plugin-tsdoc: ^0.2 dependencies: - '@eslint/js': 9.15.0 + '@eslint/js': 9.16.0 '@types/eslint-config-prettier': 6.11.3 '@types/eslint__js': 8.42.3 - '@typescript-eslint/eslint-plugin': 8.14.0(@typescript-eslint/parser@8.14.0)(eslint@9.15.0)(typescript@5.6.3) - '@typescript-eslint/parser': 8.14.0(eslint@9.15.0)(typescript@5.6.3) - '@typescript-eslint/utils': 7.18.0(eslint@9.15.0)(typescript@5.6.3) - eslint: 9.15.0 - eslint-config-prettier: 9.1.0(eslint@9.15.0) - eslint-plugin-deprecation: 3.0.0(eslint@9.15.0)(typescript@5.6.3) + '@typescript-eslint/eslint-plugin': 8.16.0(@typescript-eslint/parser@8.16.0)(eslint@9.16.0)(typescript@5.7.2) + '@typescript-eslint/parser': 8.16.0(eslint@9.16.0)(typescript@5.7.2) + '@typescript-eslint/utils': 7.18.0(eslint@9.16.0)(typescript@5.7.2) + eslint: 9.16.0 + eslint-config-prettier: 9.1.0(eslint@9.16.0) + eslint-plugin-deprecation: 3.0.0(eslint@9.16.0)(typescript@5.7.2) eslint-plugin-only-warn: 1.1.0 - eslint-plugin-prefer-arrow: 1.2.3(eslint@9.15.0) - eslint-plugin-tsdoc: 0.3.0 - typescript-eslint: 7.18.0(eslint@9.15.0)(typescript@5.6.3) + eslint-plugin-prefer-arrow: 1.2.3(eslint@9.16.0) + eslint-plugin-tsdoc: 0.4.0 + typescript-eslint: 7.18.0(eslint@9.16.0)(typescript@5.7.2) transitivePeerDependencies: - supports-color - typescript dev: true - /eslint-config-standard@13.0.1(eslint-plugin-import@2.23.3)(eslint-plugin-node@11.1.0)(eslint-plugin-promise@4.2.1)(eslint-plugin-standard@4.0.0)(eslint@9.15.0): + /eslint-config-standard@13.0.1(eslint-plugin-import@2.23.3)(eslint-plugin-node@11.1.0)(eslint-plugin-promise@4.2.1)(eslint-plugin-standard@4.0.0)(eslint@9.16.0): resolution: {integrity: sha512-zLKp4QOgq6JFgRm1dDCVv1Iu0P5uZ4v5Wa4DTOkg2RFMxdCX/9Qf7lz9ezRj2dBRa955cWQF/O/LWEiYWAHbTw==} peerDependencies: eslint: '>=6.0.1' @@ -3647,11 +3909,11 @@ packages: eslint-plugin-promise: '>=4.2.1' eslint-plugin-standard: '>=4.0.0' dependencies: - eslint: 9.15.0 - eslint-plugin-import: 2.23.3(@typescript-eslint/parser@5.0.0)(eslint-import-resolver-typescript@2.5.0)(eslint@9.15.0) - eslint-plugin-node: 11.1.0(eslint@9.15.0) + eslint: 9.16.0 + eslint-plugin-import: 2.23.3(@typescript-eslint/parser@5.0.0)(eslint-import-resolver-typescript@2.5.0)(eslint@9.16.0) + eslint-plugin-node: 11.1.0(eslint@9.16.0) eslint-plugin-promise: 4.2.1 - eslint-plugin-standard: 4.0.0(eslint@9.15.0) + eslint-plugin-standard: 4.0.0(eslint@9.16.0) dev: true /eslint-import-resolver-node@0.3.9: @@ -3664,7 +3926,7 @@ packages: - supports-color dev: true - /eslint-import-resolver-typescript@2.5.0(eslint-plugin-import@2.23.3)(eslint@9.15.0): + /eslint-import-resolver-typescript@2.5.0(eslint-plugin-import@2.23.3)(eslint@9.16.0): resolution: {integrity: sha512-qZ6e5CFr+I7K4VVhQu3M/9xGv9/YmwsEXrsm3nimw8vWaVHRDrQRp26BgCypTxBp3vUp4o5aVEJRiy0F2DFddQ==} engines: {node: '>=4'} peerDependencies: @@ -3672,8 +3934,8 @@ packages: eslint-plugin-import: '*' dependencies: debug: 4.3.7 - eslint: 9.15.0 - eslint-plugin-import: 2.23.3(@typescript-eslint/parser@5.0.0)(eslint-import-resolver-typescript@2.5.0)(eslint@9.15.0) + eslint: 9.16.0 + eslint-plugin-import: 2.23.3(@typescript-eslint/parser@5.0.0)(eslint-import-resolver-typescript@2.5.0)(eslint@9.16.0) glob: 7.2.3 is-glob: 4.0.3 resolve: 1.22.8 @@ -3682,7 +3944,7 @@ packages: - supports-color dev: true - /eslint-module-utils@2.12.0(@typescript-eslint/parser@5.0.0)(eslint-import-resolver-node@0.3.9)(eslint-import-resolver-typescript@2.5.0)(eslint@9.15.0): + /eslint-module-utils@2.12.0(@typescript-eslint/parser@5.0.0)(eslint-import-resolver-node@0.3.9)(eslint-import-resolver-typescript@2.5.0)(eslint@9.16.0): resolution: {integrity: sha512-wALZ0HFoytlyh/1+4wuZ9FJCD/leWHQzzrxJ8+rebyReSLk7LApMyd3WJaLVoN+D5+WIdJyDK1c6JnE65V4Zyg==} engines: {node: '>=4'} peerDependencies: @@ -3703,42 +3965,42 @@ packages: eslint-import-resolver-webpack: optional: true dependencies: - '@typescript-eslint/parser': 5.0.0(eslint@9.15.0)(typescript@4.4.3) + '@typescript-eslint/parser': 5.0.0(eslint@9.16.0)(typescript@4.4.3) debug: 3.2.7 - eslint: 9.15.0 + eslint: 9.16.0 eslint-import-resolver-node: 0.3.9 - eslint-import-resolver-typescript: 2.5.0(eslint-plugin-import@2.23.3)(eslint@9.15.0) + eslint-import-resolver-typescript: 2.5.0(eslint-plugin-import@2.23.3)(eslint@9.16.0) transitivePeerDependencies: - supports-color dev: true - /eslint-plugin-deprecation@3.0.0(eslint@9.15.0)(typescript@5.6.3): + /eslint-plugin-deprecation@3.0.0(eslint@9.16.0)(typescript@5.7.2): resolution: {integrity: sha512-JuVLdNg/uf0Adjg2tpTyYoYaMbwQNn/c78P1HcccokvhtRphgnRjZDKmhlxbxYptppex03zO76f97DD/yQHv7A==} peerDependencies: eslint: ^8.0.0 typescript: ^4.2.4 || ^5.0.0 dependencies: - '@typescript-eslint/utils': 7.18.0(eslint@9.15.0)(typescript@5.6.3) - eslint: 9.15.0 - ts-api-utils: 1.4.0(typescript@5.6.3) + '@typescript-eslint/utils': 7.18.0(eslint@9.16.0)(typescript@5.7.2) + eslint: 9.16.0 + ts-api-utils: 1.4.3(typescript@5.7.2) tslib: 2.8.1 - typescript: 5.6.3 + typescript: 5.7.2 transitivePeerDependencies: - supports-color dev: true - /eslint-plugin-es@3.0.1(eslint@9.15.0): + /eslint-plugin-es@3.0.1(eslint@9.16.0): resolution: {integrity: sha512-GUmAsJaN4Fc7Gbtl8uOBlayo2DqhwWvEzykMHSCZHU3XdJ+NSzzZcVhXh3VxX5icqQ+oQdIEawXX8xkR3mIFmQ==} engines: {node: '>=8.10.0'} peerDependencies: eslint: '>=4.19.1' dependencies: - eslint: 9.15.0 + eslint: 9.16.0 eslint-utils: 2.1.0 regexpp: 3.2.0 dev: true - /eslint-plugin-import@2.23.3(@typescript-eslint/parser@5.0.0)(eslint-import-resolver-typescript@2.5.0)(eslint@9.15.0): + /eslint-plugin-import@2.23.3(@typescript-eslint/parser@5.0.0)(eslint-import-resolver-typescript@2.5.0)(eslint@9.16.0): resolution: {integrity: sha512-wDxdYbSB55F7T5CC7ucDjY641VvKmlRwT0Vxh7PkY1mI4rclVRFWYfsrjDgZvwYYDZ5ee0ZtfFKXowWjqvEoRQ==} engines: {node: '>=4'} peerDependencies: @@ -3748,14 +4010,14 @@ packages: '@typescript-eslint/parser': optional: true dependencies: - '@typescript-eslint/parser': 5.0.0(eslint@9.15.0)(typescript@4.4.3) + '@typescript-eslint/parser': 5.0.0(eslint@9.16.0)(typescript@4.4.3) array-includes: 3.1.8 array.prototype.flat: 1.3.2 debug: 2.6.9 doctrine: 2.1.0 - eslint: 9.15.0 + eslint: 9.16.0 eslint-import-resolver-node: 0.3.9 - eslint-module-utils: 2.12.0(@typescript-eslint/parser@5.0.0)(eslint-import-resolver-node@0.3.9)(eslint-import-resolver-typescript@2.5.0)(eslint@9.15.0) + eslint-module-utils: 2.12.0(@typescript-eslint/parser@5.0.0)(eslint-import-resolver-node@0.3.9)(eslint-import-resolver-typescript@2.5.0)(eslint@9.16.0) find-up: 2.1.0 has: 1.0.4 is-core-module: 2.15.1 @@ -3771,7 +4033,7 @@ packages: - supports-color dev: true - /eslint-plugin-jsdoc@33.1.1(eslint@9.15.0): + /eslint-plugin-jsdoc@33.1.1(eslint@9.16.0): resolution: {integrity: sha512-6Avc2czg/mh0zmuU3H4v2xTXOALl9OiMGpn55nBDydhU684cVgvn2VtXm1JgH+2TW5SxEDnX3o/FUgda7LgVYA==} engines: {node: '>=10'} peerDependencies: @@ -3780,7 +4042,7 @@ packages: '@es-joy/jsdoccomment': 0.4.4 comment-parser: 1.1.5 debug: 4.3.7 - eslint: 9.15.0 + eslint: 9.16.0 esquery: 1.6.0 jsdoctypeparser: 9.0.0 lodash: 4.17.21 @@ -3791,25 +4053,25 @@ packages: - supports-color dev: true - /eslint-plugin-mocha@8.1.0(eslint@9.15.0): + /eslint-plugin-mocha@8.1.0(eslint@9.16.0): resolution: {integrity: sha512-1EgHvXKRl7W3mq3sntZAi5T24agRMyiTPL4bSXe+B4GksYOjAPEWYx+J3eJg4It1l2NMNZJtk0gQyQ6mfiPhQg==} engines: {node: '>=10.0.0'} peerDependencies: eslint: '>=7.0.0' dependencies: - eslint: 9.15.0 + eslint: 9.16.0 eslint-utils: 2.1.0 ramda: 0.27.2 dev: true - /eslint-plugin-node@11.1.0(eslint@9.15.0): + /eslint-plugin-node@11.1.0(eslint@9.16.0): resolution: {integrity: sha512-oUwtPJ1W0SKD0Tr+wqu92c5xuCeQqB3hSCHasn/ZgjFdA9iDGNkNf2Zi9ztY7X+hNuMib23LNGRm6+uN+KLE3g==} engines: {node: '>=8.10.0'} peerDependencies: eslint: '>=5.16.0' dependencies: - eslint: 9.15.0 - eslint-plugin-es: 3.0.1(eslint@9.15.0) + eslint: 9.16.0 + eslint-plugin-es: 3.0.1(eslint@9.16.0) eslint-utils: 2.1.0 ignore: 5.3.2 minimatch: 3.1.2 @@ -3822,23 +4084,23 @@ packages: engines: {node: '>=6'} dev: true - /eslint-plugin-prefer-arrow@1.2.3(eslint@9.15.0): + /eslint-plugin-prefer-arrow@1.2.3(eslint@9.16.0): resolution: {integrity: sha512-J9I5PKCOJretVuiZRGvPQxCbllxGAV/viI20JO3LYblAodofBxyMnZAJ+WGeClHgANnSJberTNoFWWjrWKBuXQ==} peerDependencies: eslint: '>=2.0.0' dependencies: - eslint: 9.15.0 + eslint: 9.16.0 dev: true - /eslint-plugin-prettier@3.1.0(eslint@9.15.0)(prettier@3.3.3): + /eslint-plugin-prettier@3.1.0(eslint@9.16.0)(prettier@3.4.1): resolution: {integrity: sha512-XWX2yVuwVNLOUhQijAkXz+rMPPoCr7WFiAl8ig6I7Xn+pPVhDhzg4DxHpmbeb0iqjO9UronEA3Tb09ChnFVHHA==} engines: {node: '>=6.0.0'} peerDependencies: eslint: '>= 5.0.0' prettier: '>= 1.13.0' dependencies: - eslint: 9.15.0 - prettier: 3.3.3 + eslint: 9.16.0 + prettier: 3.4.1 prettier-linter-helpers: 1.0.0 dev: true @@ -3847,27 +4109,27 @@ packages: engines: {node: '>=6'} dev: true - /eslint-plugin-simple-import-sort@12.1.1(eslint@9.15.0): + /eslint-plugin-simple-import-sort@12.1.1(eslint@9.16.0): resolution: {integrity: sha512-6nuzu4xwQtE3332Uz0to+TxDQYRLTKRESSc2hefVT48Zc8JthmN23Gx9lnYhu0FtkRSL1oxny3kJ2aveVhmOVA==} peerDependencies: eslint: '>=5.0.0' dependencies: - eslint: 9.15.0 + eslint: 9.16.0 dev: true - /eslint-plugin-standard@4.0.0(eslint@9.15.0): + /eslint-plugin-standard@4.0.0(eslint@9.16.0): resolution: {integrity: sha512-OwxJkR6TQiYMmt1EsNRMe5qG3GsbjlcOhbGUBY4LtavF9DsLaTcoR+j2Tdjqi23oUwKNUqX7qcn5fPStafMdlA==} peerDependencies: eslint: '>=5.0.0' dependencies: - eslint: 9.15.0 + eslint: 9.16.0 dev: true - /eslint-plugin-tsdoc@0.3.0: - resolution: {integrity: sha512-0MuFdBrrJVBjT/gyhkP2BqpD0np1NxNLfQ38xXDlSs/KVVpKI2A6vN7jx2Rve/CyUsvOsMGwp9KKrinv7q9g3A==} + /eslint-plugin-tsdoc@0.4.0: + resolution: {integrity: sha512-MT/8b4aKLdDClnS8mP3R/JNjg29i0Oyqd/0ym6NnQf+gfKbJJ4ZcSh2Bs1H0YiUMTBwww5JwXGTWot/RwyJ7aQ==} dependencies: - '@microsoft/tsdoc': 0.15.0 - '@microsoft/tsdoc-config': 0.17.0 + '@microsoft/tsdoc': 0.15.1 + '@microsoft/tsdoc-config': 0.17.1 dev: true /eslint-scope@5.1.1: @@ -3886,26 +4148,26 @@ packages: estraverse: 5.3.0 dev: true - /eslint-typescript@1.1.0(eslint@9.15.0)(prettier@3.3.3): + /eslint-typescript@1.1.0(eslint@9.16.0)(prettier@3.4.1): resolution: {integrity: sha512-wBTeYl1bDuKoRVJvVyC61Rwi7K2vrToTBRdGWD3hrYYkhPWQ6yH8a8U79sC6X7kLdXaddUY+bDUCP1lMs3KNcQ==} peerDependencies: eslint: '7' prettier: '1' dependencies: - '@typescript-eslint/eslint-plugin': 5.0.0(@typescript-eslint/parser@5.0.0)(eslint@9.15.0)(typescript@4.4.3) - '@typescript-eslint/parser': 5.0.0(eslint@9.15.0)(typescript@4.4.3) - eslint: 9.15.0 - eslint-config-prettier: 6.0.0(eslint@9.15.0) - eslint-config-standard: 13.0.1(eslint-plugin-import@2.23.3)(eslint-plugin-node@11.1.0)(eslint-plugin-promise@4.2.1)(eslint-plugin-standard@4.0.0)(eslint@9.15.0) - eslint-import-resolver-typescript: 2.5.0(eslint-plugin-import@2.23.3)(eslint@9.15.0) - eslint-plugin-import: 2.23.3(@typescript-eslint/parser@5.0.0)(eslint-import-resolver-typescript@2.5.0)(eslint@9.15.0) - eslint-plugin-jsdoc: 33.1.1(eslint@9.15.0) - eslint-plugin-mocha: 8.1.0(eslint@9.15.0) - eslint-plugin-node: 11.1.0(eslint@9.15.0) - eslint-plugin-prettier: 3.1.0(eslint@9.15.0)(prettier@3.3.3) + '@typescript-eslint/eslint-plugin': 5.0.0(@typescript-eslint/parser@5.0.0)(eslint@9.16.0)(typescript@4.4.3) + '@typescript-eslint/parser': 5.0.0(eslint@9.16.0)(typescript@4.4.3) + eslint: 9.16.0 + eslint-config-prettier: 6.0.0(eslint@9.16.0) + eslint-config-standard: 13.0.1(eslint-plugin-import@2.23.3)(eslint-plugin-node@11.1.0)(eslint-plugin-promise@4.2.1)(eslint-plugin-standard@4.0.0)(eslint@9.16.0) + eslint-import-resolver-typescript: 2.5.0(eslint-plugin-import@2.23.3)(eslint@9.16.0) + eslint-plugin-import: 2.23.3(@typescript-eslint/parser@5.0.0)(eslint-import-resolver-typescript@2.5.0)(eslint@9.16.0) + eslint-plugin-jsdoc: 33.1.1(eslint@9.16.0) + eslint-plugin-mocha: 8.1.0(eslint@9.16.0) + eslint-plugin-node: 11.1.0(eslint@9.16.0) + eslint-plugin-prettier: 3.1.0(eslint@9.16.0)(prettier@3.4.1) eslint-plugin-promise: 4.2.1 - eslint-plugin-standard: 4.0.0(eslint@9.15.0) - prettier: 3.3.3 + eslint-plugin-standard: 4.0.0(eslint@9.16.0) + prettier: 3.4.1 typescript: 4.4.3 transitivePeerDependencies: - eslint-import-resolver-webpack @@ -3919,13 +4181,13 @@ packages: eslint-visitor-keys: 1.3.0 dev: true - /eslint-utils@3.0.0(eslint@9.15.0): + /eslint-utils@3.0.0(eslint@9.16.0): resolution: {integrity: sha512-uuQC43IGctw68pJA1RgbQS8/NP7rch6Cwd4j3ZBtgo4/8Flj4eGE7ZYSZRN3iq5pVUv6GPdW5Z1RFleo84uLDA==} engines: {node: ^10.0.0 || ^12.0.0 || >= 14.0.0} peerDependencies: eslint: '>=5' dependencies: - eslint: 9.15.0 + eslint: 9.16.0 eslint-visitor-keys: 2.1.0 dev: true @@ -3949,8 +4211,8 @@ packages: engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0} dev: true - /eslint@9.15.0: - resolution: {integrity: sha512-7CrWySmIibCgT1Os28lUU6upBshZ+GxybLOrmRzi08kS8MBuO8QA7pXEgYgY5W8vK3e74xv0lpjo9DbaGU9Rkw==} + /eslint@9.16.0: + resolution: {integrity: sha512-whp8mSQI4C8VXd+fLgSM0lh3UlmcFtVwUQjyKCFfsp+2ItAIYhlq/hqGahGqHE6cv9unM41VlqKk2VtKYR2TaA==} engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0} hasBin: true peerDependencies: @@ -3959,12 +4221,12 @@ packages: jiti: optional: true dependencies: - '@eslint-community/eslint-utils': 4.4.1(eslint@9.15.0) + '@eslint-community/eslint-utils': 4.4.1(eslint@9.16.0) '@eslint-community/regexpp': 4.12.1 '@eslint/config-array': 0.19.0 '@eslint/core': 0.9.0 '@eslint/eslintrc': 3.2.0 - '@eslint/js': 9.15.0 + '@eslint/js': 9.16.0 '@eslint/plugin-kit': 0.2.3 '@humanfs/node': 0.16.6 '@humanwhocodes/module-importer': 1.0.1 @@ -3973,7 +4235,7 @@ packages: '@types/json-schema': 7.0.15 ajv: 6.12.6 chalk: 4.1.2 - cross-spawn: 7.0.5 + cross-spawn: 7.0.6 debug: 4.3.7 escape-string-regexp: 4.0.0 eslint-scope: 8.2.0 @@ -4050,7 +4312,7 @@ packages: engines: {node: ^18.19.0 || >=20.5.0} dependencies: '@sindresorhus/merge-streams': 4.0.0 - cross-spawn: 7.0.5 + cross-spawn: 7.0.6 figures: 6.1.0 get-stream: 9.0.1 human-signals: 8.0.0 @@ -4170,12 +4432,12 @@ packages: resolution: {integrity: sha512-f7ccFPK3SXFHpx15UIGyRJ/FJQctuKZ0zVuN3frBo4HnK3cay9VEW0R6yPYFHC0AgqhukPzKjq22t5DmAyqGyw==} engines: {node: '>=16'} dependencies: - flatted: 3.3.1 + flatted: 3.3.2 keyv: 4.5.4 dev: true - /flatted@3.3.1: - resolution: {integrity: sha512-X8cqMLLie7KsNUDSdzeN8FYK9rEt4Dt67OsG/DNGnYTSDBG4uFAJFBnUeiV+zCVAvwFy56IjM9sH51jVaEhNxw==} + /flatted@3.3.2: + resolution: {integrity: sha512-AiwGJM8YcNOaobumgtng+6NHuOqC3A7MixFeDafM3X9cIUM+xUXoS5Vfgf+OihAYe20fxqNM9yPBXJzRtZ/4eA==} dev: true /focus-trap@7.6.2: @@ -4381,7 +4643,7 @@ packages: engines: {node: '>= 0.4'} dependencies: define-properties: 1.2.1 - gopd: 1.0.1 + gopd: 1.1.0 dev: true /globby@11.1.0: @@ -4408,8 +4670,9 @@ packages: unicorn-magic: 0.1.0 dev: true - /gopd@1.0.1: - resolution: {integrity: sha512-d65bNlIadxvpb/A2abVdlqKqV563juRnZ1Wtk6s1sIR8uNsXR70xqIzVqxVf1eTqDunwT2MkczEeaezCKTZhwA==} + /gopd@1.1.0: + resolution: {integrity: sha512-FQoVQnqcdk4hVM4JN1eromaun4iuS34oStkdlLENLdpULsuQcTyXj8w7ayhuUfPwEYZ1ZOooOTT6fdA9Vmx/RA==} + engines: {node: '>= 0.4'} dependencies: get-intrinsic: 1.2.4 dev: true @@ -4422,8 +4685,8 @@ packages: resolution: {integrity: sha512-EtKwoO6kxCL9WO5xipiHTZlSzBm7WLT627TqC/uVRd0HKmq8NXyebnNYxDoBi7wt8eTWrUrKXCOVaFq9x1kgag==} dev: true - /graphql-scalars@1.23.0(graphql@16.9.0): - resolution: {integrity: sha512-YTRNcwitkn8CqYcleKOx9IvedA8JIERn8BRq21nlKgOr4NEcTaWEG0sT+H92eF3ALTFbPgsqfft4cw+MGgv0Gg==} + /graphql-scalars@1.24.0(graphql@16.9.0): + resolution: {integrity: sha512-olbFN39m0XsHHESACUdd7jWU/lGxMMS1B7NZ8XqpqhKZrjBxzeGYAnQ4Ax//huYds771wb7gCznA+65QDuUa+g==} 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 @@ -4452,20 +4715,20 @@ packages: graphql: 16.9.0 dev: true - /graphql-yoga@5.10.2(graphql@16.9.0): - resolution: {integrity: sha512-LcbNUFCsCsv3enjGnXCUQNSKxM49iB4uF9H2Vb3WChBOSQjzqI1d83mvgMTgMVtrZYlKjgM/magMQZV211N2LA==} + /graphql-yoga@5.10.4(graphql@16.9.0): + resolution: {integrity: sha512-kS/Cymz+rTVWWKthHFoX3XjAdhFCpDlqXBR/M+1WfyMQhY8I3nXCkoZjYMUZTmljJeYN69rBPSsqkRVCmNtwww==} engines: {node: '>=18.0.0'} peerDependencies: graphql: ^15.2.0 || ^16.0.0 dependencies: '@envelop/core': 5.0.2 - '@graphql-tools/executor': 1.3.3(graphql@16.9.0) - '@graphql-tools/schema': 10.0.8(graphql@16.9.0) - '@graphql-tools/utils': 10.5.6(graphql@16.9.0) + '@graphql-tools/executor': 1.3.5(graphql@16.9.0) + '@graphql-tools/schema': 10.0.10(graphql@16.9.0) + '@graphql-tools/utils': 10.6.1(graphql@16.9.0) '@graphql-yoga/logger': 2.0.0 '@graphql-yoga/subscription': 5.0.1 '@whatwg-node/fetch': 0.10.1 - '@whatwg-node/server': 0.9.55 + '@whatwg-node/server': 0.9.60 dset: 3.1.4 graphql: 16.9.0 lru-cache: 10.4.3 @@ -4712,6 +4975,13 @@ packages: resolution: {integrity: sha512-zz06S8t0ozoDXMG+ube26zeCTNXcKIPJZJi8hBrF4idCLms4CG9QtK7qBl1boi5ODzFpjswb5JPmHCbMpjaYzg==} dev: true + /is-async-function@2.0.0: + resolution: {integrity: sha512-Y1JXKrfykRJGdlDwdKlLpLyMIiWqWvuSd17TvZk68PLAOGOoF4Xyav1z0Xhoi+gCYjZVeC5SI+hYFOfvXmGRCA==} + engines: {node: '>= 0.4'} + dependencies: + has-tostringtag: 1.0.2 + dev: true + /is-bigint@1.0.4: resolution: {integrity: sha512-zB9CruMamjym81i2JZ3UMn54PKGsQzsJeo6xvN3HJJ4CAsQNB6iRutp2To77OfCNuoxspsIhzaPoO1zyCEhFOg==} dependencies: @@ -4772,11 +5042,25 @@ packages: engines: {node: '>=0.10.0'} dev: true + /is-finalizationregistry@1.1.0: + resolution: {integrity: sha512-qfMdqbAQEwBw78ZyReKnlA8ezmPdb9BemzIIip/JkjaZUhitfXDkkr+3QTboW0JrSXT1QWyYShpvnNHGZ4c4yA==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + dev: true + /is-fullwidth-code-point@3.0.0: resolution: {integrity: sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==} engines: {node: '>=8'} dev: true + /is-generator-function@1.0.10: + resolution: {integrity: sha512-jsEjy9l3yiXEQ+PsXdmBwEPcOxaXWLspKdplFUVI9vq1iZgIekeC0L167qeu86czQaxed3q/Uzuw0swL0irL8A==} + engines: {node: '>= 0.4'} + dependencies: + has-tostringtag: 1.0.2 + dev: true + /is-glob@4.0.3: resolution: {integrity: sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==} engines: {node: '>=0.10.0'} @@ -4788,6 +5072,11 @@ packages: resolution: {integrity: sha512-gyPJuv83bHMpocVYoqof5VDiZveEoGoFL8m3BXNb2VW8Xs+rz9kqO8LOQ5DH6EsuvilT1ApazU0pyl+ytbPtlw==} dev: true + /is-map@2.0.3: + resolution: {integrity: sha512-1Qed0/Hr2m+YqxnM09CjA2d/i6YZNfF6R2oRAOj36eUdS6qIV/huPJNSEpKbupewFs+ZsJlxsjjPbc0/afW6Lw==} + engines: {node: '>= 0.4'} + dev: true + /is-negative-zero@2.0.3: resolution: {integrity: sha512-5KoIu2Ngpyek75jXodFvnafB6DJgr3u8uuK0LEZJjrU19DrMD3EVERaR8sjz8CCGgpZvxPl9SuE1GMVPFHx1mw==} engines: {node: '>= 0.4'} @@ -4823,12 +5112,19 @@ packages: resolution: {integrity: sha512-bCYeRA2rVibKZd+s2625gGnGF/t7DSqDs4dP7CrLA1m7jKWz6pps0LpYLJN8Q64HtmPKJ1hrN3nzPNKFEKOUiQ==} dev: true - /is-regex@1.1.4: - resolution: {integrity: sha512-kvRdxDsxZjhzUX07ZnLydzS1TU/TJlTUHHY4YLL87e37oUA49DfkLqgy+VjFocowy29cKvcSiu+kIv728jTTVg==} + /is-regex@1.2.0: + resolution: {integrity: sha512-B6ohK4ZmoftlUe+uvenXSbPJFo6U37BH7oO1B3nQH8f/7h27N56s85MhUtbFJAziz5dcmuR3i8ovUl35zp8pFA==} engines: {node: '>= 0.4'} dependencies: call-bind: 1.0.7 + gopd: 1.1.0 has-tostringtag: 1.0.2 + hasown: 2.0.2 + dev: true + + /is-set@2.0.3: + resolution: {integrity: sha512-iPAjerrse27/ygGLxw+EBR9agv9Y6uLeYVJMu+QNCoouJ1/1ri0mGrcWpfCqFZuzzx3WjtwxG098X+n4OuRkPg==} + engines: {node: '>= 0.4'} dev: true /is-shared-array-buffer@1.0.3: @@ -4861,7 +5157,7 @@ packages: resolution: {integrity: sha512-uZ25/bUAlUY5fR4OKT4rZQEBrzQWYV9ZJYGGsUmEJ6thodVJ1HX64ePQ6Z0qPWP+m+Uq6e9UugrE38jeYsDSMw==} engines: {node: '>= 0.4'} dependencies: - which-typed-array: 1.1.15 + which-typed-array: 1.1.16 dev: true /is-typedarray@1.0.0: @@ -4873,12 +5169,25 @@ packages: engines: {node: '>=18'} dev: true + /is-weakmap@2.0.2: + resolution: {integrity: sha512-K5pXYOm9wqY1RgjpL3YTkF39tni1XajUIkawTLUo9EZEVUFga5gSQJF8nNS7ZwJQ02y+1YCNYcMh+HIf1ZqE+w==} + engines: {node: '>= 0.4'} + dev: true + /is-weakref@1.0.2: resolution: {integrity: sha512-qctsuLZmIQ0+vSSMfoVvyFe2+GSEvnmZ2ezTup1SBse9+twCCeial6EEi3Nc2KFcf6+qz2FBPnjXsk8xhKSaPQ==} dependencies: call-bind: 1.0.7 dev: true + /is-weakset@2.0.3: + resolution: {integrity: sha512-LvIm3/KWzS9oRFHugab7d+M/GcBXuXX5xZkzPmN+NxihdQlZUQ4dWuSV1xR/sq6upL1TJEDrfBgRepHFdBtSNQ==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + get-intrinsic: 1.2.4 + dev: true + /is-what@4.1.16: resolution: {integrity: sha512-ZhMwEosbFJkA0YhFnNDgTM4ZxDRsS6HqTo7qsZM08fehyRYIYa0yHu5R6mgo1n/8MgaPBXiPimPD77baVFYg+A==} engines: {node: '>=12.13'} @@ -4899,8 +5208,8 @@ packages: resolution: {integrity: sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==} dev: true - /isomorphic-git@1.27.1: - resolution: {integrity: sha512-X32ph5zIWfT75QAqW2l3JCIqnx9/GWd17bRRehmn3qmWc34OYbSXY6Cxv0o9bIIY+CWugoN4nQFHNA+2uYf2nA==} + /isomorphic-git@1.27.2: + resolution: {integrity: sha512-nCiz+ieOkWb5kDJSSckDTiMjTcgkxqH2xuiQmw1Y6O/spwx4d6TKYSfGCd4f71HGvUYcRSUGqJEI+3uN6UQlOw==} engines: {node: '>=12'} hasBin: true dependencies: @@ -4911,6 +5220,7 @@ packages: ignore: 5.3.2 minimisted: 2.0.1 pako: 1.0.11 + path-browserify: 1.0.1 pify: 4.0.1 readable-stream: 3.6.2 sha.js: 2.4.11 @@ -4959,7 +5269,7 @@ packages: http-proxy-agent: 7.0.2 https-proxy-agent: 7.0.5 is-potential-custom-element-name: 1.0.1 - nwsapi: 2.2.13 + nwsapi: 2.2.16 parse5: 7.2.1 rrweb-cssom: 0.7.1 saxes: 6.0.0 @@ -5100,8 +5410,8 @@ packages: resolution: {integrity: sha512-JNAzZcXrCt42VGLuYz0zfAzDfAvJWW6AfYlDBQyDV5DClI2m5sAmK+OIO7s59XfsRsWHp02jAJrRadPRGTt6SQ==} dev: true - /magic-string@0.30.12: - resolution: {integrity: sha512-Ea8I3sQMVXr8JhN4z+H/d8zwo+tYDgHE9+5G4Wnrwhs0gaK9fXTKx0Tw5Xwsd/bCPTTZNRAdpyzvoeORe9LYpw==} + /magic-string@0.30.14: + resolution: {integrity: sha512-5c99P1WKTed11ZC0HMJOj6CDIue6F8ySu+bJL+85q1zBEIY8IklrJ1eiKC2NDRh3Ct3FcvmJPyQHb9erXMTJNw==} dependencies: '@jridgewell/sourcemap-codec': 1.5.0 dev: true @@ -5412,8 +5722,8 @@ packages: minimist: 1.2.8 dev: true - /minisearch@7.1.0: - resolution: {integrity: sha512-tv7c/uefWdEhcu6hvrfTihflgeEi2tN6VV7HJnCjK6VxM75QQJh4t9FwJCsA2EsRS8LCnu3W87CuGPWMocOLCA==} + /minisearch@7.1.1: + resolution: {integrity: sha512-b3YZEYCEH4EdCAtYP7OlDyx7FdPwNzuNwLQ34SfJpM9dlbBZzeXndGavTrC+VCiRWomL21SWfMc6SCKO/U2ZNw==} dev: true /mitt@3.0.1: @@ -5441,8 +5751,8 @@ packages: thenify-all: 1.6.0 dev: true - /nanoid@3.3.7: - resolution: {integrity: sha512-eSRppjcPIatRIMC1U6UngP8XFcz8MQWGQdt1MTBQ7NaAmvXDfvNxbvWV3x2y6CdEUciCSsDHDQZbhYaB8QEo2g==} + /nanoid@3.3.8: + resolution: {integrity: sha512-WNLf5Sd8oZxOm+TzppcYk8gVOgP+l58xNy58D0nbUnOxOWRWvlcCV4kUF7ltmI6PsrLl/BgKEyS4mqsGChFN0w==} engines: {node: ^10 || ^12 || ^13.7 || ^14 || >=15.0.1} hasBin: true dev: true @@ -5513,8 +5823,8 @@ packages: unicorn-magic: 0.3.0 dev: true - /nwsapi@2.2.13: - resolution: {integrity: sha512-cTGB9ptp9dY9A5VbMSe7fQBcl/tt22Vcqdq8+eN93rblOuE0aCFu4aZ2vMwct/2t+lFnosm8RkQW1I0Omb1UtQ==} + /nwsapi@2.2.16: + resolution: {integrity: sha512-F1I/bimDpj3ncaNDhfyMWuFqmQDBwDB0Fogc2qpL3BWvkQteFD/8BzWuIRl83rq0DXfm8SGt/HFhLXZyljTXcQ==} dev: true /oauth-sign@0.9.0: @@ -5561,12 +5871,12 @@ packages: wrappy: 1.0.2 dev: true - /oniguruma-to-es@0.1.2: - resolution: {integrity: sha512-sBYKVJlIMB0WPO+tSu/NNB1ytSFeHyyJZ3Ayxfx3f/QUuXu0lvZk0VB4K7npmdlHSC0ldqanzh/sUSlAbgCTfw==} + /oniguruma-to-es@0.7.0: + resolution: {integrity: sha512-HRaRh09cE0gRS3+wi2zxekB+I5L8C/gN60S+vb11eADHUaB/q4u8wGGOX3GvwvitG8ixaeycZfeoyruKQzUgNg==} dependencies: emoji-regex-xs: 1.0.0 - regex: 4.4.0 - regex-recursion: 4.2.1 + regex: 5.0.2 + regex-recursion: 4.3.0 dev: true /optionator@0.9.4: @@ -5683,6 +5993,10 @@ packages: entities: 4.5.0 dev: true + /path-browserify@1.0.1: + resolution: {integrity: sha512-b7uo2UCUOYZcnF/3ID0lulOJi/bafxa1xPe7ZPsammBSpjSWQkjNxlt635YGS2MiR9GjvuXCtz2emr3jbsz98g==} + dev: true + /path-exists@3.0.0: resolution: {integrity: sha512-bpC7GYwiDYQ4wYLe+FA8lhRjhQCMcQGuSgGGqDkg/QerRWw9CmGRT0iSOVRSZJ29NMLZgIzqaljJ63oaL4NIJQ==} engines: {node: '>=4'} @@ -5781,13 +6095,13 @@ packages: resolution: {integrity: sha512-OCVPnIObs4N29kxTjzLfUryOkvZEq+pf8jTF0lg8E7uETuWHA+v7j3c/xJmiqpX450191LlmZfUKkXxkTry7nA==} engines: {node: ^10 || ^12 || >=14} dependencies: - nanoid: 3.3.7 + nanoid: 3.3.8 picocolors: 1.1.1 source-map-js: 1.2.1 dev: true - /preact@10.24.3: - resolution: {integrity: sha512-Z2dPnBnMUfyQfSQ+GBdsGa16hz35YmLmtTLhM169uW944hYL6xzTYkJjC07j+Wosz733pMWx0fgON3JNw1jJQA==} + /preact@10.25.0: + resolution: {integrity: sha512-6bYnzlLxXV3OSpUxLdaxBmE7PMOu0aR3pG6lryK/0jmvcDFPlcXGQAt5DpK3RITWiDrfYZRI0druyaK/S9kYLg==} dev: true /prelude-ls@1.2.1: @@ -5802,8 +6116,8 @@ packages: fast-diff: 1.3.0 dev: true - /prettier@3.3.3: - resolution: {integrity: sha512-i2tDNA0O5IrMO757lfrdQZCc2jPNDVntV0m/+4whiDfWaTKfMNgR7Qz0NAeGz/nRqF4m5/6CLzbP4/liHt12Ew==} + /prettier@3.4.1: + resolution: {integrity: sha512-G+YdqtITVZmOJje6QkXQWzl3fSfMxFwm1tjTyo9exhkmWSqC4Yhd1+lug++IlR2mvRVAxEDDWYkQdeSztajqgg==} engines: {node: '>=14'} hasBin: true dev: true @@ -5819,8 +6133,8 @@ packages: resolution: {integrity: sha512-PgTgs/BlvHxOu8QuEN7wi5A0OmXaBcHpmCSTehcs6Uuu9IkDIEo13Hy7n898RHfrQ49vKCoGeWZSaAK01nwVig==} dev: true - /psl@1.10.0: - resolution: {integrity: sha512-KSKHEbjAnpUuAUserOq0FxGXCUrzC3WniuSJhvdbs102rL55266ZcHBqLWOsG30spQMlPdpy7icATiAQehg/iA==} + /psl@1.14.0: + resolution: {integrity: sha512-Syk1bnf6fRZ9wQs03AtKJHcM12cKbOLo9L8JtCCdYj5/DTsHmTyXM4BK5ouWeG2P6kZ4nmFvuNTdtaqfobCOCg==} dependencies: punycode: 2.3.1 dev: true @@ -5884,8 +6198,21 @@ packages: engines: {node: '>= 0.8.0'} dev: false - /regex-recursion@4.2.1: - resolution: {integrity: sha512-QHNZyZAeKdndD1G3bKAbBEKOSSK4KOHQrAJ01N1LJeb0SoH4DJIeFhp0uUpETgONifS4+P3sOgoA1dhzgrQvhA==} + /reflect.getprototypeof@1.0.7: + resolution: {integrity: sha512-bMvFGIUKlc/eSfXNX+aZ+EL95/EgZzuwA0OBPTbZZDEJw/0AkentjMuM1oiRfwHrshqk4RzdgiTg5CcDalXN5g==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + define-properties: 1.2.1 + es-abstract: 1.23.5 + es-errors: 1.3.0 + get-intrinsic: 1.2.4 + gopd: 1.1.0 + which-builtin-type: 1.2.0 + dev: true + + /regex-recursion@4.3.0: + resolution: {integrity: sha512-5LcLnizwjcQ2ALfOj95MjcatxyqF5RPySx9yT+PaXu3Gox2vyAtLDjHB8NTJLtMGkvyau6nI3CfpwFCjPUIs/A==} dependencies: regex-utilities: 2.3.0 dev: true @@ -5894,8 +6221,10 @@ packages: resolution: {integrity: sha512-8VhliFJAWRaUiVvREIiW2NXXTmHs4vMNnSzuJVhscgmGav3g9VDxLrQndI3dZZVVdp0ZO/5v0xmX516/7M9cng==} dev: true - /regex@4.4.0: - resolution: {integrity: sha512-uCUSuobNVeqUupowbdZub6ggI5/JZkYyJdDogddJr60L764oxC2pMZov1fQ3wM9bdyzUILDG+Sqx6NAKAz9rKQ==} + /regex@5.0.2: + resolution: {integrity: sha512-/pczGbKIQgfTMRV0XjABvc5RzLqQmwqxLHdQao2RTXPk+pmTXB2P0IaUHYdYyk412YLwUIkaeMd5T+RzVgTqnQ==} + dependencies: + regex-utilities: 2.3.0 dev: true /regexp.prototype.flags@1.5.3: @@ -6032,31 +6361,31 @@ packages: glob: 7.2.3 dev: true - /rollup@4.27.2: - resolution: {integrity: sha512-KreA+PzWmk2yaFmZVwe6GB2uBD86nXl86OsDkt1bJS9p3vqWuEQ6HnJJ+j/mZi/q0920P99/MVRlB4L3crpF5w==} + /rollup@4.28.0: + resolution: {integrity: sha512-G9GOrmgWHBma4YfCcX8PjH0qhXSdH8B4HDE2o4/jaxj93S4DPCIDoLcXz99eWMji4hB29UFCEd7B2gwGJDR9cQ==} engines: {node: '>=18.0.0', npm: '>=8.0.0'} hasBin: true dependencies: '@types/estree': 1.0.6 optionalDependencies: - '@rollup/rollup-android-arm-eabi': 4.27.2 - '@rollup/rollup-android-arm64': 4.27.2 - '@rollup/rollup-darwin-arm64': 4.27.2 - '@rollup/rollup-darwin-x64': 4.27.2 - '@rollup/rollup-freebsd-arm64': 4.27.2 - '@rollup/rollup-freebsd-x64': 4.27.2 - '@rollup/rollup-linux-arm-gnueabihf': 4.27.2 - '@rollup/rollup-linux-arm-musleabihf': 4.27.2 - '@rollup/rollup-linux-arm64-gnu': 4.27.2 - '@rollup/rollup-linux-arm64-musl': 4.27.2 - '@rollup/rollup-linux-powerpc64le-gnu': 4.27.2 - '@rollup/rollup-linux-riscv64-gnu': 4.27.2 - '@rollup/rollup-linux-s390x-gnu': 4.27.2 - '@rollup/rollup-linux-x64-gnu': 4.27.2 - '@rollup/rollup-linux-x64-musl': 4.27.2 - '@rollup/rollup-win32-arm64-msvc': 4.27.2 - '@rollup/rollup-win32-ia32-msvc': 4.27.2 - '@rollup/rollup-win32-x64-msvc': 4.27.2 + '@rollup/rollup-android-arm-eabi': 4.28.0 + '@rollup/rollup-android-arm64': 4.28.0 + '@rollup/rollup-darwin-arm64': 4.28.0 + '@rollup/rollup-darwin-x64': 4.28.0 + '@rollup/rollup-freebsd-arm64': 4.28.0 + '@rollup/rollup-freebsd-x64': 4.28.0 + '@rollup/rollup-linux-arm-gnueabihf': 4.28.0 + '@rollup/rollup-linux-arm-musleabihf': 4.28.0 + '@rollup/rollup-linux-arm64-gnu': 4.28.0 + '@rollup/rollup-linux-arm64-musl': 4.28.0 + '@rollup/rollup-linux-powerpc64le-gnu': 4.28.0 + '@rollup/rollup-linux-riscv64-gnu': 4.28.0 + '@rollup/rollup-linux-s390x-gnu': 4.28.0 + '@rollup/rollup-linux-x64-gnu': 4.28.0 + '@rollup/rollup-linux-x64-musl': 4.28.0 + '@rollup/rollup-win32-arm64-msvc': 4.28.0 + '@rollup/rollup-win32-ia32-msvc': 4.28.0 + '@rollup/rollup-win32-x64-msvc': 4.28.0 fsevents: 2.3.3 dev: true @@ -6097,7 +6426,7 @@ packages: dependencies: call-bind: 1.0.7 es-errors: 1.3.0 - is-regex: 1.1.4 + is-regex: 1.2.0 dev: true /safer-buffer@2.1.2: @@ -6111,8 +6440,8 @@ packages: xmlchars: 2.2.0 dev: true - /search-insights@2.17.2: - resolution: {integrity: sha512-zFNpOpUO+tY2D85KrxJ+aqwnIfdEGi06UH2+xEb+Bp9Mwznmauqc9djbnBibJO5mpfUPPa8st6Sx65+vbeO45g==} + /search-insights@2.17.3: + resolution: {integrity: sha512-RQPdCYTa8A68uM2jwxoY842xDhvx3E5LFL1LxvxCNMev4o5mLuokczhzjAgGwUZBAmOKZknArSxLKmXtIi2AxQ==} dev: true /semver@5.7.2: @@ -6139,7 +6468,7 @@ packages: es-errors: 1.3.0 function-bind: 1.1.2 get-intrinsic: 1.2.4 - gopd: 1.0.1 + gopd: 1.1.0 has-property-descriptors: 1.0.2 dev: true @@ -6173,13 +6502,13 @@ packages: engines: {node: '>=8'} dev: true - /shiki@1.23.0: - resolution: {integrity: sha512-xfdu9DqPkIpExH29cmiTlgo0/jBki5la1Tkfhsv+Wu5TT3APLNHslR1acxuKJOCWqVdSc+pIbs/2ozjVRGppdg==} + /shiki@1.24.0: + resolution: {integrity: sha512-qIneep7QRwxRd5oiHb8jaRzH15V/S8F3saCXOdjwRLgozZJr5x2yeBhQtqkO3FSzQDwYEFAYuifg4oHjpDghrg==} dependencies: - '@shikijs/core': 1.23.0 - '@shikijs/engine-javascript': 1.23.0 - '@shikijs/engine-oniguruma': 1.23.0 - '@shikijs/types': 1.23.0 + '@shikijs/core': 1.24.0 + '@shikijs/engine-javascript': 1.24.0 + '@shikijs/engine-oniguruma': 1.24.0 + '@shikijs/types': 1.24.0 '@shikijs/vscode-textmate': 9.3.0 '@types/hast': 3.0.4 dev: true @@ -6471,15 +6800,15 @@ packages: engines: {node: '>=14.0.0'} dev: true - /tldts-core@6.1.61: - resolution: {integrity: sha512-In7VffkDWUPgwa+c9picLUxvb0RltVwTkSgMNFgvlGSWveCzGBemBqTsgJCL4EDFWZ6WH0fKTsot6yNhzy3ZzQ==} + /tldts-core@6.1.64: + resolution: {integrity: sha512-uqnl8vGV16KsyflHOzqrYjjArjfXaU6rMPXYy2/ZWoRKCkXtghgB4VwTDXUG+t0OTGeSewNAG31/x1gCTfLt+Q==} dev: true - /tldts@6.1.61: - resolution: {integrity: sha512-rv8LUyez4Ygkopqn+M6OLItAOT9FF3REpPQDkdMx5ix8w4qkuE7Vo2o/vw1nxKQYmJDV8JpAMJQr1b+lTKf0FA==} + /tldts@6.1.64: + resolution: {integrity: sha512-ph4AE5BXWIOsSy9stpoeo7bYe/Cy7VfpciIH4RhVZUPItCJmhqWCN0EVzxd8BOHiyNb42vuJc6NWTjJkg91Tuw==} hasBin: true dependencies: - tldts-core: 6.1.61 + tldts-core: 6.1.64 dev: true /to-regex-range@5.0.1: @@ -6493,7 +6822,7 @@ packages: resolution: {integrity: sha512-nlLsUzgm1kfLXSXfRZMc1KLAugd4hqJHDTvc2hDIwS3mZAfMEuMbc03SujMF+GEcpaX/qboeycw6iO8JwVv2+g==} engines: {node: '>=0.8'} dependencies: - psl: 1.10.0 + psl: 1.14.0 punycode: 2.3.1 dev: true @@ -6501,7 +6830,7 @@ packages: resolution: {integrity: sha512-FRKsF7cz96xIIeMZ82ehjC3xW2E+O2+v11udrDYewUbszngYhsGa8z6YUMMzO9QJZzzyd0nGGXnML/TReX6W8Q==} engines: {node: '>=16'} dependencies: - tldts: 6.1.61 + tldts: 6.1.64 dev: true /tr46@0.0.3: @@ -6519,9 +6848,9 @@ packages: resolution: {integrity: sha512-hN4uFRxbK+PX56DxYiGHsTn2dME3TVr9vbNqlQGcGcPhJAn+tdP126iA+TArMpI4YSgnTkMWyoLl5bf81Hi5TA==} engines: {node: '>= 0.4'} dependencies: - gopd: 1.0.1 + gopd: 1.1.0 typedarray.prototype.slice: 1.0.3 - which-typed-array: 1.1.15 + which-typed-array: 1.1.16 dev: true /tree-dump@1.0.2(tslib@2.8.1): @@ -6541,13 +6870,13 @@ packages: resolution: {integrity: sha512-rvuRbTarPXmMb79SmzEp8aqXNKcK+y0XaB298IXueQ8I2PsrATcPBCSPyK/dDNa2iWOhKlfNnOjdAOTBU/nkFA==} dev: true - /ts-api-utils@1.4.0(typescript@5.6.3): - resolution: {integrity: sha512-032cPxaEKwM+GT3vA5JXNzIaizx388rhsSW79vGRNGXfRRAdEAn2mvk36PvK5HnOchyWZ7afLEXqYCvPCrzuzQ==} + /ts-api-utils@1.4.3(typescript@5.7.2): + resolution: {integrity: sha512-i3eMG77UTMD0hZhgRS562pv83RC6ukSAC2GMNWc+9dieh/+jDM5u5YG+NHX6VNDRHQcHwmsTHctP9LhbC3WxVw==} engines: {node: '>=16'} peerDependencies: typescript: '>=4.2.0' dependencies: - typescript: 5.6.3 + typescript: 5.7.2 dev: true /ts-toolbelt@9.6.0: @@ -6609,8 +6938,8 @@ packages: prelude-ls: 1.2.1 dev: true - /type-fest@4.27.0: - resolution: {integrity: sha512-3IMSWgP7C5KSQqmo1wjhKrwsvXAtF33jO3QY+Uy++ia7hqvgSK6iXbbg5PbDBc1P2ZbNEDgejOrN4YooXvhwCw==} + /type-fest@4.29.0: + resolution: {integrity: sha512-RPYt6dKyemXJe7I6oNstcH24myUGSReicxcHTvCLgzm4e0n8y05dGvcGB15/SoPRBmhlMthWQ9pvKyL81ko8nQ==} engines: {node: '>=16'} /typed-array-buffer@1.0.2: @@ -6628,33 +6957,34 @@ packages: dependencies: call-bind: 1.0.7 for-each: 0.3.3 - gopd: 1.0.1 + gopd: 1.1.0 has-proto: 1.0.3 is-typed-array: 1.1.13 dev: true - /typed-array-byte-offset@1.0.2: - resolution: {integrity: sha512-Ous0vodHa56FviZucS2E63zkgtgrACj7omjwd/8lTEMEPFFyjfixMZ1ZXenpgCFBBt4EC1J2XsyVS2gkG0eTFA==} + /typed-array-byte-offset@1.0.3: + resolution: {integrity: sha512-GsvTyUHTriq6o/bHcTd0vM7OQ9JEdlvluu9YISaA7+KzDzPaIzEeDFNkTfhdE3MYcNhNi0vq/LlegYgIs5yPAw==} engines: {node: '>= 0.4'} dependencies: available-typed-arrays: 1.0.7 call-bind: 1.0.7 for-each: 0.3.3 - gopd: 1.0.1 + gopd: 1.1.0 has-proto: 1.0.3 is-typed-array: 1.1.13 + reflect.getprototypeof: 1.0.7 dev: true - /typed-array-length@1.0.6: - resolution: {integrity: sha512-/OxDN6OtAk5KBpGb28T+HZc2M+ADtvRxXrKKbUwtsLgdoxgX13hyy7ek6bFRl5+aBs2yZzB0c4CnQfAtVypW/g==} + /typed-array-length@1.0.7: + resolution: {integrity: sha512-3KS2b+kL7fsuk/eJZ7EQdnEmQoaho/r6KUef7hxvltNA5DR8NAUM+8wJMbJyZ4G9/7i3v5zPBIMN5aybAh2/Jg==} engines: {node: '>= 0.4'} dependencies: call-bind: 1.0.7 for-each: 0.3.3 - gopd: 1.0.1 - has-proto: 1.0.3 + gopd: 1.1.0 is-typed-array: 1.1.13 possible-typed-array-names: 1.0.0 + reflect.getprototypeof: 1.0.7 dev: true /typedarray.prototype.slice@1.0.3: @@ -6666,10 +6996,10 @@ packages: es-abstract: 1.23.5 es-errors: 1.3.0 typed-array-buffer: 1.0.2 - typed-array-byte-offset: 1.0.2 + typed-array-byte-offset: 1.0.3 dev: true - /typescript-eslint@7.18.0(eslint@9.15.0)(typescript@5.6.3): + /typescript-eslint@7.18.0(eslint@9.16.0)(typescript@5.7.2): resolution: {integrity: sha512-PonBkP603E3tt05lDkbOMyaxJjvKqQrXsnow72sVeOFINDE/qNmnnd+f9b4N+U7W6MXnnYyrhtmF2t08QWwUbA==} engines: {node: ^18.18.0 || >=20.0.0} peerDependencies: @@ -6679,30 +7009,31 @@ packages: typescript: optional: true dependencies: - '@typescript-eslint/eslint-plugin': 7.18.0(@typescript-eslint/parser@7.18.0)(eslint@9.15.0)(typescript@5.6.3) - '@typescript-eslint/parser': 7.18.0(eslint@9.15.0)(typescript@5.6.3) - '@typescript-eslint/utils': 7.18.0(eslint@9.15.0)(typescript@5.6.3) - eslint: 9.15.0 - typescript: 5.6.3 + '@typescript-eslint/eslint-plugin': 7.18.0(@typescript-eslint/parser@7.18.0)(eslint@9.16.0)(typescript@5.7.2) + '@typescript-eslint/parser': 7.18.0(eslint@9.16.0)(typescript@5.7.2) + '@typescript-eslint/utils': 7.18.0(eslint@9.16.0)(typescript@5.7.2) + eslint: 9.16.0 + typescript: 5.7.2 transitivePeerDependencies: - supports-color dev: true - /typescript-eslint@8.14.0(eslint@9.15.0)(typescript@5.6.3): - resolution: {integrity: sha512-K8fBJHxVL3kxMmwByvz8hNdBJ8a0YqKzKDX6jRlrjMuNXyd5T2V02HIq37+OiWXvUUOXgOOGiSSOh26Mh8pC3w==} + /typescript-eslint@8.16.0(eslint@9.16.0)(typescript@5.7.2): + resolution: {integrity: sha512-wDkVmlY6O2do4V+lZd0GtRfbtXbeD0q9WygwXXSJnC1xorE8eqyC2L1tJimqpSeFrOzRlYtWnUp/uzgHQOgfBQ==} engines: {node: ^18.18.0 || ^20.9.0 || >=21.1.0} peerDependencies: + eslint: ^8.57.0 || ^9.0.0 typescript: '*' peerDependenciesMeta: typescript: optional: true dependencies: - '@typescript-eslint/eslint-plugin': 8.14.0(@typescript-eslint/parser@8.14.0)(eslint@9.15.0)(typescript@5.6.3) - '@typescript-eslint/parser': 8.14.0(eslint@9.15.0)(typescript@5.6.3) - '@typescript-eslint/utils': 8.14.0(eslint@9.15.0)(typescript@5.6.3) - typescript: 5.6.3 + '@typescript-eslint/eslint-plugin': 8.16.0(@typescript-eslint/parser@8.16.0)(eslint@9.16.0)(typescript@5.7.2) + '@typescript-eslint/parser': 8.16.0(eslint@9.16.0)(typescript@5.7.2) + '@typescript-eslint/utils': 8.16.0(eslint@9.16.0)(typescript@5.7.2) + eslint: 9.16.0 + typescript: 5.7.2 transitivePeerDependencies: - - eslint - supports-color dev: true @@ -6718,8 +7049,8 @@ packages: hasBin: true dev: true - /typescript@5.6.3: - resolution: {integrity: sha512-hjcS1mhfuyi4WW8IWtjP7brDrG2cuDZukyrYrSauoXGNgx0S7zceP07adYkJycEr56BOUTNPzbInooiN3fn1qw==} + /typescript@5.7.2: + resolution: {integrity: sha512-i5t66RHxDvVN40HfDd1PsEThGNnlMCMT3jMUuoh9/0TaqWevNontacunWyN02LA9/fIbEWlcHZcgTKb9QoaLfg==} engines: {node: '>=14.17'} hasBin: true dev: true @@ -6737,8 +7068,8 @@ packages: resolution: {integrity: sha512-GMXzWtsc57XAtguZgaQViUOzs0KTkk8ojr3/xAxXLITqf/3EMwxC0inyETfDFjH/Krbhuep0HNbbjI9i/q3F3g==} dev: true - /undici-types@6.19.8: - resolution: {integrity: sha512-ve2KP6f/JnbPBFyobGHuerC9g1FYGn/F8n1LWTwNxCEzd6IfqTwUQcNXgEtmmQ6DlRrC1hrSrBnCZPokRrDHjw==} + /undici-types@6.20.0: + resolution: {integrity: sha512-Ny6QZ2Nju20vw1SRHe3d9jVu6gJ+4e3+MMpqu7pqE5HT6WsTSlce++GQmK5UXS8mzV8DSYHrQH+Xrf2jVcuKNg==} dev: true /unicode-emoji-modifier-base@1.0.0: @@ -6907,18 +7238,19 @@ packages: vfile-message: 4.0.2 dev: true - /vite-node@2.1.5(@types/node@22.9.0): - resolution: {integrity: sha512-rd0QIgx74q4S1Rd56XIiL2cYEdyWn13cunYBIuqh9mpmQr7gGS0IxXoP8R6OaZtNQQLyXSWbd4rXKYUbhFpK5w==} - engines: {node: ^18.0.0 || >=20.0.0} + /vite-node@2.1.6(@types/node@22.10.1)(tsx@4.19.2): + resolution: {integrity: sha512-DBfJY0n9JUwnyLxPSSUmEePT21j8JZp/sR9n+/gBwQU6DcQOioPdb8/pibWfXForbirSagZCilseYIwaL3f95A==} + engines: {node: ^18.0.0 || ^20.0.0 || >=22.0.0} hasBin: true dependencies: cac: 6.7.14 debug: 4.3.7 es-module-lexer: 1.5.4 pathe: 1.1.2 - vite: 5.4.11(@types/node@22.9.0) + vite: 6.0.1(@types/node@22.10.1)(tsx@4.19.2) transitivePeerDependencies: - '@types/node' + - jiti - less - lightningcss - sass @@ -6927,9 +7259,11 @@ packages: - sugarss - supports-color - terser + - tsx + - yaml dev: true - /vite@5.4.11(@types/node@22.9.0): + /vite@5.4.11(@types/node@22.10.1): resolution: {integrity: sha512-c7jFQRklXua0mTzneGW9QVyxFjUgwcihC4bXEtujIo2ouWCe1Ajt/amn2PCxYnhYfd5k09JX3SB7OYWFKYqj8Q==} engines: {node: ^18.0.0 || >=20.0.0} hasBin: true @@ -6960,15 +7294,64 @@ packages: terser: optional: true dependencies: - '@types/node': 22.9.0 + '@types/node': 22.10.1 esbuild: 0.21.5 postcss: 8.4.49 - rollup: 4.27.2 + rollup: 4.28.0 optionalDependencies: fsevents: 2.3.3 dev: true - /vitepress@1.5.0(@algolia/client-search@5.14.2)(@types/node@22.9.0)(search-insights@2.17.2)(typescript@5.6.3): + /vite@6.0.1(@types/node@22.10.1)(tsx@4.19.2): + resolution: {integrity: sha512-Ldn6gorLGr4mCdFnmeAOLweJxZ34HjKnDm4HGo6P66IEqTxQb36VEdFJQENKxWjupNfoIjvRUnswjn1hpYEpjQ==} + engines: {node: ^18.0.0 || ^20.0.0 || >=22.0.0} + hasBin: true + peerDependencies: + '@types/node': ^18.0.0 || ^20.0.0 || >=22.0.0 + jiti: '>=1.21.0' + less: '*' + lightningcss: ^1.21.0 + sass: '*' + sass-embedded: '*' + stylus: '*' + sugarss: '*' + terser: ^5.16.0 + tsx: ^4.8.1 + yaml: ^2.4.2 + peerDependenciesMeta: + '@types/node': + optional: true + jiti: + optional: true + less: + optional: true + lightningcss: + optional: true + sass: + optional: true + sass-embedded: + optional: true + stylus: + optional: true + sugarss: + optional: true + terser: + optional: true + tsx: + optional: true + yaml: + optional: true + dependencies: + '@types/node': 22.10.1 + esbuild: 0.24.0 + postcss: 8.4.49 + rollup: 4.28.0 + tsx: 4.19.2 + optionalDependencies: + fsevents: 2.3.3 + dev: true + + /vitepress@1.5.0(@algolia/client-search@5.15.0)(@types/node@22.10.1)(search-insights@2.17.3)(typescript@5.7.2): resolution: {integrity: sha512-q4Q/G2zjvynvizdB3/bupdYkCJe2umSAMv9Ju4d92E6/NXJ59z70xB0q5p/4lpRyAwflDsbwy1mLV9Q5+nlB+g==} hasBin: true peerDependencies: @@ -6981,23 +7364,23 @@ packages: optional: true dependencies: '@docsearch/css': 3.8.0 - '@docsearch/js': 3.8.0(@algolia/client-search@5.14.2)(search-insights@2.17.2) - '@iconify-json/simple-icons': 1.2.11 - '@shikijs/core': 1.23.0 - '@shikijs/transformers': 1.23.0 - '@shikijs/types': 1.23.0 + '@docsearch/js': 3.8.0(@algolia/client-search@5.15.0)(search-insights@2.17.3) + '@iconify-json/simple-icons': 1.2.13 + '@shikijs/core': 1.24.0 + '@shikijs/transformers': 1.24.0 + '@shikijs/types': 1.24.0 '@types/markdown-it': 14.1.2 - '@vitejs/plugin-vue': 5.2.0(vite@5.4.11)(vue@3.5.13) - '@vue/devtools-api': 7.6.4 + '@vitejs/plugin-vue': 5.2.1(vite@5.4.11)(vue@3.5.13) + '@vue/devtools-api': 7.6.7 '@vue/shared': 3.5.13 - '@vueuse/core': 11.2.0(vue@3.5.13) - '@vueuse/integrations': 11.2.0(focus-trap@7.6.2)(vue@3.5.13) + '@vueuse/core': 11.3.0(vue@3.5.13) + '@vueuse/integrations': 11.3.0(focus-trap@7.6.2)(vue@3.5.13) focus-trap: 7.6.2 mark.js: 8.11.1 - minisearch: 7.1.0 - shiki: 1.23.0 - vite: 5.4.11(@types/node@22.9.0) - vue: 3.5.13(typescript@5.6.3) + minisearch: 7.1.1 + shiki: 1.24.0 + vite: 5.4.11(@types/node@22.10.1) + vue: 3.5.13(typescript@5.7.2) transitivePeerDependencies: - '@algolia/client-search' - '@types/node' @@ -7027,15 +7410,15 @@ packages: - universal-cookie dev: true - /vitest@2.1.5(@types/node@22.9.0)(jsdom@25.0.1): - resolution: {integrity: sha512-P4ljsdpuzRTPI/kbND2sDZ4VmieerR2c9szEZpjc+98Z9ebvnXmM5+0tHEKqYZumXqlvnmfWsjeFOjXVriDG7A==} - engines: {node: ^18.0.0 || >=20.0.0} + /vitest@2.1.6(@types/node@22.10.1)(jsdom@25.0.1)(tsx@4.19.2): + resolution: {integrity: sha512-isUCkvPL30J4c5O5hgONeFRsDmlw6kzFEdLQHLezmDdKQHy8Ke/B/dgdTMEgU0vm+iZ0TjW8GuK83DiahBoKWQ==} + engines: {node: ^18.0.0 || ^20.0.0 || >=22.0.0} hasBin: true peerDependencies: '@edge-runtime/vm': '*' - '@types/node': ^18.0.0 || >=20.0.0 - '@vitest/browser': 2.1.5 - '@vitest/ui': 2.1.5 + '@types/node': ^18.0.0 || ^20.0.0 || >=22.0.0 + '@vitest/browser': 2.1.6 + '@vitest/ui': 2.1.6 happy-dom: '*' jsdom: '*' peerDependenciesMeta: @@ -7052,29 +7435,30 @@ packages: jsdom: optional: true dependencies: - '@types/node': 22.9.0 - '@vitest/expect': 2.1.5 - '@vitest/mocker': 2.1.5(vite@5.4.11) - '@vitest/pretty-format': 2.1.5 - '@vitest/runner': 2.1.5 - '@vitest/snapshot': 2.1.5 - '@vitest/spy': 2.1.5 - '@vitest/utils': 2.1.5 + '@types/node': 22.10.1 + '@vitest/expect': 2.1.6 + '@vitest/mocker': 2.1.6(vite@6.0.1) + '@vitest/pretty-format': 2.1.6 + '@vitest/runner': 2.1.6 + '@vitest/snapshot': 2.1.6 + '@vitest/spy': 2.1.6 + '@vitest/utils': 2.1.6 chai: 5.1.2 debug: 4.3.7 expect-type: 1.1.0 jsdom: 25.0.1 - magic-string: 0.30.12 + magic-string: 0.30.14 pathe: 1.1.2 std-env: 3.8.0 tinybench: 2.9.0 tinyexec: 0.3.1 tinypool: 1.0.2 tinyrainbow: 1.2.0 - vite: 5.4.11(@types/node@22.9.0) - vite-node: 2.1.5(@types/node@22.9.0) + vite: 6.0.1(@types/node@22.10.1)(tsx@4.19.2) + vite-node: 2.1.6(@types/node@22.10.1)(tsx@4.19.2) why-is-node-running: 2.3.0 transitivePeerDependencies: + - jiti - less - lightningcss - msw @@ -7084,6 +7468,8 @@ packages: - sugarss - supports-color - terser + - tsx + - yaml dev: true /vue-demi@0.14.10(vue@3.5.13): @@ -7098,10 +7484,10 @@ packages: '@vue/composition-api': optional: true dependencies: - vue: 3.5.13(typescript@5.6.3) + vue: 3.5.13(typescript@5.7.2) dev: true - /vue@3.5.13(typescript@5.6.3): + /vue@3.5.13(typescript@5.7.2): resolution: {integrity: sha512-wmeiSMxkZCSc+PM2w2VRsOYAZC8GdipNFRTsLSfodVqI9mbejKeXEGr8SckuLnrQPGe3oJN5c3K0vpoU9q/wCQ==} peerDependencies: typescript: '*' @@ -7114,7 +7500,7 @@ packages: '@vue/runtime-dom': 3.5.13 '@vue/server-renderer': 3.5.13(vue@3.5.13) '@vue/shared': 3.5.13 - typescript: 5.6.3 + typescript: 5.7.2 dev: true /w3c-xmlserializer@5.0.0: @@ -7170,14 +7556,43 @@ packages: is-symbol: 1.0.4 dev: true - /which-typed-array@1.1.15: - resolution: {integrity: sha512-oV0jmFtUky6CXfkqehVvBP/LSWJ2sy4vWMioiENyJLePrBO/yKyV9OyJySfAKosh+RYkIl5zJCNZ8/4JncrpdA==} + /which-builtin-type@1.2.0: + resolution: {integrity: sha512-I+qLGQ/vucCby4tf5HsLmGueEla4ZhwTBSqaooS+Y0BuxN4Cp+okmGuV+8mXZ84KDI9BA+oklo+RzKg0ONdSUA==} + engines: {node: '>= 0.4'} + dependencies: + call-bind: 1.0.7 + function.prototype.name: 1.1.6 + has-tostringtag: 1.0.2 + is-async-function: 2.0.0 + is-date-object: 1.0.5 + is-finalizationregistry: 1.1.0 + is-generator-function: 1.0.10 + is-regex: 1.2.0 + is-weakref: 1.0.2 + isarray: 2.0.5 + which-boxed-primitive: 1.0.2 + which-collection: 1.0.2 + which-typed-array: 1.1.16 + dev: true + + /which-collection@1.0.2: + resolution: {integrity: sha512-K4jVyjnBdgvc86Y6BkaLZEN933SwYOuBFkdmBu9ZfkcAbdVbpITnDmjvZ/aQjRXQrv5EPkTnD1s39GiiqbngCw==} + engines: {node: '>= 0.4'} + dependencies: + is-map: 2.0.3 + is-set: 2.0.3 + is-weakmap: 2.0.2 + is-weakset: 2.0.3 + dev: true + + /which-typed-array@1.1.16: + resolution: {integrity: sha512-g+N+GAWiRj66DngFwHvISJd+ITsyphZvD1vChfVg6cEdnzy53GzB3oy0fUNlvhz7H7+MiqhYr26qxQShCpKTTQ==} engines: {node: '>= 0.4'} dependencies: available-typed-arrays: 1.0.7 call-bind: 1.0.7 for-each: 0.3.3 - gopd: 1.0.1 + gopd: 1.1.0 has-tostringtag: 1.0.2 dev: true diff --git a/src/ClientPreset/ClientPreset.ts b/src/ClientPreset/ClientPreset.ts deleted file mode 100644 index bf7710e23..000000000 --- a/src/ClientPreset/ClientPreset.ts +++ /dev/null @@ -1,131 +0,0 @@ -import type { CamelCase } from 'type-fest' -import type { UseExtensionDo } from '../client/builderExtensions/use.js' -import { type Client, createWithContext } from '../client/client.js' -import { type Context, createContext, type TypeHooksEmpty } from '../client/context.js' -import type { InputBase } from '../client/Settings/Input.js' -import type { NormalizeInput } from '../client/Settings/InputToConfig.js' -import type { - Extension, - ExtensionConstructor, - ExtensionInputParametersNone, - ExtensionInputParametersOptional, - ExtensionInputParametersRequired, - InferExtensionFromConstructor, -} from '../extension/extension.js' -import type { Builder } from '../lib/builder/__.js' -import type { ConfigManager } from '../lib/config-manager/__.js' -import { type ToParametersExact, type Tuple } from '../lib/prelude.js' -import type { GlobalRegistry } from '../types/GlobalRegistry/GlobalRegistry.js' -import { Schema } from '../types/Schema/__.js' -import type { SchemaDrivenDataMap } from '../types/SchemaDrivenDataMap/__.js' - -/** - * Create a Client constructor with some initial context. - * - * Extensions constructors can be given. Their constructor parameters will - * be merged into the client constructor under a key matching the name of the extension. - */ -export const create: CreatePrefilled = (args) => { - const constructor = (input: any) => { // todo generic input type - const extensions = args.extensions?.map(extCtor => { - const extCtor_: (args: object | undefined) => Extension = extCtor - const keywordArgs: undefined | object = input?.[extCtor.info.name] - return extCtor_(keywordArgs) - }) ?? [] - - const scalars = args.scalars ?? Schema.Scalar.Registry.empty - const schemaMap = args.sddm ?? null - - const initialState = createContext({ - name: args.name, - extensions, - scalars, - schemaMap, - input: { - schema: args.schemaUrl, - // eslint-disable-next-line - // @ts-ignore passes after generation - ...input, - name: args.name, - }, - // retry: null, - }) - - const instance = createWithContext(initialState) - - return instance - } - - return constructor as any -} - -// dprint-ignore -type CreatePrefilled = < - const $Name extends string, - $Scalars extends Schema.Scalar.Registry, - const $ExtensionConstructors extends [...ExtensionConstructor[]], - $Params extends { - name: $Name - sddm?: SchemaDrivenDataMap - scalars?: $Scalars - schemaUrl?: URL | undefined - extensions?: $ExtensionConstructors - }, ->(keywordArgs: $Params) => - { - preset: $Params - <$ClientKeywordArgs extends ConstructorParameters<$Name, ConfigManager.OrDefault<$Params['extensions'], []>>>( - ...args: ToParametersExact< - $ClientKeywordArgs, - ConstructorParameters<$Name, ConfigManager.OrDefault<$Params['extensions'], []>> - > - ): ApplyPrefilledExtensions< - ConfigManager.OrDefault<$Params['extensions'], []>, - // @ts-expect-error fixme - Client<{ - input: $ClientKeywordArgs - name: $Params['name'] - schemaMap: ConfigManager.OrDefault<$Params['sddm'], null> - scalars: ConfigManager.OrDefault<$Params['scalars'], Schema.Scalar.Registry.Empty> - config: NormalizeInput<$ClientKeywordArgs & { name: $Name; schemaMap: SchemaDrivenDataMap }> - typeHooks: TypeHooksEmpty - // This will be populated by statically applying preset extensions. - extensions: [] - // retry: null - }> - > - } - -type ConstructorParameters< - $Name extends string, - $Extensions extends [...ExtensionConstructor[]], -> = - & InputBase> - & Tuple.IntersectItems> - -// dprint-ignore -type GetParametersContributedByExtensions = { - [$Index in keyof Extensions]: - Extensions[$Index]['info']['configInputParameters'] extends ExtensionInputParametersNone ? {} : - Extensions[$Index]['info']['configInputParameters'] extends ExtensionInputParametersRequired ? { [_ in CamelCase]: Extensions[$Index]['info']['configInputParameters'][0] } : - Extensions[$Index]['info']['configInputParameters'] extends ExtensionInputParametersOptional ? { [_ in CamelCase]?: Extensions[$Index]['info']['configInputParameters'][0] } : - {} -} - -// dprint-ignore -type ApplyPrefilledExtensions< - $ExtensionConstructors extends [...ExtensionConstructor[]], - $Client extends Client, -> = - $ExtensionConstructors extends [] - ? $Client - : $ExtensionConstructors extends [infer $ExtensionConstructor extends ExtensionConstructor, ...infer $Rest extends ExtensionConstructor[]] - ? ApplyPrefilledExtensions< - $Rest, - // @ts-expect-error fixme - UseExtensionDo< - Builder.Private.Get<$Client>, - InferExtensionFromConstructor<$ExtensionConstructor> - > - > - : never diff --git a/src/ClientPreset/__.test-d.ts b/src/ClientPreset/__.test-d.ts deleted file mode 100644 index 622033443..000000000 --- a/src/ClientPreset/__.test-d.ts +++ /dev/null @@ -1,50 +0,0 @@ -import type { IntrospectionQuery } from 'graphql' -import { create } from '../client/client.js' -import { Introspection } from '../extensions/Introspection/Introspection.js' -import { assertEqual, assertExtends } from '../lib/assert-equal.js' -import { ClientPreset } from './__.js' - -// Baseline tests of the base client constructor. -// These are here for easy comparison to the preset client. -{ - const graffle = create({ - name: `test`, - // @ts-expect-error not available - introspection: { - options: { - descriptions: true, - }, - }, - }) - assertEqual() -} - -// Preset Without Extensions. -{ - const create = ClientPreset.create({ name: `test` }) - assertEqual() - const graffle = create() - assertEqual() - assertEqual() -} - -// Preset With Extensions. -{ - const create = ClientPreset.create({ - name: `test`, - extensions: [Introspection], - }) - assertEqual() - const graffle = create({ - // Extension config is available here - introspection: { - options: { - descriptions: true, - }, - }, - }) - assertEqual() - assertExtends() - const result = await graffle.introspect() - assertEqual() -} diff --git a/src/ClientPreset/__.test.ts b/src/ClientPreset/__.test.ts deleted file mode 100644 index 9a54ee251..000000000 --- a/src/ClientPreset/__.test.ts +++ /dev/null @@ -1,44 +0,0 @@ -import { expect, test } from 'vitest' -import { createExtension } from '../entrypoints/extensionkit.js' -import { Introspection } from '../extensions/Introspection/Introspection.js' -import { ClientPreset } from './__.js' - -test(`Preset extension is used on constructed client`, () => { - const create = ClientPreset.create({ name: `test`, extensions: [Introspection] }) - const graffle = create({ introspection: { options: { descriptions: true } } }) - expect(typeof graffle.introspect).toBe(`function`) -}) - -test(`If extension required input then client constructor input property is NOT optional`, () => { - const Ex = createExtension({ - name: `test`, - normalizeConfig: (_: { a: 1; b?: 2 }) => { - return { a: 11, b: 22 } - }, - create: () => { - return {} - }, - }) - const create = ClientPreset.create({ name: `test`, extensions: [Ex] }) - // @ts-expect-error Arguments required. - create() - // @ts-expect-error Arguments required. - create({}) - create({ test: { a: 1 } }) -}) - -test(`If extension has no required input then client constructor input property IS optional`, () => { - const Ex = createExtension({ - name: `test`, - normalizeConfig: (_?: { a?: 1; b?: 2 }) => { - return { a: 11, b: 22 } - }, - create: () => { - return {} - }, - }) - const create = ClientPreset.create({ name: `test`, extensions: [Ex] }) - // OK. Arguments NOT required. - create() - create({}) -}) diff --git a/src/ClientPreset/__.ts b/src/ClientPreset/__.ts deleted file mode 100644 index 48728fa34..000000000 --- a/src/ClientPreset/__.ts +++ /dev/null @@ -1 +0,0 @@ -export * as ClientPreset from './ClientPreset.js' diff --git a/src/client/Configuration/ConfigInit.ts b/src/client/Configuration/ConfigInit.ts new file mode 100644 index 000000000..c8c03d952 --- /dev/null +++ b/src/client/Configuration/ConfigInit.ts @@ -0,0 +1,155 @@ +import type { ConfigManager } from '../../lib/config-manager/__.js' +import { GlobalRegistry } from '../../types/GlobalRegistry/GlobalRegistry.js' +import type { SchemaDrivenDataMap } from '../../types/SchemaDrivenDataMap/__.js' +import type { OutputChannel, OutputChannelConfig } from './Output.js' +import { outputConfigDefault } from './Output.js' + +export type DefaultCheckPreflight = true + +export const defaultCheckPreflight: DefaultCheckPreflight = true + +export type DefaultName = GlobalRegistry.DefaultClientName + +export const defaultName = GlobalRegistry.defaultClientName + +/** + * @remarks This input extends base with properties that can be filled with exports from the generated client. + */ +export type ConfigInit<$Client extends GlobalRegistry.Client = GlobalRegistry.Client> = { + /** + * TODO + */ + checkPreflight?: boolean + /** + * TODO + */ + output?: ConfigInitOutput + /** + * The generated client to use. + * + * @defaultValue 'default' + */ + name?: $Client['name'] + /** + * todo + */ + readonly schemaMap?: SchemaDrivenDataMap +} + +export type ConfigInitOutputEnvelopeLonghand = { + /** + * @defaultValue `true` + */ + enabled?: boolean + errors?: { + execution?: boolean + other?: boolean + } +} + +// dprint-ignore +export type ConfigInitOutput = + { + /** + * Defaults for certain aspects of output behavior. + */ + defaults?: { + /** + * The default error channel to use. + * + * @defaultValue `'throw'` + */ + errorChannel?: OutputChannel + } + /** + * @defaultValue `false` + */ + envelope?: boolean | ConfigInitOutputEnvelopeLonghand + /** + * Granular control of how to output errors by category. + */ + errors?: { + /** + * Execution errors. These are errors you would traditionally see in the GraphQL execution result `'errors'` field. + */ + execution?: OutputChannelConfig + /** + * Other errors include things like network errors thrown by fetch (when using HTTP transport), errors thrown from extensions, etc. + */ + other?: OutputChannelConfig + } + } + +// dprint-ignore +export type NormalizeConfigInit<$ConfigInit extends ConfigInit> = { + [_ in keyof $ConfigInit]: + _ extends 'output' + ? NormalizeConfigInitOutput<$ConfigInit['output']> + : $ConfigInit[_] +} + +// dprint-ignore +type NormalizeConfigInitOutput<$Output extends ConfigInitOutput | undefined> = { + defaults: { + errorChannel: ConfigManager.GetAtPathOrDefault<$Output, ['defaults', 'errorChannel'], 'throw'> + } + envelope: { + enabled: + ConfigManager.GetOptional<$Output, ['envelope']> extends boolean ? ConfigManager.GetOptional<$Output, ['envelope']> + : ConfigManager.GetOptional<$Output, ['envelope','enabled']> extends boolean ? ConfigManager.GetOptional<$Output, ['envelope','enabled']> + : ConfigManager.GetOptional<$Output, ['envelope']> extends object ? true + : false + errors: { + execution: ConfigManager.GetAtPathOrDefault<$Output, ['envelope','errors','execution'], true> + other: ConfigManager.GetAtPathOrDefault<$Output, ['envelope','errors','other'], false> + schema: ConfigManager.GetAtPathOrDefault<$Output, ['envelope','errors','schema'], false> + } + } + errors: { + execution: ConfigManager.GetAtPathOrDefault<$Output,['errors', 'execution'], 'default'> + other: ConfigManager.GetAtPathOrDefault<$Output,['errors', 'other'], 'default'> + schema: ConfigManager.GetAtPathOrDefault<$Output,['errors', 'schema'], false> + } +} + +export const normalizeConfigInit = <$Input extends ConfigInit>( + input: $Input, +): NormalizeConfigInit<$Input> => { + const outputEnvelopeLonghand: ConfigInitOutputEnvelopeLonghand | undefined = + typeof input.output?.envelope === `object` + ? { enabled: true, ...input.output.envelope } + : typeof input.output?.envelope === `boolean` + ? { enabled: input.output.envelope } + : undefined + + const config = { + output: { + defaults: { + errorChannel: input.output?.defaults?.errorChannel ?? outputConfigDefault.defaults.errorChannel, + }, + envelope: { + enabled: outputEnvelopeLonghand?.enabled ?? outputConfigDefault.envelope.enabled, + errors: { + execution: outputEnvelopeLonghand?.errors?.execution ?? outputConfigDefault.envelope.errors.execution, + other: outputEnvelopeLonghand?.errors?.other ?? outputConfigDefault.envelope.errors.other, + // @ts-expect-error conditional type + schema: outputEnvelopeLonghand?.errors?.schema ?? outputConfigDefault.envelope.errors.schema, + }, + }, + errors: { + execution: input.output?.errors?.execution ?? outputConfigDefault.errors.execution, + other: input.output?.errors?.other ?? outputConfigDefault.errors.other, + // @ts-expect-error conditional type + schema: input.output?.errors?.schema ?? outputConfigDefault.errors.schema, + }, + }, + } + + if (input.schemaMap) { + // @ts-expect-error + config.schemaMap = input.schemaMap + } + + // @ts-expect-error conditional type + return config +} diff --git a/src/client/Settings/Config.ts b/src/client/Configuration/Output.ts similarity index 59% rename from src/client/Settings/Config.ts rename to src/client/Configuration/Output.ts index 9c634b0d5..15980b236 100644 --- a/src/client/Settings/Config.ts +++ b/src/client/Configuration/Output.ts @@ -1,22 +1,17 @@ -import type { GraphQLSchema } from 'graphql' -import type { RequireProperties } from '../../lib/prelude.js' -import type { TransportHttp, TransportMemory } from '../../types/Transport.js' -import type { TransportHttpInput } from '../transportHttp/request.js' - export type OutputChannel = 'throw' | 'return' export type OutputChannelConfig = 'throw' | 'return' | 'default' export type ErrorCategory = 'execution' | 'other' -export const readConfigErrorCategoryOutputChannel = ( - config: Config, +export const readErrorCategoryOutputChannel = ( + output: OutputConfig, errorCategory: ErrorCategory, ): OutputChannel | false => { - if (config.output.errors[errorCategory] === `default`) { - return config.output.defaults.errorChannel + if (output.errors[errorCategory] === `default`) { + return output.defaults.errorChannel } - return config.output.errors[errorCategory] + return output.errors[errorCategory] } export const traditionalGraphqlOutput = { @@ -36,9 +31,9 @@ export const traditionalGraphqlOutputThrowing: OutputConfig = { }, } -export const isContextConfigTraditionalGraphQLOutput = (config: Config) => { - return config.output.envelope.enabled && config.output.envelope.errors.execution - && !config.output.envelope.errors.other +export const isOutputTraditionalGraphQLOutput = (output: OutputConfig) => { + return output.envelope.enabled && output.envelope.errors.execution + && !output.envelope.errors.other } export type OutputConfig = { @@ -91,19 +86,3 @@ export type OutputConfigDefault = { other: 'default' } } - -export interface TransportConfigHttp { - type: TransportHttp - url: string | URL - config: RequireProperties -} - -export interface TransportConfigMemory { - type: TransportMemory - schema: GraphQLSchema -} - -export type Config = { - output: OutputConfig - transport: TransportConfigHttp | TransportConfigMemory -} diff --git a/src/client/Settings/client.create.config.output.test-d.ts b/src/client/Configuration/client.create.config.output.test-d.ts similarity index 84% rename from src/client/Settings/client.create.config.output.test-d.ts rename to src/client/Configuration/client.create.config.output.test-d.ts index 3b10c883a..2e6c64633 100644 --- a/src/client/Settings/client.create.config.output.test-d.ts +++ b/src/client/Configuration/client.create.config.output.test-d.ts @@ -4,17 +4,16 @@ import { describe } from 'node:test' import { expectTypeOf, test } from 'vitest' import { Graffle } from '../../../tests/_/schemas/kitchen-sink/graffle/__.js' import { schema } from '../../../tests/_/schemas/kitchen-sink/schema.js' +import type { Anyware } from '../../lib/anyware/__.js' import { assertEqual } from '../../lib/assert-equal.js' import { type GraphQLExecutionResultError } from '../../lib/grafaid/graphql.js' -import type { requestPipeline } from '../../requestPipeline/RequestPipeline.js' const G = Graffle.create -const defaultGraffle = Graffle.create({ schema }) +const defaultGraffle = Graffle.create() describe('default is errors thrown, no envelope, no schema errors', async () => { const graffle = G({ - schema, output: { defaults: { errorChannel: 'throw', @@ -56,7 +55,7 @@ describe('.envelope', () => { // const fieldMethod = <$Graffle extends {query:{__typename:()=>Promise}}>(g: $Graffle) => g.query.__typename() describe('false disables it ', () => { - const g = G({ schema, output: { envelope: false } }) + const g = G({ output: { envelope: false } }) test('query.', () => { expectTypeOf(g.query.__typename()).resolves.toEqualTypeOf() @@ -69,7 +68,7 @@ describe('.envelope', () => { }) }) describe('true enables it', () => { - const g = Graffle.create({ schema, output: { envelope: true } }) + const g = Graffle.create({ output: { envelope: true } }) test('query.', () => { expectTypeOf(g.query.__typename()).resolves.toMatchTypeOf() }) @@ -82,37 +81,35 @@ describe('.envelope', () => { }) }) test('object enables it', async () => { - const graffle = Graffle.create({ schema, output: { envelope: {} } }) + const graffle = Graffle.create({ output: { envelope: {} } }) expectTypeOf(await graffle.query.__typename()).toMatchTypeOf() }) describe('.enabled', () => { test('false disables it', async () => { - const graffle = Graffle.create({ schema, output: { envelope: { enabled: false } } }) + const graffle = Graffle.create({ output: { envelope: { enabled: false } } }) expectTypeOf(await graffle.query.__typename()).toEqualTypeOf() }) test('true enables it', async () => { - const graffle = Graffle.create({ schema, output: { envelope: { enabled: true } } }) + const graffle = Graffle.create({ output: { envelope: { enabled: true } } }) expectTypeOf(await graffle.query.__typename()).toMatchTypeOf() }) }) describe('with defaults.errorChannel: "return"', () => { describe('.errors', () => { test('defaults to execution errors in envelope', () => { - const g = G({ schema, output: { defaults: { errorChannel: 'return' }, envelope: true } }) - expectTypeOf(g.query.__typename()).resolves.toMatchTypeOf | requestPipeline.ResultFailure>() + const g = G({ output: { defaults: { errorChannel: 'return' }, envelope: true } }) + expectTypeOf(g.query.__typename()).resolves.toMatchTypeOf | Anyware.ResultFailure>() }) test('.execution:false restores errors to return', async () => { const g = G({ - schema, output: { defaults: { errorChannel: 'return' }, envelope: { errors: { execution: false } } }, }) expectTypeOf(await g.query.__typename()).toEqualTypeOf< - Omit, 'errors'> | requestPipeline.ResultFailure | GraphQLExecutionResultError + Omit, 'errors'> | Anyware.ResultFailure | GraphQLExecutionResultError >() }) test('.other:true raises them to envelope', () => { const g = G({ - schema, output: { defaults: { errorChannel: 'return' }, envelope: { errors: { other: true } } }, }) expectTypeOf(g.query.__typename()).resolves.toMatchTypeOf>() @@ -121,7 +118,6 @@ describe('.envelope', () => { }) test('with no errors included, then there are no error fields in the envelope', async () => { const g = G({ - schema, // todo allow this shorthand // output: { envelope: false }, output: { envelope: { errors: { execution:false, other:false } } }, @@ -133,31 +129,28 @@ describe('.envelope', () => { describe('defaults.errorChannel: "return"', () => { describe('puts errors into return type', () => { - const g = G({ schema, output: { defaults: { errorChannel: 'return' } } }) + const g = G({ output: { defaults: { errorChannel: 'return' } } }) test('query.', async () => { expectTypeOf(await g.query.__typename()).toEqualTypeOf< - 'Query' | requestPipeline.ResultFailure | GraphQLExecutionResultError + 'Query' | Anyware.ResultFailure | GraphQLExecutionResultError >() }) }) describe('with .errors', () => { test('.execution: throw', async () => { const g = G({ - schema, output: { defaults: { errorChannel: 'return' }, errors: { execution: 'throw' } }, }) - expectTypeOf(await g.query.__typename()).toEqualTypeOf<'Query' | requestPipeline.ResultFailure>() + expectTypeOf(await g.query.__typename()).toEqualTypeOf<'Query' | Anyware.ResultFailure>() }) test('.other: throw', async () => { const g = G({ - schema, output: { defaults: { errorChannel: 'return' }, errors: { other: 'throw' } }, }) expectTypeOf(await g.query.__typename()).toEqualTypeOf<'Query' | GraphQLExecutionResultError>() }) test('.*: throw', async () => { const g = G({ - schema, output: { defaults: { errorChannel: 'return' }, errors: { other: 'throw', execution: 'throw' } }, }) expectTypeOf(await g.query.__typename()).toEqualTypeOf<'Query'>() diff --git a/src/client/Settings/client.input.test-d.ts b/src/client/Configuration/client.input.test-d.ts similarity index 52% rename from src/client/Settings/client.input.test-d.ts rename to src/client/Configuration/client.input.test-d.ts index f22b468e1..337a29441 100644 --- a/src/client/Settings/client.input.test-d.ts +++ b/src/client/Configuration/client.input.test-d.ts @@ -1,10 +1,9 @@ import { test } from 'vitest' import { Graffle } from '../../../tests/_/schemas/kitchen-sink/graffle/__.js' -import { schema } from '../../../tests/_/schemas/kitchen-sink/schema.js' import { QueryOnly } from '../../../tests/_/schemas/query-only/graffle/__.js' test(`works`, () => { - Graffle.create({ schema, output: { errors: { execution: `throw` } } }) + Graffle.create({ output: { errors: { execution: `throw` } } }) // @ts-expect-error schema error config not available. - QueryOnly.create({ schema, name: `QueryOnly`, output: { errors: { execution: `throw` } } }) + QueryOnly.create({ name: `QueryOnly`, output: { errors: { schema: `throw` } } }) }) diff --git a/src/client/Settings/Input.ts b/src/client/Settings/Input.ts deleted file mode 100644 index 7dbf2bc84..000000000 --- a/src/client/Settings/Input.ts +++ /dev/null @@ -1,75 +0,0 @@ -import type { GraphQLSchema } from 'graphql' -import type { GlobalRegistry } from '../../types/GlobalRegistry/GlobalRegistry.js' -import type { SchemaDrivenDataMap } from '../../types/SchemaDrivenDataMap/__.js' -import type { WithInput } from './inputIncrementable/inputIncrementable.js' - -export type URLInput = URL | string - -export type InputOutputEnvelopeLonghand = { - /** - * @defaultValue `true` - */ - enabled?: boolean - errors?: { - execution?: boolean - other?: boolean - } -} - -/** - * @remarks This input extends base with properties that can be filled with exports from the generated client. - */ -export type InputStatic<$Client extends GlobalRegistry.Client = GlobalRegistry.Client> = - & InputBase<$Client> - & { - /** - * The schema to use. - * - * TODO why don't we infer this from the runtime schemaIndex? - * - * @defaultValue 'default' - */ - name?: $Client['name'] - /** - * todo - */ - readonly schemaMap?: SchemaDrivenDataMap | null - } - -// TODO use code generation to display -// TODO test that schema is optional when introspection was used to generate client. -// dprint-ignore -export type InputBase<$Client extends GlobalRegistry.Client> = - | ( - & ( - GlobalRegistry.HasDefaultUrlForSchema<$Client> extends true - ? { - /** - * @defaultValue The introspection URL used to generate this Graffle client. - */ - schema?: URLInput - } - : { - schema: URLInput - } - ) - // eslint-disable-next-line - // @ts-ignore passes after generation - & WithInput<{ name: $Client['name']; transport: { type: 'http'} }> - ) - | ( - & ( - GlobalRegistry.HasDefaultUrlForSchema<$Client> extends true - ? { - /** - * TODO this TSDoc is never rendered in VSCode... - * @defaultValue The introspection URL used to generate this Graffle client. - */ - schema?: GraphQLSchema - } - : { schema: GraphQLSchema } - ) - // eslint-disable-next-line - // @ts-ignore passes after generation - & WithInput<{ name: $Client['name']; transport: { type: 'memory'} }> - ) diff --git a/src/client/Settings/InputToConfig.ts b/src/client/Settings/InputToConfig.ts deleted file mode 100644 index e2bc98de2..000000000 --- a/src/client/Settings/InputToConfig.ts +++ /dev/null @@ -1,106 +0,0 @@ -import type { IsUnknown } from 'type-fest' -import type { ConfigManager } from '../../lib/config-manager/__.js' -import type { GlobalRegistry } from '../../types/GlobalRegistry/GlobalRegistry.js' -import { Transport } from '../../types/Transport.js' -import { defaultMethodMode } from '../transportHttp/request.js' -import { outputConfigDefault, type TransportConfigHttp, type TransportConfigMemory } from './Config.js' -import type { InputOutputEnvelopeLonghand, InputStatic, URLInput } from './Input.js' - -// dprint-ignore -export type NormalizeInput<$Input extends InputStatic> = { - transport: HandleTransport<$Input> - output: { - defaults: { - errorChannel: ConfigManager.GetAtPathOrDefault<$Input, ['output', 'defaults', 'errorChannel'], 'throw'> - } - envelope: { - enabled: - ConfigManager.GetOptional<$Input, ['output','envelope']> extends boolean ? ConfigManager.GetOptional<$Input, ['output','envelope']> - : ConfigManager.GetOptional<$Input, ['output','envelope','enabled']> extends boolean ? ConfigManager.GetOptional<$Input, ['output','envelope','enabled']> - : ConfigManager.GetOptional<$Input, ['output','envelope']> extends object ? true - : false - errors: { - execution: ConfigManager.GetAtPathOrDefault<$Input, ['output','envelope','errors','execution'], true> - other: ConfigManager.GetAtPathOrDefault<$Input, ['output','envelope','errors','other'], false> - schema: ConfigManager.GetAtPathOrDefault<$Input, ['output','envelope','errors','schema'], false> - } - } - errors: { - execution: ConfigManager.GetAtPathOrDefault<$Input,['output', 'errors', 'execution'], 'default'> - other: ConfigManager.GetAtPathOrDefault<$Input,['output', 'errors', 'other'], 'default'> - schema: ConfigManager.GetAtPathOrDefault<$Input,['output', 'errors', 'schema'], false> - } - } -} - -export const defaultSchemaName: GlobalRegistry.DefaultClientName = `default` - -export const inputToConfig = <$Input extends InputStatic>( - input: $Input, -): NormalizeInput<$Input> => { - const outputEnvelopeLonghand: InputOutputEnvelopeLonghand | undefined = typeof input.output?.envelope === `object` - ? { enabled: true, ...input.output.envelope } - : typeof input.output?.envelope === `boolean` - ? { enabled: input.output.envelope } - : undefined - - const transport = handleTransport(input) - - return { - transport, - schemaMap: input.schemaMap ?? null as any, - output: { - defaults: { - // @ts-expect-error conditional type - errorChannel: input.output?.defaults?.errorChannel ?? outputConfigDefault.defaults.errorChannel, - }, - envelope: { - // @ts-expect-error conditional type - enabled: outputEnvelopeLonghand?.enabled ?? outputConfigDefault.envelope.enabled, - errors: { - // @ts-expect-error conditional type - execution: outputEnvelopeLonghand?.errors?.execution ?? outputConfigDefault.envelope.errors.execution, - // @ts-expect-error conditional type - other: outputEnvelopeLonghand?.errors?.other ?? outputConfigDefault.envelope.errors.other, - // @ts-expect-error conditional type - - schema: outputEnvelopeLonghand?.errors?.schema ?? outputConfigDefault.envelope.errors.schema, - }, - }, - errors: { - // @ts-expect-error conditional type - execution: input.output?.errors?.execution ?? outputConfigDefault.errors.execution, - // @ts-expect-error conditional type - other: input.output?.errors?.other ?? outputConfigDefault.errors.other, - // @ts-expect-error conditional type - - schema: input.output?.errors?.schema ?? outputConfigDefault.errors.schema, - }, - }, - } -} - -// dprint-ignore -type HandleTransport<$Input extends InputStatic> = - $Input['schema'] extends URLInput ? TransportConfigHttp : - // When the client is generated via introspection of a URL then the schema defaults to that URL. - // This is the only case when schema can be unknown from so we can assume that transport is HTTP. - IsUnknown<$Input['schema']> extends true ? TransportConfigHttp - : TransportConfigMemory - -const handleTransport = (input: T): HandleTransport => { - if (input.schema instanceof URL || typeof input.schema === `string`) { - return { - type: Transport.http, - url: input.schema, - config: { - methodMode: input.transport?.methodMode ?? defaultMethodMode, - ...input.transport, - }, - } as any - } - return { - type: Transport.memory, - schema: input.schema, - } as any -} diff --git a/src/client/Settings/inputIncrementable/inputIncrementable.ts b/src/client/Settings/inputIncrementable/inputIncrementable.ts deleted file mode 100644 index fe9ff077f..000000000 --- a/src/client/Settings/inputIncrementable/inputIncrementable.ts +++ /dev/null @@ -1,23 +0,0 @@ -import type { Transport, TransportMemory } from '../../../types/Transport.js' -import type { TransportHttpInput } from '../../transportHttp/request.js' -import type { OutputInput } from './output.js' - -// dprint-ignore -export type WithInput<$Context extends IncrementableInputContext = IncrementableInputContext> = - & { - /** - * Configure output behavior, such as if errors should be returned or thrown. - */ - output?: OutputInput - } - & ( - $Context['transport']['type'] extends TransportMemory - ? { transport?: never } - : { transport?: TransportHttpInput } - ) - -export type IncrementableInputContext = { - transport: { - type: Transport - } -} diff --git a/src/client/Settings/inputIncrementable/output.ts b/src/client/Settings/inputIncrementable/output.ts deleted file mode 100644 index 40653e883..000000000 --- a/src/client/Settings/inputIncrementable/output.ts +++ /dev/null @@ -1,38 +0,0 @@ -import type { OutputChannel, OutputChannelConfig } from '../Config.js' -import type { InputOutputEnvelopeLonghand } from '../Input.js' - -/** - * Input options for configuring request methods output behavior. - */ -// dprint-ignore -export type OutputInput = - { - /** - * Defaults for certain aspects of output behavior. - */ - defaults?: { - /** - * The default error channel to use. - * - * @defaultValue `'throw'` - */ - errorChannel?: OutputChannel - } - /** - * @defaultValue `false` - */ - envelope?: boolean | InputOutputEnvelopeLonghand - /** - * Granular control of how to output errors by category. - */ - errors?: { - /** - * Execution errors. These are errors you would traditionally see in the GraphQL execution result `'errors'` field. - */ - execution?: OutputChannelConfig - /** - * Other errors include things like network errors thrown by fetch (when using HTTP transport), errors thrown from extensions, etc. - */ - other?: OutputChannelConfig - } - } diff --git a/src/client/builderExtensions/anyware.ts b/src/client/builderExtensions/anyware.ts deleted file mode 100644 index 3c634ad1b..000000000 --- a/src/client/builderExtensions/anyware.ts +++ /dev/null @@ -1,38 +0,0 @@ -import { createExtension } from '../../extension/extension.js' -import type { Anyware as AnywareLib } from '../../lib/anyware/__.js' -import { Builder } from '../../lib/builder/__.js' -import type { RequestPipeline } from '../../requestPipeline/__.js' -import { type Context } from '../context.js' - -export interface BuilderExtensionAnyware extends Builder.Extension { - context: Context - // @ts-expect-error untyped params - return: Anyware -} - -export interface Anyware<$Arguments extends Builder.Extension.Parameters> { - /** - * TODO Anyware Docs. - */ - anyware: ( - interceptor: AnywareLib.Interceptor.InferFromPipeline, - ) => Builder.Definition.MaterializeWith<$Arguments['definition'], $Arguments['context']> -} - -export const builderExtensionAnyware = Builder.Extension.create((builder, context) => { - const properties = { - anyware: (interceptor: AnywareLib.Interceptor.InferFromPipeline) => { - return builder({ - ...context, - extensions: [ - ...context.extensions, - createExtension({ - name: `InlineAnyware`, - create: () => ({ onRequest: interceptor }), - })(), - ], - }) - }, - } - return properties -}) diff --git a/src/client/builderExtensions/internal.ts b/src/client/builderExtensions/internal.ts deleted file mode 100644 index ad7597791..000000000 --- a/src/client/builderExtensions/internal.ts +++ /dev/null @@ -1,21 +0,0 @@ -import { Builder } from '../../lib/builder/__.js' -import type { Context } from '../context.js' - -export interface BuilderExtensionInternal extends Builder.Extension { - context: Context - // @ts-expect-error untyped params - return: BuilderExtensionInternal_ -} - -type BuilderExtensionInternal_<$Args extends Builder.Extension.Parameters> = { - /** - * TODO - */ - _: $Args['context'] -} - -export const builderExtensionInternal = Builder.Extension.create((_, context) => { - return { - _: context, - } -}) diff --git a/src/client/builderExtensions/scalar.ts b/src/client/builderExtensions/scalar.ts deleted file mode 100644 index 14ae1e0ef..000000000 --- a/src/client/builderExtensions/scalar.ts +++ /dev/null @@ -1,89 +0,0 @@ -import type { Simplify } from 'type-fest' -import { Builder } from '../../lib/builder/__.js' -import type { ConfigManager } from '../../lib/config-manager/__.js' -import type { GlobalRegistry } from '../../types/GlobalRegistry/GlobalRegistry.js' -import { Schema } from '../../types/Schema/__.js' -import { type Context } from '../context.js' - -export interface BuilderExtensionScalar extends Builder.Extension { - context: Context - // @ts-expect-error untyped params - return: Simplify> -} - -interface ScalarExtension<$Args extends Builder.Extension.Parameters> { - /** - * TODO Docs. - */ - scalar: null extends $Args['context']['schemaMap'] ? TypeErrorMissingSchemaMap : ScalarMethod<$Args> -} - -export type TypeErrorMissingSchemaMap = - `Error: Your client must have a schemaMap in order to apply registered scalars. Therefore we're providing this static error type message here instead of allowing you continue registering scalars that will never be applied.` - -type ScalarMethod<$Args extends Builder.Extension.Parameters> = { - /** - * TODO Docs. - */ - < - $Name extends GlobalRegistry.GetOrGeneric<$Args['context']['name']>['schema']['scalarNamesUnion'], - $Decoded, - >( - name: $Name, - $Codec: { - decode: (value: string) => $Decoded - encode: (value: $Decoded) => string - }, - ): Builder.Definition.MaterializeWith< - $Args['definition'], - ConfigManager.SetAtPath< - $Args['context'], - ['scalars'], - Simplify< - Schema.Scalar.Registry.AddScalar< - $Args['context']['scalars'], - Schema.Scalar<$Name, $Decoded, string> - > - > - > - > - - /* - * TODO Docs. - */ - <$Scalar extends Schema.Scalar['schema']['scalarNamesUnion']>>( - scalar: $Scalar, - ): Builder.Definition.MaterializeWith< - $Args['definition'], - ConfigManager.SetAtPath< - $Args['context'], - ['scalars'], - Simplify< - Schema.Scalar.Registry.AddScalar<$Args['context']['scalars'], $Scalar> - > - > - > -} - -type Arguments = [Schema.Scalar] | [string, { decode: (value: string) => any; encode: (value: any) => string }] - -export const builderExtensionScalar = Builder.Extension.create((builder, state) => { - return { - scalar: (...args: Arguments) => { - const scalar = Schema.Scalar.isScalar(args[0]) - ? args[0] - : Schema.Scalar.create(args[0], args[1]!) - - return builder({ - ...state, - scalars: { - ...state.scalars, - map: { - ...state.scalars.map, - [scalar.name]: scalar, - }, - }, - }) - }, - } as any -}) diff --git a/src/client/builderExtensions/use.ts b/src/client/builderExtensions/use.ts deleted file mode 100644 index 72a5275d7..000000000 --- a/src/client/builderExtensions/use.ts +++ /dev/null @@ -1,57 +0,0 @@ -import type { Extension } from '../../extension/extension.js' -import { Builder } from '../../lib/builder/__.js' -import type { ConfigManager } from '../../lib/config-manager/__.js' -import { type Context } from '../context.js' - -export interface BuilderExtensionUse extends Builder.Extension { - context: Context - // @ts-expect-error untyped params - return: Use -} - -export interface Use<$Args extends Builder.Extension.Parameters> { - /** - * TODO Docs. - */ - use: <$Extension extends Extension>(extension: $Extension) => UseExtensionDo<$Args, $Extension> -} - -export type UseExtensionDo< - $Args extends Builder.Extension.Parameters, - $Extension extends Extension, -> = Builder.Definition.MaterializeWith< - // Apply any builder extensions. - ( - ConfigManager.GetOptional<$Extension, ['builder', 'type']> extends Builder.Extension - ? Builder.Definition.AddExtension<$Args['definition'], ConfigManager.GetOptional<$Extension, ['builder', 'type']>> - : $Args['definition'] - ), - // Extend context. - ConfigManager.SetMany< - $Args['context'], - [ - [ - ['typeHooks', 'onRequestResult'], - ConfigManager.AppendOptional< - $Args['context']['typeHooks']['onRequestResult'], - $Extension['typeHooks']['onRequestResult'] - >, - ], - [ - ['extensions'], - [...$Args['context']['extensions'], $Extension], - ], - ] - > -> - -export const builderExtensionUse = Builder.Extension.create((builder, context) => { - return { - use: (extension: Extension) => { - return builder({ - ...context, - extensions: [...context.extensions, extension], - }) - }, - } as any -}) diff --git a/src/client/builderExtensions/with.ts b/src/client/builderExtensions/with.ts deleted file mode 100644 index 640b2959a..000000000 --- a/src/client/builderExtensions/with.ts +++ /dev/null @@ -1,54 +0,0 @@ -import { Builder } from '../../lib/builder/__.js' -import type { ConfigManager } from '../../lib/config-manager/__.js' -import { mergeHeadersInit, mergeRequestInit } from '../../lib/http.js' -import { type Context } from '../context.js' -import type { WithInput } from '../Settings/inputIncrementable/inputIncrementable.js' -import type { NormalizeInput } from '../Settings/InputToConfig.js' - -export interface BuilderExtensionWith extends Builder.Extension { - context: Context - // @ts-expect-error untyped params - return: With -} - -export interface With<$Args extends Builder.Extension.Parameters> { - /** - * TODO With Docs. - */ - with: <$Input extends WithInput<$Args['context']['config']>>( - input: $Input, - // todo fixme - // eslint-disable-next-line - // @ts-ignore Passes after generation - ) => Builder.Definition.MaterializeWith< - $Args['definition'], - ConfigManager.SetProperties< - $Args['context'], - { - input: $Args['context']['input'] & $Input - config: NormalizeInput<$Args['context']['input'] & $Input> - } - > - > -} - -export const builderExtensionWith = Builder.Extension.create((builder, state) => { - return { - with: (input: WithInput) => { - return builder({ - ...state, - // @ts-expect-error fixme - input: { - ...state.input, - output: input.output, - transport: { - ...state.input.transport, - ...input.transport, - headers: mergeHeadersInit(state.input.transport?.headers, input.transport?.headers), - raw: mergeRequestInit(state.input.transport?.raw, input.transport?.raw), - }, - }, - }) - }, - } -}) diff --git a/src/client/client.test.ts b/src/client/client.test.ts deleted file mode 100644 index 315df1fe8..000000000 --- a/src/client/client.test.ts +++ /dev/null @@ -1,47 +0,0 @@ -import { describe, expect, expectTypeOf } from 'vitest' -import { createResponse, test } from '../../tests/_/helpers.js' -import { Graffle as Graffle2 } from '../../tests/_/schemas/kitchen-sink/graffle/__.js' -import { schema } from '../../tests/_/schemas/kitchen-sink/schema.js' -import { Graffle } from '../entrypoints/main.js' -import { Throws } from '../extensions/Throws/Throws.js' - -const endpoint = new URL(`https://foo.io/api/graphql`) - -describe(`without a registered client, document builder is not statically available but still works at runtime`, () => { - const graffle = Graffle.create({ name: `unknown`, schema: endpoint }).use(Throws()) - - test(`unavailable methods`, () => { - // @ts-expect-error - expect(typeof graffle.document).toEqual(`function`) - // @ts-expect-error - expect(typeof graffle.query).toEqual(`object`) - // @ts-expect-error - expect(typeof graffle.mutation).toEqual(`object`) - }) - - test(`available methods`, () => { - expect(graffle.gql).toBeTypeOf(`function`) - }) -}) - -describe(`output`, () => { - test(`when using envelope and transport is http, response property is available`, async ({ fetch }) => { - fetch.mockImplementationOnce(() => Promise.resolve(createResponse({ data: { id: `abc` } }))) - const graffle = Graffle2.create({ schema: endpoint, output: { envelope: true } }) - const result = await graffle.query.id() - expectTypeOf(result.response).toEqualTypeOf() - expect(result.response.status).toEqual(200) - // sanity check - expect(result.data).toEqual({ 'id': `abc` }) - }) - test(`when using envelope and transport is memory, response property is NOT available`, async () => { - const graffle = Graffle2.create({ schema, output: { envelope: true } }) - const result = await graffle.query.id() - // @ts-expect-error not present - expectTypeOf(result.response).toEqualTypeOf() - // @ts-expect-error not present - expect(result.response).toEqual(undefined) - // sanity check - expect(result.data).toEqual({ 'id': `abc` }) - }) -}) diff --git a/src/client/client.ts b/src/client/client.ts index 2d8bb68a5..3ecdddd29 100644 --- a/src/client/client.ts +++ b/src/client/client.ts @@ -1,94 +1,167 @@ -import { - type BuilderExtensionRequestMethods, - requestMethodsProperties, -} from '../documentBuilder/requestMethods/requestMethods.js' // todo -import { defaultName } from '../generator/config/defaults.js' -import type { Builder } from '../lib/builder/__.js' -import type { ConfigManager } from '../lib/config-manager/__.js' -import { type Exact, proxyGet } from '../lib/prelude.js' +import { requestMethodsProperties } from '../documentBuilder/requestMethods/requestMethods.js' // todo +import type { Anyware } from '../lib/anyware/__.js' +import { proxyGet } from '../lib/prelude.js' +import type { TypeFunction } from '../lib/type-function/__.js' +import { type ClientTransports, Context } from '../types/context.js' import type { GlobalRegistry } from '../types/GlobalRegistry/GlobalRegistry.js' -import { Schema } from '../types/Schema/__.js' -import { type BuilderExtensionAnyware, builderExtensionAnyware } from './builderExtensions/anyware.js' -import { type BuilderExtensionInternal, builderExtensionInternal } from './builderExtensions/internal.js' -import { type BuilderExtensionScalar, builderExtensionScalar } from './builderExtensions/scalar.js' -import { type BuilderExtensionUse, builderExtensionUse } from './builderExtensions/use.js' -import { type BuilderExtensionWith, builderExtensionWith } from './builderExtensions/with.js' -import { type Context, type ContextWithoutConfig, createContext, type TypeHooksEmpty } from './context.js' -import { type BuilderExtensionGql, builderExtensionGql } from './gql/gql.js' -import { type InputStatic } from './Settings/Input.js' -import { type NormalizeInput } from './Settings/InputToConfig.js' - -// export type ClientGeneric = Builder.Definition.MaterializeGeneric< -// Builder.Definition.ExtendMany< -// Builder.Definition.Empty, -// [ -// Internal_, -// RequestMethods_, -// With_, -// Use_, -// Anyware_, -// Gql_, -// Scalar_, -// ] -// > -// > - -export type Client<$Context extends Context> = Builder.Definition.MaterializeWith< - ClientDefinition, - $Context +import { type ConfigInit, type NormalizeConfigInit, normalizeConfigInit } from './Configuration/ConfigInit.js' +import { anywareProperties } from './properties/anyware.js' +import { type gqlOverload, gqlProperties } from './properties/gql/gql.js' +import { type ScalarMethod, scalarProperties, type TypeErrorMissingSchemaMap } from './properties/scalar.js' +import { type TransportMethod, transportProperties } from './properties/transport.js' +import { type UseMethod, useProperties } from './properties/use.js' +import { withProperties } from './properties/with.js' + +export type ClientEmpty = Client +export type ClientGeneric = Client + +export type Client< + $Context extends Context, // = Context, + $Extension extends object, // = object, + $ExtensionChainable extends ExtensionChainableRegistry, // = ExtensionChainableRegistry, +> = + & ClientBase<$Context, $Extension, $ExtensionChainable> + & $Extension + & { + [k in keyof $ExtensionChainable]: TypeFunction.Call< + $ExtensionChainable[k], + [$Context, $Extension, $ExtensionChainable] + > + } + & ( + // todo + // GlobalRegistry.Has<$Context['name']> extends false + // eslint-disable-next-line + // @ts-ignore passes after generation + GlobalRegistry.Has<$Context['name']> extends false ? {} + : ( + // eslint-disable-next-line + // @ts-ignore Passes after generation + & TypeFunction.Call['interfaces']['Root'], $Context> + & { + // eslint-disable-next-line + // @ts-ignore Passes after generation + document: TypeFunction.Call['interfaces']['Document'], $Context> + } + ) + ) + +export interface ClientBase< + $Context extends Context, + out $Extension extends object, + out $ExtensionChainable extends ExtensionChainableRegistry, +> { + _: $Context + // _extension: $Extension + // _extensionChainable: $ExtensionChainable + extendWithPropertiesChainable: < + extensionChainable extends ExtensionChainable, + >() => Client<$Context, $Extension, $ExtensionChainable & { [_ in extensionChainable['name']]: extensionChainable }> + extendWithProperties: < + extension extends {}, + >(extension: extension) => Client<$Context, $Extension & extension, $ExtensionChainable> + gql: ClientTransports.PreflightCheck< + $Context, + gqlOverload<$Context> + > + scalar: null extends $Context['schemaMap'] ? TypeErrorMissingSchemaMap + : ScalarMethod< + $Context, + $Extension, + $ExtensionChainable + > + transport: TransportMethod< + $Context, + $Extension, + $ExtensionChainable + > + use: UseMethod< + $Context, + $Extension, + $ExtensionChainable + > + anyware: ( + interceptor: Anyware.Interceptor.InferFromPipeline< + Anyware.Pipeline.InferFromDefinition<$Context['requestPipelineDefinition']> + >, + ) => Client<$Context, $Extension, $ExtensionChainable> + with: <$ConfigInit extends ConfigInit>( + configInit: $ConfigInit, + ) => Client< + // @ts-expect-error + { + [_ in keyof $Context]: _ extends keyof NormalizeConfigInit<$Context['input'] & $ConfigInit> + ? NormalizeConfigInit<$Context['input'] & $ConfigInit>[_] + : $Context[_] + }, + $Extension, + $ExtensionChainable + > +} + +export type ExtensionChainableRegistry = { + [name: string]: ExtensionChainable +} + +export interface ExtensionChainable extends TypeFunction { + name: string +} + +export type ExtensionChainableArguments = [Context, object, ExtensionChainableRegistry] + +export const createConstructorWithContext = <$Context extends Context>( + context: $Context, +): ClientConstructor<$Context> => { + return (configInit) => { + const config = normalizeConfigInit(configInit ?? {}) + + // @ts-expect-error + config.schemaMap ??= context.schemaMap + + const context_ = { + ...context, + ...config, + } + const client = createWithContext(context_) + return client + } +} + +export type ClientConstructor<$Context extends Context = Context.States.Empty> = < + const $ConfigInit extends ConfigInit = {}, +>( + configInit?: $ConfigInit, +) => Client< + // @ts-expect-error + { + [k in keyof $Context]: k extends keyof NormalizeConfigInit<$ConfigInit> ? NormalizeConfigInit<$ConfigInit>[k] + : $Context[k] + }, + {}, + {} > -type ClientDefinition = Builder.Definition.Create<[ - BuilderExtensionInternal, - BuilderExtensionRequestMethods, - BuilderExtensionWith, - BuilderExtensionUse, - BuilderExtensionAnyware, - BuilderExtensionGql, - BuilderExtensionScalar, -]> - -// dprint-ignore -type Create = <$Input extends InputStatic>(input: Exact<$Input, InputStatic>) => - // todo fixme - // eslint-disable-next-line - // @ts-ignore - Client<{ - name: HandleName<$Input> - input: $Input - config: NormalizeInput<$Input> - schemaMap: ConfigManager.OrDefault<$Input['schemaMap'], null> - retry: null - extensions: [] - scalars: {} - typeHooks: TypeHooksEmpty, - }> - -export const create: Create = (input) => { - const initialContext = createContext({ - name: input.name ?? defaultName, - schemaMap: input.schemaMap ?? null, - extensions: [], - scalars: Schema.Scalar.Registry.empty, - // retry: null, - input, - }) +export const create: ClientConstructor = (configInit) => { + const initialContext = Context.Updaters.addConfigInit( + // todo remove this, client builder should never mutate context, just putting this here for now while working on other stuff. + structuredClone(Context.States.contextEmpty), + configInit ?? {}, + ) return createWithContext(initialContext) } export const createWithContext = ( - initialContext: ContextWithoutConfig, + context: Context, ) => { - const context = createContext(initialContext) - // @ts-expect-error ignoreme const clientDirect: Client = { - ...builderExtensionInternal(createWithContext, context), - ...builderExtensionGql(createWithContext, context), - ...builderExtensionWith(createWithContext, context), - ...builderExtensionUse(createWithContext, context), - ...builderExtensionAnyware(createWithContext, context), - ...builderExtensionScalar(createWithContext, context), + _: context, + ...transportProperties(createWithContext, context), + ...gqlProperties(createWithContext, context), + ...withProperties(createWithContext, context), + ...useProperties(createWithContext, context), + ...anywareProperties(createWithContext, context), + ...scalarProperties(createWithContext, context), } // todo test that access to this works without generation in a unit like test. We discovered bug and covered this in an e2e test. @@ -102,7 +175,7 @@ export const createWithContext = ( const onGetHandlers = context.extensions.map(_ => _.builder).filter(_ => _ !== undefined) for (const onGetHandler of onGetHandlers) { - const result = onGetHandler.implementation({ + const result = onGetHandler({ client: clientDirect, path, property, @@ -115,6 +188,3 @@ export const createWithContext = ( return clientProxy } - -type HandleName<$Input extends InputStatic> = $Input['name'] extends string ? $Input['name'] - : GlobalRegistry.DefaultClientName diff --git a/src/client/context.ts b/src/client/context.ts deleted file mode 100644 index c40230f95..000000000 --- a/src/client/context.ts +++ /dev/null @@ -1,50 +0,0 @@ -// import type { Anyware } from '../../lib/anyware/__.js' -// import type { RequestPipeline } from '../../requestPipeline/__.js' -import type { Extension } from '../extension/extension.js' -import type { Schema } from '../types/Schema/__.js' -import type { SchemaDrivenDataMap } from '../types/SchemaDrivenDataMap/SchemaDrivenDataMap.js' -import type { Config } from './Settings/Config.js' -import type { InputStatic } from './Settings/Input.js' -import { inputToConfig } from './Settings/InputToConfig.js' - -export interface Context { - name: string - /** - * The initial input that was given to derive the config. - */ - input: InputStatic - config: Config - schemaMap: SchemaDrivenDataMap | null - - // retry: Anyware.Extension2 | null - extensions: Extension[] - scalars: Schema.Scalar.Registry - /** - * Type level augmentations. - * - * @remarks Typically added by extensions. Added here upon use for optimized type-level reads later on. - */ - typeHooks: { - onRequestResult: Extension.Hooks.OnRequestResult[] - onRequestDocumentRootType: Extension.Hooks.OnRequestDocumentRootType[] - } -} - -export type TypeHooksEmpty = { - onRequestDocumentRootType: [] - onRequestResult: [] -} - -export const createContext = (contextWithoutConfig: ContextWithoutConfig): Context => { - let config: Config | null - - return { - ...contextWithoutConfig, - get config(): Config { - const configFound = config ?? inputToConfig(contextWithoutConfig.input) - return configFound as any - }, - } as Context -} - -export type ContextWithoutConfig = Omit diff --git a/src/client/handleOutput.ts b/src/client/handleOutput.ts index 7a48638b0..11cdce9cc 100644 --- a/src/client/handleOutput.ts +++ b/src/client/handleOutput.ts @@ -1,7 +1,7 @@ import type { GraphQLError } from 'graphql' import type { Simplify } from 'type-fest' import type { SimplifyDeepExcept } from '../documentBuilder/Simplify.js' -import type { RunTypeHookOnRequestResult } from '../extension/extension.js' +import type { Extension } from '../entrypoints/extensionkit.js' import type { Anyware } from '../lib/anyware/__.js' import { Errors } from '../lib/errors/__.js' import type { Grafaid } from '../lib/grafaid/__.js' @@ -14,68 +14,51 @@ import { type GetOrNever, type Values, } from '../lib/prelude.js' -import type { requestPipeline, RequestPipelineSpec } from '../requestPipeline/RequestPipeline.js' +import type { RequestPipelineBase } from '../requestPipeline/RequestPipeline.js' +import type { Context } from '../types/context.js' import type { GlobalRegistry } from '../types/GlobalRegistry/GlobalRegistry.js' -import type { TransportHttp } from '../types/Transport.js' -import type { Context } from './context.js' import { - type Config, type ErrorCategory, - isContextConfigTraditionalGraphQLOutput, + isOutputTraditionalGraphQLOutput, type OutputChannelConfig, - readConfigErrorCategoryOutputChannel, -} from './Settings/Config.js' - -export type GraffleExecutionResultEnvelope<$Config extends Config = Config> = - & { - errors?: ReadonlyArray< - // formatted comes from http transport - | Grafaid.FormattedExecutionResultError - // unformatted comes from memory transport - | Grafaid.GraphQLError - > - data?: SomeObjectData | null - extensions?: ObjMap - } - & ($Config['transport']['type'] extends TransportHttp ? { - /** - * If transport was HTTP, then the raw response is available here. - */ - response: Response - } - : TransportHttp extends $Config['transport']['type'] ? { - /** - * If transport was HTTP, then the raw response is available here. - */ - response?: Response - } - : {}) + readErrorCategoryOutputChannel, +} from './Configuration/Output.js' + +export type GraffleExecutionResultEnvelope = { + errors?: ReadonlyArray< + // formatted comes from http transport + | Grafaid.FormattedExecutionResultError + // unformatted comes from memory transport + | Grafaid.GraphQLError + > + data?: SomeObjectData | null + extensions?: ObjMap +} export const handleOutput = ( state: Context, - result: Anyware.PipelineDef.Utilities.InferResult, + result: Anyware.Result, ) => { - if (isContextConfigTraditionalGraphQLOutput(state.config)) { + if (isOutputTraditionalGraphQLOutput(state.output)) { if (result instanceof Error) throw result return result.value } - const config = state.config - const c = config.output + const outputConfig = state.output - const isEnvelope = c.envelope.enabled + const isEnvelope = outputConfig.envelope.enabled - const isThrowOther = readConfigErrorCategoryOutputChannel(config, `other`) === `throw` - && (!c.envelope.enabled || !c.envelope.errors.other) + const isThrowOther = readErrorCategoryOutputChannel(outputConfig, `other`) === `throw` + && (!outputConfig.envelope.enabled || !outputConfig.envelope.errors.other) - const isReturnOther = readConfigErrorCategoryOutputChannel(config, `other`) === `return` - && (!c.envelope.enabled || !c.envelope.errors.other) + const isReturnOther = readErrorCategoryOutputChannel(outputConfig, `other`) === `return` + && (!outputConfig.envelope.enabled || !outputConfig.envelope.errors.other) - const isThrowExecution = readConfigErrorCategoryOutputChannel(config, `execution`) === `throw` - && (!c.envelope.enabled || !c.envelope.errors.execution) + const isThrowExecution = readErrorCategoryOutputChannel(outputConfig, `execution`) === `throw` + && (!outputConfig.envelope.enabled || !outputConfig.envelope.errors.execution) - const isReturnExecution = readConfigErrorCategoryOutputChannel(config, `execution`) === `return` - && (!c.envelope.enabled || !c.envelope.errors.execution) + const isReturnExecution = readErrorCategoryOutputChannel(outputConfig, `execution`) === `return` + && (!outputConfig.envelope.enabled || !outputConfig.envelope.errors.execution) if (result instanceof Error) { if (isThrowOther) throw result @@ -143,7 +126,7 @@ type HandleOutput_Extensions<$Context extends Context, $Envelope extends Graffle $Context, // eslint-disable-next-line // @ts-ignore fixme - RunTypeHookOnRequestResult<$Context, { + Extension.TypeHooks.RunTypeHookOnRequestResult<$Context, { result: $Envelope // eslint-disable-next-line // @ts-ignore fixme @@ -157,29 +140,29 @@ type HandleOutput_ErrorsReturn<$Context extends Context, $Envelope extends Graff // dprint-ignore type HandleOutput_Envelope<$Context extends Context, $Envelope extends GraffleExecutionResultEnvelope> = - $Context['config']['output']['envelope']['enabled'] extends true + $Context['output']['envelope']['enabled'] extends true ? $Envelope : ExcludeUndefined<$Envelope['data']> // todo make data field not undefinable // dprint-ignore type IfConfiguredGetOutputErrorReturns<$Context extends Context> = | (ConfigGetOutputError<$Context, 'execution'> extends 'return' ? GraphQLExecutionResultError : never) - | (ConfigGetOutputError<$Context, 'other'> extends 'return' ? requestPipeline.ResultFailure : never) + | (ConfigGetOutputError<$Context, 'other'> extends 'return' ? Anyware.ResultFailure : never) // dprint-ignore export type ConfigGetOutputError<$Context extends Context, $ErrorCategory extends ErrorCategory> = - $Context['config']['output']['envelope']['enabled'] extends true + $Context['output']['envelope']['enabled'] extends true ? ConfigGetOutputEnvelopeErrorChannel<$Context, $ErrorCategory> - : ConfigResolveOutputErrorChannel<$Context, $Context['config']['output']['errors'][$ErrorCategory]> + : ConfigResolveOutputErrorChannel<$Context, $Context['output']['errors'][$ErrorCategory]> // dprint-ignore type ConfigGetOutputEnvelopeErrorChannel<$Context extends Context, $ErrorCategory extends ErrorCategory> = - $Context['config']['output']['envelope']['errors'][$ErrorCategory] extends true + $Context['output']['envelope']['errors'][$ErrorCategory] extends true ? false - : ConfigResolveOutputErrorChannel<$Context, $Context['config']['output']['errors'][$ErrorCategory]> + : ConfigResolveOutputErrorChannel<$Context, $Context['output']['errors'][$ErrorCategory]> type ConfigResolveOutputErrorChannel<$Context extends Context, $Channel extends OutputChannelConfig | false> = - $Channel extends 'default' ? $Context['config']['output']['defaults']['errorChannel'] + $Channel extends 'default' ? $Context['output']['defaults']['errorChannel'] : $Channel extends false ? false : $Channel @@ -195,11 +178,6 @@ export type Envelope< data?: $Data | null extensions?: ObjMap } - & ( - $Context['config']['transport']['type'] extends 'http' - ? { response: Response } - : {} - ) // todo remove use of errors type variable. Rely only on $Config. & ( $Errors extends [] @@ -218,8 +196,8 @@ type ObjMap = { // dprint-ignore type IsEnvelopeWithoutErrors<$Context extends Context> = - $Context['config']['output']['envelope']['enabled'] extends true - ? Values<$Context['config']['output']['envelope']['errors']> extends false + $Context['output']['envelope']['enabled'] extends true + ? Values<$Context['output']['envelope']['errors']> extends false ? true : false : false diff --git a/src/client/helpers.ts b/src/client/helpers.ts new file mode 100644 index 000000000..b39d42014 --- /dev/null +++ b/src/client/helpers.ts @@ -0,0 +1,12 @@ +import type { PartialOrUndefined } from '../lib/prelude.js' +import type { Context } from '../types/context.js' +import type { ClientGeneric } from './client.js' + +export const createProperties = ( + callback: ( + clientConstructor: (context: Context) => ClientGeneric, + context: Context, + ) => PartialOrUndefined, +) => { + return callback +} diff --git a/src/client/properties/anyware.ts b/src/client/properties/anyware.ts new file mode 100644 index 000000000..c1a7099c3 --- /dev/null +++ b/src/client/properties/anyware.ts @@ -0,0 +1,19 @@ +import { create } from '../../extension/extension.js' +import { createProperties } from '../helpers.js' + +export const anywareProperties = createProperties((builder, context) => { + return { + anyware: (interceptor) => { + return builder({ + ...context, + extensions: [ + ...context.extensions, + create({ + name: `InlineAnyware`, + create: () => ({ onRequest: interceptor }), + })(), + ], + }) + }, + } +}) diff --git a/src/client/gql/gql.test-d.ts b/src/client/properties/gql/gql.test-d.ts similarity index 80% rename from src/client/gql/gql.test-d.ts rename to src/client/properties/gql/gql.test-d.ts index f104e4600..43b957f85 100644 --- a/src/client/gql/gql.test-d.ts +++ b/src/client/properties/gql/gql.test-d.ts @@ -1,6 +1,12 @@ -import { kitchenSink as g } from '../../../tests/_/helpers.js' -import { AssertTypeOf } from '../../lib/assert-equal.js' -import type { Grafaid } from '../../lib/grafaid/__.js' +import { kitchenSink } from '../../../../tests/_/helpers.js' +import { GraffleBare } from '../../../entrypoints/presets/__GraffleBare.js' +import { GraffleBasic } from '../../../entrypoints/presets/__GraffleBasic.js' +import { GraffleMinimal } from '../../../entrypoints/presets/__GraffleMinimal.js' +import { AssertTypeOf } from '../../../lib/assert-equal.js' +import type { Grafaid } from '../../../lib/grafaid/__.js' +import type { ClientTransports } from '../../../types/context.js' + +const g = kitchenSink type D = { id: 0 } @@ -14,6 +20,19 @@ await g.gql(d1).send({}) // // +// Not available if no transports registered +AssertTypeOf(GraffleBare.create().gql) +// Not available if current transport not ready +AssertTypeOf>(GraffleMinimal.create().gql) +// ... Reflects name of currently selected transport +AssertTypeOf>( + GraffleBasic.create().transport(`memory`).gql, +) + +// +// +// + const d2 = 0 as any as Grafaid.Document.Typed.Node<{ id: 0 }, { x?: 0 }> AssertTypeOf(await g.gql(d2).send()) diff --git a/src/client/gql/gql.test.ts b/src/client/properties/gql/gql.test.ts similarity index 84% rename from src/client/gql/gql.test.ts rename to src/client/properties/gql/gql.test.ts index 3ca45b1f6..7b798a622 100644 --- a/src/client/gql/gql.test.ts +++ b/src/client/properties/gql/gql.test.ts @@ -1,6 +1,6 @@ import { describe, expect } from 'vitest' -import { test } from '../../../tests/_/helpers.js' -import { Spy } from '../../../tests/_/SpyExtension.js' +import { test } from '../../../../tests/_/helpers.js' +import { Spy } from '../../../../tests/_/SpyExtension.js' // todo test with custom scalars diff --git a/src/client/gql/gql.ts b/src/client/properties/gql/gql.ts similarity index 55% rename from src/client/gql/gql.ts rename to src/client/properties/gql/gql.ts index b2190bd69..09785ac01 100644 --- a/src/client/gql/gql.ts +++ b/src/client/properties/gql/gql.ts @@ -1,32 +1,21 @@ -import { Anyware } from '../../lib/anyware/__.js' -import { Builder } from '../../lib/builder/__.js' -import type { Grafaid } from '../../lib/grafaid/__.js' -import { getOperationType } from '../../lib/grafaid/document.js' +import { Anyware } from '../../../lib/anyware/__.js' +import type { Grafaid } from '../../../lib/grafaid/__.js' +import { getOperationType } from '../../../lib/grafaid/document.js' import { isTemplateStringArguments, joinTemplateStringArrayAndArgs, type TemplateStringsArguments, -} from '../../lib/template-string.js' -import { type RequestPipeline, requestPipeline } from '../../requestPipeline/__.js' // todo -import { type Context } from '../context.js' -import { handleOutput } from '../handleOutput.js' +} from '../../../lib/template-string.js' +import type { RequestPipelineBase } from '../../../requestPipeline/RequestPipeline.js' +import { type Context } from '../../../types/context.js' +import { handleOutput } from '../../handleOutput.js' +import { createProperties } from '../../helpers.js' import { type DocumentController, resolveSendArguments, type sendArgumentsImplementation } from './send.js' -export interface BuilderExtensionGql extends Builder.Extension { - context: Context - // @ts-expect-error untyped params - return: Gql -} - // dprint-ignore -interface Gql<$Arguments extends Builder.Extension.Parameters> { - gql: gqlOverload<$Arguments> -} - -// dprint-ignore -interface gqlOverload<$Arguments extends Builder.Extension.Parameters> { - <$Document extends Grafaid.Document.Typed.TypedDocumentLike>(document: $Document ): DocumentController<$Arguments['context'], $Document> - <$Document extends Grafaid.Document.Typed.TypedDocumentLike>(parts: TemplateStringsArray, ...args: unknown[]): DocumentController<$Arguments['context'], $Document> +export interface gqlOverload { + <$Document extends Grafaid.Document.Typed.TypedDocumentLike>(document: $Document ): DocumentController<$Context, $Document> + <$Document extends Grafaid.Document.Typed.TypedDocumentLike>(parts: TemplateStringsArray, ...args: unknown[]): DocumentController<$Context, $Document> } type gqlArguments = [Grafaid.Document.Typed.TypedDocumentLike] | TemplateStringsArguments @@ -38,16 +27,15 @@ const resolveGqlArguments = (args: gqlArguments) => { } } -export const builderExtensionGql = Builder.Extension.create((_, context) => { +export const gqlProperties = createProperties((_, context) => { return { gql: (...args: gqlArguments) => { const { document: query } = resolveGqlArguments(args) - const transportType = context.config.transport.type - const url = context.config.transport.type === `http` ? context.config.transport.url : undefined - const schema = context.config.transport.type === `http` ? undefined : context.config.transport.schema return { send: async (...args: sendArgumentsImplementation) => { + if (!context.transports.current) throw new Error(`No transport selected`) + const { operationName, variables } = resolveSendArguments(args) const request = { query, @@ -65,14 +53,14 @@ export const builderExtensionGql = Builder.Extension.create } const initialInput = { - transportType, + transportType: context.transports.current, + ...context.transports.configurations[context.transports.current], state: context, - url, - schema, request: analyzedRequest, - } as RequestPipeline['input'] + } as RequestPipelineBase['input'] - const result = await Anyware.PipelineDef.run(requestPipeline, { + const requestPipeline = Anyware.Pipeline.create(context.requestPipelineDefinition) + const result = await Anyware.PipelineDefinition.run(requestPipeline, { initialInput, // retryingExtension: context.retry as any, interceptors: context.extensions.filter(_ => _.onRequest !== undefined).map(_ => _.onRequest!) as any, @@ -82,5 +70,5 @@ export const builderExtensionGql = Builder.Extension.create }, } as any }, - } + } as any }) diff --git a/src/client/gql/send.test-d.ts b/src/client/properties/gql/send.test-d.ts similarity index 86% rename from src/client/gql/send.test-d.ts rename to src/client/properties/gql/send.test-d.ts index da0cfb049..e8392d852 100644 --- a/src/client/gql/send.test-d.ts +++ b/src/client/properties/gql/send.test-d.ts @@ -1,5 +1,5 @@ -import { assertEqual } from '../../lib/assert-equal.js' -import type { Grafaid } from '../../lib/grafaid/__.js' +import { assertEqual } from '../../../lib/assert-equal.js' +import type { Grafaid } from '../../../lib/grafaid/__.js' import type { SendArguments } from './send.js' assertEqual< diff --git a/src/client/gql/send.ts b/src/client/properties/gql/send.ts similarity index 92% rename from src/client/gql/send.ts rename to src/client/properties/gql/send.ts index 4fd873eb8..765b4f6f2 100644 --- a/src/client/gql/send.ts +++ b/src/client/properties/gql/send.ts @@ -1,7 +1,7 @@ -import type { Grafaid } from '../../lib/grafaid/__.js' -import { isString, type SimplifyNullable } from '../../lib/prelude.js' -import type { Context } from '../context.js' -import type { HandleOutput } from '../handleOutput.js' +import type { Grafaid } from '../../../lib/grafaid/__.js' +import { isString, type SimplifyNullable } from '../../../lib/prelude.js' +import type { Context } from '../../../types/context.js' +import type { HandleOutput } from '../../handleOutput.js' // dprint-ignore export type SendArguments<$TypedDocument extends string | Grafaid.Document.Typed.TypedDocumentLike> = diff --git a/src/client/builderExtensions/retry.ts b/src/client/properties/retry.ts similarity index 100% rename from src/client/builderExtensions/retry.ts rename to src/client/properties/retry.ts diff --git a/src/client/builderExtensions/scalar.test-d.ts b/src/client/properties/scalar.test-d.ts similarity index 63% rename from src/client/builderExtensions/scalar.test-d.ts rename to src/client/properties/scalar.test-d.ts index daa8a260c..ceff5a8b8 100644 --- a/src/client/builderExtensions/scalar.test-d.ts +++ b/src/client/properties/scalar.test-d.ts @@ -5,20 +5,22 @@ import { assertEqual } from '../../lib/assert-equal.js' import { _, type SomeFunction } from '../../lib/prelude.js' import type { TypeErrorMissingSchemaMap } from './scalar.js' -const g1 = Graffle.create({ schema: `foo` }) +const g1 = Graffle.create() assertEqual() -const g2 = Graffle.create({ schema: `foo`, schemaMap }) +const g2 = Graffle.create({ schemaMap }) assertEqual() +g2._.checkPreflight + // @ts-expect-error "Foo" is not a scalar name in the schema. -Graffle.create({ schema: `foo`, schemaMap }).scalar(`Foo`, _) +Graffle.create({ schemaMap }).scalar(`Foo`, _) // @ts-expect-error "Foo" is not a scalar name in the schema. -Graffle.create({ schema: `foo`, schemaMap }).scalar(FooScalar) -Graffle.create({ schema: `foo`, schemaMap }).scalar(`Date`, _) -Graffle.create({ schema: `foo`, schemaMap }).scalar(`Int`, _) +Graffle.create({ schemaMap }).scalar(FooScalar) +Graffle.create({ schemaMap }).scalar(`Date`, _) +Graffle.create({ schemaMap }).scalar(`Int`, _) { - const graffle = Graffle.create({ schema: `foo`, schemaMap }).scalar(DateScalar) + const graffle = Graffle.create({ schemaMap }).scalar(DateScalar) assertEqual< typeof graffle._.scalars, { typesDecoded: Date; typesEncoded: string; map: { Date: typeof DateScalar } } diff --git a/src/client/properties/scalar.ts b/src/client/properties/scalar.ts new file mode 100644 index 000000000..85421e1ca --- /dev/null +++ b/src/client/properties/scalar.ts @@ -0,0 +1,79 @@ +import { type Context } from '../../types/context.js' +import type { GlobalRegistry } from '../../types/GlobalRegistry/GlobalRegistry.js' +import { Schema } from '../../types/Schema/__.js' +import type { GetDecoded, GetEncoded } from '../../types/Schema/nodes/Scalar/helpers.js' +import { type Client } from '../client.js' +import type { ExtensionChainableRegistry } from '../client.js' +import { createProperties } from '../helpers.js' + +export type TypeErrorMissingSchemaMap = + `Error: Your client must have a schemaMap in order to apply registered scalars. Therefore we're providing this static error type message here instead of allowing you continue registering scalars that will never be applied.` + +export type ScalarMethod< + $Context extends Context, + out $Extension extends object, + out $ExtensionChainable extends ExtensionChainableRegistry, +> = { + /** + * TODO Docs. + */ + < + $Name extends GlobalRegistry.GetOrGeneric<$Context['name']>['schema']['scalarNamesUnion'], + $Decoded, + >( + name: $Name, + $Codec: { + decode: (value: string) => $Decoded + encode: (value: $Decoded) => string + }, + ): Client< + { + [_ in keyof $Context]: _ extends 'scalars' ? { + map: $Context[_]['map'] & { [_ in $Name]: Schema.Scalar<$Name, $Decoded, string> } + typesEncoded: $Context[_]['typesEncoded'] | string + typesDecoded: $Context[_]['typesDecoded'] | $Decoded + } + : $Context[_] + }, + $Extension, + $ExtensionChainable + > + + <$Scalar extends Schema.Scalar['schema']['scalarNamesUnion']>>( + scalar: $Scalar, + ): Client< + { + [_ in keyof $Context]: _ extends 'scalars' ? { + map: $Context[_]['map'] & { [_ in $Scalar['name']]: $Scalar } + typesEncoded: $Context[_]['typesEncoded'] | GetEncoded<$Scalar> + typesDecoded: $Context[_]['typesDecoded'] | GetDecoded<$Scalar> + } + : $Context[_] + }, + $Extension, + $ExtensionChainable + > +} + +type Arguments = [Schema.Scalar] | [string, { decode: (value: string) => any; encode: (value: any) => string }] + +export const scalarProperties = createProperties((builder, state) => { + return { + scalar: (...args: Arguments) => { + const scalar = Schema.Scalar.isScalar(args[0]) + ? args[0] + : Schema.Scalar.create(args[0], args[1]!) + + return builder({ + ...state, + scalars: { + ...state.scalars, + map: { + ...state.scalars.map, + [scalar.name]: scalar, + }, + }, + }) + }, + } as any +}) diff --git a/src/client/properties/transport.ts b/src/client/properties/transport.ts new file mode 100644 index 000000000..06698bb38 --- /dev/null +++ b/src/client/properties/transport.ts @@ -0,0 +1,136 @@ +import type { PartialOrUndefined } from '../../lib/prelude.js' +import type { ClientTransports } from '../../types/context.js' +import { type Context } from '../../types/context.js' +import { type Client, type ExtensionChainableRegistry } from '../client.js' +import { createProperties } from '../helpers.js' + +// dprint-ignore +export type TransportMethod< + $Context extends Context, + $Extension extends object, + $ExtensionChainable extends ExtensionChainableRegistry +> = + $Context['transports'] extends ClientTransports.States.NonEmpty + ? { + /** + * Configure the current transport. + * TODO + */ + > + (config: config): + Client< + { + [_ in keyof $Context]: + _ extends 'transports' + ? { + registry: $Context['transports']['registry'] + current: $Context['transports']['current'] + configurations: + keyof config extends never + ? $Context['transports']['configurations'] + : { + [configKey in keyof $Context['transports']['configurations']]: + configKey extends $Context['transports']['current'] + // configuration contains a PARTIAL of configuration. + // therefore we have to & the given config, since it may add NEW keys + ? { + [configValueKey in keyof $Context['transports']['configurations'][configKey]]: + configValueKey extends keyof config + ? unknown + : $Context['transports']['configurations'][configKey][configValueKey] + } & config + : $Context['transports']['configurations'][configKey] + } + } + : $Context[_] + }, + $Extension, + $ExtensionChainable + > + /** + * Set the current Transport, selected from amongst the registered ones, and optionally change its configuration. + * TODO + */ + < + name extends ClientTransports.GetNames<$Context['transports']>, + config extends $Context['transports']['registry'][name]['config'] = {} + > + (name: name, config?: config): + Client< + { + [_ in keyof $Context]: + _ extends 'transports' + ? { + registry: $Context['transports']['registry'] + current: name + configurations: keyof config extends never + ? $Context['transports']['configurations'] + : { + [configKey in keyof $Context['transports']['configurations']]: + configKey extends $Context['transports']['current'] + ? + { + [configValueKey in keyof $Context['transports']['configurations'][configKey]]: + configValueKey extends keyof config + ? config[configValueKey] + : $Context['transports']['configurations'][configKey][configValueKey] + } + : $Context['transports']['configurations'][configKey] + } + } + : $Context[_] + }, + $Extension, + $ExtensionChainable + > + } + : never + +export const transportProperties = createProperties((builder, state) => { + return { + transport: (transport: string | object) => { + if (typeof transport === `string`) { + return builder({ + ...state, + transports: { + ...state.transports, + current: transport, + }, + }) + } + + if (!state.transports.current) { + throw new Error(`No transport is currently set.`) + } + + const newConfiguration = { + ...state.transports.configurations[state.transports.current] ?? {}, + ...transport, + } + // hack: transport need to provide this function + if (state.transports.current === `http`) { + // @ts-expect-error + if (transport.headers) { + // @ts-expect-error + newConfiguration.headers = { + // @ts-expect-error + ...state.transports.configurations[state.transports.current]?.headers, + // @ts-expect-error + ...transport.headers, + } + } + } + + return builder({ + ...state, + transports: { + ...state.transports, + configurations: { + ...state.transports.configurations, + [state.transports.current]: newConfiguration, + }, + }, + }) + }, + } as any +}) diff --git a/src/client/builderExtensions/use.test.ts b/src/client/properties/use.test.ts similarity index 74% rename from src/client/builderExtensions/use.test.ts rename to src/client/properties/use.test.ts index ba28c532d..aa4f6940a 100644 --- a/src/client/builderExtensions/use.test.ts +++ b/src/client/properties/use.test.ts @@ -3,36 +3,38 @@ import { describe, expect, expectTypeOf } from 'vitest' import { createResponse, test } from '../../../tests/_/helpers.js' import { db } from '../../../tests/_/schemas/db.js' import { Graffle } from '../../../tests/_/schemas/kitchen-sink/graffle/__.js' -import { createExtension } from '../../extension/extension.js' +import { create } from '../../extension/extension.js' import { Throws } from '../../extensions/Throws/Throws.js' // import { oops } from '../../../lib/anyware/specHelpers.js' -const client = Graffle.create({ schema: 'https://foo', output: { defaults: { errorChannel: 'return' } } }) +const graffle = Graffle + .create({ output: { defaults: { errorChannel: 'return' } } }) + .transport({ url: 'http://foo' }) const headers = { 'x-foo': 'bar' } test('using an extension without type hooks leaves them empty', () => { - const Ex = createExtension({ + const Ex = create({ name: 'test', create: () => { return {} }, }) - const graffle1 = Graffle.create({ schema: '' }) - expectTypeOf(graffle1._.typeHooks).toEqualTypeOf<{ - onRequestResult: [] - onRequestDocumentRootType: [] + const graffle1 = Graffle.create() + expectTypeOf(graffle1._).toMatchTypeOf<{ + typeHookOnRequestResult: [] + typeHookOnRequestDocumentRootType: [] }>() const graffle2 = graffle1.use(Ex()) - expectTypeOf(graffle2._.typeHooks).toEqualTypeOf<{ - onRequestResult: [] - onRequestDocumentRootType: [] + expectTypeOf(graffle2._).toMatchTypeOf<{ + typeHookOnRequestResult: [] + typeHookOnRequestDocumentRootType: [] }>() }) test('using an extension returns a copy of the client', () => { - const client2 = client.use(Throws()) + const graffle2 = graffle.use(Throws()) // @ts-ignore fixme - expect(client2 !== client).toBe(true) + expect(graffle2 !== graffle).toBe(true) }) describe(`entrypoint pack`, () => { @@ -41,17 +43,18 @@ describe(`entrypoint pack`, () => { expect(input.headers.get('x-foo')).toEqual(headers['x-foo']) return createResponse({ data: { id: db.id } }) }) - const client2 = client.anyware(async ({ pack }) => { + const graffle2 = graffle.anyware(async ({ pack }) => { if (pack.input.transportType !== `http`) return pack() return pack({ input: { ...pack.input, headers } }) }) - expect(await client2.query.id()).toEqual(db.id) + const result = await graffle2.query.id() + expect(result).toEqual(db.id) }) test('can chain into exchange', async ({ fetch }) => { fetch.mockImplementationOnce(async () => { return createResponse({ data: { id: db.id } }) }) - const client2 = client.anyware(async ({ pack }) => { + const client2 = graffle.anyware(async ({ pack }) => { if (pack.input.transportType !== `http`) return pack() const { exchange } = await pack({ input: { ...pack.input, headers } }) return exchange({ input: exchange.input }) diff --git a/src/client/properties/use.ts b/src/client/properties/use.ts new file mode 100644 index 000000000..f0873f70b --- /dev/null +++ b/src/client/properties/use.ts @@ -0,0 +1,114 @@ +import type { Extension } from '../../extension/__.js' +import type { ConfigManager } from '../../lib/config-manager/__.js' +import { type Context } from '../../types/context.js' +import { type Client, type ExtensionChainable, type ExtensionChainableRegistry } from '../client.js' +import { createProperties } from '../helpers.js' + +export type UseMethod< + $Context extends Context, + out $Extension_ extends object, + out $ExtensionChainable_ extends ExtensionChainableRegistry, +> = (extension: extension) => Client< + UseReducer<$Context, extension>, + $Extension_, + // @ts-expect-error + extension['builder']['type'] extends ExtensionChainable + // @ts-expect-error + ? { [_ in extension['builder']['type']['name']]: extension['builder']['type'] } + : $ExtensionChainable_ +> + +// dprint-ignore +export type UseReducer< + $Context extends Context, + $Extension extends Extension, +> = + AddTypeHooks< + AddTransport< + AddExtension< + $Context, + $Extension + >, + $Extension + >, + $Extension + > + +export const useReducer = < + const $Context extends Context, + $Extension extends Extension, +>(context: $Context, extension: $Extension): UseReducer<$Context, $Extension> => { + const newContext: Context = { + ...context, + extensions: [...context.extensions, extension], + } + + if (extension.transport) { + newContext.requestPipelineDefinition = { + ...context.requestPipelineDefinition, + overloads: [ + ...context.requestPipelineDefinition.overloads, + extension.transport.requestPipelineOverload, + ], + } + newContext.transports = { + current: context.transports.current, + registry: { + ...context.transports.registry, + }, + configurations: { + ...context.transports.configurations, + }, + } + + const isTransportAlreadyRegistered = newContext.transports.registry[extension.transport.name] !== undefined + if (isTransportAlreadyRegistered) { + throw new Error(`Transport "${extension.transport.name}" is already registered.`) + } + const isFirstTransport = newContext.transports.current === null + if (isFirstTransport) { + newContext.transports.current = extension.transport.name + } + newContext.transports.registry[extension.transport.name] = extension.transport + newContext.transports.configurations[extension.transport.name] = { + ...extension.transport.configDefaults, + ...extension.transport.config, + } + } + + return newContext as any +} + +export const useProperties = createProperties((builder, context) => { + return { + use: (extension) => { + return builder(useReducer(context, extension)) as any + }, + } +}) + +type AddTransport< + $Context extends Context, + $Extension extends Extension, +> = Context.Updaters.AddTransportOptional< + $Context, + $Extension['transport'] +> + +type AddTypeHooks< + $Context extends Context, + $Extension extends Extension, +> = ConfigManager.UpdateKeyWithAppendMany< + $Context, + 'typeHookOnRequestResult', + $Extension['typeHooks']['onRequestResult'] +> + +type AddExtension< + $Context extends Context, + $Extension extends Extension, +> = ConfigManager.UpdateKeyWithAppendOne< + $Context, + 'extensions', + $Extension +> diff --git a/src/client/properties/with.ts b/src/client/properties/with.ts new file mode 100644 index 000000000..bda0d75a8 --- /dev/null +++ b/src/client/properties/with.ts @@ -0,0 +1,15 @@ +import { createProperties } from '../helpers.js' + +export const withProperties = createProperties((builder, state) => { + return { + with: (input: any) => { + return builder({ + ...state, + input: { + ...state.input, + output: input.output, + }, + }) + }, + } as any +}) diff --git a/src/client/transportHttp/request.ts b/src/client/transportHttp/request.ts deleted file mode 100644 index af0e06acf..000000000 --- a/src/client/transportHttp/request.ts +++ /dev/null @@ -1,29 +0,0 @@ -export const MethodMode = { - post: `post`, - getReads: `getReads`, -} as const - -export type MethodModeGetReads = typeof MethodMode['getReads'] -export type MethodModePost = typeof MethodMode['post'] -export type MethodMode = MethodModePost | MethodModeGetReads - -export type TransportHttpInput = { - /** - * The HTTP method to use to make the request. - * - * Note that this is not just about the HTTP method but also about how the payload is sent. - * Namely, `get` will send the payload as part of the URL search parameters while `post` will send it as a JSON body. - * - * Options: - * - * 1. `post` - Apply https://graphql.github.io/graphql-over-http/draft/#sec-POST - * 2. `getReads` - Apply https://graphql.github.io/graphql-over-http/draft/#sec-GET - * - * @defaultValue `post` - */ - methodMode?: MethodMode - headers?: HeadersInit - raw?: RequestInit -} - -export const defaultMethodMode: MethodMode = `post` diff --git a/src/documentBuilder/client.test.ts b/src/documentBuilder/client.test.ts new file mode 100644 index 000000000..afe46b41b --- /dev/null +++ b/src/documentBuilder/client.test.ts @@ -0,0 +1,21 @@ +import { describe, expect } from 'vitest' +import { test } from '../../tests/_/helpers.js' +import { Graffle } from '../entrypoints/main.js' +import { Throws } from '../extensions/Throws/Throws.js' + +describe(`without a registered client, document builder is not statically available but still works at runtime`, () => { + const graffle = Graffle.create({ name: `unknown` }).use(Throws()) + + test(`unavailable methods`, () => { + // @ts-expect-error + expect(typeof graffle.document).toEqual(`function`) + // @ts-expect-error + expect(typeof graffle.query).toEqual(`object`) + // @ts-expect-error + expect(typeof graffle.mutation).toEqual(`object`) + }) + + test(`available methods`, () => { + expect(graffle.gql).toBeTypeOf(`function`) + }) +}) diff --git a/src/documentBuilder/requestMethods/document.test-d.ts b/src/documentBuilder/requestMethods/document.test-d.ts index ffed92300..66ad00b48 100644 --- a/src/documentBuilder/requestMethods/document.test-d.ts +++ b/src/documentBuilder/requestMethods/document.test-d.ts @@ -1,12 +1,9 @@ import { expectTypeOf, test } from 'vitest' import { Graffle } from '../../../tests/_/schemas/kitchen-sink/graffle/__.js' -import * as Schema from '../../../tests/_/schemas/kitchen-sink/schema.js' import { MutationOnly } from '../../../tests/_/schemas/mutation-only/graffle/__.js' -import * as SchemaMutationOnly from '../../../tests/_/schemas/mutation-only/schema.js' import { QueryOnly } from '../../../tests/_/schemas/query-only/graffle/__.js' -import * as SchemaQueryOnly from '../../../tests/_/schemas/query-only/schema.js' -const graffle = Graffle.create({ schema: Schema.schema }) +const graffle = Graffle.create() test(`requires input`, () => { // @ts-expect-error missing input @@ -53,17 +50,13 @@ test(`document with two queries of different root types`, async () => { }) test(`root operation not available if it is not in schema`, () => { - const queryOnly = QueryOnly.create({ - schema: SchemaQueryOnly.schema, - }) + const queryOnly = QueryOnly.create() queryOnly.document({ query: { foo: { id: true } }, // @ts-expect-error mutation not in schema mutation: { foo: { id: true } }, }) - const mutationOnly = MutationOnly.create({ - schema: SchemaMutationOnly.schema, - }) + const mutationOnly = MutationOnly.create() mutationOnly.document({ mutation: { bar: { id: true } }, // @ts-expect-error query not in schema diff --git a/src/documentBuilder/requestMethods/document.test.ts b/src/documentBuilder/requestMethods/document.test.ts index 8c7d01de6..bd1679b25 100644 --- a/src/documentBuilder/requestMethods/document.test.ts +++ b/src/documentBuilder/requestMethods/document.test.ts @@ -2,11 +2,12 @@ import { describe, expect, test } from 'vitest' import { db } from '../../../tests/_/schemas/db.js' import { Graffle } from '../../../tests/_/schemas/kitchen-sink/graffle/__.js' import { schema } from '../../../tests/_/schemas/kitchen-sink/schema.js' +import { TransportMemory } from '../../extensions/TransportMemory/TransportMemory.js' import type { Errors } from '../../lib/errors/__.js' // todo test with custom scalars -const graffle = Graffle.create({ schema }) +const graffle = Graffle.create().use(TransportMemory({ schema })).transport(`memory`) describe(`document with two queries`, () => { const withTwo = graffle.document({ diff --git a/src/documentBuilder/requestMethods/document.ts b/src/documentBuilder/requestMethods/document.ts index 61d5e8744..17f16ee5f 100644 --- a/src/documentBuilder/requestMethods/document.ts +++ b/src/documentBuilder/requestMethods/document.ts @@ -1,10 +1,10 @@ import type { UnionToTuple } from 'type-fest' -import type { Context } from '../../client/context.js' import { type HandleOutput } from '../../client/handleOutput.js' import type { InferResult } from '../../documentBuilder/InferResult/__.js' import type { Select } from '../../documentBuilder/Select/__.js' import type { Schema } from '../../entrypoints/schema.js' import type { IsTupleMultiple } from '../../lib/prelude.js' +import type { Context } from '../../types/context.js' // dprint-ignore export type DocumentRunner< diff --git a/src/documentBuilder/requestMethods/requestMethods.test-d.ts b/src/documentBuilder/requestMethods/requestMethods.test-d.ts index 82ebd3ed7..4ad6725fc 100644 --- a/src/documentBuilder/requestMethods/requestMethods.test-d.ts +++ b/src/documentBuilder/requestMethods/requestMethods.test-d.ts @@ -6,7 +6,7 @@ import { Graffle } from '../../../tests/_/schemas/kitchen-sink/graffle/__.js' import * as Schema from '../../../tests/_/schemas/kitchen-sink/schema.js' // import { Graffle as Pokemon } from '../../../tests/_/schemas/pokemon/graffle/__.js' -const graffle = Graffle.create({ schema: Schema.schema }).scalar(DateScalar) +const graffle = Graffle.create().scalar(DateScalar) graffle._.scalars.typesDecoded // dprint-ignore diff --git a/src/documentBuilder/requestMethods/requestMethods.test.ts b/src/documentBuilder/requestMethods/requestMethods.test.ts index 328b88173..d7cb81d40 100644 --- a/src/documentBuilder/requestMethods/requestMethods.test.ts +++ b/src/documentBuilder/requestMethods/requestMethods.test.ts @@ -3,10 +3,10 @@ import { DateScalar } from '../../../tests/_/fixtures/scalars.js' import { kitchenSink, test } from '../../../tests/_/helpers.js' describe(`query batch`, () => { - test(`success`, async ({ kitchenSinkData: db }) => { + test(`success`, async ({ kitchenSink, kitchenSinkData: db }) => { expect(await kitchenSink.query.$batch({ id: true })).toMatchObject({ id: db.id }) }) - test(`error`, async ({ kitchenSinkData: db }) => { + test(`error`, async ({ kitchenSink, kitchenSinkData: db }) => { await expect(kitchenSink.query.$batch({ error: true })).rejects.toMatchObject(db.errorAggregate) }) }) diff --git a/src/documentBuilder/requestMethods/requestMethods.ts b/src/documentBuilder/requestMethods/requestMethods.ts index 1415aa7ab..b0a3d0f84 100644 --- a/src/documentBuilder/requestMethods/requestMethods.ts +++ b/src/documentBuilder/requestMethods/requestMethods.ts @@ -1,49 +1,16 @@ import { OperationTypeNode } from 'graphql' -import type { SimplifyDeep } from 'type-fest' -import { type Context } from '../../client/context.js' import { handleOutput } from '../../client/handleOutput.js' -import type { TypeFunction } from '../../entrypoints/utilities-for-generated.js' +import { createProperties } from '../../client/helpers.js' import { Anyware } from '../../lib/anyware/__.js' -import { Builder } from '../../lib/builder/__.js' import type { Grafaid } from '../../lib/grafaid/__.js' import { getOperationDefinition } from '../../lib/grafaid/document.js' import { isSymbol } from '../../lib/prelude.js' -import { type RequestPipeline, requestPipeline } from '../../requestPipeline/__.js' -import type { GlobalRegistry } from '../../types/GlobalRegistry/GlobalRegistry.js' +import type { RequestPipelineBase } from '../../requestPipeline/RequestPipeline.js' +import { type Context } from '../../types/context.js' import { Select } from '../Select/__.js' import { SelectionSetGraphqlMapper } from '../SelectGraphQLMapper/__.js' -export interface BuilderExtensionRequestMethods extends Builder.Extension { - context: Context - // @ts-expect-error untyped params - return: RequestMethods -} - -// dprint-ignore -export type RequestMethods<$Arguments extends Builder.Extension.Parameters> = - SimplifyDeep< - & ( - // todo - // GlobalRegistry.Has<$Context['name']> extends false - // eslint-disable-next-line - // @ts-ignore passes after generation - GlobalRegistry.Has<$Arguments['context']['name']> extends false - ? {} - : - ( - // eslint-disable-next-line - // @ts-ignore Passes after generation - & TypeFunction.Call['interfaces']['Root'], $Arguments['context']> - & { - // eslint-disable-next-line - // @ts-ignore Passes after generation - document: TypeFunction.Call['interfaces']['Document'], $Arguments['context']> - } - ) - ) - > - -export const requestMethodsProperties = Builder.Extension.create((_, context) => { +export const requestMethodsProperties = createProperties((_, context) => { return { document: createMethodDocument(context), query: createMethodOperationType(context, OperationTypeNode.QUERY), @@ -91,7 +58,7 @@ const executeRootField = async ( if (result instanceof Error) return result - return state.config.output.envelope.enabled + return state.output.envelope.enabled ? result // @ts-expect-error : result[rootFieldName] @@ -116,10 +83,7 @@ const executeDocument = async ( document: Select.Document.DocumentNormalized, operationName?: string, ) => { - const transportType = state.config.transport.type - const url = state.config.transport.type === `http` ? state.config.transport.url : undefined - const schema = state.config.transport.type === `http` ? undefined : state.config.transport.schema - + if (!state.transports.current) throw new Error(`No transport configured.`) const request = graffleMappedResultToRequest( SelectionSetGraphqlMapper.toGraphQL(document, { sddm: state.schemaMap, @@ -130,14 +94,14 @@ const executeDocument = async ( ) const initialInput = { + transportType: state.transports.current, + ...state.transports.configurations[state.transports.current], state, - transportType, - url, - schema, request, - } as RequestPipeline['input'] + } as RequestPipelineBase['input'] - const result = await Anyware.PipelineDef.run(requestPipeline, { + const pipeline = Anyware.Pipeline.create(state.requestPipelineDefinition) // todo memoize + const result = await Anyware.PipelineDefinition.run(pipeline, { initialInput, // retryingExtension: state.retry as any, interceptors: state.extensions.filter(_ => _.onRequest !== undefined).map(_ => _.onRequest!) as any, diff --git a/src/entrypoints/_Graffle.ts b/src/entrypoints/_Graffle.ts index 27d9132a4..ce35200ec 100644 --- a/src/entrypoints/_Graffle.ts +++ b/src/entrypoints/_Graffle.ts @@ -1,2 +1,2 @@ -export * from '../client/client.js' export * as Scalars from './_Scalars.js' +export { create } from './presets/minimal.js' diff --git a/src/entrypoints/_Preset.ts b/src/entrypoints/_Preset.ts index a04a5825a..912942333 100644 --- a/src/entrypoints/_Preset.ts +++ b/src/entrypoints/_Preset.ts @@ -1 +1 @@ -export { traditionalGraphqlOutput } from '../client/Settings/Config.js' +export { traditionalGraphqlOutput } from '../client/Configuration/Output.js' diff --git a/src/entrypoints/client.ts b/src/entrypoints/client.ts index 9a9f7c8ad..04cce5585 100644 --- a/src/entrypoints/client.ts +++ b/src/entrypoints/client.ts @@ -1,4 +1,3 @@ export { type Client, create } from '../client/client.js' -export { type InputStatic } from '../client/Settings/Input.js' -export { ClientPreset } from '../ClientPreset/__.js' +export { type ConfigInit } from '../client/Configuration/ConfigInit.js' export { create as createSelect, select } from '../select/select.js' diff --git a/src/entrypoints/extensionkit.ts b/src/entrypoints/extensionkit.ts index 65098e7f8..5d173a0ee 100644 --- a/src/entrypoints/extensionkit.ts +++ b/src/entrypoints/extensionkit.ts @@ -1,7 +1,6 @@ -export { createBuilderExtension, createExtension, createTypeHooks } from '../extension/extension.js' +export { create } from '../extension/extension.js' export { createExtension as createGeneratorExtension } from '../generator/extension/create.js' // todo: no deep imports, rethink these utilities and/or how they are exported from the graffle package. -export type { Context } from '../client/context.js' -export type { Extension } from '../extension/extension.js' -export type { Builder } from '../lib/builder/__.js' +export * from '../extension/__.js' export { Errors } from '../lib/errors/__.js' +export type { Context } from '../types/context.js' diff --git a/src/entrypoints/extensions/transport-http/runtime.ts b/src/entrypoints/extensions/transport-http/runtime.ts new file mode 100644 index 000000000..6462630ad --- /dev/null +++ b/src/entrypoints/extensions/transport-http/runtime.ts @@ -0,0 +1 @@ +export { TransportHttp } from '../../../extensions/TransportHttp/TransportHttp.js' diff --git a/src/entrypoints/extensions/transport-memory/runtime.ts b/src/entrypoints/extensions/transport-memory/runtime.ts new file mode 100644 index 000000000..49cc884fb --- /dev/null +++ b/src/entrypoints/extensions/transport-memory/runtime.ts @@ -0,0 +1 @@ +export { TransportMemory } from '../../../extensions/TransportMemory/TransportMemory.js' diff --git a/src/entrypoints/main.ts b/src/entrypoints/main.ts index 3a385a7a0..fd28fcd19 100644 --- a/src/entrypoints/main.ts +++ b/src/entrypoints/main.ts @@ -1,9 +1,8 @@ -export { createExtension, type Extension } from '../extension/extension.js' +export { type Extension } from '../extension/__.js' export { type TypedDocument } from '../lib/grafaid/typed-document/__.js' // todo figure this export out. Was just put there to resolve a type error about "...cannot be named..." -export { type Config as BuilderConfig } from '../client/Settings/Config.js' -export * from '../client/Settings/Input.js' -export { type WithInput } from '../client/Settings/inputIncrementable/inputIncrementable.js' +export * from '../client/Configuration/ConfigInit.js' +export { type OutputConfig } from '../client/Configuration/Output.js' export * from '../lib/prelude.js' export * from './__Graffle.js' export * as Preset from './_Preset.js' diff --git a/src/entrypoints/presets/__GraffleBare.ts b/src/entrypoints/presets/__GraffleBare.ts new file mode 100644 index 000000000..3ae7cf28b --- /dev/null +++ b/src/entrypoints/presets/__GraffleBare.ts @@ -0,0 +1 @@ +export * as GraffleBare from './bare.js' diff --git a/src/entrypoints/presets/__GraffleBasic.ts b/src/entrypoints/presets/__GraffleBasic.ts new file mode 100644 index 000000000..99f180138 --- /dev/null +++ b/src/entrypoints/presets/__GraffleBasic.ts @@ -0,0 +1 @@ +export * as GraffleBasic from './basic.js' diff --git a/src/entrypoints/presets/__GraffleMinimal.ts b/src/entrypoints/presets/__GraffleMinimal.ts new file mode 100644 index 000000000..8fb2dbc63 --- /dev/null +++ b/src/entrypoints/presets/__GraffleMinimal.ts @@ -0,0 +1 @@ +export * as GraffleMinimal from './minimal.js' diff --git a/src/entrypoints/presets/bare.ts b/src/entrypoints/presets/bare.ts new file mode 100644 index 000000000..d09d52895 --- /dev/null +++ b/src/entrypoints/presets/bare.ts @@ -0,0 +1,5 @@ +import type { Client as BaseClient } from '../../client/client.js' +import type { Context } from '../../types/context.js' +export { create } from '../../client/client.js' + +export type Client = BaseClient diff --git a/src/entrypoints/presets/basic.ts b/src/entrypoints/presets/basic.ts new file mode 100644 index 000000000..57261e24d --- /dev/null +++ b/src/entrypoints/presets/basic.ts @@ -0,0 +1,29 @@ +import { type Client as BaseClient, createConstructorWithContext } from '../../client/client.js' +import { useReducer } from '../../client/properties/use.js' +import type { ConfigManager } from '../../lib/config-manager/__.js' +import { Context, type Context as BaseContext } from '../../types/context.js' +import { TransportHttp } from '../extensions/transport-http/runtime.js' +import { TransportMemory } from '../extensions/transport-memory/runtime.js' +import type { PartialOrUndefined } from '../main.js' + +const context = useReducer(useReducer(Context.States.contextEmpty, TransportHttp()), TransportMemory()) + +type BasicClientContext = typeof context + +export const create = createConstructorWithContext(context) + +export type Client = BaseClient + +export namespace Client { + export type Context = BasicClientContext + + export type With<$ContextNewPartial extends PartialOrUndefined> = BaseClient< + // @ts-expect-error fixme + ConfigManager.SetKeysOptional< + BasicClientContext, + $ContextNewPartial + >, + {}, + {} + > +} diff --git a/src/entrypoints/presets/minimal.ts b/src/entrypoints/presets/minimal.ts new file mode 100644 index 000000000..fdf03487f --- /dev/null +++ b/src/entrypoints/presets/minimal.ts @@ -0,0 +1,28 @@ +import { type Client as BaseClient, createConstructorWithContext } from '../../client/client.js' +import { useReducer } from '../../client/properties/use.js' +import type { ConfigManager } from '../../lib/config-manager/__.js' +import { Context, type Context as BaseContext } from '../../types/context.js' +import { TransportHttp } from '../extensions/transport-http/runtime.js' +import type { PartialOrUndefined } from '../main.js' + +const context = useReducer(Context.States.contextEmpty, TransportHttp()) + +export type MinimalClientContext = typeof context + +export const create = createConstructorWithContext(context) + +export type Client = BaseClient + +export namespace Client { + export type Context = MinimalClientContext + + export type With<$ContextNewPartial extends PartialOrUndefined> = BaseClient< + // @ts-expect-error fixme + ConfigManager.SetKeysOptional< + MinimalClientContext, + $ContextNewPartial + >, + {}, + {} + > +} diff --git a/src/entrypoints/utilities-for-generated.ts b/src/entrypoints/utilities-for-generated.ts index 379417a2c..fba5a82bd 100644 --- a/src/entrypoints/utilities-for-generated.ts +++ b/src/entrypoints/utilities-for-generated.ts @@ -1,12 +1,14 @@ -export { type Simplify } from 'type-fest' -export { type Context } from '../client/context.js' +export type { Simplify } from 'type-fest' +export { createConstructorWithContext } from '../client/client.js' export type { ConfigGetOutputError, HandleOutput, HandleOutputGraffleRootField } from '../client/handleOutput.js' -export type { Config } from '../client/Settings/Config.js' +export { useReducer } from '../client/properties/use.js' export { type DocumentRunner } from '../documentBuilder/requestMethods/document.js' export * from '../documentBuilder/Select/__.js' export { type SimplifyDeep, type SimplifyDeepExcept } from '../documentBuilder/Simplify.js' export { type AssertExtendsObject, type Exact, type ExactNonEmpty, type UnionExpanded } from '../lib/prelude.js' export { TypeFunction } from '../lib/type-function/__.js' +export { Context } from '../types/context.js' +export * from '../types/context.js' export { type GlobalRegistry } from '../types/GlobalRegistry/GlobalRegistry.js' export { Schema } from '../types/Schema/__.js' export * from '../types/Schema/StandardTypes/scalar.js' diff --git a/src/extension/TypeHooks.ts b/src/extension/TypeHooks.ts new file mode 100644 index 000000000..8b9b7bfe5 --- /dev/null +++ b/src/extension/TypeHooks.ts @@ -0,0 +1,73 @@ +import type { GraffleExecutionResultEnvelope } from '../client/handleOutput.js' +import type { Select } from '../entrypoints/utilities-for-generated.js' +import type { AssertExtends } from '../lib/prelude.js' +import type { TypeFunction } from '../lib/type-function/__.js' +import type { Context } from '../types/context.js' +import type { GlobalRegistry } from '../types/GlobalRegistry/GlobalRegistry.js' + +export interface TypeHooks { + /** + * Manipulate the execution result of a request. + * + * Applies to all requests. + */ + onRequestResult: OnRequestResult[] + /** + * Manipulate the root type in a document in a request. + * + * Applies to all requests with typed documents which is all of them except `gql` method when passed a `string`. + * + * The root type received is the one that the request's operation name pointed to. + * + * Note: There is no way to manipulate the whole document. + */ + onRequestDocumentRootType: OnRequestDocumentRootType[] +} + +export interface TypeHooksEmpty extends TypeHooks { + onRequestResult: [] + onRequestDocumentRootType: [] +} + +export interface TypeHooksBuilderCallback<$TypeHooks extends TypeHooks> { + (builder: TypeHooksBuilder): TypeHooksBuilder<$TypeHooks> +} + +export interface TypeHooksBuilder<$TypeHooks extends TypeHooks = TypeHooksEmpty> { + type: $TypeHooks + onRequestResult: <$OnRequestResult extends OnRequestResult>() => TypeHooksBuilder< + { + onRequestResult: [...$TypeHooks['onRequestResult'], $OnRequestResult] + onRequestDocumentRootType: $TypeHooks['onRequestDocumentRootType'] + } + > + onRequestDocumentRootType: <$OnRequestDocumentRootType extends OnRequestDocumentRootType>() => TypeHooksBuilder< + { + onRequestResult: $TypeHooks['onRequestResult'] + onRequestDocumentRootType: [...$TypeHooks['onRequestDocumentRootType'], $OnRequestDocumentRootType] + } + > +} + +export interface OnRequestDocumentRootType extends TypeFunction {} +export namespace OnRequestDocumentRootType { + export interface Params { + selectionRootType: Select.SelectionSet.RootType + } +} + +export interface OnRequestResult extends TypeFunction {} +export namespace OnRequestResult { + export interface Params<$Extensions extends GlobalRegistry.Extensions = GlobalRegistry.Extensions> { + result: GraffleExecutionResultEnvelope + registeredSchema: GlobalRegistry.Client<$Extensions> + } +} + +export type RunTypeHookOnRequestResult< + $Context extends Context, + $Params extends OnRequestResult.Params, +> = AssertExtends< + TypeFunction.CallPipeline<$Context['typeHookOnRequestResult'], $Params>, + OnRequestResult.Params +> diff --git a/src/extension/__.ts b/src/extension/__.ts new file mode 100644 index 000000000..17c8f90a6 --- /dev/null +++ b/src/extension/__.ts @@ -0,0 +1,61 @@ +import type { RequestPipelineBaseInterceptor } from '../requestPipeline/RequestPipeline.js' +import type { Transport } from '../types/Transport.js' +import type { BuilderExtension } from './builder.js' +import type { TypeHooks } from './TypeHooks.js' + +export * as Extension from './extension.js' + +export interface Extension< + $Name extends string = string, + $Config extends object | undefined = object | undefined, + $BuilderExtension extends BuilderExtension | undefined = BuilderExtension | undefined, + $TypeHooks extends TypeHooks = TypeHooks, + $Transport extends Transport | undefined = Transport | undefined, +> { + /** + * The name of the extension + */ + name: $Name + /** + * TODO + */ + config: $Config + /** + * Anyware executed on every request. + */ + onRequest: undefined | RequestPipelineBaseInterceptor + /** + * Manipulate the builder. + * You can extend the builder with new properties at both runtime AND buildtime (types, TypeScript). + * You can also manipulate existing properties. + * + * ### Runtime + * + * Hook into "get" events on the builder proxy. Useful for adding new methods or manipulating existing ones. + * + * Invoked when a non-record-like-object is reached. For example these: + * + * - graffle.use (property: "use") + * - graffle.query.foo (property: "foo", path: ["query"]) + * + * Return nothing/`undefined` to passthrough. + * + * Anything else returned becomes the result of the proxy "get" event. + * + * When there are multiple extensions with "onBuilderGet" handlers they form a execution stack starting from the first registered extension. + * The first handler to return something short circuits the rest. + * + * ### Types + * + * There is a type parameter you can pass in which will statically extend the builder. + */ + builder: $BuilderExtension + /** + * TODO + */ + transport: $Transport + /** + * TODO + */ + typeHooks: $TypeHooks +} diff --git a/src/extension/builder.ts b/src/extension/builder.ts new file mode 100644 index 000000000..954d086b9 --- /dev/null +++ b/src/extension/builder.ts @@ -0,0 +1,29 @@ +import type { ClientEmpty, ExtensionChainable } from '../client/client.js' +import { identity } from '../lib/prelude.js' + +export type BuilderExtension< + $BuilderExtension extends ExtensionChainable | undefined = ExtensionChainable | undefined, +> = + & BuilderExtension.Interceptor + & { type: $BuilderExtension } + +export namespace BuilderExtension { + export interface Creator { + <$BuilderExtension extends ExtensionChainable>( + interceptor: Interceptor, + ): BuilderExtension<$BuilderExtension> + } + export const create: Creator = identity as any + + export interface CreatorCallback<$BuilderExtension extends BuilderExtension | undefined> { + (creator: Creator): $BuilderExtension + } + + export type Interceptor = ( + input: { + path: string[] + property: string + client: ClientEmpty + }, + ) => unknown +} diff --git a/src/extension/builderProperties.ts b/src/extension/builderProperties.ts new file mode 100644 index 000000000..85cd05e8b --- /dev/null +++ b/src/extension/builderProperties.ts @@ -0,0 +1,28 @@ +import type { ClientGeneric } from '../client/client.js' + +export interface BuilderProperties< + $BuilderProperties extends object | undefined = object | undefined, +> { + type: $BuilderProperties + implementation: BuilderProperties.Interceptor +} + +export namespace BuilderProperties { + export interface Creator { + <$BuilderProperties extends object>( + interceptor: Interceptor, + ): BuilderProperties<$BuilderProperties> + } + + export interface CreatorCallback<$BuilderProperties extends object> { + (creator: Creator): $BuilderProperties + } + + export type Interceptor = ( + input: { + path: string[] + property: string + client: ClientGeneric + }, + ) => unknown +} diff --git a/src/extension/extension.test.ts b/src/extension/extension.test.ts index 386eec184..03e5ab61b 100644 --- a/src/extension/extension.test.ts +++ b/src/extension/extension.test.ts @@ -1,9 +1,9 @@ import { describe, expectTypeOf, test } from 'vitest' -import { createExtension } from './extension.js' +import { create } from './extension.js' describe(`constructor arguments`, () => { test(`normalizeConfig undefined -> constructor input forbidden`, () => { - const Ex = createExtension({ + const Ex = create({ name: `test`, create: () => { return {} @@ -14,7 +14,7 @@ describe(`constructor arguments`, () => { Ex({}) }) test(`normalizeConfig with optional keys -> constructor input optional`, () => { - const Ex = createExtension({ + const Ex = create({ name: `test`, normalizeConfig: (_?: { a?: 1; b?: 2 }) => { return { a: 11, b: 22 } @@ -28,7 +28,7 @@ describe(`constructor arguments`, () => { Ex({ a: 1 }) }) test(`normalizeConfig with required input (but optional keys) -> constructor input required`, () => { - const Ex = createExtension({ + const Ex = create({ name: `test`, normalizeConfig: (_: { a?: 1; b?: 2 }) => { return { a: 11, b: 22 } @@ -43,7 +43,7 @@ describe(`constructor arguments`, () => { Ex({ a: 1 }) }) test(`normalizeConfig with required keys -> constructor input required`, () => { - const Ex = createExtension({ + const Ex = create({ name: `test`, normalizeConfig: (_: { a: 1; b?: 2 }) => { return { a: 11, b: 22 } @@ -61,19 +61,19 @@ describe(`constructor arguments`, () => { }) test(`type hooks is empty by default`, () => { - const Ex = createExtension({ + const Ex = create({ name: `test`, create: () => { return {} }, }) expectTypeOf(Ex.info.typeHooks).toEqualTypeOf<{ - onRequestResult: undefined - onRequestDocumentRootType: undefined + onRequestResult: [] + onRequestDocumentRootType: [] }>() const ex = Ex() expectTypeOf(ex.typeHooks).toEqualTypeOf<{ - onRequestResult: undefined - onRequestDocumentRootType: undefined + onRequestResult: [] + onRequestDocumentRootType: [] }>() }) diff --git a/src/extension/extension.ts b/src/extension/extension.ts index 6e24d6f00..438a73415 100644 --- a/src/extension/extension.ts +++ b/src/extension/extension.ts @@ -1,138 +1,14 @@ import type { IsNever } from 'type-fest' -import type { Client } from '../client/client.js' -import type { Context } from '../client/context.js' -import type { GraffleExecutionResultEnvelope } from '../client/handleOutput.js' -import type { Select } from '../documentBuilder/Select/__.js' -import type { Anyware } from '../lib/anyware/__.js' -import type { Builder } from '../lib/builder/__.js' -import type { AssertExtends } from '../lib/prelude.js' -import type { TypeFunction } from '../lib/type-function/__.js' -import type { Fn } from '../lib/type-function/TypeFunction.js' -import type { RequestPipeline } from '../requestPipeline/__.js' -import type { GlobalRegistry } from '../types/GlobalRegistry/GlobalRegistry.js' +import { Anyware } from '../lib/anyware/__.js' +import { _, type AssertExtendsString } from '../lib/prelude.js' +import type { RequestPipelineBaseInterceptor } from '../requestPipeline/RequestPipeline.js' +import type { Transport } from '../types/Transport.js' +import type { Extension } from './__.js' +import { BuilderExtension } from './builder.js' +import type { TypeHooks, TypeHooksEmpty } from './TypeHooks.js' +import type { TypeHooksBuilderCallback } from './TypeHooks.js' -export interface TypeHooks { - /** - * Manipulate the execution result of a request. - * - * Applies to all requests. - */ - onRequestResult?: Extension.Hooks.OnRequestResult - /** - * Manipulate the root type in a document in a request. - * - * Applies to all requests with typed documents which is all of them except `gql` method when passed a `string`. - * - * The root type received is the one that the request's operation name pointed to. - * - * Note: There is no way to manipulate the whole document. - */ - onRequestDocumentRootType?: Extension.Hooks.OnRequestDocumentRootType -} - -export type RunTypeHookOnRequestResult< - $Context extends Context, - $Params extends Extension.Hooks.OnRequestResult.Params, -> = AssertExtends< - TypeFunction.CallPipeline<$Context['typeHooks']['onRequestResult'], $Params>, - Extension.Hooks.OnRequestResult.Params -> - -export interface EmptyTypeHooks { - onRequestResult: undefined - onRequestDocumentRootType: undefined -} - -export interface Extension< - $Name extends string = string, - $Config extends object | undefined = object | undefined, - $BuilderExtension extends BuilderExtension | undefined = BuilderExtension | undefined, - $TypeHooks extends TypeHooks = TypeHooks, -> extends Fn { - /** - * The name of the extension - */ - name: $Name - config: $Config - /** - * Anyware executed on every request. - */ - onRequest?: Anyware.Interceptor.InferFromPipeline - /** - * Manipulate the builder. - * You can extend the builder with new properties at both runtime AND buildtime (types, TypeScript). - * You can also manipulate existing properties. - * - * ### Runtime - * - * Hook into "get" events on the builder proxy. Useful for adding new methods or manipulating existing ones. - * - * Invoked when a non-record-like-object is reached. For example these: - * - * - graffle.use (property: "use") - * - graffle.query.foo (property: "foo", path: ["query"]) - * - * Return nothing/`undefined` to passthrough. - * - * Anything else returned becomes the result of the proxy "get" event. - * - * When there are multiple extensions with "onBuilderGet" handlers they form a execution stack starting from the first registered extension. - * The first handler to return something short circuits the rest. - * - * ### Types - * - * There is a type parameter you can pass in which will statically extend the builder. - */ - builder: $BuilderExtension - /** - * TODO - */ - typeHooks: $TypeHooks -} - -export namespace Extension { - export namespace Hooks { - export interface OnRequestDocumentRootType extends Fn {} - export namespace OnRequestDocumentRootType { - export interface Params { - selectionRootType: Select.SelectionSet.RootType - } - } - export interface OnRequestResult extends Fn {} - export namespace OnRequestResult { - export interface Params<$Extensions extends GlobalRegistry.Extensions = GlobalRegistry.Extensions> { - result: GraffleExecutionResultEnvelope - registeredSchema: GlobalRegistry.Client<$Extensions> - } - } - } -} - -export const createTypeHooks = <$TypeHooks extends TypeHooks = TypeHooks>(): $TypeHooks => { - return undefined as any as $TypeHooks -} - -export const createBuilderExtension = <$BuilderExtension extends Builder.Extension | undefined = undefined>( - implementation: BuilderExtensionImplementation, -): BuilderExtension<$BuilderExtension> => { - return { - implementation, - } as BuilderExtension<$BuilderExtension> -} - -export type BuilderExtension<$BuilderExtension extends Builder.Extension | undefined = Builder.Extension | undefined> = - { - type: $BuilderExtension - implementation: BuilderExtensionImplementation - } - -export type BuilderExtensionImplementation = ( - input: { - path: string[] - property: string - client: Client - }, -) => unknown +export * as TypeHooks from './TypeHooks.js' export type ExtensionInputParameters = | ExtensionInputParametersNone @@ -142,34 +18,36 @@ export type ExtensionInputParametersNone = [] export type ExtensionInputParametersOptional = [input?: object] export type ExtensionInputParametersRequired = [input: object] -export const createExtension = < +export interface ExtensionDefinition { + name: string + builder?: BuilderExtension // | BuilderExtension.CreatorCallback + onRequest?: RequestPipelineBaseInterceptor + // typeHooks?: () => TypeHooks + transport?: ( + OverloadBuilder: { create: Transport.Builder.Create }, + ) => Anyware.Overload.Builder +} + +export const create = < $Name extends string, - $BuilderExtension extends BuilderExtension = BuilderExtension, - $TypeHooks extends TypeHooks = TypeHooks, + $BuilderExtension extends BuilderExtension | undefined = BuilderExtension | undefined, + $TypeHooks extends TypeHooks = TypeHooksEmpty, $ConfigInputParameters extends ExtensionInputParameters = ExtensionInputParameters, $Config extends object = object, $Custom extends object = object, -> // $x extends undefined | ((...args: $ConfigInputParameters) => $Config) = undefined, -// $Input extends { -// name: $Name -// normalizeConfig?: (...args: $ConfigInputParameters) => $Config -// custom?: $Custom -// create: (params: { config: $Config }) => { -// builder?: $BuilderExtension -// onRequest?: Anyware.Extension2 -// typeHooks?: () => $TypeHooks -// } -// } = any -( - // definitionInput: $Input, + $TransportCallbackResult extends undefined | Anyware.Overload.Builder = undefined, +>( definitionInput: { name: $Name normalizeConfig?: (...args: $ConfigInputParameters) => $Config custom?: $Custom create: (params: { config: $Config }) => { - builder?: $BuilderExtension - onRequest?: Anyware.Interceptor.InferFromPipeline - typeHooks?: () => $TypeHooks + builder?: BuilderExtension.CreatorCallback<$BuilderExtension> // | $BuilderExtension // todo + onRequest?: RequestPipelineBaseInterceptor + typeHooks?: TypeHooksBuilderCallback<$TypeHooks> | $TypeHooks + transport?: ( + OverloadBuilder: Transport.Builder.Create, + ) => $TransportCallbackResult } }, ): ExtensionConstructor< @@ -177,12 +55,51 @@ export const createExtension = < $Config, $Name, $BuilderExtension, - TypeHooks extends $TypeHooks ? EmptyTypeHooks : $TypeHooks, - $Custom + $TypeHooks, + $Custom, + $TransportCallbackResult extends Anyware.Overload.Builder ? { + // todo fixme + // Names of transports can only be strings but its wider for anyware overloads + name: AssertExtendsString<$TransportCallbackResult['type']['discriminant'][1]> + config: $TransportCallbackResult['type']['input'] + configInit: $TransportCallbackResult['type']['inputInit'] extends object + ? $TransportCallbackResult['type']['inputInit'] + : {} + configDefaults: $TransportCallbackResult['type']['inputDefaults'] + requestPipelineOverload: $TransportCallbackResult['type'] + } + : undefined > => { const extensionConstructor = (input?: object) => { const config: $Config = ((definitionInput.normalizeConfig as any)?.(input) ?? {}) as any // eslint-disable-line - return definitionInput.create({ config }) as any + const extensionBuilder = definitionInput.create({ config }) + const builder = extensionBuilder.builder?.(BuilderExtension.create) + const overload = extensionBuilder.transport?.((name) => + Anyware.Overload.create({ discriminant: [`transportType`, name] }) + // eslint-disable-next-line + )?.type + const transport: Transport | undefined = overload + ? { + name: overload.discriminant[1] as string, + config: overload.input, + configInit: undefined as any, + configDefaults: overload.inputDefaults, + requestPipelineOverload: overload, + } + : undefined + const extension: Extension = { + name: definitionInput.name, + config, + onRequest: extensionBuilder.onRequest, + builder, + transport, + // todo: remove this from runtime, its JUST for types. + typeHooks: { + onRequestDocumentRootType: [], + onRequestResult: [], + }, + } + return extension } extensionConstructor.info = { name: definitionInput.name, @@ -197,27 +114,27 @@ export type ExtensionConstructor< $Config extends object = object, $Name extends string = string, $BuilderExtension extends BuilderExtension | undefined = BuilderExtension | undefined, - $TypeHooks extends TypeHooks = TypeHooks, + $TypeHooks extends TypeHooks = TypeHooksEmpty, $Custom extends object = object, + $Transport extends undefined | Transport = undefined, > = & { ( ...args: // ExtensionInputParameters extends $ConfigInputParameters ? [] : $ConfigInputParameters WasNotDefined<$ConfigInputParameters> extends true ? [] : $ConfigInputParameters - ): Extension<$Name, $Config, $BuilderExtension, $TypeHooks> + ): Extension<$Name, $Config, $BuilderExtension, $TypeHooks, $Transport> info: { name: $Name configInputParameters: $ConfigInputParameters config: $Config builder: $BuilderExtension - typeHooks: TypeHooks extends $TypeHooks ? EmptyTypeHooks : $TypeHooks + typeHooks: $TypeHooks + transport: $Transport } } & $Custom -// type x = Parameters - export type InferExtensionFromConstructor<$ExtensionConstructor extends ExtensionConstructor> = Extension< $ExtensionConstructor['info']['name'], $ExtensionConstructor['info']['config'], diff --git a/src/extensions/Introspection/Introspection.test.ts b/src/extensions/Introspection/Introspection.test.ts index d42bbfc77..33124592c 100644 --- a/src/extensions/Introspection/Introspection.test.ts +++ b/src/extensions/Introspection/Introspection.test.ts @@ -3,10 +3,11 @@ import { expect, test } from 'vitest' import { schema } from '../../../tests/_/schemas/minimal/schema.js' import { Graffle } from '../../entrypoints/__Graffle.js' import { assertEqual } from '../../lib/assert-equal.js' +import { TransportMemory } from '../TransportMemory/TransportMemory.js' import { Introspection } from './Introspection.js' test(`adds an introspection method that introspects the schema`, async () => { - const graffle = Graffle.create({ schema }).use(Introspection()) + const graffle = Graffle.create().use(TransportMemory({ schema })).transport(`memory`).use(Introspection()) const result = await graffle.introspect() expect(result).toMatchSnapshot() assertEqual() diff --git a/src/extensions/Introspection/Introspection.ts b/src/extensions/Introspection/Introspection.ts index 0c2195a54..8779b4618 100644 --- a/src/extensions/Introspection/Introspection.ts +++ b/src/extensions/Introspection/Introspection.ts @@ -1,8 +1,7 @@ import { getIntrospectionQuery, type IntrospectionQuery } from 'graphql' -import type { Context } from '../../client/context.js' +import type { ExtensionChainable } from '../../client/client.js' import type { HandleOutput } from '../../client/handleOutput.js' -import { createBuilderExtension, createExtension } from '../../entrypoints/extensionkit.js' -import type { Builder } from '../../lib/builder/__.js' +import { create } from '../../entrypoints/extensionkit.js' import { type ConfigInput, createConfig } from './config.js' /** @@ -21,7 +20,7 @@ import { type ConfigInput, createConfig } from './config.js' * const data = await graffle.introspect() * ``` */ -export const Introspection = createExtension({ +export const Introspection = create({ name: `Introspection`, normalizeConfig: (input?: ConfigInput) => { const config = createConfig(input) @@ -29,50 +28,51 @@ export const Introspection = createExtension({ }, create: ({ config }) => { return { - builder: createBuilderExtension(({ path, property, client }) => { - if (!(path.length === 0 && property === `introspect`)) return - const clientCatching = client.with({ output: { envelope: false, errors: { execution: `return` } } }) + builder: (builder) => + builder(({ path, property, client }) => { + if (!(path.length === 0 && property === `introspect`)) return + const clientCatching = client.with({ output: { envelope: false, errors: { execution: `return` } } }) - return async () => { - let introspectionQueryDocument = getIntrospectionQuery(config.options) - const result = await clientCatching.gql(introspectionQueryDocument).send() - const featuresDropped: string[] = [] - const enabledKnownPotentiallyUnsupportedFeatures = knownPotentiallyUnsupportedFeatures.filter(_ => - config.options[_] !== false - ) + return async () => { + let introspectionQueryDocument = getIntrospectionQuery(config.options) + // @ts-expect-error fixme + const result = await clientCatching.gql(introspectionQueryDocument).send() + const featuresDropped: string[] = [] + const enabledKnownPotentiallyUnsupportedFeatures = knownPotentiallyUnsupportedFeatures.filter(_ => + config.options[_] !== false + ) - // Try to find a working introspection query. - if (result instanceof Error) { - for (const feature of enabledKnownPotentiallyUnsupportedFeatures) { - featuresDropped.push(feature) - introspectionQueryDocument = getIntrospectionQuery({ - ...config.options, - [feature]: false, - }) - const result = await clientCatching.gql(introspectionQueryDocument).send() - if (!(result instanceof Error)) break + // Try to find a working introspection query. + if (result instanceof Error) { + for (const feature of enabledKnownPotentiallyUnsupportedFeatures) { + featuresDropped.push(feature) + introspectionQueryDocument = getIntrospectionQuery({ + ...config.options, + [feature]: false, + }) + // @ts-expect-error fixme + const result = await clientCatching.gql(introspectionQueryDocument).send() + if (!(result instanceof Error)) break + } } - } - // Send the query again with the host configuration for output. - // TODO rather than having to make this query again expose a way to send a value through the output handler here. - // TODO expose the featuresDropped info on the envelope so that upstream can communicate to users what happened - // finally at runtime. - return await client.gql(introspectionQueryDocument).send() - } - }), + // Send the query again with the host configuration for output. + // TODO rather than having to make this query again expose a way to send a value through the output handler here. + // TODO expose the featuresDropped info on the envelope so that upstream can communicate to users what happened + // finally at runtime. + // @ts-expect-error fixme + return await client.gql(introspectionQueryDocument).send() + } + }), } }, }) -interface BuilderExtension extends Builder.Extension { - context: Context +interface BuilderExtension extends ExtensionChainable { + name: `introspect` // @ts-expect-error untyped params - return: BuilderExtension_ -} - -interface BuilderExtension_<$Args extends Builder.Extension.Parameters> { - introspect: () => Promise<(null | {}) & HandleOutput<$Args['context'], IntrospectionQuery>> + // return: BuilderExtension_ + return: () => Promise<(null | {}) & HandleOutput> } const knownPotentiallyUnsupportedFeatures = [`inputValueDeprecation`, `oneOf`] as const diff --git a/src/extensions/Opentelemetry/Opentelemetry.ts b/src/extensions/Opentelemetry/Opentelemetry.ts index 1255c70ee..0127f13dd 100644 --- a/src/extensions/Opentelemetry/Opentelemetry.ts +++ b/src/extensions/Opentelemetry/Opentelemetry.ts @@ -1,8 +1,8 @@ import { trace, type Tracer } from '@opentelemetry/api' -import { createExtension } from '../../extension/extension.js' +import { create } from '../../extension/extension.js' import { createConfig } from './config.js' -export const Opentelemetry = createExtension({ +export const Opentelemetry = create({ name: `Opentelemetry`, normalizeConfig: createConfig, create: ({ config }) => { diff --git a/src/extensions/Opentelemetry/documentation.md b/src/extensions/Opentelemetry/documentation.md index 0c60174d8..e62ee17e6 100644 --- a/src/extensions/Opentelemetry/documentation.md +++ b/src/extensions/Opentelemetry/documentation.md @@ -18,7 +18,7 @@ pnpm add @opentelemetry/api import { Graffle } from 'graffle' import { Opentelemetry } from 'graffle/extensions/opentelemetry' -const graffle = Graffle.create({ schema: '...' }).use(Opentelemetry()) +const graffle = Graffle.create().use(Opentelemetry()) ``` ## Span Structure diff --git a/src/extensions/SchemaErrors/documentation.md b/src/extensions/SchemaErrors/documentation.md index 15a7a4b50..4f9f59dc3 100644 --- a/src/extensions/SchemaErrors/documentation.md +++ b/src/extensions/SchemaErrors/documentation.md @@ -22,7 +22,7 @@ export default Generator import { Graffle } from 'graffle' import { SchemaErrors } from 'graffle/extensions/schema-errors' -const graffle = Graffle.create({ schema: '...' }).use(SchemaErrors()) +const graffle = Graffle.create().use(SchemaErrors()) ``` ## Configuration diff --git a/src/extensions/SchemaErrors/runtime.ts b/src/extensions/SchemaErrors/runtime.ts index 6319344d5..d0a4233ec 100644 --- a/src/extensions/SchemaErrors/runtime.ts +++ b/src/extensions/SchemaErrors/runtime.ts @@ -1,16 +1,30 @@ -import { createExtension, createTypeHooks, Errors, type Extension } from '../../entrypoints/extensionkit.js' +import { Errors, Extension } from '../../entrypoints/extensionkit.js' import { normalizeRequestToNode } from '../../lib/grafaid/request.js' import { type ExcludeNullAndUndefined, isString } from '../../lib/prelude.js' import { isRecordLikeObject } from '../../lib/prelude.js' +import type { RequestPipelineBaseInterceptor } from '../../requestPipeline/__.js' import { SchemaDrivenDataMap } from '../../types/SchemaDrivenDataMap/__.js' import type { GeneratedExtensions } from './global.js' import { injectTypenameOnRootResultFields } from './injectTypenameOnRootResultFields.js' -export const SchemaErrors = createExtension({ +// todo we can probably remove this explicit type, its not needed, thought it might be, for excess depth error +export interface SchemaErrors extends Extension { + name: `SchemaErrors` + config: undefined + onRequest: RequestPipelineBaseInterceptor + builder: undefined + transport: undefined + typeHooks: { + onRequestDocumentRootType: [OnRequestDocumentRootType_] + onRequestResult: [OnRequestResult_] + } +} + +export const SchemaErrors: () => SchemaErrors = Extension.create({ name: `SchemaErrors`, - create: () => { + create() { return { - onRequest: async ({ pack }) => { + async onRequest({ pack }) { const state = pack.input.state const sddm = state.schemaMap @@ -67,19 +81,19 @@ export const SchemaErrors = createExtension({ return result }, - typeHooks: createTypeHooks<{ - onRequestDocumentRootType: OnRequestDocumentRootType_ - onRequestResult: OnRequestResult_ - }>, + typeHooks: ($) => + $ + .onRequestDocumentRootType() + .onRequestResult(), } }, }) -type OnRequestDocumentRootType<$Params extends Extension.Hooks.OnRequestDocumentRootType.Params> = +type OnRequestDocumentRootType<$Params extends Extension.TypeHooks.OnRequestDocumentRootType.Params> = $Params['selectionRootType'] // dprint-ignore -interface OnRequestResult<$Arguments extends Extension.Hooks.OnRequestResult.Params> +interface OnRequestResult<$Arguments extends Extension.TypeHooks.OnRequestResult.Params> { result: { data?: @@ -97,12 +111,12 @@ interface OnRequestResult<$Arguments extends Extension.Hooks.OnRequestResult.Par // --------- Boilerplate Types --------- -interface OnRequestDocumentRootType_ extends Extension.Hooks.OnRequestDocumentRootType { +interface OnRequestDocumentRootType_ extends Extension.TypeHooks.OnRequestDocumentRootType { // @ts-expect-error untyped params return: OnRequestDocumentRootType } -interface OnRequestResult_ extends Extension.Hooks.OnRequestResult { +interface OnRequestResult_ extends Extension.TypeHooks.OnRequestResult { // @ts-expect-error untyped params return: OnRequestResult } diff --git a/src/extensions/SchemaErrors/tests/SchemaError.test-d.ts b/src/extensions/SchemaErrors/tests/SchemaError.test-d.ts index 25475bf44..2e2a8c553 100644 --- a/src/extensions/SchemaErrors/tests/SchemaError.test-d.ts +++ b/src/extensions/SchemaErrors/tests/SchemaError.test-d.ts @@ -1,19 +1,18 @@ import { describe, expectTypeOf, test } from 'vitest' -import { schema } from '../../../../tests/_/schemas/kitchen-sink/schema.js' -import { type Extension } from '../../../extension/extension.js' +import { type Extension } from '../../../extension/__.js' import { SchemaErrors } from '../runtime.js' import { GraffleSchemaErrors } from './fixture/graffle/__.js' -const g = GraffleSchemaErrors.create({ schema }).use(SchemaErrors()) +const g = GraffleSchemaErrors.create().use(SchemaErrors()) // todo move test to test suite for .use method test(`config type is augmented with type hook`, () => { - expectTypeOf().toMatchTypeOf<[Extension.Hooks.OnRequestResult]>() + expectTypeOf().toMatchTypeOf<[Extension.TypeHooks.OnRequestResult]>() }) test(`config type is augmented with type hook after "with"`, () => { const g2 = g.with({ output: { defaults: { errorChannel: `throw` } } }) - expectTypeOf().toMatchTypeOf<[Extension.Hooks.OnRequestResult]>() + expectTypeOf().toMatchTypeOf<[Extension.TypeHooks.OnRequestResult]>() }) const resultFieldSelect = diff --git a/src/extensions/SchemaErrors/tests/SchemaErrors.test.ts b/src/extensions/SchemaErrors/tests/SchemaErrors.test.ts index cf2beba6e..628bb1903 100644 --- a/src/extensions/SchemaErrors/tests/SchemaErrors.test.ts +++ b/src/extensions/SchemaErrors/tests/SchemaErrors.test.ts @@ -3,16 +3,18 @@ import { describe, expect, test } from 'vitest' import { db } from '../../../../tests/_/schemas/db.js' import { schema } from '../../../../tests/_/schemas/kitchen-sink/schema.js' import type { Errors } from '../../../lib/errors/__.js' +import { TransportMemory } from '../../TransportMemory/TransportMemory.js' import { SchemaErrors } from '../runtime.js' import { GraffleSchemaErrors } from './fixture/graffle/__.js' const graffle = GraffleSchemaErrors - .create({ schema }) - .with({ + .create({ output: { defaults: { errorChannel: `return` }, }, }) + .use(TransportMemory({ schema })) + .transport(`memory`) .use(SchemaErrors()) describe(`document`, () => { @@ -82,7 +84,6 @@ test(`gql string request`, async () => { // todo it would be nicer to move the extension use to the fixture but how would we get the static type for that? // This makes me think of a feature we need to have. Make it easy to get static types of the client in its various configured states. const result = await graffle - .use(SchemaErrors()) .gql`query { resultNonNull (case: Object1) { ... on Object1 { id } } }` .send() expect(result).toMatchObject({ resultNonNull: { __typename: `Object1`, id: `abc` } }) @@ -90,7 +91,6 @@ test(`gql string request`, async () => { test(`gql document request`, async () => { const result = await graffle - .use(SchemaErrors()) .gql(parse(`query { resultNonNull (case: Object1) { ... on Object1 { id } } }`)) .send() expect(result).toMatchObject({ resultNonNull: { __typename: `Object1`, id: `abc` } }) diff --git a/src/extensions/SchemaErrors/tests/fixture/graffle.config.ts b/src/extensions/SchemaErrors/tests/fixture/graffle.config.ts index f06d41545..b9c9a6b22 100644 --- a/src/extensions/SchemaErrors/tests/fixture/graffle.config.ts +++ b/src/extensions/SchemaErrors/tests/fixture/graffle.config.ts @@ -18,6 +18,7 @@ export default Generator schema: `../../../../entrypoints/schema.ts`, scalars: `../../../../types/Schema/StandardTypes/scalar.ts`, utilitiesForGenerated: `../../../../entrypoints/utilities-for-generated.ts`, + extensionTransportHttp: `../../../../entrypoints/extensions/transport-http/runtime.ts`, }, }) .use(SchemaErrors()) diff --git a/src/extensions/SchemaErrors/tests/fixture/graffle/modules/client.ts b/src/extensions/SchemaErrors/tests/fixture/graffle/modules/client.ts index 466e1b2ba..8b44ecd23 100644 --- a/src/extensions/SchemaErrors/tests/fixture/graffle/modules/client.ts +++ b/src/extensions/SchemaErrors/tests/fixture/graffle/modules/client.ts @@ -1,11 +1,21 @@ -import { ClientPreset } from '../../../../../../entrypoints/client.js' +import { TransportHttp } from '../../../../../../entrypoints/extensions/transport-http/runtime.js' +import * as $$Utilities from '../../../../../../entrypoints/utilities-for-generated.js' import * as $$Data from './data.js' import * as $$Scalar from './scalar.js' import * as $$SchemaDrivenDataMap from './schema-driven-data-map.js' -export const create = ClientPreset.create({ - name: $$Data.Name, - sddm: $$SchemaDrivenDataMap.schemaDrivenDataMap, - scalars: $$Scalar.$registry, - schemaUrl: $$Data.defaultSchemaUrl, -}) +const context = $$Utilities.useReducer( + { + ...$$Utilities.Context.States.contextEmpty, + name: $$Data.Name, + schemaMap: $$SchemaDrivenDataMap.schemaDrivenDataMap, + scalars: $$Scalar.$registry, + }, + TransportHttp({ + url: $$Data.defaultSchemaUrl, + }), +) + +export const create = $$Utilities.createConstructorWithContext( + context, +) diff --git a/src/extensions/SchemaErrors/tests/fixture/graffle/modules/methods-document.ts b/src/extensions/SchemaErrors/tests/fixture/graffle/modules/methods-document.ts index c145163bd..886c5f999 100644 --- a/src/extensions/SchemaErrors/tests/fixture/graffle/modules/methods-document.ts +++ b/src/extensions/SchemaErrors/tests/fixture/graffle/modules/methods-document.ts @@ -14,7 +14,7 @@ export interface Document<$Context extends $$Utilities.Context> { > } -export interface BuilderMethodsDocumentFn extends $$Utilities.TypeFunction.Fn { +export interface BuilderMethodsDocumentFn extends $$Utilities.TypeFunction { // @ts-expect-error parameter is Untyped. return: Document } diff --git a/src/extensions/SchemaErrors/tests/fixture/graffle/modules/methods-root.ts b/src/extensions/SchemaErrors/tests/fixture/graffle/modules/methods-root.ts index 5d2c83e71..3515c86fb 100644 --- a/src/extensions/SchemaErrors/tests/fixture/graffle/modules/methods-root.ts +++ b/src/extensions/SchemaErrors/tests/fixture/graffle/modules/methods-root.ts @@ -642,7 +642,7 @@ export interface BuilderMethodsRoot<$Context extends $$Utilities.Context> { mutation: MutationMethods<$Context> } -export interface BuilderMethodsRootFn extends $$Utilities.TypeFunction.Fn { +export interface BuilderMethodsRootFn extends $$Utilities.TypeFunction { // @ts-expect-error parameter is Untyped. return: BuilderMethodsRoot } diff --git a/src/extensions/Throws/Throws.test-d.ts b/src/extensions/Throws/Throws.test-d.ts index 0958eb43e..f5abc6bb2 100644 --- a/src/extensions/Throws/Throws.test-d.ts +++ b/src/extensions/Throws/Throws.test-d.ts @@ -2,9 +2,9 @@ // import { schema } from '../../../../tests/_/schemas/kitchen-sink/schema.js' // import { Throws } from './Throws.js' -// const graffle = Graffle.create({ schema }).use(Throws()) +// const graffle = Graffle.create().transport('memory', { schema }).use(Throws()) -// todo tests that don't rely on schema errors +// // todo tests that don't rely on schema errors // describe(`document`, () => { // describe(`query result field`, () => { // test(`with __typename`, async () => { diff --git a/src/extensions/Throws/Throws.test.ts b/src/extensions/Throws/Throws.test.ts index 862f91f86..27f02036d 100644 --- a/src/extensions/Throws/Throws.test.ts +++ b/src/extensions/Throws/Throws.test.ts @@ -2,9 +2,18 @@ import { describe, expect, test } from 'vitest' import { db } from '../../../tests/_/schemas/db.js' import { Graffle } from '../../../tests/_/schemas/kitchen-sink/graffle/__.js' import { schema } from '../../../tests/_/schemas/kitchen-sink/schema.js' +import { TransportMemory } from '../TransportMemory/TransportMemory.js' import { Throws } from './Throws.js' -const graffle = Graffle.create({ schema }).use(Throws()).with({ output: { errors: { execution: `return` } } }).throws() +const graffle = Graffle + .create() + .use(TransportMemory({ schema })) + .transport(`memory`) + .use(Throws()) + .with({ + output: { errors: { execution: `return` } }, + }) + .throws() test(`.gql() throws if errors array non-empty`, async () => { await expect(graffle.gql`query { foo }`.send()).rejects.toMatchInlineSnapshot( diff --git a/src/extensions/Throws/Throws.ts b/src/extensions/Throws/Throws.ts index d8871f198..3e0d77b10 100644 --- a/src/extensions/Throws/Throws.ts +++ b/src/extensions/Throws/Throws.ts @@ -1,56 +1,55 @@ -import type { Builder, Context } from '../../entrypoints/extensionkit.js' -import { createBuilderExtension, createExtension } from '../../entrypoints/extensionkit.js' -import { type AssertExtends, type BuilderConfig, type WithInput } from '../../entrypoints/main.js' +import type { Client, ExtensionChainable } from '../../client/client.js' +import { create } from '../../entrypoints/extensionkit.js' +import { type ConfigInit, type OutputConfig } from '../../entrypoints/main.js' import type { ConfigManager } from '../../lib/config-manager/__.js' -export const Throws = createExtension({ +export const Throws = create({ name: `Throws`, create: () => { return { - builder: createBuilderExtension(({ client, property, path }) => { - if (property !== `throws` || path.length !== 0) return undefined + builder: (create) => + create(({ client, property, path }) => { + if (property !== `throws` || path.length !== 0) return undefined - // todo redesign input to allow to force throw always - // todo pull pre-configured config from core - const throwsifiedInput: WithInput = { - output: { - envelope: { - enabled: client._.config.output.envelope.enabled, + // todo redesign input to allow to force throw always + // todo pull pre-configured config from core + const throwsifiedInput: ConfigInit = { + output: { + envelope: { + enabled: client._.output.envelope.enabled, + // @ts-expect-error + errors: { execution: false, other: false, schema: false }, + }, // @ts-expect-error - errors: { execution: false, other: false, schema: false }, + errors: { execution: `throw`, other: `throw`, schema: `throw` }, }, - // @ts-expect-error - errors: { execution: `throw`, other: `throw`, schema: `throw` }, - }, - } - return () => client.with(throwsifiedInput) - }), + } + return () => client.with(throwsifiedInput) + }), } }, }) -interface BuilderExtension extends Builder.Extension { - context: Context - return: BuilderExtension_>> -} - -interface BuilderExtension_<$Args extends Builder.Extension.Parameters> { - /** - * TODO - */ - throws: () => Builder.Definition.MaterializeWith< - $Args['definition'], - ConfigManager.SetKey< - $Args['context'], - 'config', - // @ts-expect-error fixme - ThrowsifyConfig<$Args['context']['config']> - > +interface BuilderExtension extends ExtensionChainable { + name: 'throws' + // return: BuilderExtension_>> + return: () => Client< + // @ts-expect-error + { + // @ts-expect-error + [_ in keyof this['params'][0]]: _ extends 'output' ? ThrowsifyConfig + // @ts-expect-error + : this['params'][0][_] + }, + // @ts-expect-error + this['params'][1], + // @ts-expect-error + this['params'][2] > } -type ThrowsifyConfig<$BuilderConfig extends BuilderConfig> = ConfigManager.SetKeyAtPath< - $BuilderConfig, - ['output', 'errors'], +type ThrowsifyConfig<$OutputConfig extends OutputConfig> = ConfigManager.SetKey< + $OutputConfig, + 'errors', { other: 'throw'; execution: 'throw' } > diff --git a/src/extensions/Throws/documentation.md b/src/extensions/Throws/documentation.md index 131d86dd9..5f9c294b1 100644 --- a/src/extensions/Throws/documentation.md +++ b/src/extensions/Throws/documentation.md @@ -38,7 +38,7 @@ graffle.throws().query.foo() import { Graffle } from 'graffle' import { Throws } from 'graffle/extensions/throws' -const graffle = Graffle.create({ schema: '...' }).use(Throws()) +const graffle = Graffle.create().use(Throws()) ``` Then chain `.throws()` whenever needed: diff --git a/src/extensions/TransportHttp/TransportHttp.ts b/src/extensions/TransportHttp/TransportHttp.ts new file mode 100644 index 000000000..3414faf2c --- /dev/null +++ b/src/extensions/TransportHttp/TransportHttp.ts @@ -0,0 +1,256 @@ +import { create, type Extension } from '../../entrypoints/extensionkit.js' +import type { TypeHooksEmpty } from '../../extension/TypeHooks.js' +import type { Anyware } from '../../lib/anyware/__.js' +import type { ConfigManager } from '../../lib/config-manager/__.js' +import type { Grafaid } from '../../lib/grafaid/__.js' +import { OperationTypeToAccessKind, print } from '../../lib/grafaid/document.js' +import { getRequestEncodeSearchParameters, postRequestEncodeBody } from '../../lib/grafaid/http/http.js' +import { getRequestHeadersRec, parseExecutionResult, postRequestHeadersRec } from '../../lib/grafaid/http/http.js' +import { mergeRequestInit, searchParamsAppendAll } from '../../lib/http.js' +import type { httpMethodGet, httpMethodPost } from '../../lib/http.js' +import { _, isString, type MaybePromise, type PartialOrUndefined } from '../../lib/prelude.js' +import type { RequestPipeline } from '../../requestPipeline/RequestPipeline.js' + +export const MethodMode = { + post: `post`, + getReads: `getReads`, +} as const + +export type MethodModeGetReads = typeof MethodMode['getReads'] + +export type MethodModePost = typeof MethodMode['post'] + +export type MethodMode = MethodModePost | MethodModeGetReads + +export type TransportHttpInput = { + /** + * The HTTP method to use to make the request. + * + * Note that this is not just about the HTTP method but also about how the payload is sent. + * Namely, `get` will send the payload as part of the URL search parameters while `post` will send it as a JSON body. + * + * Options: + * + * 1. `post` - Apply https://graphql.github.io/graphql-over-http/draft/#sec-POST + * 2. `getReads` - Apply https://graphql.github.io/graphql-over-http/draft/#sec-GET + * + * @defaultValue `post` + */ + methodMode?: MethodMode + headers?: HeadersInit + raw?: RequestInit +} + +export interface TransportHttpConstructor { + <$ConfigInit extends ConfigInit = ConfigInitEmpty>( + configInit?: $ConfigInit, + ): TransportHttp> +} + +export interface Configuration { + url: URL | string + methodMode: MethodMode + headers?: HeadersInit + raw?: RequestInit +} + +export interface ConfigDefaults { + methodMode: 'post' +} + +export const configDefaults: ConfigDefaults = { + methodMode: `post`, +} + +export type ConfigInit = PartialOrUndefined + +export interface ConfigInitEmpty {} + +export interface TransportHttp<$Input extends PartialOrUndefined> extends Extension { + name: `TransportHttp` + config: Configuration + transport: { + name: 'http' + config: Configuration + configInit: $Input + configDefaults: PartialOrUndefined + requestPipelineOverload: RequestPipelineOverload + } + typeHooks: TypeHooksEmpty + onRequest: undefined + builder: undefined +} + +export interface RequestPipelineOverload extends Anyware.Overload { + discriminant: ['transportType', 'http'] + input: Configuration + inputInit: {} + steps: { + pack: { + name: 'pack' + slots: { + searchParams: getRequestEncodeSearchParameters + body: postRequestEncodeBody + } + input: PackInput + output: PackOutput + } + exchange: { + name: 'exchange' + slots: { + fetch: SlotFetch + } + input: ExchangeInput + output: ExchangeOutput + } + unpack: { + name: 'unpack' + slots: {} + input: ExchangeOutput + output: RequestPipeline.DecodeInput + } + } +} + +export interface PackInput extends RequestPipeline.PackInput { + headers?: HeadersInit +} + +export interface PackOutput extends Omit { + request: ExchangeRequest +} + +export interface ExchangeInput extends PackOutput { + headers?: HeadersInit +} + +export interface ExchangeOutput extends PackOutput { + response: Response +} + +export interface SlotFetch { + (request: Request): MaybePromise +} + +export type ExchangeRequest = ExchangePostRequest | ExchangeGetRequest + +/** + * An extension of {@link RequestInit} that adds a required `url` property and makes `body` required. + */ +type ExchangePostRequest = Omit & { + methodMode: MethodModePost | MethodModeGetReads + method: httpMethodPost + url: string | URL // todo URL for config and string only for input. Requires anyware to allow different types for input and existing config. + body: BodyInit +} + +type ExchangeGetRequest = Omit & { + methodMode: MethodModeGetReads + method: httpMethodGet + url: string | URL +} + +export const TransportHttp: TransportHttpConstructor = create({ + name: `TransportHttp`, + normalizeConfig: (configInit?: ConfigInit) => { + return { + ...configDefaults, + ...configInit, + url: configInit?.url ? new URL(configInit.url) : undefined, + } + }, + create({ config }) { + return { + transport(create) { + return create(`http`) + .config() + .defaults(config) + // .configInit>() + .stepWithExtendedInput<{ headers?: HeadersInit }>()(`pack`, { + slots: { + searchParams: getRequestEncodeSearchParameters, + body: postRequestEncodeBody, + }, + run: (input, slots) => { + const graphqlRequest: Grafaid.HTTP.RequestConfig = { + operationName: input.request.operationName, + variables: input.request.variables, + query: print(input.request.query), + } + + const operationType = isString(input.request.operation) + ? input.request.operation + : input.request.operation.operation + const methodMode = input.methodMode + const requestMethod = methodMode === MethodMode.post + ? `post` + : OperationTypeToAccessKind[operationType] === `read` + ? `get` + : `post` + + const baseProperties = mergeRequestInit( + mergeRequestInit( + mergeRequestInit( + { + headers: requestMethod === `get` ? getRequestHeadersRec : postRequestHeadersRec, + }, + { + headers: input.headers, + }, + ), + input.raw, + ), + { + headers: input.headers, + }, + ) + const request: ExchangeRequest = requestMethod === `get` + ? { + methodMode: methodMode as MethodModeGetReads, + ...baseProperties, + method: `get`, + url: searchParamsAppendAll(input.url, slots.searchParams(graphqlRequest)), + } + : { + methodMode: methodMode, + ...baseProperties, + method: `post`, + url: input.url, + body: slots.body(graphqlRequest), + } + return { + ...input, + request, + } + }, + }) + .step(`exchange`, { + slots: { + fetch: (request: Request): MaybePromise => fetch(request), + }, + run: async (input, slots) => { + const request = new Request(input.request.url, input.request) + const response = await slots.fetch(request) + return { + ...input, + response, + } + }, + }) + .step(`unpack`, { + run: async (input) => { + // todo 1 if response is missing header of content length then .json() hangs forever. + // firstly consider a timeout, secondly, if response is malformed, then don't even run .json() + // todo 2 if response is e.g. 404 with no json body, then an error is thrown because json parse cannot work, not gracefully handled here + const json = await input.response.json() as object + const result = parseExecutionResult(json) + return { + ...input, + result, + } + }, + }) + }, + } + }, +}) diff --git a/src/client/client.transport-http.test.ts b/src/extensions/TransportHttp/client.transport-http.test.ts similarity index 66% rename from src/client/client.transport-http.test.ts rename to src/extensions/TransportHttp/client.transport-http.test.ts index 5fbf1dab8..0ae9a5ecc 100644 --- a/src/client/client.transport-http.test.ts +++ b/src/extensions/TransportHttp/client.transport-http.test.ts @@ -1,14 +1,12 @@ import { describe, expect, expectTypeOf } from 'vitest' -import { createResponse, test } from '../../tests/_/helpers.js' -import { serveSchema } from '../../tests/_/lib/serveSchema.js' -import { Graffle as Pokemon } from '../../tests/_/schemas/pokemon/graffle/__.js' -import { schema as schemaPokemon } from '../../tests/_/schemas/pokemon/schema.js' -import { Graffle } from '../entrypoints/main.js' -import { ACCEPT_REC, CONTENT_TYPE_REC } from '../lib/grafaid/http/http.js' -// import type { requestPipeline } from '../requestPipeline/__.js' -// import { Transport, type TransportHttp } from '../types/Transport.js' +import { createResponse, test } from '../../../tests/_/helpers.js' +import { serveSchema } from '../../../tests/_/lib/serveSchema.js' +import { Graffle as Pokemon } from '../../../tests/_/schemas/pokemon/graffle/__.js' +import { schema as schemaPokemon } from '../../../tests/_/schemas/pokemon/schema.js' +import { Graffle } from '../../entrypoints/main.js' +import { ACCEPT_REC, CONTENT_TYPE_REC } from '../../lib/grafaid/http/http.js' -const schema = new URL(`https://foo.io/api/graphql`) +const url = new URL(`https://foo.io/api/graphql`) // test(`anyware hooks are typed to http transport`, () => { // Graffle.create({ schema }).anyware(async ({ encode }) => { @@ -40,6 +38,7 @@ test(`when envelope is used then response property is present even if relying on const pokemon = Pokemon.create({ output: { envelope: true } }) const result = await pokemon.query.pokemons({ name: true }) await service.stop() + // @ts-expect-error fixme expectTypeOf(result.response).toEqualTypeOf() }) @@ -57,7 +56,7 @@ describe(`methodMode`, () => { describe(`get`, () => { test(`can set method mode to get`, async ({ fetch }) => { fetch.mockImplementationOnce(() => Promise.resolve(createResponse({ data: { user: { name: `foo` } } }))) - const graffle = Graffle.create({ schema, transport: { methodMode: `getReads` } }) + const graffle = Graffle.create().transport({ url, methodMode: `getReads` }) await graffle.gql`query foo($id: ID!){user(id:$id){name}}`.send(`foo`, { 'id': `QVBJcy5ndXJ1` }) const request = fetch.mock.calls[0]?.[0] expect(request?.method).toEqual(`GET`) @@ -69,14 +68,14 @@ describe(`methodMode`, () => { }) test(`if no variables or operationName then search parameters are omitted`, async ({ fetch }) => { fetch.mockImplementationOnce(() => Promise.resolve(createResponse({ data: { user: { name: `foo` } } }))) - const graffle = Graffle.create({ schema, transport: { methodMode: `getReads` } }) + const graffle = Graffle.create().transport({ url, methodMode: `getReads` }) await graffle.gql`query {user{name}}`.send() const request = fetch.mock.calls[0]?.[0] expect(request?.url).toMatchInlineSnapshot(`"https://foo.io/api/graphql?query=query+%7Buser%7Bname%7D%7D"`) }) test(`mutation still uses POST`, async ({ fetch }) => { fetch.mockImplementationOnce(() => Promise.resolve(createResponse({ data: { user: { name: `foo` } } }))) - const graffle = Graffle.create({ schema, transport: { methodMode: `getReads` } }) + const graffle = Graffle.create().transport({ url, methodMode: `getReads` }) await graffle.gql`mutation { user { name } }`.send() const request = fetch.mock.calls[0]?.[0] expect(request?.method).toEqual(`POST`) @@ -89,7 +88,7 @@ describe(`methodMode`, () => { describe(`configuration`, () => { test(`can set headers`, async ({ fetch }) => { fetch.mockImplementationOnce(() => Promise.resolve(createResponse({ data: { id: `abc` } }))) - const graffle = Graffle.create({ schema, transport: { headers: { 'x-foo': `bar` } } }) + const graffle = Graffle.create().transport({ url, headers: { 'x-foo': `bar` } }) await graffle.gql`query { id }`.send() const request = fetch.mock.calls[0]?.[0] expect(request?.headers.get(`x-foo`)).toEqual(`bar`) @@ -97,7 +96,7 @@ describe(`configuration`, () => { test(`can set raw (requestInit)`, async ({ fetch }) => { fetch.mockImplementationOnce(() => Promise.resolve(createResponse({ data: { id: `abc` } }))) - const graffle = Graffle.create({ schema, transport: { raw: { headers: { 'x-foo': `bar` } } } }) + const graffle = Graffle.create().transport({ url, raw: { headers: { 'x-foo': `bar` } } }) await graffle.gql`query { id }`.send() const request = fetch.mock.calls[0]?.[0] expect(request?.headers.get(`x-foo`)).toEqual(`bar`) @@ -107,17 +106,7 @@ describe(`configuration`, () => { const abortErrorMessagePattern = /This operation was aborted|AbortError: The operation was aborted/ test(`to constructor`, async () => { const abortController = new AbortController() - const graffle = Graffle.create({ schema, transport: { raw: { signal: abortController.signal } } }) - const resultPromise = graffle.gql`query { id }`.send() - abortController.abort() - const { caughtError } = await resultPromise.catch((caughtError: unknown) => ({ caughtError })) as any as { - caughtError: Error - } - expect(caughtError.message).toMatch(abortErrorMessagePattern) - }) - test(`to "with"`, async () => { - const abortController = new AbortController() - const graffle = Graffle.create({ schema }).with({ transport: { raw: { signal: abortController.signal } } }) + const graffle = Graffle.create().transport({ url, raw: { signal: abortController.signal } }) const resultPromise = graffle.gql`query { id }`.send() abortController.abort() const { caughtError } = await resultPromise.catch((caughtError: unknown) => ({ caughtError })) as any as { @@ -125,5 +114,42 @@ describe(`configuration`, () => { } expect(caughtError.message).toMatch(abortErrorMessagePattern) }) + // todo bring this back + // test(`to "with"`, async () => { + // const abortController = new AbortController() + // const graffle = Graffle.create({ url }).with({ transport: { raw: { signal: abortController.signal } } }) + // const resultPromise = graffle.gql`query { id }`.send() + // abortController.abort() + // const { caughtError } = await resultPromise.catch((caughtError: unknown) => ({ caughtError })) as any as { + // caughtError: Error + // } + // expect(caughtError.message).toMatch(abortErrorMessagePattern) + // }) }) }) + +// const url = new URL(`https://foo.io/api/graphql`) + +// describe.skip(`output`, () => { +// todo bring this back +// test(`when using envelope and transport is http, response property is available`, async ({ fetch }) => { +// fetch.mockImplementationOnce(() => Promise.resolve(createResponse({ data: { id: `abc` } }))) +// const graffle = Graffle2.create({ output: { envelope: true } }).use(TransportHttp({ url })) +// const result = await graffle.query.id() +// expectTypeOf(result.response).toEqualTypeOf() +// expect(result.response.status).toEqual(200) +// // sanity check +// expect(result.data).toEqual({ 'id': `abc` }) +// }) +// todo bring this back +// test(`when using envelope and transport is memory, response property is NOT available`, async () => { +// const graffle = Graffle2.create({ output: { envelope: true } }).use(TransportHttp({ url })) +// const result = await graffle.query.id() +// // @ts-expect-error not present +// expectTypeOf(result.response).toEqualTypeOf() +// // @ts-expect-error not present +// expect(result.response).toEqual(undefined) +// // sanity check +// expect(result.data).toEqual({ 'id': `abc` }) +// }) +// }) diff --git a/src/extensions/TransportMemory/TransportMemory.ts b/src/extensions/TransportMemory/TransportMemory.ts new file mode 100644 index 000000000..0cf25e952 --- /dev/null +++ b/src/extensions/TransportMemory/TransportMemory.ts @@ -0,0 +1,121 @@ +import type { Extension } from '../../extension/__.js' +import { create } from '../../extension/extension.js' +import type { TypeHooksEmpty } from '../../extension/TypeHooks.js' +import type { Anyware } from '../../lib/anyware/__.js' +import type { Grafaid } from '../../lib/grafaid/__.js' +import { print } from '../../lib/grafaid/document.js' +import { execute } from '../../lib/grafaid/execute.js' +import type { PartialOrUndefined } from '../../lib/prelude.js' +import type { RequestPipeline } from '../../requestPipeline/RequestPipeline.js' + +export interface TransportMemoryConstructor { + <$ConfigInit extends ConfigInit = ConfigInitEmpty>( + configInit?: $ConfigInit, + ): TransportMemory<$ConfigInit> +} + +export interface Configuration { + schema: Grafaid.Schema.Schema +} + +export type ConfigInit = PartialOrUndefined + +export interface ConfigInitEmpty {} + +export interface TransportMemory<$ConfigInit extends ConfigInit = ConfigInitEmpty> extends Extension { + name: `TransportMemory` + config: Configuration + configInit: $ConfigInit + transport: { + name: 'memory' + config: Configuration + configInit: $ConfigInit + configDefaults: PartialOrUndefined + requestPipelineOverload: RequestPipelineOverload + } + typeHooks: TypeHooksEmpty + onRequest: undefined + builder: undefined +} + +export interface RequestPipelineOverload extends Anyware.Overload { + discriminant: ['transportType', 'memory'] + input: Configuration + inputInit: {} + steps: { + pack: { + name: 'pack' + slots: {} + input: PackInput + output: PackOutput + } + exchange: { + name: 'exchange' + slots: {} + input: PackOutput + output: ExchangeOutput + } + unpack: { + name: 'unpack' + slots: {} + input: ExchangeOutput + output: RequestPipeline.DecodeInput + } + } +} + +export interface PackInput extends RequestPipeline.PackInput { + headers?: HeadersInit +} + +export interface PackOutput extends Omit { + request: Grafaid.HTTP.RequestConfig +} + +export interface ExchangeOutput extends PackOutput {} + +export const TransportMemory: TransportMemoryConstructor = create({ + name: `TransportMemory`, + normalizeConfig: (input?: { schema?: Grafaid.Schema.Schema }) => ({ + schema: input?.schema ?? undefined, + }), + + create({ config }) { + return { + transport(create) { + return create(`memory`) + .config<{ schema: Grafaid.Schema.Schema }>() + .configInit<{}>() + .defaults(config) + .step(`pack`, { + run: (input) => { + const graphqlRequest: Grafaid.HTTP.RequestConfig = { + operationName: input.request.operationName, + variables: input.request.variables, + query: print(input.request.query), + } + return { + ...input, + request: graphqlRequest, + } + }, + }) + .step(`exchange`, { + run: async (input) => { + const result = await execute(input) + return { + ...input, + result, + } + }, + }) + // todo remove (need runtime passthrough logic) + .step(`unpack`, { + run: (input) => { + return input + }, + }) + }, + } + }, +}) diff --git a/src/client/client.transport-memory.test.ts b/src/extensions/TransportMemory/client.transport-memory.test.ts similarity index 89% rename from src/client/client.transport-memory.test.ts rename to src/extensions/TransportMemory/client.transport-memory.test.ts index e6216d92a..6f3664b9c 100644 --- a/src/client/client.transport-memory.test.ts +++ b/src/extensions/TransportMemory/client.transport-memory.test.ts @@ -1,7 +1,7 @@ // import { expectTypeOf } from 'vitest' -import { test } from '../../tests/_/helpers.js' -import { schema } from '../../tests/_/schemas/kitchen-sink/schema.js' -import { Graffle } from '../entrypoints/main.js' +import { test } from '../../../tests/_/helpers.js' +import { schema } from '../../../tests/_/schemas/kitchen-sink/schema.js' +import { Graffle } from '../../entrypoints/main.js' // import { Transport } from '../types/Transport.js' // test(`anyware hooks are typed to memory transport`, () => { diff --git a/src/extensions/Upload/Upload.test.ts b/src/extensions/Upload/Upload.test.ts index be52cb1bc..f2d9df94a 100644 --- a/src/extensions/Upload/Upload.test.ts +++ b/src/extensions/Upload/Upload.test.ts @@ -7,19 +7,18 @@ import { Graffle } from '../../entrypoints/main.js' import { Upload } from './Upload.js' import { type SchemaService, serveSchema } from '../../../tests/_/lib/serveSchema.js' -import type { Client } from '../../client/client.js' -import type { Context } from '../../entrypoints/utilities-for-generated.js' +import type { GraffleMinimal } from '../../entrypoints/presets/__GraffleMinimal.js' let schemaServer: SchemaService -let graffle: Client +let graffle: GraffleMinimal.Client beforeAll(async () => { schemaServer = await serveSchema({ schema }) }) beforeEach(() => { - const graffle_ = Graffle.create({ schema: schemaServer.url }).use(Upload()) + const graffle_ = Graffle.create().transport({ url: schemaServer.url }).use(Upload()) graffle = graffle_ as any }) @@ -28,6 +27,7 @@ afterAll(async () => { }) test(`upload`, async () => { + // @ts-expect-error fixme const data = await graffle.gql` mutation ($blob: Upload!) { readTextFile(blob: $blob) diff --git a/src/extensions/Upload/Upload.ts b/src/extensions/Upload/Upload.ts index c16c7f3e0..fa6963103 100644 --- a/src/extensions/Upload/Upload.ts +++ b/src/extensions/Upload/Upload.ts @@ -1,16 +1,20 @@ -import { createExtension } from '../../entrypoints/main.js' +import { Extension } from '../../entrypoints/extensionkit.js' import type { Variables } from '../../lib/grafaid/graphql.js' import { createBody } from './createBody.js' +// todo +// need way to have this extension rely on http extension being used + /** * @see https://github.com/jaydenseric/graphql-multipart-request-spec */ -export const Upload = createExtension({ +export const Upload = Extension.create({ name: `Upload`, - create: () => { + create() { return { - onRequest: async ({ pack }) => { + async onRequest({ pack }) { // TODO we can probably get file upload working for in-memory schemas too :) + // @ts-expect-error fixme if (pack.input.transportType !== `http`) { throw new Error(`Must be using http transport to use "Upload" scalar.`) } @@ -21,11 +25,13 @@ export const Upload = createExtension({ // @see https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/Content-Disposition return await pack({ using: { + // @ts-expect-error fixme body: (input) => { const hasUploadScalarVariable = input.variables && isUsingUploadScalar(input.variables) if (!hasUploadScalarVariable) return // TODO we can probably get file upload working for in-memory schemas too :) + // @ts-expect-error fixme if (pack.input.transportType !== `http`) { throw new Error(`Must be using http transport to use "Upload" scalar.`) } @@ -38,6 +44,7 @@ export const Upload = createExtension({ }, input: { ...pack.input, + // @ts-expect-error fixme headers: { 'content-type': ``, }, diff --git a/src/extensions/Upload/documentation.md b/src/extensions/Upload/documentation.md index 46cb19f36..37969855c 100644 --- a/src/extensions/Upload/documentation.md +++ b/src/extensions/Upload/documentation.md @@ -12,5 +12,5 @@ Adds support for [GraphQL Multipart Request](https://github.com/jaydenseric/grap import { Graffle } from 'graffle' import { Upload } from 'graffle/extensions/upload' -const graffle = Graffle.create({ schema: '...' }).use(Upload()) +const graffle = Graffle.create().use(Upload()) ``` diff --git a/src/generator/_.ts b/src/generator/_.ts index b1b594f60..26edc35e7 100644 --- a/src/generator/_.ts +++ b/src/generator/_.ts @@ -1,4 +1,4 @@ export * from './config/config.js' -export * from './config/input.js' +export * from './config/configInit.js' export * as Config from './configFile/_.js' export * from './generator/generate.js' diff --git a/src/generator/cli/generate.ts b/src/generator/cli/generate.ts index 6c5812f9e..b62310bb8 100755 --- a/src/generator/cli/generate.ts +++ b/src/generator/cli/generate.ts @@ -6,7 +6,7 @@ import { z } from 'zod' import { toAbsolutePath } from '../../lib/fsp.js' import { isError, urlParseSafe } from '../../lib/prelude.js' import { Generator } from '../__.js' -import { type Input, OutputCase } from '../config/input.js' +import { type ConfigInit, OutputCase } from '../config/configInit.js' const args = Command.create().description(`Generate a type safe GraphQL client.`) .parameter( @@ -107,7 +107,7 @@ const currentWorkingDirectory = configModule.path ? Path.dirname(configModule.pa // --- Merge Inputs --- -const input: Input = { +const input: ConfigInit = { ...configModule.builder?._.input, currentWorkingDirectory, schema, diff --git a/src/generator/config/config.ts b/src/generator/config/config.ts index 5833f29f6..5c677c42b 100644 --- a/src/generator/config/config.ts +++ b/src/generator/config/config.ts @@ -5,12 +5,18 @@ import { Introspection } from '../../extensions/Introspection/Introspection.js' import { ConfigManager } from '../../lib/config-manager/__.js' import { fileExists, type Fs, isPathToADirectory, toAbsolutePath, toFilePath } from '../../lib/fsp.js' import { Grafaid } from '../../lib/grafaid/__.js' -import { isString } from '../../lib/prelude.js' +import { isString, keysStrict } from '../../lib/prelude.js' import { type Formatter, getTypeScriptFormatter, passthroughFormatter } from '../../lib/typescript-formatter.js' import type { Extension } from '../extension/types.js' +import { + type ConfigInit, + type ConfigInitLibraryPaths, + type InputLint, + type InputOutputCase, + libraryPathKeys, +} from './configInit.js' import { defaultLibraryPaths, defaultNamespace, defaultOutputCase } from './defaults.js' import { defaultName } from './defaults.js' -import type { Input, InputLibraryPaths, InputLint, InputOutputCase } from './input.js' export interface Config { fs: Fs @@ -52,49 +58,49 @@ export interface Config { } imports: { scalars: string - grafflePackage: Required + grafflePackage: Required } } } interface ConfigSchema { - via: Input['schema']['type'] + via: ConfigInit['schema']['type'] sdl: string sdlFilePath: null | string instance: Grafaid.Schema.Schema kindMap: Grafaid.Schema.KindMap } -export const createConfig = async (input: Input): Promise => { +export const createConfig = async (configInit: ConfigInit): Promise => { // --- Fs --- - const fs = input.fs ?? await import(`node:fs/promises`) + const fs = configInit.fs ?? await import(`node:fs/promises`) // --- Output Case --- - const outputCase = input.outputCase ?? defaultOutputCase + const outputCase = configInit.outputCase ?? defaultOutputCase // --- Paths --- - const cwd = input.currentWorkingDirectory ?? process.cwd() + const cwd = configInit.currentWorkingDirectory ?? process.cwd() - const sourceDirPath = input.sourceDirPath ? toAbsolutePath(cwd, input.sourceDirPath) : cwd + const sourceDirPath = configInit.sourceDirPath ? toAbsolutePath(cwd, configInit.sourceDirPath) : cwd - const outputDirPathRoot = input.outputDirPath - ? toAbsolutePath(cwd, input.outputDirPath) + const outputDirPathRoot = configInit.outputDirPath + ? toAbsolutePath(cwd, configInit.outputDirPath) : Path.join(cwd, `./graffle`) const outputDirPathModules = Path.join(outputDirPathRoot, `/modules`) - const inputPathScalars = input.scalars - ? toAbsolutePath(cwd, input.scalars) + const inputPathScalars = configInit.scalars + ? toAbsolutePath(cwd, configInit.scalars) : Path.join(sourceDirPath, `scalars` + `.ts`) const isCustomScalarsModuleExists = await fileExists(fs, inputPathScalars) - if (!isCustomScalarsModuleExists && input.scalars) { + if (!isCustomScalarsModuleExists && configInit.scalars) { // dprint-ignore throw new Error( - `Custom scalar codecs file not found. Given path: ${String(input.scalars)}. Resolved to and looked at: ${inputPathScalars}`, + `Custom scalar codecs file not found. Given path: ${String(configInit.scalars)}. Resolved to and looked at: ${inputPathScalars}`, ) } @@ -105,23 +111,23 @@ export const createConfig = async (input: Input): Promise => { // --- Schema --- - const schema = await createConfigSchema(fs, cwd, sourceDirPath, input) + const schema = await createConfigSchema(fs, cwd, sourceDirPath, configInit) // --- Default Schema URL --- // dprint-ignore const defaultSchemaUrl = - typeof input.defaultSchemaUrl === `boolean` - ? input.schema instanceof Grafaid.Schema.Schema + typeof configInit.defaultSchemaUrl === `boolean` + ? configInit.schema instanceof Grafaid.Schema.Schema ? null - : input.schema.type === `url` - ? input.schema.url + : configInit.schema.type === `url` + ? configInit.schema.url : null - : input.defaultSchemaUrl ?? null + : configInit.defaultSchemaUrl ?? null // --- Formatting --- - const formattingEnabled = input.format ?? true + const formattingEnabled = configInit.format ?? true let formatter = passthroughFormatter if (formattingEnabled) { const formatterReal = await getTypeScriptFormatter(fs) @@ -151,41 +157,43 @@ To suppress this warning disable formatting in one of the following ways: return Path.relative(outputDirPathModules, pathAbsolute) } - const libraryPaths = { - client: input.libraryPaths?.client ? processLibraryPath(input.libraryPaths.client) : undefined, - scalars: input.libraryPaths?.scalars ? processLibraryPath(input.libraryPaths.scalars) : undefined, - schema: input.libraryPaths?.schema ? processLibraryPath(input.libraryPaths.schema) : undefined, - utilitiesForGenerated: input.libraryPaths?.utilitiesForGenerated - ? processLibraryPath(input.libraryPaths.utilitiesForGenerated) - : undefined, - } + const libraryPaths = Object.fromEntries( + keysStrict(libraryPathKeys).map(_ => { + return [ + _, + configInit.libraryPaths?.[_] + ? processLibraryPath(configInit.libraryPaths[_]) + : undefined, + ] + }), + ) // --- Lint --- const lint: Config['lint'] = { - missingCustomScalarCodec: input.lint?.missingCustomScalarCodec ?? true, + missingCustomScalarCodec: configInit.lint?.missingCustomScalarCodec ?? true, } // --- Output SDL --- // dprint-ignore const outputSDLPath = - input.outputSDL - ? isString(input.outputSDL) - ? toFilePath(`schema.graphql`, toAbsolutePath(cwd, input.outputSDL)) + configInit.outputSDL + ? isString(configInit.outputSDL) + ? toFilePath(`schema.graphql`, toAbsolutePath(cwd, configInit.outputSDL)) : Path.join(outputDirPathRoot, `schema.graphql`) : null // --- name --- - const name = input.name ?? defaultName + const name = configInit.name ?? defaultName - const nameNamespace = input.nameNamespace === true - ? input.name - ? pascalCase(input.name) + const nameNamespace = configInit.nameNamespace === true + ? configInit.name + ? pascalCase(configInit.name) : defaultNamespace - : isString(input.nameNamespace) - ? input.nameNamespace + : isString(configInit.nameNamespace) + ? configInit.nameNamespace : defaultNamespace // --- Config --- @@ -194,7 +202,7 @@ To suppress this warning disable formatting in one of the following ways: fs, name, nameNamespace, - extensions: input.extensions ?? [], + extensions: configInit.extensions ?? [], outputCase, lint, formatter, @@ -209,7 +217,7 @@ To suppress this warning disable formatting in one of the following ways: format: formattingEnabled, customScalars: isCustomScalarsModuleExists, TSDoc: { - noDocPolicy: input.TSDoc?.noDocPolicy ?? `ignore`, + noDocPolicy: configInit.TSDoc?.noDocPolicy ?? `ignore`, }, }, paths: { @@ -242,7 +250,7 @@ const createConfigSchema = async ( fs: Fs, cwd: string, sourceDirPath: string, - input: Input, + input: ConfigInit, ): Promise => { switch (input.schema.type) { case `instance`: { @@ -282,7 +290,13 @@ const createConfigSchema = async ( } } case `url`: { - const graffle = Graffle.create({ schema: input.schema.url }).use(Introspection({ options: input.schema.options })) + const introspection = Introspection({ options: input.schema.options }) + introspection + const graffle = Graffle + .create() + .use(introspection) + .transport({ url: input.schema.url }) + // todo introspection method should not be available without a transport const data = await graffle.introspect() if (!data) { throw new Error(`No data returned for introspection query.`) diff --git a/src/generator/config/input.ts b/src/generator/config/configInit.ts similarity index 92% rename from src/generator/config/input.ts rename to src/generator/config/configInit.ts index e13b97fa1..def4dfe66 100644 --- a/src/generator/config/input.ts +++ b/src/generator/config/configInit.ts @@ -20,7 +20,7 @@ export const OutputCase = { } as const export type InputOutputCase = keyof typeof OutputCase -export interface Input { +export interface ConfigInit { /** * File system API to use. * @@ -141,7 +141,7 @@ export interface Input { * Used by Graffle test suite to have generated clients point to source * code. Probably not useful to you. */ - libraryPaths?: InputLibraryPaths + libraryPaths?: ConfigInitLibraryPaths /** * Should custom scalars definitions be imported into the generated output? */ @@ -207,9 +207,20 @@ export interface InputIntrospectionOptions extends IntrospectionOptions { oneOf?: boolean } -export interface InputLibraryPaths { +export interface ConfigInitLibraryPaths { client?: string schema?: string scalars?: string - utilitiesForGenerated?: string + utilitiesForGenerated: string + extensionTransportHttp: string } + +export type LibraryPathsKeys = keyof ConfigInitLibraryPaths + +export const libraryPathKeys = { + client: `client`, + scalars: `scalars`, + schema: `schema`, + utilitiesForGenerated: `utilitiesForGenerated`, + extensionTransportHttp: `extensionTransportHttp`, +} satisfies Record diff --git a/src/generator/config/defaults.ts b/src/generator/config/defaults.ts index ea3ef60a4..11223bd05 100644 --- a/src/generator/config/defaults.ts +++ b/src/generator/config/defaults.ts @@ -1,4 +1,4 @@ -import type { InputOutputCase } from './input.js' +import type { ConfigInitLibraryPaths, InputOutputCase } from './configInit.js' export const defaultNamespace = `Graffle` @@ -9,6 +9,7 @@ export const defaultLibraryPaths = { scalars: `graffle/generator-helpers/standard-scalar-types`, schema: `graffle/schema`, utilitiesForGenerated: `graffle/utilities-for-generated`, -} + extensionTransportHttp: `graffle/extensions/transport-http`, +} satisfies ConfigInitLibraryPaths export const defaultOutputCase: InputOutputCase = `kebab` diff --git a/src/generator/configFile/builder.ts b/src/generator/configFile/builder.ts index d13bf3247..6f43e6d9a 100644 --- a/src/generator/configFile/builder.ts +++ b/src/generator/configFile/builder.ts @@ -1,12 +1,12 @@ import type { SetOptional } from 'type-fest' -import type { Input } from '../config/input.js' +import type { ConfigInit } from '../config/configInit.js' import type { Extension } from '../extension/types.js' /** * Builder input does not require a schema source because it is designed to be used in the config file. * The config file is read by the CLI, and can have the schema source specified in the CLI arguments. */ -export type BuilderInput = SetOptional +export type BuilderInput = SetOptional export interface Builder { _: { diff --git a/src/generator/generator/__snapshots__/generate.test.ts.snap b/src/generator/generator/__snapshots__/generate.test.ts.snap index 157106e21..c4834e95a 100644 --- a/src/generator/generator/__snapshots__/generate.test.ts.snap +++ b/src/generator/generator/__snapshots__/generate.test.ts.snap @@ -81,17 +81,27 @@ export { schemaDrivenDataMap as schemaMap } from './modules/schema-driven-data-m `; exports[`kitchen-sink generated modules > modules/client.ts 1`] = ` -"import { ClientPreset } from '../../../../../../src/entrypoints/client.js' +"import { TransportHttp } from '../../../../../../src/entrypoints/extensions/transport-http/runtime.js' +import * as $$Utilities from '../../../../../../src/entrypoints/utilities-for-generated.js' import * as $$Data from './data.js' import * as $$Scalar from './scalar.js' import * as $$SchemaDrivenDataMap from './schema-driven-data-map.js' -export const create = ClientPreset.create({ - name: $$Data.Name, - sddm: $$SchemaDrivenDataMap.schemaDrivenDataMap, - scalars: $$Scalar.$registry, - schemaUrl: $$Data.defaultSchemaUrl, -}) +const context = $$Utilities.useReducer( + { + ...$$Utilities.Context.States.contextEmpty, + name: $$Data.Name, + schemaMap: $$SchemaDrivenDataMap.schemaDrivenDataMap, + scalars: $$Scalar.$registry, + }, + TransportHttp({ + url: $$Data.defaultSchemaUrl, + }), +) + +export const create = $$Utilities.createConstructorWithContext( + context, +) " `; @@ -146,7 +156,7 @@ export interface Document<$Context extends $$Utilities.Context> { > } -export interface BuilderMethodsDocumentFn extends $$Utilities.TypeFunction.Fn { +export interface BuilderMethodsDocumentFn extends $$Utilities.TypeFunction { // @ts-expect-error parameter is Untyped. return: Document } @@ -798,7 +808,7 @@ export interface BuilderMethodsRoot<$Context extends $$Utilities.Context> { mutation: MutationMethods<$Context> } -export interface BuilderMethodsRootFn extends $$Utilities.TypeFunction.Fn { +export interface BuilderMethodsRootFn extends $$Utilities.TypeFunction { // @ts-expect-error parameter is Untyped. return: BuilderMethodsRoot } @@ -7661,7 +7671,7 @@ export interface BuilderMethodsRoot<$Context extends $$Utilities.Context> { undefined: QueryRootMethods<$Context>; } -export interface BuilderMethodsRootFn extends $$Utilities.TypeFunction.Fn { +export interface BuilderMethodsRootFn extends $$Utilities.TypeFunction { // @ts-expect-error parameter is Untyped. return: BuilderMethodsRoot; } diff --git a/src/generator/generator/generate.ts b/src/generator/generator/generate.ts index 488f751ee..9fce51321 100644 --- a/src/generator/generator/generate.ts +++ b/src/generator/generator/generate.ts @@ -1,5 +1,5 @@ import { createConfig } from '../config/config.js' -import type { Input } from '../config/input.js' +import type { ConfigInit } from '../config/configInit.js' import { ModuleGenerator_ } from '../generators/_.js' import { ModuleGenerator__ } from '../generators/__.js' import { ModuleGeneratorClient } from '../generators/Client.js' @@ -34,7 +34,7 @@ const moduleGenerators = [ ModuleGeneratorMethodsDocument, ] -export const generate = async (input: Input) => { +export const generate = async (input: ConfigInit) => { const config = await createConfig(input) const generatedModules = await Promise.all( diff --git a/src/generator/generators/Client.ts b/src/generator/generators/Client.ts index 98bafa6cb..a4ae57e21 100644 --- a/src/generator/generators/Client.ts +++ b/src/generator/generators/Client.ts @@ -11,17 +11,26 @@ export const ModuleGeneratorClient = createModuleGenerator( code(importModuleGenerator(config, ModuleGeneratorData)) code(importModuleGenerator(config, ModuleGeneratorScalar)) code( - `import { ClientPreset } from '${config.paths.imports.grafflePackage.client}'`, + `import * as ${identifiers.$$Utilities} from '${config.paths.imports.grafflePackage.utilitiesForGenerated}'`, + `import { TransportHttp } from '${config.paths.imports.grafflePackage.extensionTransportHttp}'`, ) code() - code( - `export const create = ClientPreset.create({ - name: ${identifiers.$$Data}.Name, - sddm: ${identifiers.$$SchemaDrivenDataMap}.schemaDrivenDataMap, - scalars: ${identifiers.$$Scalar}.$registry, - schemaUrl: ${identifiers.$$Data}.defaultSchemaUrl, - } - )`, - ) + code(` + const context = ${identifiers.$$Utilities}.useReducer( + { + ...${identifiers.$$Utilities}.Context.States.contextEmpty, + name: $$Data.Name, + schemaMap: $$SchemaDrivenDataMap.schemaDrivenDataMap, + scalars: $$Scalar.$registry, + }, + TransportHttp({ + url: $$Data.defaultSchemaUrl, + }), + ) + + export const create = ${identifiers.$$Utilities}.createConstructorWithContext( + context + ) + `) }, ) diff --git a/src/generator/generators/MethodsDocument.ts b/src/generator/generators/MethodsDocument.ts index c8516da5e..e02e69de0 100644 --- a/src/generator/generators/MethodsDocument.ts +++ b/src/generator/generators/MethodsDocument.ts @@ -31,7 +31,7 @@ export const ModuleGeneratorMethodsDocument = createModuleGenerator( })) code() code(` - export interface BuilderMethodsDocumentFn extends ${identifiers.$$Utilities}.TypeFunction.Fn { + export interface BuilderMethodsDocumentFn extends ${identifiers.$$Utilities}.TypeFunction { // @ts-expect-error parameter is Untyped. return: Document } diff --git a/src/generator/generators/MethodsRoot.ts b/src/generator/generators/MethodsRoot.ts index 2a30e1b94..4b81a853f 100644 --- a/src/generator/generators/MethodsRoot.ts +++ b/src/generator/generators/MethodsRoot.ts @@ -37,7 +37,7 @@ export const ModuleGeneratorMethodsRoot = createModuleGenerator( `) code() code(` - export interface BuilderMethodsRootFn extends ${identifiers.$$Utilities}.TypeFunction.Fn { + export interface BuilderMethodsRootFn extends ${identifiers.$$Utilities}.TypeFunction { // @ts-expect-error parameter is Untyped. return: BuilderMethodsRoot } diff --git a/src/lib/anyware/Extension/Builder.ts b/src/lib/anyware/Extension/Builder.ts index 705e20459..f9ef2c6a9 100644 --- a/src/lib/anyware/Extension/Builder.ts +++ b/src/lib/anyware/Extension/Builder.ts @@ -1,11 +1,11 @@ import { Overload } from '../Overload/__.js' -import type { PipelineDef } from '../PipelineDef/__.js' +import type { PipelineDefinition } from '../PipelineDef/__.js' import type { Extension } from './__.js' -type Create = <$Pipeline extends PipelineDef>() => Builder<$Pipeline, Extension.States.Empty> +type Create = <$Pipeline extends PipelineDefinition>() => Builder<$Pipeline, Extension.States.Empty> export interface Builder< - $Pipeline extends PipelineDef = PipelineDef, + $Pipeline extends PipelineDefinition = PipelineDefinition, $Extension extends Extension = Extension, > { type: $Extension diff --git a/src/lib/anyware/Extension/Updaters.ts b/src/lib/anyware/Extension/Updaters.ts index c453b7c31..a279fd65b 100644 --- a/src/lib/anyware/Extension/Updaters.ts +++ b/src/lib/anyware/Extension/Updaters.ts @@ -6,7 +6,7 @@ export namespace Updaters { export type AddOverload< $Extension extends Extension, $Overload extends Overload, - > = ConfigManager.UpdateKeyWithAppend< + > = ConfigManager.UpdateKeyWithAppendOne< $Extension, 'overloads', $Overload diff --git a/src/lib/anyware/Interceptor/Interceptor.test-d.ts b/src/lib/anyware/Interceptor/Interceptor.test-d.ts index 330420075..2ae2fbe39 100644 --- a/src/lib/anyware/Interceptor/Interceptor.test-d.ts +++ b/src/lib/anyware/Interceptor/Interceptor.test-d.ts @@ -1,12 +1,12 @@ import { describe, expectTypeOf, test } from 'vitest' import { _, type ExcludeUndefined } from '../../prelude.js' import type { Interceptor } from '../_.js' -import { Pipeline, PipelineDef } from '../_.js' +import { Pipeline, PipelineDefinition } from '../_.js' import type { initialInput } from '../__.test-helpers.js' import { results, slots } from '../__.test-helpers.js' import type { StepTriggerEnvelope } from '../StepTriggerEnvelope.js' -const b0 = PipelineDef.create().input() +const b0 = PipelineDefinition.create().input() describe(`interceptor constructor`, () => { test(`receives keyword arguments, a step trigger for each step`, () => { diff --git a/src/lib/anyware/Overload/Builder.ts b/src/lib/anyware/Overload/Builder.ts index afbd2b32b..8c9e4dab7 100644 --- a/src/lib/anyware/Overload/Builder.ts +++ b/src/lib/anyware/Overload/Builder.ts @@ -1,25 +1,31 @@ import type { ConfigManager } from '../../config-manager/__.js' import type { Tuple } from '../../prelude.js' -import type { PipelineDef } from '../PipelineDef/__.js' -import type { StepDef } from '../StepDef.js' +import type { PipelineDefinition } from '../PipelineDef/__.js' +import type { StepDefinition } from '../StepDefinition.js' import type { Overload } from './__.js' export const create: Create = (parameters) => { - const context_: Omit = { + const overload_: Omit = { discriminant: parameters.discriminant, + inputDefaults: parameters.inputDefaults, steps: {}, } - const overload = context_ as Overload + const overload = overload_ as Overload const builder: Builder = { type: overload, - extendInput: () => builder as any, + config: () => builder as any, + defaults: (inputDefaults: object) => { + overload.inputDefaults = inputDefaults + return builder as any + }, + configInit: () => builder as any, stepWithExtendedInput: () => builder.step as any, step: (name, spec) => { overload.steps[name] = { name, ...spec, - } as unknown as StepDef + } as unknown as StepDefinition return builder as any }, } @@ -27,21 +33,26 @@ export const create: Create = (parameters) => { return builder as any } -export type Create<$Pipeline extends PipelineDef = PipelineDef> = < +export type Create<$Pipeline extends PipelineDefinition = PipelineDefinition> = < const $DiscriminantSpec extends Overload['discriminant'], + const $InputDefaults extends object | undefined, >( - parameters: { discriminant: $DiscriminantSpec }, + parameters: { + discriminant: $DiscriminantSpec + inputDefaults?: $InputDefaults + }, ) => Builder< $Pipeline, { discriminant: $DiscriminantSpec + inputDefaults: $InputDefaults input: {} steps: {} } > export interface Builder< - $Pipeline extends PipelineDef = PipelineDef, + $Pipeline extends PipelineDefinition = PipelineDefinition, $Overload extends Overload = Overload.States.Empty, > { type: $Overload @@ -52,9 +63,17 @@ export interface Builder< /** * TODO */ - extendInput: <$InputExtension extends object>() => Builder< + config: () => Builder< + $Pipeline, + Overload.Updaters.SetInput<$Overload, inputExtension> + > + defaults: (inputDefaults: inputDefaults) => Builder< + $Pipeline, + Overload.Updaters.SetInputDefaults<$Overload, inputDefaults> + > + configInit: () => Builder< $Pipeline, - Overload.Updaters.SetInput<$Overload, $InputExtension> + Overload.Updaters.SetInputInit<$Overload, inputExtension> > /** * TODO @@ -67,13 +86,13 @@ export interface Builder< } interface StepMethod< - $Pipeline extends PipelineDef, + $Pipeline extends PipelineDefinition, $Overload extends Overload, $InputExtension extends object = {}, > { < $Name extends $Pipeline['steps'][number]['name'], - $Slots extends undefined | StepDef.Slots = undefined, + $Slots extends undefined | StepDefinition.Slots = undefined, $Input = & InferStepInput< $Overload, @@ -102,10 +121,10 @@ interface StepMethod< // dprint-ignore type InferStepInput< $Overload extends Overload, - $CurrentStep extends StepDef, - $PreviousStep extends StepDef | undefined, + $CurrentStep extends StepDefinition, + $PreviousStep extends StepDefinition | undefined, > = - $PreviousStep extends StepDef + $PreviousStep extends StepDefinition ? $PreviousStep['name'] extends keyof $Overload['steps'] ? $Overload['steps'][$PreviousStep['name']]['output'] : diff --git a/src/lib/anyware/Overload/BuilderCallback.ts b/src/lib/anyware/Overload/BuilderCallback.ts index 5e5f34028..df11aa42d 100644 --- a/src/lib/anyware/Overload/BuilderCallback.ts +++ b/src/lib/anyware/Overload/BuilderCallback.ts @@ -1,9 +1,9 @@ -import type { PipelineDef } from '../PipelineDef/__.js' +import type { PipelineDefinition } from '../PipelineDef/__.js' import type { Create } from './Builder.js' import type { Builder } from './Builder.js' export type BuilderCallback< - $Pipeline extends PipelineDef, + $Pipeline extends PipelineDefinition, $OverloadBuilder extends Builder<$Pipeline>, > = ( OverloadBuilder: { diff --git a/src/lib/anyware/Overload/Updaters.ts b/src/lib/anyware/Overload/Updaters.ts index 08fbd2001..0aef65a34 100644 --- a/src/lib/anyware/Overload/Updaters.ts +++ b/src/lib/anyware/Overload/Updaters.ts @@ -1,5 +1,5 @@ import type { ConfigManager } from '../../config-manager/__.js' -import type { StepDef } from '../StepDef.js' +import type { StepDefinition } from '../StepDefinition.js' import type { Overload } from './__.js' export namespace Updaters { @@ -8,10 +8,20 @@ export namespace Updaters { $InputExtension extends object, > = ConfigManager.SetKey<$Overload, 'input', $InputExtension> + export type SetInputDefaults< + $Overload extends Overload, + $InputDefaults extends object, + > = ConfigManager.SetKey<$Overload, 'inputDefaults', $InputDefaults> + + export type SetInputInit< + $Overload extends Overload, + $InputExtension extends object, + > = ConfigManager.SetKey<$Overload, 'inputInit', $InputExtension> + export type AddStep< $Overload extends Overload, $Name extends string, - $Step extends StepDef, + $Step extends StepDefinition, > = ConfigManager.UpdateKeyWithIntersection< $Overload, 'steps', diff --git a/src/lib/anyware/Overload/__.ts b/src/lib/anyware/Overload/__.ts index e0c8d82eb..41fc9264f 100644 --- a/src/lib/anyware/Overload/__.ts +++ b/src/lib/anyware/Overload/__.ts @@ -1,12 +1,14 @@ import type { DiscriminantPropertyValue } from '../../prelude.js' -import type { StepDef } from '../StepDef.js' +import type { StepDefinition } from '../StepDefinition.js' export * as Overload from './_.js' export interface Overload { discriminant: DiscriminantSpec input: object - steps: Record + inputInit?: object | undefined + inputDefaults?: object | undefined + steps: Record } type DiscriminantSpec = readonly [string, DiscriminantPropertyValue] diff --git a/src/lib/anyware/Pipeline/Pipeline.test-d.ts b/src/lib/anyware/Pipeline/Pipeline.test-d.ts index fdb936841..8ea73ef39 100644 --- a/src/lib/anyware/Pipeline/Pipeline.test-d.ts +++ b/src/lib/anyware/Pipeline/Pipeline.test-d.ts @@ -1,5 +1,5 @@ import { expectTypeOf, test } from 'vitest' -import { PipelineDef } from '../_.js' +import { PipelineDefinition } from '../_.js' import type { results } from '../__.test-helpers.js' import { type initialInput, slots, stepA } from '../__.test-helpers.js' import type { Config } from '../PipelineDef/Config.js' @@ -7,7 +7,7 @@ import type { Step } from '../Step.js' import type { StepRunner } from '../StepRunner.js' import { Pipeline } from './Pipeline.js' -const b0 = PipelineDef.create().input() +const b0 = PipelineDefinition.create().input() test(`returns a pipeline`, () => { const p0 = b0.type @@ -40,8 +40,8 @@ type dObject2 = { [_ in dName]: dValue2 } test(`overload input extensions become a pipeline union input`, () => { const pDef = b0 .step(`a`) - .overload(o => o.create({ discriminant: d }).extendInput<{ ol1: 1 }>()) - .overload(o => o.create({ discriminant: d2 }).extendInput<{ ol2: 2 }>()) + .overload(o => o.create({ discriminant: d }).config<{ ol1: 1 }>()) + .overload(o => o.create({ discriminant: d2 }).config<{ ol2: 2 }>()) .type const p = Pipeline.create(pDef) expectTypeOf(p.input).toMatchTypeOf< diff --git a/src/lib/anyware/Pipeline/Pipeline.ts b/src/lib/anyware/Pipeline/Pipeline.ts index 1ea1e4d33..29c6471b5 100644 --- a/src/lib/anyware/Pipeline/Pipeline.ts +++ b/src/lib/anyware/Pipeline/Pipeline.ts @@ -1,10 +1,10 @@ import type { IsUnknown, Simplify } from 'type-fest' import type { ExcludeUndefined, Tuple } from '../../prelude.js' -import type { PipelineDef } from '../_.js' +import type { PipelineDefinition } from '../_.js' import type { Overload } from '../Overload/__.js' import type { Config } from '../PipelineDef/Config.js' import type { Step } from '../Step.js' -import type { StepDef } from '../StepDef.js' +import type { StepDefinition } from '../StepDefinition.js' import type { StepRunner } from '../StepRunner.js' export interface Pipeline { @@ -25,13 +25,13 @@ export const createStepsIndex = <$Steps extends Step[]>(steps: $Steps): StepsInd } export namespace Pipeline { - export const create = <$PipelineSpec extends PipelineDef>( - pipeline: $PipelineSpec, - ): Simplify> => { - let steps = pipeline.steps as unknown as Step[] - if (pipeline.overloads.length > 0) { + export const create = <$PipelineDef extends PipelineDefinition>( + definition: $PipelineDef, + ): Simplify> => { + let steps = definition.steps as unknown as Step[] + if (definition.overloads.length > 0) { steps = steps.map((step): Step => { - const stepOverloads = pipeline.overloads + const stepOverloads = definition.overloads .map(overload => { const stepOverload = overload.steps[step.name] if (!stepOverload) return null @@ -70,18 +70,18 @@ export namespace Pipeline { const stepsIndex = createStepsIndex(steps) return { - ...pipeline, + ...definition, steps, // todo: it is a bug to not have this here, but removing it and no anyware test breaks! stepsIndex, } as any } // dprint-ignore - export type InferFromDefinition<$PipelineDef extends PipelineDef> = + export type InferFromDefinition<$PipelineDef extends PipelineDefinition> = InferFromDefinition_<$PipelineDef, InferSteps<$PipelineDef>> // dprint-ignore - export type InferFromDefinition_< - $PipelineDef extends PipelineDef, + type InferFromDefinition_< + $PipelineDef extends PipelineDefinition, $Steps extends Step[], > = { config: $PipelineDef['config'] @@ -101,12 +101,12 @@ export namespace Pipeline { } // dprint-ignore -type InferSteps<$PipelineDef extends PipelineDef> = +type InferSteps<$PipelineDef extends PipelineDefinition> = InferSteps_<$PipelineDef['steps'], $PipelineDef> // dprint-ignore type InferSteps_< - $StepDefs extends StepDef[], - $PipelineDef extends PipelineDef, + $StepDefs extends StepDefinition[], + $PipelineDef extends PipelineDefinition, > = { [$Index in keyof $StepDefs]: { name: $StepDefs[$Index]['name'] @@ -139,11 +139,11 @@ type InferSteps_< } } -type InferStepSlots<$Step extends StepDef, $Overloads extends Overload[]> = +type InferStepSlots<$Step extends StepDefinition, $Overloads extends Overload[]> = & $Step['slots'] & InferStepSlots_<$Step, $Overloads> // dprint-ignore -type InferStepSlots_<$Step extends StepDef, $Overloads extends Overload[]> = +type InferStepSlots_<$Step extends StepDefinition, $Overloads extends Overload[]> = Tuple.IntersectItems<{ [$Index in keyof $Overloads]: IsUnknown<$Overloads[$Index]['steps'][$Step['name']]> extends true @@ -152,7 +152,7 @@ type InferStepSlots_<$Step extends StepDef, $Overloads extends Overload[]> = }> // dprint-ignore -type InferStepOutput<$Step extends StepDef, $Overload extends Overload> = $Overload extends never ? never : +type InferStepOutput<$Step extends StepDefinition, $Overload extends Overload> = $Overload extends never ? never : & $Step['output'] & { [_ in $Overload['discriminant'][0]]: $Overload['discriminant'][1] } & $Overload['steps'][$Step['name']]['output'] @@ -160,14 +160,14 @@ type InferStepOutput<$Step extends StepDef, $Overload extends Overload> = $Overl // dprint-ignore type InferStepInput< $StepIndex extends Tuple.IndexKey, - $StepDef extends StepDef, + $StepDefinition extends StepDefinition, $Overload extends Overload, > = $Overload extends never ? never : - & $StepDef['input'] + & $StepDefinition['input'] // Overload Contributions: // 1. The discriminant: & { [_ in $Overload['discriminant'][0]]: $Overload['discriminant'][1] } // 2. This specific step: - & $Overload['steps'][$StepDef['name']]['input'] + & $Overload['steps'][$StepDefinition['name']]['input'] // 3. If this is the first step, then the pipeline input contributions, if any: & ($StepIndex extends '0' ? $Overload['input'] : {}) diff --git a/src/lib/anyware/PipelineDef/States.ts b/src/lib/anyware/PipelineDef/States.ts index caa8991c5..5f8765cb6 100644 --- a/src/lib/anyware/PipelineDef/States.ts +++ b/src/lib/anyware/PipelineDef/States.ts @@ -1,7 +1,7 @@ -import type { PipelineDef } from './__.js' +import type { PipelineDefinition } from './__.js' export namespace States { - export interface Empty extends PipelineDef { + export interface Empty extends PipelineDefinition { steps: [] overloads: [] } diff --git a/src/lib/anyware/PipelineDef/Updaters.ts b/src/lib/anyware/PipelineDef/Updaters.ts index d1358a8a1..d824decb0 100644 --- a/src/lib/anyware/PipelineDef/Updaters.ts +++ b/src/lib/anyware/PipelineDef/Updaters.ts @@ -1,26 +1,26 @@ import type { ConfigManager } from '../../config-manager/__.js' import type { Overload } from '../Overload/__.js' -import type { StepDef } from '../StepDef.js' -import type { PipelineDef } from './__.js' +import type { StepDefinition } from '../StepDefinition.js' +import type { PipelineDefinition } from './__.js' export namespace Updaters { export type SetInput< - $Pipeline extends PipelineDef, + $PipelineDef extends PipelineDefinition, $Input extends object, - > = ConfigManager.SetKey<$Pipeline, 'input', $Input> + > = ConfigManager.SetKey<$PipelineDef, 'input', $Input> export type AddStep< - $Pipeline extends PipelineDef, - $Step extends StepDef, - > = ConfigManager.UpdateKeyWithAppend<$Pipeline, 'steps', $Step> + $PipelineDef extends PipelineDefinition, + $Step extends StepDefinition, + > = ConfigManager.UpdateKeyWithAppendOne<$PipelineDef, 'steps', $Step> export type AddOverload< - $Pipeline extends PipelineDef, + $PipelineDef extends PipelineDefinition, $Overload extends Overload, - > = ConfigManager.UpdateKeyWithAppend<$Pipeline, 'overloads', $Overload> + > = ConfigManager.UpdateKeyWithAppendOne<$PipelineDef, 'overloads', $Overload> export type AddOverloads< - $Pipeline extends PipelineDef, + $PipelineDef extends PipelineDefinition, $Overloads extends Overload[], - > = ConfigManager.UpdateKeyWithAppendMany<$Pipeline, 'overloads', $Overloads> + > = ConfigManager.UpdateKeyWithAppendMany<$PipelineDef, 'overloads', $Overloads> } diff --git a/src/lib/anyware/PipelineDef/Utilities.ts b/src/lib/anyware/PipelineDef/Utilities.ts index 8307c8d5a..b81a549ac 100644 --- a/src/lib/anyware/PipelineDef/Utilities.ts +++ b/src/lib/anyware/PipelineDef/Utilities.ts @@ -1,10 +1,10 @@ import type { Tuple } from '../../prelude.js' import type { Result } from '../Result.js' -import type { PipelineDef } from './__.js' +import type { PipelineDefinition } from './__.js' export namespace Utilities { // dprint-ignore - export type InferOutput<$PipelineDef extends PipelineDef> = + export type InferOutput<$PipelineDef extends PipelineDefinition> = Awaited< $PipelineDef['steps'] extends Tuple.NonEmpty ? Tuple.GetLastValue<$PipelineDef['steps']>['output'] @@ -12,6 +12,6 @@ export namespace Utilities { > // dprint-ignore - export type InferResult<$PipelineDef extends PipelineDef> = + export type InferResult<$PipelineDef extends PipelineDefinition> = Result> } diff --git a/src/lib/anyware/PipelineDef/__.ts b/src/lib/anyware/PipelineDef/__.ts index 7fb8db05d..66f8089d9 100644 --- a/src/lib/anyware/PipelineDef/__.ts +++ b/src/lib/anyware/PipelineDef/__.ts @@ -1,12 +1,12 @@ import type { Overload } from '../Overload/__.js' -import type { StepDef } from '../StepDef.js' +import type { StepDefinition } from '../StepDefinition.js' import type { Config } from './Config.js' -export * as PipelineDef from './_.js' +export * as PipelineDefinition from './_.js' -export interface PipelineDef { +export interface PipelineDefinition { config: Config input: object - steps: StepDef[] + steps: StepDefinition[] overloads: Overload[] } diff --git a/src/lib/anyware/PipelineDef/builder.test-d.ts b/src/lib/anyware/PipelineDef/builder.test-d.ts index 35fbf3371..d3c35df6d 100644 --- a/src/lib/anyware/PipelineDef/builder.test-d.ts +++ b/src/lib/anyware/PipelineDef/builder.test-d.ts @@ -2,11 +2,11 @@ import { describe, expectTypeOf, test } from 'vitest' import { _ } from '../../prelude.js' import type { initialInput } from '../__.test-helpers.js' import { results, slots, stepA, stepB } from '../__.test-helpers.js' -import { PipelineDef } from './__.js' +import { PipelineDefinition } from './__.js' import type { Config } from './Config.js' -const b0 = PipelineDef.create().input() -const b1 = PipelineDef.create().input().step(stepA) +const b0 = PipelineDefinition.create().input() +const b1 = PipelineDefinition.create().input().step(stepA) test(`initial context`, () => { expectTypeOf(b0.type).toMatchTypeOf<{ input: initialInput; steps: []; config: Config; overloads: [] }>() @@ -112,7 +112,7 @@ describe(`overload`, () => { // overload extends input test(`overload constructor with input and discriminant`, () => { - expectTypeOf(b0.overload(o => o.create({ discriminant: d }).extendInput<{ x: 1 }>()).type.overloads) + expectTypeOf(b0.overload(o => o.create({ discriminant: d }).config<{ x: 1 }>()).type.overloads) .toMatchTypeOf<[{ discriminant: d; input: { x: 1 }; steps: {} }]>() }) diff --git a/src/lib/anyware/PipelineDef/builder.ts b/src/lib/anyware/PipelineDef/builder.ts index 9b4e9653c..d33da5698 100644 --- a/src/lib/anyware/PipelineDef/builder.ts +++ b/src/lib/anyware/PipelineDef/builder.ts @@ -2,10 +2,10 @@ import type { ConfigManager } from '../../config-manager/__.js' import { type Tuple } from '../../prelude.js' import type { Extension } from '../Extension/__.js' import { Overload } from '../Overload/__.js' -import type { StepDef } from '../StepDef.js' +import type { StepDefinition } from '../StepDefinition.js' import type { StepRunner } from '../StepRunner.js' import { Pipeline } from './_.js' -import type { PipelineDef } from './__.js' +import type { PipelineDefinition } from './__.js' import { type Options, resolveOptions } from './Config.js' /** @@ -18,15 +18,15 @@ import { type Options, resolveOptions } from './Config.js' * - Otherwise the last step's output. */ // dprint-ignore -type GetNextStepParameterInput<$Context extends PipelineDef> = +type GetNextStepParameterInput<$Context extends PipelineDefinition> = $Context['steps'] extends Tuple.NonEmpty ? Awaited['output']> : $Context['input'] -export interface Builder<$PipelineDef extends PipelineDef = PipelineDef> { +export interface Builder<$PipelineDef extends PipelineDefinition = PipelineDefinition> { type: $PipelineDef input: <$Input extends object>() => Builder< - PipelineDef.Updaters.SetInput<$PipelineDef, $Input> + PipelineDefinition.Updaters.SetInput<$PipelineDef, $Input> > /** * TODO @@ -35,7 +35,7 @@ export interface Builder<$PipelineDef extends PipelineDef = PipelineDef> { const $Name extends string, $Slots extends | undefined - | StepDef.Slots = undefined, + | StepDefinition.Slots = undefined, >( name: $Name, parameters?: { @@ -43,7 +43,7 @@ export interface Builder<$PipelineDef extends PipelineDef = PipelineDef> { run?: $Runner }, ) => Builder< - PipelineDef.Updaters.AddStep<$PipelineDef, { + PipelineDefinition.Updaters.AddStep<$PipelineDef, { name: $Name input: Parameters<$Runner>[0] output: ConfigManager.OrDefault2, {}> @@ -61,7 +61,7 @@ export interface Builder<$PipelineDef extends PipelineDef = PipelineDef> { overload: <$OverloadBuilder extends Overload.Builder<$PipelineDef>>( overloadBuilder: Overload.BuilderCallback<$PipelineDef, $OverloadBuilder>, ) => Builder< - PipelineDef.Updaters.AddOverload<$PipelineDef, $OverloadBuilder['type']> + PipelineDefinition.Updaters.AddOverload<$PipelineDef, $OverloadBuilder['type']> > /** * TODO @@ -70,17 +70,17 @@ export interface Builder<$PipelineDef extends PipelineDef = PipelineDef> { use: <$Extension extends Extension.Builder>( extension: $Extension, ) => Builder< - PipelineDef.Updaters.AddOverloads<$PipelineDef, $Extension['type']['overloads']> + PipelineDefinition.Updaters.AddOverloads<$PipelineDef, $Extension['type']['overloads']> > done: () => Pipeline.InferFromDefinition<$PipelineDef> } -interface StepMethod<$Context extends PipelineDef> { +interface StepMethod<$Context extends PipelineDefinition> { < const $Name extends string, $Slots extends | undefined - | StepDef.Slots = undefined, + | StepDefinition.Slots = undefined, $Input = GetNextStepParameterInput<$Context>, $Output = unknown, >( @@ -90,7 +90,7 @@ interface StepMethod<$Context extends PipelineDef> { run?: (input: $Input, slots: $Slots, previous: GetNextStepParameterPrevious<$Context>) => $Output }, ): Builder< - PipelineDef.Updaters.AddStep<$Context, { + PipelineDefinition.Updaters.AddStep<$Context, { name: $Name input: $Input output: ConfigManager.OrDefault2<$Output, {}> @@ -101,7 +101,7 @@ interface StepMethod<$Context extends PipelineDef> { const $Name extends string, $Slots extends | undefined - | StepDef.Slots = undefined, + | StepDefinition.Slots = undefined, $Input extends object = GetNextStepParameterInput<$Context>, $Output = unknown, >( @@ -111,7 +111,7 @@ interface StepMethod<$Context extends PipelineDef> { run?: (input: $Input, slots: $Slots, previous: GetNextStepParameterPrevious<$Context>) => $Output }, ): Builder< - PipelineDef.Updaters.AddStep<$Context, { + PipelineDefinition.Updaters.AddStep<$Context, { name: $Name input: $Input output: ConfigManager.OrDefault2<$Output, {}> @@ -121,12 +121,12 @@ interface StepMethod<$Context extends PipelineDef> { } // dprint-ignore -export type GetNextStepParameterPrevious<$Context extends PipelineDef> = +export type GetNextStepParameterPrevious<$Context extends PipelineDefinition> = $Context['steps'] extends Tuple.NonEmpty ? GetNextStepPrevious_<$Context['steps']> : undefined -type GetNextStepPrevious_<$Steps extends StepDef[]> = Tuple.IntersectItems< +type GetNextStepPrevious_<$Steps extends StepDefinition[]> = Tuple.IntersectItems< { [$Index in keyof $Steps]: { [$StepName in $Steps[$Index]['name']]: { @@ -140,22 +140,22 @@ type GetNextStepPrevious_<$Steps extends StepDef[]> = Tuple.IntersectItems< export type InferPipeline<$Builder extends Builder> = InferPipelineFromContext<$Builder['type']> // dprint-ignore -type InferPipelineFromContext<$Pipeline extends PipelineDef> = +type InferPipelineFromContext<$Pipeline extends PipelineDefinition> = $Pipeline /** * TODO */ -export const create = (options?: Options): Builder => { +export const create = (options?: Options): Builder => { const config = resolveOptions(options) return recreate({ steps: [], config, overloads: [], - } as any as PipelineDef) as any + } as any as PipelineDefinition) as any } -const recreate = <$Pipeline extends PipelineDef>(pipeline: $Pipeline): Builder<$Pipeline> => { +const recreate = <$Pipeline extends PipelineDefinition>(pipeline: $Pipeline): Builder<$Pipeline> => { const builder: Builder<$Pipeline> = { type: pipeline, input: () => builder as any, diff --git a/src/lib/anyware/PipelineSpecification/Spec.ts b/src/lib/anyware/PipelineSpecification/Spec.ts index e954bbe55..dcb0c99eb 100644 --- a/src/lib/anyware/PipelineSpecification/Spec.ts +++ b/src/lib/anyware/PipelineSpecification/Spec.ts @@ -1,7 +1,7 @@ // import type { IsUnknown } from 'type-fest' // import type { ConfigManager } from '../../config-manager/__.js' // import type { MaybePromise, Tuple } from '../../prelude.js' -// import type { StepDef } from '../StepDef.js' +// import type { StepDefinition } from '../StepDefinition.js' // // dprint-ignore // export interface PipelineSpecification<$StepSpecs extends StepDef[] = StepDef[]> { @@ -18,14 +18,14 @@ // // // dprint-ignore // // type InferFromStepDefinitions< -// // $StepSpecInputs extends StepDef.SpecInput[] = StepDef.SpecInput[] +// // $StepSpecInputs extends StepDefinition.SpecInput[] = StepDefinition.SpecInput[] // // > = PipelineSpecification> -// // type InferStepSpecs<$StepSpecInputs extends StepDef.SpecInput[]> = InferStepSpecs_ +// // type InferStepSpecs<$StepSpecInputs extends StepDefinition.SpecInput[]> = InferStepSpecs_ // // dprint-ignore -// type InferStepSpecs_<$StepSpecPrevious extends StepDef| undefined, $StepSpecInputs extends StepDef.SpecInput[]> = -// $StepSpecInputs extends [infer $StepSpecInput extends StepDef.SpecInput, ...infer $StepSpecInputsRest extends StepDef.SpecInput[]] +// type InferStepSpecs_<$StepSpecPrevious extends StepDef| undefined, $StepSpecInputs extends StepDefinition.SpecInput[]> = +// $StepSpecInputs extends [infer $StepSpecInput extends StepDefinition.SpecInput, ...infer $StepSpecInputsRest extends StepDefinition.SpecInput[]] // ? InferStepSpecs__<{ // name: $StepSpecInput['name'] // slots: ConfigManager.OrDefault2<$StepSpecInput['slots'],{}> @@ -48,7 +48,7 @@ // }, $StepSpecInputsRest> // : [] -// type InferStepSpecs__<$StepSpec extends StepDef, $StepSpecInputsRest extends StepDef.SpecInput[]> = [ +// type InferStepSpecs__<$StepSpec extends StepDef, $StepSpecInputsRest extends StepDefinition.SpecInput[]> = [ // $StepSpec, // ...InferStepSpecs_<$StepSpec, $StepSpecInputsRest>, // ] diff --git a/src/lib/anyware/PipelineSpecification/createWithSpec.ts b/src/lib/anyware/PipelineSpecification/createWithSpec.ts index b6dc5b914..9e0a1fca1 100644 --- a/src/lib/anyware/PipelineSpecification/createWithSpec.ts +++ b/src/lib/anyware/PipelineSpecification/createWithSpec.ts @@ -3,7 +3,7 @@ // import { createStepsIndex, type StepsIndex } from '../Pipeline/Pipeline.js' // import { type Config, type Options, resolveOptions } from '../PipelineDef/Config.js' // import type { Step } from '../Step.js' -// import type { StepDef } from '../StepDef.js' +// import type { StepDefinition } from '../StepDefinition.js' // import type { PipelineSpecification } from './Spec.js' // export const createWithSpec = <$PipelineSpec extends PipelineSpecification>( diff --git a/src/lib/anyware/Step.ts b/src/lib/anyware/Step.ts index a8bbb33c2..65be16eb4 100644 --- a/src/lib/anyware/Step.ts +++ b/src/lib/anyware/Step.ts @@ -1,14 +1,14 @@ -import type { StepDef } from './StepDef.js' +import type { StepDefinition } from './StepDefinition.js' import type { StepRunner } from './StepRunner.js' export interface Step { name: string - slots?: StepDef.Slots + slots?: StepDefinition.Slots input: Step.Input output: any run: StepRunner } export namespace Step { - export type Input = StepDef.Input + export type Input = StepDefinition.Input } diff --git a/src/lib/anyware/StepDef.ts b/src/lib/anyware/StepDefinition.ts similarity index 88% rename from src/lib/anyware/StepDef.ts rename to src/lib/anyware/StepDefinition.ts index d75d51c67..fb6185206 100644 --- a/src/lib/anyware/StepDef.ts +++ b/src/lib/anyware/StepDefinition.ts @@ -1,11 +1,11 @@ import type { SomeFunction } from '../prelude.js' import type { StepRunner } from './StepRunner.js' -export interface StepDef< +export interface StepDefinition< $Name extends string = string, > { name: $Name - slots: StepDef.Slots + slots: StepDefinition.Slots input: any output: any /** @@ -24,10 +24,10 @@ export interface StepDef< run?: StepRunner } -export namespace StepDef { +export namespace StepDefinition { export interface SpecInput { name: string - slots?: StepDef.Slots + slots?: StepDefinition.Slots input?: object output?: unknown } @@ -41,7 +41,7 @@ export namespace StepDef { < const $Name extends string, $Run extends StepRunner<$Input>, - $Slots extends undefined | StepDef.Slots, + $Slots extends undefined | StepDefinition.Slots, >( parameters: { name: $Name diff --git a/src/lib/anyware/StepRunner.ts b/src/lib/anyware/StepRunner.ts index 9db3e97f7..6f3703847 100644 --- a/src/lib/anyware/StepRunner.ts +++ b/src/lib/anyware/StepRunner.ts @@ -1,7 +1,7 @@ -import type { StepDef } from './StepDef.js' +import type { StepDefinition } from './StepDefinition.js' export type StepRunner< - $Input extends StepDef.Input = StepDef.Input, + $Input extends StepDefinition.Input = StepDefinition.Input, // $Slots extends undefined | Step.Slots = undefined, $Slots extends undefined | object = undefined, $Previous extends undefined | object = undefined, diff --git a/src/lib/anyware/_.ts b/src/lib/anyware/_.ts index 5a472c6ae..4aa693ab7 100644 --- a/src/lib/anyware/_.ts +++ b/src/lib/anyware/_.ts @@ -1,6 +1,8 @@ export * from './Extension/__.js' export * from './Interceptor/Interceptor.js' +export * from './Overload/__.js' export * from './Pipeline/Pipeline.js' export * from './PipelineDef/__.js' export * from './PipelineSpecification/Spec.js' +export * from './Result.js' export * from './run/runner.js' diff --git a/src/lib/anyware/__.entrypoint.test.ts b/src/lib/anyware/__.entrypoint.test.ts index 4a7ec8d50..4a49f492c 100644 --- a/src/lib/anyware/__.entrypoint.test.ts +++ b/src/lib/anyware/__.entrypoint.test.ts @@ -3,12 +3,12 @@ import { describe, expect, test } from 'vitest' import type { ContextualAggregateError } from '../errors/ContextualAggregateError.js' import { _ } from '../prelude.js' -import { PipelineDef } from './_.js' +import { PipelineDefinition } from './_.js' import { initialInput, stepA, stepB } from './__.test-helpers.js' const run = async (interceptor: (...args: any[]) => any) => { - const pipeline = PipelineDef.create().step(stepA).step(stepB).done() - return PipelineDef.run(pipeline, { + const pipeline = PipelineDefinition.create().step(stepA).step(stepB).done() + return PipelineDefinition.run(pipeline, { initialInput, interceptors: [interceptor], }) diff --git a/src/lib/anyware/__.test-helpers.ts b/src/lib/anyware/__.test-helpers.ts index a8f1aa416..2585b1351 100644 --- a/src/lib/anyware/__.test-helpers.ts +++ b/src/lib/anyware/__.test-helpers.ts @@ -1,9 +1,9 @@ import { beforeEach, vi } from 'vitest' -import { PipelineDef } from './_.js' +import { PipelineDefinition } from './_.js' import type { Interceptor, NonRetryingInterceptorInput } from './Interceptor/Interceptor.js' import { Pipeline } from './Pipeline/Pipeline.js' import type { Options } from './PipelineDef/Config.js' -import { StepDef } from './StepDef.js' +import { StepDefinition } from './StepDefinition.js' export const initialInput = { x: 1 } as const export type initialInput = typeof initialInput @@ -17,9 +17,9 @@ export const results = { } as const export type results = typeof results -export const stepA = StepDef.createWithInput()({ name: `a`, run: () => results[`a`] }) -export const stepB = StepDef.createWithInput()({ name: `b`, run: () => results[`b`] }) -export const stepC = StepDef.createWithInput()({ name: `c`, run: () => results[`c`] }) +export const stepA = StepDefinition.createWithInput()({ name: `a`, run: () => results[`a`] }) +export const stepB = StepDefinition.createWithInput()({ name: `b`, run: () => results[`b`] }) +export const stepC = StepDefinition.createWithInput()({ name: `c`, run: () => results[`c`] }) export const slots = { m: () => Promise.resolve(`m` as const), @@ -62,7 +62,7 @@ export const createPipelineDef = (options?: Options) => { type StepBRunner = typeof stepBRunner - return PipelineDef + return PipelineDefinition .create(options) .input<{ value: string }>() .stepWithRunnerType()(`a`, { @@ -106,7 +106,7 @@ export const pipelineWithOptions = (options?: Options) => { const pipeline = createPipelineDef(options).type const pipelineE = Pipeline.create(pipeline) const run = async (...interceptors: TestInterceptor[]) => { - return await PipelineDef.run(pipelineE, { + return await PipelineDefinition.run(pipelineE, { initialInput: { value: `initial` }, interceptors, }) @@ -119,14 +119,14 @@ export const pipelineWithOptions = (options?: Options) => { } export const run = async (...interceptors: NonRetryingInterceptorInput[]) => { - return await PipelineDef.run(pipeline, { + return await PipelineDefinition.run(pipeline, { initialInput: initialInput2, interceptors, }) } export const runRetrying = async (interceptor: NonRetryingInterceptorInput) => { - return await PipelineDef.run(pipeline, { + return await PipelineDefinition.run(pipeline, { initialInput: initialInput2, interceptors: [], retryingInterceptor: interceptor, diff --git a/src/lib/anyware/run/run.test-d.ts b/src/lib/anyware/run/run.test-d.ts index a2a470f29..40a6f11ac 100644 --- a/src/lib/anyware/run/run.test-d.ts +++ b/src/lib/anyware/run/run.test-d.ts @@ -1,28 +1,28 @@ import { expectTypeOf, test } from 'vitest' import { Pipeline } from '../_.js' import type { initialInput } from '../__.test-helpers.js' -import { PipelineDef } from '../PipelineDef/__.js' +import { PipelineDefinition } from '../PipelineDef/__.js' import type { Result } from '../Result.js' -const def = PipelineDef.create().input() +const def = PipelineDefinition.create().input() test(`returns input if no steps`, async () => { const d = def.type const p = Pipeline.create(d) - const r = await PipelineDef.run(p) + const r = await PipelineDefinition.run(p) expectTypeOf(r).toEqualTypeOf>() }) test(`returns last step output if steps`, async () => { const d = def.step({ name: `a`, run: () => 2 as const }).type const p = Pipeline.create(d) - const r = await PipelineDef.run(p) + const r = await PipelineDefinition.run(p) expectTypeOf(r).toEqualTypeOf>() }) test(`can return a promise`, async () => { const d = def.step({ name: `a`, run: () => Promise.resolve(2 as const) }).type const p = Pipeline.create(d) - const r = await PipelineDef.run(p) + const r = await PipelineDefinition.run(p) expectTypeOf(r).toEqualTypeOf>() }) diff --git a/src/lib/anyware/run/run.test.ts b/src/lib/anyware/run/run.test.ts index b8ee9aafc..f53dfc393 100644 --- a/src/lib/anyware/run/run.test.ts +++ b/src/lib/anyware/run/run.test.ts @@ -3,7 +3,7 @@ import { describe, expect, test, vi } from 'vitest' import { Errors } from '../../errors/__.js' import type { ContextualError } from '../../errors/ContextualError.js' -import { PipelineDef } from '../_.js' +import { PipelineDefinition } from '../_.js' import { initialInput2, oops, @@ -15,7 +15,7 @@ import { } from '../__.test-helpers.js' import { Pipeline } from '../Pipeline/Pipeline.js' import { successfulResult } from '../Result.js' -import { StepDef } from '../StepDef.js' +import { StepDefinition } from '../StepDefinition.js' describe(`no interceptors`, () => { test(`passthrough to implementation`, async () => { @@ -257,7 +257,7 @@ describe(`errors`, () => { describe('certain errors can be configured to be re-thrown without wrapping error', () => { class SpecialError1 extends Error {} class SpecialError2 extends Error {} - const stepA = StepDef.createWithInput<{ throws: Error }>()({ + const stepA = StepDefinition.createWithInput<{ throws: Error }>()({ name: 'a', run: (input) => { if (input.throws) throw input.throws @@ -265,28 +265,28 @@ describe(`errors`, () => { }) test('via passthroughErrorInstanceOf (one)', async () => { - const pipelineE = PipelineDef.create({ + const pipelineE = PipelineDefinition.create({ passthroughErrorInstanceOf: [SpecialError1], }).input<{ throws: Error }>().step(stepA).type const exPipeline = Pipeline.create(pipelineE) // dprint-ignore - await expect(PipelineDef.run(exPipeline, { initialInput: { throws: new Error('oops') }, interceptors: [] })).resolves.toBeInstanceOf(Errors.ContextualError) + await expect(PipelineDefinition.run(exPipeline, { initialInput: { throws: new Error('oops') }, interceptors: [] })).resolves.toBeInstanceOf(Errors.ContextualError) // dprint-ignore - await expect(PipelineDef.run(exPipeline, { initialInput: { throws: new SpecialError1('oops') }, interceptors: [] })).resolves.toBeInstanceOf(SpecialError1) + await expect(PipelineDefinition.run(exPipeline, { initialInput: { throws: new SpecialError1('oops') }, interceptors: [] })).resolves.toBeInstanceOf(SpecialError1) }) test('via passthroughErrorInstanceOf (multiple)', async () => { - const pipelineE = PipelineDef.create({ + const pipelineE = PipelineDefinition.create({ passthroughErrorInstanceOf: [SpecialError1, SpecialError2], }).input<{ throws: Error }>().step(stepA).type const exPipeline = Pipeline.create(pipelineE) // dprint-ignore - await expect(PipelineDef.run(exPipeline, { initialInput: { throws: new Error('oops') }, interceptors: [] })).resolves.toBeInstanceOf(Errors.ContextualError) + await expect(PipelineDefinition.run(exPipeline, { initialInput: { throws: new Error('oops') }, interceptors: [] })).resolves.toBeInstanceOf(Errors.ContextualError) // dprint-ignore - await expect(PipelineDef.run(exPipeline, { initialInput: { throws: new SpecialError2('oops') }, interceptors: [] })).resolves.toBeInstanceOf(SpecialError2) + await expect(PipelineDefinition.run(exPipeline, { initialInput: { throws: new SpecialError2('oops') }, interceptors: [] })).resolves.toBeInstanceOf(SpecialError2) }) test('via passthroughWith', async () => { - const pipelineE = PipelineDef.create({ + const pipelineE = PipelineDefinition.create({ // todo type-safe hook name according to values passed to constructor // todo type-tests on signal { hookName, source, error } passthroughErrorWith: (signal) => { @@ -295,9 +295,9 @@ describe(`errors`, () => { }).input<{ throws: Error }>().step(stepA).type const exPipeline = Pipeline.create(pipelineE) // dprint-ignore - await expect(PipelineDef.run(exPipeline, { initialInput: { throws: new Error('oops') }, interceptors: [] })).resolves.toBeInstanceOf(Errors.ContextualError) + await expect(PipelineDefinition.run(exPipeline, { initialInput: { throws: new Error('oops') }, interceptors: [] })).resolves.toBeInstanceOf(Errors.ContextualError) // dprint-ignore - await expect(PipelineDef.run(exPipeline, { initialInput: { throws: new SpecialError1('oops') }, interceptors: [] })).resolves.toBeInstanceOf(SpecialError1) + await expect(PipelineDefinition.run(exPipeline, { initialInput: { throws: new SpecialError1('oops') }, interceptors: [] })).resolves.toBeInstanceOf(SpecialError1) }) }) }) @@ -420,7 +420,7 @@ describe('step runner parameter - previous', () => { describe('overloads', () => { test('overloaded step runners are run', async () => { - const p = PipelineDef + const p = PipelineDefinition .create() .input<{ value: string }>() .step('a') @@ -438,11 +438,11 @@ describe('overloads', () => { ) .type const exP = Pipeline.create(p) - const result = await PipelineDef.run(exP, { initialInput: { value: 'initial', x: 1 } }) + const result = await PipelineDefinition.run(exP, { initialInput: { value: 'initial', x: 1 } }) expect(result).toEqual(successfulResult({ value: 'initial+a+b' })) }) test('two overloads can be used; runtime discriminant decides which one is used', async () => { - const p = PipelineDef + const p = PipelineDefinition .create() .input<{ value: string }>() .step('a') @@ -460,9 +460,9 @@ describe('overloads', () => { ) .type const exP = Pipeline.create(p) - const result1 = await PipelineDef.run(exP, { initialInput: { value: 'initial', x: 1 } }) + const result1 = await PipelineDefinition.run(exP, { initialInput: { value: 'initial', x: 1 } }) expect(result1).toEqual(successfulResult({ value: 'initial+a+b' })) - const result2 = await PipelineDef.run(exP, { initialInput: { value: 'initial', x: 2 } }) + const result2 = await PipelineDefinition.run(exP, { initialInput: { value: 'initial', x: 2 } }) expect(result2).toEqual(successfulResult({ value: 'initial+a2+b2' })) }) }) diff --git a/src/lib/anyware/run/runStep.ts b/src/lib/anyware/run/runStep.ts index d1f638a67..015a583c5 100644 --- a/src/lib/anyware/run/runStep.ts +++ b/src/lib/anyware/run/runStep.ts @@ -2,7 +2,7 @@ import { Errors } from '../../errors/__.js' import { casesExhausted, createDeferred, debugSub, errorFromMaybeError } from '../../prelude.js' import type { InterceptorGeneric } from '../Interceptor/Interceptor.js' import type { Pipeline } from '../Pipeline/Pipeline.js' -import type { StepDef } from '../StepDef.js' +import type { StepDefinition } from '../StepDefinition.js' import type { StepResult, StepResultErrorAsync } from '../StepResult.js' import { StepTrigger } from '../StepTrigger.js' import type { StepTriggerEnvelope } from '../StepTriggerEnvelope.js' @@ -35,7 +35,7 @@ export const runStep = async ( * Information about previous hook executions, like what their input was. */ previousStepsCompleted: object - customSlots: StepDef.Slots + customSlots: StepDefinition.Slots /** * The extensions that are at this hook awaiting. */ diff --git a/src/lib/anyware/run/runner.ts b/src/lib/anyware/run/runner.ts index 297210680..71b7da832 100644 --- a/src/lib/anyware/run/runner.ts +++ b/src/lib/anyware/run/runner.ts @@ -8,9 +8,9 @@ import { type NonRetryingInterceptorInput, } from '../Interceptor/Interceptor.js' import type { Pipeline } from '../Pipeline/Pipeline.js' -import type { PipelineDef } from '../PipelineDef/__.js' +import type { PipelineDefinition } from '../PipelineDef/__.js' import { successfulResult } from '../Result.js' -import type { StepDef } from '../StepDef.js' +import type { StepDefinition } from '../StepDefinition.js' import type { StepResultErrorExtension } from '../StepResult.js' import type { StepTriggerEnvelope } from '../StepTriggerEnvelope.js' import { getEntryStep } from './getEntrypoint.js' @@ -25,8 +25,6 @@ export interface Params<$Pipeline extends Pipeline = Pipeline> { export const createRunner = <$Pipeline extends Pipeline>(pipeline: $Pipeline) => async (params?: Params<$Pipeline>): Promise<$Pipeline['output']> => { - // const pipelineExecutable = pipeline as any as ExecutablePipeline.InferFromPipeline<$ExPipeline> - const { initialInput, interceptors = [], retryingInterceptor } = params ?? {} const interceptors_ = retryingInterceptor @@ -51,7 +49,7 @@ export const createRunner = return successfulResult(result.result) as any } -const toInternalInterceptor = (pipeline: PipelineDef.Pipeline, interceptor: InterceptorInput) => { +const toInternalInterceptor = (pipeline: PipelineDefinition.Pipeline, interceptor: InterceptorInput) => { const currentChunk = createDeferred() const body = createDeferred() const interceptorTrigger = typeof interceptor === `function` ? interceptor : interceptor.run @@ -94,7 +92,7 @@ const toInternalInterceptor = (pipeline: PipelineDef.Pipeline, interceptor: Inte } } - const stepsBeforeEntrypoint: StepDef.Name[] = [] + const stepsBeforeEntrypoint: StepDefinition.Name[] = [] for (const step of pipeline.steps) { if (step === entryStep) break stepsBeforeEntrypoint.push(step.name) diff --git a/src/lib/builder/Definition.ts b/src/lib/builder/Definition.ts index ff75fd290..62d81d970 100644 --- a/src/lib/builder/Definition.ts +++ b/src/lib/builder/Definition.ts @@ -1,198 +1,198 @@ -import type { Simplify } from 'type-fest' -import type { AssertExtends, Tuple } from '../prelude.js' -import type { Private } from '../private.js' -import type { TypeFunction } from '../type-function/__.js' -import type { Context, Extension } from './Extension.js' - -/** - * A builder definition. - * Technically it is a type level function with additional properties. - * When called, returns itself with the given extensions attached as a property. - */ -export interface Definition_<$Extensions extends [...Extension[]] = [...Extension[]]> extends TypeFunction.Fn { - extensions: $Extensions - return: Definition_> -} - -type InvokeDefinition<$Definition extends Definition_, $Arguments extends [...Extension[]]> = TypeFunction.Call< - $Definition, - $Arguments -> - -/** - * A definition literal, empty. Useful for creation of new builders. - */ -export type Empty = Definition_<[]> - -/** - * Create a new Builder definition. - */ -export type Create<$Extensions extends [...Extension[]]> = AddExtensions - -/** - * Extend the definition with many extensions. See {@link AddExtension} for details. - */ -// dprint-ignore -export type AddExtensions<$Definition extends Definition_, $Extensions extends [...Extension[]]> = - $Extensions extends [infer $FirstExtension extends Extension, ...infer $RestExtensions extends Extension[]] - ? AddExtensions, $RestExtensions> - : $Definition - -/** - * Extend the definition. During materialization the extension can contribute properties - * that make up the final builder. - */ -// dprint-ignore -export type AddExtension<$definition_ extends Definition_, $Extension_ extends Extension> = - InvokeDefinition<$definition_, [...$definition_['extensions'], $Extension_]> - -// -// Materialize Utilities -// - -/** - * Materialize the definition using each extension's generic context type. - * - * Each extension will be invoked with its own generic context type. - * Then results will be merged to produce the builder object. - * - * All extensions' generic context types will be merged to produce - * the builder object context property. - */ -// dprint-ignore -export type MaterializeGeneric<$Definition extends Definition_> = - Simplify< - Private.Add< - { - definition: $Definition, - context: MaterializeGeneric_Context<$Definition> - }, - MaterializeGeneric_Extensions<$Definition> - > - > - -// dprint-ignore -type MaterializeGeneric_Extensions<$Definition extends Definition_> = - Tuple.IntersectItems< - MaterializeGeneric_Extensions_< - $Definition, - $Definition['extensions'] - > - > -// dprint-ignore -type MaterializeGeneric_Extensions_< - $Definition extends Definition_, - $Extensions extends [...Extension[]] -> = { - [$Index in keyof $Extensions]: - Extension.Invoke<$Extensions[$Index], { - definition: $Definition, - context: $Extensions[$Index]['context'], - }> -} - -type MaterializeGeneric_Context<$Definition extends Definition_> = Tuple.IntersectItems< - MaterializeGeneric_Context_<$Definition['extensions']> -> -type MaterializeGeneric_Context_<$Extensions extends [...Extension[]]> = { - [$Index in keyof $Extensions]: $Extensions[$Index]['context'] -} - -// -// -// --------------------------------------------------------------------------------------------- -// -// - -/** - * Materialize the definition using each extension's empty context type. - * - * Each extension will be invoked with its own empty context. - * Then results will be merged to produce the builder object. - * - * All extensions' empty context types will be merged to produce - * the builder object context property. - */ -// dprint-ignore -export type MaterializeEmpty<$Definition extends Definition_> = - Simplify< - Private.Add< - { - definition: $Definition, - context: MaterializeEmpty_Context<$Definition>, - }, - Tuple.IntersectItems< - MaterializeEmpty_Extensions<$Definition, $Definition['extensions']> - > - > - > - -// dprint-ignore -type MaterializeEmpty_Extensions< - $Definition extends Definition_, - $Extensions extends [...Extension[]] -> = { - [$Index in keyof $Extensions]: Extension.Invoke<$Extensions[$Index], { - definition: $Definition, - context: $Extensions[$Index]['contextEmpty'] - }> -} -// dprint-ignore -type MaterializeEmpty_Context<$Definition extends Definition_> = - Tuple.IntersectItems< - MaterializeEmpty_Context_<$Definition['extensions']> - > -// dprint-ignore -type MaterializeEmpty_Context_<$Extensions extends [...Extension[]]> = { - [$Index in keyof $Extensions]: $Extensions[$Index]['contextEmpty'] -} - -// -// -// --------------------------------------------------------------------------------------------- -// -// - -/** - * Materialize the definition with a new context. - * - * Each extension will be invoked with the given context. - * Then results will be merged to produce the builder object. - * - * The given context will be used as-is for the builder object context property. - */ -// dprint-ignore -export type MaterializeWith< - $Definition extends Definition_, - $Context extends Context -> = - -Private.Add< - { - definition: $Definition, - context: $Context - }, - Tuple.IntersectItems< - MaterializeWith_Extensions< - $Definition, - $Definition['extensions'], - $Context - > - > - > - -// dprint-ignore -type MaterializeWith_Extensions< - $Definition extends Definition_, - $Extensions extends [...Extension[]], - $Context extends Context, -> = { - [$Index in keyof $Extensions]: - Extension.Invoke< - $Extensions[$Index], - { - definition: $Definition - context: $Context - } - > -} +// import type { Simplify } from 'type-fest' +// import type { AssertExtends, Tuple } from '../prelude.js' +// import type { Private } from '../private.js' +// import type { TypeFunction } from '../type-function/__.js' +// import type { Context, Extension } from './Extension.js' + +// /** +// * A builder definition. +// * Technically it is a type level function with additional properties. +// * When called, returns itself with the given extensions attached as a property. +// */ +// export interface Definition_<$Extensions extends [...Extension[]] = [...Extension[]]> extends TypeFunction { +// extensions: $Extensions +// return: Definition_> +// } + +// type InvokeDefinition<$Definition extends Definition_, $Arguments extends [...Extension[]]> = TypeFunction.Call< +// $Definition, +// $Arguments +// > + +// /** +// * A definition literal, empty. Useful for creation of new builders. +// */ +// export type Empty = Definition_<[]> + +// /** +// * Create a new Builder definition. +// */ +// export type Create<$Extensions extends [...Extension[]]> = AddExtensions + +// /** +// * Extend the definition with many extensions. See {@link AddExtension} for details. +// */ +// // dprint-ignore +// export type AddExtensions<$Definition extends Definition_, $Extensions extends [...Extension[]]> = +// $Extensions extends [infer $FirstExtension extends Extension, ...infer $RestExtensions extends Extension[]] +// ? AddExtensions, $RestExtensions> +// : $Definition + +// /** +// * Extend the definition. During materialization the extension can contribute properties +// * that make up the final builder. +// */ +// // dprint-ignore +// export type AddExtension<$definition_ extends Definition_, $Extension_ extends Extension> = +// InvokeDefinition<$definition_, [...$definition_['extensions'], $Extension_]> + +// // +// // Materialize Utilities +// // + +// /** +// * Materialize the definition using each extension's generic context type. +// * +// * Each extension will be invoked with its own generic context type. +// * Then results will be merged to produce the builder object. +// * +// * All extensions' generic context types will be merged to produce +// * the builder object context property. +// */ +// // dprint-ignore +// export type MaterializeGeneric<$Definition extends Definition_> = +// Simplify< +// Private.Add< +// { +// definition: $Definition, +// context: MaterializeGeneric_Context<$Definition> +// }, +// MaterializeGeneric_Extensions<$Definition> +// > +// > + +// // dprint-ignore +// type MaterializeGeneric_Extensions<$Definition extends Definition_> = +// Tuple.IntersectItems< +// MaterializeGeneric_Extensions_< +// $Definition, +// $Definition['extensions'] +// > +// > +// // dprint-ignore +// type MaterializeGeneric_Extensions_< +// $Definition extends Definition_, +// $Extensions extends [...Extension[]] +// > = { +// [$Index in keyof $Extensions]: +// Extension.Invoke<$Extensions[$Index], { +// definition: $Definition, +// context: $Extensions[$Index]['context'], +// }> +// } + +// type MaterializeGeneric_Context<$Definition extends Definition_> = Tuple.IntersectItems< +// MaterializeGeneric_Context_<$Definition['extensions']> +// > +// type MaterializeGeneric_Context_<$Extensions extends [...Extension[]]> = { +// [$Index in keyof $Extensions]: $Extensions[$Index]['context'] +// } + +// // +// // +// // --------------------------------------------------------------------------------------------- +// // +// // + +// /** +// * Materialize the definition using each extension's empty context type. +// * +// * Each extension will be invoked with its own empty context. +// * Then results will be merged to produce the builder object. +// * +// * All extensions' empty context types will be merged to produce +// * the builder object context property. +// */ +// // dprint-ignore +// export type MaterializeEmpty<$Definition extends Definition_> = +// Simplify< +// Private.Add< +// { +// definition: $Definition, +// context: MaterializeEmpty_Context<$Definition>, +// }, +// Tuple.IntersectItems< +// MaterializeEmpty_Extensions<$Definition, $Definition['extensions']> +// > +// > +// > + +// // dprint-ignore +// type MaterializeEmpty_Extensions< +// $Definition extends Definition_, +// $Extensions extends [...Extension[]] +// > = { +// [$Index in keyof $Extensions]: Extension.Invoke<$Extensions[$Index], { +// definition: $Definition, +// context: $Extensions[$Index]['contextEmpty'] +// }> +// } +// // dprint-ignore +// type MaterializeEmpty_Context<$Definition extends Definition_> = +// Tuple.IntersectItems< +// MaterializeEmpty_Context_<$Definition['extensions']> +// > +// // dprint-ignore +// type MaterializeEmpty_Context_<$Extensions extends [...Extension[]]> = { +// [$Index in keyof $Extensions]: $Extensions[$Index]['contextEmpty'] +// } + +// // +// // +// // --------------------------------------------------------------------------------------------- +// // +// // + +// /** +// * Materialize the definition with a new context. +// * +// * Each extension will be invoked with the given context. +// * Then results will be merged to produce the builder object. +// * +// * The given context will be used as-is for the builder object context property. +// */ +// // dprint-ignore +// export type MaterializeWith< +// $Definition extends Definition_, +// $Context extends Context +// > = + +// Private.Add< +// { +// definition: $Definition, +// context: $Context +// }, +// Tuple.IntersectItems< +// MaterializeWith_Extensions< +// $Definition, +// $Definition['extensions'], +// $Context +// > +// > +// > + +// // dprint-ignore +// type MaterializeWith_Extensions< +// $Definition extends Definition_, +// $Extensions extends [...Extension[]], +// $Context extends Context, +// > = { +// [$Index in keyof $Extensions]: +// Extension.Invoke< +// $Extensions[$Index], +// { +// definition: $Definition +// context: $Context +// } +// > +// } diff --git a/src/lib/builder/Extension.ts b/src/lib/builder/Extension.ts index 8975bac44..79db205d1 100644 --- a/src/lib/builder/Extension.ts +++ b/src/lib/builder/Extension.ts @@ -1,131 +1,131 @@ -import type { TypeFunction } from '../type-function/__.js' -import type { Definition } from './_.js' -import type { Definition_ } from './Definition.js' +// import type { TypeFunction } from '../type-function/__.js' +// import type { Definition } from './_.js' +// import type { Definition_ } from './Definition.js' -/** - * Statically known data that extensions can read from/write to. - */ -export type Context = object +// /** +// * Statically known data that extensions can read from/write to. +// */ +// export type Context = object -/** - * A builder extension. - * - * A builder extension is a "type function" that upon invocation - * can contribute properties to the builder instance. - */ -export interface Extension extends TypeFunction.Fn { - /** - * The context that this extension contributes. - */ - context: Context - /** - * The context in its most empty form. - * - * The definition of "most empty" is owned by the extension. - * - * For example if context is `{ count: number[] }` then an extension - * may decide that contextEmpty is `{}` or `{ count: [] }` or just - * the same (`{ count: number[] }`). - */ - contextEmpty: Context -} +// /** +// * A builder extension. +// * +// * A builder extension is a "type function" that upon invocation +// * can contribute properties to the builder instance. +// */ +// export interface Extension extends TypeFunction { +// /** +// * The context that this extension contributes. +// */ +// context: Context +// /** +// * The context in its most empty form. +// * +// * The definition of "most empty" is owned by the extension. +// * +// * For example if context is `{ count: number[] }` then an extension +// * may decide that contextEmpty is `{}` or `{ count: [] }` or just +// * the same (`{ count: number[] }`). +// */ +// contextEmpty: Context +// } -export namespace Extension { - export type Invoke<_ extends Extension, $Arguments extends Parameters> = TypeFunction.Call<_, $Arguments> +// export namespace Extension { +// export type Invoke<_ extends Extension, $Arguments extends Parameters> = TypeFunction.Call<_, $Arguments> - /** - * The parameters for an extension invocation (recall: builder extensions are "type functions". - * - * If you pass your Extension definition then its context will be used to type - * the `context` parameter. - */ - export type Parameters<$Extension_ extends Extension = Extension> = { - /** - * The context type as specified by this extension. - * - * Note that the type here could be more specific (subtype) upon later - * use in the materialized builder context. For example this or other extensions - * may contribute methods that return the builder with a new context. - */ - context: $Extension_['context'] - // todo rename to definition - /** - * The definition of the builder. - * - * If you need to reference the builder with a changed (or same) - * context then you'll need this definition. - * - * @example - * - * ```ts - * interface BuilderExtension extends Builder.Extension { - * context: { value: string } - * return: BuilderExtension_ - * } - * interface BuilderExtension_<$Arguments extends Builder.Extension.Parameters> { - * passthrough: () => Builder.Definition.MaterializeWith<$Arguments['definition'], $Arguments['context']> - * append: <$Value>(value: $Value) => - * Builder.Definition.MaterializeWith< - * $Arguments['definition'], - * { value: `${$Arguments['context']['value']}${$Value}` } - * > - * } - * ``` - */ - definition: Definition_ - /** - * The current builder. - * - * After materialization this type becomes the specifically produced builder type. - * - * If your extension needs to reference the builder without affecting its context then - * use this type. For example your extension has a method that returns the builder. - * - * If your extension needs to reference the builder **with a changed context** then you must - * materialize it from the definition. See the {@link Parameters.definition} parameter. - */ - // todo so far we couldn't achieve this without hitting infinite instantiation TS limitation. - // builder: object - } +// /** +// * The parameters for an extension invocation (recall: builder extensions are "type functions". +// * +// * If you pass your Extension definition then its context will be used to type +// * the `context` parameter. +// */ +// export type Parameters<$Extension_ extends Extension = Extension> = { +// /** +// * The context type as specified by this extension. +// * +// * Note that the type here could be more specific (subtype) upon later +// * use in the materialized builder context. For example this or other extensions +// * may contribute methods that return the builder with a new context. +// */ +// context: $Extension_['context'] +// // todo rename to definition +// /** +// * The definition of the builder. +// * +// * If you need to reference the builder with a changed (or same) +// * context then you'll need this definition. +// * +// * @example +// * +// * ```ts +// * interface BuilderExtension extends Builder.Extension { +// * context: { value: string } +// * return: BuilderExtension_ +// * } +// * interface BuilderExtension_<$Arguments extends Builder.Extension.Parameters> { +// * passthrough: () => Builder.Definition.MaterializeWith<$Arguments['definition'], $Arguments['context']> +// * append: <$Value>(value: $Value) => +// * Builder.Definition.MaterializeWith< +// * $Arguments['definition'], +// * { value: `${$Arguments['context']['value']}${$Value}` } +// * > +// * } +// * ``` +// */ +// definition: Definition_ +// /** +// * The current builder. +// * +// * After materialization this type becomes the specifically produced builder type. +// * +// * If your extension needs to reference the builder without affecting its context then +// * use this type. For example your extension has a method that returns the builder. +// * +// * If your extension needs to reference the builder **with a changed context** then you must +// * materialize it from the definition. See the {@link Parameters.definition} parameter. +// */ +// // todo so far we couldn't achieve this without hitting infinite instantiation TS limitation. +// // builder: object +// } - /** - * Create a builder extension. - * - * The returned object will be merged into the builder. - * - * You receive the private state of the builder to work with as you wish. - * - * For example use the builder instance to return a new builder with updated state. - * - * TODO The state cannot be mutated. - */ - export const create = <$Extension extends Extension>( - implementor: Implementor<$Extension>, - ): Implementor<$Extension> => { - return implementor - } +// /** +// * Create a builder extension. +// * +// * The returned object will be merged into the builder. +// * +// * You receive the private state of the builder to work with as you wish. +// * +// * For example use the builder instance to return a new builder with updated state. +// * +// * TODO The state cannot be mutated. +// */ +// export const create = <$Extension extends Extension>( +// implementor: Implementor<$Extension>, +// ): Implementor<$Extension> => { +// return implementor +// } - export type Implementor<$Extension extends Extension> = ( - /** - * The host builder instance. - * - * Invoke with context data to return a new builder copy. - * - * TODO this JSDoc does not show up on user side when they pass in an actual function. Ask on StackOverflow how to fix this (need to create a minimal repro therefore (need to create a minimal repro therefore) (need to create a minimal repro therefore) (need to create a minimal repro therefore) (need to create a minimal repro therefore) (need to create a minimal repro therefore) (need to create a minimal repro therefore) (need to create a minimal repro therefore) (need to create a minimal repro therefore)). - */ - builder: Builder<$Extension>, - /** - * The current state of context. - * - * TODO Cannot be mutated. - */ - context: $Extension['context'], - ) => object +// export type Implementor<$Extension extends Extension> = ( +// /** +// * The host builder instance. +// * +// * Invoke with context data to return a new builder copy. +// * +// * TODO this JSDoc does not show up on user side when they pass in an actual function. Ask on StackOverflow how to fix this (need to create a minimal repro therefore (need to create a minimal repro therefore) (need to create a minimal repro therefore) (need to create a minimal repro therefore) (need to create a minimal repro therefore) (need to create a minimal repro therefore) (need to create a minimal repro therefore) (need to create a minimal repro therefore) (need to create a minimal repro therefore)). +// */ +// builder: Builder<$Extension>, +// /** +// * The current state of context. +// * +// * TODO Cannot be mutated. +// */ +// context: $Extension['context'], +// ) => object - /** - * foobar - */ - export type Builder<$Extension extends Extension> = ( - context: $Extension['context'], - ) => Definition.MaterializeGeneric> -} +// /** +// * foobar +// */ +// export type Builder<$Extension extends Extension> = ( +// context: $Extension['context'], +// ) => Definition.MaterializeGeneric> +// } diff --git a/src/lib/builder/_.ts b/src/lib/builder/_.ts index d020aaa96..6c0ea2394 100644 --- a/src/lib/builder/_.ts +++ b/src/lib/builder/_.ts @@ -1,3 +1,3 @@ -export * from '../private.js' -export * as Definition from './Definition.js' -export * from './Extension.js' +// export * from '../private.js' +// export * as Definition from './Definition.js' +// export * from './Extension.js' diff --git a/src/lib/builder/__.test-d.ts b/src/lib/builder/__.test-d.ts index df8547fcd..48cc17f8e 100644 --- a/src/lib/builder/__.test-d.ts +++ b/src/lib/builder/__.test-d.ts @@ -1,104 +1,104 @@ -import { assertEqual, assertExtends } from '../assert-equal.js' -import type { Private } from '../private.js' -import type { Builder } from './__.js' +// import { assertEqual, assertExtends } from '../assert-equal.js' +// import type { Private } from '../private.js' +// import type { Builder } from './__.js' -// --------------------------------------------------------------------------------------------------------------------- -{ - interface ex1_ extends Builder.Extension { - return: { - a: 1 - } - } - type B = Builder.Definition.AddExtension - assertEqual() - type b = Builder.Definition.MaterializeEmpty - type expectedPrivateState = { - definition: B - context: {} - } - assertEqual>() -} -// --------------------------------------------------------------------------------------------------------------------- -{ - interface ex1_ extends Builder.Extension { - return: { - a: 1 - } - } - type B = Builder.Definition.AddExtensions - assertEqual() - type b = Builder.Definition.MaterializeEmpty - type expectedPrivateState = { - definition: B - context: {} - } - assertEqual>() -} -// --------------------------------------------------------------------------------------------------------------------- -{ - interface Reflect_ extends Builder.Extension { - // @ts-expect-error untyped params - return: Reflect - } - type Reflect<$Arguments extends Builder.Extension.Parameters> = { - arguments: $Arguments - } - type B = Builder.Definition.AddExtension - type b = Builder.Definition.MaterializeEmpty - type expectedPrivateState = { - definition: B - context: {} - } - type expectedContext = { - arguments: { - context: {} - definition: B - } - } - assertEqual< - b, - Private.Add - >() -} -// --------------------------------------------------------------------------------------------------------------------- -{ - interface FooContext { - calls: number[] - } - interface FooContextEmpty extends FooContext { - calls: [] - } - interface FooExtension extends Builder.Extension { - context: FooContext - contextEmpty: FooContextEmpty - // @ts-expect-error untyped params - return: FooExtension_ - } - interface FooExtension_<$Args extends Builder.Extension.Parameters> { - _: $Args['context'] - foo: ( - number: $Number, - ) => Builder.Definition.MaterializeWith< - $Args['definition'], - { calls: [...$Args['context']['calls'], $Number] } - > - } +// // --------------------------------------------------------------------------------------------------------------------- +// { +// interface ex1_ extends Builder.Extension { +// return: { +// a: 1 +// } +// } +// type B = Builder.Definition.AddExtension +// assertEqual() +// type b = Builder.Definition.MaterializeEmpty +// type expectedPrivateState = { +// definition: B +// context: {} +// } +// assertEqual>() +// } +// // --------------------------------------------------------------------------------------------------------------------- +// { +// interface ex1_ extends Builder.Extension { +// return: { +// a: 1 +// } +// } +// type B = Builder.Definition.AddExtensions +// assertEqual() +// type b = Builder.Definition.MaterializeEmpty +// type expectedPrivateState = { +// definition: B +// context: {} +// } +// assertEqual>() +// } +// // --------------------------------------------------------------------------------------------------------------------- +// { +// interface Reflect_ extends Builder.Extension { +// // @ts-expect-error untyped params +// return: Reflect +// } +// type Reflect<$Arguments extends Builder.Extension.Parameters> = { +// arguments: $Arguments +// } +// type B = Builder.Definition.AddExtension +// type b = Builder.Definition.MaterializeEmpty +// type expectedPrivateState = { +// definition: B +// context: {} +// } +// type expectedContext = { +// arguments: { +// context: {} +// definition: B +// } +// } +// assertEqual< +// b, +// Private.Add +// >() +// } +// // --------------------------------------------------------------------------------------------------------------------- +// { +// interface FooContext { +// calls: number[] +// } +// interface FooContextEmpty extends FooContext { +// calls: [] +// } +// interface FooExtension extends Builder.Extension { +// context: FooContext +// contextEmpty: FooContextEmpty +// // @ts-expect-error untyped params +// return: FooExtension_ +// } +// interface FooExtension_<$Args extends Builder.Extension.Parameters> { +// _: $Args['context'] +// foo: ( +// number: $Number, +// ) => Builder.Definition.MaterializeWith< +// $Args['definition'], +// { calls: [...$Args['context']['calls'], $Number] } +// > +// } - type bGeneric = Builder.Definition.MaterializeGeneric< - Builder.Definition.AddExtension - > - type bEmpty = Builder.Definition.MaterializeEmpty< - Builder.Definition.AddExtension - > +// type bGeneric = Builder.Definition.MaterializeGeneric< +// Builder.Definition.AddExtension +// > +// type bEmpty = Builder.Definition.MaterializeEmpty< +// Builder.Definition.AddExtension +// > - assertExtends() +// assertExtends() - const bEmpty: bEmpty = null as any - type bEmpty_ = typeof bEmpty._ - assertEqual() +// const bEmpty: bEmpty = null as any +// type bEmpty_ = typeof bEmpty._ +// assertEqual() - const b = bEmpty.foo(1) - type b = typeof b - type b_ = typeof b._ - assertEqual() -} +// const b = bEmpty.foo(1) +// type b = typeof b +// type b_ = typeof b._ +// assertEqual() +// } diff --git a/src/lib/builder/__.ts b/src/lib/builder/__.ts index 361b0744c..bf0f7781e 100644 --- a/src/lib/builder/__.ts +++ b/src/lib/builder/__.ts @@ -1 +1 @@ -export * as Builder from './_.js' +// export * as Builder from './_.js' diff --git a/src/lib/config-manager/ConfigManager.test-d.ts b/src/lib/config-manager/ConfigManager.test-d.ts index ad369a9af..4c5464933 100644 --- a/src/lib/config-manager/ConfigManager.test-d.ts +++ b/src/lib/config-manager/ConfigManager.test-d.ts @@ -1,4 +1,3 @@ -import type { Context } from '../../entrypoints/utilities-for-generated.js' import { assertEqual } from '../assert-equal.js' import type { ConfigManager } from './__.js' @@ -14,16 +13,27 @@ interface x1 { } assertEqual< - ConfigManager.SetProperties, - { z: number; a: [1, 2]; b: boolean; c: { y: 2 } } + { z: number; a: [1, 2]; c: { y: 2 } } >() // dprint-ignore { + +assertEqual , {x:1}>() +assertEqual , {x:1}>() +assertEqual , {x:1}>() +assertEqual , {x:1}>() + +assertEqual , {x:1}>() +assertEqual , {x:1}>() +assertEqual , {x:2}>() +assertEqual , {x:2; y:3}>() + assertEqual , { a: { b: 2 }; a2: 2 }>() assertEqual , { a: { b: 3 } }>() assertEqual , { a: { b: 3 } }>() @@ -44,19 +54,23 @@ assertEqual , { a: { b: { c: 9 assertEqual , { a: { b: number; b2: { c: 9 } }; b: string }>() assertEqual , { a: { b: number }; b: string; c: 9 }>() -assertEqual , { x: [1] }>() -assertEqual , { x: [1, 2] }>() +// assertEqual , { a: 1 }>() +// assertEqual , { a: 1 }>() + +assertEqual , { x: [1] }>() +assertEqual , { x: [1, 2] }>() +assertEqual , { x: [1] }>() +assertEqual , { x: [1, 2] }>() assertEqual , { x: {} }>() assertEqual , { x: {a:1} }>() assertEqual , { x: {a:1; b:2} }>() -} -assertEqual< - ConfigManager.SetAtPath< - Context, - ['typeHooks', 'onRequestResult'], - Context['typeHooks']['onRequestResult'] - >, - Context ->() + +assertEqual , {a:1}>() +assertEqual , {a:2}>() +assertEqual , {a:1}>() +assertEqual , {a:1}>() +assertEqual , {a:2}>() +assertEqual , {a:2}>() +} diff --git a/src/lib/config-manager/ConfigManager.ts b/src/lib/config-manager/ConfigManager.ts index 33c05abae..ece8a6daf 100644 --- a/src/lib/config-manager/ConfigManager.ts +++ b/src/lib/config-manager/ConfigManager.ts @@ -1,6 +1,6 @@ import type { IsUnknown, PartialDeep, Simplify } from 'type-fest' import { isDate } from 'util/types' -import { type ExcludeUndefined, type GuardedType, isAnyFunction, isNonNullObject } from '../prelude.js' +import { type ExcludeUndefined, type GuardedType, isAnyFunction, isNonNullObject, type Objekt } from '../prelude.js' // dprint-ignore export type OrDefault2<$Value, $Default> = @@ -20,17 +20,39 @@ export type OrDefault<$Value, $Default> = $Value // dprint-ignore -export type MergeDefaults<$Defaults extends object, $Input extends undefined | object, $CustomScalars> = +export type MergeDefaultsShallow< + $Defaults extends object, + $Input extends undefined | object, +> = $Input extends undefined ? $Defaults - : { - [$Key in keyof $Defaults]: - $Key extends keyof $Input - ? $Input[$Key] extends undefined - ? $Defaults[$Key] - : MergeDefaultsValues<$Defaults[$Key], ExcludeUndefined<$Input[$Key]>, $CustomScalars> - : $Defaults[$Key] - } + : Objekt.IsEmpty<$Input> extends true + ? $Defaults + : & Omit<$Input, keyof $Defaults> + & { + [$DefaultsKey in keyof $Defaults]: + $DefaultsKey extends keyof $Input + ? $Input[$DefaultsKey] extends undefined + ? $Defaults[$DefaultsKey] + : $Input[$DefaultsKey] + : $Defaults[$DefaultsKey] + } + +// dprint-ignore +export type MergeDefaults<$Defaults extends object, $Input extends undefined | object, $CustomScalars = never> = + Simplify< + $Input extends undefined + ? $Defaults + : & Omit<$Input, keyof $Defaults> + & { + [$Key in keyof $Defaults]: + $Key extends keyof $Input + ? $Input[$Key] extends undefined + ? $Defaults[$Key] + : MergeDefaultsValues<$Defaults[$Key], ExcludeUndefined<$Input[$Key]>, $CustomScalars> + : $Defaults[$Key] + } + > // dprint-ignore type MergeDefaultsValues<$DefaultValue, $InputValue, $CustomScalars> = @@ -142,13 +164,13 @@ export type GetOptional<$Value, $Path extends [...string[]]> = : undefined : $Value -/** - * Merge new properties from the second object into the first object. - * If those properties already exist in the first object they will be overwritten. - */ -// dprint-ignore -export type SetProperties<$Object1 extends object, $Object2 extends object> = - Simplify & $Object2> +// /** +// * Merge new properties from the second object into the first object. +// * If those properties already exist in the first object they will be overwritten. +// */ +// // dprint-ignore +// export type SetProperties<$Object1 extends object, $Object2 extends object> = +// Simplify & $Object2> // dprint-ignore export type SetMany<$Obj extends object, $Sets extends [Path, any][]> = @@ -160,7 +182,7 @@ export type SetMany<$Obj extends object, $Sets extends [Path, any][]> = never // dprint-ignore -export type UpdateKeyWithAppend< +export type UpdateKeyWithAppendOne< $Obj extends object, $Prop extends keyof $Obj, $Type, @@ -195,6 +217,34 @@ export type UpdateKeyWithIntersection< [_ in $PropertyName]: $Type } +// // dprint-ignore +// export type SetKeysExtends< +// $ObjConstraint extends object, +// $Obj extends $ObjConstraint, +// $NewObjValues extends Partial<$ObjConstraint>, +// > = +// SetKeys<$Obj, $NewObjValues> + +/** + * Set a batch of keys on an object. + * Each key in the batch REPLACES the key on the target object. + * + * If the batch contains a key that does not exist on the target object, + * then the key is IGNORED. + */ +// dprint-ignore +export type SetKeysOptional< + $Obj extends object, + $NewObjValues extends object, +> = { + [_ in keyof $Obj]: + _ extends keyof $NewObjValues + ? ExcludeUndefined<$NewObjValues[_]> extends never + ? $Obj[_] + : ExcludeUndefined<$NewObjValues[_]> + : $Obj[_] +} + export type SetKey< $Obj extends object, $PropertyName extends keyof $Obj, @@ -207,6 +257,36 @@ export type SetKey< [_ in $PropertyName]: $Type } +export type SetKeyUnsafe< + $Obj extends object, + $PropertyName extends keyof $Obj, + $Type, +> = + & { + [_ in keyof $Obj as _ extends $PropertyName ? never : _]: $Obj[_] + } + & { + [_ in $PropertyName]: $Type + } + +// // dprint-ignore +// export type IntersectAtKeyPath<$Obj extends object, $Path extends Path, $Value> = +// $Path extends [] +// ? $Value extends object +// ? $Obj & $Value +// : never +// : IntersectAtKeyPath_<$Obj, $Path, $Value> + +// // dprint-ignore +// export type IntersectAtKeyPath_<$ObjOrValue, $Path extends Path, $Value> = +// $Path extends [infer $P1 extends string, ...infer $PN extends string[]] ? +// $P1 extends keyof $ObjOrValue +// ? $ObjOrValue & { [_ in $P1]: IntersectAtKeyPath_<$ObjOrValue[$P1], $PN, $Value> } +// // If we use a nice error display here (like the following comment) it will mess with the result type in variable cases. +// // `Error: Cannot set value at path in object. Path property "${$P1}" does not exist in object.` +// : never +// : $Value + // dprint-ignore export type SetKeyAtPath<$Obj extends object, $Path extends Path, $Value> = Simplify< diff --git a/src/lib/prelude.ts b/src/lib/prelude.ts index 043be5328..16772b6e9 100644 --- a/src/lib/prelude.ts +++ b/src/lib/prelude.ts @@ -668,6 +668,8 @@ export type GetOrNever<$O extends object, $P extends string> = // dprint-ignore export type AssertExtendsObject<$Type> =AssertExtends<$Type, object> +export type AssertExtendsString<$Type> = AssertExtends<$Type, string> + // dprint-ignore export type AssertExtends<$Type, $Constraint> = $Type extends $Constraint @@ -698,7 +700,7 @@ export const isObjectEmpty = (object: Record) => { export const toArray = (value: T | T[]) => Array.isArray(value) ? value : [value] -export const __: () => never = () => { +export const __: (...args: any[]) => never = () => { throw new Error(`not implemented`) } @@ -773,3 +775,9 @@ export type PropertyKeyToString<$Key extends PropertyKey> = $Key extends string : never export type DiscriminantPropertyValue = string | number | symbol + +export const identity = (value: value): value => value + +export type PartialOrUndefined = { + [K in keyof T]?: T[K] | undefined +} diff --git a/src/lib/type-function/TypeFunction.test-d.ts b/src/lib/type-function/TypeFunction.test-d.ts index 88484477a..3ba6d1210 100644 --- a/src/lib/type-function/TypeFunction.test-d.ts +++ b/src/lib/type-function/TypeFunction.test-d.ts @@ -1,17 +1,17 @@ import { assertEqual } from '../assert-equal.js' import type { TypeFunction } from './__.js' -interface a extends TypeFunction.Fn { +interface a extends TypeFunction { // @ts-expect-error return: `${this['params']}a` } -interface b extends TypeFunction.Fn { +interface b extends TypeFunction { // @ts-expect-error return: `${this['params']}b` } -interface c extends TypeFunction.Fn { +interface c extends TypeFunction { // @ts-expect-error return: `${this['params']}c` } diff --git a/src/lib/type-function/TypeFunction.ts b/src/lib/type-function/TypeFunction.ts index 306224aee..da1803de8 100644 --- a/src/lib/type-function/TypeFunction.ts +++ b/src/lib/type-function/TypeFunction.ts @@ -1,34 +1,28 @@ -/** - * A type function (aka. callable type). - */ -export interface Fn { - params: unknown - return: unknown -} +import type { TypeFunction } from './__.js' /** * A composed set of type functions. */ -type FnPipeline = [...Fn[]] +type FnPipeline = [...TypeFunction[]] /** * Apply a Higher Kinded Type (HKT). */ // dprint-ignore -export type Call<$Fn extends Fn, $Arguments> = +export type Call<$Fn extends TypeFunction, $Arguments> = ($Fn & { params: $Arguments })['return'] // // Utilities // -export type UnFn<$Fn extends Fn> = Omit<$Fn, keyof Fn> +export type UnFn<$Fn extends TypeFunction> = Omit<$Fn, keyof TypeFunction> /** * Execute a pipeline of type functions. */ // dprint-ignore export type CallPipeline<$Pipeline extends FnPipeline, $Value> = - $Pipeline extends [infer $Fn extends Fn, ...infer $Rest extends FnPipeline] + $Pipeline extends [infer $Fn extends TypeFunction, ...infer $Rest extends FnPipeline] ? CallPipeline<$Rest, Call<$Fn, $Value>> : $Value diff --git a/src/lib/type-function/__.ts b/src/lib/type-function/__.ts index a56ef3697..259e35196 100644 --- a/src/lib/type-function/__.ts +++ b/src/lib/type-function/__.ts @@ -1 +1,9 @@ export * as TypeFunction from './TypeFunction.js' + +/** + * A type function (aka. callable type). + */ +export interface TypeFunction { + params: unknown + return: unknown +} diff --git a/src/requestPipeline/RequestPipeline.ts b/src/requestPipeline/RequestPipeline.ts index d516b0cd3..d05f268d0 100644 --- a/src/requestPipeline/RequestPipeline.ts +++ b/src/requestPipeline/RequestPipeline.ts @@ -1,15 +1,71 @@ import type { FormattedExecutionResult } from 'graphql' -import type { Context } from '../client/context.js' +import type { GraffleExecutionResultEnvelope } from '../client/handleOutput.js' import { Anyware } from '../lib/anyware/__.js' +import type { Config } from '../lib/anyware/PipelineDef/Config.js' import type { Grafaid } from '../lib/grafaid/__.js' import { normalizeRequestToNode } from '../lib/grafaid/request.js' import { isAbortError } from '../lib/prelude.js' +import type { Context } from '../types/context.js' import { decodeResultData } from './CustomScalars/decode.js' import { encodeRequestVariables } from './CustomScalars/encode.js' -import { httpTransport } from './extensions/httpTransport.js' -import { memoryTransport } from './extensions/memoryTransport.js' -const requestPipelineDefBuilderBase = Anyware.PipelineDef +export namespace RequestPipeline { + export interface Input { + request: Grafaid.RequestAnalyzedInput + state: Context + } + + export interface DecodeInput { + state: Context + result: FormattedExecutionResult + } + + export interface EncodeOutput { + request: Grafaid.RequestAnalyzedInput + state: Context + } + + export type PackInput = EncodeOutput + + export type Output = GraffleExecutionResultEnvelope +} + +export interface RequestPipelineBaseDefinition extends Anyware.PipelineDefinition { + overloads: [] + config: Config + input: { + request: Grafaid.RequestAnalyzedInput + state: Context + } + steps: [{ + name: 'encode' + input: RequestPipeline.Input + output: RequestPipeline.EncodeOutput + slots: {} + }, { + name: 'pack' + input: RequestPipeline.PackInput + output: {} + slots: {} + }, { + name: 'exchange' + input: {} + output: {} + slots: {} + }, { + name: 'unpack' + input: {} + output: {} + slots: {} + }, { + name: 'decode' + input: RequestPipeline.DecodeInput + output: RequestPipeline.Output + slots: {} + }] +} + +export const requestPipelineBaseDefinition: RequestPipelineBaseDefinition = Anyware.PipelineDefinition .create({ // If core errors caused by an abort error then raise it as a direct error. // This is an expected possible error. Possible when user cancels a request. @@ -76,21 +132,8 @@ const requestPipelineDefBuilderBase = Anyware.PipelineDef : input.result }, }) + .type -export type RequestPipelineSpecBase = typeof requestPipelineDefBuilderBase.type +export type RequestPipelineBase = Anyware.Pipeline.InferFromDefinition -const requestPipelineSpecBuilderFull = requestPipelineDefBuilderBase - .use(httpTransport) - .use(memoryTransport) - -export type RequestPipelineSpec = typeof requestPipelineSpecBuilderFull.type - -export const requestPipeline = Anyware.Pipeline.create(requestPipelineSpecBuilderFull.type) -export type RequestPipeline = typeof requestPipeline - -export namespace requestPipeline { - export type ResultFailure = Anyware.PipelineDef.ResultFailure - // | Errors.ContextualError - // Possible from http transport fetch with abort controller. - // | DOMException -} +export type RequestPipelineBaseInterceptor = Anyware.Interceptor.InferFromPipeline diff --git a/src/requestPipeline/extensions/httpTransport.ts b/src/requestPipeline/extensions/httpTransport.ts deleted file mode 100644 index f70a2171f..000000000 --- a/src/requestPipeline/extensions/httpTransport.ts +++ /dev/null @@ -1,126 +0,0 @@ -import { MethodMode, type MethodModeGetReads } from '../../client/transportHttp/request.js' -import type { MethodModePost } from '../../client/transportHttp/request.js' -import { Anyware } from '../../lib/anyware/__.js' -import type { Grafaid } from '../../lib/grafaid/__.js' -import { OperationTypeToAccessKind, print } from '../../lib/grafaid/document.js' -import { getRequestEncodeSearchParameters, postRequestEncodeBody } from '../../lib/grafaid/http/http.js' -import { getRequestHeadersRec, parseExecutionResult, postRequestHeadersRec } from '../../lib/grafaid/http/http.js' -import { mergeRequestInit, searchParamsAppendAll } from '../../lib/http.js' -import type { httpMethodGet, httpMethodPost } from '../../lib/http.js' -import { _, isString, type MaybePromise } from '../../lib/prelude.js' -import { Transport } from '../../types/Transport.js' -import type { RequestPipelineSpecBase } from '../RequestPipeline.js' - -export const httpTransport = Anyware.Extension.Builder - .create() - .overload(overload => - overload - .create({ - discriminant: [`transportType`, `http`], - }) - .extendInput<{ url: URL | string }>() - .stepWithExtendedInput<{ headers?: HeadersInit }>()(`pack`, { - slots: { - searchParams: getRequestEncodeSearchParameters, - body: postRequestEncodeBody, - }, - run: (input, slots) => { - const graphqlRequest: Grafaid.HTTP.RequestConfig = { - operationName: input.request.operationName, - variables: input.request.variables, - query: print(input.request.query), - } - - if (input.state.config.transport.type !== Transport.http) throw new Error(`transport type is not http`) - - const operationType = isString(input.request.operation) - ? input.request.operation - : input.request.operation.operation - const methodMode = input.state.config.transport.config.methodMode - const requestMethod = methodMode === MethodMode.post - ? `post` - : OperationTypeToAccessKind[operationType] === `read` - ? `get` - : `post` - - const baseProperties = mergeRequestInit( - mergeRequestInit( - mergeRequestInit( - { - headers: requestMethod === `get` ? getRequestHeadersRec : postRequestHeadersRec, - }, - { - headers: input.state.config.transport.config.headers, - }, - ), - input.state.config.transport.config.raw, - ), - { - headers: input.headers, - }, - ) - const request: ExchangeRequest = requestMethod === `get` - ? { - methodMode: methodMode as MethodModeGetReads, - ...baseProperties, - method: `get`, - url: searchParamsAppendAll(input.url, slots.searchParams(graphqlRequest)), - } - : { - methodMode: methodMode, - ...baseProperties, - method: `post`, - url: input.url, - body: slots.body(graphqlRequest), - } - return { - ...input, - request, - } - }, - }) - .step(`exchange`, { - slots: { - fetch: (request: Request): MaybePromise => fetch(request), - }, - run: async (input, slots) => { - const request = new Request(input.request.url, input.request) - const response = await slots.fetch(request) - return { - ...input, - response, - } - }, - }) - .step(`unpack`, { - run: async (input) => { - // todo 1 if response is missing header of content length then .json() hangs forever. - // firstly consider a timeout, secondly, if response is malformed, then don't even run .json() - // todo 2 if response is e.g. 404 with no json body, then an error is thrown because json parse cannot work, not gracefully handled here - const json = await input.response.json() as object - const result = parseExecutionResult(json) - return { - ...input, - result, - } - }, - }) - ) - -type ExchangeRequest = ExchangePostRequest | ExchangeGetRequest - -/** - * An extension of {@link RequestInit} that adds a required `url` property and makes `body` required. - */ -type ExchangePostRequest = Omit & { - methodMode: MethodModePost | MethodModeGetReads - method: httpMethodPost - url: string | URL // todo URL for config and string only for input. Requires anyware to allow different types for input and existing config. - body: BodyInit -} - -type ExchangeGetRequest = Omit & { - methodMode: MethodModeGetReads - method: httpMethodGet - url: string | URL -} diff --git a/src/requestPipeline/extensions/memoryTransport.ts b/src/requestPipeline/extensions/memoryTransport.ts deleted file mode 100644 index 842b3508c..000000000 --- a/src/requestPipeline/extensions/memoryTransport.ts +++ /dev/null @@ -1,41 +0,0 @@ -import { Anyware } from '../../lib/anyware/__.js' -import type { Grafaid } from '../../lib/grafaid/__.js' -import { print } from '../../lib/grafaid/document.js' -import { execute } from '../../lib/grafaid/execute.js' // todo -import type { RequestPipelineSpecBase } from '../RequestPipeline.js' - -export const memoryTransport = Anyware.Extension.Builder - .create() - .overload(overload => - overload - .create({ - discriminant: [`transportType`, `memory`], - }) - .extendInput<{ schema: Grafaid.Schema.Schema }>() - .step(`pack`, { - run: (input) => { - const graphqlRequest: Grafaid.HTTP.RequestConfig = { - operationName: input.request.operationName, - variables: input.request.variables, - query: print(input.request.query), - } - return { - ...input, - request: graphqlRequest, - } - }, - }) - .step(`exchange`, { - run: async (input) => { - const result = await execute(input) - return { - ...input, - result, - } - }, - }) - // todo this should not be needed, default is already a passthrough. - .step(`unpack`, { - run: (input) => input, - }) - ) diff --git a/src/types/GlobalRegistry/types.ts b/src/types/GlobalRegistry/types.ts index e2831489d..93c7a2bfd 100644 --- a/src/types/GlobalRegistry/types.ts +++ b/src/types/GlobalRegistry/types.ts @@ -8,8 +8,8 @@ interface ZeroClient extends Client { name: DefaultClientName schema: Schema interfaces: { - Root: TypeFunction.Fn - Document: TypeFunction.Fn + Root: TypeFunction + Document: TypeFunction MethodsSelect: {} } defaultSchemaUrl: null @@ -29,8 +29,8 @@ export interface Client<$Extensions extends Extensions = Extensions> { name: string schema: Schema<$Extensions['Schema']> interfaces: { - Root: TypeFunction.Fn - Document: TypeFunction.Fn + Root: TypeFunction + Document: TypeFunction MethodsSelect: {} } /** @@ -41,6 +41,8 @@ export interface Client<$Extensions extends Extensions = Extensions> { export type DefaultClientName = 'default' +export const defaultClientName: DefaultClientName = `default` + export type Clients = GraffleGlobal.Clients export type IsEmpty = IsNever extends true ? true : false diff --git a/src/types/Schema/nodes/Scalar/helpers.ts b/src/types/Schema/nodes/Scalar/helpers.ts index a145bcd12..16c366af1 100644 --- a/src/types/Schema/nodes/Scalar/helpers.ts +++ b/src/types/Schema/nodes/Scalar/helpers.ts @@ -15,18 +15,28 @@ export type GetDecoded<$Scalar extends Scalar> = ? $Decoded : never -export interface Registry<$Map extends ScalarMap = ScalarMap, $TypesEncoded = any, $TypesDecoded = any> { +export interface Registry< + $Map extends ScalarMap = ScalarMap, + $TypesEncoded = any, + $TypesDecoded = any, +> { map: $Map typesEncoded: $TypesEncoded typesDecoded: $TypesDecoded } +export interface RegistryEmpty { + map: {} + typesEncoded: never + typesDecoded: never +} + export namespace Registry { - export type Empty = Registry<{}> + export type Empty = RegistryEmpty export const empty = { map: {}, - } as Registry.Empty + } as RegistryEmpty export type AddScalar<$Registry extends Registry, $Scalar extends Scalar> = { map: $Registry['map'] & { [_ in $Scalar['name']]: $Scalar } diff --git a/src/types/Transport.ts b/src/types/Transport.ts index 19d4fb9fe..fefecbb52 100644 --- a/src/types/Transport.ts +++ b/src/types/Transport.ts @@ -1,10 +1,26 @@ -export type Transport = TransportMemory | TransportHttp +import type { Anyware } from '../lib/anyware/__.js' +import type { RequestPipelineBaseDefinition } from '../requestPipeline/__.js' -export type TransportMemory = typeof Transport.memory +export interface Transport { + name: string + requestPipelineOverload: Anyware.Overload + config: object + configInit: object + configDefaults: object | undefined +} -export type TransportHttp = typeof Transport.http +export namespace Transport { + export namespace Builder { + export interface Namespace { + create: Create + } -export const Transport = { - memory: `memory`, - http: `http`, -} as const + export interface Create { + <$Name extends string>(name: $Name): Anyware.Overload.Builder + } + } +} diff --git a/src/types/context.ts b/src/types/context.ts new file mode 100644 index 000000000..9e0984eef --- /dev/null +++ b/src/types/context.ts @@ -0,0 +1,232 @@ +import { + type ConfigInit, + type DefaultCheckPreflight, + defaultCheckPreflight, + type DefaultName, + defaultName, + type NormalizeConfigInit, + normalizeConfigInit, +} from '../client/Configuration/ConfigInit.js' +import { type OutputConfig, type OutputConfigDefault, outputConfigDefault } from '../client/Configuration/Output.js' +import type { Extension } from '../extension/__.js' +import type { Anyware } from '../lib/anyware/__.js' +import type { ConfigManager } from '../lib/config-manager/__.js' +import type { Objekt, StringKeyof } from '../lib/prelude.js' +import { + type RequestPipelineBaseDefinition, + requestPipelineBaseDefinition, +} from '../requestPipeline/RequestPipeline.js' +import { Schema } from './Schema/__.js' +import type { SchemaDrivenDataMap } from './SchemaDrivenDataMap/SchemaDrivenDataMap.js' +import type { Transport } from './Transport.js' + +export interface ClientTransports { + registry: ClientTransportsRegistry + /** + * `null` if registry is empty. + */ + current: null | string + configurations: ClientTransportsConfigurations +} + +interface ClientTransportsRegistry { + [name: string]: Transport +} + +interface ClientTransportsConfigurations { + [name: string]: object +} + +export namespace ClientTransports { + export namespace Errors { + export type PreflightCheckNoTransportsRegistered = + 'Error: You cannot send requests yet. You must setup a transport.' + + export type PreflightCheckNoTransportSelected = + 'Error: You cannot send requests yet. You must select a transport to use.' + + export type PreflightCheckTransportNotReady<$TransportName extends string> = + `Error: You cannot send requests yet. The selected transport "${$TransportName}" is not sufficiently configured.` + } + + // dprint-ignore + export type PreflightCheck< + $Context extends Context, + $SuccessValue = true, + > = + $Context['checkPreflight'] extends false + ? $SuccessValue + : PreflightCheck_<$Context['transports'], $SuccessValue> + // dprint-ignore + export type PreflightCheck_< + $ClientTransports extends ClientTransports, + $SuccessValue = true, + > = + $ClientTransports extends ClientTransports.States.Empty + ? ClientTransports.Errors.PreflightCheckNoTransportsRegistered + : $ClientTransports['current'] extends string + ? $ClientTransports['current'] extends keyof $ClientTransports['configurations'] + ? $ClientTransports['current'] extends keyof $ClientTransports['registry'] + ? $ClientTransports['configurations'][$ClientTransports['current']] extends $ClientTransports['registry'][$ClientTransports['current']]['config'] + ? $SuccessValue + : ClientTransports.Errors.PreflightCheckTransportNotReady<$ClientTransports['current']> + : never // Should never happen + : never // Should never happen + : ClientTransports.Errors.PreflightCheckNoTransportSelected + + // dprint-ignore + export type GetNames<$ClientTransports extends ClientTransports> = + Objekt.IsEmpty<$ClientTransports['registry']> extends true + ? 'Error: Transport registry is empty. Please add a transport.' + : StringKeyof<$ClientTransports['registry']> + + export namespace States { + export interface Empty { + registry: {} + configurations: {} + current: null + } + export const empty: Empty = { + registry: {}, + configurations: {}, + current: null, + } + + export interface NonEmpty { + registry: ClientTransportsRegistry + configurations: ClientTransportsConfigurations + current: string + } + } +} + +export namespace Context { + export namespace States { + export interface Empty extends Context { + name: DefaultName + scalars: Schema.Scalar.Registry.Empty + extensions: [] + transports: ClientTransports.States.Empty + checkPreflight: DefaultCheckPreflight + schemaMap: null + input: {} + requestPipelineDefinition: RequestPipelineBaseDefinition + output: OutputConfigDefault + // type-only properties + typeHookOnRequestDocumentRootType: [] + typeHookOnRequestResult: [] + } + + export const contextEmpty: Empty = { + name: defaultName, + requestPipelineDefinition: requestPipelineBaseDefinition, + transports: ClientTransports.States.empty, + checkPreflight: defaultCheckPreflight, + input: {}, + output: outputConfigDefault, + schemaMap: null, + extensions: [], + scalars: Schema.Scalar.Registry.empty, + // type-only properties + // typeHookOnRequestDocumentRootType: [], + // typeHookOnRequestResult: [], + } as Empty + } + export namespace Updaters { + export type AddConfigInit< + $Context extends Context, + $ConfigInit extends ConfigInit, + > = ConfigManager.SetKeysOptional< + $Context, + NormalizeConfigInit<$ConfigInit> + > + + export const addConfigInit = < + $Context extends Context, + $ConfigInit extends ConfigInit, + >(context: $Context, configInit: $ConfigInit): AddConfigInit<$Context, $ConfigInit> => { + const newConfig = normalizeConfigInit(configInit) + return { + ...context, + ...newConfig, + } as any + } + + // dprint-ignore + export type AddTransportOptional< + $Context extends Context, + $Transport extends Transport | undefined, + > = + $Transport extends Transport + ? AddTransport<$Context, $Transport> + : $Context + + // dprint-ignore + export type AddTransport< + $Context extends Context, + $Transport extends Transport, + > = + AddTransportToRegistry< + ConfigManager.SetKey< + $Context, + 'requestPipelineDefinition', + Anyware.PipelineDefinition.Updaters.AddOverload< + $Context['requestPipelineDefinition'], + $Transport['requestPipelineOverload'] + > + >, + $Transport + > + + // dprint-ignore + type AddTransportToRegistry<$Context extends Context, $Transport extends Transport> = + ConfigManager.SetKey< + $Context, + 'transports', + { + configurations: + & Omit<$Context['transports']['configurations'], $Transport['name']> + & { + [_ in $Transport['name']]: $Transport['configInit'] + } + current: $Context['transports'] extends ClientTransports.States.Empty + ? $Transport['name'] + : $Context['transports']['current'] + registry: $Context['transports']['registry'] & { + [_ in $Transport['name']]: $Transport + } + } + > + } +} + +export interface ContextValueLevel { + name: string + requestPipelineDefinition: Anyware.PipelineDefinition + transports: ClientTransports + /** + * If enabled, this will cause request methods to be statically unavailable if + * a transport is not correctly configured. + * + * @defaultValue `true` + */ + checkPreflight?: boolean + /** + * The initial input that was given to derive the config. + */ + input: ConfigInit + output: OutputConfig + schemaMap: SchemaDrivenDataMap | null + extensions: Extension[] + scalars: Schema.Scalar.Registry +} + +export interface Context extends ContextValueLevel { + /** + * Type level augmentations. + * + * @remarks Typically added by extensions. Added here upon use for optimized type-level reads later on. + */ + typeHookOnRequestResult: Extension.TypeHooks.OnRequestResult[] + typeHookOnRequestDocumentRootType: Extension.TypeHooks.OnRequestDocumentRootType[] +} diff --git a/tests/_/SpyExtension.ts b/tests/_/SpyExtension.ts index a1ad75375..eef80b88d 100644 --- a/tests/_/SpyExtension.ts +++ b/tests/_/SpyExtension.ts @@ -1,16 +1,16 @@ import { beforeEach } from 'vitest' -import { createExtension } from '../../src/entrypoints/main.js' -import type { RequestPipelineSpec } from '../../src/requestPipeline/__.js' +import { Extension } from '../../src/entrypoints/extensionkit.js' +import type { RequestPipelineBaseDefinition } from '../../src/requestPipeline/__.js' interface SpyData { encode: { - input: RequestPipelineSpec['steps']['0']['input'] | null + input: RequestPipelineBaseDefinition['steps']['0']['input'] | null } pack: { - input: RequestPipelineSpec['steps']['1']['input'] | null + input: RequestPipelineBaseDefinition['steps']['1']['input'] | null } exchange: { - input: RequestPipelineSpec['steps']['2']['input'] | null + input: RequestPipelineBaseDefinition['steps']['2']['input'] | null } } @@ -26,7 +26,7 @@ const emptySpyData: SpyData = { }, } -export const Spy = createExtension({ +export const Spy = Extension.create({ name: `Spy`, custom: { data: emptySpyData, diff --git a/tests/_/helpers.ts b/tests/_/helpers.ts index 8cc5a4e12..a2379be1b 100644 --- a/tests/_/helpers.ts +++ b/tests/_/helpers.ts @@ -4,10 +4,11 @@ import type { FSJetpack } from 'fs-jetpack/types.js' import * as Path from 'node:path' import type { Mock } from 'vitest' import { test as testBase, vi } from 'vitest' -import type { Client } from '../../src/client/client.js' -import type { TransportConfigHttp, TransportConfigMemory } from '../../src/client/Settings/Config.js' import { Graffle } from '../../src/entrypoints/main.js' -import type { Context, SchemaDrivenDataMap } from '../../src/entrypoints/utilities-for-generated.js' +import type { GraffleBasic } from '../../src/entrypoints/presets/__GraffleBasic.js' +import type { GraffleMinimal } from '../../src/entrypoints/presets/__GraffleMinimal.js' +import type { SchemaDrivenDataMap } from '../../src/entrypoints/utilities-for-generated.js' +import { TransportMemory } from '../../src/extensions/TransportMemory/TransportMemory.js' import type { ConfigManager } from '../../src/lib/config-manager/__.js' import { Grafaid } from '../../src/lib/grafaid/__.js' import { CONTENT_TYPE_REC } from '../../src/lib/grafaid/http/http.js' @@ -27,9 +28,12 @@ interface Project { }> } -export const kitchenSink = KitchenSink.create({ - schema: kitchenSinkSchema, -}) +export const kitchenSink = KitchenSink + .create({ checkPreflight: false }) + .use(TransportMemory({ + schema: kitchenSinkSchema, + })) + .transport(`memory`) export const createResponse = (body: object) => new Response(JSON.stringify(body), { status: 200, headers: { 'content-type': CONTENT_TYPE_REC } }) @@ -37,33 +41,22 @@ export const createResponse = (body: object) => interface Fixtures { fetch: Mock<(request: Request) => Promise> pokemonService: SchemaService - graffle: Client - kitchenSink: Client< - ConfigManager.SetProperties< - Context, - { - name: `default` - schemaMap: SchemaDrivenDataMap - config: { - output: Context['config']['output'] - transport: TransportConfigMemory - } - } - > - > - kitchenSinkHttp: Client< - ConfigManager.SetProperties< - Context, - { - name: `default` - schemaMap: SchemaDrivenDataMap - config: { - output: Context['config']['output'] - transport: TransportConfigHttp - } - } + graffle: GraffleMinimal.Client.With<{ + checkPreflight: false + }> + kitchenSinkHttp: GraffleBasic.Client.With<{ + schemaMap: SchemaDrivenDataMap + checkPreflight: false + }> + kitchenSink: GraffleBasic.Client.With<{ + schemaMap: SchemaDrivenDataMap + checkPreflight: false + transports: ConfigManager.SetKeyUnsafe< + GraffleBasic.Client.Context['transports'], + `current`, + `memory` > - > + }> kitchenSinkData: typeof db project: Project } @@ -110,6 +103,7 @@ export const test = testBase.extend({ await fs.writeAsync(`package.json`, { name: `test`, type: `module`, + packageManager: `pnpm@9.12.2`, scripts: { 'check:types': `tsc --noEmit`, // rollup: `rollup --configPlugin typescript --config rollup.config.ts`, @@ -154,7 +148,9 @@ export const test = testBase.extend({ globalThis.fetch = fetch }, kitchenSink: async ({ fetch: _ }, use) => { - const kitchenSink = KitchenSink.create({ schema: kitchenSinkSchema }) + const kitchenSink = KitchenSink.create() + .use(TransportMemory({ schema: kitchenSinkSchema })) + .transport(`memory`) // kitchenSink.anyware(async ({ encode }) => { // encode({ input: {}}) // }) @@ -162,8 +158,9 @@ export const test = testBase.extend({ await use(kitchenSink) }, kitchenSinkHttp: async ({ fetch: _ }, use) => { - const kitchenSink = KitchenSink.create({ schema: `https://foo.io/api/graphql` }) - kitchenSink._.extensions + const kitchenSink = KitchenSink + .create() + .transport({ url: `https://foo.io/api/graphql` }) // @ts-expect-error fixme await use(kitchenSink) }, @@ -171,7 +168,9 @@ export const test = testBase.extend({ await use(db) }, graffle: async ({ fetch: _ }, use) => { - const graffle = Graffle.create({ schema: new URL(`https://foo.io/api/graphql`) }) + const graffle = Graffle + .create() + .transport({ url: new URL(`https://foo.io/api/graphql`) }) // @ts-expect-error fixme await use(graffle) }, diff --git a/tests/_/schemas/generate.ts b/tests/_/schemas/generate.ts index 71cab5e0e..db6d71b74 100644 --- a/tests/_/schemas/generate.ts +++ b/tests/_/schemas/generate.ts @@ -33,6 +33,7 @@ const generate = async ( schema: `../../../src/entrypoints/schema.ts`, scalars: `../../../src/types/Schema/StandardTypes/scalar.ts`, utilitiesForGenerated: `../../../src/entrypoints/utilities-for-generated.ts`, + extensionTransportHttp: `../../../src/entrypoints/extensions/transport-http/runtime.ts`, }, ...input.input, }) diff --git a/tests/_/schemas/kitchen-sink/graffle/modules/client.ts b/tests/_/schemas/kitchen-sink/graffle/modules/client.ts index bde5c28b6..3aab1497e 100644 --- a/tests/_/schemas/kitchen-sink/graffle/modules/client.ts +++ b/tests/_/schemas/kitchen-sink/graffle/modules/client.ts @@ -1,11 +1,21 @@ -import { ClientPreset } from '../../../../../../src/entrypoints/client.js' +import { TransportHttp } from '../../../../../../src/entrypoints/extensions/transport-http/runtime.js' +import * as $$Utilities from '../../../../../../src/entrypoints/utilities-for-generated.js' import * as $$Data from './data.js' import * as $$Scalar from './scalar.js' import * as $$SchemaDrivenDataMap from './schema-driven-data-map.js' -export const create = ClientPreset.create({ - name: $$Data.Name, - sddm: $$SchemaDrivenDataMap.schemaDrivenDataMap, - scalars: $$Scalar.$registry, - schemaUrl: $$Data.defaultSchemaUrl, -}) +const context = $$Utilities.useReducer( + { + ...$$Utilities.Context.States.contextEmpty, + name: $$Data.Name, + schemaMap: $$SchemaDrivenDataMap.schemaDrivenDataMap, + scalars: $$Scalar.$registry, + }, + TransportHttp({ + url: $$Data.defaultSchemaUrl, + }), +) + +export const create = $$Utilities.createConstructorWithContext( + context, +) diff --git a/tests/_/schemas/kitchen-sink/graffle/modules/methods-document.ts b/tests/_/schemas/kitchen-sink/graffle/modules/methods-document.ts index 7a954e1e1..4ee8f3b80 100644 --- a/tests/_/schemas/kitchen-sink/graffle/modules/methods-document.ts +++ b/tests/_/schemas/kitchen-sink/graffle/modules/methods-document.ts @@ -14,7 +14,7 @@ export interface Document<$Context extends $$Utilities.Context> { > } -export interface BuilderMethodsDocumentFn extends $$Utilities.TypeFunction.Fn { +export interface BuilderMethodsDocumentFn extends $$Utilities.TypeFunction { // @ts-expect-error parameter is Untyped. return: Document } diff --git a/tests/_/schemas/kitchen-sink/graffle/modules/methods-root.ts b/tests/_/schemas/kitchen-sink/graffle/modules/methods-root.ts index 8a25dfe72..346c74f1d 100644 --- a/tests/_/schemas/kitchen-sink/graffle/modules/methods-root.ts +++ b/tests/_/schemas/kitchen-sink/graffle/modules/methods-root.ts @@ -642,7 +642,7 @@ export interface BuilderMethodsRoot<$Context extends $$Utilities.Context> { mutation: MutationMethods<$Context> } -export interface BuilderMethodsRootFn extends $$Utilities.TypeFunction.Fn { +export interface BuilderMethodsRootFn extends $$Utilities.TypeFunction { // @ts-expect-error parameter is Untyped. return: BuilderMethodsRoot } diff --git a/tests/_/schemas/mutation-only/graffle/modules/client.ts b/tests/_/schemas/mutation-only/graffle/modules/client.ts index bde5c28b6..3aab1497e 100644 --- a/tests/_/schemas/mutation-only/graffle/modules/client.ts +++ b/tests/_/schemas/mutation-only/graffle/modules/client.ts @@ -1,11 +1,21 @@ -import { ClientPreset } from '../../../../../../src/entrypoints/client.js' +import { TransportHttp } from '../../../../../../src/entrypoints/extensions/transport-http/runtime.js' +import * as $$Utilities from '../../../../../../src/entrypoints/utilities-for-generated.js' import * as $$Data from './data.js' import * as $$Scalar from './scalar.js' import * as $$SchemaDrivenDataMap from './schema-driven-data-map.js' -export const create = ClientPreset.create({ - name: $$Data.Name, - sddm: $$SchemaDrivenDataMap.schemaDrivenDataMap, - scalars: $$Scalar.$registry, - schemaUrl: $$Data.defaultSchemaUrl, -}) +const context = $$Utilities.useReducer( + { + ...$$Utilities.Context.States.contextEmpty, + name: $$Data.Name, + schemaMap: $$SchemaDrivenDataMap.schemaDrivenDataMap, + scalars: $$Scalar.$registry, + }, + TransportHttp({ + url: $$Data.defaultSchemaUrl, + }), +) + +export const create = $$Utilities.createConstructorWithContext( + context, +) diff --git a/tests/_/schemas/mutation-only/graffle/modules/methods-document.ts b/tests/_/schemas/mutation-only/graffle/modules/methods-document.ts index 7a954e1e1..4ee8f3b80 100644 --- a/tests/_/schemas/mutation-only/graffle/modules/methods-document.ts +++ b/tests/_/schemas/mutation-only/graffle/modules/methods-document.ts @@ -14,7 +14,7 @@ export interface Document<$Context extends $$Utilities.Context> { > } -export interface BuilderMethodsDocumentFn extends $$Utilities.TypeFunction.Fn { +export interface BuilderMethodsDocumentFn extends $$Utilities.TypeFunction { // @ts-expect-error parameter is Untyped. return: Document } diff --git a/tests/_/schemas/mutation-only/graffle/modules/methods-root.ts b/tests/_/schemas/mutation-only/graffle/modules/methods-root.ts index 510a890ea..7a02f8c3d 100644 --- a/tests/_/schemas/mutation-only/graffle/modules/methods-root.ts +++ b/tests/_/schemas/mutation-only/graffle/modules/methods-root.ts @@ -52,7 +52,7 @@ export interface BuilderMethodsRoot<$Context extends $$Utilities.Context> { mutation: MutationMethods<$Context> } -export interface BuilderMethodsRootFn extends $$Utilities.TypeFunction.Fn { +export interface BuilderMethodsRootFn extends $$Utilities.TypeFunction { // @ts-expect-error parameter is Untyped. return: BuilderMethodsRoot } diff --git a/tests/_/schemas/pokemon/graffle/modules/client.ts b/tests/_/schemas/pokemon/graffle/modules/client.ts index bde5c28b6..3aab1497e 100644 --- a/tests/_/schemas/pokemon/graffle/modules/client.ts +++ b/tests/_/schemas/pokemon/graffle/modules/client.ts @@ -1,11 +1,21 @@ -import { ClientPreset } from '../../../../../../src/entrypoints/client.js' +import { TransportHttp } from '../../../../../../src/entrypoints/extensions/transport-http/runtime.js' +import * as $$Utilities from '../../../../../../src/entrypoints/utilities-for-generated.js' import * as $$Data from './data.js' import * as $$Scalar from './scalar.js' import * as $$SchemaDrivenDataMap from './schema-driven-data-map.js' -export const create = ClientPreset.create({ - name: $$Data.Name, - sddm: $$SchemaDrivenDataMap.schemaDrivenDataMap, - scalars: $$Scalar.$registry, - schemaUrl: $$Data.defaultSchemaUrl, -}) +const context = $$Utilities.useReducer( + { + ...$$Utilities.Context.States.contextEmpty, + name: $$Data.Name, + schemaMap: $$SchemaDrivenDataMap.schemaDrivenDataMap, + scalars: $$Scalar.$registry, + }, + TransportHttp({ + url: $$Data.defaultSchemaUrl, + }), +) + +export const create = $$Utilities.createConstructorWithContext( + context, +) diff --git a/tests/_/schemas/pokemon/graffle/modules/methods-document.ts b/tests/_/schemas/pokemon/graffle/modules/methods-document.ts index 7a954e1e1..4ee8f3b80 100644 --- a/tests/_/schemas/pokemon/graffle/modules/methods-document.ts +++ b/tests/_/schemas/pokemon/graffle/modules/methods-document.ts @@ -14,7 +14,7 @@ export interface Document<$Context extends $$Utilities.Context> { > } -export interface BuilderMethodsDocumentFn extends $$Utilities.TypeFunction.Fn { +export interface BuilderMethodsDocumentFn extends $$Utilities.TypeFunction { // @ts-expect-error parameter is Untyped. return: Document } diff --git a/tests/_/schemas/pokemon/graffle/modules/methods-root.ts b/tests/_/schemas/pokemon/graffle/modules/methods-root.ts index a389f663f..79b3aa852 100644 --- a/tests/_/schemas/pokemon/graffle/modules/methods-root.ts +++ b/tests/_/schemas/pokemon/graffle/modules/methods-root.ts @@ -128,7 +128,7 @@ export interface BuilderMethodsRoot<$Context extends $$Utilities.Context> { mutation: MutationMethods<$Context> } -export interface BuilderMethodsRootFn extends $$Utilities.TypeFunction.Fn { +export interface BuilderMethodsRootFn extends $$Utilities.TypeFunction { // @ts-expect-error parameter is Untyped. return: BuilderMethodsRoot } diff --git a/tests/_/schemas/pokemon/singleton.ts b/tests/_/schemas/pokemon/singleton.ts index 937a6d58b..e73b1d72f 100644 --- a/tests/_/schemas/pokemon/singleton.ts +++ b/tests/_/schemas/pokemon/singleton.ts @@ -1,4 +1,5 @@ +import { TransportMemory } from '../../../../src/extensions/TransportMemory/TransportMemory.js' import { Graffle } from './graffle/__.js' import { schema } from './schema.js' -export const pokemon = Graffle.create({ schema }) +export const pokemon = Graffle.create().use(TransportMemory({ schema })) diff --git a/tests/_/schemas/query-only/graffle/modules/client.ts b/tests/_/schemas/query-only/graffle/modules/client.ts index bde5c28b6..3aab1497e 100644 --- a/tests/_/schemas/query-only/graffle/modules/client.ts +++ b/tests/_/schemas/query-only/graffle/modules/client.ts @@ -1,11 +1,21 @@ -import { ClientPreset } from '../../../../../../src/entrypoints/client.js' +import { TransportHttp } from '../../../../../../src/entrypoints/extensions/transport-http/runtime.js' +import * as $$Utilities from '../../../../../../src/entrypoints/utilities-for-generated.js' import * as $$Data from './data.js' import * as $$Scalar from './scalar.js' import * as $$SchemaDrivenDataMap from './schema-driven-data-map.js' -export const create = ClientPreset.create({ - name: $$Data.Name, - sddm: $$SchemaDrivenDataMap.schemaDrivenDataMap, - scalars: $$Scalar.$registry, - schemaUrl: $$Data.defaultSchemaUrl, -}) +const context = $$Utilities.useReducer( + { + ...$$Utilities.Context.States.contextEmpty, + name: $$Data.Name, + schemaMap: $$SchemaDrivenDataMap.schemaDrivenDataMap, + scalars: $$Scalar.$registry, + }, + TransportHttp({ + url: $$Data.defaultSchemaUrl, + }), +) + +export const create = $$Utilities.createConstructorWithContext( + context, +) diff --git a/tests/_/schemas/query-only/graffle/modules/methods-document.ts b/tests/_/schemas/query-only/graffle/modules/methods-document.ts index 7a954e1e1..4ee8f3b80 100644 --- a/tests/_/schemas/query-only/graffle/modules/methods-document.ts +++ b/tests/_/schemas/query-only/graffle/modules/methods-document.ts @@ -14,7 +14,7 @@ export interface Document<$Context extends $$Utilities.Context> { > } -export interface BuilderMethodsDocumentFn extends $$Utilities.TypeFunction.Fn { +export interface BuilderMethodsDocumentFn extends $$Utilities.TypeFunction { // @ts-expect-error parameter is Untyped. return: Document } diff --git a/tests/_/schemas/query-only/graffle/modules/methods-root.ts b/tests/_/schemas/query-only/graffle/modules/methods-root.ts index afcf08841..590f1db60 100644 --- a/tests/_/schemas/query-only/graffle/modules/methods-root.ts +++ b/tests/_/schemas/query-only/graffle/modules/methods-root.ts @@ -49,7 +49,7 @@ export interface BuilderMethodsRoot<$Context extends $$Utilities.Context> { query: QueryMethods<$Context> } -export interface BuilderMethodsRootFn extends $$Utilities.TypeFunction.Fn { +export interface BuilderMethodsRootFn extends $$Utilities.TypeFunction { // @ts-expect-error parameter is Untyped. return: BuilderMethodsRoot } diff --git a/tests/e2e/e2e.test.ts b/tests/e2e/e2e.test.ts index 713a57a09..668e9e20a 100644 --- a/tests/e2e/e2e.test.ts +++ b/tests/e2e/e2e.test.ts @@ -22,7 +22,7 @@ test(`client works without generation`, async ({ project, pokemonService }) => { `main.ts`, ` import { Graffle } from 'graffle' - const graffle = Graffle.create({ schema: '${pokemonService.url.href}' }) + const graffle = Graffle.create().transport({ url: '${pokemonService.url.href}' }) const data = await graffle.gql\` query ($name: String!) { pokemonByName (name: $name) { @@ -36,7 +36,7 @@ test(`client works without generation`, async ({ project, pokemonService }) => { } } \`.send({ name: 'Pikachu' }) - console.log(data?.pokemonByName) + console.log(data?.['pokemonByName']) `, ) const result = await project.run`pnpm tsx main` @@ -48,7 +48,7 @@ test(`client works with generation`, async ({ project, pokemonService }) => { `main.ts`, ` import { Graffle } from 'graffle' - const graffle = Graffle.create({ schema: '${pokemonService.url.href}' }) + const graffle = Graffle.create().transport({ url: '${pokemonService.url.href}' }) const data = await graffle.query.pokemonByName({ $: { name: 'Pikachu' }, name: true, diff --git a/website/content/guides/20_methods/50_anyware.md b/website/content/guides/20_methods/50_anyware.md index 84cc3707d..3ba7affa8 100644 --- a/website/content/guides/20_methods/50_anyware.md +++ b/website/content/guides/20_methods/50_anyware.md @@ -12,7 +12,7 @@ Graffle allows you to apply one or more anyware's to the request pipeline. Each You can think of anyware like middleware (run code before and after some operation with control to manipulate input and output) except that it represents a _sequence_ of operations that form a pipeline rather than just one operation like traditional middleware. -The request pipeline has five hooks: [`encode`](#encode), [`pack`](#pack), [`exchange`](#exchange), [`unpack`](#unpack), and [`decode`](#decode). You will learn more about these later. +The request pipeline has five hooks: [`encode`](#encode), [`pack`](#pack), [`exchange`](#exchange), [`unpack`](#unpack), and [`decode`](#decode). A hook receives input and returns output. Output becomes input for the next hook except the final hook's output which becomes the pipeline result. @@ -22,7 +22,7 @@ Here is a snippet with a few highlights to give you a feel for how it works (not import { Graffle } from 'graffle' // ---cut--- Graffle - .create({ schema: '...' }) + .create() .anyware(async ({ encode }) => { const { pack } = await encode() // [1] @@ -49,36 +49,32 @@ Graffle 3. This is leveraging a feature called ["slots"](#slots). We run `exchange` with its original input but modified implementation for `fetch`. 4. This is leveraging a feature called ["short-circuiting"](#short-circuiting). We _could_ have run the rest of the hooks manually but if we don't have to. By returning the hook result we're conceptually turning any remaining hooks into automatic passthroughs. -## Layers +## Hooks -There are two layers that make up the graffle request pipeline: `interface`, `transport`. Hooks are exposed at key junctures in the pipeline. The following diagram shows how hooks and layers relate. +The following diagram shows how hooks are exposed at key junctures in the pipeline. -Each layer has a specific responsibility: - -1. `interface` – Bridge some type of interface to/from the standard GraphQL request/result object. -2. `transport` – Bridge the standard GraphQL request/result object to/from some type of transport's request/response object, and execute the "exchange". As a term "Exchange" is akin to "request" but tries to convey a decoupling from any particular transport like HTTP. +`transport` – Bridge the standard GraphQL request/result object to/from some type of transport's request/response object, and execute the "exchange". As a term "Exchange" is akin to "request" but tries to convey a decoupling from any particular transport like HTTP. ## Data -The type of data flowing through the request pipeline is polymorphic reflecting the different types of each layer kind. +The type of data flowing through the request pipeline is polymorphic reflecting the current transport. | Layer Kind | Types | | ----------- | --------------- | -| `interface` | `typed` `raw` | | `transport` | `http` `memory` | -Discriminated unions are used to model this. All hook inputs share a base interface type which carries the discriminated properties of `interface` and `transport`. You can use these properties to narrow data in your anyware as needed. +Discriminated unions are used to model this. All hook inputs share a base interface type which carries the discriminated properties of `transportType`. You can use these properties to narrow data in your anyware as needed. ```ts // todo twoslash import { Graffle } from 'graffle' // ---cut--- Graffle - .create({ schema: 'https://...' }) + .create() .anyware(async ({ encode }) => { - if (encode.input.interface === 'typed') { + if (encode.input.transportType === '...') { // Do something here. } @@ -99,11 +95,6 @@ This section covers each hook in detail, ordered by their sequence in the reques

Layer: Interface

-| When interface ... | Then ... | -| ------------------ | ---------------------------------------------------------------------------------------------------------- | -| `typed` | Given some input, create a GraphQL request.
2. Encode any custom scalar arguments. | -| `raw` | Passthrough. The raw interface accepts GraphQL requests directly. Custom scalar arguments are not encoded. | - ### Pack

Layer: Transport

@@ -152,15 +143,6 @@ This section covers each hook in detail, ordered by their sequence in the reques | `http` | Given an HTTP response object, create a GraphQL result. | | `memory` | Passthrough. The exchange returns GraphQL results already. | -### Decode - -

Layer: Interface

- -| When interface ... | Then ... | -| ------------------ | --------------------------------------------- | -| `typed` | Decode any custom scalars in the result data. | -| `raw` | Passthrough. Custom scalars are not decoded. | - ## Jump-Starting @@ -171,7 +153,7 @@ If you want to jump straight to a specific hook other than `encode` you can do s import { Graffle } from 'graffle' // ---cut--- Graffle - .create({ schema: '...' }) + .create() .anyware(async ({ exchange }) => { // ... do something ... const { unpack } = await exchange() @@ -196,7 +178,7 @@ If you want to end your work before `decode` you can do so by returning any hook import { Graffle } from 'graffle' // ---cut--- Graffle - .create({ schema: '...' }) + .create() .anyware(async ({ encode }) => { // ... do something ... const { pack } = await encode() @@ -213,7 +195,7 @@ You can override the input to any hook by passing your own input: ```ts Graffle - .create({ schema: '...' }) + .create() .anyware(async ({ encode }) => { return encode({ input: {/* ... */}, @@ -227,7 +209,7 @@ You can access the original input of any hook from its `input` property. This is import { Graffle } from 'graffle' // ---cut--- Graffle - .create({ schema: '...' }) + .create() .anyware(async ({ encode }) => { return encode({ input: { ...encode.input /* ... */ }, @@ -251,7 +233,7 @@ They execute in the order they were added, regardless of if it was added via an ```ts Graffle - .create({ schema: '...' }) + .create() .use(Extension1WithAnyware()) .anyware(async ({ encode }) => {/* ... */}) .use(Extension2WithAnyware()) diff --git a/website/content/guides/30_transports/memory.md b/website/content/guides/30_transports/memory.md index b90459ec5..ddaece248 100644 --- a/website/content/guides/30_transports/memory.md +++ b/website/content/guides/30_transports/memory.md @@ -15,6 +15,7 @@ The `memory` transport works with in-memory schemas. It ultimately invokes [`exe ```ts twoslash import { Graffle } from 'graffle' +import { TransportMemory } from 'graffle/extensions/transports-memory' import { GraphQLObjectType, GraphQLSchema, GraphQLString } from 'graphql' const schema = new GraphQLSchema({ @@ -29,5 +30,7 @@ const schema = new GraphQLSchema({ }), }) -const graffle = Graffle.create({ schema }) +const graffle = Graffle.create().use(TransportMemory({ schema })).transport( + 'memory', +) ``` diff --git a/website/content/guides/50_appendix/05_custom-scalars.md b/website/content/guides/50_appendix/05_custom-scalars.md index 7458b1d65..083c545c1 100644 --- a/website/content/guides/50_appendix/05_custom-scalars.md +++ b/website/content/guides/50_appendix/05_custom-scalars.md @@ -68,20 +68,17 @@ You can give the Graffle generator access to your scalar definitions. This is sl ```ts import { Graffle } from './graffle/__.js' - const graffle = Graffle.create({ schema: '...' }) + const graffle = Graffle.create() ``` - Technically you can also keep it as it was before. Just import your scalar definitions now instead of having them inline: ```ts - import { schemaDrivenDataMap as schemaMap } from './graffle/__.js' + import { schemaMap } from './graffle/__.js' import { Date } from './scalars.js' const graffle = Graffle - .create({ - schema: '...', - schemaMap, - }) + .create({ schemaMap }) .scalar(Date) ``` - Technically you could do nothing to your initial configuration. While not DRY it will work. diff --git a/website/graffle/modules/Client.ts b/website/graffle/modules/Client.ts index 0af4fce45..7019dd928 100644 --- a/website/graffle/modules/Client.ts +++ b/website/graffle/modules/Client.ts @@ -1,11 +1,21 @@ -import { ClientPreset } from "graffle/client"; +import { TransportHttp } from "graffle/extensions/transport-http"; +import * as $$Utilities from "graffle/utilities-for-generated"; import * as $$Data from "./data.js"; import * as $$Scalar from "./scalar.js"; import * as $$SchemaDrivenDataMap from "./schema-driven-data-map.js"; -export const create = ClientPreset.create({ - name: $$Data.Name, - sddm: $$SchemaDrivenDataMap.schemaDrivenDataMap, - scalars: $$Scalar.$registry, - schemaUrl: $$Data.defaultSchemaUrl, -}); +const context = $$Utilities.useReducer( + { + ...$$Utilities.Context.States.contextEmpty, + name: $$Data.Name, + schemaMap: $$SchemaDrivenDataMap.schemaDrivenDataMap, + scalars: $$Scalar.$registry, + }, + TransportHttp({ + url: $$Data.defaultSchemaUrl, + }), +); + +export const create = $$Utilities.createConstructorWithContext( + context, +); diff --git a/website/graffle/modules/methods-document.ts b/website/graffle/modules/methods-document.ts index b73265a55..a4884aab1 100644 --- a/website/graffle/modules/methods-document.ts +++ b/website/graffle/modules/methods-document.ts @@ -14,7 +14,7 @@ export interface Document<$Context extends $$Utilities.Context> { >; } -export interface BuilderMethodsDocumentFn extends $$Utilities.TypeFunction.Fn { +export interface BuilderMethodsDocumentFn extends $$Utilities.TypeFunction { // @ts-expect-error parameter is Untyped. return: Document; } diff --git a/website/graffle/modules/methods-root.ts b/website/graffle/modules/methods-root.ts index bacfcdd35..bfc11b729 100644 --- a/website/graffle/modules/methods-root.ts +++ b/website/graffle/modules/methods-root.ts @@ -128,7 +128,7 @@ export interface BuilderMethodsRoot<$Context extends $$Utilities.Context> { mutation: MutationMethods<$Context>; } -export interface BuilderMethodsRootFn extends $$Utilities.TypeFunction.Fn { +export interface BuilderMethodsRootFn extends $$Utilities.TypeFunction { // @ts-expect-error parameter is Untyped. return: BuilderMethodsRoot; } diff --git a/website/package.json b/website/package.json index c00e6718d..44cd310e5 100644 --- a/website/package.json +++ b/website/package.json @@ -1,5 +1,6 @@ { "type": "module", + "packageManager": "pnpm@9.12.2", "scripts": { "dev": "disable_twoslash=true NODE_ENV=development vitepress dev", "dev:twoslash": "NODE_ENV=development vitepress dev",